diff --git a/lib/sig.js b/lib/sig.js index 1eb28b45..cdf76b0e 100644 --- a/lib/sig.js +++ b/lib/sig.js @@ -3,6 +3,9 @@ const Cache = require('./cache'); const utils = require('./utils'); const vm = require('vm'); + +let nTransformWarning = false; + // A shared cache to keep track of html5player js functions. exports.cache = new Cache(); @@ -23,6 +26,49 @@ exports.getFunctions = (html5playerfile, options) => exports.cache.getOrSet(html return functions; }); +// eslint-disable-next-line max-len +// https://github.com/TeamNewPipe/NewPipeExtractor/blob/41c8dce452aad278420715c00810b1fed0109adf/extractor/src/main/java/org/schabi/newpipe/extractor/services/youtube/extractors/YoutubeStreamExtractor.java#L816 +const DECIPHER_REGEXPS = [ + '(?:\\b|[^a-zA-Z0-9$])([a-zA-Z0-9$]{2,})\\s*=\\s*function\\(\\s*a\\s*\\)' + + '\\s*\\{\\s*a\\s*=\\s*a\\.split\\(\\s*""\\s*\\)', + '\\bm=([a-zA-Z0-9$]{2,})\\(decodeURIComponent\\(h\\.s\\)\\)', + '\\bc&&\\(c=([a-zA-Z0-9$]{2,})\\(decodeURIComponent\\(c\\)\\)', + '([\\w$]+)\\s*=\\s*function\\((\\w+)\\)\\{\\s*\\2=\\s*\\2\\.split\\(""\\)\\s*;', + '\\b([\\w$]{2,})\\s*=\\s*function\\((\\w+)\\)\\{\\s*\\2=\\s*\\2\\.split\\(""\\)\\s*;', + '\\bc\\s*&&\\s*d\\.set\\([^,]+\\s*,\\s*(:encodeURIComponent\\s*\\()([a-zA-Z0-9$]+)\\(', +]; + +const DECIPHER_ARGUMENT = 'sig'; +const N_ARGUMENT = 'ncode'; + +const matchGroup1 = (regex, str) => { + const match = str.match(new RegExp(regex)); + if (!match) throw new Error(`Could not match ${regex}`); + return match[1]; +}; + +const getFuncName = (body, regexps) => { + try { + let fn; + for (const regex of regexps) { + try { + fn = matchGroup1(regex, body); + const idx = fn.indexOf('[0]'); + if (idx > -1) fn = matchGroup1(`${fn.slice(0, 3)}=\\[([a-zA-Z0-9$\\[\\]]{2,})\\]`, body); + } catch (err) { + continue; + } + } + if (!fn || fn.includes('[')) throw Error("Couldn't find fn name"); + return fn; + } catch (e) { + throw Error(`Please open an issue on ytdl-core GitHub: ${e.message}`); + } +}; + +const getDecipherFuncName = body => getFuncName(body, DECIPHER_REGEXPS); + + /** * Extracts the actions that should be taken to decipher a signature * and tranform the n parameter @@ -31,44 +77,45 @@ exports.getFunctions = (html5playerfile, options) => exports.cache.getOrSet(html * @returns {Array.} */ exports.extractFunctions = body => { + body = body.replace(/\n|\r/g, ''); const functions = []; - const extractManipulations = caller => { - const functionName = utils.between(caller, `a=a.split("");`, `.`); - if (!functionName) return ''; - const functionStart = `var ${functionName}={`; - const ndx = body.indexOf(functionStart); - if (ndx < 0) return ''; - const subBody = body.slice(ndx + functionStart.length - 1); - return `var ${functionName}=${utils.cutAfterJS(subBody)}`; - }; + // This is required function, so we can't continue if it's not found. const extractDecipher = () => { - const functionName = utils.between(body, `a.set("alr","yes");c&&(c=`, `(decodeURIC`); - if (functionName && functionName.length) { - const functionStart = `${functionName}=function(a)`; - const ndx = body.indexOf(functionStart); - if (ndx >= 0) { - const subBody = body.slice(ndx + functionStart.length); - let functionBody = `var ${functionStart}${utils.cutAfterJS(subBody)}`; - functionBody = `${extractManipulations(functionBody)};${functionBody};${functionName}(sig);`; - functions.push(functionBody); - } + const decipherFuncName = getDecipherFuncName(body); + try { + const functionPattern = `(${decipherFuncName.replace(/\$/g, '\\$')}=function\\([a-zA-Z0-9_]+\\)\\{.+?\\})`; + const decipherFunction = `var ${matchGroup1(functionPattern, body)};`; + const helperObjectName = matchGroup1(';([A-Za-z0-9_\\$]{2,})\\.\\w+\\(', decipherFunction) + .replace(/\$/g, '\\$'); + const helperPattern = `(var ${helperObjectName}=\\{[\\s\\S]+?\\}\\};)`; + const helperObject = matchGroup1(helperPattern, body); + const callerFunction = `${decipherFuncName}(${DECIPHER_ARGUMENT});`; + const resultFunction = helperObject + decipherFunction + callerFunction; + functions.push(resultFunction); + } catch (err) { + throw Error(`Could not parse decipher function: ${err}`); } }; - const extractNCode = () => { - let functionName = utils.between(body, `&&(b=a.get("n"))&&(b=`, `(b)`); - if (functionName.includes('[')) functionName = utils.between(body, `${functionName.split('[')[0]}=[`, `]`); - if (functionName && functionName.length) { - const functionStart = `${functionName}=function(a)`; - const ndx = body.indexOf(functionStart); - if (ndx >= 0) { - const subBody = body.slice(ndx + functionStart.length); - const functionBody = `var ${functionStart}${utils.cutAfterJS(subBody)};${functionName}(ncode);`; - functions.push(functionBody); + // This is optional, so we can continue if it's not found, but it will bottleneck the download. + const extractNTransform = () => { + let nFuncName = utils.between(body, `(b=a.get("n"))&&(b=`, `(b)`); + if (nFuncName.includes('[')) nFuncName = utils.between(body, `${nFuncName.split('[')[0]}=[`, `]`); + if (nFuncName && nFuncName.length) { + const nBegin = `${nFuncName}=function(a)`; + const nEnd = '.join("")};'; + const nFunction = utils.between(body, nBegin, nEnd); + if (nFunction) { + const callerFunction = `${nFuncName}(${N_ARGUMENT});`; + const resultFunction = nBegin + nFunction + nEnd + callerFunction; + functions.push(resultFunction); + } else if (!nTransformWarning) { + console.warn('Could not parse n transform function, please report it on @distube/ytdl-core GitHub.'); + nTransformWarning = true; } } }; extractDecipher(); - extractNCode(); + extractNTransform(); return functions; }; @@ -82,22 +129,25 @@ exports.extractFunctions = body => { exports.setDownloadURL = (format, decipherScript, nTransformScript) => { const decipher = url => { const args = querystring.parse(url); - if (!args.s || !decipherScript) return args.url; + if (!args.s) return args.url; const components = new URL(decodeURIComponent(args.url)); - components.searchParams.set(args.sp ? args.sp : 'signature', - decipherScript.runInNewContext({ sig: decodeURIComponent(args.s) })); + const context = {}; + context[DECIPHER_ARGUMENT] = decodeURIComponent(args.s); + components.searchParams.set(args.sp || 'sig', decipherScript.runInNewContext(context)); return components.toString(); }; - const ncode = url => { + const nTransform = url => { const components = new URL(decodeURIComponent(url)); const n = components.searchParams.get('n'); if (!n || !nTransformScript) return url; - components.searchParams.set('n', nTransformScript.runInNewContext({ ncode: n })); + const context = {}; + context[N_ARGUMENT] = n; + components.searchParams.set('n', nTransformScript.runInNewContext(context)); return components.toString(); }; const cipher = !format.url; const url = format.url || format.signatureCipher || format.cipher; - format.url = cipher ? ncode(decipher(url)) : ncode(url); + format.url = cipher ? nTransform(decipher(url)) : nTransform(url); delete format.signatureCipher; delete format.cipher; }; diff --git a/test/basic-info-test.js b/test/basic-info-test.js index 97c84dd8..2771e411 100644 --- a/test/basic-info-test.js +++ b/test/basic-info-test.js @@ -26,7 +26,7 @@ describe('ytdl.getBasicInfo()', () => { }); it('Retrieves just enough metainfo without all formats', async() => { - const id = '5qap5aO4i9A'; + const id = 'jfKfPfyJRdk'; const expected = require('./files/videos/live-now/expected-info.json'); const scope = nock(id, 'live-now', { player: false, @@ -40,7 +40,7 @@ describe('ytdl.getBasicInfo()', () => { describe('Use `ytdl.downloadFromInfo()`', () => { it('Throw error', async() => { - const id = '5qap5aO4i9A'; + const id = 'jfKfPfyJRdk'; const scope = nock(id, 'regular', { watchHtml: false, player: false, @@ -123,7 +123,7 @@ describe('ytdl.getBasicInfo()', () => { describe('From a live video', () => { it('Returns correct video metainfo', async() => { - const id = '5qap5aO4i9A'; + const id = 'jfKfPfyJRdk'; const scope = nock(id, 'live-now', { player: false, dashmpd: false, diff --git a/test/download-test.js b/test/download-test.js index 3308c71f..5c20a166 100644 --- a/test/download-test.js +++ b/test/download-test.js @@ -587,7 +587,7 @@ describe('Download video', () => { describe('that is broadcasted live', () => { it('Begins downloading video succesfully', done => { - const testId = '5qap5aO4i9A'; + const testId = 'jfKfPfyJRdk'; const scope = nock(testId, 'live-now'); const stream = ytdl(testId, { filter: format => format.isHLS }); stream.on('info', (info, format) => { @@ -636,7 +636,7 @@ describe('Download video', () => { describe('end download early', () => { it('Stops downloading video', done => { - const testId = '5qap5aO4i9A'; + const testId = 'jfKfPfyJRdk'; const scope = nock(testId, 'live-now'); const stream = ytdl(testId); stream.on('info', () => { @@ -653,7 +653,7 @@ describe('Download video', () => { describe('from a dash-mpd itag', () => { it('Begins downloading video succesfully', done => { - const testId = '5qap5aO4i9A'; + const testId = 'jfKfPfyJRdk'; let dashResponse = fs.readFileSync(path.resolve(__dirname, `files/videos/live-now/dash-manifest.xml`), 'utf8'); const replaceBetweenTags = (tagName, content) => { const regex = new RegExp(`<${tagName}>(.+?)b?null:"string"===typeof a?a.charAt(b):a[b]}; -eb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; -oaa=function(a){for(var b={},c=0,d=0;d>>1),n;c?n=b.call(e,a[m],m,a):n=b(d,a[m]);0b?1:ac&&g.ub(a,-(c+1),0,b)}; -g.Db=function(a,b,c){var d={};(0,g.Cb)(a,function(e,f){d[b.call(c,e,f,a)]=e}); +naa=function(a,b,c){a instanceof String&&(a=String(a));for(var d=a.length,e=0;eb?null:"string"===typeof a?a.charAt(b):a[b]}; +kb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; +yaa=function(a){for(var b=0,c=0,d={};c>>1),m=void 0;c?m=b.call(void 0,a[l],l,a):m=b(d,a[l]);0b?1:ac&&g.Gb(a,-(c+1),0,b)}; +g.Pb=function(a,b,c){var d={};(0,g.Ob)(a,function(e,f){d[b.call(c,e,f,a)]=e}); return d}; -raa=function(a){for(var b=[],c=0;c")&&(a=a.replace(sc,">"));-1!=a.indexOf('"')&&(a=a.replace(tc,"""));-1!=a.indexOf("'")&&(a=a.replace(uc,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(vc,"�"))}return a}; -yc=function(a,b){return-1!=a.toLowerCase().indexOf(b.toLowerCase())}; -g.Cc=function(a,b){for(var c=0,d=Ac(String(a)).split("."),e=Ac(String(b)).split("."),f=Math.max(d.length,e.length),h=0;0==c&&hb?1:0}; -g.Ec=function(a,b){this.C=b===Dc?a:""}; -g.Fc=function(a){return a instanceof g.Ec&&a.constructor===g.Ec?a.C:"type_error:SafeUrl"}; -Gc=function(a){a=String(a);a=a.replace(/(%0A|%0D)/g,"");var b=a.match(xaa);return b&&yaa.test(b[1])?new g.Ec(a,Dc):null}; -g.Jc=function(a){a instanceof g.Ec||(a="object"==typeof a&&a.Rj?a.Tg():String(a),a=Hc.test(a)?new g.Ec(a,Dc):Gc(a));return a||Ic}; -g.Kc=function(a,b){if(a instanceof g.Ec)return a;a="object"==typeof a&&a.Rj?a.Tg():String(a);if(b&&/^data:/i.test(a)){var c=Gc(a)||Ic;if(c.Tg()==a)return c}Hc.test(a)||(a="about:invalid#zClosurez");return new g.Ec(a,Dc)}; -Mc=function(a,b){this.u=b===Lc?a:""}; -Nc=function(a){return a instanceof Mc&&a.constructor===Mc?a.u:"type_error:SafeStyle"}; -Sc=function(a){var b="",c;for(c in a)if(Object.prototype.hasOwnProperty.call(a,c)){if(!/^[-_a-zA-Z0-9]+$/.test(c))throw Error("Name allows only [-_a-zA-Z0-9], got: "+c);var d=a[c];null!=d&&(d=Array.isArray(d)?g.Oc(d,Pc).join(" "):Pc(d),b+=c+":"+d+";")}return b?new Mc(b,Lc):Rc}; -Pc=function(a){if(a instanceof g.Ec)return'url("'+g.Fc(a).replace(/>>0;return b}; -g.rd=function(a){var b=Number(a);return 0==b&&g.pc(a)?NaN:b}; -sd=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; -td=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; -Jaa=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; -ud=function(a,b,c,d,e,f,h){var l="";a&&(l+=a+":");c&&(l+="//",b&&(l+=b+"@"),l+=c,d&&(l+=":"+d));e&&(l+=e);f&&(l+="?"+f);h&&(l+="#"+h);return l}; -vd=function(a){return a?decodeURI(a):a}; -g.xd=function(a,b){return b.match(wd)[a]||null}; -g.yd=function(a){return vd(g.xd(3,a))}; -zd=function(a){a=a.match(wd);return ud(a[1],null,a[3],a[4])}; -Ad=function(a){a=a.match(wd);return ud(null,null,null,null,a[5],a[6],a[7])}; -Bd=function(a,b){if(a)for(var c=a.split("&"),d=0;db&&(b=a.length);var c=a.indexOf("?");if(0>c||c>b){c=b;var d=""}else d=a.substring(c+1,b);return[a.substr(0,c),d,a.substr(b)]}; -Dd=function(a,b){return b?a?a+"&"+b:b:a}; -Ed=function(a,b){if(!b)return a;var c=Cd(a);c[1]=Dd(c[1],b);return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Fd=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return nd(a.substr(d,e-d))}; -Sd=function(a,b){for(var c=a.search(Pd),d=0,e,f=[];0<=(e=Od(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.substr(d));return f.join("").replace(Kaa,"$1")}; -Td=function(a,b,c){return Nd(Sd(a,b),b,c)}; -Laa=function(a,b){var c=Cd(a),d=c[1],e=[];d&&d.split("&").forEach(function(f){var h=f.indexOf("=");b.hasOwnProperty(0<=h?f.substr(0,h):f)||e.push(f)}); -c[1]=Dd(e.join("&"),g.Kd(b));return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Ud=function(){return Wc("iPhone")&&!Wc("iPod")&&!Wc("iPad")}; -Vd=function(){return Ud()||Wc("iPad")||Wc("iPod")}; -Wd=function(a){Wd[" "](a);return a}; -Xd=function(a,b){try{return Wd(a[b]),!0}catch(c){}return!1}; -Yd=function(a,b,c,d){d=d?d(b):b;return Object.prototype.hasOwnProperty.call(a,d)?a[d]:a[d]=c(b)}; -Zd=function(){var a=g.v.document;return a?a.documentMode:void 0}; -g.ae=function(a){return Yd(Maa,a,function(){return 0<=g.Cc($d,a)})}; -g.be=function(a){return Number(Naa)>=a}; -g.ce=function(a,b,c){return Math.min(Math.max(a,b),c)}; -g.de=function(a,b){var c=a%b;return 0>c*b?c+b:c}; -g.ee=function(a,b,c){return a+c*(b-a)}; -fe=function(a,b){return 1E-6>=Math.abs(a-b)}; -g.ge=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; -he=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; -g.ie=function(a,b){this.width=a;this.height=b}; -g.je=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; -ke=function(a){return a.width*a.height}; -oe=function(a){return a?new le(me(a)):ne||(ne=new le)}; -pe=function(a,b){return"string"===typeof b?a.getElementById(b):b}; -g.re=function(a,b){var c=b||document;return c.querySelectorAll&&c.querySelector?c.querySelectorAll("."+a):g.qe(document,"*",a,b)}; -g.se=function(a,b){var c=b||document;if(c.getElementsByClassName)c=c.getElementsByClassName(a)[0];else{c=document;var d=b||c;c=d.querySelectorAll&&d.querySelector&&a?d.querySelector(a?"."+a:""):g.qe(c,"*",a,b)[0]||null}return c||null}; -g.qe=function(a,b,c,d){a=d||a;b=b&&"*"!=b?String(b).toUpperCase():"";if(a.querySelectorAll&&a.querySelector&&(b||c))return a.querySelectorAll(b+(c?"."+c:""));if(c&&a.getElementsByClassName){a=a.getElementsByClassName(c);if(b){d={};for(var e=0,f=0,h;h=a[f];f++)b==h.nodeName&&(d[e++]=h);d.length=e;return d}return a}a=a.getElementsByTagName(b||"*");if(c){d={};for(f=e=0;h=a[f];f++)b=h.className,"function"==typeof b.split&&g.jb(b.split(/\s+/),c)&&(d[e++]=h);d.length=e;return d}return a}; -ve=function(a,b){g.Eb(b,function(c,d){c&&"object"==typeof c&&c.Rj&&(c=c.Tg());"style"==d?a.style.cssText=c:"class"==d?a.className=c:"for"==d?a.htmlFor=c:te.hasOwnProperty(d)?a.setAttribute(te[d],c):nc(d,"aria-")||nc(d,"data-")?a.setAttribute(d,c):a[d]=c})}; -we=function(a){a=a.document;a="CSS1Compat"==a.compatMode?a.documentElement:a.body;return new g.ie(a.clientWidth,a.clientHeight)}; -ze=function(a){var b=xe(a);a=a.parentWindow||a.defaultView;return g.ye&&g.ae("10")&&a.pageYOffset!=b.scrollTop?new g.ge(b.scrollLeft,b.scrollTop):new g.ge(a.pageXOffset||b.scrollLeft,a.pageYOffset||b.scrollTop)}; -xe=function(a){return a.scrollingElement?a.scrollingElement:g.Ae||"CSS1Compat"!=a.compatMode?a.body||a.documentElement:a.documentElement}; -Be=function(a){return a?a.parentWindow||a.defaultView:window}; -Ee=function(a,b,c){var d=arguments,e=document,f=String(d[0]),h=d[1];if(!Oaa&&h&&(h.name||h.type)){f=["<",f];h.name&&f.push(' name="',g.od(h.name),'"');if(h.type){f.push(' type="',g.od(h.type),'"');var l={};g.Zb(l,h);delete l.type;h=l}f.push(">");f=f.join("")}f=Ce(e,f);h&&("string"===typeof h?f.className=h:Array.isArray(h)?f.className=h.join(" "):ve(f,h));2a}; -Ue=function(a,b,c,d){if(!b&&!c)return null;var e=b?String(b).toUpperCase():null;return Te(a,function(f){return(!e||f.nodeName==e)&&(!c||"string"===typeof f.className&&g.jb(f.className.split(/\s+/),c))},!0,d)}; -Te=function(a,b,c,d){a&&!c&&(a=a.parentNode);for(c=0;a&&(null==d||c<=d);){if(b(a))return a;a=a.parentNode;c++}return null}; -le=function(a){this.u=a||g.v.document||document}; -Ve=function(a,b,c,d){var e=window,f="//pagead2.googlesyndication.com/bg/"+g.od(c)+".js";c=e.document;var h={};b&&(h._scs_=b);h._bgu_=f;h._bgp_=d;h._li_="v_h.3.0.0.0";(b=e.GoogleTyFxhY)&&"function"==typeof b.push||(b=e.GoogleTyFxhY=[]);b.push(h);e=oe(c).createElement("SCRIPT");e.type="text/javascript";e.async=!0;a=vaa(g.gc("//tpc.googlesyndication.com/sodar/%{path}"),{path:g.od(a)+".js"});g.kd(e,a);c.getElementsByTagName("head")[0].appendChild(e)}; -We=function(a,b){var c=void 0;return new (c||(c=Promise))(function(d,e){function f(m){try{l(b.next(m))}catch(n){e(n)}} -function h(m){try{l(b["throw"](m))}catch(n){e(n)}} -function l(m){m.done?d(m.value):(new c(function(n){n(m.value)})).then(f,h)} -l((b=b.apply(a,void 0)).next())})}; -Saa=function(a){return g.Oc(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; -g.Ye=function(a){for(var b=[],c=0,d=0;ce)b[d++]=String.fromCharCode(e);else if(191e){var f=a[c++];b[d++]=String.fromCharCode((e&31)<<6|f&63)}else if(239e){f=a[c++];var h=a[c++],l=a[c++];e=((e&7)<<18|(f&63)<<12|(h&63)<<6|l&63)-65536;b[d++]=String.fromCharCode(55296+(e>>10));b[d++]=String.fromCharCode(56320+(e&1023))}else f=a[c++],h=a[c++],b[d++]=String.fromCharCode((e&15)<<12|(f&63)<<6|h&63)}return b.join("")}; -$e=function(a,b,c){this.B=null;this.u=this.C=this.D=0;this.F=!1;a&&Ze(this,a,b,c)}; -bf=function(a,b,c){if(af.length){var d=af.pop();a&&Ze(d,a,b,c);return d}return new $e(a,b,c)}; -Ze=function(a,b,c,d){b=b.constructor===Uint8Array?b:b.constructor===ArrayBuffer?new Uint8Array(b):b.constructor===Array?new Uint8Array(b):b.constructor===String?g.cf(b):new Uint8Array(0);a.B=b;a.D=void 0!==c?c:0;a.C=void 0!==d?a.D+d:a.B.length;a.u=a.D}; -df=function(a){for(var b=128,c=0,d=0,e=0;4>e&&128<=b;e++)b=a.B[a.u++],c|=(b&127)<<7*e;128<=b&&(b=a.B[a.u++],c|=(b&127)<<28,d|=(b&127)>>4);if(128<=b)for(e=0;5>e&&128<=b;e++)b=a.B[a.u++],d|=(b&127)<<7*e+3;if(128>b){a=c>>>0;b=d>>>0;if(d=b&2147483648)a=~a+1>>>0,b=~b>>>0,0==a&&(b=b+1>>>0);a=4294967296*b+(a>>>0);return d?-a:a}a.F=!0}; -ef=function(a){var b=a.B;var c=b[a.u+0];var d=c&127;if(128>c)return a.u+=1,d;c=b[a.u+1];d|=(c&127)<<7;if(128>c)return a.u+=2,d;c=b[a.u+2];d|=(c&127)<<14;if(128>c)return a.u+=3,d;c=b[a.u+3];d|=(c&127)<<21;if(128>c)return a.u+=4,d;c=b[a.u+4];d|=(c&15)<<28;if(128>c)return a.u+=5,d>>>0;a.u+=5;128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&a.u++;return d}; -ff=function(a){this.u=bf(a,void 0,void 0);this.F=this.u.u;this.B=this.C=-1;this.D=!1}; -gf=function(a){var b=a.u;(b=b.u==b.C)||(b=a.D)||(b=a.u,b=b.F||0>b.u||b.u>b.C);if(b)return!1;a.F=a.u.u;b=ef(a.u);var c=b&7;if(0!=c&&5!=c&&1!=c&&2!=c&&3!=c&&4!=c)return a.D=!0,!1;a.C=b>>>3;a.B=c;return!0}; -hf=function(a){switch(a.B){case 0:if(0!=a.B)hf(a);else{for(a=a.u;a.B[a.u]&128;)a.u++;a.u++}break;case 1:1!=a.B?hf(a):a.u.advance(8);break;case 2:if(2!=a.B)hf(a);else{var b=ef(a.u);a.u.advance(b)}break;case 5:5!=a.B?hf(a):a.u.advance(4);break;case 3:b=a.C;do{if(!gf(a)){a.D=!0;break}if(4==a.B){a.C!=b&&(a.D=!0);break}hf(a)}while(1);break;default:a.D=!0}}; -jf=function(a){var b=ef(a.u);a=a.u;var c=a.B,d=a.u,e=d+b;b=[];for(var f="";dh)b.push(h);else if(192>h)continue;else if(224>h){var l=c[d++];b.push((h&31)<<6|l&63)}else if(240>h){l=c[d++];var m=c[d++];b.push((h&15)<<12|(l&63)<<6|m&63)}else if(248>h){l=c[d++];m=c[d++];var n=c[d++];h=(h&7)<<18|(l&63)<<12|(m&63)<<6|n&63;h-=65536;b.push((h>>10&1023)+55296,(h&1023)+56320)}8192<=b.length&&(f+=String.fromCharCode.apply(null,b),b.length=0)}c=f;if(8192>=b.length)b=String.fromCharCode.apply(null, -b);else{e="";for(f=0;fb||a.u+b>a.B.length)a.F=!0,b=new Uint8Array(0);else{var c=a.B.subarray(a.u,a.u+b);a.u+=b;b=c}return b}; -nf=function(){this.u=[]}; -g.of=function(a,b){for(;127>>=7;a.u.push(b)}; -g.pf=function(a,b){a.u.push(b>>>0&255);a.u.push(b>>>8&255);a.u.push(b>>>16&255);a.u.push(b>>>24&255)}; -g.sf=function(a,b){void 0===b&&(b=0);qf();for(var c=rf[b],d=[],e=0;e>2;f=(f&3)<<4|l>>4;l=(l&15)<<2|n>>6;n&=63;m||(n=64,h||(l=64));d.push(c[p],c[f],c[l]||"",c[n]||"")}return d.join("")}; -g.tf=function(a){for(var b=[],c=0,d=0;d>=8);b[c++]=e}return g.sf(b,3)}; -Taa=function(a){var b=[];uf(a,function(c){b.push(c)}); +Caa=function(a){for(var b=[],c=0;c")&&(a=a.replace(Laa,">"));-1!=a.indexOf('"')&&(a=a.replace(Maa,"""));-1!=a.indexOf("'")&&(a=a.replace(Naa,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(Oaa,"�"));return a}; +g.Vb=function(a,b){return-1!=a.indexOf(b)}; +ac=function(a,b){return g.Vb(a.toLowerCase(),b.toLowerCase())}; +g.ec=function(a,b){var c=0;a=cc(String(a)).split(".");b=cc(String(b)).split(".");for(var d=Math.max(a.length,b.length),e=0;0==c&&eb?1:0}; +g.hc=function(){var a=g.Ea.navigator;return a&&(a=a.userAgent)?a:""}; +mc=function(a){return ic||jc?kc?kc.brands.some(function(b){return(b=b.brand)&&g.Vb(b,a)}):!1:!1}; +nc=function(a){return g.Vb(g.hc(),a)}; +oc=function(){return ic||jc?!!kc&&0=a}; +$aa=function(a){return g.Pc?"webkit"+a:a.toLowerCase()}; +Qc=function(a,b){g.ib.call(this,a?a.type:"");this.relatedTarget=this.currentTarget=this.target=null;this.button=this.screenY=this.screenX=this.clientY=this.clientX=0;this.key="";this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.altKey=this.ctrlKey=!1;this.state=null;this.pointerId=0;this.pointerType="";this.j=null;a&&this.init(a,b)}; +Rc=function(a){return!(!a||!a[aba])}; +cba=function(a,b,c,d,e){this.listener=a;this.proxy=null;this.src=b;this.type=c;this.capture=!!d;this.ud=e;this.key=++bba;this.removed=this.cF=!1}; +Sc=function(a){a.removed=!0;a.listener=null;a.proxy=null;a.src=null;a.ud=null}; +g.Tc=function(a,b,c){for(var d in a)b.call(c,a[d],d,a)}; +g.Uc=function(a,b,c){var d={},e;for(e in a)b.call(c,a[e],e,a)&&(d[e]=a[e]);return d}; +Vc=function(a,b){var c={},d;for(d in a)c[d]=b.call(void 0,a[d],d,a);return c}; +g.Wc=function(a,b,c){for(var d in a)if(b.call(c,a[d],d,a))return!0;return!1}; +dba=function(a,b){for(var c in a)if(!b.call(void 0,a[c],c,a))return!1;return!0}; +g.Xc=function(a){for(var b in a)return b}; +eba=function(a){for(var b in a)return a[b]}; +Yc=function(a){var b=[],c=0,d;for(d in a)b[c++]=a[d];return b}; +g.Zc=function(a){var b=[],c=0,d;for(d in a)b[c++]=d;return b}; +g.$c=function(a,b){return null!==a&&b in a}; +g.ad=function(a,b){for(var c in a)if(a[c]==b)return!0;return!1}; +gd=function(a,b){for(var c in a)if(b.call(void 0,a[c],c,a))return c}; +fba=function(a,b){return(b=gd(a,b))&&a[b]}; +g.hd=function(a){for(var b in a)return!1;return!0}; +g.gba=function(a){for(var b in a)delete a[b]}; +g.id=function(a,b){b in a&&delete a[b]}; +g.jd=function(a,b,c){return null!==a&&b in a?a[b]:c}; +g.kd=function(a,b){for(var c in a)if(!(c in b)||a[c]!==b[c])return!1;for(var d in b)if(!(d in a))return!1;return!0}; +g.md=function(a){var b={},c;for(c in a)b[c]=a[c];return b}; +g.nd=function(a){if(!a||"object"!==typeof a)return a;if("function"===typeof a.clone)return a.clone();if("undefined"!==typeof Map&&a instanceof Map)return new Map(a);if("undefined"!==typeof Set&&a instanceof Set)return new Set(a);if(a instanceof Date)return new Date(a.getTime());var b=Array.isArray(a)?[]:"function"!==typeof ArrayBuffer||"function"!==typeof ArrayBuffer.isView||!ArrayBuffer.isView(a)||a instanceof DataView?{}:new a.constructor(a.length),c;for(c in a)b[c]=g.nd(a[c]);return b}; +g.od=function(a,b){for(var c,d,e=1;ea.u&&(a.u++,b.next=a.j,a.j=b)}; +Ld=function(a){return function(){return a}}; +g.Md=function(){}; +rba=function(a){var b=b||0;return function(){return a.apply(this,Array.prototype.slice.call(arguments,0,b))}}; +Nd=function(a){var b=!1,c;return function(){b||(c=a(),b=!0);return c}}; +Od=function(a){var b=a;return function(){if(b){var c=b;b=null;c()}}}; +sba=function(a,b){var c=0;return function(d){g.Ea.clearTimeout(c);var e=arguments;c=g.Ea.setTimeout(function(){a.apply(b,e)},50)}}; +Ud=function(){if(void 0===Td){var a=null,b=g.Ea.trustedTypes;if(b&&b.createPolicy){try{a=b.createPolicy("goog#html",{createHTML:Ua,createScript:Ua,createScriptURL:Ua})}catch(c){g.Ea.console&&g.Ea.console.error(c.message)}Td=a}else Td=a}return Td}; +Vd=function(a,b){this.j=a===tba&&b||"";this.u=uba}; +Wd=function(a){return a instanceof Vd&&a.constructor===Vd&&a.u===uba?a.j:"type_error:Const"}; +g.Xd=function(a){return new Vd(tba,a)}; +Yd=function(a,b){this.j=b===vba?a:"";this.Qo=!0}; +wba=function(a){return a instanceof Yd&&a.constructor===Yd?a.j:"type_error:SafeScript"}; +xba=function(a){var b=Ud();a=b?b.createScript(a):a;return new Yd(a,vba)}; +Zd=function(a,b){this.j=b===yba?a:""}; +zba=function(a){return a instanceof Zd&&a.constructor===Zd?a.j:"type_error:TrustedResourceUrl"}; +Cba=function(a,b){var c=Wd(a);if(!Aba.test(c))throw Error("Invalid TrustedResourceUrl format: "+c);a=c.replace(Bba,function(d,e){if(!Object.prototype.hasOwnProperty.call(b,e))throw Error('Found marker, "'+e+'", in format string, "'+c+'", but no valid label mapping found in args: '+JSON.stringify(b));d=b[e];return d instanceof Vd?Wd(d):encodeURIComponent(String(d))}); +return $d(a)}; +$d=function(a){var b=Ud();a=b?b.createScriptURL(a):a;return new Zd(a,yba)}; +ae=function(a,b){this.j=b===Dba?a:""}; +g.be=function(a){return a instanceof ae&&a.constructor===ae?a.j:"type_error:SafeUrl"}; +Eba=function(a){var b=a.indexOf("#");0a*b?a+b:a}; +De=function(a,b,c){return a+c*(b-a)}; +Ee=function(a,b){return 1E-6>=Math.abs(a-b)}; +g.Fe=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; +Ge=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; +g.He=function(a,b){this.width=a;this.height=b}; +g.Ie=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; +Je=function(a){return a.width*a.height}; +g.Ke=function(a){return encodeURIComponent(String(a))}; +Le=function(a){return decodeURIComponent(a.replace(/\+/g," "))}; +g.Me=function(a){return a=Ub(a)}; +g.Qe=function(a){return null==a?"":String(a)}; +Re=function(a){for(var b=0,c=0;c>>0;return b}; +Se=function(a){var b=Number(a);return 0==b&&g.Tb(a)?NaN:b}; +bca=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; +cca=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; +dca=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; +eca=function(a){var b=1;a=a.split(":");for(var c=[];0a}; +Df=function(a,b,c){if(!b&&!c)return null;var d=b?String(b).toUpperCase():null;return Cf(a,function(e){return(!d||e.nodeName==d)&&(!c||"string"===typeof e.className&&g.rb(e.className.split(/\s+/),c))},!0)}; +Cf=function(a,b,c){a&&!c&&(a=a.parentNode);for(c=0;a;){if(b(a))return a;a=a.parentNode;c++}return null}; +Te=function(a){this.j=a||g.Ea.document||document}; +Ff=function(a){"function"!==typeof g.Ea.setImmediate||g.Ea.Window&&g.Ea.Window.prototype&&!tc()&&g.Ea.Window.prototype.setImmediate==g.Ea.setImmediate?(Ef||(Ef=nca()),Ef(a)):g.Ea.setImmediate(a)}; +nca=function(){var a=g.Ea.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!nc("Presto")&&(a=function(){var e=g.qf("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.Oa)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()}, +this); +f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); +if("undefined"!==typeof a&&!qc()){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.MS;c.MS=null;e()}}; +return function(e){d.next={MS:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.Ea.setTimeout(e,0)}}; +oca=function(a){g.Ea.setTimeout(function(){throw a;},0)}; +Gf=function(){this.u=this.j=null}; +Hf=function(){this.next=this.scope=this.fn=null}; +g.Mf=function(a,b){If||pca();Lf||(If(),Lf=!0);qca.add(a,b)}; +pca=function(){if(g.Ea.Promise&&g.Ea.Promise.resolve){var a=g.Ea.Promise.resolve(void 0);If=function(){a.then(rca)}}else If=function(){Ff(rca)}}; +rca=function(){for(var a;a=qca.remove();){try{a.fn.call(a.scope)}catch(b){oca(b)}qba(sca,a)}Lf=!1}; +g.Of=function(a){this.j=0;this.J=void 0;this.C=this.u=this.B=null;this.D=this.I=!1;if(a!=g.Md)try{var b=this;a.call(void 0,function(c){Nf(b,2,c)},function(c){Nf(b,3,c)})}catch(c){Nf(this,3,c)}}; +tca=function(){this.next=this.context=this.u=this.B=this.j=null;this.C=!1}; +Pf=function(a,b,c){var d=uca.get();d.B=a;d.u=b;d.context=c;return d}; +Qf=function(a){if(a instanceof g.Of)return a;var b=new g.Of(g.Md);Nf(b,2,a);return b}; +Rf=function(a){return new g.Of(function(b,c){c(a)})}; +g.wca=function(a,b,c){vca(a,b,c,null)||g.Mf(g.Pa(b,a))}; +xca=function(a){return new g.Of(function(b,c){a.length||b(void 0);for(var d=0,e;d=a.C&&a.gx()}; +Ica=function(a,b){return a.I.has(b)?void 0:a.u.get(b)}; +Jca=function(a){for(var b=0;b "+a)}; +eg=function(){throw Error("Invalid UTF8");}; +Vca=function(a,b){b=String.fromCharCode.apply(null,b);return null==a?b:a+b}; +Yca=function(a){var b=!1;b=void 0===b?!1:b;if(Wca){if(b&&/(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])/.test(a))throw Error("Found an unpaired surrogate");a=(Xca||(Xca=new TextEncoder)).encode(a)}else{for(var c=0,d=new Uint8Array(3*a.length),e=0;ef)d[c++]=f;else{if(2048>f)d[c++]=f>>6|192;else{if(55296<=f&&57343>=f){if(56319>=f&&e=h){f=1024*(f-55296)+h-56320+65536;d[c++]=f>> +18|240;d[c++]=f>>12&63|128;d[c++]=f>>6&63|128;d[c++]=f&63|128;continue}else e--}if(b)throw Error("Found an unpaired surrogate");f=65533}d[c++]=f>>12|224;d[c++]=f>>6&63|128}d[c++]=f&63|128}}a=c===d.length?d:d.subarray(0,c)}return a}; +Zca=function(a){return Array.prototype.map.call(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; +g.gg=function(a,b){void 0===b&&(b=0);ada();b=bda[b];for(var c=Array(Math.floor(a.length/3)),d=b[64]||"",e=0,f=0;e>2];h=b[(h&3)<<4|l>>4];l=b[(l&15)<<2|m>>6];m=b[m&63];c[f++]=""+n+h+l+m}n=0;m=d;switch(a.length-e){case 2:n=a[e+1],m=b[(n&15)<<2]||d;case 1:a=a[e],c[f]=""+b[a>>2]+b[(a&3)<<4|n>>4]+m+d}return c.join("")}; +g.hg=function(a,b){if(cda&&!b)a=g.Ea.btoa(a);else{for(var c=[],d=0,e=0;e>=8);c[d++]=f}a=g.gg(c,b)}return a}; +eda=function(a){var b=[];dda(a,function(c){b.push(c)}); return b}; -g.cf=function(a){!g.ye||g.ae("10");var b=a.length,c=3*b/4;c%3?c=Math.floor(c):-1!="=.".indexOf(a[b-1])&&(c=-1!="=.".indexOf(a[b-2])?c-2:c-1);var d=new Uint8Array(c),e=0;uf(a,function(f){d[e++]=f}); -return d.subarray(0,e)}; -uf=function(a,b){function c(m){for(;d>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; -qf=function(){if(!vf){vf={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));rf[c]=d;for(var e=0;eb;b++)a.u.push(c&127|128),c>>=7;a.u.push(1)}}; -g.Cf=function(a,b,c){if(null!=c&&null!=c){g.of(a.u,8*b);a=a.u;var d=c;c=0>d;d=Math.abs(d);b=d>>>0;d=Math.floor((d-b)/4294967296);d>>>=0;c&&(d=~d>>>0,b=(~b>>>0)+1,4294967295>>7|b<<25)>>>0,b>>>=7;a.u.push(c)}}; -g.Df=function(a,b,c){if(null!=c){g.of(a.u,8*b+1);a=a.u;var d=c;d=(c=0>d?1:0)?-d:d;if(0===d)g.Bf=0<1/d?0:2147483648,g.Af=0;else if(isNaN(d))g.Bf=2147483647,g.Af=4294967295;else if(1.7976931348623157E308>>0,g.Af=0;else if(2.2250738585072014E-308>d)d/=Math.pow(2,-1074),g.Bf=(c<<31|d/4294967296)>>>0,g.Af=d>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;g.Af=4503599627370496* -d>>>0}g.pf(a,g.Af);g.pf(a,g.Bf)}}; -g.Ef=function(){}; -g.Jf=function(a,b,c,d){a.u=null;b||(b=[]);a.I=void 0;a.C=-1;a.Mf=b;a:{if(b=a.Mf.length){--b;var e=a.Mf[b];if(!(null===e||"object"!=typeof e||Array.isArray(e)||Ff&&e instanceof Uint8Array)){a.D=b-a.C;a.B=e;break a}}a.D=Number.MAX_VALUE}a.F={};if(c)for(b=0;b>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; +ada=function(){if(!rg){rg={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));bda[c]=d;for(var e=0;ea;a=Math.abs(a);var c=a>>>0;a=Math.floor((a-c)/4294967296);b&&(c=g.t(qda(c,a)),b=c.next().value,a=c.next().value,c=b);Ag=c>>>0;Bg=a>>>0}; +tda=function(a){if(16>a.length)rda(Number(a));else if(sda)a=BigInt(a),Ag=Number(a&BigInt(4294967295))>>>0,Bg=Number(a>>BigInt(32)&BigInt(4294967295));else{var b=+("-"===a[0]);Bg=Ag=0;for(var c=a.length,d=0+b,e=(c-b)%6+b;e<=c;d=e,e+=6)d=Number(a.slice(d,e)),Bg*=1E6,Ag=1E6*Ag+d,4294967296<=Ag&&(Bg+=Ag/4294967296|0,Ag%=4294967296);b&&(b=g.t(qda(Ag,Bg)),a=b.next().value,b=b.next().value,Ag=a,Bg=b)}}; +qda=function(a,b){b=~b;a?a=~a+1:b+=1;return[a,b]}; +Cg=function(a,b){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.init(a,void 0,void 0,b)}; +Eg=function(a){var b=0,c=0,d=0,e=a.u,f=a.j;do{var h=e[f++];b|=(h&127)<d&&h&128);32>4);for(d=3;32>d&&h&128;d+=7)h=e[f++],c|=(h&127)<h){a=b>>>0;h=c>>>0;if(c=h&2147483648)a=~a+1>>>0,h=~h>>>0,0==a&&(h=h+1>>>0);a=4294967296*h+(a>>>0);return c?-a:a}throw dg();}; +Dg=function(a,b){a.j=b;if(b>a.B)throw Uca(a.B,b);}; +Fg=function(a){var b=a.u,c=a.j,d=b[c++],e=d&127;if(d&128&&(d=b[c++],e|=(d&127)<<7,d&128&&(d=b[c++],e|=(d&127)<<14,d&128&&(d=b[c++],e|=(d&127)<<21,d&128&&(d=b[c++],e|=d<<28,d&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128)))))throw dg();Dg(a,c);return e}; +Gg=function(a){var b=a.u,c=a.j,d=b[c+0],e=b[c+1],f=b[c+2];b=b[c+3];a.advance(4);return(d<<0|e<<8|f<<16|b<<24)>>>0}; +Hg=function(a){var b=Gg(a),c=Gg(a);a=2*(c>>31)+1;var d=c>>>20&2047;b=4294967296*(c&1048575)+b;return 2047==d?b?NaN:Infinity*a:0==d?a*Math.pow(2,-1074)*b:a*Math.pow(2,d-1075)*(b+4503599627370496)}; +Ig=function(a){for(var b=0,c=a.j,d=c+10,e=a.u;cb)throw Error("Tried to read a negative byte length: "+b);var c=a.j,d=c+b;if(d>a.B)throw Uca(b,a.B-c);a.j=d;return c}; +wda=function(a,b){if(0==b)return wg();var c=uda(a,b);a.XE&&a.D?c=a.u.subarray(c,c+b):(a=a.u,b=c+b,c=c===b?tg():vda?a.slice(c,b):new Uint8Array(a.subarray(c,b)));return pda(c)}; +Kg=function(a,b){if(Jg.length){var c=Jg.pop();c.init(a,void 0,void 0,b);a=c}else a=new Cg(a,b);this.j=a;this.B=this.j.j;this.u=this.C=-1;xda(this,b)}; +xda=function(a,b){b=void 0===b?{}:b;a.mL=void 0===b.mL?!1:b.mL}; +yda=function(a){var b=a.j;if(b.j==b.B)return!1;a.B=a.j.j;var c=Fg(a.j)>>>0;b=c>>>3;c&=7;if(!(0<=c&&5>=c))throw Tca(c,a.B);if(1>b)throw Error("Invalid field number: "+b+" (at position "+a.B+")");a.C=b;a.u=c;return!0}; +Lg=function(a){switch(a.u){case 0:0!=a.u?Lg(a):Ig(a.j);break;case 1:a.j.advance(8);break;case 2:if(2!=a.u)Lg(a);else{var b=Fg(a.j)>>>0;a.j.advance(b)}break;case 5:a.j.advance(4);break;case 3:b=a.C;do{if(!yda(a))throw Error("Unmatched start-group tag: stream EOF");if(4==a.u){if(a.C!=b)throw Error("Unmatched end-group tag");break}Lg(a)}while(1);break;default:throw Tca(a.u,a.B);}}; +Mg=function(a,b,c){var d=a.j.B,e=Fg(a.j)>>>0,f=a.j.j+e,h=f-d;0>=h&&(a.j.B=f,c(b,a,void 0,void 0,void 0),h=f-a.j.j);if(h)throw Error("Message parsing ended unexpectedly. Expected to read "+(e+" bytes, instead read "+(e-h)+" bytes, either the data ended unexpectedly or the message misreported its own length"));a.j.j=f;a.j.B=d}; +Pg=function(a){var b=Fg(a.j)>>>0;a=a.j;var c=uda(a,b);a=a.u;if(zda){var d=a,e;(e=Ng)||(e=Ng=new TextDecoder("utf-8",{fatal:!0}));a=c+b;d=0===c&&a===d.length?d:d.subarray(c,a);try{var f=e.decode(d)}catch(n){if(void 0===Og){try{e.decode(new Uint8Array([128]))}catch(p){}try{e.decode(new Uint8Array([97])),Og=!0}catch(p){Og=!1}}!Og&&(Ng=void 0);throw n;}}else{f=c;b=f+b;c=[];for(var h=null,l,m;fl?c.push(l):224>l?f>=b?eg():(m=a[f++],194>l||128!==(m&192)?(f--,eg()):c.push((l&31)<<6|m&63)): +240>l?f>=b-1?eg():(m=a[f++],128!==(m&192)||224===l&&160>m||237===l&&160<=m||128!==((d=a[f++])&192)?(f--,eg()):c.push((l&15)<<12|(m&63)<<6|d&63)):244>=l?f>=b-2?eg():(m=a[f++],128!==(m&192)||0!==(l<<28)+(m-144)>>30||128!==((d=a[f++])&192)||128!==((e=a[f++])&192)?(f--,eg()):(l=(l&7)<<18|(m&63)<<12|(d&63)<<6|e&63,l-=65536,c.push((l>>10&1023)+55296,(l&1023)+56320))):eg(),8192<=c.length&&(h=Vca(h,c),c.length=0);f=Vca(h,c)}return f}; +Ada=function(a){var b=Fg(a.j)>>>0;return wda(a.j,b)}; +Bda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Dda=function(a){if(!a)return Cda||(Cda=new Bda(0,0));if(!/^\d+$/.test(a))return null;tda(a);return new Bda(Ag,Bg)}; +Eda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Gda=function(a){if(!a)return Fda||(Fda=new Eda(0,0));if(!/^-?\d+$/.test(a))return null;tda(a);return new Eda(Ag,Bg)}; +Zg=function(){this.j=[]}; +Hda=function(a,b,c){for(;0>>7|c<<25)>>>0,c>>>=7;a.j.push(b)}; +$g=function(a,b){for(;127>>=7;a.j.push(b)}; +Ida=function(a,b){if(0<=b)$g(a,b);else{for(var c=0;9>c;c++)a.j.push(b&127|128),b>>=7;a.j.push(1)}}; +ah=function(a,b){a.j.push(b>>>0&255);a.j.push(b>>>8&255);a.j.push(b>>>16&255);a.j.push(b>>>24&255)}; +Jda=function(){this.B=[];this.u=0;this.j=new Zg}; +bh=function(a,b){0!==b.length&&(a.B.push(b),a.u+=b.length)}; +Kda=function(a,b){ch(a,b,2);b=a.j.end();bh(a,b);b.push(a.u);return b}; +Lda=function(a,b){var c=b.pop();for(c=a.u+a.j.length()-c;127>>=7,a.u++;b.push(c);a.u++}; +Mda=function(a,b){if(b=b.uC){bh(a,a.j.end());for(var c=0;c>>0,c=Math.floor((c-b)/4294967296)>>>0,Ag=b,Bg=c,ah(a,Ag),ah(a,Bg)):(c=Dda(c),a=a.j,b=c.j,ah(a,c.u),ah(a,b)))}; +dh=function(a,b,c){ch(a,b,2);$g(a.j,c.length);bh(a,a.j.end());bh(a,c)}; +fh=function(a,b){if(eh)return a[eh]|=b;if(void 0!==a.So)return a.So|=b;Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return b}; +Oda=function(a,b){var c=gh(a);(c&b)!==b&&(Object.isFrozen(a)&&(a=Array.prototype.slice.call(a)),hh(a,c|b));return a}; +Pda=function(a,b){eh?a[eh]&&(a[eh]&=~b):void 0!==a.So&&(a.So&=~b)}; +gh=function(a){var b;eh?b=a[eh]:b=a.So;return null==b?0:b}; +hh=function(a,b){eh?a[eh]=b:void 0!==a.So?a.So=b:Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return a}; +ih=function(a){fh(a,1);return a}; +jh=function(a){return!!(gh(a)&2)}; +Qda=function(a){fh(a,16);return a}; +Rda=function(a,b){hh(b,(a|0)&-51)}; +kh=function(a,b){hh(b,(a|18)&-41)}; +Sda=function(a){return null!==a&&"object"===typeof a&&!Array.isArray(a)&&a.constructor===Object}; +lh=function(a,b,c,d){if(null==a){if(!c)throw Error();}else if("string"===typeof a)a=a?new vg(a,ug):wg();else if(a.constructor!==vg)if(sg(a))a=d?pda(a):a.length?new vg(new Uint8Array(a),ug):wg();else{if(!b)throw Error();a=void 0}return a}; +nh=function(a){mh(gh(a.Re))}; +mh=function(a){if(a&2)throw Error();}; +oh=function(a){if(null!=a&&"number"!==typeof a)throw Error("Value of float/double field must be a number|null|undefined, found "+typeof a+": "+a);return a}; +Tda=function(a){return a.displayName||a.name||"unknown type name"}; +Uda=function(a){return null==a?a:!!a}; +Vda=function(a){return a}; +Wda=function(a){return a}; +Xda=function(a){return a}; +Yda=function(a){return a}; +ph=function(a,b){if(!(a instanceof b))throw Error("Expected instanceof "+Tda(b)+" but got "+(a&&Tda(a.constructor)));return a}; +rh=function(a,b,c,d){var e=!1;if(null!=a&&"object"===typeof a&&!(e=Array.isArray(a))&&a.pN===qh)return a;if(!e)return c?d&2?(a=b[Zda])?b=a:(a=new b,fh(a.Re,18),b=b[Zda]=a):b=new b:b=void 0,b;e=c=gh(a);0===e&&(e|=d&16);e|=d&2;e!==c&&hh(a,e);return new b(a)}; +$da=function(a){var b=a.u+a.vu;0<=b&&Number.isInteger(b);return a.mq||(a.mq=a.Re[b]={})}; +Ah=function(a,b,c){return-1===b?null:b>=a.u?a.mq?a.mq[b]:void 0:c&&a.mq&&(c=a.mq[b],null!=c)?c:a.Re[b+a.vu]}; +H=function(a,b,c,d){nh(a);return Bh(a,b,c,d)}; +Bh=function(a,b,c,d){a.C&&(a.C=void 0);if(b>=a.u||d)return $da(a)[b]=c,a;a.Re[b+a.vu]=c;(c=a.mq)&&b in c&&delete c[b];return a}; +Ch=function(a,b,c){return void 0!==aea(a,b,c,!1)}; +Eh=function(a,b,c,d,e){var f=Ah(a,b,d);Array.isArray(f)||(f=Dh);var h=gh(f);h&1||ih(f);if(e)h&2||fh(f,18),c&1||Object.freeze(f);else{e=!(c&2);var l=h&2;c&1||!l?e&&h&16&&!l&&Pda(f,16):(f=ih(Array.prototype.slice.call(f)),Bh(a,b,f,d))}return f}; +bea=function(a,b){var c=Ah(a,b);var d=null==c?c:"number"===typeof c||"NaN"===c||"Infinity"===c||"-Infinity"===c?Number(c):void 0;null!=d&&d!==c&&Bh(a,b,d);return d}; +cea=function(a,b){var c=Ah(a,b),d=lh(c,!0,!0,!!(gh(a.Re)&18));null!=d&&d!==c&&Bh(a,b,d);return d}; +Fh=function(a,b,c,d,e){var f=jh(a.Re),h=Eh(a,b,e||1,d,f),l=gh(h);if(!(l&4)){Object.isFrozen(h)&&(h=ih(h.slice()),Bh(a,b,h,d));for(var m=0,n=0;mc||c>=a.length)throw Error();return a[c]}; +mea=function(a,b){ci=b;a=new a(b);ci=void 0;return a}; +oea=function(a,b){return nea(b)}; +nea=function(a){switch(typeof a){case "number":return isFinite(a)?a:String(a);case "object":if(a&&!Array.isArray(a)){if(sg(a))return gda(a);if(a instanceof vg){var b=a.j;return null==b?"":"string"===typeof b?b:a.j=gda(b)}}}return a}; +pea=function(a,b,c,d,e,f){if(null!=a){if(Array.isArray(a))a=e&&0==a.length&&gh(a)&1?void 0:f&&gh(a)&2?a:di(a,b,c,void 0!==d,e,f);else if(Sda(a)){var h={},l;for(l in a)h[l]=pea(a[l],b,c,d,e,f);a=h}else a=b(a,d);return a}}; +di=function(a,b,c,d,e,f){var h=gh(a);d=d?!!(h&16):void 0;a=Array.prototype.slice.call(a);for(var l=0;lh&&"number"!==typeof a[h]){var l=a[h++];c(b,l)}for(;hd?-2147483648:0)?-d:d,1.7976931348623157E308>>0,Ag=0;else if(2.2250738585072014E-308>d)b=d/Math.pow(2,-1074),Bg=(c|b/4294967296)>>>0,Ag=b>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;Ag=4503599627370496*d>>>0}ah(a, +Ag);ah(a,Bg)}}; +oi=function(a,b,c){b=Ah(b,c);null!=b&&("string"===typeof b&&Gda(b),null!=b&&(ch(a,c,0),"number"===typeof b?(a=a.j,rda(b),Hda(a,Ag,Bg)):(c=Gda(b),Hda(a.j,c.u,c.j))))}; +pi=function(a,b,c){a:if(b=Ah(b,c),null!=b){switch(typeof b){case "string":b=+b;break a;case "number":break a}b=void 0}null!=b&&null!=b&&(ch(a,c,0),Ida(a.j,b))}; +Lea=function(a,b,c){b=Uda(Ah(b,c));null!=b&&(ch(a,c,0),a.j.j.push(b?1:0))}; +Mea=function(a,b,c){b=Ah(b,c);null!=b&&dh(a,c,Yca(b))}; +Nea=function(a,b,c,d,e){b=Mh(b,d,c);null!=b&&(c=Kda(a,c),e(b,a),Lda(a,c))}; +Oea=function(a){return function(){var b=new Jda;Cea(this,b,li(a));bh(b,b.j.end());for(var c=new Uint8Array(b.u),d=b.B,e=d.length,f=0,h=0;hv;v+=4)r[v/4]=q[v]<<24|q[v+1]<<16|q[v+2]<<8|q[v+3];for(v=16;80>v;v++)q=r[v-3]^r[v-8]^r[v-14]^r[v-16],r[v]=(q<<1|q>>>31)&4294967295;q=e[0];var x=e[1],z=e[2],B=e[3],F=e[4];for(v=0;80>v;v++){if(40>v)if(20>v){var G=B^x&(z^B);var D=1518500249}else G=x^z^B,D=1859775393;else 60>v?(G=x&z|B&(x|z),D=2400959708):(G=x^z^B,D=3395469782);G=((q<<5|q>>>27)&4294967295)+G+F+D+r[v]&4294967295;F=B;B=z;z=(x<<30|x>>>2)&4294967295;x=q;q=G}e[0]=e[0]+q&4294967295;e[1]=e[1]+x&4294967295;e[2]= +e[2]+z&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+F&4294967295} +function c(q,r){if("string"===typeof q){q=unescape(encodeURIComponent(q));for(var v=[],x=0,z=q.length;xn?c(l,56-n):c(l,64-(n-56));for(var v=63;56<=v;v--)f[v]=r&255,r>>>=8;b(f);for(v=r=0;5>v;v++)for(var x=24;0<=x;x-=8)q[r++]=e[v]>>x&255;return q} +for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,I2:function(){for(var q=d(),r="",v=0;vc&&(c=a.length);var d=a.indexOf("?");if(0>d||d>c){d=c;var e=""}else e=a.substring(d+1,c);a=[a.slice(0,d),e,a.slice(c)];c=a[1];a[1]=b?c?c+"&"+b:b:c;return a[0]+(a[1]?"?"+a[1]:"")+a[2]}; +Xi=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return Le(a.slice(d,-1!==e?e:0))}; +mj=function(a,b){for(var c=a.search(xfa),d=0,e,f=[];0<=(e=wfa(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.slice(d));return f.join("").replace(yfa,"$1")}; +zfa=function(a,b,c){return $i(mj(a,b),b,c)}; +g.nj=function(a){g.Fd.call(this);this.headers=new Map;this.T=a||null;this.B=!1;this.ya=this.j=null;this.Z="";this.u=0;this.C="";this.D=this.Ga=this.ea=this.Aa=!1;this.J=0;this.oa=null;this.Ja="";this.La=this.I=!1}; +Bfa=function(a,b,c,d,e,f,h){var l=new g.nj;Afa.push(l);b&&l.Ra("complete",b);l.CG("ready",l.j2);f&&(l.J=Math.max(0,f));h&&(l.I=h);l.send(a,c,d,e)}; +Cfa=function(a){return g.mf&&"number"===typeof a.timeout&&void 0!==a.ontimeout}; +Efa=function(a,b){a.B=!1;a.j&&(a.D=!0,a.j.abort(),a.D=!1);a.C=b;a.u=5;Dfa(a);oj(a)}; +Dfa=function(a){a.Aa||(a.Aa=!0,a.dispatchEvent("complete"),a.dispatchEvent("error"))}; +Ffa=function(a){if(a.B&&"undefined"!=typeof pj)if(a.ya[1]&&4==g.qj(a)&&2==a.getStatus())a.getStatus();else if(a.ea&&4==g.qj(a))g.ag(a.yW,0,a);else if(a.dispatchEvent("readystatechange"),a.isComplete()){a.getStatus();a.B=!1;try{if(rj(a))a.dispatchEvent("complete"),a.dispatchEvent("success");else{a.u=6;try{var b=2a.ib()?"https://www.google.com/log?format=json&hasfast=true":"https://play.google.com/log?format=json&hasfast=true");return a.Z}; +Vfa=function(a,b){a.D=new g.Ki(1>b?1:b,3E5,.1);a.j.setInterval(a.D.getValue())}; +Xfa=function(a){Wfa(a,function(b,c){b=$i(b,"format","json");var d=!1;try{d=nf().navigator.sendBeacon(b,c.jp())}catch(e){}a.ya&&!d&&(a.ya=!1);return d})}; +Wfa=function(a,b){if(0!==a.u.length){var c=mj(Ufa(a),"format");c=vfa(c,"auth",a.La(),"authuser",a.sessionIndex||"0");for(var d=0;10>d&&a.u.length;++d){var e=a.u.slice(0,32),f=a.C.wf(e,a.J,a.I);if(!b(c,f)){++a.I;break}a.J=0;a.I=0;a.u=a.u.slice(e.length)}a.j.enabled&&a.j.stop()}}; +Yfa=function(a){g.ib.call(this,"event-logged",void 0);this.j=a}; +Sfa=function(a,b){this.B=b=void 0===b?!1:b;this.u=this.locale=null;this.j=new Ofa;H(this.j,2,a);b||(this.locale=document.documentElement.getAttribute("lang"));zj(this,new $h)}; +zj=function(a,b){I(a.j,$h,1,b);Ah(b,1)||H(b,1,1);a.B||(b=Bj(a),Ah(b,5)||H(b,5,a.locale));a.u&&(b=Bj(a),Mh(b,wj,9)||I(b,wj,9,a.u))}; +Zfa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,1,b))}; +$fa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,2,b))}; +cga=function(a,b){var c=void 0===c?aga:c;b(nf(),c).then(function(d){a.u=d;d=Bj(a);I(d,wj,9,a.u);return!0}).catch(function(){return!1})}; +Bj=function(a){a=Mh(a.j,$h,1);var b=Mh(a,xj,11);b||(b=new xj,I(a,xj,11,b));return b}; +Cj=function(a){a=Bj(a);var b=Mh(a,vj,10);b||(b=new vj,H(b,2,!1),I(a,vj,10,b));return b}; +dga=function(a,b,c){Bfa(a.url,function(d){d=d.target;rj(d)?b(g.sj(d)):c(d.getStatus())},a.requestType,a.body,a.dw,a.timeoutMillis,a.withCredentials)}; +Dj=function(a,b){g.C.call(this);this.I=a;this.Ga=b;this.C="https://play.google.com/log?format=json&hasfast=true";this.D=!1;this.oa=dga;this.j=""}; +Ej=function(a,b,c,d,e,f){a=void 0===a?-1:a;b=void 0===b?"":b;c=void 0===c?"":c;d=void 0===d?!1:d;e=void 0===e?"":e;g.C.call(this);f?b=f:(a=new Dj(a,"0"),a.j=b,g.E(this,a),""!=c&&(a.C=c),d&&(a.D=!0),e&&(a.u=e),b=a.wf());this.j=b}; +ega=function(a){switch(a){case 200:return 0;case 400:return 3;case 401:return 16;case 403:return 7;case 404:return 5;case 409:return 10;case 412:return 9;case 429:return 8;case 499:return 1;case 500:return 2;case 501:return 12;case 503:return 14;case 504:return 4;default:return 2}}; +fga=function(a){switch(a){case 0:return"OK";case 1:return"CANCELLED";case 2:return"UNKNOWN";case 3:return"INVALID_ARGUMENT";case 4:return"DEADLINE_EXCEEDED";case 5:return"NOT_FOUND";case 6:return"ALREADY_EXISTS";case 7:return"PERMISSION_DENIED";case 16:return"UNAUTHENTICATED";case 8:return"RESOURCE_EXHAUSTED";case 9:return"FAILED_PRECONDITION";case 10:return"ABORTED";case 11:return"OUT_OF_RANGE";case 12:return"UNIMPLEMENTED";case 13:return"INTERNAL";case 14:return"UNAVAILABLE";case 15:return"DATA_LOSS"; +default:return""}}; +Fj=function(a,b,c){c=void 0===c?{}:c;b=Error.call(this,b);this.message=b.message;"stack"in b&&(this.stack=b.stack);this.code=a;this.metadata=c}; +Gj=function(){var a,b,c;return null!=(c=null==(a=globalThis.performance)?void 0:null==(b=a.now)?void 0:b.call(a))?c:Date.now()}; +Hj=function(a,b){this.logger=a;this.j=b;this.startMillis=Gj()}; +Ij=function(a,b){this.logger=a;this.operation=b;this.startMillis=Gj()}; +gga=function(a,b){var c=Gj()-a.startMillis;a.logger.fN(b?"h":"m",c)}; +hga=function(){}; +iga=function(a,b){this.sf=a;a=new Dj(1654,"0");a.u="10";if(b){var c=new Qea;b=fea(c,b,Vda);a.B=b}b=new Ej(1654,"","",!1,"",a.wf());b=new g.cg(b);this.clientError=new Mca(b);this.J=new Lca(b);this.T=new Kca(b);this.I=new Nca(b);this.B=new Oca(b);this.C=new Pca(b);this.j=new Qca(b);this.D=new Rca(b);this.u=new Sca(b)}; +jga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fiec",{Xe:3,We:"rk"},{Xe:2,We:"ec"})}; +Jj=function(a,b,c){a.j.yl("/client_streamz/bg/fiec",b,c)}; +kga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fil",{Xe:3,We:"rk"})}; +lga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fsc",{Xe:3,We:"rk"})}; +mga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fsl",{Xe:3,We:"rk"})}; +pga=function(a){function b(){c-=d;c-=e;c^=e>>>13;d-=e;d-=c;d^=c<<8;e-=c;e-=d;e^=d>>>13;c-=d;c-=e;c^=e>>>12;d-=e;d-=c;d^=c<<16;e-=c;e-=d;e^=d>>>5;c-=d;c-=e;c^=e>>>3;d-=e;d-=c;d^=c<<10;e-=c;e-=d;e^=d>>>15} +a=nga(a);for(var c=2654435769,d=2654435769,e=314159265,f=a.length,h=f,l=0;12<=h;h-=12,l+=12)c+=Kj(a,l),d+=Kj(a,l+4),e+=Kj(a,l+8),b();e+=f;switch(h){case 11:e+=a[l+10]<<24;case 10:e+=a[l+9]<<16;case 9:e+=a[l+8]<<8;case 8:d+=a[l+7]<<24;case 7:d+=a[l+6]<<16;case 6:d+=a[l+5]<<8;case 5:d+=a[l+4];case 4:c+=a[l+3]<<24;case 3:c+=a[l+2]<<16;case 2:c+=a[l+1]<<8;case 1:c+=a[l+0]}b();return oga.toString(e)}; +nga=function(a){for(var b=[],c=0;ca.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; -g.Eg=function(a){var b=me(a),c=new g.ge(0,0);var d=b?me(b):document;d=!g.ye||g.be(9)||"CSS1Compat"==oe(d).u.compatMode?d.documentElement:d.body;if(a==d)return c;a=Dg(a);b=ze(oe(b).u);c.x=a.left+b.x;c.y=a.top+b.y;return c}; -Gg=function(a,b){var c=new g.ge(0,0),d=Be(me(a));if(!Xd(d,"parent"))return c;var e=a;do{var f=d==b?g.Eg(e):Fg(e);c.x+=f.x;c.y+=f.y}while(d&&d!=b&&d!=d.parent&&(e=d.frameElement)&&(d=d.parent));return c}; -g.Jg=function(a,b){var c=Hg(a),d=Hg(b);return new g.ge(c.x-d.x,c.y-d.y)}; -Fg=function(a){a=Dg(a);return new g.ge(a.left,a.top)}; -Hg=function(a){if(1==a.nodeType)return Fg(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.ge(a.clientX,a.clientY)}; -g.Kg=function(a,b,c){if(b instanceof g.ie)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Bg(b,!0);a.style.height=g.Bg(c,!0)}; -g.Bg=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; -g.Lg=function(a){var b=hba;if("none"!=Ag(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; -hba=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Ae&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Dg(a),new g.ie(a.right-a.left,a.bottom-a.top)):new g.ie(b,c)}; -g.Mg=function(a,b){a.style.display=b?"":"none"}; -Qg=function(){if(Ng&&!bg(Og)){var a="."+Pg.domain;try{for(;2b)throw Error("Bad port number "+b);a.C=b}else a.C=null}; +Fk=function(a,b,c){b instanceof Hk?(a.u=b,Uga(a.u,a.J)):(c||(b=Ik(b,Vga)),a.u=new Hk(b,a.J))}; +g.Jk=function(a,b,c){a.u.set(b,c)}; +g.Kk=function(a){return a instanceof g.Bk?a.clone():new g.Bk(a)}; +Gk=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; +Ik=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,Wga),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; +Wga=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; +Hk=function(a,b){this.u=this.j=null;this.B=a||null;this.C=!!b}; +Ok=function(a){a.j||(a.j=new Map,a.u=0,a.B&&Vi(a.B,function(b,c){a.add(Le(b),c)}))}; +Xga=function(a,b){Ok(a);b=Pk(a,b);return a.j.has(b)}; +g.Yga=function(a,b,c){a.remove(b);0>7,a.error.code].concat(g.fg(b)))}; +kl=function(a,b,c){dl.call(this,a);this.I=b;this.clientState=c;this.B="S";this.u="q"}; +el=function(a){return new Promise(function(b){return void setTimeout(b,a)})}; +ll=function(a,b){return Promise.race([a,el(12E4).then(b)])}; +ml=function(a){this.j=void 0;this.C=new g.Wj;this.state=1;this.B=0;this.u=void 0;this.Qu=a.Qu;this.jW=a.jW;this.onError=a.onError;this.logger=a.k8a?new hga:new iga(a.sf,a.WS);this.DH=!!a.DH}; +qha=function(a,b){var c=oha(a);return new ml({sf:a,Qu:c,onError:b,WS:void 0})}; +rha=function(a,b,c){var d=window.webpocb;if(!d)throw new cl(4,Error("PMD:Undefined"));d=d(yg(Gh(b,1)));if(!(d instanceof Function))throw new cl(16,Error("APF:Failed"));return new gl(a.logger,c,d,Th(Zh(b,3),0),1E3*Th(Zh(b,2),0))}; +sha=function(a){var b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B;return g.A(function(F){switch(F.j){case 1:b=void 0,c=a.isReady()?6E4:1E3,d=new g.Ki(c,6E5,.25,2),e=1;case 2:if(!(2>=e)){F.Ka(4);break}g.pa(F,5);a.state=3;a.B=e-1;return g.y(F,a.u&&1===e?a.u:a.EF(e),7);case 7:return f=F.u,a.u=void 0,a.state=4,h=new Hj(a.logger,"b"),g.y(F,Cga(f),8);case 8:return l=new Xj({challenge:f}),a.state=5,g.y(F,ll(l.snapshot({}),function(){return Promise.reject(new cl(15,"MDA:Timeout"))}),9); +case 9:return m=F.u,h.done(),a.state=6,g.y(F,ll(a.logger.gN("g",e,Jga(a.Qu,m)),function(){return Promise.reject(new cl(10,"BWB:Timeout"))}),10); +case 10:n=F.u;a.state=7;p=new Hj(a.logger,"i");if(g.ai(n,4)){l.dispose();var G=new il(a.logger,g.ai(n,4),1E3*Th(Zh(n,2),0))}else Th(Zh(n,3),0)?G=rha(a,n,l):(l.dispose(),G=new hl(a.logger,yg(Gh(n,1)),1E3*Th(Zh(n,2),0)));q=G;p.done();v=r=void 0;null==(v=(r=a).jW)||v.call(r,yg(Gh(n,1)));a.state=8;return F.return(q);case 5:x=g.sa(F);b=x instanceof cl?x:x instanceof Fj?new cl(11,x):new cl(12,x);a.logger.JC(b.code);B=z=void 0;null==(B=(z=a).onError)||B.call(z,b);a:{if(x instanceof Fj)switch(x.code){case 2:case 13:case 14:case 4:break; +default:G=!1;break a}G=!0}if(!G)throw b;return g.y(F,el(d.getValue()),11);case 11:g.Li(d);case 3:e++;F.Ka(2);break;case 4:throw b;}})}; +tha=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:return b=void 0,g.pa(e,4),g.y(e,sha(a),6);case 6:b=e.u;g.ra(e,5);break;case 4:c=g.sa(e);if(a.j){a.logger.JC(13);e.Ka(0);break}a.logger.JC(14);c instanceof cl||(c=new cl(14,c instanceof Error?c:Error(String(c))));b=new jl(a.logger,c,!a.DH);case 5:return d=void 0,null==(d=a.j)||d.dispose(),a.j=b,a.C.resolve(),g.y(e,a.j.D.promise,1)}})}; +uha=function(a){try{var b=!0;if(globalThis.sessionStorage){var c;null!=(c=globalThis.sessionStorage.getItem)&&c.call||(a.logger.ez("r"),b=!1);var d;null!=(d=globalThis.sessionStorage.setItem)&&d.call||(a.logger.ez("w"),b=!1);var e;null!=(e=globalThis.sessionStorage.removeItem)&&e.call||(a.logger.ez("d"),b=!1)}else a.logger.ez("n"),b=!1;if(b){a.logger.ez("a");var f=Array.from({length:83}).map(function(){return 9*Math.random()|0}).join(""),h=new Ij(a.logger,"m"),l=globalThis.sessionStorage.getItem("nWC1Uzs7EI"); +b=!!l;gga(h,b);var m=Date.now();if(l){var n=Number(l.substring(0,l.indexOf("l")));n?(a.logger.DG("a"),a.logger.rV(m-n)):a.logger.DG("c")}else a.logger.DG("n");f=m+"l"+f;if(b&&.5>Math.random()){var p=new Ij(a.logger,"d");globalThis.sessionStorage.removeItem("nWC1Uzs7EI");p.done();var q=new Ij(a.logger,"a");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);q.done()}else{var r=new Ij(a.logger,b?"w":"i");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);r.done()}}}catch(v){a.logger.qV()}}; +vha=function(a){var b={};g.Ob(a,function(c){var d=c.event,e=b[d];b.hasOwnProperty(d)?null!==e&&(c.equals(e)||(b[d]=null)):b[d]=c}); +xaa(a,function(c){return null===b[c.event]})}; +nl=function(){this.Xd=0;this.j=!1;this.u=-1;this.hv=!1;this.Tj=0}; +ol=function(){this.u=null;this.j=!1}; +pl=function(a){ol.call(this);this.C=a}; +ql=function(){ol.call(this)}; +rl=function(){ol.call(this)}; +sl=function(){this.j={};this.u=!0;this.B={}}; +tl=function(a,b,c){a.j[b]||(a.j[b]=new pl(c));return a.j[b]}; +wha=function(a){a.j.queryid||(a.j.queryid=new rl)}; +ul=function(a,b,c){(a=a.j[b])&&a.B(c)}; +vl=function(a,b){if(g.$c(a.B,b))return a.B[b];if(a=a.j[b])return a.getValue()}; +wl=function(a){var b={},c=g.Uc(a.j,function(d){return d.j}); +g.Tc(c,function(d,e){d=void 0!==a.B[e]?String(a.B[e]):d.j&&null!==d.u?String(d.u):"";0e?encodeURIComponent(oh(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; -oba=function(a){var b=1,c;for(c in a.B)b=c.length>b?c.length:b;return 3997-b-a.C.length-1}; -ph=function(a,b){this.u=a;this.depth=b}; -qba=function(){function a(l,m){return null==l?m:l} -var b=ih(),c=Math.max(b.length-1,0),d=kh(b);b=d.u;var e=d.B,f=d.C,h=[];f&&h.push(new ph([f.url,f.Sy?2:0],a(f.depth,1)));e&&e!=f&&h.push(new ph([e.url,2],0));b.url&&b!=f&&h.push(new ph([b.url,0],a(b.depth,c)));d=g.Oc(h,function(l,m){return h.slice(0,h.length-m)}); -!b.url||(f||e)&&b!=f||(e=$aa(b.url))&&d.push([new ph([e,1],a(b.depth,c))]);d.push([]);return g.Oc(d,function(l){return pba(c,l)})}; -pba=function(a,b){g.qh(b,function(e){return 0<=e.depth}); -var c=g.rh(b,function(e,f){return Math.max(e,f.depth)},-1),d=raa(c+2); -d[0]=a;g.Cb(b,function(e){return d[e.depth+1]=e.u}); +Wl=function(a,b,c,d,e){if(null==a)return"";b=b||"&";c=c||",$";"string"==typeof c&&(c=c.split(""));if(a instanceof Array){if(d=d||0,de?encodeURIComponent(Pha(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; +Qha=function(a){var b=1,c;for(c in a.u)b=c.length>b?c.length:b;return 3997-b-a.B.length-1}; +Xl=function(a,b){this.j=a;this.depth=b}; +Sha=function(){function a(l,m){return null==l?m:l} +var b=Tl(),c=Math.max(b.length-1,0),d=Oha(b);b=d.j;var e=d.u,f=d.B,h=[];f&&h.push(new Xl([f.url,f.MM?2:0],a(f.depth,1)));e&&e!=f&&h.push(new Xl([e.url,2],0));b.url&&b!=f&&h.push(new Xl([b.url,0],a(b.depth,c)));d=g.Yl(h,function(l,m){return h.slice(0,h.length-m)}); +!b.url||(f||e)&&b!=f||(e=Gha(b.url))&&d.push([new Xl([e,1],a(b.depth,c))]);d.push([]);return g.Yl(d,function(l){return Rha(c,l)})}; +Rha=function(a,b){g.Zl(b,function(e){return 0<=e.depth}); +var c=$l(b,function(e,f){return Math.max(e,f.depth)},-1),d=Caa(c+2); +d[0]=a;g.Ob(b,function(e){return d[e.depth+1]=e.j}); return d}; -rba=function(){var a=qba();return g.Oc(a,function(b){return nh(b)})}; -sh=function(){this.B=new hh;this.u=dh()?new eh:new ch}; -sba=function(){th();var a=fh.document;return!!(a&&a.body&&a.body.getBoundingClientRect&&"function"===typeof fh.setInterval&&"function"===typeof fh.clearInterval&&"function"===typeof fh.setTimeout&&"function"===typeof fh.clearTimeout)}; -uh=function(a){th();var b=Qg()||fh;b.google_image_requests||(b.google_image_requests=[]);var c=b.document.createElement("img");c.src=a;b.google_image_requests.push(c)}; -vh=function(){th();return rba()}; -wh=function(){}; -th=function(){return wh.getInstance().getContext()}; -yh=function(a){g.Jf(this,a,null,null)}; -tba=function(a){this.D=a;this.u=-1;this.B=this.C=0}; -zh=function(a,b){return function(c){for(var d=[],e=0;eMath.random())}; -Jh=function(a){a&&Ih&&Gh()&&(Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; -Mh=function(){var a=Kh;this.F=Lh;this.D="jserror";this.C=!0;this.u=null;this.I=this.B;this.Za=void 0===a?null:a}; -Qh=function(a,b,c,d){return zh(Ch.getInstance().u.u,function(){try{if(a.Za&&a.Za.u){var e=a.Za.start(b.toString(),3);var f=c();a.Za.end(e)}else f=c()}catch(m){var h=a.C;try{Jh(e);var l=new Oh(Ph(m));h=a.I(b,l,void 0,d)}catch(n){a.B(217,n)}if(!h)throw m;}return f})()}; -Sh=function(a,b,c){var d=Rh;return zh(Ch.getInstance().u.u,function(e){for(var f=[],h=0;hd?500:h}; -bi=function(a,b,c){var d=new hg(0,0,0,0);this.time=a;this.volume=null;this.C=b;this.u=d;this.B=c}; -ci=function(a,b,c,d,e,f,h,l){this.D=a;this.K=b;this.C=c;this.I=d;this.u=e;this.F=f;this.B=h;this.R=l}; -di=function(a){for(var b=0,c=a,d=0;a&&a!=a.parent;)a=a.parent,d++,bg(a)&&(c=a,b=d);return{Df:c,level:b}}; -ei=function(a){var b=a!==a.top,c=a.top===di(a).Df,d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),Jb(Cba,function(h){return"function"===typeof f[h]})||(e=1)); -return{Vh:f,compatibility:e,YR:d}}; -Dba=function(a){return(a=a.document)&&"function"===typeof a.elementFromPoint}; -fi=function(a,b,c,d){var e=void 0===e?!1:e;c=Sh(d,c,void 0);Yf(a,b,c,{capture:e})}; -gi=function(a,b){var c=Math.pow(10,b);return Math.floor(a*c)/c}; -hi=function(a){return new hg(a.top,a.right,a.bottom,a.left)}; -ii=function(a){var b=a.top||0,c=a.left||0;return new hg(b,c+(a.width||0),b+(a.height||0),c)}; -ji=function(a){return null!=a&&0<=a&&1>=a}; -Eba=function(){var a=g.Vc;return a?ki("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return yc(a,b)})||yc(a,"OMI/")&&!yc(a,"XiaoMi/")?!0:yc(a,"Presto")&&yc(a,"Linux")&&!yc(a,"X11")&&!yc(a,"Android")&&!yc(a,"Mobi"):!1}; -li=function(){this.C=!bg(fh.top);this.isMobileDevice=$f()||ag();var a=ih();this.domain=0c.height?n>r?(e=n,f=p):(e=r,f=t):nb.C?!1:a.Bb.B?!1:typeof a.utypeof b.u?!1:a.uMath.random())}; +lia=function(a){a&&jm&&hm()&&(jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; +mia=function(){var a=km;this.j=lm;this.tT="jserror";this.sP=!0;this.sK=null;this.u=this.iN;this.Gc=void 0===a?null:a}; +nia=function(a,b,c){var d=mm;return em(fm().j.j,function(){try{if(d.Gc&&d.Gc.j){var e=d.Gc.start(a.toString(),3);var f=b();d.Gc.end(e)}else f=b()}catch(l){var h=d.sP;try{lia(e),h=d.u(a,new nm(om(l)),void 0,c)}catch(m){d.iN(217,m)}if(!h)throw l;}return f})()}; +pm=function(a,b,c,d){return em(fm().j.j,function(){var e=g.ya.apply(0,arguments);return nia(a,function(){return b.apply(c,e)},d)})}; +om=function(a){var b=a.toString();a.name&&-1==b.indexOf(a.name)&&(b+=": "+a.name);a.message&&-1==b.indexOf(a.message)&&(b+=": "+a.message);if(a.stack){a=a.stack;var c=b;try{-1==a.indexOf(c)&&(a=c+"\n"+a);for(var d;a!=d;)d=a,a=a.replace(/((https?:\/..*\/)[^\/:]*:\d+(?:.|\n)*)\2/,"$1");b=a.replace(/\n */g,"\n")}catch(e){b=c}}return b}; +nm=function(a){hia.call(this,Error(a),{message:a})}; +oia=function(){Bl&&"undefined"!=typeof Bl.google_measure_js_timing&&(Bl.google_measure_js_timing||km.disable())}; +pia=function(a){mm.sK=function(b){g.Ob(a,function(c){c(b)})}}; +qia=function(a,b){return nia(a,b)}; +qm=function(a,b){return pm(a,b)}; +rm=function(a,b,c,d){mm.iN(a,b,c,d)}; +sm=function(){return Date.now()-ria}; +sia=function(){var a=fm().B,b=0<=tm?sm()-tm:-1,c=um?sm()-vm:-1,d=0<=wm?sm()-wm:-1;if(947190542==a)return 100;if(79463069==a)return 200;a=[2E3,4E3];var e=[250,500,1E3];rm(637,Error(),.001);var f=b;-1!=c&&cd?500:h}; +xm=function(a,b,c,d){this.top=a;this.right=b;this.bottom=c;this.left=d}; +ym=function(a){return a.right-a.left}; +zm=function(a,b){return a==b?!0:a&&b?a.top==b.top&&a.right==b.right&&a.bottom==b.bottom&&a.left==b.left:!1}; +Am=function(a,b,c){b instanceof g.Fe?(a.left+=b.x,a.right+=b.x,a.top+=b.y,a.bottom+=b.y):(a.left+=b,a.right+=b,"number"===typeof c&&(a.top+=c,a.bottom+=c));return a}; +Bm=function(a,b,c){var d=new xm(0,0,0,0);this.time=a;this.volume=null;this.B=b;this.j=d;this.u=c}; +Cm=function(a,b,c,d,e,f,h,l){this.C=a;this.J=b;this.B=c;this.I=d;this.j=e;this.D=f;this.u=h;this.T=l}; +uia=function(a){var b=a!==a.top,c=a.top===Kha(a),d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),dba(tia,function(h){return"function"===typeof f[h]})||(e=1)); +return{jn:f,compatibility:e,f9:d}}; +via=function(){var a=window.document;return a&&"function"===typeof a.elementFromPoint}; +wia=function(a,b,c){a&&null!==b&&b!=b.top&&(b=b.top);try{return(void 0===c?0:c)?(new g.He(b.innerWidth,b.innerHeight)).round():hca(b||window).round()}catch(d){return new g.He(-12245933,-12245933)}}; +Dm=function(a,b,c){try{a&&(b=b.top);var d=wia(a,b,c),e=d.height,f=d.width;if(-12245933===f)return new xm(f,f,f,f);var h=jca(Ve(b.document).j),l=h.x,m=h.y;return new xm(m,l+f,m+e,l)}catch(n){return new xm(-12245933,-12245933,-12245933,-12245933)}}; +g.Em=function(a,b,c,d){this.left=a;this.top=b;this.width=c;this.height=d}; +Fm=function(a,b){return a==b?!0:a&&b?a.left==b.left&&a.width==b.width&&a.top==b.top&&a.height==b.height:!1}; +g.Hm=function(a,b,c){if("string"===typeof b)(b=Gm(a,b))&&(a.style[b]=c);else for(var d in b){c=a;var e=b[d],f=Gm(c,d);f&&(c.style[f]=e)}}; +Gm=function(a,b){var c=xia[b];if(!c){var d=bca(b);c=d;void 0===a.style[d]&&(d=(g.Pc?"Webkit":Im?"Moz":g.mf?"ms":null)+dca(d),void 0!==a.style[d]&&(c=d));xia[b]=c}return c}; +g.Jm=function(a,b){var c=a.style[bca(b)];return"undefined"!==typeof c?c:a.style[Gm(a,b)]||""}; +Km=function(a,b){var c=Ue(a);return c.defaultView&&c.defaultView.getComputedStyle&&(a=c.defaultView.getComputedStyle(a,null))?a[b]||a.getPropertyValue(b)||"":""}; +Lm=function(a,b){return Km(a,b)||(a.currentStyle?a.currentStyle[b]:null)||a.style&&a.style[b]}; +g.Nm=function(a,b,c){if(b instanceof g.Fe){var d=b.x;b=b.y}else d=b,b=c;a.style.left=g.Mm(d,!1);a.style.top=g.Mm(b,!1)}; +Om=function(a){try{return a.getBoundingClientRect()}catch(b){return{left:0,top:0,right:0,bottom:0}}}; +yia=function(a){if(g.mf&&!g.Oc(8))return a.offsetParent;var b=Ue(a),c=Lm(a,"position"),d="fixed"==c||"absolute"==c;for(a=a.parentNode;a&&a!=b;a=a.parentNode)if(11==a.nodeType&&a.host&&(a=a.host),c=Lm(a,"position"),d=d&&"static"==c&&a!=b.documentElement&&a!=b.body,!d&&(a.scrollWidth>a.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; +g.Pm=function(a){var b=Ue(a),c=new g.Fe(0,0);var d=b?Ue(b):document;d=!g.mf||g.Oc(9)||"CSS1Compat"==Ve(d).j.compatMode?d.documentElement:d.body;if(a==d)return c;a=Om(a);b=jca(Ve(b).j);c.x=a.left+b.x;c.y=a.top+b.y;return c}; +Aia=function(a,b){var c=new g.Fe(0,0),d=nf(Ue(a));if(!Hc(d,"parent"))return c;do{var e=d==b?g.Pm(a):zia(a);c.x+=e.x;c.y+=e.y}while(d&&d!=b&&d!=d.parent&&(a=d.frameElement)&&(d=d.parent));return c}; +g.Qm=function(a,b){a=Bia(a);b=Bia(b);return new g.Fe(a.x-b.x,a.y-b.y)}; +zia=function(a){a=Om(a);return new g.Fe(a.left,a.top)}; +Bia=function(a){if(1==a.nodeType)return zia(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.Fe(a.clientX,a.clientY)}; +g.Rm=function(a,b,c){if(b instanceof g.He)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Mm(b,!0);a.style.height=g.Mm(c,!0)}; +g.Mm=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; +g.Sm=function(a){var b=Cia;if("none"!=Lm(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; +Cia=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Pc&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Om(a),new g.He(a.right-a.left,a.bottom-a.top)):new g.He(b,c)}; +g.Tm=function(a,b){a.style.display=b?"":"none"}; +Um=function(a,b){b=Math.pow(10,b);return Math.floor(a*b)/b}; +Dia=function(a){return new xm(a.top,a.right,a.bottom,a.left)}; +Eia=function(a){var b=a.top||0,c=a.left||0;return new xm(b,c+(a.width||0),b+(a.height||0),c)}; +Vm=function(a){return null!=a&&0<=a&&1>=a}; +Fia=function(){var a=g.hc();return a?Wm("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return ac(a,b)})||ac(a,"OMI/")&&!ac(a,"XiaoMi/")?!0:ac(a,"Presto")&&ac(a,"Linux")&&!ac(a,"X11")&&!ac(a,"Android")&&!ac(a,"Mobi"):!1}; +Gia=function(){this.B=!Rl(Bl.top);this.isMobileDevice=Ql()||Dha();var a=Tl();this.domain=0c.height?m>p?(d=m,e=n):(d=p,e=q):mb.B?!1:a.ub.u?!1:typeof a.jtypeof b.j?!1:a.jc++;){if(a===b)return!0;try{if(a=g.Le(a)||a){var d=me(a),e=d&&Be(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; -Nba=function(a,b,c){if(!a||!b)return!1;b=ig(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;var d=Qg();bg(d.top)&&d.top&&d.top.document&&(d=d.top);if(!Dba(d))return!1;a=d.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=me(c))&&b.defaultView&&b.defaultView.frameElement)&&Mba(b,a);d=a===c;a=!d&&a&&Te(a,function(e){return e===c}); +Tia=function(){if(xn&&"unreleased"!==xn)return xn}; +Uia=function(a){var b=void 0===b?4E3:b;a=a.toString();if(!/&v=[^&]+/.test(a)){var c=Tia();a=c?a+"&v="+encodeURIComponent(c):a}b=a=a.substring(0,b);cm();Uha(b)}; +Via=function(){this.j=0}; +Wia=function(a,b,c){(0,g.Ob)(a.B,function(d){var e=a.j;if(!d.j&&(d.B(b,c),d.C())){d.j=!0;var f=d.u(),h=new un;h.add("id","av-js");h.add("type","verif");h.add("vtype",d.D);d=am(Via);h.add("i",d.j++);h.add("adk",e);vn(h,f);e=new Ria(h);Uia(e)}})}; +yn=function(){this.u=this.B=this.C=this.j=0}; +zn=function(a){this.u=a=void 0===a?Xia:a;this.j=g.Yl(this.u,function(){return new yn})}; +An=function(a,b){return Yia(a,function(c){return c.j},void 0===b?!0:b)}; +Cn=function(a,b){return Bn(a,b,function(c){return c.j})}; +Zia=function(a,b){return Yia(a,function(c){return c.B},void 0===b?!0:b)}; +Dn=function(a,b){return Bn(a,b,function(c){return c.B})}; +En=function(a,b){return Bn(a,b,function(c){return c.u})}; +$ia=function(a){g.Ob(a.j,function(b){b.u=0})}; +Yia=function(a,b,c){a=g.Yl(a.j,function(d){return b(d)}); +return c?a:aja(a)}; +Bn=function(a,b,c){var d=g.ob(a.u,function(e){return b<=e}); +return-1==d?0:c(a.j[d])}; +aja=function(a){return g.Yl(a,function(b,c,d){return 0c++;){if(a===b)return!0;try{if(a=g.yf(a)||a){var d=Ue(a),e=d&&nf(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; +cja=function(a,b,c){if(!a||!b)return!1;b=Am(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;Rl(window.top)&&window.top&&window.top.document&&(window=window.top);if(!via())return!1;a=window.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=Ue(c))&&b.defaultView&&b.defaultView.frameElement)&&bja(b,a);var d=a===c;a=!d&&a&&Cf(a,function(e){return e===c}); return!(b||d||a)}; -Oba=function(a,b,c,d){return li.getInstance().C?!1:0>=a.Ee()||0>=a.getHeight()?!0:c&&d?Uh(208,function(){return Nba(a,b,c)}):!1}; -aj=function(a,b,c){g.C.call(this);this.position=Pba.clone();this.Nu=this.Tt();this.ez=-2;this.oS=Date.now();this.RH=-1;this.lastUpdateTime=b;this.zu=null;this.vt=!1;this.vv=null;this.opacity=-1;this.requestSource=c;this.dI=this.fz=g.Ka;this.Uf=new lba;this.Uf.jl=a;this.Uf.u=a;this.qo=!1;this.jm={Az:null,yz:null};this.BH=!0;this.Zr=null;this.ko=this.nL=!1;Ch.getInstance().I++;this.Je=this.iy();this.QH=-1;this.Ec=null;this.jL=!1;a=this.xb=new Yg;Zg(a,"od",Qba);Zg(a,"opac",Bh).u=!0;Zg(a,"sbeos",Bh).u= -!0;Zg(a,"prf",Bh).u=!0;Zg(a,"mwt",Bh).u=!0;Zg(a,"iogeo",Bh);(a=this.Uf.jl)&&a.getAttribute&&!/-[a-z]/.test("googleAvInapp")&&(Rba&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+td()):a.getAttribute("data-"+td()))&&(li.getInstance().B=!0);1==this.requestSource?$g(this.xb,"od",1):$g(this.xb,"od",0)}; -bj=function(a,b){if(b!=a.ko){a.ko=b;var c=li.getInstance();b?c.I++:0c?0:a}; -Sba=function(a,b,c){if(a.Ec){a.Ec.Ck();var d=a.Ec.K,e=d.D,f=e.u;if(null!=d.I){var h=d.C;a.vv=new g.ge(h.left-f.left,h.top-f.top)}f=a.dw()?Math.max(d.u,d.F):d.u;h={};null!==e.volume&&(h.volume=e.volume);e=a.lD(d);a.zu=d;a.oa(f,b,c,!1,h,e,d.R)}}; -Tba=function(a){if(a.vt&&a.Zr){var b=1==ah(a.xb,"od"),c=li.getInstance().u,d=a.Zr,e=a.Ec?a.Ec.getName():"ns",f=new g.ie(c.Ee(),c.getHeight());c=a.dw();a={dS:e,vv:a.vv,HS:f,dw:c,xc:a.Je.xc,FS:b};if(b=d.B){b.Ck();e=b.K;f=e.D.u;var h=null,l=null;null!=e.I&&f&&(h=e.C,h=new g.ge(h.left-f.left,h.top-f.top),l=new g.ie(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.u,e.F):e.u;c={dS:b.getName(),vv:h,HS:l,dw:c,FS:!1,xc:e}}else c=null;c&&Jba(d,a,c)}}; -Uba=function(a,b,c){b&&(a.fz=b);c&&(a.dI=c)}; -ej=function(){}; -gj=function(a){if(a instanceof ej)return a;if("function"==typeof a.wj)return a.wj(!1);if(g.Na(a)){var b=0,c=new ej;c.next=function(){for(;;){if(b>=a.length)throw fj;if(b in a)return a[b++];b++}}; -return c}throw Error("Not implemented");}; -g.hj=function(a,b,c){if(g.Na(a))try{g.Cb(a,b,c)}catch(d){if(d!==fj)throw d;}else{a=gj(a);try{for(;;)b.call(c,a.next(),void 0,a)}catch(d){if(d!==fj)throw d;}}}; -Vba=function(a){if(g.Na(a))return g.rb(a);a=gj(a);var b=[];g.hj(a,function(c){b.push(c)}); -return b}; -Wba=function(){this.D=this.u=this.C=this.B=this.F=0}; -Xba=function(a){var b={};b=(b.ptlt=g.A()-a.F,b);var c=a.B;c&&(b.pnk=c);(c=a.C)&&(b.pnc=c);(c=a.D)&&(b.pnmm=c);(a=a.u)&&(b.pns=a);return b}; -ij=function(){Tg.call(this);this.fullscreen=!1;this.volume=void 0;this.paused=!1;this.mediaTime=-1}; -jj=function(a){return ji(a.volume)&&.1<=a.volume}; -Yba=function(){var a={};this.B=(a.vs=[1,0],a.vw=[0,1],a.am=[2,2],a.a=[4,4],a.f=[8,8],a.bm=[16,16],a.b=[32,32],a.avw=[0,64],a.avs=[64,0],a.pv=[256,256],a.gdr=[0,512],a.p=[0,1024],a.r=[0,2048],a.m=[0,4096],a.um=[0,8192],a.ef=[0,16384],a.s=[0,32768],a.pmx=[0,16777216],a);this.u={};for(var b in this.B)0Math.max(1E4,a.D/3)?0:c);var d=a.aa(a)||{};d=void 0!==d.currentTime?d.currentTime:a.X;var e=d-a.X,f=0;0<=e?(a.Y+=c,a.ma+=Math.max(c-e,0),f=Math.min(e,a.Y)):a.Aa+=Math.abs(e);0!=e&&(a.Y=0);-1==a.Ja&&0=a.D/2:0=a.ia:!1:!1}; -dca=function(a){var b=gi(a.Je.xc,2),c=a.ze.C,d=a.Je,e=yj(a),f=xj(e.D),h=xj(e.I),l=xj(d.volume),m=gi(e.K,2),n=gi(e.Y,2),p=gi(d.xc,2),r=gi(e.aa,2),t=gi(e.ha,2);d=gi(d.jg,2);a=a.Pk().clone();a.round();e=Yi(e,!1);return{GS:b,Hq:c,Ou:f,Ku:h,Op:l,Pu:m,Lu:n,xc:p,Qu:r,Mu:t,jg:d,position:a,ov:e}}; -Cj=function(a,b){Bj(a.u,b,function(){return{GS:0,Hq:void 0,Ou:-1,Ku:-1,Op:-1,Pu:-1,Lu:-1,xc:-1,Qu:-1,Mu:-1,jg:-1,position:void 0,ov:[]}}); -a.u[b]=dca(a)}; -Bj=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; -dk=function(a){a=void 0===a?fh:a;Ai.call(this,new qi(a,2))}; -fk=function(){var a=ek();qi.call(this,fh.top,a,"geo")}; -ek=function(){Ch.getInstance();var a=li.getInstance();return a.C||a.B?0:2}; -gk=function(){}; -hk=function(){this.done=!1;this.u={qJ:0,OB:0,s5:0,KC:0,Ey:-1,NJ:0,MJ:0,OJ:0};this.F=null;this.I=!1;this.B=null;this.K=0;this.C=new pi(this)}; -jk=function(){var a=ik;a.I||(a.I=!0,xca(a,function(b){for(var c=[],d=0;dg.Mb(Dca).length?null:(0,g.rh)(b,function(c,d){var e=d.toLowerCase().split("=");if(2!=e.length||void 0===zk[e[0]]||!zk[e[0]](e[1]))throw Error("Entry ("+e[0]+", "+e[1]+") is invalid.");c[e[0]]=e[1];return c},{})}catch(c){return null}}; -Fca=function(a,b){if(void 0==a.u)return 0;switch(a.F){case "mtos":return a.B?Ui(b.u,a.u):Ui(b.B,a.u);case "tos":return a.B?Si(b.u,a.u):Si(b.B,a.u)}return 0}; -Ak=function(a,b,c,d){qj.call(this,b,d);this.K=a;this.I=c}; -Bk=function(a){qj.call(this,"fully_viewable_audible_half_duration_impression",a)}; -Ck=function(a,b){qj.call(this,a,b)}; -Dk=function(){this.B=this.D=this.I=this.F=this.C=this.u=""}; -Gca=function(){}; -Ek=function(a,b,c,d,e){var f={};if(void 0!==a)if(null!=b)for(var h in b){var l=b[h];h in Object.prototype||null!=l&&(f[h]="function"===typeof l?l(a):a[l])}else g.Zb(f,a);void 0!==c&&g.Zb(f,c);a=Fi(Ei(new Di,f));0String(Function.prototype.toString).indexOf("[native code]")?!1:0<=String(a).indexOf("[native code]")&&!0||!1}; -gl=function(a){return!!(1<>>0]|=f<>>0).toString(16)+"&"}); -c=105;g.Cb(Vca,function(d){var e="false";try{e=d(fh)}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -g.Cb(Wca,function(d){var e="";try{e=g.tf(d(fh))}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -return a.slice(0,-1)}; -Tca=function(){if(!hl){var a=function(){il=!0;fh.document.removeEventListener("webdriver-evaluate",a,!0)}; -fh.document.addEventListener("webdriver-evaluate",a,!0);var b=function(){jl=!0;fh.document.removeEventListener("webdriver-evaluate-response",b,!0)}; -fh.document.addEventListener("webdriver-evaluate-response",b,!0);hl=!0}}; -kl=function(){this.B=-1}; -ll=function(){this.B=64;this.u=Array(4);this.F=Array(this.B);this.D=this.C=0;this.reset()}; -pl=function(a,b,c){c||(c=0);var d=Array(16);if("string"===typeof b)for(var e=0;16>e;++e)d[e]=b.charCodeAt(c++)|b.charCodeAt(c++)<<8|b.charCodeAt(c++)<<16|b.charCodeAt(c++)<<24;else for(e=0;16>e;++e)d[e]=b[c++]|b[c++]<<8|b[c++]<<16|b[c++]<<24;b=a.u[0];c=a.u[1];e=a.u[2];var f=a.u[3];var h=b+(f^c&(e^f))+d[0]+3614090360&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[1]+3905402710&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[2]+606105819&4294967295;e=f+(h<<17&4294967295|h>>>15); -h=c+(b^e&(f^b))+d[3]+3250441966&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[4]+4118548399&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[5]+1200080426&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[6]+2821735955&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[7]+4249261313&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[8]+1770035416&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[9]+2336552879&4294967295;f=b+(h<<12&4294967295| -h>>>20);h=e+(c^f&(b^c))+d[10]+4294925233&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[11]+2304563134&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[12]+1804603682&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[13]+4254626195&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[14]+2792965006&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[15]+1236535329&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(e^f&(c^e))+d[1]+4129170786&4294967295;b=c+(h<< -5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[6]+3225465664&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[11]+643717713&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[0]+3921069994&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[5]+3593408605&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[10]+38016083&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[15]+3634488961&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[4]+3889429448&4294967295;c= -e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[9]+568446438&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[14]+3275163606&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[3]+4107603335&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[8]+1163531501&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[13]+2850285829&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[2]+4243563512&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[7]+1735328473&4294967295; -e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[12]+2368359562&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(c^e^f)+d[5]+4294588738&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[8]+2272392833&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[11]+1839030562&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[14]+4259657740&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[1]+2763975236&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[4]+1272893353&4294967295;f=b+(h<<11&4294967295| -h>>>21);h=e+(f^b^c)+d[7]+4139469664&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[10]+3200236656&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[13]+681279174&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[0]+3936430074&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[3]+3572445317&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[6]+76029189&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[9]+3654602809&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[12]+ -3873151461&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[15]+530742520&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[2]+3299628645&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(e^(c|~f))+d[0]+4096336452&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[7]+1126891415&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[14]+2878612391&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[5]+4237533241&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[12]+1700485571& -4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[3]+2399980690&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[10]+4293915773&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[1]+2240044497&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[8]+1873313359&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[15]+4264355552&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[6]+2734768916&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[13]+1309151649& -4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[4]+4149444226&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[11]+3174756917&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[2]+718787259&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[9]+3951481745&4294967295;a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+(e+(h<<21&4294967295|h>>>11))&4294967295;a.u[2]=a.u[2]+e&4294967295;a.u[3]=a.u[3]+f&4294967295}; -ql=function(){this.B=null}; -rl=function(a){return function(b){var c=new ll;c.update(b+a);return Saa(c.digest()).slice(-8)}}; -sl=function(a,b){this.B=a;this.C=b}; -oj=function(a,b,c){var d=a.u(c);if("function"===typeof d){var e={};e=(e.sv="884",e.cb="j",e.e=Yca(b),e);var f=Fj(c,b,oi());g.Zb(e,f);c.tI[b]=f;a=2==c.Oi()?Iba(e).join("&"):a.C.u(e).u;try{return d(c.mf,a,b),0}catch(h){return 2}}else return 1}; -Yca=function(a){var b=yk(a)?"custom_metric_viewable":a;a=Qb(Dj,function(c){return c==b}); -return wk[a]}; -tl=function(a,b,c){sl.call(this,a,b);this.D=c}; -ul=function(){Sk.call(this);this.I=null;this.F=!1;this.R={};this.C=new ql}; -Zca=function(a,b,c){c=c.opt_configurable_tracking_events;null!=a.B&&Array.isArray(c)&&Lca(a,c,b)}; -$ca=function(a,b,c){var d=Rj(Tj,b);d||(d=c.opt_nativeTime||-1,d=Tk(a,b,Yk(a),d),c.opt_osdId&&(d.Qo=c.opt_osdId));return d}; -ada=function(a,b,c){var d=Rj(Tj,b);d||(d=Tk(a,b,"n",c.opt_nativeTime||-1));return d}; -bda=function(a,b){var c=Rj(Tj,b);c||(c=Tk(a,b,"h",-1));return c}; -cda=function(a){Ch.getInstance();switch(Yk(a)){case "b":return"ytads.bulleit.triggerExternalActivityEvent";case "n":return"ima.bridge.triggerExternalActivityEvent";case "h":case "m":case "ml":return"ima.common.triggerExternalActivityEvent"}return null}; -wl=function(a,b,c,d){c=void 0===c?{}:c;var e={};g.Zb(e,{opt_adElement:void 0,opt_fullscreen:void 0},c);if(e.opt_bounds)return a.C.u(xk("ol",d));if(void 0!==d)if(void 0!==vk(d))if(Vk)b=xk("ue",d);else if(Oca(a),"i"==Wk)b=xk("i",d),b["if"]=0;else if(b=a.Xt(b,e))if(a.D&&3==b.pe)b="stopped";else{b:{"i"==Wk&&(b.qo=!0,a.pA());c=e.opt_fullscreen;void 0!==c&&bj(b,!!c);var f;if(c=!li.getInstance().B)(c=yc(g.Vc,"CrKey")||yc(g.Vc,"PlayStation")||yc(g.Vc,"Roku")||Eba()||yc(g.Vc,"Xbox"))||(c=g.Vc,c=yc(c,"AppleTV")|| -yc(c,"Apple TV")||yc(c,"CFNetwork")||yc(c,"tvOS")),c||(c=g.Vc,c=yc(c,"sdk_google_atv_x86")||yc(c,"Android TV")),c=!c;c&&(th(),c=0===gh(Pg));if(f=c){switch(b.Oi()){case 1:$k(a,b,"pv");break;case 2:a.fA(b)}Xk("pv")}c=d.toLowerCase();if(f=!f)f=ah(Ch.getInstance().xb,"ssmol")&&"loaded"===c?!1:g.jb(dda,c);if(f&&0==b.pe){"i"!=Wk&&(ik.done=!1);f=void 0!==e?e.opt_nativeTime:void 0;ai=f="number"===typeof f?f:Xh();b.vt=!0;var h=oi();b.pe=1;b.Le={};b.Le.start=!1;b.Le.firstquartile=!1;b.Le.midpoint=!1;b.Le.thirdquartile= -!1;b.Le.complete=!1;b.Le.resume=!1;b.Le.pause=!1;b.Le.skip=!1;b.Le.mute=!1;b.Le.unmute=!1;b.Le.viewable_impression=!1;b.Le.measurable_impression=!1;b.Le.fully_viewable_audible_half_duration_impression=!1;b.Le.fullscreen=!1;b.Le.exitfullscreen=!1;b.Dx=0;h||(b.Xf().R=f);kk(ik,[b],!h)}(f=b.qn[c])&&kj(b.ze,f);g.jb(eda,c)&&(b.hH=!0,wj(b));switch(b.Oi()){case 1:var l=yk(c)?a.K.custom_metric_viewable:a.K[c];break;case 2:l=a.X[c]}if(l&&(d=l.call(a,b,e,d),void 0!==d)){e=xk(void 0,c);g.Zb(e,d);d=e;break b}d= -void 0}3==b.pe&&(a.D?b.Ec&&b.Ec.Xq():a.cq(b));b=d}else b=xk("nf",d);else b=void 0;else Vk?b=xk("ue"):(b=a.Xt(b,e))?(d=xk(),g.Zb(d,Ej(b,!0,!1,!1)),b=d):b=xk("nf");return"string"===typeof b?a.D&&"stopped"===b?vl:a.C.u(void 0):a.C.u(b)}; -xl=function(a){return Ch.getInstance(),"h"!=Yk(a)&&Yk(a),!1}; -yl=function(a){var b={};return b.viewability=a.u,b.googleViewability=a.C,b.moatInit=a.F,b.moatViewability=a.I,b.integralAdsViewability=a.D,b.doubleVerifyViewability=a.B,b}; -zl=function(a,b,c){c=void 0===c?{}:c;a=wl(ul.getInstance(),b,c,a);return yl(a)}; -Al=function(a,b){b=void 0===b?!1:b;var c=ul.getInstance().Xt(a,{});c?vj(c):b&&(c=ul.getInstance().Hr(null,Xh(),!1,a),c.pe=3,Wj([c]))}; -Bl=function(a){if(!a)return"";a=a.split("#")[0].split("?")[0];a=a.toLowerCase();0==a.indexOf("//")&&(a=window.location.protocol+a);/^[\w\-]*:\/\//.test(a)||(a=window.location.href);var b=a.substring(a.indexOf("://")+3),c=b.indexOf("/");-1!=c&&(b=b.substring(0,c));c=a.substring(0,a.indexOf("://"));if(!c)throw Error("URI is missing protocol: "+a);if("http"!==c&&"https"!==c&&"chrome-extension"!==c&&"moz-extension"!==c&&"file"!==c&&"android-app"!==c&&"chrome-search"!==c&&"chrome-untrusted"!==c&&"chrome"!== -c&&"app"!==c&&"devtools"!==c)throw Error("Invalid URI scheme in origin: "+c);a="";var d=b.indexOf(":");if(-1!=d){var e=b.substring(d+1);b=b.substring(0,d);if("http"===c&&"80"!==e||"https"===c&&"443"!==e)a=":"+e}return c+"://"+b+a}; -fda=function(){function a(){e[0]=1732584193;e[1]=4023233417;e[2]=2562383102;e[3]=271733878;e[4]=3285377520;p=n=0} -function b(r){for(var t=h,w=0;64>w;w+=4)t[w/4]=r[w]<<24|r[w+1]<<16|r[w+2]<<8|r[w+3];for(w=16;80>w;w++)r=t[w-3]^t[w-8]^t[w-14]^t[w-16],t[w]=(r<<1|r>>>31)&4294967295;r=e[0];var y=e[1],x=e[2],B=e[3],E=e[4];for(w=0;80>w;w++){if(40>w)if(20>w){var G=B^y&(x^B);var K=1518500249}else G=y^x^B,K=1859775393;else 60>w?(G=y&x|B&(y|x),K=2400959708):(G=y^x^B,K=3395469782);G=((r<<5|r>>>27)&4294967295)+G+E+K+t[w]&4294967295;E=B;B=x;x=(y<<30|y>>>2)&4294967295;y=r;r=G}e[0]=e[0]+r&4294967295;e[1]=e[1]+y&4294967295;e[2]= -e[2]+x&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+E&4294967295} -function c(r,t){if("string"===typeof r){r=unescape(encodeURIComponent(r));for(var w=[],y=0,x=r.length;yn?c(l,56-n):c(l,64-(n-56));for(var w=63;56<=w;w--)f[w]=t&255,t>>>=8;b(f);for(w=t=0;5>w;w++)for(var y=24;0<=y;y-=8)r[t++]=e[w]>>y&255;return r} -for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,UJ:function(){for(var r=d(),t="",w=0;wc.keyCode||void 0!=c.returnValue)){a:{var f=!1;if(0==c.keyCode)try{c.keyCode=-1;break a}catch(m){f=!0}if(f||void 0==c.returnValue)c.returnValue=!0}c=[];for(f=d.currentTarget;f;f=f.parentNode)c.push(f);f=a.type;for(var h=c.length-1;!d.u&&0<=h;h--){d.currentTarget=c[h];var l=Zl(c[h],f,!0,d);e=e&&l}for(h=0;!d.u&&ha.B&&(a.B++,b.next=a.u,a.u=b)}; -em=function(a){g.v.setTimeout(function(){throw a;},0)}; -gm=function(a){a=mda(a);"function"!==typeof g.v.setImmediate||g.v.Window&&g.v.Window.prototype&&!Wc("Edge")&&g.v.Window.prototype.setImmediate==g.v.setImmediate?(fm||(fm=nda()),fm(a)):g.v.setImmediate(a)}; -nda=function(){var a=g.v.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!Wc("Presto")&&(a=function(){var e=g.Fe("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.z)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()},this); -f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); -if("undefined"!==typeof a&&!Wc("Trident")&&!Wc("MSIE")){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.hC;c.hC=null;e()}}; -return function(e){d.next={hC:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.v.setTimeout(e,0)}}; -hm=function(){this.B=this.u=null}; -im=function(){this.next=this.scope=this.u=null}; -g.mm=function(a,b){jm||oda();km||(jm(),km=!0);lm.add(a,b)}; -oda=function(){if(g.v.Promise&&g.v.Promise.resolve){var a=g.v.Promise.resolve(void 0);jm=function(){a.then(nm)}}else jm=function(){gm(nm)}}; -nm=function(){for(var a;a=lm.remove();){try{a.u.call(a.scope)}catch(b){em(b)}dm(om,a)}km=!1}; -pm=function(a){if(!a)return!1;try{return!!a.$goog_Thenable}catch(b){return!1}}; -rm=function(a){this.Ka=0;this.Fl=void 0;this.On=this.Dk=this.Wm=null;this.cu=this.Px=!1;if(a!=g.Ka)try{var b=this;a.call(void 0,function(c){qm(b,2,c)},function(c){qm(b,3,c)})}catch(c){qm(this,3,c)}}; -sm=function(){this.next=this.context=this.onRejected=this.C=this.u=null;this.B=!1}; -um=function(a,b,c){var d=tm.get();d.C=a;d.onRejected=b;d.context=c;return d}; -vm=function(a){if(a instanceof rm)return a;var b=new rm(g.Ka);qm(b,2,a);return b}; -wm=function(a){return new rm(function(b,c){c(a)})}; -ym=function(a,b,c){xm(a,b,c,null)||g.mm(g.Ta(b,a))}; -pda=function(a){return new rm(function(b,c){a.length||b(void 0);for(var d=0,e;db)throw Error("Bad port number "+b);a.D=b}else a.D=null}; -Um=function(a,b,c){b instanceof Wm?(a.C=b,tda(a.C,a.K)):(c||(b=Xm(b,uda)),a.C=new Wm(b,a.K))}; -g.Ym=function(a){return a instanceof g.Qm?a.clone():new g.Qm(a,void 0)}; -Vm=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; -Xm=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,vda),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; -vda=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; -Wm=function(a,b){this.B=this.u=null;this.C=a||null;this.D=!!b}; -Zm=function(a){a.u||(a.u=new g.Nm,a.B=0,a.C&&Bd(a.C,function(b,c){a.add(nd(b),c)}))}; -an=function(a,b){Zm(a);b=$m(a,b);return Om(a.u.B,b)}; -g.bn=function(a,b,c){a.remove(b);0e;e++)d[e]=b.charCodeAt(c)<<24|b.charCodeAt(c+1)<<16|b.charCodeAt(c+2)<<8|b.charCodeAt(c+3),c+=4;else for(e=0;16>e;e++)d[e]=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4;for(e=16;80>e;e++){var f=d[e-3]^d[e-8]^d[e-14]^d[e-16];d[e]=(f<<1|f>>>31)&4294967295}b=a.u[0];c=a.u[1];var h=a.u[2],l=a.u[3],m=a.u[4];for(e=0;80>e;e++){if(40>e)if(20>e){f=l^c&(h^l);var n=1518500249}else f=c^h^l,n=1859775393;else 60>e?(f=c&h|l&(c|h),n=2400959708): -(f=c^h^l,n=3395469782);f=(b<<5|b>>>27)+f+m+n+d[e]&4294967295;m=l;l=h;h=(c<<30|c>>>2)&4294967295;c=b;b=f}a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+c&4294967295;a.u[2]=a.u[2]+h&4294967295;a.u[3]=a.u[3]+l&4294967295;a.u[4]=a.u[4]+m&4294967295}; -nn=function(a){return"string"==typeof a.className?a.className:a.getAttribute&&a.getAttribute("class")||""}; -on=function(a){return a.classList?a.classList:nn(a).match(/\S+/g)||[]}; -g.pn=function(a,b){"string"==typeof a.className?a.className=b:a.setAttribute&&a.setAttribute("class",b)}; -g.qn=function(a,b){return a.classList?a.classList.contains(b):g.jb(on(a),b)}; -g.I=function(a,b){if(a.classList)a.classList.add(b);else if(!g.qn(a,b)){var c=nn(a);g.pn(a,c+(0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; -Gda=function(a){if(!a)return Rc;var b=document.createElement("div").style,c=Cda(a);g.Cb(c,function(d){var e=g.Ae&&d in Dda?d:d.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");nc(e,"--")||nc(e,"var")||(d=zn(Eda,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[d])||"",d=Bda(d),null!=d&&zn(Fda,b,b.setProperty?"setProperty":"setAttribute",[e,d]))}); -return Haa(b.cssText||"")}; -Cda=function(a){g.Na(a)?a=g.rb(a):(a=g.Mb(a),g.ob(a,"cssText"));return a}; -g.Bn=function(a){var b,c=b=0,d=!1;a=a.split(Hda);for(var e=0;eg.A()}; -g.Zn=function(a){this.u=a}; -Oda=function(){}; +dja=function(a,b,c,d){return Xm().B?!1:0>=ym(a)||0>=a.getHeight()?!0:c&&d?qia(208,function(){return cja(a,b,c)}):!1}; +Kn=function(a,b,c){g.C.call(this);this.position=eja.clone();this.LG=this.XF();this.eN=-2;this.u9=Date.now();this.lY=-1;this.Wo=b;this.BG=null;this.wB=!1;this.XG=null;this.opacity=-1;this.requestSource=c;this.A9=!1;this.kN=function(){}; +this.BY=function(){}; +this.Cj=new Aha;this.Cj.Ss=a;this.Cj.j=a;this.Ms=!1;this.Ju={wN:null,vN:null};this.PX=!0;this.ZD=null;this.Oy=this.r4=!1;fm().I++;this.Ah=this.XL();this.hY=-1;this.nf=null;this.hasCompleted=this.o4=!1;this.Cc=new sl;zha(this.Cc);fja(this);1==this.requestSource?ul(this.Cc,"od",1):ul(this.Cc,"od",0)}; +fja=function(a){a=a.Cj.Ss;var b;if(b=a&&a.getAttribute)b=/-[a-z]/.test("googleAvInapp")?!1:gja&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+cca()):!!a.getAttribute("data-"+cca());b&&(Xm().u=!0)}; +Ln=function(a,b){b!=a.Oy&&(a.Oy=b,a=Xm(),b?a.I++:0c?0:a}; +jja=function(a,b,c){if(a.nf){a.nf.Hr();var d=a.nf.J,e=d.C,f=e.j;if(null!=d.I){var h=d.B;a.XG=new g.Fe(h.left-f.left,h.top-f.top)}f=a.hI()?Math.max(d.j,d.D):d.j;h={};null!==e.volume&&(h.volume=e.volume);e=a.VT(d);a.BG=d;a.Pa(f,b,c,!1,h,e,d.T)}}; +kja=function(a){if(a.wB&&a.ZD){var b=1==vl(a.Cc,"od"),c=Xm().j,d=a.ZD,e=a.nf?a.nf.getName():"ns",f=new g.He(ym(c),c.getHeight());c=a.hI();a={j9:e,XG:a.XG,W9:f,hI:c,Xd:a.Ah.Xd,P9:b};if(b=d.u){b.Hr();e=b.J;f=e.C.j;var h=null,l=null;null!=e.I&&f&&(h=e.B,h=new g.Fe(h.left-f.left,h.top-f.top),l=new g.He(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.j,e.D):e.j;c={j9:b.getName(),XG:h,W9:l,hI:c,P9:!1,Xd:e}}else c=null;c&&Wia(d,a,c)}}; +lja=function(a,b,c){b&&(a.kN=b);c&&(a.BY=c)}; +g.Mn=function(){}; +g.Nn=function(a){return{value:a,done:!1}}; +mja=function(){this.C=this.j=this.B=this.u=this.D=0}; +nja=function(a){var b={};var c=g.Ra()-a.D;b=(b.ptlt=c,b);(c=a.u)&&(b.pnk=c);(c=a.B)&&(b.pnc=c);(c=a.C)&&(b.pnmm=c);(a=a.j)&&(b.pns=a);return b}; +oja=function(){nl.call(this);this.fullscreen=!1;this.volume=void 0;this.B=!1;this.mediaTime=-1}; +On=function(a){return Vm(a.volume)&&0=this.u.length){for(var c=this.u,d=0;d>1,a[d].getKey()>c.getKey())a[b]=a[d],b=d;else break;a[b]=c}; -g.no=function(){lo.call(this)}; -oo=function(){}; -po=function(a){g.Jf(this,a,Qda,null)}; -qo=function(a){g.Jf(this,a,null,null)}; -Rda=function(a,b){for(;gf(b)&&4!=b.B;)switch(b.C){case 1:var c=kf(b);g.Mf(a,1,c);break;case 2:c=kf(b);g.Mf(a,2,c);break;case 3:c=kf(b);g.Mf(a,3,c);break;case 4:c=kf(b);g.Mf(a,4,c);break;case 5:c=ef(b.u);g.Mf(a,5,c);break;default:hf(b)}return a}; -Sda=function(a){a=a.split("");var b=[a,"continue",function(c,d){for(var e=64,f=[];++e-f.length-32;)switch(e){case 58:e=96;continue;case 91:e=44;break;case 65:e=47;continue;case 46:e=153;case 123:e-=58;default:f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}, -a,-1200248212,262068875,404102954,-460285145,null,179465532,-1669371385,a,-490898646,function(c,d){for(d=(d%c.length+c.length)%c.length;d--;)c.unshift(c.pop())}, -628191186,null,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(d,1)}, --824641148,2119880155,function(c){c.reverse()}, -1440092226,1303924481,-197075122,1501939637,865495029,-1026578168,function(c){for(var d=c.length;d;)c.push(c.splice(--d,1)[0])}, --1683749005,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(0,1,c.splice(d,1,c[0])[0])}, --191802705,-870332615,-1920825481,-327446973,1960953908,function(c,d){c.push(d)}, -791473723,-802486607,283062326,-134195793,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(-d).reverse().forEach(function(e){c.unshift(e)})}, --1264016128,function(c,d){d=(d%c.length+c.length)%c.length;var e=c[0];c[0]=c[d];c[d]=e}, --80833027,-1733582932,1879123177,null,"unRRLXb",-197075122,function(c,d){for(var e=64,f=[];++e-f.length-32;){switch(e){case 58:e-=14;case 91:case 92:case 93:continue;case 123:e=47;case 94:case 95:case 96:continue;case 46:e=95}f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}]; -b[8]=b;b[15]=b;b[45]=b;b[41](b[45],b[21]);b[28](b[34],b[43]);b[39](b[3],b[47]);b[39](b[15],b[44]);b[21](b[44],b[0]);b[19](b[25],b[16]);b[34](b[40],b[9]);b[9](b[5],b[48]);b[28](b[12]);b[1](b[5],b[39]);b[1](b[12],b[32]);b[1](b[12],b[40]);b[37](b[20],b[27]);b[0](b[43]);b[1](b[17],b[2]);b[1](b[12],b[34]);b[1](b[12],b[36]);b[23](b[12]);b[1](b[5],b[33]);b[22](b[24],b[35]);b[44](b[39],b[16]);b[20](b[15],b[8]);b[32](b[0],b[14]);b[46](b[19],b[36]);b[17](b[19],b[9]);b[45](b[32],b[41]);b[29](b[44],b[14]);b[48](b[2]); -b[7](b[37],b[16]);b[21](b[44],b[38]);b[31](b[32],b[30]);b[42](b[13],b[20]);b[19](b[2],b[8]);b[45](b[13],b[0]);b[28](b[2],b[26]);b[43](b[37]);b[43](b[18],b[14]);b[43](b[37],b[4]);b[43](b[6],b[33]);return a.join("")}; -so=function(a){var b=arguments;1f&&(c=a.substring(f,e),c=c.replace(Uda,""),c=c.replace(Vda,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else Wda(a,b,c)}; -Wda=function(a,b,c){c=void 0===c?null:c;var d=To(a),e=document.getElementById(d),f=e&&Bo(e),h=e&&!f;f?b&&b():(b&&(f=g.No(d,b),b=""+g.Sa(b),Uo[b]=f),h||(e=Xda(a,d,function(){Bo(e)||(Ao(e,"loaded","true"),g.Po(d),g.Go(g.Ta(Ro,d),0))},c)))}; -Xda=function(a,b,c,d){d=void 0===d?null:d;var e=g.Fe("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; -e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; -d&&e.setAttribute("nonce",d);g.kd(e,g.sg(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; -To=function(a){var b=document.createElement("a");g.jd(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+qd(a)}; -Wo=function(){var a=document;if("visibilityState"in a)return a.visibilityState;var b=Vo+"VisibilityState";if(b in a)return a[b]}; -Xo=function(a,b){var c;ki(a,function(d){c=b[d];return!!c}); -return c}; -Yo=function(a){this.type="";this.state=this.source=this.data=this.currentTarget=this.relatedTarget=this.target=null;this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.ctrlKey=this.altKey=!1;this.rotation=this.clientY=this.clientX=0;this.scale=1;this.changedTouches=this.touches=null;try{if(a=a||window.event){this.event=a;for(var b in a)b in Yda||(this[b]=a[b]);this.scale=a.scale;this.rotation=a.rotation;var c=a.target||a.srcElement;c&&3==c.nodeType&&(c=c.parentNode);this.target=c;var d=a.relatedTarget; -if(d)try{d=d.nodeName?d:null}catch(e){d=null}else"mouseover"==this.type?d=a.fromElement:"mouseout"==this.type&&(d=a.toElement);this.relatedTarget=d;this.clientX=void 0!=a.clientX?a.clientX:a.pageX;this.clientY=void 0!=a.clientY?a.clientY:a.pageY;this.keyCode=a.keyCode?a.keyCode:a.which;this.charCode=a.charCode||("keypress"==this.type?this.keyCode:0);this.altKey=a.altKey;this.ctrlKey=a.ctrlKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.u=a.pageX;this.B=a.pageY}}catch(e){}}; -Zo=function(a){if(document.body&&document.documentElement){var b=document.body.scrollTop+document.documentElement.scrollTop;a.u=a.clientX+(document.body.scrollLeft+document.documentElement.scrollLeft);a.B=a.clientY+b}}; -Zda=function(a,b,c,d){d=void 0===d?{}:d;a.addEventListener&&("mouseenter"!=b||"onmouseenter"in document?"mouseleave"!=b||"onmouseenter"in document?"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"):b="mouseout":b="mouseover");return Qb($o,function(e){var f="boolean"===typeof e[4]&&e[4]==!!d,h=g.Pa(e[4])&&g.Pa(d)&&g.Ub(e[4],d);return!!e.length&&e[0]==a&&e[1]==b&&e[2]==c&&(f||h)})}; -g.cp=function(a,b,c,d){d=void 0===d?{}:d;if(!a||!a.addEventListener&&!a.attachEvent)return"";var e=Zda(a,b,c,d);if(e)return e;e=++ap.count+"";var f=!("mouseenter"!=b&&"mouseleave"!=b||!a.addEventListener||"onmouseenter"in document);var h=f?function(l){l=new Yo(l);if(!Te(l.relatedTarget,function(m){return m==a},!0))return l.currentTarget=a,l.type=b,c.call(a,l)}:function(l){l=new Yo(l); -l.currentTarget=a;return c.call(a,l)}; -h=Eo(h);a.addEventListener?("mouseenter"==b&&f?b="mouseover":"mouseleave"==b&&f?b="mouseout":"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"),bp()||"boolean"===typeof d?a.addEventListener(b,h,d):a.addEventListener(b,h,!!d.capture)):a.attachEvent("on"+b,h);$o[e]=[a,b,c,h,d];return e}; -$da=function(a,b){var c=document.body||document;return g.cp(c,"click",function(d){var e=Te(d.target,function(f){return f===c||b(f)},!0); -e&&e!==c&&!e.disabled&&(d.currentTarget=e,a.call(e,d))})}; -g.dp=function(a){a&&("string"==typeof a&&(a=[a]),g.Cb(a,function(b){if(b in $o){var c=$o[b],d=c[0],e=c[1],f=c[3];c=c[4];d.removeEventListener?bp()||"boolean"===typeof c?d.removeEventListener(e,f,c):d.removeEventListener(e,f,!!c.capture):d.detachEvent&&d.detachEvent("on"+e,f);delete $o[b]}}))}; -g.ep=function(a){a=a||window.event;a=a.target||a.srcElement;3==a.nodeType&&(a=a.parentNode);return a}; -fp=function(a){a=a||window.event;var b;a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path;return b&&b.length?b[0]:g.ep(a)}; -gp=function(a){a=a||window.event;var b=a.relatedTarget;b||("mouseover"==a.type?b=a.fromElement:"mouseout"==a.type&&(b=a.toElement));return b}; -hp=function(a){a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));return new g.ge(b,c)}; -g.ip=function(a){a=a||window.event;a.returnValue=!1;a.preventDefault&&a.preventDefault()}; -g.kp=function(a){a=a||window.event;return!1===a.returnValue||a.WD&&a.WD()}; -g.lp=function(a){a=a||window.event;return a.keyCode?a.keyCode:a.which}; -aea=function(a){return $da(a,function(b){return g.qn(b,"ytp-ad-has-logging-urls")})}; -g.mp=function(a,b,c){var d=void 0===d?{}:d;var e;return e=g.cp(a,b,function(){g.dp(e);c.apply(a,arguments)},d)}; -np=function(a){for(var b in $o)$o[b][0]==a&&g.dp(b)}; -op=function(a){this.P=a;this.u=null;this.D=0;this.I=null;this.F=0;this.B=[];for(a=0;4>a;a++)this.B.push(0);this.C=0;this.R=g.cp(window,"mousemove",(0,g.z)(this.Y,this));this.X=Ho((0,g.z)(this.K,this),25)}; -pp=function(){}; -rp=function(a,b){return qp(a,0,b)}; -g.sp=function(a,b){return qp(a,1,b)}; -tp=function(){pp.apply(this,arguments)}; -g.up=function(){return!!g.Ja("yt.scheduler.instance")}; -qp=function(a,b,c){isNaN(c)&&(c=void 0);var d=g.Ja("yt.scheduler.instance.addJob");return d?d(a,b,c):void 0===c?(a(),NaN):g.Go(a,c||0)}; -g.vp=function(a){if(!isNaN(a)){var b=g.Ja("yt.scheduler.instance.cancelJob");b?b(a):g.Io(a)}}; -wp=function(a){var b=g.Ja("yt.scheduler.instance.setPriorityThreshold");b&&b(a)}; -zp=function(){var a={},b=void 0===a.eL?!0:a.eL;a=void 0===a.yR?!1:a.yR;if(null==g.Ja("_lact",window)){var c=parseInt(g.L("LACT"),10);c=isFinite(c)?g.A()-Math.max(c,0):-1;g.Fa("_lact",c,window);g.Fa("_fact",c,window);-1==c&&xp();g.cp(document,"keydown",xp);g.cp(document,"keyup",xp);g.cp(document,"mousedown",xp);g.cp(document,"mouseup",xp);b&&(a?g.cp(window,"touchmove",function(){yp("touchmove",200)},{passive:!0}):(g.cp(window,"resize",function(){yp("resize",200)}),g.cp(window,"scroll",function(){yp("scroll", -200)}))); -new op(function(){yp("mouse",100)}); -g.cp(document,"touchstart",xp,{passive:!0});g.cp(document,"touchend",xp,{passive:!0})}}; -yp=function(a,b){Ap[a]||(Ap[a]=!0,g.sp(function(){xp();Ap[a]=!1},b))}; -xp=function(){null==g.Ja("_lact",window)&&(zp(),g.Ja("_lact",window));var a=g.A();g.Fa("_lact",a,window);-1==g.Ja("_fact",window)&&g.Fa("_fact",a,window);(a=g.Ja("ytglobal.ytUtilActivityCallback_"))&&a()}; -Bp=function(){var a=g.Ja("_lact",window),b;null==a?b=-1:b=Math.max(g.A()-a,0);return b}; -Hp=function(a){a=void 0===a?!1:a;return new rm(function(b){g.Io(Cp);g.Io(Dp);Dp=0;Ep&&Ep.isReady()?(bea(b,a),Fp.clear()):(Gp(),b())})}; -Gp=function(){g.vo("web_gel_timeout_cap")&&!Dp&&(Dp=g.Go(Hp,6E4));g.Io(Cp);var a=g.L("LOGGING_BATCH_TIMEOUT",g.wo("web_gel_debounce_ms",1E4));g.vo("shorten_initial_gel_batch_timeout")&&Ip&&(a=cea);Cp=g.Go(Hp,a)}; -bea=function(a,b){var c=Ep;b=void 0===b?!1:b;for(var d=Math.round((0,g.N)()),e=Fp.size,f=g.q(Fp),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;var m=l.next().value;l=g.Wb(g.Jp(c.Tf||g.Kp()));l.events=m;(m=Lp[h])&&dea(l,h,m);delete Lp[h];eea(l,d);g.Mp(c,"log_event",l,{retry:!0,onSuccess:function(){e--;e||a();Np=Math.round((0,g.N)()-d)}, -onError:function(){e--;e||a()}, -JS:b});Ip=!1}}; -eea=function(a,b){a.requestTimeMs=String(b);g.vo("unsplit_gel_payloads_in_logs")&&(a.unsplitGelPayloadsInLogs=!0);var c=g.L("EVENT_ID",void 0);if(c){var d=g.L("BATCH_CLIENT_COUNTER",void 0)||0;!d&&g.vo("web_client_counter_random_seed")&&(d=Math.floor(Math.random()*Op/2));d++;d>Op&&(d=1);so("BATCH_CLIENT_COUNTER",d);c={serializedEventId:c,clientCounter:String(d)};a.serializedClientEventId=c;Pp&&Np&&g.vo("log_gel_rtt_web")&&(a.previousBatchInfo={serializedClientEventId:Pp,roundtripMs:String(Np)});Pp= -c;Np=0}}; -dea=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; -Sp=function(a,b,c,d){d=void 0===d?{}:d;var e={};e.eventTimeMs=Math.round(d.timestamp||(0,g.N)());e[a]=b;a=Bp();e.context={lastActivityMs:String(d.timestamp||!isFinite(a)?-1:a)};g.vo("log_sequence_info_on_gel_web")&&d.pk&&(a=e.context,b=d.pk,Qp[b]=b in Qp?Qp[b]+1:0,a.sequence={index:Qp[b],groupKey:b},d.YJ&&delete Qp[d.pk]);d=d.Fi;a="";d&&(a={},d.videoId?a.videoId=d.videoId:d.playlistId&&(a.playlistId=d.playlistId),Lp[d.token]=a,a=d.token);d=Fp.get(a)||[];Fp.set(a,d);d.push(e);c&&(Ep=new c);c=g.wo("web_logging_max_batch")|| -100;e=(0,g.N)();d.length>=c?Hp(!0):10<=e-Rp&&(Gp(),Rp=e)}; -Tp=function(){return g.Ja("yt.ads.biscotti.lastId_")||""}; -Up=function(a){g.Fa("yt.ads.biscotti.lastId_",a,void 0)}; -Vp=function(a){for(var b=a.split("&"),c={},d=0,e=b.length;dMath.max(1E4,a.B/3)?0:b);var c=a.J(a)||{};c=void 0!==c.currentTime?c.currentTime:a.Z;var d=c-a.Z,e=0;0<=d?(a.oa+=b,a.Ja+=Math.max(b-d,0),e=Math.min(d,a.oa)):a.Qa+=Math.abs(d);0!=d&&(a.oa=0);-1==a.Xa&&0=a.B/2:0=a.Ga:!1:!1}; +Bja=function(a){var b=Um(a.Ah.Xd,2),c=a.Rg.B,d=a.Ah,e=ho(a),f=go(e.C),h=go(e.I),l=go(d.volume),m=Um(e.J,2),n=Um(e.oa,2),p=Um(d.Xd,2),q=Um(e.ya,2),r=Um(e.Ga,2);d=Um(d.Tj,2);a=a.Bs().clone();a.round();e=Gn(e,!1);return{V9:b,sC:c,PG:f,IG:h,cB:l,QG:m,JG:n,Xd:p,TG:q,KG:r,Tj:d,position:a,VG:e}}; +Dja=function(a,b){Cja(a.j,b,function(){return{V9:0,sC:void 0,PG:-1,IG:-1,cB:-1,QG:-1,JG:-1,Xd:-1,TG:-1,KG:-1,Tj:-1,position:void 0,VG:[]}}); +a.j[b]=Bja(a)}; +Cja=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; +vo=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +wo=function(){var a=bka();an.call(this,Bl.top,a,"geo")}; +bka=function(){fm();var a=Xm();return a.B||a.u?0:2}; +cka=function(){}; +xo=function(){this.done=!1;this.j={E1:0,tS:0,n8a:0,mT:0,AM:-1,w2:0,v2:0,z2:0,i9:0};this.D=null;this.I=!1;this.B=null;this.J=0;this.u=new $m(this)}; +zo=function(){var a=yo;a.I||(a.I=!0,dka(a,function(){return a.C.apply(a,g.u(g.ya.apply(0,arguments)))}),a.C())}; +eka=function(){am(cka);var a=am(qo);null!=a.j&&a.j.j?Jia(a.j.j):Xm().update(Bl)}; +Ao=function(a,b,c){if(!a.done&&(a.u.cancel(),0!=b.length)){a.B=null;try{eka();var d=sm();fm().D=d;if(null!=am(qo).j)for(var e=0;eg.Zc(oka).length?null:$l(b,function(c,d){d=d.toLowerCase().split("=");if(2!=d.length||void 0===pka[d[0]]||!pka[d[0]](d[1]))throw Error("Entry ("+d[0]+", "+d[1]+") is invalid.");c[d[0]]=d[1];return c},{})}catch(c){return null}}; +rka=function(a,b){if(void 0==a.j)return 0;switch(a.D){case "mtos":return a.u?Dn(b.j,a.j):Dn(b.u,a.j);case "tos":return a.u?Cn(b.j,a.j):Cn(b.u,a.j)}return 0}; +Uo=function(a,b,c,d){Yn.call(this,b,d);this.J=a;this.T=c}; +Vo=function(){}; +Wo=function(a){Yn.call(this,"fully_viewable_audible_half_duration_impression",a)}; +Xo=function(a){this.j=a}; +Yo=function(a,b){Yn.call(this,a,b)}; +Zo=function(a){Zn.call(this,"measurable_impression",a)}; +$o=function(){Xo.apply(this,arguments)}; +ap=function(a,b,c){bo.call(this,a,b,c)}; +bp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +cp=function(a,b,c){bo.call(this,a,b,c)}; +dp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +ep=function(){an.call(this,Bl,2,"mraid");this.Ja=0;this.oa=this.ya=!1;this.J=null;this.u=uia(this.B);this.C.j=new xm(0,0,0,0);this.La=!1}; +fp=function(a,b,c){a.zt("addEventListener",b,c)}; +vka=function(a){fm().C=!!a.zt("isViewable");fp(a,"viewableChange",ska);"loading"===a.zt("getState")?fp(a,"ready",tka):uka(a)}; +uka=function(a){"string"===typeof a.u.jn.AFMA_LIDAR?(a.ya=!0,wka(a)):(a.u.compatibility=3,a.J="nc",a.fail("w"))}; +wka=function(a){a.oa=!1;var b=1==vl(fm().Cc,"rmmt"),c=!!a.zt("isViewable");(b?!c:1)&&cm().setTimeout(qm(524,function(){a.oa||(xka(a),rm(540,Error()),a.J="mt",a.fail("w"))}),500); +yka(a);fp(a,a.u.jn.AFMA_LIDAR,zka)}; +yka=function(a){var b=1==vl(fm().Cc,"sneio"),c=void 0!==a.u.jn.AFMA_LIDAR_EXP_1,d=void 0!==a.u.jn.AFMA_LIDAR_EXP_2;(b=b&&d)&&(a.u.jn.AFMA_LIDAR_EXP_2=!0);c&&(a.u.jn.AFMA_LIDAR_EXP_1=!b)}; +xka=function(a){a.zt("removeEventListener",a.u.jn.AFMA_LIDAR,zka);a.ya=!1}; +Aka=function(a,b){if("loading"===a.zt("getState"))return new g.He(-1,-1);b=a.zt(b);if(!b)return new g.He(-1,-1);a=parseInt(b.width,10);b=parseInt(b.height,10);return isNaN(a)||isNaN(b)?new g.He(-1,-1):new g.He(a,b)}; +tka=function(){try{var a=am(ep);a.zt("removeEventListener","ready",tka);uka(a)}catch(b){rm(541,b)}}; +zka=function(a,b){try{var c=am(ep);c.oa=!0;var d=a?new xm(a.y,a.x+a.width,a.y+a.height,a.x):new xm(0,0,0,0);var e=sm(),f=Zm();var h=new Bm(e,f,c);h.j=d;h.volume=b;c.Hs(h)}catch(l){rm(542,l)}}; +ska=function(a){var b=fm(),c=am(ep);a&&!b.C&&(b.C=!0,c.La=!0,c.J&&c.fail("w",!0))}; +gp=function(){this.isInitialized=!1;this.j=this.u=null;var a={};this.J=(a.start=this.Y3,a.firstquartile=this.T3,a.midpoint=this.V3,a.thirdquartile=this.Z3,a.complete=this.Q3,a.error=this.R3,a.pause=this.tO,a.resume=this.tX,a.skip=this.X3,a.viewable_impression=this.Jo,a.mute=this.hA,a.unmute=this.hA,a.fullscreen=this.U3,a.exitfullscreen=this.S3,a.fully_viewable_audible_half_duration_impression=this.Jo,a.measurable_impression=this.Jo,a.abandon=this.tO,a.engagedview=this.Jo,a.impression=this.Jo,a.creativeview= +this.Jo,a.progress=this.hA,a.custom_metric_viewable=this.Jo,a.bufferstart=this.tO,a.bufferfinish=this.tX,a.audio_measurable=this.Jo,a.audio_audible=this.Jo,a);a={};this.T=(a.overlay_resize=this.W3,a.abandon=this.pM,a.close=this.pM,a.collapse=this.pM,a.overlay_unmeasurable_impression=function(b){return ko(b,"overlay_unmeasurable_impression",Zm())},a.overlay_viewable_immediate_impression=function(b){return ko(b,"overlay_viewable_immediate_impression",Zm())},a.overlay_unviewable_impression=function(b){return ko(b, +"overlay_unviewable_impression",Zm())},a.overlay_viewable_end_of_session_impression=function(b){return ko(b,"overlay_viewable_end_of_session_impression",Zm())},a); +fm().u=3;Bka(this);this.B=!1}; +hp=function(a,b,c,d){b=a.ED(null,d,!0,b);b.C=c;Vja([b],a.B);return b}; +Cka=function(a,b,c){vha(b);var d=a.j;g.Ob(b,function(e){var f=g.Yl(e.criteria,function(h){var l=qka(h);if(null==l)h=null;else if(h=new nka,null!=l.visible&&(h.j=l.visible/100),null!=l.audible&&(h.u=1==l.audible),null!=l.time){var m="mtos"==l.timetype?"mtos":"tos",n=Haa(l.time,"%")?"%":"ms";l=parseInt(l.time,10);"%"==n&&(l/=100);h.setTime(l,n,m)}return h}); +Wm(f,function(h){return null==h})||zja(c,new Uo(e.id,e.event,f,d))})}; +Dka=function(){var a=[],b=fm();a.push(am(wo));vl(b.Cc,"mvp_lv")&&a.push(am(ep));b=[new bp,new dp];b.push(new ro(a));b.push(new vo(Bl));return b}; +Eka=function(a){if(!a.isInitialized){a.isInitialized=!0;try{var b=sm(),c=fm(),d=Xm();tm=b;c.B=79463069;"o"!==a.u&&(ika=Kha(Bl));if(Vha()){yo.j.tS=0;yo.j.AM=sm()-b;var e=Dka(),f=am(qo);f.u=e;Xja(f,function(){ip()})?yo.done||(fka(),bn(f.j.j,a),zo()):d.B?ip():zo()}else jp=!0}catch(h){throw oo.reset(),h; +}}}; +lp=function(a){yo.u.cancel();kp=a;yo.done=!0}; +mp=function(a){if(a.u)return a.u;var b=am(qo).j;if(b)switch(b.getName()){case "nis":a.u="n";break;case "gsv":a.u="m"}a.u||(a.u="h");return a.u}; +np=function(a,b,c){if(null==a.j)return b.nA|=4,!1;a=Fka(a.j,c,b);b.nA|=a;return 0==a}; +ip=function(){var a=[new vo(Bl)],b=am(qo);b.u=a;Xja(b,function(){lp("i")})?yo.done||(fka(),zo()):lp("i")}; +Gka=function(a,b){if(!a.Pb){var c=ko(a,"start",Zm());c=a.uO.j(c).j;var d={id:"lidarv"};d.r=b;d.sv="951";null!==Co&&(d.v=Co);Vi(c,function(e,f){return d[e]="mtos"==e||"tos"==e?f:encodeURIComponent(f)}); +b=jka();Vi(b,function(e,f){return d[e]=encodeURIComponent(f)}); +b="//pagead2.googlesyndication.com/pagead/gen_204?"+wn(vn(new un,d));Uia(b);a.Pb=!0}}; +op=function(a,b,c){Ao(yo,[a],!Zm());Dja(a,c);4!=c&&Cja(a.ya,c,a.XF);return ko(a,b,Zm())}; +Bka=function(a){hka(function(){var b=Hka();null!=a.u&&(b.sdk=a.u);var c=am(qo);null!=c.j&&(b.avms=c.j.getName());return b})}; +Ika=function(a,b,c,d){if(a.B)var e=no(oo,b);else e=Rja(oo,c),null!==e&&e.Zh!==b&&(a.rB(e),e=null);e||(b=a.ED(c,sm(),!1,b),0==oo.u.length&&(fm().B=79463069),Wja([b]),e=b,e.C=mp(a),d&&(e.Ya=d));return e}; +Jka=function(a){g.Ob(oo.j,function(b){3==b.Gi&&a.rB(b)})}; +Kka=function(a,b){var c=a[b];void 0!==c&&0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; +vla=function(a){if(!a)return le;var b=document.createElement("div").style;rla(a).forEach(function(c){var d=g.Pc&&c in sla?c:c.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");Rb(d,"--")||Rb(d,"var")||(c=qla(tla,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[c])||"",c=ola(c),null!=c&&qla(ula,b,b.setProperty?"setProperty":"setAttribute",[d,c]))}); +return Wba(g.Xd("Output of CSS sanitizer"),b.cssText||"")}; +rla=function(a){g.Ia(a)?a=g.Bb(a):(a=g.Zc(a),g.wb(a,"cssText"));return a}; +g.fq=function(a){var b,c=b=0,d=!1;a=a.split(wla);for(var e=0;e=c)return 0;if(1<=c)return 1;for(var d=0,e=1,f=0,h=0;8>h;h++){f=hq(a,c);var l=(hq(a,c+1E-6)-f)/1E-6;if(1E-6>Math.abs(f-b))return c;if(1E-6>Math.abs(l))break;else fh;h++)fg.Ra()}; +g.pq=function(a){this.j=a}; +Gla=function(){}; +qq=function(){}; +rq=function(a){this.j=a}; +sq=function(){var a=null;try{a=window.localStorage||null}catch(b){}this.j=a}; +Hla=function(){var a=null;try{a=window.sessionStorage||null}catch(b){}this.j=a}; +uq=function(a,b){this.u=a;this.j=null;if(g.mf&&!g.Oc(9)){tq||(tq=new g.Zp);this.j=tq.get(a);this.j||(b?this.j=document.getElementById(b):(this.j=document.createElement("userdata"),this.j.addBehavior("#default#userData"),document.body.appendChild(this.j)),tq.set(a,this.j));try{this.j.load(this.u)}catch(c){this.j=null}}}; +vq=function(a){return"_"+encodeURIComponent(a).replace(/[.!~*'()%]/g,function(b){return Ila[b]})}; +wq=function(a){try{a.j.save(a.u)}catch(b){throw"Storage mechanism: Quota exceeded";}}; +xq=function(a,b){this.u=a;this.j=b+"::"}; +g.yq=function(a){var b=new sq;return b.isAvailable()?a?new xq(b,a):b:null}; +Lq=function(a,b){this.j=a;this.u=b}; +Mq=function(a){this.j=[];if(a)a:{if(a instanceof Mq){var b=a.Xp();a=a.Ml();if(0>=this.j.length){for(var c=this.j,d=0;df?1:2048>f?2:65536>f?3:4}var l=new Oq.Nw(e);for(b=c=0;cf?l[c++]=f:(2048>f?l[c++]=192|f>>>6:(65536>f?l[c++]=224|f>>>12:(l[c++]=240|f>>>18,l[c++]=128|f>>>12&63),l[c++]=128|f>>> +6&63),l[c++]=128|f&63);return l}; +Pq=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +Qq=function(a,b,c,d,e){this.XX=a;this.b3=b;this.Z2=c;this.O2=d;this.J4=e;this.BU=a&&a.length}; +Rq=function(a,b){this.nT=a;this.jz=0;this.Ht=b}; +Sq=function(a,b){a.hg[a.pending++]=b&255;a.hg[a.pending++]=b>>>8&255}; +Tq=function(a,b,c){a.Kh>16-c?(a.Vi|=b<>16-a.Kh,a.Kh+=c-16):(a.Vi|=b<>>=1,c<<=1;while(0<--b);return c>>>1}; +Mla=function(a,b,c){var d=Array(16),e=0,f;for(f=1;15>=f;f++)d[f]=e=e+c[f-1]<<1;for(c=0;c<=b;c++)e=a[2*c+1],0!==e&&(a[2*c]=Lla(d[e]++,e))}; +Nla=function(a){var b;for(b=0;286>b;b++)a.Ej[2*b]=0;for(b=0;30>b;b++)a.Pu[2*b]=0;for(b=0;19>b;b++)a.Ai[2*b]=0;a.Ej[512]=1;a.Kq=a.cA=0;a.Rl=a.matches=0}; +Ola=function(a){8e?Zq[e]:Zq[256+(e>>>7)];Uq(a,h,c);l=$q[h];0!==l&&(e-=ar[h],Tq(a,e,l))}}while(da.lq;){var m=a.xg[++a.lq]=2>l?++l:0;c[2*m]=1;a.depth[m]=0;a.Kq--;e&&(a.cA-=d[2*m+1])}b.jz=l;for(h=a.lq>>1;1<=h;h--)Vq(a,c,h);m=f;do h=a.xg[1],a.xg[1]=a.xg[a.lq--],Vq(a,c,1),d=a.xg[1],a.xg[--a.Ky]=h,a.xg[--a.Ky]=d,c[2*m]=c[2*h]+c[2*d],a.depth[m]=(a.depth[h]>=a.depth[d]?a.depth[h]:a.depth[d])+1,c[2*h+1]=c[2*d+1]=m,a.xg[1]=m++,Vq(a,c,1);while(2<= +a.lq);a.xg[--a.Ky]=a.xg[1];h=b.nT;m=b.jz;d=b.Ht.XX;e=b.Ht.BU;f=b.Ht.b3;var n=b.Ht.Z2,p=b.Ht.J4,q,r=0;for(q=0;15>=q;q++)a.Jp[q]=0;h[2*a.xg[a.Ky]+1]=0;for(b=a.Ky+1;573>b;b++){var v=a.xg[b];q=h[2*h[2*v+1]+1]+1;q>p&&(q=p,r++);h[2*v+1]=q;if(!(v>m)){a.Jp[q]++;var x=0;v>=n&&(x=f[v-n]);var z=h[2*v];a.Kq+=z*(q+x);e&&(a.cA+=z*(d[2*v+1]+x))}}if(0!==r){do{for(q=p-1;0===a.Jp[q];)q--;a.Jp[q]--;a.Jp[q+1]+=2;a.Jp[p]--;r-=2}while(0m||(h[2*d+1]!==q&&(a.Kq+=(q- +h[2*d+1])*h[2*d],h[2*d+1]=q),v--)}Mla(c,l,a.Jp)}; +Sla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);b[2*(c+1)+1]=65535;for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];++h=h?a.Ai[34]++:a.Ai[36]++,h=0,e=n,0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4))}}; +Tla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];if(!(++h=h?(Uq(a,17,a.Ai),Tq(a,h-3,3)):(Uq(a,18,a.Ai),Tq(a,h-11,7));h=0;e=n;0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4)}}}; +Ula=function(a){var b=4093624447,c;for(c=0;31>=c;c++,b>>>=1)if(b&1&&0!==a.Ej[2*c])return 0;if(0!==a.Ej[18]||0!==a.Ej[20]||0!==a.Ej[26])return 1;for(c=32;256>c;c++)if(0!==a.Ej[2*c])return 1;return 0}; +cr=function(a,b,c){a.hg[a.pB+2*a.Rl]=b>>>8&255;a.hg[a.pB+2*a.Rl+1]=b&255;a.hg[a.UM+a.Rl]=c&255;a.Rl++;0===b?a.Ej[2*c]++:(a.matches++,b--,a.Ej[2*(Wq[c]+256+1)]++,a.Pu[2*(256>b?Zq[b]:Zq[256+(b>>>7)])]++);return a.Rl===a.IC-1}; +er=function(a,b){a.msg=dr[b];return b}; +fr=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +gr=function(a){var b=a.state,c=b.pending;c>a.le&&(c=a.le);0!==c&&(Oq.Mx(a.Sj,b.hg,b.oD,c,a.pz),a.pz+=c,b.oD+=c,a.LP+=c,a.le-=c,b.pending-=c,0===b.pending&&(b.oD=0))}; +jr=function(a,b){var c=0<=a.qk?a.qk:-1,d=a.xb-a.qk,e=0;if(0>>3;var h=a.cA+3+7>>>3;h<=f&&(f=h)}else f=h=d+5;if(d+4<=f&&-1!==c)Tq(a,b?1:0,3),Pla(a,c,d);else if(4===a.strategy||h===f)Tq(a,2+(b?1:0),3),Rla(a,hr,ir);else{Tq(a,4+(b?1:0),3);c=a.zG.jz+1;d=a.rF.jz+1;e+=1;Tq(a,c-257,5);Tq(a,d-1,5);Tq(a,e-4,4);for(f=0;f>>8&255;a.hg[a.pending++]=b&255}; +Wla=function(a,b){var c=a.zV,d=a.xb,e=a.Ok,f=a.PV,h=a.xb>a.Oi-262?a.xb-(a.Oi-262):0,l=a.window,m=a.Qt,n=a.gp,p=a.xb+258,q=l[d+e-1],r=l[d+e];a.Ok>=a.hU&&(c>>=2);f>a.Yb&&(f=a.Yb);do{var v=b;if(l[v+e]===r&&l[v+e-1]===q&&l[v]===l[d]&&l[++v]===l[d+1]){d+=2;for(v++;l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&de){a.gz=b;e=v;if(v>=f)break;q=l[d+e-1];r=l[d+e]}}}while((b=n[b&m])>h&&0!== +--c);return e<=a.Yb?e:a.Yb}; +or=function(a){var b=a.Oi,c;do{var d=a.YY-a.Yb-a.xb;if(a.xb>=b+(b-262)){Oq.Mx(a.window,a.window,b,b,0);a.gz-=b;a.xb-=b;a.qk-=b;var e=c=a.lG;do{var f=a.head[--e];a.head[e]=f>=b?f-b:0}while(--c);e=c=b;do f=a.gp[--e],a.gp[e]=f>=b?f-b:0;while(--c);d+=b}if(0===a.Sd.Ti)break;e=a.Sd;c=a.window;f=a.xb+a.Yb;var h=e.Ti;h>d&&(h=d);0===h?c=0:(e.Ti-=h,Oq.Mx(c,e.input,e.Gv,h,f),1===e.state.wrap?e.Cd=mr(e.Cd,c,h,f):2===e.state.wrap&&(e.Cd=nr(e.Cd,c,h,f)),e.Gv+=h,e.yw+=h,c=h);a.Yb+=c;if(3<=a.Yb+a.Ph)for(d=a.xb-a.Ph, +a.Yd=a.window[d],a.Yd=(a.Yd<a.Yb+a.Ph););}while(262>a.Yb&&0!==a.Sd.Ti)}; +pr=function(a,b){for(var c;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +qr=function(a,b){for(var c,d;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<=a.Fe&&(1===a.strategy||3===a.Fe&&4096a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Xla=function(a,b){for(var c,d,e,f=a.window;;){if(258>=a.Yb){or(a);if(258>=a.Yb&&0===b)return 1;if(0===a.Yb)break}a.Fe=0;if(3<=a.Yb&&0a.Yb&&(a.Fe=a.Yb)}3<=a.Fe?(c=cr(a,1,a.Fe-3),a.Yb-=a.Fe,a.xb+=a.Fe,a.Fe=0):(c=cr(a,0,a.window[a.xb]),a.Yb--,a.xb++);if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4=== +b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Yla=function(a,b){for(var c;;){if(0===a.Yb&&(or(a),0===a.Yb)){if(0===b)return 1;break}a.Fe=0;c=cr(a,0,a.window[a.xb]);a.Yb--;a.xb++;if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +rr=function(a,b,c,d,e){this.y3=a;this.I4=b;this.X4=c;this.H4=d;this.func=e}; +Zla=function(){this.Sd=null;this.status=0;this.hg=null;this.wrap=this.pending=this.oD=this.Vl=0;this.Ad=null;this.Qm=0;this.method=8;this.Zy=-1;this.Qt=this.gQ=this.Oi=0;this.window=null;this.YY=0;this.head=this.gp=null;this.PV=this.hU=this.strategy=this.level=this.hN=this.zV=this.Ok=this.Yb=this.gz=this.xb=this.Cv=this.ZW=this.Fe=this.qk=this.jq=this.iq=this.uM=this.lG=this.Yd=0;this.Ej=new Oq.Cp(1146);this.Pu=new Oq.Cp(122);this.Ai=new Oq.Cp(78);fr(this.Ej);fr(this.Pu);fr(this.Ai);this.GS=this.rF= +this.zG=null;this.Jp=new Oq.Cp(16);this.xg=new Oq.Cp(573);fr(this.xg);this.Ky=this.lq=0;this.depth=new Oq.Cp(573);fr(this.depth);this.Kh=this.Vi=this.Ph=this.matches=this.cA=this.Kq=this.pB=this.Rl=this.IC=this.UM=0}; +$la=function(a,b){if(!a||!a.state||5b)return a?er(a,-2):-2;var c=a.state;if(!a.Sj||!a.input&&0!==a.Ti||666===c.status&&4!==b)return er(a,0===a.le?-5:-2);c.Sd=a;var d=c.Zy;c.Zy=b;if(42===c.status)if(2===c.wrap)a.Cd=0,kr(c,31),kr(c,139),kr(c,8),c.Ad?(kr(c,(c.Ad.text?1:0)+(c.Ad.Is?2:0)+(c.Ad.Ur?4:0)+(c.Ad.name?8:0)+(c.Ad.comment?16:0)),kr(c,c.Ad.time&255),kr(c,c.Ad.time>>8&255),kr(c,c.Ad.time>>16&255),kr(c,c.Ad.time>>24&255),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,c.Ad.os&255),c.Ad.Ur&& +c.Ad.Ur.length&&(kr(c,c.Ad.Ur.length&255),kr(c,c.Ad.Ur.length>>8&255)),c.Ad.Is&&(a.Cd=nr(a.Cd,c.hg,c.pending,0)),c.Qm=0,c.status=69):(kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,3),c.status=113);else{var e=8+(c.gQ-8<<4)<<8;e|=(2<=c.strategy||2>c.level?0:6>c.level?1:6===c.level?2:3)<<6;0!==c.xb&&(e|=32);c.status=113;lr(c,e+(31-e%31));0!==c.xb&&(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));a.Cd=1}if(69===c.status)if(c.Ad.Ur){for(e=c.pending;c.Qm<(c.Ad.Ur.length& +65535)&&(c.pending!==c.Vl||(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending!==c.Vl));)kr(c,c.Ad.Ur[c.Qm]&255),c.Qm++;c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));c.Qm===c.Ad.Ur.length&&(c.Qm=0,c.status=73)}else c.status=73;if(73===c.status)if(c.Ad.name){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){var f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.Qm=0,c.status=91)}else c.status=91;if(91===c.status)if(c.Ad.comment){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.status=103)}else c.status=103;103===c.status&& +(c.Ad.Is?(c.pending+2>c.Vl&&gr(a),c.pending+2<=c.Vl&&(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),a.Cd=0,c.status=113)):c.status=113);if(0!==c.pending){if(gr(a),0===a.le)return c.Zy=-1,0}else if(0===a.Ti&&(b<<1)-(4>=8,c.Kh-=8)):5!==b&&(Tq(c,0,3),Pla(c,0,0),3===b&&(fr(c.head),0===c.Yb&&(c.xb=0,c.qk=0,c.Ph=0))),gr(a),0===a.le))return c.Zy=-1,0}if(4!==b)return 0;if(0>=c.wrap)return 1;2===c.wrap?(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),kr(c,a.Cd>>16&255),kr(c,a.Cd>>24&255),kr(c,a.yw&255),kr(c,a.yw>>8&255),kr(c,a.yw>>16&255),kr(c,a.yw>>24&255)):(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));gr(a);0a.Rt&&(a.Rt+=16);this.err=0;this.msg="";this.ended=!1;this.chunks=[];this.Sd=new ama;this.Sd.le=0;var b=this.Sd;var c=a.level,d=a.method,e=a.Rt,f=a.O4,h=a.strategy;if(b){var l=1;-1===c&&(c=6);0>e?(l=0,e=-e):15f||9e||15c||9h||4c.wrap&&(c.wrap=-c.wrap);c.status=c.wrap?42:113;b.Cd=2===c.wrap?0:1;c.Zy=0;if(!bma){d=Array(16);for(f=h=0;28>f;f++)for(Yq[f]=h,e=0;e< +1<f;f++)for(ar[f]=h,e=0;e<1<<$q[f];e++)Zq[h++]=f;for(h>>=7;30>f;f++)for(ar[f]=h<<7,e=0;e<1<<$q[f]-7;e++)Zq[256+h++]=f;for(e=0;15>=e;e++)d[e]=0;for(e=0;143>=e;)hr[2*e+1]=8,e++,d[8]++;for(;255>=e;)hr[2*e+1]=9,e++,d[9]++;for(;279>=e;)hr[2*e+1]=7,e++,d[7]++;for(;287>=e;)hr[2*e+1]=8,e++,d[8]++;Mla(hr,287,d);for(e=0;30>e;e++)ir[2*e+1]=5,ir[2*e]=Lla(e,5);cma=new Qq(hr,Xq,257,286,15);dma=new Qq(ir,$q,0,30,15);ema=new Qq([],fma,0,19,7);bma=!0}c.zG=new Rq(c.Ej,cma); +c.rF=new Rq(c.Pu,dma);c.GS=new Rq(c.Ai,ema);c.Vi=0;c.Kh=0;Nla(c);c=0}else c=er(b,-2);0===c&&(b=b.state,b.YY=2*b.Oi,fr(b.head),b.hN=sr[b.level].I4,b.hU=sr[b.level].y3,b.PV=sr[b.level].X4,b.zV=sr[b.level].H4,b.xb=0,b.qk=0,b.Yb=0,b.Ph=0,b.Fe=b.Ok=2,b.Cv=0,b.Yd=0);b=c}}else b=-2;if(0!==b)throw Error(dr[b]);a.header&&(b=this.Sd)&&b.state&&2===b.state.wrap&&(b.state.Ad=a.header);if(a.sB){var n;"string"===typeof a.sB?n=Kla(a.sB):"[object ArrayBuffer]"===gma.call(a.sB)?n=new Uint8Array(a.sB):n=a.sB;a=this.Sd; +f=n;h=f.length;if(a&&a.state)if(n=a.state,b=n.wrap,2===b||1===b&&42!==n.status||n.Yb)b=-2;else{1===b&&(a.Cd=mr(a.Cd,f,h,0));n.wrap=0;h>=n.Oi&&(0===b&&(fr(n.head),n.xb=0,n.qk=0,n.Ph=0),c=new Oq.Nw(n.Oi),Oq.Mx(c,f,h-n.Oi,n.Oi,0),f=c,h=n.Oi);c=a.Ti;d=a.Gv;e=a.input;a.Ti=h;a.Gv=0;a.input=f;for(or(n);3<=n.Yb;){f=n.xb;h=n.Yb-2;do n.Yd=(n.Yd<=c[19]?(0,c[87])(c[Math.pow(2,2)-138- -218],c[79]):(0,c[76])(c[29],c[28]),c[26]!==14763-Math.pow(1,1)-14772&&(6>=c[24]&&((0,c[48])((0,c[184-108*Math.pow(1,4)])(c[70],c[24]),c[32],c[68],c[84]),1)||((0,c[47])((0,c[43])(),c[49],c[745+-27*Math.pow(5,2)]),c[47])((0,c[69])(),c[9],c[84])),-3>c[27]&&(0>=c[83]||((0,c[32])(c[46],c[82]),null))&&(0,c[1])(c[88]),-2!==c[50]&&(-6 +c[74]?((0,c[16+Math.pow(8,3)-513])((0,c[81])(c[69],c[34]),c[54],c[24],c[91]),c[64])((0,c[25])(c[42],c[22]),c[54],c[30],c[34]):(0,c[10])((0,c[54])(c[85],c[12]),(0,c[25])(c[42],c[8]),c[new Date("1969-12-31T18:46:04.000-05:15")/1E3],(0,c[82])(c[49],c[30]),c[82],c[20],c[28])),3=c[92]&&(0,c[15])((0,c[35])(c[36],c[20]),c[11],c[29])}catch(d){(0,c[60])(c[92],c[93])}try{1>c[45]?((0,c[60])(c[2],c[93]),c[60])(c[91],c[93]):((0,c[88])(c[93],c[86]),c[11])(c[57])}catch(d){(0,c[85])((0,c[80])(),c[56],c[0])}}catch(d){return"enhanced_except_j5gB8Of-_w8_"+a}return b.join("")}; +g.zr=function(a){this.name=a}; +Ar=function(a){J.call(this,a)}; +Br=function(a){J.call(this,a)}; +Cr=function(a){J.call(this,a)}; +Dr=function(a){J.call(this,a)}; +Er=function(a){J.call(this,a)}; +Fr=function(a){J.call(this,a)}; +Gr=function(a){J.call(this,a)}; +Hr=function(a){J.call(this,a)}; +Ir=function(a){J.call(this,a,-1,rma)}; +Jr=function(a){J.call(this,a,-1,sma)}; +Kr=function(a){J.call(this,a)}; +Lr=function(a){J.call(this,a)}; +Mr=function(a){J.call(this,a)}; +Nr=function(a){J.call(this,a)}; +Or=function(a){J.call(this,a)}; +Pr=function(a){J.call(this,a)}; +Qr=function(a){J.call(this,a)}; +Rr=function(a){J.call(this,a)}; +Sr=function(a){J.call(this,a)}; +Tr=function(a){J.call(this,a,-1,tma)}; +Ur=function(a){J.call(this,a,-1,uma)}; +Vr=function(a){J.call(this,a)}; +Wr=function(a){J.call(this,a)}; +Xr=function(a){J.call(this,a)}; +Yr=function(a){J.call(this,a)}; +Zr=function(a){J.call(this,a)}; +$r=function(a){J.call(this,a)}; +as=function(a){J.call(this,a,-1,vma)}; +bs=function(a){J.call(this,a)}; +cs=function(a){J.call(this,a,-1,wma)}; +ds=function(a){J.call(this,a)}; +es=function(a){J.call(this,a)}; +fs=function(a){J.call(this,a)}; +gs=function(a){J.call(this,a)}; +hs=function(a){J.call(this,a)}; +is=function(a){J.call(this,a)}; +js=function(a){J.call(this,a)}; +ks=function(a){J.call(this,a)}; +ls=function(a){J.call(this,a)}; +ms=function(a){J.call(this,a)}; +ns=function(a){J.call(this,a)}; +os=function(a){J.call(this,a)}; +ps=function(a){J.call(this,a)}; +qs=function(a){J.call(this,a)}; +rs=function(a){J.call(this,a)}; +ts=function(a){J.call(this,a,-1,xma)}; +us=function(a){J.call(this,a)}; +vs=function(a){J.call(this,a)}; +ws=function(a){J.call(this,a)}; +xs=function(a){J.call(this,a)}; +ys=function(a){J.call(this,a)}; +zs=function(a){J.call(this,a)}; +As=function(a){J.call(this,a,-1,yma)}; +Bs=function(a){J.call(this,a)}; +Cs=function(a){J.call(this,a)}; +Ds=function(a){J.call(this,a)}; +Es=function(a){J.call(this,a,-1,zma)}; +Fs=function(a){J.call(this,a)}; +Gs=function(a){J.call(this,a)}; +Hs=function(a){J.call(this,a)}; +Is=function(a){J.call(this,a,-1,Ama)}; +Js=function(a){J.call(this,a)}; +Ks=function(a){J.call(this,a)}; +Bma=function(a,b){return H(a,1,b)}; +Ls=function(a){J.call(this,a,-1,Cma)}; +Ms=function(a){J.call(this,a,-1,Dma)}; +Ns=function(a){J.call(this,a)}; +Os=function(a){J.call(this,a)}; +Ps=function(a){J.call(this,a)}; +Qs=function(a){J.call(this,a)}; +Rs=function(a){J.call(this,a)}; +Ss=function(a){J.call(this,a)}; +Ts=function(a){J.call(this,a)}; +Fma=function(a){J.call(this,a,-1,Ema)}; +g.Us=function(a){J.call(this,a,-1,Gma)}; +Vs=function(a){J.call(this,a)}; +Ws=function(a){J.call(this,a,-1,Hma)}; +Xs=function(a){J.call(this,a,-1,Ima)}; +Ys=function(a){J.call(this,a)}; +pt=function(a){J.call(this,a,-1,Jma)}; +rt=function(a){J.call(this,a,-1,Kma)}; +tt=function(a){J.call(this,a)}; +ut=function(a){J.call(this,a)}; +vt=function(a){J.call(this,a)}; +wt=function(a){J.call(this,a)}; +xt=function(a){J.call(this,a)}; +zt=function(a){J.call(this,a)}; +At=function(a){J.call(this,a,-1,Lma)}; +Bt=function(a){J.call(this,a)}; +Ct=function(a){J.call(this,a)}; +Dt=function(a){J.call(this,a)}; +Et=function(a){J.call(this,a)}; +Ft=function(a){J.call(this,a)}; +Gt=function(a){J.call(this,a)}; +Ht=function(a){J.call(this,a)}; +It=function(a){J.call(this,a)}; +Jt=function(a){J.call(this,a)}; +Kt=function(a){J.call(this,a,-1,Mma)}; +Lt=function(a){J.call(this,a,-1,Nma)}; +Mt=function(a){J.call(this,a,-1,Oma)}; +Nt=function(a){J.call(this,a)}; +Ot=function(a){J.call(this,a,-1,Pma)}; +Pt=function(a){J.call(this,a)}; +Qt=function(a){J.call(this,a,-1,Qma)}; +Rt=function(a){J.call(this,a,-1,Rma)}; +St=function(a){J.call(this,a,-1,Sma)}; +Tt=function(a){J.call(this,a)}; +Ut=function(a){J.call(this,a)}; +Vt=function(a){J.call(this,a,-1,Tma)}; +Wt=function(a){J.call(this,a)}; +Xt=function(a){J.call(this,a)}; +Yt=function(a){J.call(this,a)}; +Zt=function(a){J.call(this,a)}; +$t=function(a){J.call(this,a)}; +au=function(a){J.call(this,a)}; +bu=function(a){J.call(this,a)}; +cu=function(a){J.call(this,a)}; +du=function(a){J.call(this,a)}; +eu=function(a){J.call(this,a)}; +fu=function(a){J.call(this,a)}; +gu=function(a){J.call(this,a)}; +hu=function(a){J.call(this,a)}; +iu=function(a){J.call(this,a)}; +ju=function(a){J.call(this,a)}; +ku=function(a){J.call(this,a)}; +lu=function(a){J.call(this,a)}; +mu=function(a){J.call(this,a)}; +nu=function(a){J.call(this,a)}; +ou=function(a){J.call(this,a)}; +pu=function(a){J.call(this,a)}; +qu=function(a){J.call(this,a)}; +ru=function(a){J.call(this,a)}; +tu=function(a){J.call(this,a,-1,Uma)}; +uu=function(a){J.call(this,a,-1,Vma)}; +vu=function(a){J.call(this,a,-1,Wma)}; +wu=function(a){J.call(this,a)}; +xu=function(a){J.call(this,a)}; +yu=function(a){J.call(this,a)}; +zu=function(a){J.call(this,a)}; +Au=function(a){J.call(this,a)}; +Bu=function(a){J.call(this,a)}; +Cu=function(a){J.call(this,a)}; +Du=function(a){J.call(this,a)}; +Eu=function(a){J.call(this,a)}; +Fu=function(a){J.call(this,a)}; +Gu=function(a){J.call(this,a)}; +Hu=function(a){J.call(this,a)}; +Iu=function(a){J.call(this,a)}; +Ju=function(a){J.call(this,a)}; +Ku=function(a){J.call(this,a,-1,Xma)}; +Lu=function(a){J.call(this,a)}; +Mu=function(a){J.call(this,a,-1,Yma)}; +Nu=function(a){J.call(this,a)}; +Ou=function(a){J.call(this,a,-1,Zma)}; +Pu=function(a){J.call(this,a,-1,$ma)}; +Qu=function(a){J.call(this,a,-1,ana)}; +Ru=function(a){J.call(this,a)}; +Su=function(a){J.call(this,a)}; +Tu=function(a){J.call(this,a)}; +Uu=function(a){J.call(this,a)}; +Vu=function(a){J.call(this,a,-1,bna)}; +Wu=function(a){J.call(this,a)}; +Xu=function(a){J.call(this,a)}; +Yu=function(a){J.call(this,a,-1,cna)}; +Zu=function(a){J.call(this,a)}; +$u=function(a){J.call(this,a,-1,dna)}; +av=function(a){J.call(this,a)}; +bv=function(a){J.call(this,a)}; +cv=function(a){J.call(this,a)}; +dv=function(a){J.call(this,a)}; +ev=function(a){J.call(this,a)}; +fv=function(a){J.call(this,a,-1,ena)}; +gv=function(a){J.call(this,a)}; +hv=function(a){J.call(this,a,-1,fna)}; +iv=function(a){J.call(this,a)}; +jv=function(a){J.call(this,a,-1,gna)}; +kv=function(a){J.call(this,a)}; +lv=function(a){J.call(this,a)}; +mv=function(a){J.call(this,a,-1,hna)}; +nv=function(a){J.call(this,a)}; +ov=function(a){J.call(this,a,-1,ina)}; +pv=function(a){J.call(this,a)}; +qv=function(a){J.call(this,a)}; +rv=function(a){J.call(this,a)}; +tv=function(a){J.call(this,a)}; +uv=function(a){J.call(this,a,-1,jna)}; +vv=function(a){J.call(this,a,-1,kna)}; +wv=function(a){J.call(this,a)}; +xv=function(a){J.call(this,a)}; +yv=function(a){J.call(this,a)}; +zv=function(a){J.call(this,a)}; +Av=function(a){J.call(this,a)}; +Bv=function(a){J.call(this,a)}; +Cv=function(a){J.call(this,a)}; +Dv=function(a){J.call(this,a)}; +Ev=function(a){J.call(this,a)}; +Fv=function(a){J.call(this,a)}; +Gv=function(a){J.call(this,a)}; +Hv=function(a){J.call(this,a)}; +Iv=function(a){J.call(this,a,-1,lna)}; +Jv=function(a){J.call(this,a)}; +Kv=function(a){J.call(this,a,-1,mna)}; +Lv=function(a){J.call(this,a)}; +Mv=function(a){J.call(this,a)}; +Nv=function(a){J.call(this,a)}; +Ov=function(a){J.call(this,a)}; +Pv=function(a){J.call(this,a)}; +Qv=function(a){J.call(this,a)}; +Rv=function(a){J.call(this,a)}; +Sv=function(a){J.call(this,a)}; +Tv=function(a){J.call(this,a)}; +Uv=function(a){J.call(this,a)}; +Vv=function(a){J.call(this,a)}; +Wv=function(a){J.call(this,a)}; +Xv=function(a){J.call(this,a)}; +Yv=function(a){J.call(this,a)}; +Zv=function(a){J.call(this,a)}; +$v=function(a){J.call(this,a)}; +aw=function(a){J.call(this,a)}; +bw=function(a){J.call(this,a)}; +cw=function(a){J.call(this,a)}; +dw=function(a){J.call(this,a)}; +ew=function(a){J.call(this,a)}; +fw=function(a){J.call(this,a)}; +gw=function(a){J.call(this,a)}; +hw=function(a){J.call(this,a)}; +iw=function(a){J.call(this,a)}; +jw=function(a){J.call(this,a)}; +kw=function(a){J.call(this,a)}; +lw=function(a){J.call(this,a)}; +mw=function(a){J.call(this,a)}; +nw=function(a){J.call(this,a)}; +ow=function(a){J.call(this,a)}; +pw=function(a){J.call(this,a,-1,nna)}; +qw=function(a){J.call(this,a)}; +rw=function(a){J.call(this,a)}; +tw=function(a){J.call(this,a,-1,ona)}; +uw=function(a){J.call(this,a)}; +vw=function(a){J.call(this,a)}; +ww=function(a){J.call(this,a)}; +xw=function(a){J.call(this,a)}; +yw=function(a){J.call(this,a)}; +Aw=function(a){J.call(this,a)}; +Fw=function(a){J.call(this,a)}; +Gw=function(a){J.call(this,a)}; +Hw=function(a){J.call(this,a)}; +Iw=function(a){J.call(this,a)}; +Jw=function(a){J.call(this,a)}; +Kw=function(a){J.call(this,a)}; +Lw=function(a){J.call(this,a)}; +Mw=function(a){J.call(this,a)}; +Nw=function(a){J.call(this,a)}; +Ow=function(a){J.call(this,a,-1,pna)}; +Pw=function(a){J.call(this,a)}; +Qw=function(a){J.call(this,a)}; +Rw=function(a){J.call(this,a)}; +Sw=function(a){J.call(this,a)}; +Tw=function(a){J.call(this,a)}; +Uw=function(a){J.call(this,a)}; +Vw=function(a){J.call(this,a)}; +Ww=function(a){J.call(this,a)}; +Xw=function(a){J.call(this,a)}; +Yw=function(a){J.call(this,a)}; +Zw=function(a){J.call(this,a)}; +$w=function(a){J.call(this,a)}; +ax=function(a){J.call(this,a)}; +bx=function(a){J.call(this,a)}; +cx=function(a){J.call(this,a)}; +dx=function(a){J.call(this,a)}; +ex=function(a){J.call(this,a)}; +fx=function(a){J.call(this,a)}; +gx=function(a){J.call(this,a)}; +hx=function(a){J.call(this,a)}; +ix=function(a){J.call(this,a)}; +jx=function(a){J.call(this,a)}; +kx=function(a){J.call(this,a)}; +lx=function(a){J.call(this,a)}; +mx=function(a){J.call(this,a)}; +nx=function(a){J.call(this,a)}; +ox=function(a){J.call(this,a)}; +px=function(a){J.call(this,a,-1,qna)}; +qx=function(a){J.call(this,a)}; +rna=function(a,b){I(a,Tv,1,b)}; +rx=function(a){J.call(this,a)}; +sna=function(a,b){return I(a,Tv,1,b)}; +sx=function(a){J.call(this,a,-1,tna)}; +una=function(a,b){return I(a,Tv,2,b)}; +tx=function(a){J.call(this,a)}; +ux=function(a){J.call(this,a)}; +vx=function(a){J.call(this,a)}; +wx=function(a){J.call(this,a)}; +xx=function(a){J.call(this,a)}; +yx=function(a){J.call(this,a)}; +zx=function(a){var b=new yx;return H(b,1,a)}; +Ax=function(a,b){return H(a,2,b)}; +Bx=function(a){J.call(this,a,-1,vna)}; +Cx=function(a){J.call(this,a)}; +Dx=function(a){J.call(this,a,-1,wna)}; +Ex=function(a,b){Sh(a,68,yx,b)}; +Fx=function(a){J.call(this,a)}; +Gx=function(a){J.call(this,a)}; +Hx=function(a){J.call(this,a,-1,xna)}; +Ix=function(a){J.call(this,a,-1,yna)}; +Jx=function(a){J.call(this,a)}; +Kx=function(a){J.call(this,a)}; +Lx=function(a){J.call(this,a,-1,zna)}; +Mx=function(a){J.call(this,a)}; +Nx=function(a){J.call(this,a,-1,Ana)}; +Ox=function(a){J.call(this,a)}; +Px=function(a){J.call(this,a)}; +Qx=function(a){J.call(this,a,-1,Bna)}; +Rx=function(a){J.call(this,a)}; +Sx=function(a){J.call(this,a)}; +Tx=function(a){J.call(this,a,-1,Cna)}; +Ux=function(a){J.call(this,a,-1,Dna)}; +Vx=function(a){J.call(this,a)}; +Wx=function(a){J.call(this,a)}; +Xx=function(a){J.call(this,a)}; +Yx=function(a){J.call(this,a)}; +Zx=function(a){J.call(this,a,475)}; +$x=function(a){J.call(this,a)}; +ay=function(a){J.call(this,a)}; +by=function(a){J.call(this,a,-1,Ena)}; +Fna=function(){return g.Ga("yt.ads.biscotti.lastId_")||""}; +Gna=function(a){g.Fa("yt.ads.biscotti.lastId_",a)}; +dy=function(){var a=arguments;1h.status)?h.json().then(m,function(){m(null)}):m(null)}}); -b.PF&&0m.status,t=500<=m.status&&600>m.status;if(n||r||t)p=lea(a,c,m,b.U4);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};r=b.context||g.v;n?b.onSuccess&&b.onSuccess.call(r,m,p):b.onError&&b.onError.call(r,m,p);b.Zf&&b.Zf.call(r,m,p)}},b.method,d,b.headers,b.responseType, -b.withCredentials); -if(b.Bg&&0m.status,r=500<=m.status&&600>m.status;if(n||q||r)p=Zna(a,c,m,b.convertToSafeHtml);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};q=b.context||g.Ea;n?b.onSuccess&&b.onSuccess.call(q,m,p):b.onError&&b.onError.call(q,m,p);b.onFinish&&b.onFinish.call(q,m, +p)}},b.method,d,b.headers,b.responseType,b.withCredentials); +d=b.timeout||0;if(b.onTimeout&&0=m||403===Ay(p.xhr))return Rf(new Jy("Request retried too many times","net.retryexhausted",p.xhr,p));p=Math.pow(2,c-m+1)*n;var q=0a;a++)this.u.push(0);this.B=0;this.oa=g.Ez(window,"mousemove",(0,g.Oa)(this.ea,this));this.T=g.Dy((0,g.Oa)(this.Z,this),25)}; +Jz=function(a){g.C.call(this);this.T=[];this.Pb=a||this}; +Kz=function(a,b,c,d){for(var e=0;eMath.random()&&g.Fo(new g.tr("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.tr("innertube xhrclient not ready",b,c,d),M(a),a.sampleWeight=0,a;var e={headers:{"Content-Type":"application/json"},method:"POST",tc:c,HG:"JSON",Bg:function(){d.Bg()}, -PF:d.Bg,onSuccess:function(l,m){if(d.onSuccess)d.onSuccess(m)}, -k5:function(l){if(d.onSuccess)d.onSuccess(l)}, -onError:function(l,m){if(d.onError)d.onError(m)}, -j5:function(l){if(d.onError)d.onError(l)}, -timeout:d.timeout,withCredentials:!0};c="";var f=a.Tf.RD;f&&(c=f);f=oea(a.Tf.TD||!1,c,d);Object.assign(e.headers,f);e.headers.Authorization&&!c&&(e.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.Tf.innertubeApiVersion+"/"+b;f={alt:"json"};a.Tf.SD&&e.headers.Authorization||(f.key=a.Tf.innertubeApiKey);var h=g.aq(""+c+b,f);js().then(function(){try{g.vo("use_fetch_for_op_xhr")?kea(h,e):g.vo("networkless_gel")&&d.retry?(e.method="POST",!d.JS&&g.vo("nwl_send_fast_on_unload")?Kea(h,e):As(h, -e)):(e.method="POST",e.tc||(e.tc={}),g.qq(h,e))}catch(l){if("InvalidAccessError"==l.name)g.Fo(Error("An extension is blocking network request."));else throw l;}})}; -g.Nq=function(a,b,c){c=void 0===c?{}:c;var d=g.Cs;g.L("ytLoggingEventsDefaultDisabled",!1)&&g.Cs==g.Cs&&(d=null);Sp(a,b,d,c)}; -Lea=function(){this.Pn=[];this.Om=[]}; -Es=function(){Ds||(Ds=new Lea);return Ds}; -Gs=function(a,b,c,d){c+="."+a;a=Fs(b);d[c]=a;return c.length+a.length}; -Fs=function(a){return("string"===typeof a?a:String(JSON.stringify(a))).substr(0,500)}; -Mea=function(a){g.Hs(a)}; -g.Is=function(a){g.Hs(a,"WARNING")}; -g.Hs=function(a,b){var c=void 0===c?{}:c;c.name=g.L("INNERTUBE_CONTEXT_CLIENT_NAME",1);c.version=g.L("INNERTUBE_CONTEXT_CLIENT_VERSION",void 0);var d=c||{};c=void 0===b?"ERROR":b;c=void 0===c?"ERROR":c;var e=void 0===e?!1:e;if(a){if(g.vo("console_log_js_exceptions")){var f=[];f.push("Name: "+a.name);f.push("Message: "+a.message);a.hasOwnProperty("params")&&f.push("Error Params: "+JSON.stringify(a.params));f.push("File name: "+a.fileName);f.push("Stacktrace: "+a.stack);window.console.log(f.join("\n"), -a)}if((!g.vo("web_yterr_killswitch")||window&&window.yterr||e)&&!(5<=Js)&&0!==a.sampleWeight){var h=Vaa(a);e=h.message||"Unknown Error";f=h.name||"UnknownError";var l=h.stack||a.u||"Not available";if(l.startsWith(f+": "+e)){var m=l.split("\n");m.shift();l=m.join("\n")}m=h.lineNumber||"Not available";h=h.fileName||"Not available";if(a.hasOwnProperty("args")&&a.args&&a.args.length)for(var n=0,p=0;p=l||403===jq(n.xhr)?wm(new Ts("Request retried too many times","net.retryexhausted",n.xhr)):f(m).then(function(){return e(Us(a,b),l-1,Math.pow(2,c-l+1)*m)})})} -function f(h){return new rm(function(l){setTimeout(l,h)})} -return e(Us(a,b),c-1,d)}; -Ts=function(a,b,c){Ya.call(this,a+", errorCode="+b);this.errorCode=b;this.xhr=c;this.name="PromiseAjaxError"}; -Ws=function(){this.Ka=0;this.u=null}; -Xs=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=2;b.u=void 0===a?null:a;return b}; -Ys=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=1;b.u=void 0===a?null:a;return b}; -$s=function(a){Ya.call(this,a.message||a.description||a.name);this.isMissing=a instanceof Zs;this.isTimeout=a instanceof Ts&&"net.timeout"==a.errorCode;this.isCanceled=a instanceof Hm}; -Zs=function(){Ya.call(this,"Biscotti ID is missing from server")}; -Sea=function(){if(g.vo("disable_biscotti_fetch_on_html5_clients"))return wm(Error("Fetching biscotti ID is disabled."));if(g.vo("condition_biscotti_fetch_on_consent_cookie_html5_clients")&&!Qs())return wm(Error("User has not consented - not fetching biscotti id."));if("1"===g.Nb(g.L("PLAYER_CONFIG",{}),"args","privembed"))return wm(Error("Biscotti ID is not available in private embed mode"));at||(at=Cm(Us("//googleads.g.doubleclick.net/pagead/id",bt).then(ct),function(a){return dt(2,a)})); -return at}; -ct=function(a){a=a.responseText;if(!nc(a,")]}'"))throw new Zs;a=JSON.parse(a.substr(4));if(1<(a.type||1))throw new Zs;a=a.id;Up(a);at=Ys(a);et(18E5,2);return a}; -dt=function(a,b){var c=new $s(b);Up("");at=Xs(c);0b;b++){c=g.A();for(var d=0;d"',style:"display:none"}),me(a).body.appendChild(a)));else if(e)rq(a,b,"POST",e,d);else if(g.L("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)rq(a,b,"GET","",d);else{b:{try{var f=new jaa({url:a});if(f.C&&f.B||f.D){var h=vd(g.xd(5,a));var l=!(!h||!h.endsWith("/aclk")|| -"1"!==Qd(a,"ri"));break b}}catch(m){}l=!1}l?ou(a)?(b&&b(),c=!0):c=!1:c=!1;c||dfa(a,b)}}; -qu=function(a,b,c){c=void 0===c?"":c;ou(a,c)?b&&b():g.pu(a,b,void 0,void 0,c)}; -ou=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; -dfa=function(a,b){var c=new Image,d=""+efa++;ru[d]=c;c.onload=c.onerror=function(){b&&ru[d]&&b();delete ru[d]}; -c.src=a}; -vu=function(a,b){for(var c=[],d=1;da.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(97>d||122=a.B.byteLength}; -yv=function(a,b,c){var d=new qv(c);if(!tv(d,a))return!1;d=uv(d);if(!vv(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.u;var e=wv(d,!0);d=a+(d.start+d.u-b)+e;d=9d;d++)c=256*c+Ev(a);return c}d=128;for(var e=0;6>e&&d>c;e++)c=256*c+Ev(a),d*=128;return b?c-d:c}; -Bv=function(a){var b=wv(a,!0);a.u+=b}; -zv=function(a){var b=a.u;a.u=0;var c=!1;try{vv(a,440786851)&&(a.u=0,vv(a,408125543)&&(c=!0))}catch(d){if(d instanceof RangeError)a.u=0,c=!1,g.Fo(d);else throw d;}a.u=b;return c}; -mfa=function(a){if(!vv(a,440786851,!0))return null;var b=a.u;wv(a,!1);var c=wv(a,!0)+a.u-b;a.u=b+c;if(!vv(a,408125543,!1))return null;wv(a,!0);if(!vv(a,357149030,!0))return null;var d=a.u;wv(a,!1);var e=wv(a,!0)+a.u-d;a.u=d+e;if(!vv(a,374648427,!0))return null;var f=a.u;wv(a,!1);var h=wv(a,!0)+a.u-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295);l.set(new Uint8Array(a.B.buffer, -a.B.byteOffset+d,e),c+12);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+f,h),c+12+e);return l}; -Gv=function(a){var b=a.u,c={HA:1E6,IA:1E9,duration:0,mA:0,Pr:0};if(!vv(a,408125543))return a.u=b,null;c.mA=wv(a,!0);c.Pr=a.start+a.u;if(vv(a,357149030))for(var d=uv(a);!rv(d);){var e=wv(d,!1);2807729===e?c.HA=Av(d):2807730===e?c.IA=Av(d):17545===e?c.duration=Cv(d):Bv(d)}else return a.u=b,null;a.u=b;return c}; -Iv=function(a,b,c){var d=a.u,e=[];if(!vv(a,475249515))return a.u=d,null;for(var f=uv(a);vv(f,187);){var h=uv(f);if(vv(h,179)){var l=Av(h);if(vv(h,183)){h=uv(h);for(var m=b;vv(h,241);)m=Av(h)+b;e.push({im:m,nt:l})}}}if(0c&&(c=a.totalLength-b);a.focus(b);if(!Qv(a,b,c)){var d=a.B,e=a.C;a.focus(b+c-1);e=new Uint8Array(a.C+a.u[a.B].length-e);for(var f=0,h=d;h<=a.B;h++)e.set(a.u[h],f),f+=a.u[h].length;a.u.splice(d,a.B-d+1,e);Pv(a);a.focus(b)}d=a.u[a.B];return new DataView(d.buffer,d.byteOffset+b-a.C,c)}; -Tv=function(a,b,c){a=Sv(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; -Uv=function(a){a=Tv(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ch)c=!1;else{for(f=h-1;0<=f;f--)c.B.setUint8(c.u+f,d&255),d>>>=8;c.u=e;c=!0}else c=!1;return c}; -ew=function(a){g.aw(a.info.u.info)||a.info.u.info.Zd();if(a.B&&6==a.info.type)return a.B.kh;if(g.aw(a.info.u.info)){var b=Yv(a);var c=0;b=ov(b,1936286840);b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=lv(d.value),c+=d.lw[0]/d.ow;c=c||NaN;if(!(0<=c))a:{c=Yv(a);b=a.info.u.u;for(var e=d=0,f=0;hv(c,d);){var h=iv(c,d);if(1836476516===h.type)e=ev(h);else if(1836019558===h.type){!e&&b&&(e=fv(b));if(!e){c=NaN;break a}var l=gv(h.data,h.dataOffset,1953653094),m=e,n=gv(l.data,l.dataOffset,1952868452);l=gv(l.data, -l.dataOffset,1953658222);var p=Wu(n);Wu(n);p&2&&Wu(n);n=p&8?Wu(n):0;var r=Wu(l),t=r&1;p=r&4;var w=r&256,y=r&512,x=r&1024;r&=2048;var B=Xu(l);t&&Wu(l);p&&Wu(l);for(var E=t=0;E=b.NB||1<=d.u)if(a=Mw(a),c=Lw(c,xw(a)),c.B+c.u<=d.B+d.u)return!0;return!1}; -Dfa=function(a,b){var c=b?Mw(a):a.u;return new Ew(c)}; -Mw=function(a){a.C||(a.C=Aw(a.D));return a.C}; -Ow=function(a){return 1=1.3*Math.floor(16*l/9)||d>=1.3*l)return e;e=h}return"tiny"}; -dx=function(a,b,c,d,e,f,h,l,m){this.id=a;this.mimeType=b;this.audio=void 0===c?null:c;this.video=void 0===d?null:d;this.u=void 0===e?null:e;this.Ud=void 0===f?null:f;this.captionTrack=void 0===m?null:m;this.D=!0;this.B=null;this.containerType=bx(b);this.zb=h||0;this.C=l||0;this.Db=cx[this.Yb()]||""}; -ex=function(a){return 0a.Xb())a.segments=[];else{var c=eb(a.segments,function(d){return d.qb>=b},a); -0=c+d)break}return new Qw(e)}; -Wx=function(){void 0===Vx&&(Vx=g.jo());return Vx}; -Xx=function(){var a=Wx();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; -Yx=function(a){var b=Wx();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; -Zx=function(a){return Xx()[a]||0}; -$x=function(){var a=Xx();return Object.keys(a)}; -ay=function(a){var b=Xx();return Object.keys(b).filter(function(c){return b[c]===a})}; -by=function(a,b,c){c=void 0===c?!1:c;var d=Xx();if(c&&Object.keys(d).pop()!==a)delete d[a];else if(b===d[a])return;0!==b?d[a]=b:delete d[a];Yx(d)}; -Efa=function(a){var b=Xx();b=Object.assign({},b);a=Object.assign({},a);for(var c in b)a[c]?(4!==b[c]&&(b[c]=a[c]),delete a[c]):3!==b[c]&&2!==b[c]&&(b[c]=4);Object.assign(b,a);Yx(b);JSON.stringify(b);return b}; -cy=function(a){return!!a&&1===Zx(a)}; -Ffa=function(){var a=Wx();if(!a)return!1;try{return null!==a.get("yt-player-lv-id")}catch(b){return!1}}; -hy=function(){return We(this,function b(){var c,d,e,f;return xa(b,function(h){if(1==h.u){c=Wx();if(!c)return h["return"](Promise.reject("No LocalStorage"));if(dy){h.u=2;return}d=Kq().u(ey);var l=Object.assign({},d);delete l.Authorization;var m=Dl();if(m){var n=new ln;n.update(g.L("INNERTUBE_API_KEY",void 0));n.update(m);l.hash=g.sf(n.digest(),3)}m=new ln;m.update(JSON.stringify(l,Object.keys(l).sort()));l=m.digest();m="";for(n=0;nc;){var t=p.shift(); -if(t!==a){n-=m[t]||0;delete m[t];var w=IDBKeyRange.bound(t+"|",t+"~");r.push(Sr(l,"index")["delete"](w));r.push(Sr(l,"media")["delete"](w));by(t,0)}}return qs.all(r).then(function(){})})}))})})}; -Kfa=function(a,b){return We(this,function d(){var e,f;return xa(d,function(h){if(1==h.u)return sa(h,hy(),2);e=h.B;f={offlineVideoData:b};return sa(h,Tr(e,"metadata",f,a),0)})})}; -Lfa=function(a,b){var c=Math.floor(Date.now()/1E3);We(this,function e(){var f,h;return xa(e,function(l){if(1==l.u)return JSON.stringify(b.offlineState),f={timestampSecs:c,player:b},sa(l,hy(),2);h=l.B;return sa(l,Tr(h,"playerdata",f,a),0)})})}; -my=function(a,b,c,d,e){return We(this,function h(){var l,m,n,p;return xa(h,function(r){switch(r.u){case 1:return l=Zx(a),4===l?r["return"](Promise.resolve(4)):sa(r,hy(),2);case 2:return m=r.B,r.C=3,sa(r,yr(m,["index","media"],"readwrite",function(t){if(void 0!==d&&void 0!==e){var w=""+a+"|"+b.id+"|"+d;w=Rr(Sr(t,"media"),e,w)}else w=qs.resolve(void 0);var y=ly(a,b.isVideo()),x=ly(a,!b.isVideo()),B={fmts:c};y=Rr(Sr(t,"index"),B,y);var E=ky(c);t=E?Sr(t,"index").get(x):qs.resolve(void 0);return qs.all([t, -w,y]).then(function(G){G=g.q(G).next().value;var K=Zx(a);4!==K&&E&&void 0!==G&&ky(G.fmts)&&(K=1,by(a,K));return K})}),5); -case 5:return r["return"](r.B);case 3:n=ua(r);p=Zx(a);if(4===p)return r["return"](p);by(a,4);throw n;}})})}; -Mfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index"],"readonly",function(f){return iy(f,a)}))})})}; -Nfa=function(a,b,c){return We(this,function e(){var f;return xa(e,function(h){if(1==h.u)return sa(h,hy(),2);f=h.B;return h["return"](yr(f,["media"],"readonly",function(l){var m=""+a+"|"+b+"|"+c;return Sr(l,"media").get(m)}))})})}; -Ofa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](d.get("playerdata",a))})})}; -Pfa=function(a){return We(this,function c(){var d,e,f,h;return xa(c,function(l){return 1==l.u?sa(l,hy(),2):3!=l.u?(d=l.B,e=[],f=[],h=[],sa(l,yr(d,["metadata"],"readonly",function(m){return Xr(Sr(m,"metadata"),{},function(n){var p,r,t=n.getKey(),w=null===(p=n.getValue())||void 0===p?void 0:p.offlineVideoData;if(!w)return n["continue"]();if(t===a){if(t=null===(r=w.thumbnail)||void 0===r?void 0:r.thumbnails){t=g.q(t);for(var y=t.next();!y.done;y=t.next())y=y.value,y.url&&e.push(y.url)}f.push.apply(f, -g.ma(ny(w)))}else h.push.apply(h,g.ma(ny(w)));return n["continue"]()})}),3)):l["return"](e.concat(f.filter(function(m){return!h.includes(m)})))})})}; -ny=function(a){var b,c,d,e=null===(d=null===(c=null===(b=a.channel)||void 0===b?void 0:b.offlineChannelData)||void 0===c?void 0:c.thumbnail)||void 0===d?void 0:d.thumbnails;if(!e)return[];a=[];e=g.q(e);for(var f=e.next();!f.done;f=e.next())f=f.value,f.url&&a.push(f.url);return a}; -Qfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index","metadata"],"readonly",function(f){return oy(f,a)}))})})}; -Rfa=function(){return We(this,function b(){var c;return xa(b,function(d){if(1==d.u)return sa(d,hy(),2);c=d.B;return d["return"](yr(c,["index","metadata"],"readonly",function(e){return qs.all($x().map(function(f){return oy(e,f)}))}))})})}; -oy=function(a,b){var c=Sr(a,"metadata").get(b);return iy(a,b).then(function(d){var e={videoId:b,totalSize:0,downloadedSize:0,status:Zx(b),videoData:null};if(d.length){d=Yp(d);d=g.q(d);for(var f=d.next();!f.done;f=d.next())f=f.value,e.totalSize+=+f.mket*+f.avbr,e.downloadedSize+=f.hasOwnProperty("dlt")?(+f.dlt||0)*+f.avbr:+f.mket*+f.avbr}return c.then(function(h){e.videoData=(null===h||void 0===h?void 0:h.offlineVideoData)||null;return e})})}; -Sfa=function(a){return We(this,function c(){return xa(c,function(d){by(a,0);return d["return"](jy(a,!0))})})}; -fy=function(){return We(this,function b(){var c;return xa(b,function(d){c=Wx();if(!c)return d["return"](Promise.reject("No LocalStorage"));c.remove("yt-player-lv-id");var e=Wx();e&&e.remove("yt-player-lv");return sa(d,Gfa(),0)})})}; -ky=function(a){return!!a&&-1===a.indexOf("dlt")}; -ly=function(a,b){return""+a+"|"+(b?"v":"a")}; -Hfa=function(){}; -py=function(){var a=this;this.u=this.B=iaa;this.promise=new rm(function(b,c){a.B=b;a.u=c})}; -Tfa=function(a,b){this.K=a;this.u=b;this.F=a.qL;this.I=new Uint8Array(this.F);this.D=this.C=0;this.B=null;this.R=[];this.X=this.Y=null;this.P=new py}; -Ufa=function(a){var b=qy(a);b=my(a.K.C,a.u.info,b);ry(a,b)}; -sy=function(a){return!!a.B&&a.B.F}; -uy=function(a,b){if(!sy(a)){if(1==b.info.type)a.Y=Fu(0,b.u.getLength());else if(2==b.info.type){if(!a.B||1!=a.B.type)return;a.X=Fu(a.D*a.F+a.C,b.u.getLength())}else if(3==b.info.type){if(3==a.B.type&&!Lu(a.B,b.info)&&(a.R=[],b.info.B!=Nu(a.B)||0!=b.info.C))return;if(b.info.D)a.R.map(function(c){return ty(a,c)}),a.R=[]; -else{a.R.push(b);a.B=b.info;return}}a.B=b.info;ty(a,b);Vfa(a)}}; -ty=function(a,b){for(var c=0,d=Tv(b.u);c=e)break;var f=c.getUint32(d+4);if(1836019574===f)d+=8;else{if(1886614376===f){f=a.subarray(d,d+e);var h=new Uint8Array(b.length+f.length);h.set(b);h.set(f,b.length);b=h}d+=e}}return b}; -Zfa=function(a){a=ov(a,1886614376);g.Cb(a,function(b){return!b.B}); -return g.Oc(a,function(b){return new Uint8Array(b.data.buffer,b.offset+b.data.byteOffset,b.size)})}; -$fa=function(a){var b=g.rh(a,function(e,f){return e+f.length},0),c=new Uint8Array(b),d=0; -g.Cb(a,function(e){c.set(e,d);d+=e.length}); +hpa=function(a){return new Promise(function(b,c){gpa(a,b,c)})}; +HA=function(a){return new g.FA(new EA(function(b,c){gpa(a,b,c)}))}; +IA=function(a,b){return new g.FA(new EA(function(c,d){function e(){var f=a?b(a):null;f?f.then(function(h){a=h;e()},d):c()} +e()}))}; +ipa=function(a,b){this.request=a;this.cursor=b}; +JA=function(a){return HA(a).then(function(b){return b?new ipa(a,b):null})}; +jpa=function(a,b){this.j=a;this.options=b;this.transactionCount=0;this.B=Math.round((0,g.M)());this.u=!1}; +g.LA=function(a,b,c){a=a.j.createObjectStore(b,c);return new KA(a)}; +MA=function(a,b){a.j.objectStoreNames.contains(b)&&a.j.deleteObjectStore(b)}; +g.PA=function(a,b,c){return g.NA(a,[b],{mode:"readwrite",Ub:!0},function(d){return g.OA(d.objectStore(b),c)})}; +g.NA=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x,z;return g.A(function(B){switch(B.j){case 1:var F={mode:"readonly",Ub:!1,tag:"IDB_TRANSACTION_TAG_UNKNOWN"};"string"===typeof c?F.mode=c:Object.assign(F,c);e=F;a.transactionCount++;f=e.Ub?3:1;h=0;case 2:if(l){B.Ka(3);break}h++;m=Math.round((0,g.M)());g.pa(B,4);n=a.j.transaction(b,e.mode);F=new QA(n);F=kpa(F,d);return g.y(B,F,6);case 6:return p=B.u,q=Math.round((0,g.M)()),lpa(a,m,q,h,void 0,b.join(),e),B.return(p);case 4:r=g.sa(B);v=Math.round((0,g.M)()); +x=CA(r,a.j.name,b.join(),a.j.version);if((z=x instanceof g.yA&&!x.j)||h>=f)lpa(a,m,v,h,x,b.join(),e),l=x;B.Ka(2);break;case 3:return B.return(Promise.reject(l))}})}; +lpa=function(a,b,c,d,e,f,h){b=c-b;e?(e instanceof g.yA&&("QUOTA_EXCEEDED"===e.type||"QUOTA_MAYBE_EXCEEDED"===e.type)&&vA("QUOTA_EXCEEDED",{dbName:xA(a.j.name),objectStoreNames:f,transactionCount:a.transactionCount,transactionMode:h.mode}),e instanceof g.yA&&"UNKNOWN_ABORT"===e.type&&(c-=a.B,0>c&&c>=Math.pow(2,31)&&(c=0),vA("TRANSACTION_UNEXPECTEDLY_ABORTED",{objectStoreNames:f,transactionDuration:b,transactionCount:a.transactionCount,dbDuration:c}),a.u=!0),mpa(a,!1,d,f,b,h.tag),uA(e)):mpa(a,!0,d, +f,b,h.tag)}; +mpa=function(a,b,c,d,e,f){vA("TRANSACTION_ENDED",{objectStoreNames:d,connectionHasUnknownAbortedTransaction:a.u,duration:e,isSuccessful:b,tryCount:c,tag:void 0===f?"IDB_TRANSACTION_TAG_UNKNOWN":f})}; +KA=function(a){this.j=a}; +g.RA=function(a,b,c){a.j.createIndex(b,c,{unique:!1})}; +npa=function(a,b){return g.fB(a,{query:b},function(c){return c.delete().then(function(){return c.continue()})}).then(function(){})}; +opa=function(a,b,c){var d=[];return g.fB(a,{query:b},function(e){if(!(void 0!==c&&d.length>=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +qpa=function(a){return"getAllKeys"in IDBObjectStore.prototype?HA(a.j.getAllKeys(void 0,void 0)):ppa(a)}; +ppa=function(a){var b=[];return g.rpa(a,{query:void 0},function(c){b.push(c.ZF());return c.continue()}).then(function(){return b})}; +g.OA=function(a,b,c){return HA(a.j.put(b,c))}; +g.fB=function(a,b,c){a=a.j.openCursor(b.query,b.direction);return gB(a).then(function(d){return IA(d,c)})}; +g.rpa=function(a,b,c){var d=b.query;b=b.direction;a="openKeyCursor"in IDBObjectStore.prototype?a.j.openKeyCursor(d,b):a.j.openCursor(d,b);return JA(a).then(function(e){return IA(e,c)})}; +QA=function(a){var b=this;this.j=a;this.B=new Map;this.u=!1;this.done=new Promise(function(c,d){b.j.addEventListener("complete",function(){c()}); +b.j.addEventListener("error",function(e){e.currentTarget===e.target&&d(b.j.error)}); +b.j.addEventListener("abort",function(){var e=b.j.error;if(e)d(e);else if(!b.u){e=g.yA;for(var f=b.j.objectStoreNames,h=[],l=0;l=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +g.hB=function(a,b,c){a=a.j.openCursor(void 0===b.query?null:b.query,void 0===b.direction?"next":b.direction);return gB(a).then(function(d){return IA(d,c)})}; +upa=function(a,b){this.request=a;this.cursor=b}; +gB=function(a){return HA(a).then(function(b){return b?new upa(a,b):null})}; +vpa=function(a,b,c){return new Promise(function(d,e){function f(){r||(r=new jpa(h.result,{closed:q}));return r} +var h=void 0!==b?self.indexedDB.open(a,b):self.indexedDB.open(a);var l=c.blocked,m=c.blocking,n=c.q9,p=c.upgrade,q=c.closed,r;h.addEventListener("upgradeneeded",function(v){try{if(null===v.newVersion)throw Error("Invariant: newVersion on IDbVersionChangeEvent is null");if(null===h.transaction)throw Error("Invariant: transaction on IDbOpenDbRequest is null");v.dataLoss&&"none"!==v.dataLoss&&vA("IDB_DATA_CORRUPTED",{reason:v.dataLossMessage||"unknown reason",dbName:xA(a)});var x=f(),z=new QA(h.transaction); +p&&p(x,function(B){return v.oldVersion=B},z); +z.done.catch(function(B){e(B)})}catch(B){e(B)}}); +h.addEventListener("success",function(){var v=h.result;m&&v.addEventListener("versionchange",function(){m(f())}); +v.addEventListener("close",function(){vA("IDB_UNEXPECTEDLY_CLOSED",{dbName:xA(a),dbVersion:v.version});n&&n()}); +d(f())}); +h.addEventListener("error",function(){e(h.error)}); +l&&h.addEventListener("blocked",function(){l()})})}; +wpa=function(a,b,c){c=void 0===c?{}:c;return vpa(a,b,c)}; +iB=function(a,b){b=void 0===b?{}:b;var c,d,e,f;return g.A(function(h){if(1==h.j)return g.pa(h,2),c=self.indexedDB.deleteDatabase(a),d=b,(e=d.blocked)&&c.addEventListener("blocked",function(){e()}),g.y(h,hpa(c),4); +if(2!=h.j)return g.ra(h,0);f=g.sa(h);throw CA(f,a,"",-1);})}; +jB=function(a,b){this.name=a;this.options=b;this.B=!0;this.D=this.C=0}; +xpa=function(a,b){return new g.yA("INCOMPATIBLE_DB_VERSION",{dbName:a.name,oldVersion:a.options.version,newVersion:b})}; +g.kB=function(a,b){if(!b)throw g.DA("openWithToken",xA(a.name));return a.open()}; +ypa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,g.kB(lB,b),2);c=d.u;return d.return(g.NA(c,["databases"],{Ub:!0,mode:"readwrite"},function(e){var f=e.objectStore("databases");return f.get(a.actualName).then(function(h){if(h?a.actualName!==h.actualName||a.publicName!==h.publicName||a.userIdentifier!==h.userIdentifier:1)return g.OA(f,a).then(function(){})})}))})}; +mB=function(a,b){var c;return g.A(function(d){if(1==d.j)return a?g.y(d,g.kB(lB,b),2):d.return();c=d.u;return d.return(c.delete("databases",a))})}; +zpa=function(a,b){var c,d;return g.A(function(e){return 1==e.j?(c=[],g.y(e,g.kB(lB,b),2)):3!=e.j?(d=e.u,g.y(e,g.NA(d,["databases"],{Ub:!0,mode:"readonly"},function(f){c.length=0;return g.fB(f.objectStore("databases"),{},function(h){a(h.getValue())&&c.push(h.getValue());return h.continue()})}),3)):e.return(c)})}; +Apa=function(a,b){return zpa(function(c){return c.publicName===a&&void 0!==c.userIdentifier},b)}; +Bpa=function(){var a,b,c,d;return g.A(function(e){switch(e.j){case 1:a=nA();if(null==(b=a)?0:b.hasSucceededOnce)return e.return(!0);if(nB&&az()&&!bz()||g.oB)return e.return(!1);try{if(c=self,!(c.indexedDB&&c.IDBIndex&&c.IDBKeyRange&&c.IDBObjectStore))return e.return(!1)}catch(f){return e.return(!1)}if(!("IDBTransaction"in self&&"objectStoreNames"in IDBTransaction.prototype))return e.return(!1);g.pa(e,2);d={actualName:"yt-idb-test-do-not-use",publicName:"yt-idb-test-do-not-use",userIdentifier:void 0}; +return g.y(e,ypa(d,pB),4);case 4:return g.y(e,mB("yt-idb-test-do-not-use",pB),5);case 5:return e.return(!0);case 2:return g.sa(e),e.return(!1)}})}; +Cpa=function(){if(void 0!==qB)return qB;tA=!0;return qB=Bpa().then(function(a){tA=!1;var b;if(null!=(b=mA())&&b.j){var c;b={hasSucceededOnce:(null==(c=nA())?void 0:c.hasSucceededOnce)||a};var d;null==(d=mA())||d.set("LAST_RESULT_ENTRY_KEY",b,2592E3,!0)}return a})}; +rB=function(){return g.Ga("ytglobal.idbToken_")||void 0}; +g.sB=function(){var a=rB();return a?Promise.resolve(a):Cpa().then(function(b){(b=b?pB:void 0)&&g.Fa("ytglobal.idbToken_",b);return b})}; +Dpa=function(a){if(!g.dA())throw a=new g.yA("AUTH_INVALID",{dbName:a}),uA(a),a;var b=g.cA();return{actualName:a+":"+b,publicName:a,userIdentifier:b}}; +Epa=function(a,b,c,d){var e,f,h,l,m,n;return g.A(function(p){switch(p.j){case 1:return f=null!=(e=Error().stack)?e:"",g.y(p,g.sB(),2);case 2:h=p.u;if(!h)throw l=g.DA("openDbImpl",a,b),g.gy("ytidb_async_stack_killswitch")||(l.stack=l.stack+"\n"+f.substring(f.indexOf("\n")+1)),uA(l),l;wA(a);m=c?{actualName:a,publicName:a,userIdentifier:void 0}:Dpa(a);g.pa(p,3);return g.y(p,ypa(m,h),5);case 5:return g.y(p,wpa(m.actualName,b,d),6);case 6:return p.return(p.u);case 3:return n=g.sa(p),g.pa(p,7),g.y(p,mB(m.actualName, +h),9);case 9:g.ra(p,8);break;case 7:g.sa(p);case 8:throw n;}})}; +Fpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!1,c)}; +Gpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!0,c)}; +Hpa=function(a,b){b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);d=Dpa(a);return g.y(e,iB(d.actualName,b),3)}return g.y(e,mB(d.actualName,c),0)})}; +Ipa=function(a,b,c){a=a.map(function(d){return g.A(function(e){return 1==e.j?g.y(e,iB(d.actualName,b),2):g.y(e,mB(d.actualName,c),0)})}); +return Promise.all(a).then(function(){})}; +Jpa=function(a){var b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);return g.y(e,Apa(a,c),3)}d=e.u;return g.y(e,Ipa(d,b,c),0)})}; +Kpa=function(a,b){b=void 0===b?{}:b;var c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){c=d.u;if(!c)return d.return();wA(a);return g.y(d,iB(a,b),3)}return g.y(d,mB(a,c),0)})}; +tB=function(a,b){jB.call(this,a,b);this.options=b;wA(a)}; +Lpa=function(a,b){var c;return function(){c||(c=new tB(a,b));return c}}; +g.uB=function(a,b){return Lpa(a,b)}; +vB=function(a){return g.kB(Mpa(),a)}; +Npa=function(a,b,c,d){var e,f,h;return g.A(function(l){switch(l.j){case 1:return e={config:a,hashData:b,timestamp:void 0!==d?d:(0,g.M)()},g.y(l,vB(c),2);case 2:return f=l.u,g.y(l,f.clear("hotConfigStore"),3);case 3:return g.y(l,g.PA(f,"hotConfigStore",e),4);case 4:return h=l.u,l.return(h)}})}; +Opa=function(a,b,c,d,e){var f,h,l;return g.A(function(m){switch(m.j){case 1:return f={config:a,hashData:b,configData:c,timestamp:void 0!==e?e:(0,g.M)()},g.y(m,vB(d),2);case 2:return h=m.u,g.y(m,h.clear("coldConfigStore"),3);case 3:return g.y(m,g.PA(h,"coldConfigStore",f),4);case 4:return l=m.u,m.return(l)}})}; +Ppa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["coldConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("coldConfigStore").index("coldTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Qpa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["hotConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("hotConfigStore").index("hotTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Rpa=function(){return g.A(function(a){return g.y(a,Jpa("ytGcfConfig"),0)})}; +CB=function(){var a=this;this.D=!1;this.B=this.C=0;this.Ne={F7a:function(){a.D=!0}, +Y6a:function(){return a.j}, +u8a:function(b){wB(a,b)}, +q8a:function(b){xB(a,b)}, +q3:function(){return a.coldHashData}, +r3:function(){return a.hotHashData}, +j7a:function(){return a.u}, +d7a:function(){return yB()}, +f7a:function(){return zB()}, +e7a:function(){return g.Ga("yt.gcf.config.coldHashData")}, +g7a:function(){return g.Ga("yt.gcf.config.hotHashData")}, +J8a:function(){Spa(a)}, +l8a:function(){AB(a,"hotHash");BB(a,"coldHash");delete CB.instance}, +s8a:function(b){a.B=b}, +a7a:function(){return a.B}}}; +Tpa=function(){CB.instance||(CB.instance=new CB);return CB.instance}; +Upa=function(a){var b;g.A(function(c){if(1==c.j)return g.gy("gcf_config_store_enabled")||g.gy("delete_gcf_config_db")?g.gy("gcf_config_store_enabled")?g.y(c,g.sB(),3):c.Ka(2):c.return();2!=c.j&&((b=c.u)&&g.dA()&&!g.gy("delete_gcf_config_db")?(a.D=!0,Spa(a)):(xB(a,g.ey("RAW_COLD_CONFIG_GROUP")),BB(a,g.ey("SERIALIZED_COLD_HASH_DATA")),DB(a,a.j.configData),wB(a,g.ey("RAW_HOT_CONFIG_GROUP")),AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"))));return g.gy("delete_gcf_config_db")?g.y(c,Rpa(),0):c.Ka(0)})}; +Vpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.u)return l.return(zB());if(!a.D)return b=g.DA("getHotConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getHotConfig token error");ny(e);l.Ka(2);break}return g.y(l,Qpa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return wB(a,f.config),AB(a,f.hashData),l.return(zB());case 2:wB(a,g.ey("RAW_HOT_CONFIG_GROUP"));AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"));if(!(c&&a.u&&a.hotHashData)){l.Ka(4); +break}return g.y(l,Npa(a.u,a.hotHashData,c,d),4);case 4:return a.u?l.return(zB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Wpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.j)return l.return(yB());if(!a.D)return b=g.DA("getColdConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getColdConfig");ny(e);l.Ka(2);break}return g.y(l,Ppa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return xB(a,f.config),DB(a,f.configData),BB(a,f.hashData),l.return(yB());case 2:xB(a,g.ey("RAW_COLD_CONFIG_GROUP"));BB(a,g.ey("SERIALIZED_COLD_HASH_DATA"));DB(a,a.j.configData); +if(!(c&&a.j&&a.coldHashData&&a.configData)){l.Ka(4);break}return g.y(l,Opa(a.j,a.coldHashData,a.configData,c,d),4);case 4:return a.j?l.return(yB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Spa=function(a){if(!a.u||!a.j){if(!rB()){var b=g.DA("scheduleGetConfigs");ny(b)}a.C||(a.C=g.Ap.xi(function(){return g.A(function(c){if(1==c.j)return g.y(c,Vpa(a),2);if(3!=c.j)return g.y(c,Wpa(a),3);a.C&&(a.C=0);g.oa(c)})},100))}}; +Xpa=function(a,b,c){var d,e,f;return g.A(function(h){if(1==h.j){if(!g.gy("update_log_event_config"))return h.Ka(0);c&&wB(a,c);AB(a,b);return(d=rB())?c?h.Ka(4):g.y(h,Qpa(d),5):h.Ka(0)}4!=h.j&&(e=h.u,c=null==(f=e)?void 0:f.config);return g.y(h,Npa(c,b,d),0)})}; +Ypa=function(a,b,c){var d,e,f,h;return g.A(function(l){if(1==l.j){if(!g.gy("update_log_event_config"))return l.Ka(0);BB(a,b);return(d=rB())?c?l.Ka(4):g.y(l,Ppa(d),5):l.Ka(0)}4!=l.j&&(e=l.u,c=null==(f=e)?void 0:f.config);if(!c)return l.Ka(0);h=c.configData;return g.y(l,Opa(c,b,h,d),0)})}; +wB=function(a,b){a.u=b;g.Fa("yt.gcf.config.hotConfigGroup",a.u)}; +xB=function(a,b){a.j=b;g.Fa("yt.gcf.config.coldConfigGroup",a.j)}; +AB=function(a,b){a.hotHashData=b;g.Fa("yt.gcf.config.hotHashData",a.hotHashData)}; +BB=function(a,b){a.coldHashData=b;g.Fa("yt.gcf.config.coldHashData",a.coldHashData)}; +DB=function(a,b){a.configData=b;g.Fa("yt.gcf.config.coldConfigData",a.configData)}; +zB=function(){return g.Ga("yt.gcf.config.hotConfigGroup")}; +yB=function(){return g.Ga("yt.gcf.config.coldConfigGroup")}; +Zpa=function(){return"INNERTUBE_API_KEY"in cy&&"INNERTUBE_API_VERSION"in cy}; +g.EB=function(){return{innertubeApiKey:g.ey("INNERTUBE_API_KEY"),innertubeApiVersion:g.ey("INNERTUBE_API_VERSION"),pG:g.ey("INNERTUBE_CONTEXT_CLIENT_CONFIG_INFO"),CM:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME","WEB"),NU:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",1),innertubeContextClientVersion:g.ey("INNERTUBE_CONTEXT_CLIENT_VERSION"),EM:g.ey("INNERTUBE_CONTEXT_HL"),DM:g.ey("INNERTUBE_CONTEXT_GL"),OU:g.ey("INNERTUBE_HOST_OVERRIDE")||"",PU:!!g.ey("INNERTUBE_USE_THIRD_PARTY_AUTH",!1),FM:!!g.ey("INNERTUBE_OMIT_API_KEY_WHEN_AUTH_HEADER_IS_PRESENT", +!1),appInstallData:g.ey("SERIALIZED_CLIENT_CONFIG_DATA")}}; +g.FB=function(a){var b={client:{hl:a.EM,gl:a.DM,clientName:a.CM,clientVersion:a.innertubeContextClientVersion,configInfo:a.pG}};navigator.userAgent&&(b.client.userAgent=String(navigator.userAgent));var c=g.Ea.devicePixelRatio;c&&1!=c&&(b.client.screenDensityFloat=String(c));c=iy();""!==c&&(b.client.experimentsToken=c);c=jy();0=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.u.getLength())throw Error();return Vv(a.u,a.offset++)}; -Dy=function(a,b){b=void 0===b?!1:b;var c=Cy(a);if(1===c){c=-1;for(var d=0;7>d;d++){var e=Cy(a);-1===c&&255!==e&&(c=0);-1e&&d>c;e++)c=256*c+Cy(a),d*=128;return b?c:c-d}; -Ey=function(a,b,c){g.O.call(this);var d=this;this.D=a;this.B=[];this.u=null;this.Y=-1;this.R=0;this.ia=NaN;this.P=0;this.C=b;this.Ta=c;this.F=NaN;this.Aa=0;this.Ja=-1;this.I=this.X=this.Ga=this.aa=this.ha=this.K=this.fa=null;this.D.C&&(this.I=new Tfa(this.D,this.C),this.I.P.promise.then(function(e){d.I=null;1==e&&d.V("localmediachange",e)},function(){d.I=null; -d.V("localmediachange",4)}),Ufa(this.I)); -this.Qa=!1;this.ma=0}; -Fy=function(a){return a.B.length?a.B[0]:null}; -Gy=function(a){return a.B.length?a.B[a.B.length-1]:null}; -Ny=function(a,b,c){if(a.ha){if(a.D.Ms){var d=a.ha;var e=c.info;d=d.B!=e.B&&e.B!=d.B+1||d.type!=e.type||fe(d.K,e.K)&&d.B===e.B?!1:Mu(d,e)}else d=Mu(a.ha,c.info);d||(a.F=NaN,a.Aa=0,a.Ja=-1)}a.ha=c.info;a.C=c.info.u;0==c.info.C?Hy(a):!a.C.tf()&&a.K&&Pu(c.info,a.K);a.u?(c=$v(a.u,c),a.u=c):a.u=c;a:{c=g.aw(a.u.info.u.info);if(3!=a.u.info.type){if(!a.u.info.D)break a;6==a.u.info.type?Iy(a,b,a.u):Jy(a,a.u);a.u=null}for(;a.u;){d=a.u.u.getLength();if(0>=a.Y&&0==a.R){var f=a.u.u,h=-1;e=-1;if(c){for(var l=0;l+ -8e&&(h=-1)}else{f=new By(f);for(m=l=!1;;){n=f.offset;var p=f;try{var r=Dy(p,!0),t=Dy(p,!1);var w=r;var y=t}catch(B){y=w=-1}p=w;var x=y;if(0>p)break;if(408125543!==p)if(524531317===p)l=!0,0<=x&&(e=f.offset+x,m=!0);else{if(l&&(160===p||163===p)&&(0>h&&(h=n),m))break;163===p&&(h=Math.max(0,h),e=f.offset+x);if(160===p){0>h&&(e=h=f.offset+x);break}f.skip(x)}}0>h&&(e=-1)}if(0>h)break;a.Y=h;a.R= -e-h}if(a.Y>d)break;a.Y?(d=Ky(a,a.Y),d.C&&!a.C.tf()&&Ly(a,d),Iy(a,b,d),My(a,d),a.Y=0):a.R&&(d=Ky(a,0>a.R?Infinity:a.R),a.R-=d.u.getLength(),My(a,d))}}a.u&&a.u.info.D&&(My(a,a.u),a.u=null)}; -Jy=function(a,b){!a.C.tf()&&0==b.info.C&&(g.aw(b.info.u.info)||b.info.u.info.Zd())&&gw(b);if(1==b.info.type)try{Ly(a,b),Oy(a,b)}catch(d){M(d);var c=Ou(b.info);c.hms="1";a.V("error",c||{})}b.info.u.gu(b);a.I&&uy(a.I,b)}; -cga=function(a){var b=a.B.reduce(function(c,d){return c+d.u.getLength()},0); -a.u&&(b+=a.u.u.getLength());return b}; -Py=function(a){return g.Oc(a.B,function(b){return b.info})}; -Ky=function(a,b){var c=a.u,d=Math.min(b,c.u.getLength());if(d==c.u.getLength())return a.u=null,c;c.u.getLength();d=Math.min(d,c.info.rb);var e=c.u.split(d),f=e.iu;e=e.ln;var h=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C,d,!1,!1);f=new Xv(h,f,c.C);c=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C+d,c.info.rb-d,c.info.F,c.info.D);c=new Xv(c,e,!1);c=[f,c];a.u=c[1];return c[0]}; -Ly=function(a,b){b.u.getLength();var c=Yv(b);if(!a.D.sB&&gx(b.info.u.info)&&"bt2020"===b.info.u.info.Ma().primaries){var d=new qv(c);tv(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.u,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.u.info;fx(d)&&!gx(d)&&(d=Yv(b),zv(new qv(d)),yv([408125543,374648427,174,224],21936,d));b.info.u.info.isVideo()&&(d=b.info.u,d.info&&d.info.video&&4==d.info.video.projectionType&&!d.C&&(g.aw(d.info)?d.C=jfa(c):d.info.Zd()&&(d.C=lfa(c)))); -b.info.u.info.Zd()&&b.info.isVideo()&&(c=Yv(b),zv(new qv(c)),yv([408125543,374648427,174,224],30320,c)&&yv([408125543,374648427,174,224],21432,c));if(a.D.Cn&&b.info.u.info.Zd()){c=Yv(b);var e=new qv(c);if(tv(e,[408125543,374648427,174,29637])){d=wv(e,!0);e=e.start+e.u;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=Xu(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.u,e))}}if(b=a.fa&&!!a.fa.C.K)if(b=c.info.isVideo())b=fw(c),h=a.fa,Qy?(l=1/b,b=Ry(a,b)>=Ry(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&a.C.tf()&&c.info.B==c.info.u.index.Xb()&& -(b=a.fa,Qy?(l=fw(c),h=1/l,l=Ry(a,l),b=Ry(b)+h-l):b=b.getDuration()-a.getDuration(),b=1+b/c.info.duration,dv(Yv(c),b))}else{h=!1;a.K||(gw(c),c.B&&(a.K=c.B,h=!0,Pu(c.info,c.B),e=c.info.u.info,d=Yv(c),g.aw(e)?nv(d,1701671783):e.Zd()&&yv([408125543],307544935,d)));if(d=e=ew(c))d=c.info.u.info.Zd()&&160==Vv(c.u,0);if(d)a.P+=e,a.F=l+e;else{if(a.D.DB){if(l=f=a.Ta(bw(c),1),0<=a.F&&6!=c.info.type){f-=a.F;var n=f-a.Aa;d=c.info.B;var p=c.info.K,r=a.aa?a.aa.B:-1,t=a.aa?a.aa.K:-1,w=a.aa?a.aa.duration:-1;m=a.D.Hg&& -f>a.D.Hg;var y=a.D.sf&&n>a.D.sf;1E-4m&&d>a.Ja)&&p&&(d=Math.max(.95,Math.min(1.05,(e-(y-f))/e)),dv(Yv(c),d),d=ew(c),n=e-d,e=d))); -a.Aa=f+n}}else isNaN(a.F)?f=c.info.startTime:f=a.F,l=f;cw(c,l)?(isNaN(a.ia)&&(a.ia=l),a.P+=e,a.F=l+e):(l=Ou(c.info),l.smst="1",a.V("error",l||{}))}if(h&&a.K){h=Sy(a,!0);Qu(c.info,h);a.u&&Qu(a.u.info,h);b=g.q(b.info.u);for(l=b.next();!l.done;l=b.next())Qu(l.value,h);(c.info.D||a.u&&a.u.info.D)&&6!=c.info.type||(a.X=h,a.V("placeholderinfo",h),Ty(a))}}Oy(a,c);a.ma&&dw(c,a.ma);a.aa=c.info}; -My=function(a,b){if(b.info.D){a.Ga=b.info;if(a.K){var c=Sy(a,!1);a.V("segmentinfo",c);a.X||Ty(a);a.X=null}Hy(a)}a.I&&uy(a.I,b);if(c=Gy(a))if(c=$v(c,b,a.D.Ls)){a.B.pop();a.B.push(c);return}a.B.push(b)}; -Hy=function(a){a.u=null;a.Y=-1;a.R=0;a.K=null;a.ia=NaN;a.P=0;a.X=null}; -Oy=function(a,b){if(a.C.info.Ud){if(b.info.u.info.Zd()){var c=new qv(Yv(b));if(tv(c,[408125543,374648427,174,28032,25152,20533,18402])){var d=wv(c,!0);c=16!==d?null:Dv(c,d)}else c=null;d="webm"}else b.info.X=Zfa(Yv(b)),c=$fa(b.info.X),d="cenc";c&&c.length&&(c=new zy(c,d),c.Zd=b.info.u.info.Zd(),b.B&&b.B.cryptoPeriodIndex&&(c.cryptoPeriodIndex=b.B.cryptoPeriodIndex),a.D.Ps&&b.B&&b.B.D&&(c.u=b.B.D),a.V("needkeyinfo",c))}}; -Ty=function(a){var b=a.K,c;b.data["Cuepoint-Type"]?c=new yu(Uy?Number(b.data["Cuepoint-Playhead-Time-Sec"])||0:-(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0),Number(b.data["Cuepoint-Total-Duration-Sec"])||0,b.data["Cuepoint-Context"],b.data["Cuepoint-Identifier"]||"",dga[b.data["Cuepoint-Event"]||""]||"unknown",1E3*(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0)):c=null;c&&(c.startSecs+=a.ia,a.V("cuepoint",c,b.u))}; -Sy=function(a,b){var c=a.K;if(c.data["Stitched-Video-Id"]||c.data["Stitched-Video-Duration-Us"]||c.data["Stitched-Video-Start-Frame-Index"]||c.data["Serialized-State"]){var d=c.data["Stitched-Video-Id"]?c.data["Stitched-Video-Id"].split(",").slice(0,-1):[];var e=[];if(c.data["Stitched-Video-Duration-Us"])for(var f=g.q(c.data["Stitched-Video-Duration-Us"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push((Number(h.value)||0)/1E6);e=[];if(c.data["Stitched-Video-Start-Frame-Index"])for(f= -g.q(c.data["Stitched-Video-Start-Frame-Index"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push(Number(h.value)||0);d=new aga(d,c.data["Serialized-State"]?c.data["Serialized-State"]:"")}return new Cu(c.u,a.ia,b?c.kh:a.P,c.ingestionTime,"sq/"+c.u,void 0,void 0,b,d)}; -Ry=function(a,b){b=void 0===b?0:b;var c=b?Math.round(a.ma*b)/b:a.ma;a.C.K&&c&&(c+=a.C.K.u);return c+a.getDuration()}; -Vy=function(a,b){0>b||(a.B.forEach(function(c){return dw(c,b)}),a.ma=b)}; -Wy=function(a,b,c){var d=this;this.fl=a;this.ie=b;this.loaded=this.status=0;this.error="";a=Eu(this.fl.get("range")||"");if(!a)throw Error("bad range");this.range=a;this.u=new Mv;ega(this).then(c,function(e){d.error=""+e||"unknown_err";c()})}; -ega=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w,y,x,B;return xa(c,function(E){if(1==E.u){d.status=200;e=d.fl.get("docid");f=nd(d.fl.get("fmtid")||"");h=+(d.fl.get("csz")||0);if(!e||!f||!h)throw Error("Invalid local URL");l=d.range;m=Math.floor(l.start/h);n=Math.floor(l.end/h);p=m}if(5!=E.u)return p<=n?E=sa(E,Nfa(e,f,p),5):(E.u=0,E=void 0),E;r=E.B;if(void 0===r)throw Error("invariant: data is undefined");t=p*h;w=(p+1)*h;y=Math.max(0,l.start-t);x=Math.min(l.end+1,w)-(y+t);B= -new Uint8Array(r.buffer,y,x);d.u.append(B);d.loaded+=x;d.loadedf?(a.C+=e,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=lz(a)?d+b:d+Math.max(b,c);a.P=d}; -jz=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; -oz=function(){return!("function"!==typeof window.fetch||!window.ReadableStream)}; -pz=function(a){if(a.nq())return!1;a=a.qe("content-type");return"audio/mp4"===a||"video/mp4"===a||"video/webm"===a}; -qz=function(a,b,c,d,e,f){var h=void 0===f?{}:f;f=void 0===h.method?"GET":h.method;var l=h.headers,m=h.body;h=void 0===h.credentials?"include":h.credentials;this.aa=b;this.Y=c;this.fa=d;this.policy=e;this.status=0;this.response=void 0;this.X=!1;this.B=0;this.R=NaN;this.aborted=this.I=this.P=!1;this.errorMessage="";this.method=f;this.headers=l;this.body=m;this.credentials=h;this.u=new Mv;this.id=iga++;this.D=window.AbortController?new AbortController:void 0;this.start(a);this.startTime=Date.now()}; -sz=function(a){a.C.read().then(function(b){if(!a.na()){var c;window.performance&&window.performance.now&&(c=window.performance.now());var d=Date.now(),e=b.value?b.value:void 0;a.F&&(a.u.append(a.F),a.F=void 0);b.done?(a.C=void 0,a.onDone()):(a.B+=e.length,rz(a)?a.u.append(e):a.F=e,a.aa(d,a.B,c),sz(a))}},function(b){a.onError(b)}).then(void 0,M)}; -rz=function(a){var b=a.qe("content-type");b="audio/mp4"===b||"video/mp4"===b;return a.policy.B&&a.policy.rf&&pz(a)&&b}; -tz=function(a,b,c,d){var e=this;this.status=0;this.na=this.B=!1;this.u=NaN;this.xhr=new XMLHttpRequest;this.xhr.open("GET",a);this.xhr.responseType="arraybuffer";this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){2===e.xhr.readyState&&e.F()}; -this.C=c;this.D=b;this.F=d;a=Eo(function(f){e.onDone(f)}); -this.xhr.addEventListener("load",a,!1);this.xhr.addEventListener("error",a,!1);this.xhr.send();this.xhr.addEventListener("progress",Eo(function(f){e.ie(f)}),!1)}; -vz=function(){this.C=this.u=0;this.B=Array.from({length:uz.length}).fill(0)}; -wz=function(){}; -xz=function(a){this.name=a;this.startTimeMs=(0,g.N)();this.u=!1}; -Az=function(a,b){var c=this;return yz?function(d){for(var e=[],f=0;fb||(a in Dz||(Dz[a]=new vz),Dz[a].iH(b,c))}; -Ez=function(a,b){var c="";49=d.getLength()&&(c=Tv(d),c=Su(c),c=ow(c)?c:"")}if(c){d=Fz(a);(0,g.N)();d.started=0;d.B=0;d.u=0;d=a.info;var e=a.B;g.Pw(d.B,e,c);d.requestId=e.get("req_id");return 4}c=b.Uu();if((d=!!a.info.range&&a.info.range.length)&&d!==c||b.bA())return a.Yg="net.closed",6;Mz(a,!0);if(a.u.FD&&!d&&a.le&&(d=a.le.u,d.length&&!Zv(d[0])))return a.Yg= -"net.closed",6;e=wy(a)?b.qe("X-Bandwidth-Est"):0;if(d=wy(a)?b.qe("X-Bandwidth-Est3"):0)a.vH=!0,a.u.rB&&(e=d);d=a.timing;var f=e?parseInt(e,10):0;e=g.A();if(!d.ma){d.ma=!0;if(!d.aj){e=e>d.u&&4E12>e?e:g.A();kz(d,e,c);hz(d,e,c);var h=bz(d);if(2===h&&f)fz(d,d.B/f,d.B);else if(2===h||1===h)f=(e-d.u)/1E3,(f<=d.schedule.P.u||!d.schedule.P.u)&&!d.Aa&&lz(d)&&fz(d,f,c),lz(d)&&Nz(d.schedule,c,d.C);Oz(d.schedule,(e-d.u)/1E3||.05,d.B,d.aa,d.Ng,d.Fm)}d.deactivate()}c=Fz(a);(0,g.N)();c.started=0;c.B=0;c.u=0;a.info.B.B= -0;(0,g.N)()c.indexOf("googlevideo.com")||(nga({primary:c}),Pz=(0,g.N)());return 5}; -Gz=function(a){if("net.timeout"===a.Yg){var b=a.timing,c=g.A();if(!b.aj){c=c>b.u&&4E12>c?c:g.A();kz(b,c,1024*b.Y);var d=(c-b.u)/1E3;2!==bz(b)&&(lz(b)?(b.C+=(c-b.D)/1E3,Nz(b.schedule,b.B,b.C)):(dz(b)||b.aj||ez(b.schedule,d),b.fa=c));Oz(b.schedule,d,b.B,b.aa,b.Ng,b.Fm);gz(b.schedule,(c-b.D)/1E3,0)}}"net.nocontent"!=a.Yg&&("net.timeout"===a.Yg||"net.connect"===a.Yg?(b=Fz(a),b.B+=1):(b=Fz(a),b.u+=1),a.info.B.B++);yy(a,6)}; -Qz=function(a){a.na();var b=Fz(a);return 100>b.B&&b.u=c)}; -mga=function(a){var b=(0,g.z)(a.hR,a),c=(0,g.z)(a.jR,a),d=(0,g.z)(a.iR,a);if(yw(a.B.og))return new Wy(a.B,c,b);var e=a.B.Ld();return a.u.fa&&(a.u.yB&&!isNaN(a.info.wf)&&a.info.wf>a.u.yI?0:oz())?new qz(e,c,b,d,a.u.D):new tz(e,c,b,d)}; -pga=function(a){a.le&&a.le.F?(a=a.le.F,a=new Iu(a.type,a.u,a.range,"getEmptyStubAfter_"+a.R,a.B,a.startTime+a.duration,0,a.C+a.rb,0,!1)):(a=a.info.u[0],a=new Iu(a.type,a.u,a.range,"getEmptyStubBefore_"+a.R,a.B,a.startTime,0,a.C,0,!1));return a}; -Tz=function(a){return 1>a.state?!1:a.le&&a.le.u.length||a.Ab.Mh()?!0:!1}; -Uz=function(a){Mz(a,!1);return a.le?a.le.u:[]}; -Mz=function(a,b){if(b||a.Ab.Dm()&&a.Ab.Mh()&&!Lz(a)&&!a.Oo){if(!a.le){if(a.Ab.tj())a.info.range&&(c=a.info.range.length);else var c=a.Ab.Uu();a.le=new Wfa(a.info.u,c)}for(;a.Ab.Mh();)a:{c=a.le;var d=a.Ab.Vu(),e=b&&!a.Ab.Mh();c.D&&(Ov(c.D,d),d=c.D,c.D=null);for(var f=0,h=0,l=g.q(c.B),m=l.next();!m.done;m=l.next())if(m=m.value,m.range&&f+m.rb<=c.C)f+=m.rb;else{d.getLength();if(Ju(m)&&!e&&c.C+d.getLength()-ha.info.u[0].B)return!1}return!0}; -Vz=function(a,b){return{start:function(c){return a[c]}, -end:function(c){return b[c]}, -length:a.length}}; -Wz=function(a,b,c){b=void 0===b?",":b;c=void 0===c?a?a.length:0:c;var d=[];if(a)for(c=Math.max(a.length-c,0);c=b)return c}catch(d){}return-1}; -cA=function(a,b){return 0<=Xz(a,b)}; -qga=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.start(c):NaN}; -dA=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.end(c):NaN}; -eA=function(a){return a&&a.length?a.end(a.length-1):NaN}; -fA=function(a,b){var c=dA(a,b);return 0<=c?c-b:0}; -gA=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return Vz(d,e)}; -hA=function(a,b,c){this.aa=a;this.u=b;this.D=[];this.C=new Ey(a,b,c);this.B=this.K=null;this.ma=0;this.zb=b.info.zb;this.ia=0;this.R=b.po();this.I=-1;this.za=b.po();this.F=this.R;this.P=!1;this.Y=-1;this.ha=null;this.fa=0;this.X=!1}; -iA=function(a,b){b&&Qy&&Vy(a.C,b.ly());a.K=b}; -jA=function(a){return a.K&&a.K.Pt()}; -lA=function(a){for(;a.D.length&&5==a.D[0].state;){var b=a.D.shift();kA(a,b);b=b.timing;a.ma=(b.D-b.u)/1E3}a.D.length&&Tz(a.D[0])&&!a.D[0].info.Ng()&&kA(a,a.D[0])}; -kA=function(a,b){if(Tz(b)){if(Uz(b).length){b.I=!0;var c=b.le;var d=c.u;c.u=[];c.F=g.db(d).info;c=d}else c=[];c=g.q(c);for(d=c.next();!d.done;d=c.next())mA(a,b,d.value)}}; -mA=function(a,b,c){switch(c.info.type){case 1:case 2:Jy(a.C,c);break;case 4:var d=c.info.u.HE(c);c=c.info;var e=a.B;e&&e.u==c.u&&e.type==c.type&&(c.range&&e.range?e.range.start==c.range.start&&e.range.end==c.range.end:e.range==c.range)&&e.B==c.B&&e.C==c.C&&e.rb==c.rb&&(a.B=g.db(d).info);d=g.q(d);for(c=d.next();!c.done;c=d.next())mA(a,b,c.value);break;case 3:Ny(a.C,b,c);break;case 6:Ny(a.C,b,c),a.B=c.info}}; -nA=function(a,b){var c=b.info;c.u.info.zb>=a.zb&&(a.zb=c.u.info.zb)}; -rA=function(a,b,c){c=void 0===c?!1:c;if(a.K){var d=a.K.Se(),e=dA(d,b),f=NaN,h=jA(a);h&&(f=dA(d,h.u.index.Xe(h.B)));if(e==f&&a.B&&a.B.rb&&oA(pA(a),0))return b}a=qA(a,b,c);return 0<=a?a:NaN}; -tA=function(a,b){a.u.Fe();var c=qA(a,b);if(0<=c)return c;c=a.C;c.I?(c=c.I,c=c.B&&3==c.B.type?c.B.startTime:0):c=Infinity;b=Math.min(b,c);a.B=a.u.Kj(b).u[0];sA(a)&&a.K&&a.K.abort();a.ia=0;return a.B.startTime}; -uA=function(a){a.R=!0;a.F=!0;a.I=-1;tA(a,Infinity)}; -vA=function(a){var b=0;g.Cb(a.D,function(c){var d=b;c=c.le&&c.le.length?Xfa(c.le):Uw(c.info);b=d+c},a); -return b+=cga(a.C)}; -wA=function(a,b){if(!a.K)return 0;var c=jA(a);if(c&&c.F)return c.I;c=a.K.Se(!0);return fA(c,b)}; -yA=function(a){xA(a);a=a.C;a.B=[];Hy(a)}; -zA=function(a,b,c,d){xA(a);for(var e=a.C,f=!1,h=e.B.length-1;0<=h;h--){var l=e.B[h];l.info.B>=b&&(e.B.pop(),e.F-=ew(l),f=!0)}f&&(e.ha=0c?tA(a,d):a.B=a.u.ql(b-1,!1).u[0]}; -CA=function(a,b){var c;for(c=0;ce.C&&d.C+d.rb<=e.C+e.rb})?a.B=d:Ku(b.info.u[0])?a.B=pga(b):a.B=null}}; -sA=function(a){var b;!(b=!a.aa.Js&&"f"===a.u.info.Db)&&(b=a.aa.zh)&&(b=a.C,b=!!b.I&&sy(b.I));if(b)return!0;b=jA(a);if(!b)return!1;var c=b.F&&b.D;return a.za&&0=a.Y:c}; -pA=function(a){var b=[],c=jA(a);c&&b.push(c);b=g.qb(b,Py(a.C));g.Cb(a.D,function(d){g.Cb(d.info.u,function(e){d.I&&(b=g.Ke(b,function(f){return!(f.u!=e.u?0:f.range&&e.range?f.range.start+f.C>=e.range.start+e.C&&f.range.start+f.C+f.rb<=e.range.start+e.C+e.rb:f.B==e.B&&f.C>=e.C&&(f.C+f.rb<=e.C+e.rb||e.D))})); -(Ku(e)||4==e.type)&&b.push(e)})}); -a.B&&!ffa(a.B,g.db(b),a.B.u.tf())&&b.push(a.B);return b}; -oA=function(a,b){if(!a.length)return!1;for(var c=b+1;c=b){b=f;break a}}b=e}return 0>b?NaN:oA(a,c?b:0)?a[b].startTime:NaN}; -DA=function(a){return ki(a.D,function(b){return 3<=b.state})}; -EA=function(a){return!(!a.B||a.B.u==a.u)}; -FA=function(a){return EA(a)&&a.u.Fe()&&a.B.u.info.zbb&&a.I=l)if(l=e.shift(),h=(h=m.exec(l))?+h[1]/1E3:0)l=(l=n.exec(l))?+l[1]:0,l+=1; -else return;c.push(new Cu(p,f,h,NaN,"sq/"+(p+1)));f+=h;l--}a.index.append(c)}}; -Fga=function(a,b){this.experimentIds=a?a.split(","):[];this.flags=Vp(b||"");var c={};g.Cb(this.experimentIds,function(d){c[d]=!0}); -this.experiments=c}; -g.Q=function(a,b){return"true"===a.flags[b]}; -g.P=function(a,b){return Number(a.flags[b])||0}; -g.kB=function(a,b){var c=a.flags[b];return c?c.toString():""}; -Gga=function(a,b,c,d){this.displayName=a;this.vssId=b;this.languageCode=c;this.kind=void 0===d?"":d}; -lB=function(a,b,c){this.name=a;this.id=b;this.isDefault=c}; -mB=function(){var a=g.Ja("yt.player.utils.videoElement_");a||(a=g.Fe("VIDEO"),g.Fa("yt.player.utils.videoElement_",a,void 0));return a}; -nB=function(a){var b=mB();return!!(b&&b.canPlayType&&b.canPlayType(a))}; -Hga=function(a){try{var b=oB('video/mp4; codecs="avc1.42001E"')||oB('video/webm; codecs="vp9"');return(oB('audio/mp4; codecs="mp4a.40.2"')||oB('audio/webm; codecs="opus"'))&&(b||!a)||nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')?null:"fmt.noneavailable"}catch(c){return"html5.missingapi"}}; -oB=function(a){if(/opus/.test(a)&&(g.pB&&!In("38")||g.pB&&dr("crkey")))return!1;if(window.MediaSource&&window.MediaSource.isTypeSupported)return window.MediaSource.isTypeSupported(a);if(/webm/.test(a)&&!jr())return!1;'audio/mp4; codecs="mp4a.40.2"'===a&&(a='video/mp4; codecs="avc1.4d401f"');return!!nB(a)}; -qB=function(){return"pictureInPictureEnabled"in window.document&&!!window.document.pictureInPictureEnabled}; -rB=function(){var a=mB();return!!a.webkitSupportsPresentationMode&&"function"===typeof a.webkitSetPresentationMode}; -sB=function(){var a=mB();try{var b=a.muted;a.muted=!b;return a.muted!==b}catch(c){}return!1}; -tB=function(a,b,c,d){g.O.call(this);var e=this;this.Rc=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.CD={error:function(){!e.na()&&e.isActive&&e.V("error",e)}, -updateend:function(){!e.na()&&e.isActive&&e.V("updateend",e)}}; -vt(this.Rc,this.CD);this.zs=this.isActive}; -uB=function(a,b,c){this.errorCode=a;this.u=b;this.details=c||{}}; -g.vB=function(a){var b;for(b in a)if(a.hasOwnProperty(b)){var c=(""+a[b]).replace(/[:,=]/g,"_");var d=(d?d+";":"")+b+"."+c}return d||""}; -wB=function(a){var b=void 0===b?!1:b;if(a instanceof uB)return a;a=a&&a instanceof Error?a:Error(""+a);b?g.Hs(a):g.Is(a);return new uB(b?"player.fatalexception":"player.exception",b,{name:""+a.name,message:""+a.message})}; -xB=function(a,b,c,d,e){var f;g.O.call(this);var h=this;this.jc=a;this.de=b;this.id=c;this.containerType=d;this.isVideo=e;this.iE=this.yu=this.Zy=null;this.appendWindowStart=this.timestampOffset=0;this.cC=Vz([],[]);this.Xs=!1;this.Oj=function(l){return h.V(l.type,h)}; -if(null===(f=this.jc)||void 0===f?0:f.addEventListener)this.jc.addEventListener("updateend",this.Oj),this.jc.addEventListener("error",this.Oj)}; -yB=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; -zB=function(a,b){this.u=a;this.B=void 0===b?!1:b;this.C=!1}; -AB=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaSource=a;this.de=b;this.isView=c;this.C=0;this.callback=null;this.events=new rt(this);g.D(this,this.events);this.Tq=new zB(this.mediaSource?window.URL.createObjectURL(this.mediaSource):this.de.webkitMediaSourceURL,!0);a=this.mediaSource||this.de;tt(this.events,a,["sourceopen","webkitsourceopen"],this.FQ);tt(this.events,a,["sourceclose","webkitsourceclose"],this.EQ)}; -Iga=function(a,b){BB(a)?g.mm(function(){return b(a)}):a.callback=b}; -CB=function(a){return!!a.u||!!a.B}; -BB=function(a){try{return"open"===DB(a)}catch(b){return!1}}; -EB=function(a){try{return"closed"===DB(a)}catch(b){return!0}}; -DB=function(a){if(a.mediaSource)return a.mediaSource.readyState;switch(a.de.webkitSourceState){case a.de.SOURCE_OPEN:return"open";case a.de.SOURCE_ENDED:return"ended";default:return"closed"}}; -FB=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; -GB=function(a,b,c,d){if(!a.u||!a.B)return null;var e=a.u.isView()?a.u.Rc:a.u,f=a.B.isView()?a.B.Rc:a.B,h=new AB(a.mediaSource,a.de,!0);h.Tq=a.Tq;e=new tB(e,b,c,d);b=new tB(f,b,c,d);h.u=e;h.B=b;g.D(h,e);g.D(h,b);BB(a)||a.u.ip(a.u.yc());return h}; -Jga=function(a,b){return HB(function(c,d){return g.Vs(c,d,4,1E3)},a,b)}; -g.IB=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=Su(new Uint8Array(a.response))):b=a.responseText;return!b||2048=a.K}; -XB=function(a){var b=a.K;isFinite(b)&&(WB(a)?a.refresh():(b=Math.max(0,a.Y+b-(0,g.N)()),a.D||(a.D=new g.F(a.refresh,b,a),g.D(a,a.D)),a.D.start(b)))}; -Vga=function(a){a=a.u;for(var b in a){var c=a[b].index;if(c.Uc())return c.Xb()+1}return 0}; -YB=function(a){return a.Nm&&a.B?a.Nm-a.B:0}; -ZB=function(a){if(!isNaN(a.X))return a.X;var b=a.u,c;for(c in b){var d=b[c].index;if(d.Uc()){b=0;for(c=d.Eh();c<=d.Xb();c++)b+=d.getDuration(c);b/=d.fo();b=.5*Math.round(b/.5);d.fo()>a.ma&&(a.X=b);return b}if(a.isLive&&(d=b[c],d.kh))return d.kh}return NaN}; -Wga=function(a,b){var c=Rb(a.u,function(e){return e.index.Uc()}); -if(!c)return NaN;c=c.index;var d=c.Gh(b);return c.Xe(d)==b?b:d=c||(c=new yu(a.u.Ce.startSecs-(a.R.Dc&&!isNaN(a.I)?a.I:0),c,a.u.Ce.context,a.u.Ce.identifier,"stop",a.u.Ce.u+1E3*b.duration),a.V("ctmp","cuepointdiscontinuity","segNum."+b.qb,!1),a.Y(c,b.qb))}}; -bC=function(a,b){a.C=null;a.K=!1;0=f&&a.Da.I?(a.I++,fC(a,"iterativeSeeking","inprogress;count."+a.I+";target."+ -a.D+";actual."+f+";duration."+h+";isVideo."+c,!1),a.seek(a.D)):(fC(a,"iterativeSeeking","incomplete;count."+a.I+";target."+a.D+";actual."+f,!1),a.I=0,a.B.F=!1,a.u.F=!1,a.V("seekplayerrequired",f+.1,!0)))}})}; -aha=function(a,b,c){if(!a.C)return-1;c=(c?a.B:a.u).u.index;var d=c.Gh(a.D);return(bB(c,a.F.Hd)||b.qb==a.F.Hd)&&d=navigator.hardwareConcurrency&&(d=e);(e=g.P(a.experiments,"html5_av1_thresh_hcc"))&&4=c)}; -JC=function(a,b,c){this.videoInfos=a;this.audioTracks=[];this.u=b||null;this.B=c||null;if(this.u)for(a=new Set,b=g.q(this.u),c=b.next();!c.done;c=b.next())if(c=c.value,c.u&&!a.has(c.u.id)){var d=new CC(c.id,c.u);a.add(c.u.id);this.audioTracks.push(d)}}; -LC=function(a,b,c,d){var e=[],f={};if(LB(c)){for(var h in c.u)d=c.u[h],f[d.info.Db]=[d.info];return f}for(var l in c.u){h=c.u[l];var m=h.info.Yb();if(""==h.info.Db)e.push(m),e.push("unkn");else if("304"!=m&&"266"!=m||!a.fa)if(a.ia&&"h"==h.info.Db&&h.info.video&&1080y}; -a.u&&e("lth."+w+".uth."+y);n=n.filter(function(B){return x(B.Ma().Fc)}); -p=p.filter(function(B){return!x(B.Ma().Fc)})}t=["1", -m];r=[].concat(n,p).filter(function(B){return B})}if(r.length&&!a.C){OC(r,d,t); -if(a.u){a=[];m=g.q(r);for(c=m.next();!c.done;c=m.next())a.push(c.value.Yb());e("hbdfmt."+a.join("."))}return Ys(new JC(r,d,PC(l,"",b)))}r=dha(a);r=g.fb(r,h);if(!r)return a.u&&e("novideo"),Xs();a.Ub&&"1"==r&&l[m]&&(c=NC(l["1"]),NC(l[m])>c&&(r=m));"9"==r&&l.h&&(m=NC(l["9"]),NC(l.h)>1.5*m&&(r="h"));a.u&&e("vfmly."+MC(r));m=l[r];if(!m.length)return a.u&&e("novfmly."+MC(r)),Xs();OC(m,d);return Ys(new JC(m,d,PC(l,r,b)))}; -PC=function(a,b,c){var d=a.h;"f"==b&&(d=a[b]);var e=a.a;b=a[b]!=d;a=a[c]!=e;return d&&e&&(b||a)?(OC(d,e),new JC(d,e)):null}; -OC=function(a,b,c){c=void 0===c?[]:c;g.zb(a,function(d,e){var f=e.Ma().height*e.Ma().width-d.Ma().height*d.Ma().width;if(!f&&c&&0c&&(b=a.I&&(a.X||iC(a,jC.FRAMERATE))?g.Ke(b,function(d){return 32oqa||h=rqa&&(SB++,g.gy("abandon_compression_after_N_slow_zips")?RB===g.hy("compression_disable_point")&&SB>sqa&&(PB=!1):PB=!1);tqa(f);if(uqa(l,b)||!g.gy("only_compress_gel_if_smaller"))c.headers||(c.headers={}),c.headers["Content-Encoding"]="gzip",c.postBody=l,c.postParams=void 0}d(a, +c)}catch(n){ny(n),d(a,c)}else d(a,c)}; +vqa=function(a){var b=void 0===b?!1:b;var c=(0,g.M)(),d={startTime:c,ticks:{},infos:{}};if(PB){if(!a.body)return a;try{var e="string"===typeof a.body?a.body:JSON.stringify(a.body),f=QB(e);if(f>oqa||f=rqa)if(SB++,g.gy("abandon_compression_after_N_slow_zips")){b=SB/RB;var m=sqa/g.hy("compression_disable_point"); +0=m&&(PB=!1)}else PB=!1;tqa(d)}a.headers=Object.assign({},{"Content-Encoding":"gzip"},a.headers||{});a.body=h;return a}catch(n){return ny(n),a}}else return a}; +uqa=function(a,b){if(!window.Blob)return!0;var c=a.lengtha.xH)return p.return();a.potentialEsfErrorCounter++;if(void 0===(null==(n=b)?void 0:n.id)){p.Ka(8);break}return b.sendCountNumber(f.get("dhmu",h.toString())));this.Ns=h;this.Ya="3"===this.controlsType||this.u||R(!1,a.use_media_volume); -this.X=sB();this.tu=g.gD;this.An=R(!1,b&&e?b.embedOptOutDeprecation:a.opt_out_deprecation);this.pfpChazalUi=R(!1,(b&&e?b.pfpChazalUi:a.pfp_chazal_ui)&&!this.ba("embeds_pfp_chazal_ui_killswitch"));var m;b?void 0!==b.hideInfo&&(m=!b.hideInfo):m=a.showinfo;this.En=g.hD(this)&&!this.An||R(!iD(this)&&!jD(this)&&!this.I,m);this.Bn=b?!!b.mobileIphoneSupportsInlinePlayback:R(!1,a.playsinline);m=this.u&&kD&&null!=lD&&0=lD;h=b?b.useNativeControls:a.use_native_controls;f=this.u&&!this.ba("embeds_enable_mobile_custom_controls"); -h=mD(this)||!m&&R(f,h)?"3":"1";f=b?b.controlsType:a.controls;this.controlsType="0"!==f&&0!==f?h:"0";this.Oe=this.u;this.color=YC("red",b&&e?b.progressBarColor:a.color,vha);this.Bt="3"===this.controlsType||R(!1,b&&e?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Ga=!this.B;this.Fn=(h=!this.Ga&&!jD(this)&&!this.R&&!this.I&&!iD(this))&&!this.Bt&&"1"===this.controlsType;this.Nb=g.nD(this)&&h&&"0"===this.controlsType&&!this.Fn;this.tv=this.Mt=m;this.Gn=oD&&!g.ae(601)?!1:!0;this.Ms= -this.B||!1;this.Qa=jD(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=$C("",b&&e?b.widgetReferrer:a.widget_referrer);var n;b&&e?b.disableCastApi&&(n=!1):n=a.enablecastapi;n=!this.C||R(!0,n);m=!0;b&&b.disableMdxCast&&(m=!1);this.Ig=n&&m&&"1"===this.controlsType&&!this.u&&(jD(this)||g.nD(this)||g.pD(this))&&!g.qD(this)&&!rD(this);this.qv=qB()||rB();n=b?!!b.supportsAutoplayOverride:R(!1,a.autoplayoverride);this.Sl=!this.u&&!dr("nintendo wiiu")&&!dr("nintendo 3ds")|| -n;n=b?!!b.enableMutedAutoplay:R(!1,a.mutedautoplay);m=this.ba("embeds_enable_muted_autoplay")&&g.hD(this);this.Tl=n&&m&&this.X&&!mD(this);n=(jD(this)||iD(this))&&"blazer"===this.playerStyle;this.Jg=b?!!b.disableFullscreen:!R(!0,a.fs);this.za=!this.Jg&&(n||nt());this.yn=this.ba("uniplayer_block_pip")&&(er()&&In(58)&&!rr()||or);n=g.hD(this)&&!this.An;var p;b?void 0!==b.disableRelatedVideos&&(p=!b.disableRelatedVideos):p=a.rel;this.ub=n||R(!this.I,p);this.Dn=R(!1,b&&e?b.enableContentOwnerRelatedVideos: -a.co_rel);this.F=rr()&&0=lD?"_top":"_blank";this.Ne=g.pD(this);this.Ql=R("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":p="bl";break;case "gmail":p="gm";break;case "books":p="gb";break;case "docs":p="gd";break;case "duo":p="gu";break;case "google-live":p="gl";break;case "google-one":p="go";break;case "play":p="gp";break;case "chat":p="hc";break;case "hangouts-meet":p="hm";break;case "photos-edu":case "picasaweb":p="pw";break;default:p= -"yt"}this.Y=p;this.ye=$C("",b&&e?b.authorizedUserIndex:a.authuser);var r;b?void 0!==b.disableWatchLater&&(r=!b.disableWatchLater):r=a.showwatchlater;this.Ll=(this.B&&!this.ma||!!this.ye)&&R(!this.R,this.C?r:void 0);this.Hg=b?!!b.disableKeyboardControls:R(!1,a.disablekb);this.loop=R(!1,a.loop);this.pageId=$C("",a.pageid);this.uu=R(!0,a.canplaylive);this.Zi=R(!1,a.livemonitor);this.disableSharing=R(this.I,b?b.disableSharing:a.ss);(r=a.video_container_override)?(p=r.split("x"),2!==p.length?r=null:(r= -Number(p[0]),p=Number(p[1]),r=isNaN(r)||isNaN(p)||0>=r*p?null:new g.ie(r,p))):r=null;this.Hn=r;this.mute=b?!!b.startMuted:R(!1,a.mute);this.Rl=!this.mute&&R("0"!==this.controlsType,a.store_user_volume);r=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:YC(void 0,r,sD);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":$C("",a.cc_lang_pref);r=YC(2,b&&e?b.captionsLanguageLoadPolicy:a.cc_load_policy,sD);"3"===this.controlsType&&2===r&&(r= -3);this.zj=r;this.Lg=b?b.hl||"en_US":$C("en_US",a.hl);this.region=b?b.contentRegion||"US":$C("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":$C("en",a.host_language);this.Is=!this.ma&&Math.random()Math.random();this.xi=a.onesie_hot_config?new nha(a.onesie_hot_config):void 0;this.isTectonic=!!a.isTectonic;this.lu=c;this.fd=new UC;g.D(this,this.fd)}; -BD=function(a,b){return!a.I&&er()&&In(55)&&"3"===a.controlsType&&!b}; -g.CD=function(a){a=tD(a.P);return"www.youtube-nocookie.com"===a?"www.youtube.com":a}; -g.DD=function(a){return g.qD(a)?"music.youtube.com":g.CD(a)}; -ED=function(a,b,c){return a.protocol+"://i1.ytimg.com/vi/"+b+"/"+(c||"hqdefault.jpg")}; -FD=function(a){return jD(a)&&!g.xD(a)}; -mD=function(a){return oD&&!a.Bn||dr("nintendo wiiu")||dr("nintendo 3ds")?!0:!1}; -rD=function(a){return"area120-boutique"===a.playerStyle}; -g.qD=function(a){return"music-embed"===a.playerStyle}; -g.wD=function(a){return/^TVHTML5/.test(a.deviceParams.c)?!0:"TV"===a.deviceParams.cplatform}; -cD=function(a){return"TVHTML5_SIMPLY_EMBEDDED_PLAYER"===a.deviceParams.c}; -vD=function(a){return"CHROMECAST ULTRA/STEAK"===a.deviceParams.cmodel||"CHROMECAST/STEAK"===a.deviceParams.cmodel}; -g.GD=function(){return 1b)return!0;return!1}; -bE=function(a,b){return new QC(a.X,a.B,b||a.F.reason)}; -cE=function(a){return a.F.isLocked()}; -Dha=function(a){return 0(0,g.N)()-a.aa,c=a.D&&3*ZD(a,a.D.info)a.u.Ga,m=f<=a.u.Ga?hx(e):fx(e);if(!h||l||m)c[f]=e}return c}; -VD=function(a,b){a.F=b;var c=a.R.videoInfos;if(!cE(a)){var d=(0,g.N)()-6E4;c=g.Ke(c,function(p){if(p.zb>this.u.zb)return!1;p=this.K.u[p.id];var r=p.info.Db;return this.u.Us&&this.Aa.has(r)||p.X>d?!1:4b.u)&&(e=e.filter(function(p){return!!p&&!!p.video&&!!p.B})); -if(!yB()&&0n.video.width?(g.nb(e,c),c--):ZD(a,f)*a.u.u>ZD(a,n)&&(g.nb(e,c-1),c--)}c=e[e.length-1];a.Ub=!!a.B&&!!a.B.info&&a.B.info.Db!=c.Db;a.C=e;zfa(a.u,c)}; -yha=function(a,b){if(b)a.I=a.K.u[b];else{var c=g.fb(a.R.u,function(d){return!!d.u&&d.u.isDefault}); -c=c||a.R.u[0];a.I=a.K.u[c.id]}XD(a)}; -gE=function(a,b){for(var c=0;c+1d}; -XD=function(a){if(!a.I||!a.u.C&&!a.u.Dn)if(!a.I||!a.I.info.u)if(a.I=a.K.u[a.R.u[0].id],1a.F.u:gE(a,a.I);b&&(a.I=a.K.u[g.db(a.R.u).id])}}; -YD=function(a){a.u.Tl&&(a.za=a.za||new g.F(function(){a.u.Tl&&a.B&&!aE(a)&&1===Math.floor(10*Math.random())?$D(a,a.B):a.za.start()},6E4),a.za.Sb()); -if(!a.D||!a.u.C&&!a.u.Dn)if(cE(a))a.D=360>=a.F.u?a.K.u[a.C[0].id]:a.K.u[g.db(a.C).id];else{for(var b=Math.min(a.P,a.C.length-1),c=XA(a.ma),d=ZD(a,a.I.info),e=c/a.u.B-d;0=c);b++);a.D=a.K.u[a.C[b].id];a.P=b}}; -zha=function(a){var b=a.u.B,c=XA(a.ma)/b-ZD(a,a.I.info);b=g.gb(a.C,function(d){return ZD(this,d)b&&(b=0);a.P=b;a.D=a.K.u[a.C[b].id]}; -hE=function(a,b){a.u.Ga=mC(b,{},a.R);VD(a,a.F);dE(a);a.Y=a.D!=a.B}; -ZD=function(a,b){if(!a.ia[b.id]){var c=a.K.u[b.id].index.kD(a.ha,15);c=b.C&&a.B&&a.B.index.Uc()?c||b.C:c||b.zb;a.ia[b.id]=c}c=a.ia[b.id];a.u.Nb&&b.video&&b.video.Fc>a.u.Nb&&(c*=1.5);return c}; -Eha=function(a,b){var c=Rb(a.K.u,function(d){return d.info.Yb()==b}); -if(!c)throw Error("Itag "+b+" from server not known.");return c}; -Fha=function(a){var b=[];if("m"==a.F.reason||"s"==a.F.reason)return b;var c=!1;if(Nga(a.K)){for(var d=Math.max(0,a.P-2);d=c)a.X=NaN;else{var d=RA(a.ha),e=b.index.Qf;c=Math.max(1,d/c);a.X=Math.round(1E3*Math.max(((c-1)*e+a.u.R)/c,e-a.u.Cc))}}}; -Hha=function(a,b){var c=g.A()/1E3,d=c-a.I,e=c-a.R,f=e>=a.u.En,h=!1;if(f){var l=0;!isNaN(b)&&b>a.K&&(l=b-a.K,a.K=b);l/e=a.u.Cc&&!a.D;if(!f&&!c&&kE(a,b))return NaN;c&&(a.D=!0);a:{d=h;c=g.A()/1E3-(a.fa.u()||0)-a.P.B-a.u.R;f=a.C.startTime;c=f+c;if(d){if(isNaN(b)){lE(a,NaN,"n",b);f=NaN;break a}d=b-a.u.kc;db)return!0;var c=a.Xb();return bb)return 1;c=a.Xb();return b=a?!1:!0}; +yqa=function(a){var b;a=null==a?void 0:null==(b=a.error)?void 0:b.code;return!(400!==a&&415!==a)}; +Aqa=function(){if(XB)return XB();var a={};XB=g.uB("LogsDatabaseV2",{Fq:(a.LogsRequestsStore={Cm:2},a),shared:!1,upgrade:function(b,c,d){c(2)&&g.LA(b,"LogsRequestsStore",{keyPath:"id",autoIncrement:!0});c(3);c(5)&&(d=d.objectStore("LogsRequestsStore"),d.j.indexNames.contains("newRequest")&&d.j.deleteIndex("newRequest"),g.RA(d,"newRequestV2",["status","interface","timestamp"]));c(7)&&MA(b,"sapisid");c(9)&&MA(b,"SWHealthLog")}, +version:9});return XB()}; +YB=function(a){return g.kB(Aqa(),a)}; +Cqa=function(a,b){var c,d,e,f;return g.A(function(h){if(1==h.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_WRITE"},ticks:{}},g.y(h,YB(b),2);if(3!=h.j)return d=h.u,e=Object.assign({},a,{options:JSON.parse(JSON.stringify(a.options)),interface:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0)}),g.y(h,g.PA(d,"LogsRequestsStore",e),3);f=h.u;c.ticks.tc=(0,g.M)();Bqa(c);return h.return(f)})}; +Dqa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_READ"},ticks:{}},g.y(n,YB(b),2);if(3!=n.j)return d=n.u,e=g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0),f=[a,e,0],h=[a,e,(0,g.M)()],l=IDBKeyRange.bound(f,h),m=void 0,g.y(n,g.NA(d,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(p){return g.hB(p.objectStore("LogsRequestsStore").index("newRequestV2"),{query:l,direction:"prev"},function(q){q.getValue()&&(m= +q.getValue(),"NEW"===a&&(m.status="QUEUED",q.update(m)))})}),3); +c.ticks.tc=(0,g.M)();Bqa(c);return n.return(m)})}; +Eqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(g.NA(c,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){var f=e.objectStore("LogsRequestsStore");return f.get(a).then(function(h){if(h)return h.status="QUEUED",g.OA(f,h).then(function(){return h})})}))})}; +Fqa=function(a,b,c,d){c=void 0===c?!0:c;var e;return g.A(function(f){if(1==f.j)return g.y(f,YB(b),2);e=f.u;return f.return(g.NA(e,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(h){var l=h.objectStore("LogsRequestsStore");return l.get(a).then(function(m){return m?(m.status="NEW",c&&(m.sendCount+=1),void 0!==d&&(m.options.compress=d),g.OA(l,m).then(function(){return m})):g.FA.resolve(void 0)})}))})}; +Gqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(c.delete("LogsRequestsStore",a))})}; +Hqa=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,YB(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("LogsRequestsStore"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Iqa=function(){g.A(function(a){return g.y(a,Jpa("LogsDatabaseV2"),0)})}; +Bqa=function(a){g.gy("nwl_csi_killswitch")||OB("networkless_performance",a,{sampleRate:1})}; +Kqa=function(a){return g.kB(Jqa(),a)}; +Lqa=function(a){var b,c;g.A(function(d){if(1==d.j)return g.y(d,Kqa(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["SWHealthLog"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("SWHealthLog"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Mqa=function(a){var b;return g.A(function(c){if(1==c.j)return g.y(c,Kqa(a),2);b=c.u;return g.y(c,b.clear("SWHealthLog"),0)})}; +g.ZB=function(a,b,c,d,e,f){e=void 0===e?"":e;f=void 0===f?!1:f;if(a)if(c&&!g.Yy()){if(a){a=g.be(g.he(a));if("about:invalid#zClosurez"===a||a.startsWith("data"))a="";else{var h=void 0===h?{}:h;a=a.replace(/&/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'");h.g8a&&(a=a.replace(/(^|[\r\n\t ]) /g,"$1 "));h.f8a&&(a=a.replace(/(\r\n|\n|\r)/g,"
"));h.h8a&&(a=a.replace(/(\t+)/g,'$1'));h=g.we(a);a=g.Ke(g.Mi(g.ve(h).toString()))}g.Tb(a)|| +(h=pf("IFRAME",{src:'javascript:""',style:"display:none"}),Ue(h).body.appendChild(h))}}else if(e)Gy(a,b,"POST",e,d);else if(g.ey("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)Gy(a,b,"GET","",d,void 0,f);else{b:{try{var l=new Xka({url:a});if(l.B&&l.u||l.C){var m=Ri(g.Ti(5,a));var n=!(!m||!m.endsWith("/aclk")||"1"!==lj(a,"ri"));break b}}catch(p){}n=!1}n?Nqa(a)?(b&&b(),h=!0):h=!1:h=!1;h||Oqa(a,b)}}; +Nqa=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; +Oqa=function(a,b){var c=new Image,d=""+Pqa++;$B[d]=c;c.onload=c.onerror=function(){b&&$B[d]&&b();delete $B[d]}; +c.src=a}; +aC=function(){this.j=new Map;this.u=!1}; +bC=function(){if(!aC.instance){var a=g.Ga("yt.networkRequestMonitor.instance")||new aC;g.Fa("yt.networkRequestMonitor.instance",a);aC.instance=a}return aC.instance}; +dC=function(){cC||(cC=new lA("yt.offline"));return cC}; +Qqa=function(a){if(g.gy("offline_error_handling")){var b=dC().get("errors",!0)||{};b[a.message]={name:a.name,stack:a.stack};a.level&&(b[a.message].level=a.level);dC().set("errors",b,2592E3,!0)}}; +eC=function(){g.Fd.call(this);var a=this;this.u=!1;this.j=dla();this.j.Ra("networkstatus-online",function(){if(a.u&&g.gy("offline_error_handling")){var b=dC().get("errors",!0);if(b){for(var c in b)if(b[c]){var d=new g.bA(c,"sent via offline_errors");d.name=b[c].name;d.stack=b[c].stack;d.level=b[c].level;g.ly(d)}dC().set("errors",{},2592E3,!0)}}})}; +Rqa=function(){if(!eC.instance){var a=g.Ga("yt.networkStatusManager.instance")||new eC;g.Fa("yt.networkStatusManager.instance",a);eC.instance=a}return eC.instance}; +g.fC=function(a){a=void 0===a?{}:a;g.Fd.call(this);var b=this;this.j=this.C=0;this.u=Rqa();var c=g.Ga("yt.networkStatusManager.instance.listen").bind(this.u);c&&(a.FH?(this.FH=a.FH,c("networkstatus-online",function(){Sqa(b,"publicytnetworkstatus-online")}),c("networkstatus-offline",function(){Sqa(b,"publicytnetworkstatus-offline")})):(c("networkstatus-online",function(){b.dispatchEvent("publicytnetworkstatus-online")}),c("networkstatus-offline",function(){b.dispatchEvent("publicytnetworkstatus-offline")})))}; +Sqa=function(a,b){a.FH?a.j?(g.Ap.Em(a.C),a.C=g.Ap.xi(function(){a.B!==b&&(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)())},a.FH-((0,g.M)()-a.j))):(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)()):a.dispatchEvent(b)}; +hC=function(){var a=VB.call;gC||(gC=new g.fC({R7a:!0,H6a:!0}));a.call(VB,this,{ih:{h2:Hqa,ly:Gqa,XT:Dqa,C4:Eqa,SO:Fqa,set:Cqa},Zg:gC,handleError:function(b,c,d){var e,f=null==d?void 0:null==(e=d.error)?void 0:e.code;if(400===f||415===f){var h;ny(new g.bA(b.message,c,null==d?void 0:null==(h=d.error)?void 0:h.code),void 0,void 0,void 0,!0)}else g.ly(b)}, +Iy:ny,Qq:Tqa,now:g.M,ZY:Qqa,cn:g.iA(),lO:"publicytnetworkstatus-online",zN:"publicytnetworkstatus-offline",wF:!0,hF:.1,xH:g.hy("potential_esf_error_limit",10),ob:g.gy,uB:!(g.dA()&&"www.youtube-nocookie.com"!==g.Ui(document.location.toString()))});this.u=new g.Wj;g.gy("networkless_immediately_drop_all_requests")&&Iqa();Kpa("LogsDatabaseV2")}; +iC=function(){var a=g.Ga("yt.networklessRequestController.instance");a||(a=new hC,g.Fa("yt.networklessRequestController.instance",a),g.gy("networkless_logging")&&g.sB().then(function(b){a.yf=b;wqa(a);a.u.resolve();a.wF&&Math.random()<=a.hF&&a.yf&&Lqa(a.yf);g.gy("networkless_immediately_drop_sw_health_store")&&Uqa(a)})); +return a}; +Uqa=function(a){var b;g.A(function(c){if(!a.yf)throw b=g.DA("clearSWHealthLogsDb"),b;return c.return(Mqa(a.yf).catch(function(d){a.handleError(d)}))})}; +Tqa=function(a,b,c){g.gy("use_cfr_monitor")&&Vqa(a,b);if(g.gy("use_request_time_ms_header"))b.headers&&(b.headers["X-Goog-Request-Time"]=JSON.stringify(Math.round((0,g.M)())));else{var d;if(null==(d=b.postParams)?0:d.requestTimeMs)b.postParams.requestTimeMs=Math.round((0,g.M)())}c&&0===Object.keys(b).length?g.ZB(a):b.compress?b.postBody?("string"!==typeof b.postBody&&(b.postBody=JSON.stringify(b.postBody)),TB(a,b.postBody,b,g.Hy)):TB(a,JSON.stringify(b.postParams),b,Iy):g.Hy(a,b)}; +Vqa=function(a,b){var c=b.onError?b.onError:function(){}; +b.onError=function(e,f){bC().requestComplete(a,!1);c(e,f)}; +var d=b.onSuccess?b.onSuccess:function(){}; +b.onSuccess=function(e,f){bC().requestComplete(a,!0);d(e,f)}}; +g.jC=function(a){this.config_=null;a?this.config_=a:Zpa()&&(this.config_=g.EB())}; +g.kC=function(a,b,c,d){function e(p){try{if((void 0===p?0:p)&&d.retry&&!d.KV.bypassNetworkless)f.method="POST",d.KV.writeThenSend?iC().writeThenSend(n,f):iC().sendAndWrite(n,f);else if(d.compress)if(f.postBody){var q=f.postBody;"string"!==typeof q&&(q=JSON.stringify(f.postBody));TB(n,q,f,g.Hy)}else TB(n,JSON.stringify(f.postParams),f,Iy);else g.gy("web_all_payloads_via_jspb")?g.Hy(n,f):Iy(n,f)}catch(r){if("InvalidAccessError"==r.name)ny(Error("An extension is blocking network request."));else throw r; +}} +!g.ey("VISITOR_DATA")&&"visitor_id"!==b&&.01>Math.random()&&ny(new g.bA("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.bA("innertube xhrclient not ready",b,c,d),g.ly(a),a;var f={headers:d.headers||{},method:"POST",postParams:c,postBody:d.postBody,postBodyFormat:d.postBodyFormat||"JSON",onTimeout:function(){d.onTimeout()}, +onFetchTimeout:d.onTimeout,onSuccess:function(p,q){if(d.onSuccess)d.onSuccess(q)}, +onFetchSuccess:function(p){if(d.onSuccess)d.onSuccess(p)}, +onError:function(p,q){if(d.onError)d.onError(q)}, +onFetchError:function(p){if(d.onError)d.onError(p)}, +timeout:d.timeout,withCredentials:!0,compress:d.compress};f.headers["Content-Type"]||(f.headers["Content-Type"]="application/json");c="";var h=a.config_.OU;h&&(c=h);var l=a.config_.PU||!1;h=kqa(l,c,d);Object.assign(f.headers,h);(h=f.headers.Authorization)&&!c&&l&&(f.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.config_.innertubeApiVersion+"/"+b;l={alt:"json"};var m=a.config_.FM&&h;m=m&&h.startsWith("Bearer");m||(l.key=a.config_.innertubeApiKey);var n=ty(""+c+b,l);g.Ga("ytNetworklessLoggingInitializationOptions")&& +Wqa.isNwlInitialized?Cpa().then(function(p){e(p)}):e(!1)}; +g.pC=function(a,b,c){var d=g.lC();if(d&&b){var e=d.subscribe(a,function(){var f=arguments;var h=function(){mC[e]&&b.apply&&"function"==typeof b.apply&&b.apply(c||window,f)}; +try{g.nC[a]?h():g.Cy(h,0)}catch(l){g.ly(l)}},c); +mC[e]=!0;oC[a]||(oC[a]=[]);oC[a].push(e);return e}return 0}; +Xqa=function(a){var b=g.pC("LOGGED_IN",function(c){a.apply(void 0,arguments);g.qC(b)})}; +g.qC=function(a){var b=g.lC();b&&("number"===typeof a?a=[a]:"string"===typeof a&&(a=[parseInt(a,10)]),g.Ob(a,function(c){b.unsubscribeByKey(c);delete mC[c]}))}; +g.rC=function(a,b){var c=g.lC();return c?c.publish.apply(c,arguments):!1}; +Zqa=function(a){var b=g.lC();if(b)if(b.clear(a),a)Yqa(a);else for(var c in oC)Yqa(c)}; +g.lC=function(){return g.Ea.ytPubsubPubsubInstance}; +Yqa=function(a){oC[a]&&(a=oC[a],g.Ob(a,function(b){mC[b]&&delete mC[b]}),a.length=0)}; +g.sC=function(a,b,c){c=void 0===c?null:c;if(window.spf&&spf.script){c="";if(a){var d=a.indexOf("jsbin/"),e=a.lastIndexOf(".js"),f=d+6;-1f&&(c=a.substring(f,e),c=c.replace($qa,""),c=c.replace(ara,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else bra(a,b,c)}; +bra=function(a,b,c){c=void 0===c?null:c;var d=cra(a),e=document.getElementById(d),f=e&&yoa(e),h=e&&!f;f?b&&b():(b&&(f=g.pC(d,b),b=""+g.Na(b),dra[b]=f),h||(e=era(a,d,function(){yoa(e)||(xoa(e,"loaded","true"),g.rC(d),g.Cy(g.Pa(Zqa,d),0))},c)))}; +era=function(a,b,c,d){d=void 0===d?null:d;var e=g.qf("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; +e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; +d&&e.setAttribute("nonce",d);g.fk(e,g.wr(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; +cra=function(a){var b=document.createElement("a");g.xe(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+Re(a)}; +vC=function(a){var b=g.ya.apply(1,arguments);if(!tC(a)||b.some(function(d){return!tC(d)}))throw Error("Only objects may be merged."); +b=g.t(b);for(var c=b.next();!c.done;c=b.next())uC(a,c.value);return a}; +uC=function(a,b){for(var c in b)if(tC(b[c])){if(c in a&&!tC(a[c]))throw Error("Cannot merge an object into a non-object.");c in a||(a[c]={});uC(a[c],b[c])}else if(wC(b[c])){if(c in a&&!wC(a[c]))throw Error("Cannot merge an array into a non-array.");c in a||(a[c]=[]);fra(a[c],b[c])}else a[c]=b[c];return a}; +fra=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next())c=c.value,tC(c)?a.push(uC({},c)):wC(c)?a.push(fra([],c)):a.push(c);return a}; +tC=function(a){return"object"===typeof a&&!Array.isArray(a)}; +wC=function(a){return"object"===typeof a&&Array.isArray(a)}; +xC=function(a,b,c,d,e,f,h){g.C.call(this);this.Ca=a;this.ac=b;this.Ib=c;this.Wd=d;this.Va=e;this.u=f;this.j=h}; +ira=function(a,b,c){var d,e=(null!=(d=c.adSlots)?d:[]).map(function(f){return g.K(f,gra)}); +c.dA?(a.Ca.get().F.V().K("h5_check_forecasting_renderer_for_throttled_midroll")?(d=c.qo.filter(function(f){var h;return null!=(null==(h=f.renderer)?void 0:h.clientForecastingAdRenderer)}),0!==d.length?yC(a.j,d,e,b.slotId,c.ssdaiAdsConfig):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId)):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId),hra(a.u,b)):yC(a.j,c.qo,e,b.slotId,c.ssdaiAdsConfig)}; +kra=function(a,b,c,d,e,f){var h=a.Va.get().vg(1);zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return jra(a.Wd.get(),c,d,e,h.clientPlaybackNonce,h.bT,h.daiEnabled,h,f)},b)}; +BC=function(a,b,c){if(c&&c!==a.slotType)return!1;b=g.t(b);for(c=b.next();!c.done;c=b.next())if(!AC(a.Ba,c.value))return!1;return!0}; +CC=function(){return""}; +lra=function(a,b){switch(a){case "TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL":return 0;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED":return 1;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED":return 2;case "TRIGGER_CATEGORY_SLOT_EXPIRATION":return 3;case "TRIGGER_CATEGORY_SLOT_FULFILLMENT":return 4;case "TRIGGER_CATEGORY_SLOT_ENTRY":return 5;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED":return 6;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED":return 7;default:return b(a),8}}; +N=function(a,b,c,d){d=void 0===d?!1:d;cb.call(this,a);this.lk=c;this.pu=d;this.args=[];b&&this.args.push(b)}; +DC=function(a,b,c){this.er=b;this.triggerType="TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED";this.triggerId=c||a(this.triggerType)}; +mra=function(a){if("JavaException"===a.name)return!0;a=a.stack;return a.includes("chrome://")||a.includes("chrome-extension://")||a.includes("moz-extension://")}; +nra=function(){this.Ir=[];this.Dq=[]}; +FC=function(){if(!EC){var a=EC=new nra;a.Dq.length=0;a.Ir.length=0;ora(a,pra)}return EC}; +ora=function(a,b){b.Dq&&a.Dq.push.apply(a.Dq,b.Dq);b.Ir&&a.Ir.push.apply(a.Ir,b.Ir)}; +qra=function(a){function b(){return a.charCodeAt(d++)} +var c=a.length,d=0;do{var e=GC(b);if(Infinity===e)break;var f=e>>3;switch(e&7){case 0:e=GC(b);if(2===f)return e;break;case 1:if(2===f)return;d+=8;break;case 2:e=GC(b);if(2===f)return a.substr(d,e);d+=e;break;case 5:if(2===f)return;d+=4;break;default:return}}while(db)return c;b=a();c|=(b&127)<<7;if(128>b)return c;b=a();c|=(b&127)<<14;if(128>b)return c;b=a();return 128>b?c|(b&127)<<21:Infinity}; +rra=function(a,b,c,d){if(a)if(Array.isArray(a)){var e=d;for(d=0;d=d.length&&WC(b)===d[0])return d;for(var e=[],f=0;f=a?fD||(fD=gD(function(){hD({writeThenSend:!0},g.gy("flush_only_full_queue")?b:void 0,c);fD=void 0},0)):10<=e-f&&(zra(c),c?dD.B=e:eD.B=e)}; +Ara=function(a,b){if("log_event"===a.endpoint){$C(a);var c=aD(a),d=new Map;d.set(c,[a.payload]);b&&(cD=new b);return new g.Of(function(e,f){cD&&cD.isReady()?iD(d,cD,e,f,{bypassNetworkless:!0},!0):e()})}}; +Bra=function(a,b){if("log_event"===a.endpoint){$C(void 0,a);var c=aD(a,!0),d=new Map;d.set(c,[a.payload.toJSON()]);b&&(cD=new b);return new g.Of(function(e){cD&&cD.isReady()?jD(d,cD,e,{bypassNetworkless:!0},!0):e()})}}; +aD=function(a,b){var c="";if(a.dangerousLogToVisitorSession)c="visitorOnlyApprovedKey";else if(a.cttAuthInfo){if(void 0===b?0:b){b=a.cttAuthInfo.token;c=a.cttAuthInfo;var d=new ay;c.videoId?d.setVideoId(c.videoId):c.playlistId&&Kh(d,2,kD,c.playlistId);lD[b]=d}else b=a.cttAuthInfo,c={},b.videoId?c.videoId=b.videoId:b.playlistId&&(c.playlistId=b.playlistId),mD[a.cttAuthInfo.token]=c;c=a.cttAuthInfo.token}return c}; +hD=function(a,b,c){a=void 0===a?{}:a;c=void 0===c?!1:c;new g.Of(function(d,e){c?(nD(dD.u),nD(dD.j),dD.j=0):(nD(eD.u),nD(eD.j),eD.j=0);if(cD&&cD.isReady()){var f=a,h=c,l=cD;f=void 0===f?{}:f;h=void 0===h?!1:h;var m=new Map,n=new Map;if(void 0!==b)h?(e=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),m.set(b,e),jD(m,l,d,f)):(m=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),n.set(b,m),iD(n,l,d,e,f));else if(h){e=g.t(Object.keys(bD));for(h=e.next();!h.done;h=e.next())n=h.value,h=ZC().extractMatchingEntries({isJspb:!0, +cttAuthInfo:n}),0Mra&&(a=1);dy("BATCH_CLIENT_COUNTER",a);return a}; +Era=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; +Jra=function(a,b,c){if(c.Ce())var d=1;else if(c.getPlaylistId())d=2;else return;I(a,ay,4,c);a=a.getContext()||new rt;c=Mh(a,pt,3)||new pt;var e=new Ys;e.setToken(b);H(e,1,d);Sh(c,12,Ys,e);I(a,pt,3,c)}; +Ira=function(a){for(var b=[],c=0;cMath.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.bA(a);if(a.args)for(var f=g.t(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign({},h,d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.slotType:"");c&&(d.layout=c?"layout: "+c.layoutType:"");e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.DD(a)}}; +HD=function(a,b,c,d,e,f,h,l){g.C.call(this);this.ac=a;this.Wd=b;this.mK=c;this.Ca=d;this.j=e;this.Va=f;this.Ha=h;this.Mc=l}; +Asa=function(a){for(var b=Array(a),c=0;ce)return new N("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},"ADS_CLIENT_ERROR_MESSAGE_AD_PLACEMENT_END_SHOULD_GREATER_THAN_START",e===b&&a-500<=e);d={Cn:new iq(a,e),zD:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Rp=new iq(a,e)}return d; +default:return new N("AdPlacementKind not supported in convertToRange.",{kind:e,adPlacementConfig:a})}}; +Tsa=function(a){var b=1E3*a.startSecs;return new iq(b,b+1E3*a.Sg)}; +iE=function(a){return g.Ga("ytcsi."+(a||"")+"data_")||Usa(a)}; +jE=function(){var a=iE();a.info||(a.info={});return a.info}; +kE=function(a){a=iE(a);a.metadata||(a.metadata={});return a.metadata}; +lE=function(a){a=iE(a);a.tick||(a.tick={});return a.tick}; +mE=function(a){a=iE(a);if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}else a.gel={gelTicks:{},gelInfos:{}};return a.gel}; +nE=function(a){a=mE(a);a.gelInfos||(a.gelInfos={});return a.gelInfos}; +oE=function(a){var b=iE(a).nonce;b||(b=g.KD(16),iE(a).nonce=b);return b}; +Usa=function(a){var b={tick:{},info:{}};g.Fa("ytcsi."+(a||"")+"data_",b);return b}; +pE=function(){var a=g.Ga("ytcsi.debug");a||(a=[],g.Fa("ytcsi.debug",a),g.Fa("ytcsi.reference",{}));return a}; +qE=function(a){a=a||"";var b=Vsa();if(b[a])return b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);return b[a]=d}; +Wsa=function(a){a=a||"";var b=Vsa();b[a]&&delete b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);b[a]=d}; +Vsa=function(){var a=g.Ga("ytcsi.reference");if(a)return a;pE();return g.Ga("ytcsi.reference")}; +rE=function(a){return Xsa[a]||"LATENCY_ACTION_UNKNOWN"}; +bta=function(a,b,c){c=mE(c);if(c.gelInfos)c.gelInfos[a]=!0;else{var d={};c.gelInfos=(d[a]=!0,d)}if(a.match("_rid")){var e=a.split("_rid")[0];a="REQUEST_ID"}if(a in Ysa){c=Ysa[a];g.rb(Zsa,c)&&(b=!!b);a in $sa&&"string"===typeof b&&(b=$sa[a]+b.toUpperCase());a=b;b=c.split(".");for(var f=d={},h=0;h1E5*Math.random()&&(c=new g.bA("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.DD(c)),!0):!1}; +cta=function(){this.timing={};this.clearResourceTimings=function(){}; this.webkitClearResourceTimings=function(){}; this.mozClearResourceTimings=function(){}; this.msClearResourceTimings=function(){}; this.oClearResourceTimings=function(){}}; -rE=function(a){var b=qE(a);if(b.aft)return b.aft;a=g.L((a||"")+"TIMING_AFT_KEYS",["ol"]);for(var c=a.length,d=0;d1E5*Math.random()&&(c=new g.tr("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.Is(c)),!0):!1}; -KE=function(a){return!!g.L("FORCE_CSI_ON_GEL",!1)||g.vo("csi_on_gel")||!!yE(a).useGel}; -LE=function(a){a=yE(a);if(!("gel"in a))a.gel={gelTicks:{},gelInfos:{}};else if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}return a.gel}; -ME=function(a){xE(a);Lha();tE(!1,a);a||(g.L("TIMING_ACTION")&&so("PREVIOUS_ACTION",g.L("TIMING_ACTION")),so("TIMING_ACTION",""))}; -SE=function(a,b,c,d){d=d?d:a;NE(d);var e=d||"",f=EE();f[e]&&delete f[e];var h=DE(),l={timerName:e,info:{},tick:{},span:{}};h.push(l);f[e]=l;FE(d||"").info.actionType=a;ME(d);yE(d).useGel=!0;so(d+"TIMING_AFT_KEYS",b);so(d+"TIMING_ACTION",a);OE("yt_sts","c",d);PE("_start",c,d);if(KE(d)){a={actionType:QE[to((d||"")+"TIMING_ACTION")]||"LATENCY_ACTION_UNKNOWN",previousAction:QE[to("PREVIOUS_ACTION")]||"LATENCY_ACTION_UNKNOWN"};if(b=g.Rt())a.clientScreenNonce=b;b=AE(d);HE().info(a,b)}g.Fa("ytglobal.timing"+ -(d||"")+"ready_",!0,void 0);RE(d)}; -OE=function(a,b,c){if(null!==b)if(zE(c)[a]=b,KE(c)){var d=b;b=LE(c);if(b.gelInfos)b.gelInfos["info_"+a]=!0;else{var e={};b.gelInfos=(e["info_"+a]=!0,e)}if(a.match("_rid")){var f=a.split("_rid")[0];a="REQUEST_ID"}if(a in TE){b=TE[a];g.jb(Mha,b)&&(d=!!d);a in UE&&"string"===typeof d&&(d=UE[a]+d.toUpperCase());a=d;d=b.split(".");for(var h=e={},l=0;lc)break}return d}; -kF=function(a,b){for(var c=[],d=g.q(a.u),e=d.next();!e.done&&!(e=e.value,e.contains(b)&&c.push(e),e.start>b);e=d.next());return c}; -Uha=function(a){return a.u.slice(jF(a,0x7ffffffffffff),a.u.length)}; -jF=function(a,b){var c=yb(a.u,function(d){return b-d.start||1}); -return 0>c?-(c+1):c}; -lF=function(a,b){for(var c=NaN,d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,e.contains(b)&&(isNaN(c)||e.endb&&(isNaN(c)||e.start=a.u.sI&&!a.u.Zb||!a.u.nB&&0=a.u.AI)return!1;d=b.B;if(!d)return!0;if(!Ow(d.u.B))return!1; -4==d.type&&d.u.Fe()&&(b.B=g.db(d.u.Yv(d)),d=b.B);if(!d.F&&!d.u.ek(d))return!1;var e=a.F.he||a.F.I;if(a.F.isManifestless&&e){e=b.u.index.Xb();var f=c.u.index.Xb();e=Math.min(e,f);if(0=e)return b.Y=e,c.Y=e,!1}if(d.u.info.audio&&4==d.type)return!1;if(FA(b)&&!a.u.ma)return!0;if(d.F||vA(b)&&vA(b)+vA(c)>a.u.Ob)return!1;e=!b.F&&!c.F;f=b==a.B&&a.ha;if(!(c=!!(c.B&&!c.B.F&&c.B.Ia}return c?!1:(b=b.K)&&b.isLocked()?!1:!0}; -FF=function(a,b,c){if(DF(a,b,c))if(c=Zha(a,b,c),a.u.EB&&a.F.isManifestless&&!b.R&&0>c.u[0].B)a.dd("invalidsq",Hu(c.u[0]));else{if(a.ub){var d=a.R;var e=c.u[0].B;d=0>e&&!isNaN(d.D)?d.D:e;e=a.R;var f=0>d&&!isNaN(e.F)?e.F:c.u[0].K;if(e=$ha(a.ub.te,f,d,c.u[0].u.info.id))d="decurl_itag_"+c.u[0].u.info.Yb()+"_sg_"+d+"_st_"+f.toFixed(3)+".",a.dd("sdai",d),c.F=e}a.u.Ns&&-1!=c.u[0].B&&c.u[0].Bd.B&&(c=Ou(d),c.pr=""+b.D.length,a.X.C&&(c.sk="1"),a.dd("nosq",d.R+";"+g.vB(c))),d=h.Ok(d));a.ha&&d.u.forEach(function(l){l.type=6}); -return d}; -aia=function(a,b,c){if(!EA(b)||!b.u.Fe())return!1;var d=Math.min(15,.5*CF(a,b,!0));return FA(b)||c<=d||a.K.Y}; -bia=function(a,b,c){b=a.u.Sm(a,b);if(b.range&&1d&&(b=a.u.Sm(a,b.range.length-c.rb))}return b}; -cia=function(a,b){var c=Uw(b),d=a.aa,e=Math.min(2.5,PA(d.B));d=WA(d);var f=Ju(b.u[0]),h=yw(b.B.u),l=a.u.zh,m;a.Qc?m={Ng:f,aj:h,Fm:l,dj:a.Qc,qb:b.u[0].B,wf:b.wf}:m={Ng:f,aj:h,Fm:l};return new Yy(a.fa,c,c-e*d,m)}; -EF=function(a,b){Ku(b.u[b.u.length-1])&&HF(a,Cha(a.K,b.u[0].u));var c=cia(a,b);a.u.sH&&(c.F=[]);var d={dm:Math.max(0,b.u[0].K-a.I)};a.u.wi&&Sw(b)&&b.u[0].u.info.video&&(d.BG=Fha(a.K));a.ha&&(d.ds=!0);return new Hz(a.u,b,c,a.Qa,function(e){a:{var f=e.info.u[0].u,h=f.info.video?a.B:a.D;if(!(2<=e.state)||4<=e.state||!e.Ab.tj()||e.mk||!(!a.C||a.ma||3f.D&&(f.D=NaN,f.F=NaN),f.u&&f.u.qb===h.u[0].B)if(m=f.u.Ce.event,"start"===m||"continue"===m){if(1===f.B||5===f.B)f.D=h.u[0].B,f.F=h.u[0].K,f.B=2,f.V("ctmp","sdai", -"joinad_sg_"+f.D+"_st_"+f.F.toFixed(3),!1),dia(l.te,f.u.Ce)}else f.B=5;else 1===f.B&&(f.B=5)}else if(a.u.fa&&Tz(e)&&!(4<=e.state)&&!JF(a,e)&&!e.isFailed()){e=void 0;break a}e.isFailed()&&(f=e.info.u[0].u,h=e.Yg,yw(f.B.u)&&(l=g.tf(e.Ab.Qm()||""),a.dd("dldbrerr",l||"none")),Qz(e)?(l=(f.info.video&&1(0,g.N)()||(e=Vw(e.info,!1,a.u.Rl))&&EF(a,e))}}}e=void 0}return e},d)}; -HF=function(a,b){b&&a.V("videoformatchange",b);a.u.NH&&a.K.Ob&&a.V("audioformatchange",bE(a.K,"a"))}; -JF=function(a,b){var c=b.info.u[0].u,d=c.info.video?a.B:a.D;eia(a,d,b);b.info.Ng()&&!Rw(b.info)&&(g.Cb(Uz(b),function(e){Jy(d.C,e)}),a.V("metadata",c)); -lA(d);return!!Fy(d.C)}; -eia=function(a,b,c){if(a.F.isManifestless&&b){b.R&&(c.na(),4<=c.state||c.Ab.tj()||Tz(c),b.R=!1);c.ay()&&a.Ya.C(1,c.ay());b=c.eF();c=c.gD();a=a.F;for(var d in a.u){var e=a.u[d].index;e.Ai&&(b&&(e.D=Math.max(e.D,b)),c&&(e.u=Math.max(e.u||0,c)))}}}; -KF=function(a){a.Oe.Sb()}; -NF=function(a){var b=a.C.u,c=a.C.B;if(fia(a)){if(a.u.Is){if(!b.qm()){var d=Fy(a.D.C);d&&LF(a,b,d)}c.qm()||(b=Fy(a.B.C))&&LF(a,c,b)}a.Ga||(a.Ga=(0,g.N)())}else{if(a.Ga){d=(0,g.N)()-a.Ga;var e=wA(a.D,a.I),f=wA(a.B,a.I);a.dd("appendpause","dur."+d.toFixed()+";abuf."+((1E3*e).toFixed()+";vbuf.")+(1E3*f).toFixed());a.Ga=0}if(a.P){d=a.P;e=a.D;f=eA(a.C.B.Se());if(d.F)d=Hha(d,f);else{if(f=Fy(e.C)){var h=f.B;h&&h.C&&h.B&&(e=e.D.length?e.D[0]:null)&&2<=e.state&&!e.isFailed()&&0==e.info.wf&&e.Ab.tj()&&(d.F= -e,d.P=h,d.C=f.info,d.I=g.A()/1E3,d.R=d.I,d.K=d.C.startTime)}d=NaN}d&&a.V("seekplayerrequired",d,!0)}d=!1;MF(a,a.B,c)&&(d=!0,e=a.Ja,e.D||(e.D=g.A(),e.tick("vda"),ZE("vda","video_to_ad"),e.C&&wp(4)));if(a.C&&!EB(a.C)&&(MF(a,a.D,b)&&(d=a.Ja,d.C||(d.C=g.A(),d.tick("ada"),ZE("ada","video_to_ad"),d.D&&wp(4)),d=!0),!a.na()&&a.C)){!a.u.aa&&sA(a.B)&&sA(a.D)&&BB(a.C)&&!a.C.Kf()&&(e=jA(a.D).u,e==a.F.u[e.info.id]&&(e=a.C,BB(e)&&(e.mediaSource?e.mediaSource.endOfStream():e.de.webkitSourceEndOfStream(e.de.EOS_NO_ERROR)), -OA(a.fa)));e=a.u.KI;f=a.u.GC;d||!(0c*(10-e)/XA(b)}(b=!b)||(b=a.B,b=0a.I||360(e?e.B:-1);e=!!f}if(e)return!1;e=d.info;f=jA(b);!f||f.D||Lu(f,e)||c.abort();!c.qq()||yB()?c.WA(e.u.info.containerType,e.u.info.mimeType):e.u.info.containerType!=c.qq()&&a.dd("ctu","ct."+yB()+";prev_c."+c.qq()+";curr_c."+e.u.info.containerType);f=e.u.K;a.u.Mt&&f&&(e=0+f.duration,f=-f.u,0==c.Nt()&&e==c.Yx()||c.qA(0,e),f!=c.yc()&&(c.ip(f), -Qy&&Vy(a.D.C,c.ly())));if(a.F.C&&0==d.info.C&&(g.aw(d.info.u.info)||a.u.gE)){if(null==c.qm()){e=jA(b);if(!(f=!e||e.u!=d.info.u)){b:if(e=e.X,f=d.info.X,e.length!==f.length)e=!1;else{for(var h=0;he)){a:if(a.u.Oe&&(!d.info.C||d.info.D)&&a.dd("sba",c.sb({as:Hu(d.info)})),e=d.C?d.info.u.u:null,f=Tv(d.u),d.C&&(f=new Uint8Array(f.buffer,0,f.byteOffset+f.length)),e=OF(a,c,f,d.info,e),"s"==e)a.kc=0,a=!0;else{a.u.ut||(PF(a,b),c.abort(),yA(b));if("i"==e||"x"==e)QF(a,"checked",e,d.info);else{if("q"== -e&&(d.info.isVideo()?(e=a.u,e.I=Math.floor(.8*e.I),e.X=Math.floor(.8*e.X),e.F=Math.floor(.8*e.F)):(e=a.u,e.K=Math.floor(.8*e.K),e.Ub=Math.floor(.8*e.Ub),e.F=Math.floor(.8*e.F)),!c.Kf()&&!a.C.isView&&c.us(Math.min(a.I,d.info.startTime),!0,5))){a=!1;break a}a.V("reattachrequired")}a=!1}e=!a}if(e)return!1;b.C.B.shift();nA(b,d);return!0}; -QF=function(a,b,c,d){var e="fmt.unplayable",f=!0;"x"==c||"m"==c?(e="fmt.unparseable",d.u.F=e,d.u.info.video&&!aE(a.K)&&$D(a.K,d.u)):"i"==c&&(15>a.kc?(a.kc++,e="html5.invalidstate",f=!1):e="fmt.unplayable");d=Ou(d);d.mrs=DB(a.C);d.origin=b;d.reason=c;AF(a,f,e,d)}; -RF=function(a,b,c){var d=a.F,e=!1,f;for(f in d.u){var h=jx(d.u[f].info.mimeType)||d.u[f].info.isVideo();c==h&&(h=d.u[f].index,bB(h,b.qb)||(h.ME(b),e=!0))}bha(a.X,b,c,e);c&&(a=a.R,a.R.Ya&&(c=a.u&&a.C&&a.u.qb==a.C.qb-1,c=a.u&&c&&"stop"!=a.u.Ce.event&&"predictStart"!=a.u.Ce.event,a.C&&a.C.qbc&&a.dd("bwcapped","1",!0), -c=Math.max(c,15),d=Math.min(d,c));return d}; -Yha=function(a){if(!a.ce)return Infinity;var b=g.Ke(a.ce.Lk(),function(d){return"ad"==d.namespace}); -b=g.q(b);for(var c=b.next();!c.done;c=b.next())if(c=c.value,c.start/1E3>a.I)return c.start/1E3;return Infinity}; -gia=function(a,b){if(a.C&&a.C.B){b-=!isNaN(a.ia)&&a.u.Dc?a.ia:0;a.I!=b&&a.resume();if(a.X.C&&!EB(a.C)){var c=a.I<=b&&b=b&&tF(a,d.startTime,!1)}); -return c&&c.startTime=zE()&&0c.duration?d:c},{duration:0}))&&0=b)}; +oF=function(a,b,c){this.videoInfos=a;this.j=b;this.audioTracks=[];if(this.j){a=new Set;null==c||c({ainfolen:this.j.length});b=g.t(this.j);for(var d=b.next();!d.done;d=b.next())if(d=d.value,!d.Jc||a.has(d.Jc.id)){var e=void 0,f=void 0,h=void 0;null==(h=c)||h({atkerr:!!d.Jc,itag:d.itag,xtag:d.u,lang:(null==(e=d.Jc)?void 0:e.name)||"",langid:(null==(f=d.Jc)?void 0:f.id)||""})}else e=new g.hF(d.id,d.Jc),a.add(d.Jc.id),this.audioTracks.push(e);null==c||c({atklen:this.audioTracks.length})}}; +pF=function(){g.C.apply(this,arguments);this.j=null}; +Nta=function(a,b,c,d,e,f){if(a.j)return a.j;var h={},l=new Set,m={};if(qF(d)){for(var n in d.j)d.j.hasOwnProperty(n)&&(a=d.j[n],m[a.info.Lb]=[a.info]);return m}n=Kta(b,d,h);f&&e({aftsrt:rF(n)});for(var p={},q=g.t(Object.keys(n)),r=q.next();!r.done;r=q.next()){r=r.value;for(var v=g.t(n[r]),x=v.next();!x.done;x=v.next()){x=x.value;var z=x.itag,B=void 0,F=r+"_"+((null==(B=x.video)?void 0:B.fps)||0);p.hasOwnProperty(F)?!0===p[F]?m[r].push(x):h[z]=p[F]:(B=sF(b,x,c,d.isLive,l),!0!==B?(h[z]=B,"disablevp9hfr"=== +B&&(p[F]="disablevp9hfr")):(m[r]=m[r]||[],m[r].push(x),p[F]=!0))}}f&&e({bfflt:rF(m)});for(var G in m)m.hasOwnProperty(G)&&(d=G,m[d]&&m[d][0].Xg()&&(m[d]=m[d],m[d]=Lta(b,m[d],h),m[d]=Mta(m[d],h)));f&&e(h);b=g.t(l.values());for(d=b.next();!d.done;d=b.next())(d=c.u.get(d.value))&&--d.uX;f&&e({aftflt:rF(m)});a.j=g.Uc(m,function(D){return!!D.length}); +return a.j}; +Pta=function(a,b,c,d,e,f,h){if(b.Vd&&h&&1p&&(e=c));"9"===e&&n.h&&vF(n.h)>vF(n["9"])&&(e="h");b.jc&&d.isLive&&"("===e&&n.H&&1440>vF(n["("])&&(e="H");l&&f({vfmly:wF(e)});b=n[e];if(!b.length)return l&&f({novfmly:wF(e)}),Ny();uF(b);return Oy(new oF(b, +a,m))}; +Rta=function(a,b){var c=b.J&&!(!a.mac3&&!a.MAC3),d=b.T&&!(!a.meac3&&!a.MEAC3);return b.Aa&&!(!a.m&&!a.M)||c||d}; +wF=function(a){switch(a){case "*":return"v8e";case "(":return"v9e";case "(h":return"v9he";default:return a}}; +rF=function(a){var b=[],c;for(c in a)if(a.hasOwnProperty(c)){var d=c;b.push(wF(d));d=g.t(a[d]);for(var e=d.next();!e.done;e=d.next())b.push(e.value.itag)}return b.join(".")}; +Qta=function(a,b,c,d,e,f){var h={},l={};g.Tc(b,function(m,n){m=m.filter(function(p){var q=p.itag;if(!p.Pd)return l[q]="noenc",!1;if(f.uc&&"(h"===p.Lb&&f.Tb)return l[q]="lichdr",!1;if("("===p.Lb||"(h"===p.Lb){if(a.B&&c&&"widevine"===c.flavor){var r=p.mimeType+"; experimental=allowed";(r=!!p.Pd[c.flavor]&&!!c.j[r])||(l[q]=p.Pd[c.flavor]?"unspt":"noflv");return r}if(!xF(a,yF.CRYPTOBLOCKFORMAT)&&!a.ya||a.Z)return l[q]=a.Z?"disvp":"vpsub",!1}return c&&p.Pd[c.flavor]&&c.j[p.mimeType]?!0:(l[q]=c?p.Pd[c.flavor]? +"unspt":"noflv":"nosys",!1)}); +m.length&&(h[n]=m)}); +d&&Object.entries(l).length&&e(l);return h}; +Mta=function(a,b){var c=$l(a,function(d,e){return 32c&&(a=a.filter(function(d){if(32e.length||(e[0]in iG&&(h.clientName=iG[e[0]]),e[1]in jG&&(h.platform=jG[e[1]]),h.applicationState=l,h.clientVersion=2a.ea)return"max"+a.ea;if(a.Pb&&"h"===b.Lb&&b.video&&1080a.td())a.segments=[];else{var c=kb(a.segments,function(d){return d.Ma>=b},a); +0c&&(c=a.totalLength-b);a.focus(b);if(!PF(a,b,c)){var d=a.u,e=a.B;a.focus(b+c-1);e=new Uint8Array(a.B+a.j[a.u].length-e);for(var f=0,h=d;h<=a.u;h++)e.set(a.j[h],f),f+=a.j[h].length;a.j.splice(d,a.u-d+1,e);OF(a);a.focus(b)}d=a.j[a.u];return new DataView(d.buffer,d.byteOffset+b-a.B,c)}; +QF=function(a,b,c){a=hua(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; +iua=function(a){a=QF(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ce&&bf)VF[e++]=f;else{if(224>f)f=(f&31)<<6|a[b++]&63;else if(240>f)f=(f&15)<<12|(a[b++]&63)<<6|a[b++]&63;else{if(1024===e+1){--b;break}f=(f&7)<<18|(a[b++]&63)<<12|(a[b++]&63)<<6|a[b++]&63;f-=65536;VF[e++]=55296|f>>10;f=56320|f&1023}VF[e++]=f}}f=String.fromCharCode.apply(String,VF); +1024>e&&(f=f.substr(0,e));c.push(f)}return c.join("")}; +YF=function(a,b){var c;if(null==(c=XF)?0:c.encodeInto)return b=XF.encodeInto(a,b),b.reade?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296===(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return c}; +lua=function(a){if(XF)return XF.encode(a);var b=new Uint8Array(Math.ceil(1.2*a.length)),c=YF(a,b);b.lengthc&&(b=b.subarray(0,c));return b}; +ZF=function(a,b,c,d,e){e=void 0===e?!1:e;this.data=a;this.offset=b;this.size=c;this.type=d;this.j=(this.u=e)?0:8;this.dataOffset=this.offset+this.j}; +$F=function(a){var b=a.data.getUint8(a.offset+a.j);a.j+=1;return b}; +aG=function(a){var b=a.data.getUint16(a.offset+a.j);a.j+=2;return b}; +bG=function(a){var b=a.data.getInt32(a.offset+a.j);a.j+=4;return b}; +cG=function(a){var b=a.data.getUint32(a.offset+a.j);a.j+=4;return b}; +dG=function(a){var b=a.data;var c=a.offset+a.j;b=4294967296*b.getUint32(c)+b.getUint32(c+4);a.j+=8;return b}; +eG=function(a,b){b=void 0===b?NaN:b;if(isNaN(b))var c=a.size;else for(c=a.j;ca.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(48>d||122d;d++)c[d]=a.getInt8(b.offset+16+d);return c}; +uG=function(a,b){this.j=a;this.pos=0;this.start=b||0}; +vG=function(a){return a.pos>=a.j.byteLength}; +AG=function(a,b,c){var d=new uG(c);if(!wG(d,a))return!1;d=xG(d);if(!yG(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.pos;var e=zG(d,!0);d=a+(d.start+d.pos-b)+e;d=9b;b++)c=256*c+FG(a);return c}for(var d=128,e=0;6>e&&d>c;e++)c=256*c+FG(a),d*=128;return b?c-d:c}; +CG=function(a){var b=zG(a,!0);a.pos+=b}; +Eua=function(a){if(!yG(a,440786851,!0))return null;var b=a.pos;zG(a,!1);var c=zG(a,!0)+a.pos-b;a.pos=b+c;if(!yG(a,408125543,!1))return null;zG(a,!0);if(!yG(a,357149030,!0))return null;var d=a.pos;zG(a,!1);var e=zG(a,!0)+a.pos-d;a.pos=d+e;if(!yG(a,374648427,!0))return null;var f=a.pos;zG(a,!1);var h=zG(a,!0)+a.pos-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295); +l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+d,e),c+12);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+f,h),c+12+e);return l}; +GG=function(a){var b=a.pos;a.pos=0;var c=1E6;wG(a,[408125543,357149030,2807729])&&(c=BG(a));a.pos=b;return c}; +Fua=function(a,b){var c=a.pos;a.pos=0;if(160!==a.j.getUint8(a.pos)&&!HG(a)||!yG(a,160))return a.pos=c,NaN;zG(a,!0);var d=a.pos;if(!yG(a,161))return a.pos=c,NaN;zG(a,!0);FG(a);var e=FG(a)<<8|FG(a);a.pos=d;if(!yG(a,155))return a.pos=c,NaN;d=BG(a);a.pos=c;return(e+d)*b/1E9}; +HG=function(a){if(!Gua(a)||!yG(a,524531317))return!1;zG(a,!0);return!0}; +Gua=function(a){if(a.Xm()){if(!yG(a,408125543))return!1;zG(a,!0)}return!0}; +wG=function(a,b){for(var c=0;cd.timedOut&&1>d.j)return!1;d=d.timedOut+d.j;a=NG(a,b);c=LG(c,FF(a));return c.timedOut+c.j+ +(b.Sn&&!c.C)b.Qg?1E3*Math.pow(b.Yi,c-b.Qg):0;return 0===b?!0:a.J+b<(0,g.M)()}; +Mua=function(a,b,c){a.j.set(b,c);a.B.set(b,c);a.C&&a.C.set(b,c)}; +RG=function(a,b,c,d){this.T=a;this.initRange=c;this.indexRange=d;this.j=null;this.C=!1;this.J=0;this.D=this.B=null;this.info=b;this.u=new MG(a)}; +SG=function(a,b,c){return Nua(a.info,b,c)}; +TG=function(a,b){this.start=a;this.end=b;this.length=b-a+1}; +UG=function(a){a=a.split("-");var b=Number(a[0]),c=Number(a[1]);if(!isNaN(b)&&!isNaN(c)&&2===a.length&&(a=new TG(b,c),!isNaN(a.start)&&!isNaN(a.end)&&!isNaN(a.length)&&0=b.range.start+b.Ob&&a.range.start+a.Ob+a.u<=b.range.start+b.Ob+b.u:a.Ma===b.Ma&&a.Ob>=b.Ob&&(a.Ob+a.u<=b.Ob+b.u||b.bf)}; +Yua=function(a,b){return a.j!==b.j?!1:4===a.type&&3===b.type&&a.j.Jg()?(a=a.j.Jz(a),Wm(a,function(c){return Yua(c,b)})):a.Ma===b.Ma&&!!b.u&&b.Ob+b.u>a.Ob&&b.Ob+b.u<=a.Ob+a.u}; +eH=function(a,b){var c=b.Ma;a.D="updateWithSegmentInfo";a.Ma=c;if(a.startTime!==b.startTime||a.duration!==b.duration)a.startTime=b.startTime,a.duration=b.duration,Pua(a)}; +fH=function(a,b){var c=this;this.gb=a;this.J=this.u=null;this.D=this.Tg=NaN;this.I=this.requestId=null;this.Ne={v7a:function(){return c.range}}; +this.j=a[0].j.u;this.B=b||"";this.gb[0].range&&0Math.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.tr(a);if(a.args)for(var f=g.q(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign(Object.assign({},h),d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.ab:"");c&&(d.layout=oH(c));e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.Is(a)}}; -hH=function(a,b,c,d){var e=a.kind;d=d?!1:!a.hideCueRangeMarker;switch(e){case "AD_PLACEMENT_KIND_START":return d={gh:new Gn(-0x8000000000000,-0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(-0x8000000000000,-0x8000000000000)),d;case "AD_PLACEMENT_KIND_END":return d={gh:new Gn(0x7ffffffffffff,0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(Math.max(0,b-c),0x8000000000000)),d;case "AD_PLACEMENT_KIND_MILLISECONDS":e=a.adTimeOffset;e.offsetStartMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing start milliseconds."); -e.offsetEndMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing end milliseconds.");a=Number(e.offsetStartMilliseconds);e=Number(e.offsetEndMilliseconds);-1===e&&(e=b);if(Number.isNaN(a)||Number.isNaN(e)||a>e)return new gH("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},e===b&&a-500<=e);d={gh:new Gn(a,e),Ov:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Wn=new Gn(a,e)}return d;default:return new gH("AdPlacementKind not supported in convertToRange.", -{kind:e,adPlacementConfig:a})}}; -qH=function(a,b,c,d,e,f){g.C.call(this);this.tb=a;this.uc=b;this.Tw=c;this.Ca=d;this.u=e;this.Da=f}; -Bia=function(a,b,c){var d=[];a=g.q(a);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.renderer.invideoOverlayAdRenderer||e.renderer.adBreakServiceRenderer&&jH(e);"AD_PLACEMENT_KIND_MILLISECONDS"===e.config.adPlacementConfig.kind&&f&&(f=hH(e.config.adPlacementConfig,0x7ffffffffffff),f instanceof gH||d.push({range:f.gh,renderer:e.renderer.invideoOverlayAdRenderer?"overlay":"ABSR"}))}d.sort(function(h,l){return h.range.start-l.range.start}); -a=!1;for(e=0;ed[e+1].range.start){a=!0;break}a&&(d=d.map(function(h){return h.renderer+"|s:"+h.range.start+("|e:"+h.range.end)}).join(","),S("Conflicting renderers.",void 0,void 0,{detail:d, -cpn:b,videoId:c}))}; -rH=function(a,b,c,d){this.C=a;this.Ce=null;this.B=b;this.u=0;this.daiEnabled=void 0===c?!1:c;this.visible=!0;this.D=void 0===d?!1:d}; -sH=function(a,b,c,d,e){g.eF.call(this,b.start,b.end,{id:d,namespace:"ad",priority:e,visible:c});this.u=a.kind||"AD_PLACEMENT_KIND_UNKNOWN";this.B=!1;this.C=null}; -tH=function(a){return"AD_PLACEMENT_KIND_START"==a.u}; -uH=function(a){return"AD_PLACEMENT_KIND_MILLISECONDS"==a.u}; -Cia=function(a){return a.end-a.start}; -vH=function(a,b,c){c=void 0===c?!1:c;switch(a.kind){case "AD_PLACEMENT_KIND_START":return new Gn(-0x8000000000000,-0x8000000000000);case "AD_PLACEMENT_KIND_END":return c?new Gn(Math.max(0,b.C-b.u),0x7ffffffffffff):new Gn(0x7ffffffffffff,0x8000000000000);case "AD_PLACEMENT_KIND_MILLISECONDS":var d=a.adTimeOffset;a=parseInt(d.offsetStartMilliseconds,10);d=parseInt(d.offsetEndMilliseconds,10);-1===d&&(d=b.C);if(c&&(d=a,a=Math.max(0,a-b.u),a==d))break;return new Gn(a,d);case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":d= -b.Ce;a=1E3*d.startSecs;if(c){if(a=h)if(h=b.shift(),f=(f=l.exec(h))?+f[1]/1E3:0)h=(h=m.exec(h))?+h[1]:0,h+=1;else return;c.push(new JF(n,e,f,NaN,"sq/"+(n+1)));e+=f;h--}a.index.append(c)}}; +sH=function(a,b,c){this.info=a;this.j=b;this.B=c;this.u=null;this.D=-1;this.timestampOffset=0;this.I=!1;this.C=this.info.j.Vy()&&!this.info.Ob}; +tH=function(a){return hua(a.j)}; +mva=function(a,b){if(1!==a.info.j.info.containerType||a.info.Ob||!a.info.bf)return!0;a=tH(a);for(var c=0,d=0;c+4e)b=!1;else{for(d=e-1;0<=d;d--)c.j.setUint8(c.pos+d,b&255),b>>>=8;c.pos=a;b=!0}else b=!1;return b}; +xH=function(a,b){b=void 0===b?!1:b;var c=qva(a);a=b?0:a.info.I;return c||a}; +qva=function(a){g.vH(a.info.j.info)||a.info.j.info.Ee();if(a.u&&6===a.info.type)return a.u.Xj;if(g.vH(a.info.j.info)){var b=tH(a);var c=0;b=g.tG(b,1936286840);b=g.t(b);for(var d=b.next();!d.done;d=b.next())d=wua(d.value),c+=d.CP[0]/d.Nt;c=c||NaN;if(!(0<=c))a:{c=tH(a);b=a.info.j.j;for(var e=d=0,f=0;oG(c,d);){var h=pG(c,d);if(1836476516===h.type)e=g.lG(h);else if(1836019558===h.type){!e&&b&&(e=mG(b));if(!e){c=NaN;break a}var l=nG(h.data,h.dataOffset,1953653094),m=e,n=nG(l.data,l.dataOffset,1952868452); +l=nG(l.data,l.dataOffset,1953658222);var p=bG(n);bG(n);p&2&&bG(n);n=p&8?bG(n):0;var q=bG(l),r=q&1;p=q&4;var v=q&256,x=q&512,z=q&1024;q&=2048;var B=cG(l);r&&bG(l);p&&bG(l);for(var F=r=0;F=1.3*Math.floor(16*f/9)||a>=1.3*f)return b;b=e}return"tiny"}; +IH=function(a,b,c){c=void 0===c?{}:c;this.id=a;this.mimeType=b;0=b)return c}catch(d){}return-1}; +lI=function(a,b){return 0<=kI(a,b)}; +Bva=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.start(b):NaN}; +mI=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.end(b):NaN}; +nI=function(a){return a&&a.length?a.end(a.length-1):NaN}; +oI=function(a,b){a=mI(a,b);return 0<=a?a-b:0}; +pI=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return iI(d,e)}; +qI=function(a,b,c,d){g.dE.call(this);var e=this;this.Ed=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.tU={error:function(){!e.isDisposed()&&e.isActive&&e.ma("error",e)}, +updateend:function(){!e.isDisposed()&&e.isActive&&e.ma("updateend",e)}}; +g.eE(this.Ed,this.tU);this.rE=this.isActive}; +sI=function(a,b,c,d,e,f){g.dE.call(this);var h=this;this.Vb=a;this.Dg=b;this.id=c;this.containerType=d;this.Lb=e;this.Xg=f;this.XM=this.FC=this.Cf=null;this.jF=!1;this.appendWindowStart=this.timestampOffset=0;this.GK=iI([],[]);this.iB=!1;this.Kz=rI?[]:void 0;this.ud=function(m){return h.ma(m.type,h)}; +var l;if(null==(l=this.Vb)?0:l.addEventListener)this.Vb.addEventListener("updateend",this.ud),this.Vb.addEventListener("error",this.ud)}; +Cva=function(a,b){b.isEncrypted()&&(a.XM=a.FC);3===b.type&&(a.Cf=b)}; +tI=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; +uI=function(a,b){this.j=a;this.u=void 0===b?!1:b;this.B=!1}; +vI=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaElement=a;this.Wa=b;this.isView=c;this.I=0;this.C=!1;this.D=!0;this.T=0;this.callback=null;this.Wa||(this.Dg=this.mediaElement.ub());this.events=new g.bI(this);g.E(this,this.events);this.B=new uI(this.Wa?window.URL.createObjectURL(this.Wa):this.Dg.webkitMediaSourceURL,!0);a=this.Wa||this.Dg;Kz(this.events,a,["sourceopen","webkitsourceopen"],this.x7);Kz(this.events,a,["sourceclose","webkitsourceclose"],this.w7);this.J={updateend:this.O_}}; +Dva=function(){return!!(window.MediaSource||window.WebKitMediaSource||window.HTMLMediaElement&&HTMLMediaElement.prototype.webkitSourceAddId)}; +Eva=function(a,b){wI(a)?g.Mf(function(){b(a)}):a.callback=b}; +Fva=function(a,b,c){if(xI){var d;yI(a.mediaElement,{l:"mswssb",sr:null==(d=a.mediaElement.va)?void 0:zI(d)},!1);g.eE(b,a.J,a);g.eE(c,a.J,a)}a.j=b;a.u=c;g.E(a,b);g.E(a,c)}; +AI=function(a){return!!a.j||!!a.u}; +wI=function(a){try{return"open"===BI(a)}catch(b){return!1}}; +BI=function(a){if(a.Wa)return a.Wa.readyState;switch(a.Dg.webkitSourceState){case a.Dg.SOURCE_OPEN:return"open";case a.Dg.SOURCE_ENDED:return"ended";default:return"closed"}}; +CI=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; +Gva=function(a,b,c,d){if(!a.j||!a.u)return null;var e=a.j.isView()?a.j.Ed:a.j,f=a.u.isView()?a.u.Ed:a.u,h=new vI(a.mediaElement,a.Wa,!0);h.B=a.B;Fva(h,new qI(e,b,c,d),new qI(f,b,c,d));wI(a)||a.j.Vq(a.j.Jd());return h}; +Hva=function(a){var b;null==(b=a.j)||b.Tx();var c;null==(c=a.u)||c.Tx();a.D=!1}; +Iva=function(a){return DI(function(b,c){return g.Ly(b,c,4,1E3)},a,{format:"RAW", +method:"GET",withCredentials:!0})}; +g.Jva=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=UF(new Uint8Array(a.response))):b=a.responseText;return!b||2048a.T&&a.isLivePlayback;a.Ja=Number(kH(c,a.D+":earliestMediaSequence"))||0;if(d=Date.parse(cva(kH(c,a.D+":mpdResponseTime"))))a.Z=(Date.now()-d)/1E3;a.isLive&&0>=c.getElementsByTagName("SegmentTimeline").length||g.Zl(c.getElementsByTagName("Period"),a.c8,a);a.state=2;a.ma("loaded");bwa(a)}return a}).Zj(function(c){if(c instanceof Jy){var d=c.xhr; +a.Kg=d.status}a.state=3;a.ma("loaderror");return Rf(d)})}; +dwa=function(a,b,c){return cwa(new FI(a,b,c),a)}; +LI=function(a){return a.isLive&&(0,g.M)()-a.Aa>=a.T}; +bwa=function(a){var b=a.T;isFinite(b)&&(LI(a)?a.refresh():(b=Math.max(0,a.Aa+b-(0,g.M)()),a.C||(a.C=new g.Ip(a.refresh,b,a),g.E(a,a.C)),a.C.start(b)))}; +ewa=function(a){a=a.j;for(var b in a){var c=a[b].index;if(c.isLoaded())return c.td()+1}return 0}; +MI=function(a){return a.Ld?a.Ld-(a.J||a.timestampOffset):0}; +NI=function(a){return a.jc?a.jc-(a.J||a.timestampOffset):0}; +OI=function(a){if(!isNaN(a.ya))return a.ya;var b=a.j,c;for(c in b){var d=b[c].index;if(d.isLoaded()){b=0;for(c=d.Lm();c<=d.td();c++)b+=d.getDuration(c);b/=d.Fy();b=.5*Math.round(b/.5);10(0,g.M)()-1E3*a))return 0;a=g.Qz("yt-player-quality");if("string"===typeof a){if(a=g.jF[a],0a.previousQuality)return 1;if(a.quality=navigator.hardwareConcurrency&&(a=480);b.coreCount=navigator.hardwareConcurrency;hoa()&&(b.isArm=1,a=240);if(c){var e,f;if(d=null==(e=c.videoInfos.find(function(h){return KH(h)}))?void 0:null==(f=e.j)?void 0:f.powerEfficient)a=8192,b.isEfficient=1; +c=c.videoInfos[0].video;e=Math.min(UI("1",c.fps),UI("1",30));b.perfCap=e;a=Math.min(a,e);c.isHdr()&&!d&&(b.hdr=1,a*=.75)}else c=UI("1",30),b.perfCap30=c,a=Math.min(a,c),c=UI("1",60),b.perfCap60=c,a=Math.min(a,c);return b.av1Threshold=a}; +XI=function(a){return a?function(){try{return a.apply(this,arguments)}catch(b){g.CD(b)}}:a}; +YI=function(a,b,c,d){this.flavor=a;this.keySystem=b;this.u=c;this.experiments=d;this.j={};this.Ya=this.keySystemAccess=null;this.nx=this.ox=-1;this.rl=null;this.B=!!d&&d.ob("edge_nonprefixed_eme")}; +$I=function(a){return a.B?!1:!a.keySystemAccess&&!!ZI()&&"com.microsoft.playready"===a.keySystem}; +aJ=function(a){return"com.microsoft.playready"===a.keySystem}; +bJ=function(a){return!a.keySystemAccess&&!!ZI()&&"com.apple.fps.1_0"===a.keySystem}; +cJ=function(a){return"com.youtube.fairplay"===a.keySystem}; +dJ=function(a){return"com.youtube.fairplay.sbdl"===a.keySystem}; +g.eJ=function(a){return"fairplay"===a.flavor}; +ZI=function(){var a=window,b=a.MSMediaKeys;az()&&!b&&(b=a.WebKitMediaKeys);return b&&b.isTypeSupported?b:null}; +hJ=function(a){if(!navigator.requestMediaKeySystemAccess)return!1;if(g.eI&&!g.Yy())return kq("45");if(g.oB||g.mf)return a.ob("edge_nonprefixed_eme");if(g.fJ)return kq("47");if(g.BA){if(a.ob("html5_enable_safari_fairplay"))return!1;if(a=g.gJ(a,"html5_safari_desktop_eme_min_version"))return kq(a)}return!0}; +uwa=function(a,b,c,d){var e=Zy(),f=(c=e||c&&az())?["com.youtube.fairplay"]:["com.widevine.alpha"];b&&f.unshift("com.youtube.widevine.l3");e&&d&&f.unshift("com.youtube.fairplay.sbdl");return c?f:a?[].concat(g.u(f),g.u(iJ.playready)):[].concat(g.u(iJ.playready),g.u(f))}; +kJ=function(){this.B=this.j=0;this.u=Array.from({length:jJ.length}).fill(0)}; +vwa=function(a){if(0===a.j)return null;for(var b=a.j.toString()+"."+Math.round(a.B).toString(),c=0;c=f&&f>d&&!0===Vta(a,e,c)&&(d=f)}return d}; +g.vJ=function(a,b){b=void 0===b?!1:b;return uJ()&&a.isTypeSupported('audio/mp4; codecs="mp4a.40.2"')||!b&&a.canPlayType(cI(),"application/x-mpegURL")?!0:!1}; +Qwa=function(a){Pwa(function(){for(var b=g.t(Object.keys(yF)),c=b.next();!c.done;c=b.next())xF(a,yF[c.value])})}; +xF=function(a,b){b.name in a.I||(a.I[b.name]=Rwa(a,b));return a.I[b.name]}; +Rwa=function(a,b){if(a.C)return!!a.C[b.name];if(b===yF.BITRATE&&a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=2000000')&&!a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=20000000'))return!1;if(b===yF.AV1_CODECS)return a.isTypeSupported("video/mp4; codecs="+b.valid)&&!a.isTypeSupported("video/mp4; codecs="+b.Vm);if(b.video){var c='video/webm; codecs="vp9"';a.isTypeSupported(c)||(c='video/mp4; codecs="avc1.4d401e"')}else c='audio/webm; codecs="opus"', +a.isTypeSupported(c)||(c='audio/mp4; codecs="mp4a.40.2"');return a.isTypeSupported(c+"; "+b.name+"="+b.valid)&&!a.isTypeSupported(c+"; "+b.name+"="+b.Vm)}; +Swa=function(a){a.T=!1;a.j=!0}; +Twa=function(a){a.B||(a.B=!0,a.j=!0)}; +Uwa=function(a,b){var c=0;a.u.has(b)&&(c=a.u.get(b).d3);a.u.set(b,{d3:c+1,uX:Math.pow(2,c+1)});a.j=!0}; +wJ=function(){var a=this;this.queue=[];this.C=0;this.j=this.u=!1;this.B=function(){a.u=!1;a.gf()}}; +Vwa=function(a){a.j||(Pwa(function(){a.gf()}),a.j=!0)}; +xJ=function(){g.dE.call(this);this.items={}}; +yJ=function(a){return window.Int32Array?new Int32Array(a):Array(a)}; +EJ=function(a){this.counter=[0,0,0,0];this.u=new Uint8Array(16);this.j=16;if(!Wwa){var b,c=new Uint8Array(256),d=new Uint8Array(256);var e=1;for(b=0;256>b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);zJ=new Uint8Array(256);AJ=yJ(256);BJ=yJ(256);CJ=yJ(256);DJ=yJ(256);for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;zJ[f]=e;b=e<<1^(e>>7&&283);var h=b^e;AJ[f]=b<<24|e<<16|e<<8|h;BJ[f]=h<<24|AJ[f]>>>8;CJ[f]=e<<24|BJ[f]>>>8;DJ[f]=e<<24|CJ[f]>>>8}Wwa=!0}e=yJ(44);for(c=0;4>c;c++)e[c]= +a[4*c]<<24|a[4*c+1]<<16|a[4*c+2]<<8|a[4*c+3];for(d=1;44>c;c++)a=e[c-1],c%4||(a=(zJ[a>>16&255]^d)<<24|zJ[a>>8&255]<<16|zJ[a&255]<<8|zJ[a>>>24],d=d<<1^(d>>7&&283)),e[c]=e[c-4]^a;this.key=e}; +Xwa=function(a){for(var b=a.key,c=a.counter[0]^b[0],d=a.counter[1]^b[1],e=a.counter[2]^b[2],f=a.counter[3]^b[3],h=3;0<=h&&!(a.counter[h]=-~a.counter[h]);h--);for(var l,m,n=4;40>n;)h=AJ[c>>>24]^BJ[d>>16&255]^CJ[e>>8&255]^DJ[f&255]^b[n++],l=AJ[d>>>24]^BJ[e>>16&255]^CJ[f>>8&255]^DJ[c&255]^b[n++],m=AJ[e>>>24]^BJ[f>>16&255]^CJ[c>>8&255]^DJ[d&255]^b[n++],f=AJ[f>>>24]^BJ[c>>16&255]^CJ[d>>8&255]^DJ[e&255]^b[n++],c=h,d=l,e=m;a=a.u;h=b[40];a[0]=zJ[c>>>24]^h>>>24;a[1]=zJ[d>>16&255]^h>>16&255;a[2]=zJ[e>>8&255]^ +h>>8&255;a[3]=zJ[f&255]^h&255;h=b[41];a[4]=zJ[d>>>24]^h>>>24;a[5]=zJ[e>>16&255]^h>>16&255;a[6]=zJ[f>>8&255]^h>>8&255;a[7]=zJ[c&255]^h&255;h=b[42];a[8]=zJ[e>>>24]^h>>>24;a[9]=zJ[f>>16&255]^h>>16&255;a[10]=zJ[c>>8&255]^h>>8&255;a[11]=zJ[d&255]^h&255;h=b[43];a[12]=zJ[f>>>24]^h>>>24;a[13]=zJ[c>>16&255]^h>>16&255;a[14]=zJ[d>>8&255]^h>>8&255;a[15]=zJ[e&255]^h&255}; +HJ=function(){if(!FJ&&!g.oB){if(GJ)return GJ;var a;GJ=null==(a=window.crypto)?void 0:a.subtle;var b,c,d;if((null==(b=GJ)?0:b.importKey)&&(null==(c=GJ)?0:c.sign)&&(null==(d=GJ)?0:d.encrypt))return GJ;GJ=void 0}}; +IJ=function(a,b){g.C.call(this);var c=this;this.j=a;this.cipher=this.j.AES128CTRCipher_create(b.byteOffset);g.bb(this,function(){c.j.AES128CTRCipher_release(c.cipher)})}; +g.JJ=function(a){this.C=a}; +g.KJ=function(a){this.u=a}; +LJ=function(a,b){this.j=a;this.D=b}; +MJ=function(a){this.D=new Uint8Array(64);this.B=new Uint8Array(64);this.C=0;this.I=new Uint8Array(64);this.u=0;this.D.set(a);this.B.set(a);for(a=0;64>a;a++)this.D[a]^=92,this.B[a]^=54;this.reset()}; +Ywa=function(a,b,c){for(var d=a.J,e=a.j[0],f=a.j[1],h=a.j[2],l=a.j[3],m=a.j[4],n=a.j[5],p=a.j[6],q=a.j[7],r,v,x,z=0;64>z;)16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=q+NJ[z]+x+((m>>>6|m<<26)^(m>>>11|m<<21)^(m>>>25|m<<7))+(m&n^~m&p),v=((e>>>2|e<<30)^(e>>>13|e<<19)^(e>>>22|e<<10))+(e&f^e&h^f&h),q=r+v,l+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r= +d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=p+NJ[z]+x+((l>>>6|l<<26)^(l>>>11|l<<21)^(l>>>25|l<<7))+(l&m^~l&n),v=((q>>>2|q<<30)^(q>>>13|q<<19)^(q>>>22|q<<10))+(q&e^q&f^e&f),p=r+v,h+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=n+NJ[z]+x+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^ +~h&m),v=((p>>>2|p<<30)^(p>>>13|p<<19)^(p>>>22|p<<10))+(p&q^p&e^q&e),n=r+v,f+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=m+NJ[z]+x+((f>>>6|f<<26)^(f>>>11|f<<21)^(f>>>25|f<<7))+(f&h^~f&l),v=((n>>>2|n<<30)^(n>>>13|n<<19)^(n>>>22|n<<10))+(n&p^n&q^p&q),x=q,q=l,l=x,x=p,p=h,h=x,x=n,n=f,f=x,m=e+r,e=r+v,z++;a.j[0]=e+a.j[0]|0;a.j[1]=f+a.j[1]|0;a.j[2]=h+a.j[2]|0;a.j[3]= +l+a.j[3]|0;a.j[4]=m+a.j[4]|0;a.j[5]=n+a.j[5]|0;a.j[6]=p+a.j[6]|0;a.j[7]=q+a.j[7]|0}; +$wa=function(a){var b=new Uint8Array(32),c=64-a.u;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.j[c]>>>24,b[4*c+1]=a.j[c]>>>16&255,b[4*c+2]=a.j[c]>>>8&255,b[4*c+3]=a.j[c]&255;Zwa(a);return b}; +Zwa=function(a){a.j=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.J=[];a.J.length=64;a.C=0;a.u=0}; +axa=function(a){this.j=a}; +bxa=function(a,b,c){a=new MJ(a.j);a.update(b);a.update(c);b=$wa(a);a.update(a.D);a.update(b);b=$wa(a);a.reset();return b}; +cxa=function(a){this.u=a}; +dxa=function(a,b,c,d){var e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(a.j){m.Ka(2);break}e=a;return g.y(m,d.importKey("raw",a.u,{name:"HMAC",hash:"SHA-256"},!1,["sign"]),3);case 3:e.j=m.u;case 2:return f=new Uint8Array(b.length+c.length),f.set(b),f.set(c,b.length),h={name:"HMAC",hash:"SHA-256"},g.y(m,d.sign(h,a.j,f),4);case 4:return l=m.u,m.return(new Uint8Array(l))}})}; +exa=function(a,b,c){a.B||(a.B=new axa(a.u));return bxa(a.B,b,c)}; +fxa=function(a,b,c){var d,e;return g.A(function(f){if(1==f.j){d=HJ();if(!d)return f.return(exa(a,b,c));g.pa(f,3);return g.y(f,dxa(a,b,c,d),5)}if(3!=f.j)return f.return(f.u);e=g.sa(f);g.DD(e);FJ=!0;return f.return(exa(a,b,c))})}; +OJ=function(){g.JJ.apply(this,arguments)}; +PJ=function(){g.KJ.apply(this,arguments)}; +QJ=function(a,b){if(b.buffer!==a.memory.buffer){var c=new Uint8Array(a.memory.buffer,a.malloc(b.byteLength),b.byteLength);c.set(b)}LJ.call(this,a,c||b);this.u=new Set;this.C=!1;c&&this.u.add(c.byteOffset)}; +gxa=function(a,b,c){this.encryptedClientKey=b;this.D=c;this.j=new Uint8Array(a.buffer,0,16);this.B=new Uint8Array(a.buffer,16)}; +hxa=function(a){a.u||(a.u=new OJ(a.j));return a.u}; +RJ=function(a){try{return ig(a)}catch(b){return null}}; +ixa=function(a,b){if(!b&&a)try{b=JSON.parse(a)}catch(e){}if(b){a=b.clientKey?RJ(b.clientKey):null;var c=b.encryptedClientKey?RJ(b.encryptedClientKey):null,d=b.keyExpiresInSeconds?1E3*Number(b.keyExpiresInSeconds)+(0,g.M)():null;a&&c&&d&&(this.j=new gxa(a,c,d));b.onesieUstreamerConfig&&(this.onesieUstreamerConfig=RJ(b.onesieUstreamerConfig)||void 0);this.baseUrl=b.baseUrl}}; +SJ=function(a){this.j=this.u=0;this.alpha=Math.exp(Math.log(.5)/a)}; +TJ=function(a,b,c,d){c=void 0===c?.5:c;d=void 0===d?0:d;this.resolution=b;this.u=0;this.B=!1;this.D=!0;this.j=Math.round(a*this.resolution);this.values=Array(this.j);for(a=0;a=jK;f=b?b.useNativeControls:a.use_native_controls;this.T=g.fK(this)&&this.u;d=this.u&&!this.T;f=g.kK(this)|| +!h&&jz(d,f)?"3":"1";d=b?b.controlsType:a.controls;this.controlsType="0"!==d&&0!==d?f:"0";this.ph=this.u;this.color=kz("red",b?b.progressBarColor:a.color,wxa);this.jo="3"===this.controlsType||jz(!1,b?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Dc=!this.C;this.qm=(f=!this.Dc&&!hK(this)&&!this.oa&&!this.J&&!gK(this))&&!this.jo&&"1"===this.controlsType;this.rd=g.lK(this)&&f&&"0"===this.controlsType&&!this.qm;this.Xo=this.oo=h;this.Lc=("3"===this.controlsType||this.u||jz(!1,a.use_media_volume))&& +!this.T;this.wm=cz&&!g.Nc(601)?!1:!0;this.Vn=this.C||!1;this.Oc=hK(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=mz("",b?b.widgetReferrer:a.widget_referrer);var l;b?b.disableCastApi&&(l=!1):l=a.enablecastapi;l=!this.I||jz(!0,l);h=!0;b&&b.disableMdxCast&&(h=!1);this.dj=this.K("enable_cast_for_web_unplugged")&&g.mK(this)&&h||this.K("enable_cast_on_music_web")&&g.nK(this)&&h||l&&h&&"1"===this.controlsType&&!this.u&&(hK(this)||g.lK(this)||"profilepage"===this.Ga)&& +!g.oK(this);this.Vo=!!window.document.pictureInPictureEnabled||gI();l=b?!!b.supportsAutoplayOverride:jz(!1,a.autoplayoverride);this.bl=!(this.u&&(!g.fK(this)||!this.K("embeds_web_enable_mobile_autoplay")))&&!Wy("nintendo wiiu")||l;l=b?!!b.enableMutedAutoplay:jz(!1,a.mutedautoplay);this.Uo=this.K("embeds_enable_muted_autoplay")&&g.fK(this);this.Qg=l&&!1;l=(hK(this)||gK(this))&&"blazer"===this.playerStyle;this.hj=b?!!b.disableFullscreen:!jz(!0,a.fs);this.Tb=!this.hj&&(l||g.yz());this.lm=this.K("uniplayer_block_pip")&& +(Xy()&&kq(58)&&!gz()||nB);l=g.fK(this)&&!this.ll;var m;b?void 0!==b.disableRelatedVideos&&(m=!b.disableRelatedVideos):m=a.rel;this.Wc=l||jz(!this.J,m);this.ul=jz(!1,b?b.enableContentOwnerRelatedVideos:a.co_rel);this.ea=gz()&&0=jK?"_top":"_blank";this.Wf="profilepage"===this.Ga;this.Xk=jz("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":m="bl";break;case "gmail":m="gm";break;case "gac":m="ga";break;case "books":m="gb";break;case "docs":m= +"gd";break;case "duo":m="gu";break;case "google-live":m="gl";break;case "google-one":m="go";break;case "play":m="gp";break;case "chat":m="hc";break;case "hangouts-meet":m="hm";break;case "photos-edu":case "picasaweb":m="pw";break;default:m="yt"}this.Ja=m;this.authUser=mz("",b?b.authorizedUserIndex:a.authuser);this.uc=g.fK(this)&&(this.fb||!eoa()||this.tb);var n;b?void 0!==b.disableWatchLater&&(n=!b.disableWatchLater):n=a.showwatchlater;this.hm=((m=!this.uc)||!!this.authUser&&m)&&jz(!this.oa,this.I? +n:void 0);this.aj=b?b.isMobileDevice||!!b.disableKeyboardControls:jz(!1,a.disablekb);this.loop=jz(!1,a.loop);this.pageId=mz("",b?b.initialDelegatedSessionId:a.pageid);this.Eo=jz(!0,a.canplaylive);this.Xb=jz(!1,a.livemonitor);this.disableSharing=jz(this.J,b?b.disableSharing:a.ss);(n=b&&this.K("fill_video_container_size_override_from_wpcc")?b.videoContainerOverride:a.video_container_override)?(m=n.split("x"),2!==m.length?n=null:(n=Number(m[0]),m=Number(m[1]),n=isNaN(n)||isNaN(m)||0>=n*m?null:new g.He(n, +m))):n=null;this.xm=n;this.mute=b?!!b.startMuted:jz(!1,a.mute);this.storeUserVolume=!this.mute&&jz("0"!==this.controlsType,b?b.storeUserVolume:a.store_user_volume);n=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:kz(void 0,n,pK);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":mz("",a.cc_lang_pref);n=kz(2,b?b.captionsLanguageLoadPolicy:a.cc_load_policy,pK);"3"===this.controlsType&&2===n&&(n=3);this.Pb=n;this.Si=b?b.hl||"en_US":mz("en_US", +a.hl);this.region=b?b.contentRegion||"US":mz("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":mz("en",a.host_language);this.Qn=!this.fb&&Math.random()Math.random();this.Qk=a.onesie_hot_config||(null==b?0:b.onesieHotConfig)?new ixa(a.onesie_hot_config,null==b?void 0:b.onesieHotConfig):void 0;this.isTectonic=b?!!b.isTectonic:!!a.isTectonic;this.playerCanaryState=c;this.vf=new pxa;g.E(this,this.vf);this.mm=jz(!1,a.force_gvi);this.datasyncId=(null==b?void 0:b.datasyncId)||g.ey("DATASYNC_ID");this.Zn=g.ey("LOGGED_IN",!1);this.Yi=(null==b?void 0:b.allowWoffleManagement)|| +!1;this.jm=0;this.livingRoomPoTokenId=null==b?void 0:b.livingRoomPoTokenId;this.K("html5_high_res_logging_always")?this.If=!0:this.If=100*Math.random()<(g.gJ(this.experiments,"html5_unrestricted_layer_high_res_logging_percent")||g.gJ(this.experiments,"html5_high_res_logging_percent"));this.K("html5_ping_queue")&&(this.Rk=new wJ)}; +g.wK=function(a){var b;if(null==(b=a.webPlayerContextConfig)||!b.embedsEnableLiteUx||a.fb||a.J)return"EMBEDDED_PLAYER_LITE_MODE_NONE";a=g.gJ(a.experiments,"embeds_web_lite_mode");return void 0===a?"EMBEDDED_PLAYER_LITE_MODE_UNKNOWN":0<=a&&ar.width*r.height*r.fps)r=x}}}else m.push(x)}B=n.reduce(function(K,H){return H.Te().isEncrypted()&& -K},!0)?l:null; -d=Math.max(d,g.P(a.experiments,"html5_hls_initial_bitrate"));h=r||{};n.push(HH(m,c,e,"93",void 0===h.width?0:h.width,void 0===h.height?0:h.height,void 0===h.fps?0:h.fps,f,"auto",d,B,t));return CH(a.D,n,BD(a,b))}; -HH=function(a,b,c,d,e,f,h,l,m,n,p,r){for(var t=0,w="",y=g.q(a),x=y.next();!x.done;x=y.next())x=x.value,w||(w=x.itag),x.audioChannels&&x.audioChannels>t&&(t=x.audioChannels,w=x.itag);d=new dx(d,"application/x-mpegURL",new Ww(0,t,null,w),new Zw(e,f,h,null,void 0,m,void 0,r),void 0,p);a=new Hia(a,b,c);a.D=n?n:1369843;return new GH(d,a,l)}; -Lia=function(a){a=g.q(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; -Nia=function(a,b){for(var c=g.q(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Ud===b.Ud&&!e.audioChannels)return d}return""}; -Mia=function(a){for(var b=new Set,c=g.q(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.q(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.q(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; -IH=function(a,b){this.Oa=a;this.u=b}; -Pia=function(a,b,c,d){var e=[];c=g.q(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new vw(h.url,!0);if(h.s){var l=h.sp,m=iw(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.q(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=Mx(h.type,h.quality,h.itag,h.width,h.height);e.push(new IH(h,f))}}return CH(a.D,e,BD(a,b))}; -JH=function(a,b){this.Oa=a;this.u=b}; -Qia=function(a){var b=[];g.Cb(a,function(c){if(c&&c.url){var d=Mx(c.type,"medium","0");b.push(new JH(d,c.url))}}); -return b}; -Ria=function(a,b,c){c=Qia(c);return CH(a.D,c,BD(a,b))}; -Sia=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.ustreamerConfig=SC(a.ustreamerConfig))}; -g.KH=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.u=a.is_servable||!1;this.isTranslateable=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null}; -g.LH=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; -YH=function(a){for(var b={},c=g.q(Object.keys(XH)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[XH[d]];e&&(b[d]=e)}return b}; -ZH=function(a,b){for(var c={},d=g.q(Object.keys(XH)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.pw(f)&&(c[XH[e]]=f)}return c}; -bI=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); +a.u=b.concat(c)}; +Ixa=function(a){this.itag=a.itag;this.url=a.url;this.codecs=a.codecs;this.width=a.width;this.height=a.height;this.fps=a.fps;this.bitrate=a.bitrate;var b;this.u=(null==(b=a.audioItag)?void 0:b.split(","))||[];this.pA=a.pA;this.Pd=a.Pd||"";this.Jc=a.Jc;this.audioChannels=a.audioChannels;this.j=""}; +Jxa=function(a,b,c,d){b=void 0===b?!1:b;c=void 0===c?!0:c;d=void 0===d?{}:d;var e={};a=g.t(a);for(var f=a.next();!f.done;f=a.next()){f=f.value;if(b&&MediaSource&&MediaSource.isTypeSupported){var h=f.type;f.audio_channels&&(h=h+"; channels="+f.audio_channels);if(!MediaSource.isTypeSupported(h)){d[f.itag]="tpus";continue}}if(c||!f.drm_families||"smpte2084"!==f.eotf&&"arib-std-b67"!==f.eotf){h=void 0;var l={bt709:"SDR",bt2020:"SDR",smpte2084:"PQ","arib-std-b67":"HLG"},m=f.type.match(/codecs="([^"]*)"/); +m=m?m[1]:"";f.audio_track_id&&(h=new g.aI(f.name,f.audio_track_id,!!f.is_default));var n=f.eotf;f=new Ixa({itag:f.itag,url:f.url,codecs:m,width:Number(f.width),height:Number(f.height),fps:Number(f.fps),bitrate:Number(f.bitrate),audioItag:f.audio_itag,pA:n?l[n]:void 0,Pd:f.drm_families,Jc:h,audioChannels:Number(f.audio_channels)});e[f.itag]=e[f.itag]||[];e[f.itag].push(f)}else d[f.itag]="enchdr"}return e}; +VK=function(a,b,c){this.j=a;this.B=b;this.expiration=c;this.u=null}; +Kxa=function(a,b){if(!(nB||az()||Zy()))return null;a=Jxa(b,a.K("html5_filter_fmp4_in_hls"));if(!a)return null;b=[];for(var c={},d=g.t(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.t(a[e.value]);for(var f=e.next();!f.done;f=e.next()){var h=f.value;h.Jc&&(f=h.Jc.getId(),c[f]||(h=new g.hF(f,h.Jc),c[f]=h,b.push(h)))}}return 0x.width*x.height*x.fps)x=G}else r.push(G)}else l[F]="disdrmhfr";v.reduce(function(P, +T){return T.rh().isEncrypted()&&P},!0)&&(q=p); +e=Math.max(e,0);p=x||{};n=void 0===p.fps?0:p.fps;x=void 0===p.width?0:p.width;p=void 0===p.height?0:p.height;B=a.K("html5_native_audio_track_switching");v.push(Oxa(r,c,d,f,"93",x,p,n,m,"auto",e,q,z,B));Object.entries(l).length&&h(l);return TK(a.D,v,xK(a,b))}; +Oxa=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){for(var x=0,z="",B=g.t(a),F=B.next();!F.done;F=B.next())F=F.value,z||(z=F.itag),F.audioChannels&&F.audioChannels>x&&(x=F.audioChannels,z=F.itag);e=new IH(e,"application/x-mpegURL",{audio:new CH(0,x),video:new EH(f,h,l,null,void 0,n,void 0,r),Pd:q,JV:z});a=new Exa(a,b,c?[c]:[],d,!!v);a.C=p?p:1369843;return new VK(e,a,m)}; +Lxa=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; +Nxa=function(a,b){for(var c=g.t(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Pd===b.Pd&&!e.audioChannels)return d}return""}; +Mxa=function(a){for(var b=new Set,c=g.t(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.t(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.t(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; +WK=function(a,b){this.j=a;this.u=b}; +Qxa=function(a,b,c,d){var e=[];c=g.t(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new g.DF(h.url,!0);if(h.s){var l=h.sp,m=Yta(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.t(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=$H(h.type,h.quality,h.itag,h.width,h.height);e.push(new WK(h,f))}}return TK(a.D,e,xK(a,b))}; +XK=function(a,b){this.j=a;this.u=b}; +Rxa=function(a,b,c){var d=[];c=g.t(c);for(var e=c.next();!e.done;e=c.next())if((e=e.value)&&e.url){var f=$H(e.type,"medium","0");d.push(new XK(f,e.url))}return TK(a.D,d,xK(a,b))}; +Sxa=function(a,b){var c=[],d=$H(b.type,"auto",b.itag);c.push(new XK(d,b.url));return TK(a.D,c,!1)}; +Uxa=function(a){return a&&Txa[a]?Txa[a]:null}; +Vxa=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.sE=RJ(a.ustreamerConfig)||void 0)}; +Wxa=function(a,b){var c;if(b=null==b?void 0:null==(c=b.watchEndpointSupportedOnesieConfig)?void 0:c.html5PlaybackOnesieConfig)a.LW=new Vxa(b)}; +g.YK=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.j=a.is_servable||!1;this.u=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null;this.xtags=a.xtags||"";this.captionId=a.captionId||""}; +g.$K=function(a){var b={languageCode:a.languageCode,languageName:a.languageName,displayName:g.ZK(a),kind:a.kind,name:a.name,id:a.id,is_servable:a.j,is_default:a.isDefault,is_translateable:a.u,vss_id:a.vssId};a.xtags&&(b.xtags=a.xtags);a.captionId&&(b.captionId=a.captionId);a.translationLanguage&&(b.translationLanguage=a.translationLanguage);return b}; +g.aL=function(a){return a.translationLanguage?a.translationLanguage.languageCode:a.languageCode}; +g.ZK=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; +$xa=function(a,b,c,d){a||(a=b&&Xxa.hasOwnProperty(b)&&Yxa.hasOwnProperty(b)?Yxa[b]+"_"+Xxa[b]:void 0);b=a;if(!b)return null;a=b.match(Zxa);if(!a||5!==a.length)return null;if(a=b.match(Zxa)){var e=Number(a[3]),f=[7,8,10,5,6];a=!(1===Number(a[1])&&8===e)&&0<=f.indexOf(e)}else a=!1;return c||d||a?b:null}; +bL=function(a,b){for(var c={},d=g.t(Object.keys(aya)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.UD(f)&&(c[aya[e]]=f)}return c}; +cL=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); a.sort(function(l,m){return l.width-m.width||l.height-m.height}); -for(var c=g.q(Object.keys($H)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=$H[e];for(var f=g.q(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=aI(h.url);g.pw(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=aI(a.url),g.pw(a)&&(b["maxresdefault.jpg"]=a));return b}; -aI=function(a){return a.startsWith("//")?"https:"+a:a}; -cI=function(a){if(a=a.colorInfo)if(a=a.transferCharacteristics)return Tia[a];return null}; -dI=function(a){return a&&a.baseUrl||""}; -eI=function(a){a=g.Zp(a);for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; -fI=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;var c=b.playerAttestationRenderer.challenge;null!=c&&(a.rh=c)}; -Uia=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.q(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=gI(d.baseUrl);if(!e)return;d=new g.KH({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.T(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.nx=b.audioTracks||[];a.fC=b.defaultAudioTrackIndex||0;a.gC=b.translationLanguages?g.Oc(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.T(f.languageName)}}): +for(var c=g.t(Object.keys(bya)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=bya[e];for(var f=g.t(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=cya(h.url);g.UD(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=cya(a.url),g.UD(a)&&(b["maxresdefault.jpg"]=a));return b}; +cya=function(a){return a.startsWith("//")?"https:"+a:a}; +dL=function(a){return a&&a.baseUrl||""}; +eL=function(a){a=g.sy(a);for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; +dya=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;b=b.playerAttestationRenderer.challenge;null!=b&&(a.pk=b)}; +fya=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.t(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=eya(d.baseUrl);if(!e)return;d=new g.YK({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.gE(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.KK=b.audioTracks||[];a.LS=b.defaultAudioTrackIndex||0;a.LK=b.translationLanguages?g.Yl(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.gE(f.languageName)}}): []; -a.gt=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; -Via=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.interstitials.map(function(l){var m=l.unserializedPlayerResponse;if(m)return{is_yto_interstitial:!0,raw_player_response:m};if(l=l.playerVars)return Object.assign({is_yto_interstitial:!0},Xp(l))}); -e=g.q(e);for(var f=e.next();!f.done;f=e.next())switch(f=f.value,d.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:f,yp:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:f,yp:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var h=Number(d.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:h,playerVars:f, -yp:0===h?5:7})}}}; -Wia=function(a,b){var c=b.find(function(d){return!(!d||!d.tooltipRenderer)}); -c&&(a.tooltipRenderer=c.tooltipRenderer)}; -hI=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; -iI=function(a){g.O.call(this);this.u=null;this.C=new g.no;this.u=null;this.I=new Set;this.crossOrigin=a||""}; -lI=function(a,b,c){c=jI(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=Math.floor(b/(d.columns*d.rows)),!d.Uc(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),g.mo(d.C,f,{oE:f,mF:e}))}kI(a)}; -kI=function(a){if(!a.u&&!a.C.isEmpty()){var b=a.C.remove();a.u=Cla(a,b)}}; -Cla=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.oE].Ld(b.mF);c.onload=function(){var d=b.oE,e=b.mF;null!==a.u&&(a.u.onload=null,a.u=null);d=a.levels[d];d.loaded.add(e);kI(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.fy()-1);e=[e,d];a.V("l",e[0],e[1])}; +a.lX=[];if(b.recommendedTranslationTargetIndices)for(c=g.t(b.recommendedTranslationTargetIndices),d=c.next();!d.done;d=c.next())a.lX.push(d.value);a.gF=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; +iya=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next()){c=c.value;var d=c.interstitials.map(function(h){var l=g.K(h,gya);if(l)return{is_yto_interstitial:!0,raw_player_response:l};if(h=g.K(h,hya))return Object.assign({is_yto_interstitial:!0},qy(h))}); +d=g.t(d);for(var e=d.next();!e.done;e=d.next())switch(e=e.value,c.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:e,In:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:e,In:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var f=Number(c.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:f,playerVars:e, +In:0===f?5:7})}}}; +jya=function(a,b){if(b=b.find(function(c){return!(!c||!c.tooltipRenderer)}))a.tooltipRenderer=b.tooltipRenderer}; +kya=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; +fL=function(){var a=lya;var b=void 0===b?[]:b;var c=void 0===c?[]:c;b=ima.apply(null,[jma.apply(null,g.u(b))].concat(g.u(c)));this.store=lma(a,void 0,b)}; +g.gL=function(a,b,c){for(var d=Object.assign({},a),e=g.t(Object.keys(b)),f=e.next();!f.done;f=e.next()){f=f.value;var h=a[f],l=b[f];if(void 0===l)delete d[f];else if(void 0===h)d[f]=l;else if(Array.isArray(l)&&Array.isArray(h))d[f]=c?[].concat(g.u(h),g.u(l)):l;else if(!Array.isArray(l)&&g.Ja(l)&&!Array.isArray(h)&&g.Ja(h))d[f]=g.gL(h,l,c);else if(typeof l===typeof h)d[f]=l;else return b=new g.bA("Attempted to merge fields of differing types.",{name:"DeepMergeError",key:f,Y7a:h,updateValue:l}),g.CD(b), +a}return d}; +hL=function(a){this.j=a;this.pos=0;this.u=-1}; +iL=function(a){var b=RF(a.j,a.pos);++a.pos;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=RF(a.j,a.pos),++a.pos,d*=128,c+=(b&127)*d;return c}; +jL=function(a,b){var c=a.u;for(a.u=-1;a.pos+1<=a.j.totalLength;){0>c&&(c=iL(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.u=c;break}c=-1;switch(e){case 0:iL(a);break;case 1:a.pos+=8;break;case 2:d=iL(a);a.pos+=d;break;case 5:a.pos+=4}}return!1}; +kL=function(a,b){if(jL(a,b))return iL(a)}; +lL=function(a,b){if(jL(a,b))return!!iL(a)}; +mL=function(a,b){if(jL(a,b)){b=iL(a);var c=QF(a.j,a.pos,b);a.pos+=b;return c}}; +nL=function(a,b){if(a=mL(a,b))return g.WF(a)}; +oL=function(a,b,c){if(a=mL(a,b))return c(new hL(new LF([a])))}; +mya=function(a,b,c){for(var d=[],e;e=mL(a,b);)d.push(c(new hL(new LF([e]))));return d.length?d:void 0}; +pL=function(a,b){a=a instanceof Uint8Array?new LF([a]):a;return b(new hL(a))}; +nya=function(a,b){a=void 0===a?4096:a;this.u=b;this.pos=0;this.B=[];b=void 0;if(this.u)try{var c=this.u.exports.malloc(a);b=new Uint8Array(this.u.exports.memory.buffer,c,a)}catch(d){}b||(b=new Uint8Array(a));this.j=b;this.view=new DataView(this.j.buffer,this.j.byteOffset,this.j.byteLength)}; +qL=function(a,b){var c=a.pos+b;if(!(a.j.length>=c)){for(b=2*a.j.length;bd;d++)a.view.setUint8(a.pos,c&127|128),c>>=7,a.pos+=1;b=Math.floor(b/268435456)}for(qL(a,4);127>=7,a.pos+=1;a.view.setUint8(a.pos,b);a.pos+=1}; +sL=function(a,b,c){oya?rL(a,8*b+c):rL(a,b<<3|c)}; +tL=function(a,b,c){void 0!==c&&(sL(a,b,0),rL(a,c))}; +uL=function(a,b,c){void 0!==c&&tL(a,b,c?1:0)}; +vL=function(a,b,c){void 0!==c&&(sL(a,b,2),b=c.length,rL(a,b),qL(a,b),a.j.set(c,a.pos),a.pos+=b)}; +wL=function(a,b,c){void 0!==c&&(pya(a,b,Math.ceil(Math.log2(4*c.length+2)/7)),qL(a,1.2*c.length),b=YF(c,a.j.subarray(a.pos)),a.pos+b>a.j.length&&(qL(a,b),b=YF(c,a.j.subarray(a.pos))),a.pos+=b,qya(a))}; +pya=function(a,b,c){c=void 0===c?2:c;sL(a,b,2);a.B.push(a.pos);a.B.push(c);a.pos+=c}; +qya=function(a){for(var b=a.B.pop(),c=a.B.pop(),d=a.pos-c-b;b--;){var e=b?128:0;a.view.setUint8(c++,d&127|e);d>>=7}}; +xL=function(a,b,c,d,e){c&&(pya(a,b,void 0===e?3:e),d(a,c),qya(a))}; +rya=function(a){a.u&&a.j.buffer!==a.u.exports.memory.buffer&&(a.j=new Uint8Array(a.u.exports.memory.buffer,a.j.byteOffset,a.j.byteLength),a.view=new DataView(a.j.buffer,a.j.byteOffset,a.j.byteLength));return new Uint8Array(a.j.buffer,a.j.byteOffset,a.pos)}; +g.yL=function(a,b,c){c=new nya(4096,c);b(c,a);return rya(c)}; +g.zL=function(a){var b=new hL(new LF([ig(decodeURIComponent(a))]));a=nL(b,2);b=kL(b,4);var c=sya[b];if("undefined"===typeof c)throw a=new g.bA("Failed to recognize field number",{name:"EntityKeyHelperError",T6a:b}),g.CD(a),a;return{U2:b,entityType:c,entityId:a}}; +g.AL=function(a,b){var c=new nya;vL(c,2,lua(a));a=tya[b];if("undefined"===typeof a)throw b=new g.bA("Failed to recognize entity type",{name:"EntityKeyHelperError",entityType:b}),g.CD(b),b;tL(c,4,a);tL(c,5,1);b=rya(c);return encodeURIComponent(g.gg(b))}; +BL=function(a,b,c,d){if(void 0===d)return d=Object.assign({},a[b]||{}),c=(delete d[c],d),d={},Object.assign({},a,(d[b]=c,d));var e={},f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +uya=function(a,b,c,d,e){var f=a[b];if(null==f||!f[c])return a;d=g.gL(f[c],d,"REPEATED_FIELDS_MERGE_OPTION_APPEND"===e);e={};f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +vya=function(a,b){a=void 0===a?{}:a;switch(b.type){case "ENTITY_LOADED":return b.payload.reduce(function(d,e){var f,h=null==(f=e.options)?void 0:f.persistenceOption;if(h&&"ENTITY_PERSISTENCE_OPTION_UNKNOWN"!==h&&"ENTITY_PERSISTENCE_OPTION_INMEMORY_AND_PERSIST"!==h)return d;if(!e.entityKey)return g.CD(Error("Missing entity key")),d;if("ENTITY_MUTATION_TYPE_REPLACE"===e.type){if(!e.payload)return g.CD(new g.bA("REPLACE entity mutation is missing a payload",{entityKey:e.entityKey})),d;var l=g.Xc(e.payload); +return BL(d,l,e.entityKey,e.payload[l])}if("ENTITY_MUTATION_TYPE_DELETE"===e.type){e=e.entityKey;try{var m=g.zL(e).entityType;l=BL(d,m,e)}catch(q){if(q instanceof Error)g.CD(new g.bA("Failed to deserialize entity key",{entityKey:e,mO:q.message})),l=d;else throw q;}return l}if("ENTITY_MUTATION_TYPE_UPDATE"===e.type){if(!e.payload)return g.CD(new g.bA("UPDATE entity mutation is missing a payload",{entityKey:e.entityKey})),d;l=g.Xc(e.payload);var n,p;return uya(d,l,e.entityKey,e.payload[l],null==(n= +e.fieldMask)?void 0:null==(p=n.mergeOptions)?void 0:p.repeatedFieldsMergeOption)}return d},a); +case "REPLACE_ENTITY":var c=b.payload;return BL(a,c.entityType,c.key,c.T2);case "REPLACE_ENTITIES":return Object.keys(b.payload).reduce(function(d,e){var f=b.payload[e];return Object.keys(f).reduce(function(h,l){return BL(h,e,l,f[l])},d)},a); +case "UPDATE_ENTITY":return c=b.payload,uya(a,c.entityType,c.key,c.T2,c.T7a);default:return a}}; +CL=function(a,b,c){return a[b]?a[b][c]||null:null}; +DL=function(a,b){this.type=a||"";this.id=b||""}; +g.EL=function(a){return new DL(a.substr(0,2),a.substr(2))}; +g.FL=function(a,b){this.u=a;this.author="";this.yB=null;this.playlistLength=0;this.j=this.sessionData=null;this.Z={};this.title="";if(b){this.author=b.author||b.playlist_author||"";this.title=b.playlist_title||"";if(a=b.session_data)this.sessionData=oy(a,"&");var c;this.j=(null==(c=b.thumbnail_ids)?void 0:c.split(",")[0])||null;this.Z=bL(b,"playlist_");this.videoId=b.video_id||void 0;if(c=b.list)switch(b.listType){case "user_uploads":this.playlistId=(new DL("UU","PLAYER_"+c)).toString();break;default:if(a= +b.playlist_length)this.playlistLength=Number(a)||0;this.playlistId=g.EL(c).toString();if(b=b.video)this.videoId=(b[0]||null).video_id||void 0}else b.playlist&&(this.playlistLength=b.playlist.toString().split(",").length)}}; +g.GL=function(a,b){this.j=a;this.Fr=this.author="";this.yB=null;this.isUpcoming=this.isLivePlayback=!1;this.lengthSeconds=0;this.zv=this.lengthText="";this.sessionData=null;this.Z={};this.title="";if(b){this.ariaLabel=b.aria_label||void 0;this.author=b.author||"";this.Fr=b.Fr||"";if(a=b.endscreen_autoplay_session_data)this.yB=oy(a,"&");this.zB=b.zB;this.isLivePlayback="1"===b.live_playback;this.isUpcoming=!!b.isUpcoming;if(a=b.length_seconds)this.lengthSeconds="string"===typeof a?Number(a):a;this.lengthText= +b.lengthText||"";this.zv=b.zv||"";this.publishedTimeText=b.publishedTimeText||void 0;if(a=b.session_data)this.sessionData=oy(a,"&");this.shortViewCount=b.short_view_count_text||void 0;this.Z=bL(b);this.title=b.title||"";this.videoId=b.docid||b.video_id||b.videoId||b.id||void 0;this.watchUrl=b.watchUrl||void 0}}; +wya=function(a){var b,c,d=null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:c.twoColumnWatchNextResults,e,f,h,l,m;a=null==(e=a.jd)?void 0:null==(f=e.playerOverlays)?void 0:null==(h=f.playerOverlayRenderer)?void 0:null==(l=h.endScreen)?void 0:null==(m=l.watchNextEndScreenRenderer)?void 0:m.results;if(!a){var n,p;a=null==d?void 0:null==(n=d.endScreen)?void 0:null==(p=n.endScreen)?void 0:p.results}return a}; +g.IL=function(a){var b,c,d;a=g.K(null==(b=a.jd)?void 0:null==(c=b.playerOverlays)?void 0:null==(d=c.playerOverlayRenderer)?void 0:d.decoratedPlayerBarRenderer,HL);return g.K(null==a?void 0:a.playerBar,xya)}; +yya=function(a){this.j=a.playback_progress_0s_url;this.B=a.playback_progress_2s_url;this.u=a.playback_progress_10s_url}; +Aya=function(a,b){var c=g.Ga("ytDebugData.callbacks");c||(c={},g.Fa("ytDebugData.callbacks",c));if(g.gy("web_dd_iu")||zya.includes(a))c[a]=b}; +JL=function(a){this.j=new oq(a)}; +Bya=function(){if(void 0===KL){try{window.localStorage.removeItem("yt-player-lv")}catch(b){}a:{try{var a=!!self.localStorage}catch(b){a=!1}if(a&&(a=g.yq(g.cA()+"::yt-player"))){KL=new JL(a);break a}KL=void 0}}return KL}; +g.LL=function(){var a=Bya();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; +g.Cya=function(a){var b=Bya();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; +g.ML=function(a){return g.LL()[a]||0}; +g.NL=function(a,b){var c=g.LL();b!==c[a]&&(0!==b?c[a]=b:delete c[a],g.Cya(c))}; +g.OL=function(a){return g.A(function(b){return b.return(g.kB(Dya(),a))})}; +QL=function(a,b,c,d,e,f,h,l){var m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:return m=g.ML(a),4===m?x.return(4):g.y(x,g.sB(),2);case 2:n=x.u;if(!n)throw g.DA("wiac");if(!l||void 0===h){x.Ka(3);break}return g.y(x,Eya(l,h),4);case 4:h=x.u;case 3:return p=c.lastModified||"0",g.y(x,g.OL(n),5);case 5:return q=x.u,g.pa(x,6),PL++,g.y(x,g.NA(q,["index","media"],{mode:"readwrite",tag:"IDB_TRANSACTION_TAG_WIAC",Ub:!0},function(z){if(void 0!==f&&void 0!==h){var B=""+a+"|"+b.id+"|"+p+"|"+String(f).padStart(10, +"0");B=g.OA(z.objectStore("media"),h,B)}else B=g.FA.resolve(void 0);var F=Fya(a,b.Xg()),G=Fya(a,!b.Xg()),D={fmts:Gya(d),format:c||{}};F=g.OA(z.objectStore("index"),D,F);var L=-1===d.downloadedEndTime;D=L?z.objectStore("index").get(G):g.FA.resolve(void 0);var P={fmts:"music",format:{}};z=L&&e&&!b.Xg()?g.OA(z.objectStore("index"),P,G):g.FA.resolve(void 0);return g.FA.all([z,D,B,F]).then(function(T){T=g.t(T);T.next();T=T.next().value;PL--;var fa=g.ML(a);if(4!==fa&&L&&e||void 0!==T&&g.Hya(T.fmts))fa= +1,g.NL(a,fa);return fa})}),8); +case 8:return x.return(x.u);case 6:r=g.sa(x);PL--;v=g.ML(a);if(4===v)return x.return(v);g.NL(a,4);throw r;}})}; +g.Iya=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){b=d.u;if(!b)throw g.DA("ri");return g.y(d,g.OL(b),3)}c=d.u;return d.return(g.NA(c,["index"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRI"},function(e){var f=IDBKeyRange.bound(a+"|",a+"~");return e.objectStore("index").getAll(f).then(function(h){return h.map(function(l){return l?l.format:{}})})}))})}; +Lya=function(a,b,c,d,e){var f,h,l;return g.A(function(m){if(1==m.j)return g.y(m,g.sB(),2);if(3!=m.j){f=m.u;if(!f)throw g.DA("rc");return g.y(m,g.OL(f),3)}h=m.u;l=g.NA(h,["media"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRM",Ub:Jya},function(n){var p=""+a+"|"+b+"|"+c+"|"+String(d).padStart(10,"0");return n.objectStore("media").get(p)}); +return e?m.return(l.then(function(n){if(void 0===n)throw Error("No data from indexDb");return Kya(e,n)}).catch(function(n){throw new g.bA("Error while reading chunk: "+n.name+", "+n.message); +})):m.return(l)})}; +g.Hya=function(a){return a?"music"===a?!0:a.includes("dlt=-1")||!a.includes("dlt="):!1}; +Fya=function(a,b){return""+a+"|"+(b?"v":"a")}; +Gya=function(a){var b={};return py((b.dlt=a.downloadedEndTime.toString(),b.mket=a.maxKnownEndTime.toString(),b.avbr=a.averageByteRate.toString(),b))}; +Nya=function(a){var b={},c={};a=g.t(a);for(var d=a.next();!d.done;d=a.next()){var e=d.value,f=e.split("|");e.match(g.Mya)?(d=Number(f.pop()),isNaN(d)?c[e]="?":(f=f.join("|"),(e=b[f])?(f=e[e.length-1],d===f.end+1?f.end=d:e.push({start:d,end:d})):b[f]=[{start:d,end:d}])):c[e]="?"}a=g.t(Object.keys(b));for(d=a.next();!d.done;d=a.next())d=d.value,c[d]=b[d].map(function(h){return h.start+"-"+h.end}).join(","); +return c}; +RL=function(a){g.dE.call(this);this.j=null;this.B=new Jla;this.j=null;this.I=new Set;this.crossOrigin=a||""}; +Oya=function(a,b,c){for(c=SL(a,c);0<=c;){var d=a.levels[c];if(d.isLoaded(TL(d,b))&&(d=g.UL(d,b)))return d;c--}return g.UL(a.levels[0],b)}; +Qya=function(a,b,c){c=SL(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=TL(d,b),!d.isLoaded(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),d.B.Ph(f,{mV:f,HV:e}))}Pya(a)}; +Pya=function(a){if(!a.j&&!a.B.Bf()){var b=a.B.remove();a.j=Rya(a,b)}}; +Rya=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.mV].Ze(b.HV);c.onload=function(){var d=b.mV,e=b.HV;null!==a.j&&(a.j.onload=null,a.j=null);d=a.levels[d];d.loaded.add(e);Pya(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.NE()-1);e=[e,d];a.ma("l",e[0],e[1])}; return c}; -g.mI=function(a,b,c,d){this.level=a;this.F=b;this.loaded=new Set;this.level=a;this.F=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.C=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.u=Math.floor(Number(a[5]));this.D=a[6];this.signature=a[7];this.videoLength=d}; -nI=function(a,b,c,d,e){d=void 0===d?!1:d;e=void 0===e?!1:e;iI.call(this,c);this.isLive=d;this.K=!!e;this.levels=this.B(a,b);this.D=new Map;1=b)return a.D.set(b,d),d;a.D.set(b,c-1);return c-1}; -pI=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.mI.call(this,a,b,c,0);this.B=null;this.I=d?3:0}; -qI=function(a,b,c,d){nI.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;ab&&(yB()||g.Q(d.experiments,"html5_format_hybridization"))&&(n.B.supportsChangeType=+yB(),n.I=b);2160<=b&&(n.Aa=!0);kC()&&(n.B.serveVp9OverAv1IfHigherRes= -0,n.Ub=!1);n.ax=m;m=g.hs||sr()&&!m?!1:!0;n.X=m;n.za=g.Q(d.experiments,"html5_format_hybridization");hr()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(n.D=!0,n.F=!0);a.mn&&(n.mn=a.mn);a.Nl&&(n.Nl=a.Nl);a.isLivePlayback&&(d=a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_dai"),m=!a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_non_dai"),n.P=d||m);return a.mq=n}; -Gla=function(a){a.Bh||a.ra&&KB(a.ra);var b={};a.ra&&(b=LC(BI(a),a.Sa.D,a.ra,function(c){return a.V("ctmp","fmtflt",c)})); -b=new yH(b,a.Sa.experiments,a.CH,Fla(a));g.D(a,b);a.Mq=!1;a.Pd=!0;Eia(b,function(c){for(var d=g.q(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Bh=a.Bh;e.At=a.At;e.zt=a.zt;break;case "widevine":e.Ap=a.Ap}a.Vo=c;if(0b)return!1}return!LI(a)||"ULTRALOW"!=a.latencyClass&&21530001!=MI(a)?window.AbortController?a.ba("html5_streaming_xhr")||a.ba("html5_streaming_xhr_manifestless")&&LI(a)?!0:!1:!1:!0}; -OI=function(a){return YA({hasSubfragmentedFmp4:a.hasSubfragmentedFmp4,Ui:a.Ui,defraggedFromSubfragments:a.defraggedFromSubfragments,isManifestless:LI(a),DA:NI(a)})}; -MI=function(a){return a.isLowLatencyLiveStream&&void 0!=a.ra&&5<=ZB(a.ra)?21530001:a.liveExperimentalContentId}; -PI=function(a){return hr()&&KI(a)?!1:!AC()||a.HC?!0:!1}; -Ila=function(a){a.Pd=!0;a.Xl=!1;if(!a.Og&&QI(a))Mfa(a.videoId).then(function(d){a:{var e=HI(a,a.adaptiveFormats);if(e)if(d=HI(a,d)){if(0l&&(l=n.Te().audio.u);2=a.La.videoInfos.length)&&(c=ix(a.La.videoInfos[0]),c!=("fairplay"==a.md.flavor)))for(d=g.q(a.Vo),e=d.next();!e.done;e=d.next())if(e=e.value,c==("fairplay"==e.flavor)){a.md=e;break}}; -VI=function(a,b){a.lk=b;UI(a,new JC(g.Oc(a.lk,function(c){return c.Te()})))}; -Mla=function(a){var b={cpn:a.clientPlaybackNonce,c:a.Sa.deviceParams.c,cver:a.Sa.deviceParams.cver};a.Ev&&(b.ptk=a.Ev,b.oid=a.zG,b.ptchn=a.yG,b.pltype=a.AG);return b}; -g.WI=function(a){return EI(a)&&a.Bh?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.Oa&&a.Oa.Ud||null}; -XI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.T(b.text):a.paidContentOverlayText}; -YI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?g.rd(b.durationMs):a.paidContentOverlayDurationMs}; -ZI=function(a){var b="";if(a.dz)return a.dz;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":"live");return b}; -g.$I=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; -aJ=function(a){return!!(a.Og||a.adaptiveFormats||a.xs||a.mp||a.hlsvp)}; -bJ=function(a){var b=g.jb(a.Of,"ypc");a.ypcPreview&&(b=!1);return a.isValid()&&!a.Pd&&(aJ(a)||g.jb(a.Of,"heartbeat")||b)}; -GI=function(a,b){var c=Yp(a),d={};if(b)for(var e=g.q(b.split(",")),f=e.next();!f.done;f=e.next())(f=f.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(d[f[1]]={width:f[2],height:f[3]});e=g.q(c);for(f=e.next();!f.done;f=e.next()){f=f.value;var h=d[f.itag];h&&(f.width=h.width,f.height=h.height)}return c}; -vI=function(a,b){a.showShareButton=!!b;if(b){var c=b.buttonRenderer&&b.buttonRenderer.navigationEndpoint;c&&(a.Xr=!!c.copyTextEndpoint)}}; -dJ=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.Qg=c);if(a.Qg){if(c=a.Qg.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.Qg.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;null!=d?(a.Gj=d,a.qc=!0):(a.Gj="",a.qc=!1);if(d=c.defaultThumbnail)a.li=bI(d);(d=c.videoDetails&& -c.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer)&&wI(a,b,d);if(d=c.videoDetails&&c.videoDetails.musicEmbeddedPlayerOverlayVideoDetailsRenderer)a.Ux=d.title,a.Tx=d.byline,d.musicVideoType&&(a.musicVideoType=d.musicVideoType);a.Ll=!!c.addToWatchLaterButton;vI(a,c.shareButton);c.playButton&&c.playButton.buttonRenderer&&c.playButton.buttonRenderer.navigationEndpoint&&(d=c.playButton.buttonRenderer.navigationEndpoint,d.watchEndpoint&&(d=d.watchEndpoint,d.watchEndpointSupportedOnesieConfig&&d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig&& -(a.Cv=new Sia(d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig))));c.videoDurationSeconds&&(a.lengthSeconds=g.rd(c.videoDurationSeconds));a.ba("web_player_include_innertube_commands")&&c.webPlayerActionsPorting&&hI(a,c.webPlayerActionsPorting);if(a.ba("embeds_wexit_list_ajax_migration")&&c.playlist&&c.playlist.playlistPanelRenderer){c=c.playlist.playlistPanelRenderer;d=[];var e=Number(c.currentIndex);if(c.contents)for(var f=0,h=c.contents.length;f(b?parseInt(b[1],10):NaN);c=a.Sa;c=("TVHTML5_CAST"===c.deviceParams.c||"TVHTML5"===c.deviceParams.c&&(c.deviceParams.cver.startsWith("6.20130725")||c.deviceParams.cver.startsWith("6.20130726")))&&"MUSIC"===a.Sa.deviceParams.ctheme; -var d;if(d=!a.tn)c||(c=a.Sa,c="TVHTML5"===c.deviceParams.c&&c.deviceParams.cver.startsWith("7")),d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.ba("cast_prefer_audio_only_for_atv_and_uploads")||a.ba("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.tn=!0);return!a.Sa.deviceHasDisplay||a.tn&&a.Sa.C}; -qJ=function(a){return pJ(a)&&!!a.adaptiveFormats}; -pJ=function(a){return!!(a.ba("hoffle_save")&&a.Vn&&a.Sa.C)}; -RI=function(a,b){if(a.Vn!=b&&(a.Vn=b)&&a.ra){var c=a.ra,d;for(d in c.u){var e=c.u[d];e.D=!1;e.u=null}}}; -QI=function(a){return!(!(a.ba("hoffle_load")&&a.adaptiveFormats&&cy(a.videoId))||a.Vn)}; -rJ=function(a){if(!a.ra||!a.Oa||!a.pd)return!1;var b=a.ra.u;return!!b[a.Oa.id]&&yw(b[a.Oa.id].B.u)&&!!b[a.pd.id]&&yw(b[a.pd.id].B.u)}; -cJ=function(a){return(a=a.fq)&&a.showError?a.showError:!1}; -CI=function(a){return a.ba("disable_rqs")?!1:FI(a,"html5_high_res_logging")}; -FI=function(a,b){return a.ba(b)?!0:(a.fflags||"").includes(b+"=true")}; -Pla=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; -tI=function(a,b){var c=b.video_masthead_ad_quartile_urls;c&&(a.Mv=c.quartile_0_url,a.Vz=c.quartile_25_url,a.Xz=c.quartile_50_url,a.Zz=c.quartile_75_url,a.Tz=c.quartile_100_url,a.Nv=c.quartile_0_urls,a.Wz=c.quartile_25_urls,a.Yz=c.quartile_50_urls,a.aA=c.quartile_75_urls,a.Uz=c.quartile_100_urls)}; -uJ=function(a){return a?AC()?!0:sJ&&5>tJ?!1:!0:!1}; -sI=function(a){var b={};a=g.q(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; -gI=function(a){if(a){if(rw(a))return a;a=tw(a);if(rw(a,!0))return a}return""}; -Qla=function(){this.url=null;this.height=this.width=0;this.adInfoRenderer=this.impressionTrackingUrls=this.clickTrackingUrls=null}; -vJ=function(){this.contentVideoId=null;this.macros={};this.imageCompanionAdRenderer=this.iframeCompanionRenderer=null}; -wJ=function(a){this.u=a}; -xJ=function(a){var b=a.u.getVideoData(1);a.u.xa("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})}; -Rla=function(a){var b=new wJ(a.J);return{nK:function(){return b}}}; -yJ=function(a,b){this.u=a;this.Ob=b||{};this.K=String(Math.floor(1E9*Math.random()));this.R={};this.P=0}; -Sla=function(a){switch(a){case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression";case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression"; -case "viewable_impression":return"adviewableimpression";default:return null}}; -zJ=function(){g.O.call(this);var a=this;this.u={};g.eg(this,function(){return Object.keys(a.u).forEach(function(b){return delete a.u[b]})})}; -BJ=function(){if(null===AJ){AJ=new zJ;ul.getInstance().u="b";var a=ul.getInstance(),b="h"==Yk(a)||"b"==Yk(a),c=!(Ch.getInstance(),!1);b&&c&&(a.F=!0,a.I=new ica)}return AJ}; -Tla=function(a,b,c){a.u[b]=c}; -Ula=function(a){this.C=a;this.B={};this.u=ag()?500:g.wD(a.T())?1E3:2500}; -Wla=function(a,b){if(!b.length)return null;var c=b.filter(function(d){if(!d.mimeType)return!1;d.mimeType in a.B||(a.B[d.mimeType]=a.C.canPlayType(d.mimeType));return a.B[d.mimeType]?!!d.mimeType&&"application/x-mpegurl"==d.mimeType.toLowerCase()||!!d.mimeType&&"application/dash+xml"==d.mimeType.toLowerCase()||"PROGRESSIVE"==d.delivery:!1}); -return Vla(a,c)}; -Vla=function(a,b){for(var c=null,d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.minBitrate,h=e.maxBitrate;f>a.u||ha.u||(!c||f>c.maxBitrate?c=e:c&&f==c.maxBitrate&&hc.maxBitrate&&(c=e));return c}; -CJ=function(a,b){this.u=a;this.F=b;this.B=b.length;this.adBreakLengthSeconds=b.reduce(function(e,f){return e+f},0); -for(var c=0,d=a+1;d=a.B}; -HJ=function(){yJ.apply(this,arguments)}; -IJ=function(){this.B=[];this.D=null;this.C=0}; -JJ=function(a,b){b&&a.B.push(b)}; -KJ=function(a){if(!a)return[];var b=[];a=g.q(a);for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.loggingUrls){c=g.q(c.loggingUrls);for(var d=c.next();!d.done;d=c.next())b.push({baseUrl:d.value.baseUrl})}return b}; -LJ=function(a){if(!a)return[];var b=[];a.forEach(function(c){c.command.loggingUrls.forEach(function(d){b.push({baseUrl:d.baseUrl,offsetMilliseconds:c.adVideoOffset.milliseconds})})}); +g.VL=function(a,b,c,d){this.level=a;this.D=b;this.loaded=new Set;this.level=a;this.D=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.frameCount=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.j=Math.floor(Number(a[5]));this.B=a[6];this.C=a[7];this.videoLength=d}; +TL=function(a,b){return Math.floor(b/(a.columns*a.rows))}; +g.UL=function(a,b){b>=a.BJ()&&a.ix();var c=TL(a,b),d=a.columns*a.rows,e=b%d;b=e%a.columns;e=Math.floor(e/a.columns);var f=a.ix()+1-d*c;if(f=b)return a.C.set(b,d),d;a.C.set(b,c-1);return c-1}; +XL=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.VL.call(this,a,b,c,0);this.u=null;this.I=d?2:0}; +YL=function(a,b,c,d){WL.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;adM?!1:!0,a.isLivePlayback=!0;else if(bc.isLive){qn.livestream="1";a.allowLiveDvr=bc.isLiveDvrEnabled?uJ()?!0:dz&&5>dM?!1:!0:!1;a.Ga=27;bc.isLowLatencyLiveStream&&(a.isLowLatencyLiveStream=!0);var Bw=bc.latencyClass;Bw&&(a.latencyClass= +fza[Bw]||"UNKNOWN");var Ml=bc.liveChunkReadahead;Ml&&(a.liveChunkReadahead=Ml);var Di=pn&&pn.livePlayerConfig;if(Di){Di.hasSubfragmentedFmp4&&(a.hasSubfragmentedFmp4=!0);Di.hasSubfragmentedWebm&&(a.Oo=!0);Di.defraggedFromSubfragments&&(a.defraggedFromSubfragments=!0);var Ko=Di.liveExperimentalContentId;Ko&&(a.liveExperimentalContentId=Number(Ko));var Nk=Di.isLiveHeadPlayable;a.K("html5_live_head_playable")&&null!=Nk&&(a.isLiveHeadPlayable=Nk)}Jo=!0}else bc.isUpcoming&&(Jo=!0);Jo&&(a.isLivePlayback= +!0,qn.adformat&&"8"!==qn.adformat.split("_")[1]||a.Ja.push("heartbeat"),a.Uo=!0)}var Lo=bc.isPrivate;void 0!==Lo&&(a.isPrivate=jz(a.isPrivate,Lo))}if(la){var Mo=bc||null,mt=!1,Nl=la.errorScreen;mt=Nl&&(Nl.playerLegacyDesktopYpcOfferRenderer||Nl.playerLegacyDesktopYpcTrailerRenderer||Nl.ypcTrailerRenderer)?!0:Mo&&Mo.isUpcoming?!0:["OK","LIVE_STREAM_OFFLINE","FULLSCREEN_ONLY"].includes(la.status);if(!mt){a.errorCode=Uxa(la.errorCode)||"auth";var No=Nl&&Nl.playerErrorMessageRenderer;if(No){a.playerErrorMessageRenderer= +No;var nt=No.reason;nt&&(a.errorReason=g.gE(nt));var Kq=No.subreason;Kq&&(a.Gm=g.gE(Kq),a.qx=Kq)}else a.errorReason=la.reason||null;var Ba=la.status;if("LOGIN_REQUIRED"===Ba)a.errorDetail="1";else if("CONTENT_CHECK_REQUIRED"===Ba)a.errorDetail="2";else if("AGE_CHECK_REQUIRED"===Ba){var Ei=la.errorScreen,Oo=Ei&&Ei.playerKavRenderer;a.errorDetail=Oo&&Oo.kavUrl?"4":"3"}else a.errorDetail=la.isBlockedInRestrictedMode?"5":"0"}}var Po=a.playerResponse.interstitialPods;Po&&iya(a,Po);a.Xa&&a.eventId&&(a.Xa= +uy(a.Xa,{ei:a.eventId}));var SA=a.playerResponse.captions;SA&&SA.playerCaptionsTracklistRenderer&&fya(a,SA.playerCaptionsTracklistRenderer);a.clipConfig=a.playerResponse.clipConfig;a.clipConfig&&null!=a.clipConfig.startTimeMs&&(a.TM=.001*Number(a.clipConfig.startTimeMs));a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting&&kya(a,a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting)}Wya(a, +b);b.queue_info&&(a.queueInfo=b.queue_info);var OH=b.hlsdvr;null!=OH&&(a.allowLiveDvr="1"==OH?uJ()?!0:dz&&5>dM?!1:!0:!1);a.adQueryId=b.ad_query_id||null;a.Lw||(a.Lw=b.encoded_ad_safety_reason||null);a.MR=b.agcid||null;a.iQ=b.ad_id||null;a.mQ=b.ad_sys||null;a.MJ=b.encoded_ad_playback_context||null;a.Xk=jz(a.Xk,b.infringe||b.muted);a.XR=b.authkey;a.authUser=b.authuser;a.mutedAutoplay=jz(a.mutedAutoplay,b&&b.playmuted)&&a.K("embeds_enable_muted_autoplay");var Qo=b.length_seconds;Qo&&(a.lengthSeconds= +"string"===typeof Qo?Se(Qo):Qo);var TA=!a.isAd()&&!a.bl&&g.qz(g.wK(a.B));if(TA){var ot=a.lengthSeconds;switch(g.wK(a.B)){case "EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT":30ot&&10c&&(tI()||d.K("html5_format_hybridization"))&&(q.u.supportsChangeType=+tI(),q.C=c);2160<=c&&(q.Ja=!0);rwa()&&(q.u.serveVp9OverAv1IfHigherRes= +0,q.Wc=!1);q.tK=m;q.fb=g.oB||hz()&&!m?!1:!0;q.oa=d.K("html5_format_hybridization");q.jc=d.K("html5_disable_encrypted_vp9_live_non_2k_4k");Zy()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(q.J=!0,q.T=!0);a.fb&&a.isAd()&&(a.sA&&(q.ya=a.sA),a.rA&&(q.I=a.rA));q.Ya=a.isLivePlayback&&a.Pl()&&a.B.K("html5_drm_live_audio_51");q.Tb=a.WI;return a.jm=q}; +yza=function(a){eF("drm_pb_s",void 0,a.Qa);a.Ya||a.j&&tF(a.j);var b={};a.j&&(b=Nta(a.Tw,vM(a),a.B.D,a.j,function(c){return a.ma("ctmp","fmtflt",c)},!0)); +b=new nJ(b,a.B,a.PR,xza(a),function(c,d){a.xa(c,d)}); +g.E(a,b);a.Rn=!1;a.La=!0;Fwa(b,function(c){eF("drm_pb_f",void 0,a.Qa);for(var d=g.t(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Ya=a.Ya;e.ox=a.ox;e.nx=a.nx;break;case "widevine":e.rl=a.rl}a.Un=c;if(0p&&(p=v.rh().audio.numChannels)}2=a.C.videoInfos.length)&&(b=LH(a.C.videoInfos[0]),b!=("fairplay"==a.J.flavor)))for(c=g.t(a.Un),d=c.next();!d.done;d=c.next())if(d=d.value,b==("fairplay"==d.flavor)){a.J=d;break}}; +zM=function(a,b){a.Nd=b;Iza(a,new oF(g.Yl(a.Nd,function(c){return c.rh()})))}; +Jza=function(a){var b={cpn:a.clientPlaybackNonce,c:a.B.j.c,cver:a.B.j.cver};a.xx&&(b.ptk=a.xx,b.oid=a.KX,b.ptchn=a.xX,b.pltype=a.fY,a.lx&&(b.m=a.lx));return b}; +g.AM=function(a){return eM(a)&&a.Ya?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.u&&a.u.Pd||null}; +Kza=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.gE(b.text):a.paidContentOverlayText}; +BM=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?Se(b.durationMs):a.paidContentOverlayDurationMs}; +CM=function(a){var b="";if(a.eK)return a.eK;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":a.isPremiere?"lp":a.rd?"window":"live");a.Se&&(b="post");return b}; +g.DM=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; +Lza=function(a){return!!a.Ui||!!a.cN||!!a.zx||!!a.Ax||a.nS||a.ea.focEnabled||a.ea.rmktEnabled}; +EM=function(a){return!!(a.tb||a.Jf||a.ol||a.hlsvp||a.Yu())}; +aM=function(a){if(a.K("html5_onesie")&&a.errorCode)return!1;var b=g.rb(a.Ja,"ypc");a.ypcPreview&&(b=!1);return a.De()&&!a.La&&(EM(a)||g.rb(a.Ja,"heartbeat")||b)}; +gM=function(a,b){a=ry(a);var c={};if(b){b=g.t(b.split(","));for(var d=b.next();!d.done;d=b.next())(d=d.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(c[d[1]]={width:d[2],height:d[3]})}b=g.t(a);for(d=b.next();!d.done;d=b.next()){d=d.value;var e=c[d.itag];e&&(d.width=e.width,d.height=e.height)}return a}; +pza=function(a,b){a.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")||(a.showShareButton=!!b);var c,d,e=(null==(c=g.K(b,g.mM))?void 0:c.navigationEndpoint)||(null==(d=g.K(b,g.mM))?void 0:d.command);e&&(a.ao=!!g.K(e,Mza))}; +Vya=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.kf=c);if(a.kf){a.embeddedPlayerConfig=a.kf.embeddedPlayerConfig||null;if(c=a.kf.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.kf.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")|| +(null!=d?(a.Wc=d,a.D=!0):(a.Wc="",a.D=!1));if(d=c.defaultThumbnail)a.Z=cL(d),a.sampledThumbnailColor=d.sampledThumbnailColor;(d=g.K(null==c?void 0:c.videoDetails,Nza))&&tza(a,b,d);d=g.K(null==c?void 0:c.videoDetails,g.Oza);a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")||(a.Qk=!!c.addToWatchLaterButton);pza(a,c.shareButton);if(null==d?0:d.musicVideoType)a.musicVideoType=d.musicVideoType;var e,f,h,l,m;if(d=g.K(null==(e=a.kf)?void 0:null==(f=e.embedPreview)?void 0:null==(h= +f.thumbnailPreviewRenderer)?void 0:null==(l=h.playButton)?void 0:null==(m=l.buttonRenderer)?void 0:m.navigationEndpoint,g.oM))Wxa(a,d),a.videoId=d.videoId||a.videoId;c.videoDurationSeconds&&(a.lengthSeconds=Se(c.videoDurationSeconds));c.webPlayerActionsPorting&&kya(a,c.webPlayerActionsPorting);if(e=g.K(null==c?void 0:c.playlist,Pza)){a.bl=!0;f=[];h=Number(e.currentIndex);if(e.contents)for(l=0,m=e.contents.length;l(b?parseInt(b[1],10):NaN);c=a.B;c=("TVHTML5_CAST"===g.rJ(c)||"TVHTML5"===g.rJ(c)&&(c.j.cver.startsWith("6.20130725")||c.j.cver.startsWith("6.20130726")))&&"MUSIC"===a.B.j.ctheme;var d;if(d=!a.hj)c||(c=a.B,c="TVHTML5"===g.rJ(c)&&c.j.cver.startsWith("7")), +d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.K("cast_prefer_audio_only_for_atv_and_uploads")||a.K("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.hj=!0);return a.B.deviceIsAudioOnly||a.hj&&a.B.I}; +Yza=function(a){return isNaN(a)?0:Math.max((Date.now()-a)/1E3-30,0)}; +WM=function(a){return!(!a.xm||!a.B.I)&&a.Yu()}; +Zza=function(a){return a.enablePreroll&&a.enableServerStitchedDai}; +XM=function(a){if(a.mS||a.cotn||!a.j||a.j.isOtf)return!1;if(a.K("html5_use_sabr_requests_for_debugging"))return!0;var b=!a.j.fd&&!a.Pl(),c=b&&xM&&a.K("html5_enable_sabr_vod_streaming_xhr");b=b&&!xM&&a.K("html5_enable_sabr_vod_non_streaming_xhr");(c=c||b)&&!a.Cx&&a.xa("sabr",{loc:"m"});return c&&!!a.Cx}; +YM=function(a){return a.lS&&XM(a)}; +hza=function(a){var b;if(b=!!a.cotn)b=a.videoId,b=!!b&&1===g.ML(b);return b&&!a.xm}; +g.ZM=function(a){if(!a.j||!a.u||!a.I)return!1;var b=a.j.j;return!!b[a.u.id]&&GF(b[a.u.id].u.j)&&!!b[a.I.id]&&GF(b[a.I.id].u.j)}; +$M=function(a){return a.yx?["OK","LIVE_STREAM_OFFLINE"].includes(a.yx.status):!0}; +Qza=function(a){return(a=a.ym)&&a.showError?a.showError:!1}; +fM=function(a,b){return a.K(b)?!0:(a.fflags||"").includes(b+"=true")}; +$za=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; +$ya=function(a,b){b.inlineMetricEnabled&&(a.inlineMetricEnabled=!0);b.playback_progress_0s_url&&(a.Ax=new yya(b));if(b=b.video_masthead_ad_quartile_urls)a.cN=b.quartile_0_url,a.bZ=b.quartile_25_url,a.cZ=b.quartile_50_url,a.oQ=b.quartile_75_url,a.aZ=b.quartile_100_url,a.zx=b.quartile_0_urls,a.yN=b.quartile_25_urls,a.vO=b.quartile_50_urls,a.FO=b.quartile_75_urls,a.jN=b.quartile_100_urls}; +Zya=function(a){var b={};a=g.t(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; +eya=function(a){if(a){if(Lsa(a))return a;a=Msa(a);if(Lsa(a,!0))return a}return""}; +g.aAa=function(a){return a.captionsLanguagePreference||a.B.captionsLanguagePreference||g.DM(a,"yt:cc_default_lang")||a.B.Si}; +aN=function(a){return!(!a.isLivePlayback||!a.hasProgressBarBoundaries())}; +g.qM=function(a){var b;return a.Ow||(null==(b=a.suggestions)?void 0:b[0])||null}; +bN=function(a,b){this.j=a;this.oa=b||{};this.J=String(Math.floor(1E9*Math.random()));this.I={};this.Z=this.ea=0}; +bAa=function(a){return cN(a)&&1==a.getPlayerState(2)}; +cN=function(a){a=a.Rc();return void 0!==a&&2==a.getPlayerType()}; +dN=function(a){a=a.V();return sK(a)&&!g.FK(a)&&"desktop-polymer"==a.playerStyle}; +eN=function(a,b){var c=a.V();g.kK(c)||"3"!=c.controlsType||a.jb().SD(b)}; +gN=function(a,b,c,d,e,f){c=void 0===c?{}:c;this.componentType=a;this.renderer=void 0===b?null:b;this.macros=c;this.layoutId=d;this.interactionLoggingClientData=e;this.j=f;this.id=fN(a)}; +fN=function(a){return a+(":"+(Nq.getInstance().j++).toString(36))}; +hN=function(a){this.Y=a}; +cAa=function(a,b){if(0===b||1===b&&(a.Y.u&&g.BA?0:a.Y.u||g.FK(a.Y)||g.tK(a.Y)||uK(a.Y)||!g.BA))return!0;a=g.kf("video-ads");return null!=a&&"none"!==Km(a,"display")}; +dAa=function(a){switch(a){case "audio_audible":return"adaudioaudible";case "audio_measurable":return"adaudiomeasurable";case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression"; +case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression";case "viewable_impression":return"adviewableimpression";default:return null}}; +iN=function(){g.dE.call(this);var a=this;this.j={};g.bb(this,function(){for(var b=g.t(Object.keys(a.j)),c=b.next();!c.done;c=b.next())delete a.j[c.value]})}; +kN=function(){if(null===jN){jN=new iN;am(tp).u="b";var a=am(tp),b="h"==mp(a)||"b"==mp(a),c=!(fm(),!1);b&&c&&(a.D=!0,a.I=new Kja)}return jN}; +eAa=function(a,b,c){a.j[b]=c}; +fAa=function(){}; +lN=function(a,b,c){this.j=a;this.D=b;this.B=c;this.u=b.length;this.adBreakLengthSeconds=b.reduce(function(d,e){return d+e},0); +c=0;for(a+=1;a=c*a.D.mB||d)&&pK(a,"first_quartile");(b>=c*a.D.AB||d)&&pK(a,"midpoint");(b>=c*a.D.CB||d)&&pK(a,"third_quartile")}; -tK=function(a,b,c,d){if(null==a.F){if(cd||d>c)return;pK(a,b)}; -mK=function(a,b,c){if(0l.D&&l.Ye()}}; -lL=function(a){if(a.I&&a.R){a.R=!1;a=g.q(a.I.listeners);for(var b=a.next();!b.done;b=a.next()){var c=b.value;if(c.u){b=c.u;c.u=void 0;c.B=void 0;c=c.C();kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.df(b)}else S("Received AdNotify terminated event when no slot is active")}}}; -mL=function(a,b){BK.call(this,"ads-engagement-panel",a,b)}; -nL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e)}; -oL=function(a,b,c,d){BK.call(this,"invideo-overlay",a,b,c,d);this.u=d}; -pL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -qL=function(a,b){BK.call(this,"persisting-overlay",a,b)}; -rL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -sL=function(){BK.call(this,"ad-attribution-bar");this.adPodPositionInfoString=null;this.adPodPosition=0;this.adPodLength=1;this.adBreakLengthSeconds=0;this.adBadgeText=null;this.adBreakRemainingLengthSeconds=0;this.adBreakEndSeconds=null;this.adVideoId=""}; -g.tL=function(a,b){for(var c={},d=g.q(Object.keys(b)),e=d.next();!e.done;c={Ow:c.Ow},e=d.next())e=e.value,c.Ow=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.Ow}}(c)); +dBa=function(a,b,c){b.CPN=AN(function(){var d;(d=a.getVideoData(1))?d=d.clientPlaybackNonce:(g.DD(Error("Video data is null.")),d=null);return d}); +b.AD_MT=AN(function(){return Math.round(Math.max(0,1E3*(null!=c?c:a.getCurrentTime(2,!1)))).toString()}); +b.MT=AN(function(){return Math.round(Math.max(0,1E3*a.getCurrentTime(1,!1))).toString()}); +b.P_H=AN(function(){return a.jb().Ij().height.toString()}); +b.P_W=AN(function(){return a.jb().Ij().width.toString()}); +b.PV_H=AN(function(){return a.jb().getVideoContentRect().height.toString()}); +b.PV_W=AN(function(){return a.jb().getVideoContentRect().width.toString()})}; +fBa=function(a){a.CONN=AN(Ld("0"));a.WT=AN(function(){return Date.now().toString()})}; +DBa=function(a){var b=Object.assign({},{});b.MIDROLL_POS=zN(a)?AN(Ld(Math.round(a.j.start/1E3).toString())):AN(Ld("0"));return b}; +EBa=function(a){var b={};b.SLOT_POS=AN(Ld(a.B.j.toString()));return b}; +FBa=function(a){var b=a&&g.Vb(a,"load_timeout")?"402":"400",c={};return c.YT_ERROR_CODE=(3).toString(),c.ERRORCODE=b,c.ERROR_MSG=a,c}; +CN=function(a){for(var b={},c=g.t(GBa),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d];e&&(b[d]=e.toString())}return b}; +DN=function(){var a={};Object.assign.apply(Object,[a].concat(g.u(g.ya.apply(0,arguments))));return a}; +EN=function(){}; +HBa=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x;g.A(function(z){switch(z.j){case 1:e=!!b.scrubReferrer;f=g.xp(b.baseUrl,CBa(c,e,d));h={};if(!b.headers){z.Ka(2);break}l=g.t(b.headers);m=l.next();case 3:if(m.done){z.Ka(5);break}n=m.value;switch(n.headerType){case "VISITOR_ID":g.ey("VISITOR_DATA")&&(h["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));break;case "EOM_VISITOR_ID":g.ey("EOM_VISITOR_DATA")&&(h["X-Goog-EOM-Visitor-Id"]=g.ey("EOM_VISITOR_DATA"));break;case "USER_AUTH":return z.Ka(6);case "PLUS_PAGE_ID":(p= +a.B())&&(h["X-Goog-PageId"]=p);break;case "AUTH_USER":q=a.u();a.K("move_vss_away_from_login_info_cookie")&&q&&(h["X-Goog-AuthUser"]=q,h["X-Yt-Auth-Test"]="test");break;case "ATTRIBUTION_REPORTING_ELIGIBLE":h["Attribution-Reporting-Eligible"]="event-source"}z.Ka(4);break;case 6:r=a.j();if(!r.j){v=r.getValue();z.Ka(8);break}return g.y(z,r.j,9);case 9:v=z.u;case 8:(x=v)&&(h.Authorization="Bearer "+x);z.Ka(4);break;case 4:m=l.next();z.Ka(3);break;case 5:"X-Goog-EOM-Visitor-Id"in h&&"X-Goog-Visitor-Id"in +h&&delete h["X-Goog-Visitor-Id"];case 2:g.ZB(f,void 0,e,0!==Object.keys(h).length?h:void 0,"",!0),g.oa(z)}})}; +FN=function(a){this.Dl=a}; +JBa=function(a,b){var c=void 0===c?!0:c;var d=g.ey("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.Ui(window.location.href);e&&d.push(e);e=g.Ui(a);if(g.rb(d,e)||!e&&Rb(a,"/"))if(g.gy("autoescape_tempdata_url")&&(d=document.createElement("a"),g.xe(d,a),a=d.href),a&&(a=tfa(a),d=a.indexOf("#"),a=0>d?a:a.slice(0,d)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.FE()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c*a.j.YI||d)&&MN(a,"first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"midpoint");(b>=c*a.j.aK||d)&&MN(a,"third_quartile")}; +QBa=function(a,b,c,d){d=void 0===d?!1:d;(b>=c*a.j.YI||d)&&MN(a,"unmuted_first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"unmuted_midpoint");(b>=c*a.j.aK||d)&&MN(a,"unmuted_third_quartile")}; +QN=function(a,b,c,d){if(null==a.B){if(cd||d>c)return;MN(a,b)}; +NBa=function(a,b,c){if(0m.D&&m.Ei()}}; +ZBa=function(a,b){if(a.I&&a.ea){a.ea=!1;var c=a.u.j;if(gO(c)){var d=c.slot;c=c.layout;b=XBa(b);a=g.t(a.I.listeners);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=d,h=c,l=b;jO(e.j(),f,h,l);YBa(e.j(),f)}}else g.DD(Error("adMessageRenderer is not augmented on termination"))}}; +XBa=function(a){switch(a){case "adabandonedreset":return"user_cancelled";case "adended":return"normal";case "aderror":return"error";case void 0:return g.DD(Error("AdNotify abandoned")),"abandoned";default:return g.DD(Error("Unexpected eventType for adNotify exit")),"abandoned"}}; +g.kO=function(a,b,c){void 0===c?delete a[b.name]:a[b.name]=c}; +g.lO=function(a,b){for(var c={},d=g.t(Object.keys(b)),e=d.next();!e.done;c={II:c.II},e=d.next())e=e.value,c.II=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.II}}(c)); +return a}; +mO=function(a,b,c,d){this.j=a;this.C=b;this.u=BN(c);this.B=d}; +$Ba=function(a){for(var b={},c=g.t(Object.keys(a.u)),d=c.next();!d.done;d=c.next())d=d.value,b[d]=a.u[d].toString();return Object.assign(b,a.C)}; +aCa=function(a,b,c,d){new mO(a,b,c,d)}; +nO=function(a,b,c,d,e,f,h,l,m){ZN.call(this,a,b,c,d,e,1);var n=this;this.tG=!0;this.I=m;this.u=b;this.C=f;this.ea=new Jz(this);g.E(this,this.ea);this.D=new g.Ip(function(){n.Lo("load_timeout")},1E4); +g.E(this,this.D);this.T=h}; +bCa=function(a){if(a.T&&(a.F.V().experiments.ob("enable_topsoil_wta_for_halftime")||a.F.V().experiments.ob("enable_topsoil_wta_for_halftime_live_infra"))){var b=a.u.B,c=b.C,d=b.B,e=b.j;b=b.D;if(void 0===c)g.CD(Error("Expected ad break start time when a DAI ad starts"));else if(void 0===d)g.CD(Error("Expected ad break end time when a DAI ad starts"));else return e=b.slice(0,e).reduce(function(f,h){return f+h},0),Math.min(Math.max((d-c)/1E3-e,0),a.u.u)}}; +qO=function(a,b){if(null!==a.I){var c=cCa(a);a=g.t(a.I.listeners);for(var d=a.next();!d.done;d=a.next()){d=d.value;var e=c;var f=b,h=!1;d.j||"aderror"!==f||(dCa(d,e,[],!1),eCa(d.B(),d.u),fCa(d.B(),d.u),gCa(d.B(),d.u),h=!0);if(d.j&&d.j.layoutId===e){switch(f){case "adabandoned":e="abandoned";break;case "aderror":e="error";break;default:e="normal"}jO(d.B(),d.u,d.j,e);if(h){e=d.B();h=d.u;oO(e.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",h);e=g.t(e.Fd);for(f=e.next();!f.done;f=e.next())f.value.Rj(h);YBa(d.B(), +d.u)}d.Ca.get().F.V().K("html5_send_layout_unscheduled_signal_for_externally_managed")&&d.C&&pO(d.B(),d.u,d.j);d.u=null;d.j=null;d.C=!1}}}}; +rO=function(a){return(a=a.F.getVideoData(2))?a.clientPlaybackNonce:""}; +cCa=function(a){if(a=a.u.j.elementId)return a;g.CD(Error("No elementId on VideoAd InstreamVideoAdRenderer"));return""}; +hCa=function(a){function b(h,l){h=a.j8;var m=Object.assign({},{});m.FINAL=AN(Ld("1"));m.SLOT_POS=AN(Ld("0"));return DN(h,CN(m),l)} +function c(h){return null==h?{create:function(){return null}}:{create:function(l,m,n){var p=b(l,m); +m=a.PP(l,p);l=h(l,p,m,n);g.E(l,m);return l}}} +var d=c(function(h,l,m){return new bO(a.F,h,l,m,a.DB,a.xe)}),e=c(function(h,l,m){return new iO(a.F,h,l,m,a.DB,a.xe,a.Tm,a.zq)}),f=c(function(h,l,m){return new eO(a.F,h,l,m,a.DB,a.xe)}); +this.F1=new VBa({create:function(h,l){var m=DN(b(h,l),CN(EBa(h)));l=a.PP(h,m);h=new nO(a.F,h,m,l,a.DB,a.xe,a.daiEnabled,function(){return new aCa(a.xe,m,a.F,a.Wl)},a.Aq,a.Di); +g.E(h,l);return h}},d,e,f)}; +sO=function(a,b){this.u=a;this.j={};this.B=void 0===b?!1:b}; +iCa=function(a,b){var c=a.startSecs+a.Sg;c=0>=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}b=Math.max(a.startSecs,0);return{B2:new iq(b,c),j4:new PD(b,c-b,a.context,a.identifier,a.event,a.j)}}; +tO=function(){this.j=[]}; +uO=function(a,b,c){var d=g.Jb(a.j,b);if(0<=d)return b;b=-d-1;return b>=a.j.length||a.j[b]>c?null:a.j[b]}; +jCa=function(){this.j=new tO}; +vO=function(a){this.j=a}; +kCa=function(a){a=[a,a.C].filter(function(d){return!!d}); +for(var b=g.t(a),c=b.next();!c.done;c=b.next())c.value.u=!0;return a}; +lCa=function(a,b,c){this.B=a;this.u=b;this.j=c;a.getCurrentTime()}; +mCa=function(a,b,c){a.j&&wO({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; +nCa=function(a,b){a.j&&wO({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.T1}})}; +oCa=function(a,b){wO({daiStateTrigger:{errorType:a,contentCpn:b}})}; +wO=function(a){g.rA("adsClientStateChange",a)}; +xO=function(a){this.F=a;this.adVideoId=this.j=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.u=this.cg=!1;this.adFormat=null;this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="VIDEO_STREAM_TYPE_VOD"}; +qCa=function(a,b,c,d,e,f){f();var h=a.F.getVideoData(1),l=a.F.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId,a.j=h.T);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=d?f():(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=e?"VIDEO_STREAM_TYPE_LIVE":"VIDEO_STREAM_TYPE_VOD","unknown_type"!==a.actionType&&(a.cg=!0,aF("_start",a.actionType)&&pCa(a)))}; +rCa=function(a,b){a=g.t(b);for(b=a.next();!b.done;b=a.next())if((b=b.value.renderer)&&(b.instreamVideoAdRenderer||b.linearAdSequenceRenderer||b.sandwichedLinearAdRenderer||b.instreamSurveyAdRenderer)){eF("ad_i");bF({isMonetized:!0});break}}; +pCa=function(a){if(a.cg)if(a.F.K("html5_no_video_to_ad_on_preroll_reset")&&"AD_PLACEMENT_KIND_START"===a.B&&"video_to_ad"===a.actionType)$E("video_to_ad");else if(a.F.K("web_csi_via_jspb")){var b=new Bx;b=H(b,8,2);var c=new Dx;c=H(c,21,sCa(a.B));c=H(c,7,4);b=I(c,Bx,22,b);b=H(b,53,a.videoStreamType);"ad_to_video"===a.actionType?(a.contentCpn&&H(b,76,a.contentCpn),a.videoId&&H(b,78,a.videoId)):(a.adCpn&&H(b,76,a.adCpn),a.adVideoId&&H(b,78,a.adVideoId));a.adFormat&&H(b,12,a.adFormat);a.contentCpn&&H(b, +8,a.contentCpn);a.videoId&&b.setVideoId(a.videoId);a.adCpn&&H(b,28,a.adCpn);a.adVideoId&&H(b,20,a.adVideoId);g.my(VE)(b,a.actionType)}else b={adBreakType:tCa(a.B),playerType:"LATENCY_PLAYER_HTML5",playerInfo:{preloadType:"LATENCY_PLAYER_PRELOAD_TYPE_PREBUFFER"},videoStreamType:a.videoStreamType},"ad_to_video"===a.actionType?(a.contentCpn&&(b.targetCpn=a.contentCpn),a.videoId&&(b.targetVideoId=a.videoId)):(a.adCpn&&(b.targetCpn=a.adCpn),a.adVideoId&&(b.targetVideoId=a.adVideoId)),a.adFormat&&(b.adType= +a.adFormat),a.contentCpn&&(b.clientPlaybackNonce=a.contentCpn),a.videoId&&(b.videoId=a.videoId),a.adCpn&&(b.adClientPlaybackNonce=a.adCpn),a.adVideoId&&(b.adVideoId=a.adVideoId),bF(b,a.actionType)}; +tCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"LATENCY_AD_BREAK_TYPE_PREROLL";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"LATENCY_AD_BREAK_TYPE_MIDROLL";case "AD_PLACEMENT_KIND_END":return"LATENCY_AD_BREAK_TYPE_POSTROLL";default:return"LATENCY_AD_BREAK_TYPE_UNKNOWN"}}; +sCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return 1;case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return 2;case "AD_PLACEMENT_KIND_END":return 3;default:return 0}}; +g.vCa=function(a){return(a=uCa[a.toString()])?a:"LICENSE"}; +g.zO=function(a){g.yO?a=a.keyCode:(a=a||window.event,a=a.keyCode?a.keyCode:a.which);return a}; +AO=function(a){if(g.yO)a=new g.Fe(a.pageX,a.pageY);else{a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));a=new g.Fe(b,c)}return a}; +g.BO=function(a){return g.yO?a.target:Ioa(a)}; +CO=function(a){if(g.yO)var b=a.composedPath()[0];else a=a||window.event,a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path,b=b&&b.length?b[0]:Ioa(a);return b}; +g.DO=function(a){g.yO?a=a.defaultPrevented:(a=a||window.event,a=!1===a.returnValue||a.UU&&a.UU());return a}; +wCa=function(a,b){if(g.yO){var c=function(){var d=g.ya.apply(0,arguments);a.removeEventListener("playing",c);b.apply(null,g.u(d))}; +a.addEventListener("playing",c)}else g.Loa(a,"playing",b)}; +g.EO=function(a){g.yO?a.preventDefault():Joa(a)}; +FO=function(){g.C.call(this);this.xM=!1;this.B=null;this.T=this.J=!1;this.D=new g.Fd;this.va=null;g.E(this,this.D)}; +GO=function(a){a=a.dC();return 1>a.length?NaN:a.end(a.length-1)}; +xCa=function(a){!a.u&&Dva()&&(a.C?a.C.then(function(){return xCa(a)}):a.Qf()||(a.u=a.zs()))}; +yCa=function(a){a.u&&(a.u.dispose(),a.u=void 0)}; +yI=function(a,b,c){var d;(null==(d=a.va)?0:d.Rd())&&a.va.xa("rms",b,void 0===c?!1:c)}; +zCa=function(a,b,c){a.Ip()||a.getCurrentTime()>b||10d.length||(d[0]in tDa&&(f.clientName=tDa[d[0]]),d[1]in uDa&&(f.platform=uDa[d[1]]),f.applicationState=h,f.clientVersion=2=d.B&&(d.u=d.B,d.Za.stop());e=d.u/1E3;d.F&&d.F.sc(e);GL(d,{current:e,duration:d.B/1E3})}); -g.D(this,this.Za);this.u=0;this.C=null;g.eg(this,function(){d.C=null}); -this.D=0}; -GL=function(a,b){a.I.xa("onAdPlaybackProgress",b);a.C=b}; -IL=function(a){BK.call(this,"survey",a)}; -JL=function(a,b,c,d,e,f,h){HK.call(this,a,b,c,d,e,1);var l=this;this.D=b;this.C=new rt;g.D(this,this.C);this.C.N(this.J,"resize",function(){450>g.cG(l.J).getPlayerSize().width&&(g.ut(l.C),l.oe())}); -this.K=0;this.I=h(this,function(){return""+(Date.now()-l.K)}); -if(this.u=g.wD(a.T())?new HL(1E3*b.B,a,f):null)g.D(this,this.u),this.C.N(a,"onAdPlaybackProgress",function(m){m.current===m.duration&&(m=l.D.u,(m=m.questions&&m.questions[0])?(m=(m=m.instreamSurveyAdMultiSelectQuestionRenderer||m.instreamSurveyAdSingleSelectQuestionRenderer)&&m.surveyAdQuestionCommon,zL(l.I.u,m&&m.timeoutCommands)):g.Hs(Error("Expected a survey question in InstreamSurveyAdRenderer.")))})}; -KL=function(a,b){BK.call(this,"survey-interstitial",a,b)}; -LL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e,1);this.u=b}; -ML=function(a){BK.call(this,"ad-text-interstitial",a)}; -NL=function(a,b,c,d,e,f){HK.call(this,a,b,c,d,e);this.C=b;this.u=b.u.durationMilliseconds||0;this.Za=null;this.D=f}; -OL=function(a,b){var c=void 0===c?!0:c;var d=g.L("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.yd(window.location.href);e&&d.push(e);e=g.yd(a);if(g.jb(d,e)||!e&&nc(a,"/"))if(g.vo("autoescape_tempdata_url")&&(d=document.createElement("a"),g.jd(d,a),a=d.href),a&&(d=Ad(a),e=d.indexOf("#"),d=0>e?d:d.substr(0,e)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.Rt()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}var d=Math.max(a.startSecs,0);return{PJ:new Gn(d,c),hL:new yu(d,c-d,a.context,a.identifier,a.event,a.u)}}; -gM=function(){this.u=[]}; -hM=function(a,b,c){var d=g.xb(a.u,b);if(0<=d)return b;b=-d-1;return b>=a.u.length||a.u[b]>c?null:a.u[b]}; -tma=function(a){this.B=new gM;this.u=new fM(a.QJ,a.DR,a.tR)}; -iM=function(){yJ.apply(this,arguments)}; -jM=function(a){iM.call(this,a);g.Oc((a.image&&a.image.thumbnail?a.image.thumbnail.thumbnails:null)||[],function(b){return new g.ie(b.width,b.height)})}; -kM=function(a){this.u=a}; -lM=function(a){a=[a,a.C].filter(function(d){return!!d}); -for(var b=g.q(a),c=b.next();!c.done;c=b.next())c.value.deactivate();return a}; -nM=function(a,b){var c=a.u;g.mm(function(){return mM(c,b,1)})}; -uma=function(a,b,c){this.C=a;this.u=b;this.B=c;this.D=a.getCurrentTime()}; -wma=function(a,b){var c=void 0===c?Date.now():c;if(a.B)for(var d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=c,h=a.u;oM({cuepointTrigger:{type:"CUEPOINT_TYPE_AD",event:vma(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:f,contentCpn:h}});"unknown"===e.event&&pM("DAI_ERROR_TYPE_CUEPOINT_WITH_INVALID_EVENT",a.u);e=e.startSecs+e.u/1E3;e>a.D&&a.C.getCurrentTime()>e&&pM("DAI_ERROR_TYPE_LATE_CUEPOINT", -a.u)}}; -xma=function(a,b,c){a.B&&oM({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; -qM=function(a,b){a.B&&oM({driftRecoveryInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,driftRecoveryMs:b.driftRecoveryMs.toString(),breakDurationMs:Math.round(b.pE-b.CG).toString(),driftFromHeadMs:Math.round(1E3*a.C.Ni()).toString()}})}; -yma=function(a,b){a.B&&oM({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.zJ}})}; -pM=function(a,b){oM({daiStateTrigger:{errorType:a,contentCpn:b}})}; -oM=function(a){g.Nq("adsClientStateChange",a)}; -vma=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START"}}; -rM=function(a){this.J=a;this.preloadType="2";this.adVideoId=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.D=this.u=this.Jh=!1;this.adFormat=null;this.clientName=(a=!g.Q(this.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch"))?this.J.T().deviceParams.c:g.L("INNERTUBE_CLIENT_NAME",void 0);this.clientVersion=a?this.J.T().deviceParams.cver:g.L("INNERTUBE_CLIENT_VERSION",void 0);this.F=a?this.J.T().deviceParams.cbrand:"";this.I=a?this.J.T().deviceParams.cmodel:"";this.playerType= -"html5";this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="vod"}; -tM=function(a,b,c,d,e,f){sM(a);var h=a.J.getVideoData(1),l=a.J.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=e?sM(a):(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=f?"live":"vod",a.D=d+1===e,a.Jh=!0,a.Jh&&(OE("c",a.clientName,a.actionType),OE("cver",a.clientVersion,a.actionType),g.Q(a.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch")|| -(OE("cbrand",a.F,a.actionType),OE("cmodel",a.I,a.actionType)),OE("yt_pt",a.playerType,a.actionType),OE("yt_pre",a.preloadType,a.actionType),OE("yt_abt",zma(a.B),a.actionType),a.contentCpn&&OE("cpn",a.contentCpn,a.actionType),a.videoId&&OE("docid",a.videoId,a.actionType),a.adCpn&&OE("ad_cpn",a.adCpn,a.actionType),a.adVideoId&&OE("ad_docid",a.adVideoId,a.actionType),OE("yt_vst",a.videoStreamType,a.actionType),a.adFormat&&OE("ad_at",a.adFormat,a.actionType)))}; -sM=function(a){a.contentCpn=null;a.adCpn=null;a.videoId=null;a.adVideoId=null;a.adFormat=null;a.B="AD_PLACEMENT_KIND_UNKNOWN";a.actionType="unknown_type";a.Jh=!1;a.u=!1}; -uM=function(a){a.u=!1;SE("video_to_ad",["apbs"],void 0,void 0)}; -wM=function(a){a.D?vM(a):(a.u=!1,SE("ad_to_ad",["apbs"],void 0,void 0))}; -vM=function(a){a.u=!1;SE("ad_to_video",["pbresume"],void 0,void 0)}; -xM=function(a){a.Jh&&!a.u&&(a.C=!1,a.u=!0,"ad_to_video"!==a.actionType&&PE("apbs",void 0,a.actionType))}; -zma=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"1";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"2";case "AD_PLACEMENT_KIND_END":return"3";default:return"unknown"}}; -yM=function(){}; -g.zM=function(a){return(a=Ama[a.toString()])?a:"LICENSE"}; -g.AM=function(a,b){this.stateData=void 0===b?null:b;this.state=a||64}; -BM=function(a,b,c){return b===a.state&&c===a.stateData||void 0!==b&&(b&128&&!c||b&2&&b&16)?a:new g.AM(b,c)}; -CM=function(a,b){return BM(a,a.state|b)}; -DM=function(a,b){return BM(a,a.state&~b)}; -EM=function(a,b,c){return BM(a,(a.state|b)&~c)}; -g.U=function(a,b){return!!(a.state&b)}; -g.FM=function(a,b){return b.state===a.state&&b.stateData===a.stateData}; -g.GM=function(a){return g.U(a,8)&&!g.U(a,2)&&!g.U(a,1024)}; -HM=function(a){return a.Hb()&&!g.U(a,16)&&!g.U(a,32)}; -Bma=function(a){return g.U(a,8)&&g.U(a,16)}; -g.IM=function(a){return g.U(a,1)&&!g.U(a,2)}; -JM=function(a){return g.U(a,128)?-1:g.U(a,2)?0:g.U(a,64)?-1:g.U(a,1)&&!g.U(a,32)?3:g.U(a,8)?1:g.U(a,4)?2:-1}; -LM=function(a){var b=g.Ke(g.Mb(KM),function(c){return!!(a&KM[c])}); -g.zb(b);return"yt.player.playback.state.PlayerState<"+b.join(",")+">"}; -MM=function(a,b,c,d,e,f,h,l){g.O.call(this);this.Xc=a;this.J=b;this.u=d;this.F=this.u.B instanceof yJ?this.u.B:null;this.B=null;this.aa=!1;this.K=c;this.X=(a=b.getVideoData(1))&&a.isLivePlayback||!1;this.fa=0;this.ha=!1;this.xh=e;this.Tn=f;this.zk=h;this.Y=!1;this.daiEnabled=l}; -NM=function(a){if(cK(a.J)){var b=a.J.getVideoData(2),c=a.u.P[b.Hc]||null;if(!c)return g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended because no mapped ad is found",void 0,void 0,{adCpn:b.clientPlaybackNonce,contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.Ii(),!0;if(!a.B||a.B&&a.B.ad!==c)g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator played an ad due to ad to ad transition",void 0,void 0,{adCpn:b.clientPlaybackNonce, -contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.je(c)}else if(1===a.J.getPresentingPlayerType()&&(g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended due to ad to content transition",void 0,void 0,{contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.B))return a.Ii(),!0;return!1}; -OM=function(a){(a=a.baseUrl)&&g.pu(a,void 0,dn(a))}; -PM=function(a,b){tM(a.K,a.u.u.u,b,a.WC(),a.YC(),a.isLiveStream())}; -RM=function(a){QM(a.Xc,a.u.u,a);a.daiEnabled&&!a.u.R&&(Cma(a,a.ZC()),a.u.R=!0)}; -Cma=function(a,b){for(var c=SM(a),d=a.u.u.start,e=[],f=g.q(b),h=f.next();!h.done;h=f.next()){h=h.value;if(c<=d)break;var l=TM(h);e.push({externalVideoId:h.C,originalMediaDurationMs:(1E3*h.B).toString(),trimmedMediaDurationMs:(parseInt(h.u.trimmedMaxNonSkippableAdDurationMs,10)||0).toString()});l=d+l;var m=Math.min(l,c);h.D.D=a.u.u.start;h.D.C=c;if(!Dma(a,h,d,m)||l!==m)break;d=l}c=b.reduce(function(n,p){return n+TM(p)},0); -xma(a.xh,Cia(a.u.u),c);yma(a.xh,{cueIdentifier:a.u.C&&a.u.C.identifier,zJ:e})}; -TM=function(a){var b=1E3*a.B;return 0a.width*a.height*.2)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") to container("+NO(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") covers container("+NO(a)+") center."}}; -Eoa=function(a,b){var c=X(a.va,"metadata_type_ad_placement_config");return new GO(a.kd,b,c,a.layoutId)}; -QO=function(a){return X(a.va,"metadata_type_invideo_overlay_ad_renderer")}; -RO=function(a){return g.Q(a.T().experiments,"html5_enable_in_video_overlay_ad_in_pacf")}; -SO=function(a,b,c,d){W.call(this,a,b,{G:"div",L:"ytp-ad-overlay-slot",S:[{G:"div",L:"ytp-ad-overlay-container"}]},"invideo-overlay",c,d);this.P=[];this.F=this.Ta=this.Aa=null;a=this.ka("ytp-ad-overlay-container");this.za=new qO(a,45E3,6E3,.3,.4);g.D(this,this.za);RO(this.api)||(this.ma=new g.F(this.clear,45E3,this),g.D(this,this.ma));this.D=Foa(this);g.D(this,this.D);this.D.ga(a);this.C=Goa(this);g.D(this,this.C);this.C.ga(a);this.B=Hoa(this);g.D(this,this.B);this.B.ga(a);this.Ya=this.ia=null;this.Ga= -!1;this.I=null;this.Y=0;this.hide()}; -Foa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-text-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -Goa=function(a){var b=new g.KN({G:"div",la:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-text-image",S:[{G:"img",U:{src:"{{imageUrl}}"}}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], -Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);a.N(b.ka("ytp-ad-overlay-text-image"),"click",a.MQ);b.hide();return b}; -Hoa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-image-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-image",S:[{G:"img",U:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.N(b.ka("ytp-ad-overlay-image"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -VO=function(a,b){if(b){var c=b.adHoverTextButtonRenderer||null;if(null==c)M(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else{var d=g.se("video-ads ytp-ad-module")||null;null==d?M(Error("Could not locate the root ads container element to attach the ad info dialog.")):(a.ia=new g.KN({G:"div",L:"ytp-ad-overlay-ad-info-dialog-container"}),g.D(a,a.ia),a.ia.ga(d),d=new FO(a.api,a.Ha,a.layoutId,a.u,a.ia.element,!1),g.D(a,d),d.init(AK("ad-info-hover-text-button"),c,a.macros),a.I? -(d.ga(a.I,0),d.subscribe("k",a.TN,a),d.subscribe("j",a.xP,a),a.N(a.I,"click",a.UN),c=g.se("ytp-ad-button",d.element),a.N(c,"click",a.zN),a.Ya=d):M(Error("Ad info button container within overlay ad was not present.")))}}else g.Fo(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; -Ioa=function(a){return a.F&&a.F.closeButton&&a.F.closeButton.buttonRenderer&&(a=a.F.closeButton.buttonRenderer,a.serviceEndpoint)?[a.serviceEndpoint]:[]}; -Joa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.D.element,b.trackingParams||null);a.D.ya("title",LN(b.title));a.D.ya("description",LN(b.description));a.D.ya("displayUrl",LN(b.displayUrl));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.D.show();a.za.start();RN(a,a.D.element,!0);RO(a.api)||(a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}),a.N(a.api,"minimized",a.uP)); -a.N(a.D.element,"mouseover",function(){a.Y++}); -return!0}; -Koa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.C.element,b.trackingParams||null);a.C.ya("title",LN(b.title));a.C.ya("description",LN(b.description));a.C.ya("displayUrl",LN(b.displayUrl));a.C.ya("imageUrl",Mna(b.image));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.Ta=b.imageNavigationEndpoint||null;a.C.show();a.za.start();RN(a,a.C.element,!0);RO(a.api)||a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}); -a.N(a.C.element,"mouseover",function(){a.Y++}); -return!0}; -Loa=function(a,b){if(a.api.app.visibility.u)return!1;var c=Nna(b.image),d=c;c.widthe&&(h+="0"));if(0f&&(h+="0");h+=f+":";10>c&&(h+="0");d=h+c}return 0<=a?d:"-"+d}; -g.cP=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; -dP=function(a,b,c,d,e,f){gO.call(this,a,b,{G:"span",L:"ytp-ad-duration-remaining"},"ad-duration-remaining",c,d,e);this.C=null;this.D=f;this.hide()}; -eP=function(a,b,c,d){kO.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; -fP=function(a,b,c,d,e){gO.call(this,a,b,{G:"div",la:["ytp-flyout-cta","ytp-flyout-cta-inactive"],S:[{G:"div",L:"ytp-flyout-cta-icon-container"},{G:"div",L:"ytp-flyout-cta-body",S:[{G:"div",L:"ytp-flyout-cta-text-container",S:[{G:"div",L:"ytp-flyout-cta-headline-container"},{G:"div",L:"ytp-flyout-cta-description-container"}]},{G:"div",L:"ytp-flyout-cta-action-button-container"}]}]},"flyout-cta",c,d,e);this.D=new TN(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-icon");g.D(this,this.D);this.D.ga(this.ka("ytp-flyout-cta-icon-container")); -this.P=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-headline");g.D(this,this.P);this.P.ga(this.ka("ytp-flyout-cta-headline-container"));this.I=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-description");g.D(this,this.I);this.I.ga(this.ka("ytp-flyout-cta-description-container"));this.C=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-flyout-cta-action-button"]);g.D(this,this.C);this.C.ga(this.ka("ytp-flyout-cta-action-button-container"));this.Y=null;this.ia=0;this.hide()}; -gP=function(a,b,c,d,e,f){e=void 0===e?[]:e;f=void 0===f?"toggle-button":f;var h=AK("ytp-ad-toggle-button-input");W.call(this,a,b,{G:"div",la:["ytp-ad-toggle-button"].concat(e),S:[{G:"label",L:"ytp-ad-toggle-button-label",U:{"for":h},S:[{G:"span",L:"ytp-ad-toggle-button-icon",U:{role:"button","aria-label":"{{tooltipText}}"},S:[{G:"span",L:"ytp-ad-toggle-button-untoggled-icon",Z:"{{untoggledIconTemplateSpec}}"},{G:"span",L:"ytp-ad-toggle-button-toggled-icon",Z:"{{toggledIconTemplateSpec}}"}]},{G:"input", -L:"ytp-ad-toggle-button-input",U:{id:h,type:"checkbox"}},{G:"span",L:"ytp-ad-toggle-button-text",Z:"{{buttonText}}"},{G:"span",L:"ytp-ad-toggle-button-tooltip",Z:"{{tooltipText}}"}]}]},f,c,d);this.D=this.ka("ytp-ad-toggle-button");this.B=this.ka("ytp-ad-toggle-button-input");this.ka("ytp-ad-toggle-button-label");this.Y=this.ka("ytp-ad-toggle-button-icon");this.I=this.ka("ytp-ad-toggle-button-untoggled-icon");this.F=this.ka("ytp-ad-toggle-button-toggled-icon");this.ia=this.ka("ytp-ad-toggle-button-text"); -this.C=null;this.P=!1;this.hide()}; -hP=function(a){a.P&&(a.isToggled()?(g.Mg(a.I,!1),g.Mg(a.F,!0)):(g.Mg(a.I,!0),g.Mg(a.F,!1)))}; -Ooa=function(a,b){var c=null;a.C&&(c=(b?[a.C.defaultServiceEndpoint,a.C.defaultNavigationEndpoint]:[a.C.toggledServiceEndpoint]).filter(function(d){return null!=d})); +wQ=function(){g.C.call(this);var a=this;this.j=new Map;this.u=Koa(function(b){if(b.target&&(b=a.j.get(b.target))&&b)for(var c=0;cdocument.documentMode)d=Rc;else{var e=document;"function"===typeof HTMLTemplateElement&&(e=g.Fe("TEMPLATE").content.ownerDocument);e=e.implementation.createHTMLDocument("").createElement("DIV");e.style.cssText=d;d=Gda(e.style)}c=Eaa(d,Sc({"background-image":'url("'+c+'")'}));a.style.cssText=Nc(c)}}; -$oa=function(a){var b=g.se("html5-video-player");b&&g.J(b,"ytp-ad-display-override",a)}; -AP=function(a,b){b=void 0===b?2:b;g.O.call(this);this.u=a;this.B=new rt(this);g.D(this,this.B);this.F=apa;this.D=null;this.B.N(this.u,"presentingplayerstatechange",this.vN);this.D=this.B.N(this.u,"progresssync",this.hF);this.C=b;1===this.C&&this.hF()}; -CP=function(a,b){BN.call(this,a);this.D=a;this.K=b;this.B={};var c=new g.V({G:"div",la:["video-ads","ytp-ad-module"]});g.D(this,c);fD&&g.I(c.element,"ytp-ads-tiny-mode");this.F=new EN(c.element);g.D(this,this.F);g.BP(this.D,c.element,4);g.D(this,noa())}; -bpa=function(a,b){var c=a.B;var d=b.id;c=null!==c&&d in c?c[d]:null;null==c&&g.Fo(Error("Component not found for element id: "+b.id));return c||null}; -DP=function(a){this.controller=a}; -EP=function(a){this.Xp=a}; -FP=function(a){this.Xp=a}; -GP=function(a,b,c){this.Xp=a;this.vg=b;this.Wh=c}; -dpa=function(a,b,c){var d=a.Xp();switch(b.type){case "SKIP":b=!1;for(var e=g.q(a.vg.u.entries()),f=e.next();!f.done;f=e.next()){f=g.q(f.value);var h=f.next().value;f.next();"SLOT_TYPE_PLAYER_BYTES"===h.ab&&"core"===h.bb&&(b=!0)}b?(c=cpa(a,c))?a.Wh.Eq(c):S("No triggering layout ID available when attempting to mute."):g.mm(function(){d.Ii()})}}; -cpa=function(a,b){if(b)return b;for(var c=g.q(a.vg.u.entries()),d=c.next();!d.done;d=c.next()){var e=g.q(d.value);d=e.next().value;e=e.next().value;if("SLOT_TYPE_IN_PLAYER"===d.ab&&"core"===d.bb)return e.layoutId}}; -HP=function(){}; -IP=function(){}; -JP=function(){}; -KP=function(a,b){this.Ip=a;this.Fa=b}; -LP=function(a){this.J=a}; -MP=function(a,b){this.ci=a;this.Fa=b}; -fpa=function(a){g.C.call(this);this.u=a;this.B=epa(this)}; -epa=function(a){var b=new oN;g.D(a,b);a=g.q([new DP(a.u.tJ),new KP(a.u.Ip,a.u.Fa),new EP(a.u.uJ),new LP(a.u.J),new MP(a.u.ci,a.u.Fa),new GP(a.u.KN,a.u.vg,a.u.Wh),new FP(a.u.FJ),new IP,new JP,new HP]);for(var c=a.next();!c.done;c=a.next())c=c.value,hna(b,c),ina(b,c);a=g.q(["adInfoDialogEndpoint","adFeedbackEndpoint"]);for(c=a.next();!c.done;c=a.next())lN(b,c.value,function(){}); -return b}; -NP=function(a,b,c){if(c&&!c.includes(a.layoutType))return!1;b=g.q(b);for(c=b.next();!c.done;c=b.next())if(!a.va.u.has(c.value))return!1;return!0}; -OP=function(a){var b=new Map;a.forEach(function(c){b.set(c.u(),c)}); -this.u=b}; -X=function(a,b){var c=a.u.get(b);if(void 0!==c)return c.get()}; -PP=function(a){return Array.from(a.u.keys())}; -hpa=function(a){var b;return(null===(b=gpa.get(a))||void 0===b?void 0:b.gs)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"}; -QP=function(a,b){var c={type:b.ab,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};b.hc&&(c.entryTriggerType=jpa.get(b.hc.triggerType)||"TRIGGER_TYPE_UNSPECIFIED");1!==b.feedPosition&&(c.feedPosition=b.feedPosition);if(a){c.debugData={slotId:b.slotId};var d=b.hc;d&&(c.debugData.slotEntryTriggerData=kpa(d))}return c}; -lpa=function(a,b){var c={type:b.layoutType,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};a&&(c.debugData={layoutId:b.layoutId});return c}; -kpa=function(a,b){var c={type:jpa.get(a.triggerType)||"TRIGGER_TYPE_UNSPECIFIED"};b&&(c.category=mpa.get(b)||"TRIGGER_CATEGORY_UNSPECIFIED");null!=a.B&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedSlotId=a.B);null!=a.u&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedLayoutId=a.u);return c}; -opa=function(a,b,c,d){b={opportunityType:npa.get(b)||"OPPORTUNITY_TYPE_UNSPECIFIED"};a&&(d||c)&&(b.debugData={slots:g.Oc(d||[],function(e){return QP(a,e)}), -associatedSlotId:c});return b}; -SP=function(a,b){return function(c){return ppa(RP(a),b.slotId,b.ab,b.feedPosition,b.bb,b.hc,c.layoutId,c.layoutType,c.bb)}}; -ppa=function(a,b,c,d,e,f,h,l,m){return{adClientDataEntry:{slotData:QP(a,{slotId:b,ab:c,feedPosition:d,bb:e,hc:f,Me:[],Af:[],va:new OP([])}),layoutData:lpa(a,{layoutId:h,layoutType:l,bb:m,ae:[],wd:[],ud:[],be:[],kd:new Map,va:new OP([]),td:{}})}}}; -TP=function(a){this.Ca=a;this.u=.1>Math.random()}; -RP=function(a){return a.u||g.Q(a.Ca.get().J.T().experiments,"html5_force_debug_data_for_client_tmp_logs")}; -UP=function(a,b,c,d){g.C.call(this);this.B=b;this.Gb=c;this.Ca=d;this.u=a(this,this,this,this,this);g.D(this,this.u);a=g.q(b);for(b=a.next();!b.done;b=a.next())g.D(this,b.value)}; -VP=function(a,b){a.B.add(b);g.D(a,b)}; -XP=function(a,b,c){S(c,b,void 0,void 0,c.Ul);WP(a,b,!0)}; -rpa=function(a,b,c){if(YP(a.u,b))if(ZP(a.u,b).D=c?"filled":"not_filled",null===c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_EMPTY",b);c=g.q(a.B);for(var d=c.next();!d.done;d=c.next())d.value.lj(b);WP(a,b,!1)}else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_NON_EMPTY",b,c);var e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.mj(b);if(ZP(a.u,b).F)WP(a,b,!1);else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_LAYOUT_REQUESTED",b,c);try{var f=a.u;if(!ZP(f,b))throw new aQ("Unknown slotState for onLayout"); -if(!f.hd.Yj.get(b.ab))throw new aQ("No LayoutRenderingAdapterFactory registered for slot of type: "+b.ab);if(g.kb(c.ae)&&g.kb(c.wd)&&g.kb(c.ud)&&g.kb(c.be))throw new aQ("Layout has no exit triggers.");bQ(f,0,c.ae);bQ(f,1,c.wd);bQ(f,2,c.ud);bQ(f,6,c.be)}catch(n){a.Nf(b,c,n);WP(a,b,!0);return}a.u.Nn(b);try{var h=a.u,l=ZP(h,b),m=h.hd.Yj.get(b.ab).get().u(h.D,h.B,b,c);m.init();l.layout=c;if(l.C)throw new aQ("Already had LayoutRenderingAdapter registered for slot");l.C=m;cQ(h,l,0,c.ae);cQ(h,l,1,c.wd); -cQ(h,l,2,c.ud);cQ(h,l,6,c.be)}catch(n){dQ(a,b);WP(a,b,!0);a.Nf(b,c,n);return}$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.ai(b,c);dQ(a,b);qpa(a,b)}}}; -eQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.ai(b,c)}; -spa=function(a,b){kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLMENT_CANCELLED",b);YP(a.u,b)&&(ZP(a.u,b).D="fill_canceled",WP(a,b,!1))}; -fQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.xd(b,c)}; -$L=function(a,b,c,d){$P(a.Gb,hpa(d),b,c);a=g.q(a.B);for(var e=a.next();!e.done;e=a.next())e.value.yd(b,c,d)}; -dQ=function(a,b){if(YP(a.u,b)){ZP(a.u,b).Nn=!1;var c=gQ,d=ZP(a.u,b),e=[].concat(g.ma(d.K));lb(d.K);c(a,e)}}; -gQ=function(a,b){b.sort(function(h,l){return h.category===l.category?h.trigger.triggerId.localeCompare(l.trigger.triggerId):h.category-l.category}); -for(var c=new Map,d=g.q(b),e=d.next();!e.done;e=d.next())if(e=e.value,YP(a.u,e.slot))if(ZP(a.u,e.slot).Nn)ZP(a.u,e.slot).K.push(e);else{tpa(a.Gb,e.slot,e,e.layout);var f=c.get(e.category);f||(f=[]);f.push(e);c.set(e.category,f)}d=g.q(upa.entries());for(e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,(e=c.get(e))&&vpa(a,e,f);(d=c.get(3))&&wpa(a,d);(d=c.get(4))&&xpa(a,d);(c=c.get(5))&&ypa(a,c)}; -vpa=function(a,b,c){b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=d.value,d.layout&&hQ(a.u,d.slot)&&zpa(a,d.slot,d.layout,c)}; -wpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next())WP(a,d.value.slot,!1)}; -xpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;a:switch(ZP(a.u,d.slot).D){case "not_filled":var e=!0;break a;default:e=!1}e&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_FULFILL_SLOT_REQUESTED",d.slot),a.u.lq(d.slot))}}; -ypa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_SLOT_REQUESTED",d.slot);for(var e=g.q(a.B),f=e.next();!f.done;f=e.next())f.value.bi(d.slot);try{var h=a.u,l=d.slot,m=ZP(h,l);if(!m)throw new gH("Got enter request for unknown slot");if(!m.B)throw new gH("Tried to enter slot with no assigned slotAdapter");if("scheduled"!==m.u)throw new gH("Tried to enter a slot from stage: "+m.u);if(iQ(m))throw new gH("Got enter request for already active slot"); -for(var n=g.q(jQ(h,l.ab+"_"+l.feedPosition).values()),p=n.next();!p.done;p=n.next()){var r=p.value;if(m!==r&&iQ(r)){var t=void 0;f=e=void 0;var w=h,y=r,x=l,B=kQ(w.ua.get(),1,!1),E=pG(w.Da.get(),1),G=oH(y.layout),K=y.slot.hc,H=Apa(w,K),ya=pH(K,H),ia=x.va.u.has("metadata_type_fulfilled_layout")?oH(X(x.va,"metadata_type_fulfilled_layout")):"unknown",Oa=x.hc,Ra=Apa(w,Oa),Wa=pH(Oa,Ra);w=H;var kc=Ra;if(w&&kc){if(w.start>kc.start){var Yb=g.q([kc,w]);w=Yb.next().value;kc=Yb.next().value}t=w.end>kc.start}else t= -!1;var Qe={details:B+" |"+(ya+" |"+Wa),activeSlotStatus:y.u,activeLayout:G?G:"empty",activeLayoutId:(null===(f=y.layout)||void 0===f?void 0:f.layoutId)||"empty",enteringLayout:ia,enteringLayoutId:(null===(e=X(x.va,"metadata_type_fulfilled_layout"))||void 0===e?void 0:e.layoutId)||"empty",hasOverlap:String(t),contentCpn:E.clientPlaybackNonce,contentVideoId:E.videoId,isAutonav:String(E.Kh),isAutoplay:String(E.eh)};throw new gH("Trying to enter a slot when a slot of same type is already active.",Qe); -}}}catch(ue){S(ue,d.slot,lQ(a.u,d.slot),void 0,ue.Ul);WP(a,d.slot,!0);continue}d=ZP(a.u,d.slot);"scheduled"!==d.u&&mQ(d.slot,d.u,"enterSlot");d.u="enter_requested";d.B.Lx()}}; -qpa=function(a,b){var c;if(YP(a.u,b)&&iQ(ZP(a.u,b))&&lQ(a.u,b)&&!hQ(a.u,b)){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_LAYOUT_REQUESTED",b,null!==(c=lQ(a.u,b))&&void 0!==c?c:void 0);var d=ZP(a.u,b);"entered"!==d.u&&mQ(d.slot,d.u,"enterLayoutForSlot");d.u="rendering";d.C.startRendering(d.layout)}}; -zpa=function(a,b,c,d){if(YP(a.u,b)){var e=a.Gb,f;var h=(null===(f=gpa.get(d))||void 0===f?void 0:f.Lr)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED";$P(e,h,b,c);a=ZP(a.u,b);"rendering"!==a.u&&mQ(a.slot,a.u,"exitLayout");a.u="rendering_stop_requested";a.C.jh(c,d)}}; -WP=function(a,b,c){if(YP(a.u,b)){if(a.u.Uy(b)||a.u.Qy(b))if(ZP(a.u,b).F=!0,!c)return;if(iQ(ZP(a.u,b)))ZP(a.u,b).F=!0,Bpa(a,b,c);else if(a.u.Vy(b))ZP(a.u,b).F=!0,YP(a.u,b)&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_CANCEL_SLOT_FULFILLMENT_REQUESTED",b),b=ZP(a.u,b),b.D="fill_cancel_requested",b.I.u());else{c=lQ(a.u,b);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_UNSCHEDULE_SLOT_REQUESTED",b);var d=ZP(a.u,b),e=b.hc,f=d.Y.get(e.triggerId);f&&(f.mh(e),d.Y["delete"](e.triggerId));e=g.q(b.Me);for(f=e.next();!f.done;f=e.next()){f= -f.value;var h=d.P.get(f.triggerId);h&&(h.mh(f),d.P["delete"](f.triggerId))}e=g.q(b.Af);for(f=e.next();!f.done;f=e.next())if(f=f.value,h=d.R.get(f.triggerId))h.mh(f),d.R["delete"](f.triggerId);null!=d.layout&&(e=d.layout,nQ(d,e.ae),nQ(d,e.wd),nQ(d,e.ud),nQ(d,e.be));d.I=void 0;null!=d.B&&(d.B.release(),d.B=void 0);null!=d.C&&(d.C.release(),d.C=void 0);d=a.u;ZP(d,b)&&(d=jQ(d,b.ab+"_"+b.feedPosition))&&d["delete"](b.slotId);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",b);a=g.q(a.B);for(d=a.next();!d.done;d= -a.next())d=d.value,d.nj(b),c&&d.jj(b,c)}}}; -Bpa=function(a,b,c){if(YP(a.u,b)&&iQ(ZP(a.u,b))){var d=lQ(a.u,b);if(d&&hQ(a.u,b))zpa(a,b,d,c?"error":"abandoned");else{kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_EXIT_SLOT_REQUESTED",b);try{var e=ZP(a.u,b);if(!e)throw new gH("Cannot exit slot it is unregistered");"enter_requested"!==e.u&&"entered"!==e.u&&"rendering"!==e.u&&mQ(e.slot,e.u,"exitSlot");e.u="exit_requested";if(void 0===e.B)throw e.u="scheduled",new gH("Cannot exit slot because adapter is not defined");e.B.Qx()}catch(f){S(f,b,void 0,void 0,f.Ul)}}}}; -oQ=function(a){this.slot=a;this.Y=new Map;this.P=new Map;this.R=new Map;this.X=new Map;this.C=this.layout=this.B=this.I=void 0;this.Nn=this.F=!1;this.K=[];this.u="not_scheduled";this.D="not_filled"}; -iQ=function(a){return"enter_requested"===a.u||a.isActive()}; -aQ=function(a,b,c){c=void 0===c?!1:c;Ya.call(this,a);this.Ul=c;this.args=[];b&&this.args.push(b)}; -pQ=function(a,b,c,d,e,f,h,l){g.C.call(this);this.hd=a;this.C=b;this.F=c;this.D=d;this.B=e;this.Ib=f;this.ua=h;this.Da=l;this.u=new Map}; -jQ=function(a,b){var c=a.u.get(b);return c?c:new Map}; -ZP=function(a,b){return jQ(a,b.ab+"_"+b.feedPosition).get(b.slotId)}; -Cpa=function(a){var b=[];a.u.forEach(function(c){c=g.q(c.values());for(var d=c.next();!d.done;d=c.next())b.push(d.value.slot)}); -return b}; -Apa=function(a,b){if(b instanceof nH)return b.D;if(b instanceof mH){var c=MO(a.Ib.get(),b.u);if(c=null===c||void 0===c?void 0:X(c.va,"metadata_type_ad_placement_config"))return c=hH(c,0x7ffffffffffff),c instanceof gH?void 0:c.gh}}; -YP=function(a,b){return null!=ZP(a,b)}; -hQ=function(a,b){var c=ZP(a,b),d;if(d=null!=c.layout)a:switch(c.u){case "rendering":case "rendering_stop_requested":d=!0;break a;default:d=!1}return d}; -lQ=function(a,b){var c=ZP(a,b);return null!=c.layout?c.layout:null}; -qQ=function(a,b,c){if(g.kb(c))throw new gH("No "+Dpa.get(b)+" triggers found for slot.");c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new gH("No trigger adapter registered for "+b+" trigger of type: "+d.triggerType);}; -bQ=function(a,b,c){c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new aQ("No trigger adapter registered for "+Dpa.get(b)+" trigger of type: "+d.triggerType);}; -cQ=function(a,b,c,d){d=g.q(d);for(var e=d.next();!e.done;e=d.next()){e=e.value;var f=a.hd.Dg.get(e.triggerType);f.ih(c,e,b.slot,b.layout?b.layout:null);b.X.set(e.triggerId,f)}}; -nQ=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=a.X.get(d.triggerId);e&&(e.mh(d),a.X["delete"](d.triggerId))}}; -mQ=function(a,b,c){S("Slot stage was "+b+" when calling method "+c,a)}; -Epa=function(a){return rQ(a.Vm).concat(rQ(a.Dg)).concat(rQ(a.Jj)).concat(rQ(a.qk)).concat(rQ(a.Yj))}; -rQ=function(a){var b=[];a=g.q(a.values());for(var c=a.next();!c.done;c=a.next())c=c.value,c.Wi&&b.push(c);return b}; -Gpa=function(a){g.C.call(this);this.u=a;this.B=Fpa(this)}; -Fpa=function(a){var b=new UP(function(c,d,e,f){return new pQ(a.u.hd,c,d,e,f,a.u.Ib,a.u.ua,a.u.Da)},new Set(Epa(a.u.hd).concat(a.u.listeners)),a.u.Gb,a.u.Ca); -g.D(a,b);return b}; -sQ=function(a){g.C.call(this);var b=this;this.B=a;this.u=null;g.eg(this,function(){g.fg(b.u);b.u=null})}; -Y=function(a){return new sQ(a)}; -Kpa=function(a,b,c,d,e){b=g.q(b);for(var f=b.next();!f.done;f=b.next())f=f.value,tQ(a,f.renderer,f.config.adPlacementConfig.kind);f=Array.from(a.values()).filter(function(n){return Hpa(n)}); -a=[];b={};f=g.q(f);for(var h=f.next();!h.done;b={Dp:b.Dp},h=f.next()){b.Dp=h.value;h={};for(var l=g.q(b.Dp.Ww),m=l.next();!m.done;h={xk:h.xk},m=l.next())h.xk=m.value,m=function(n,p){return function(r){return n.xk.zC(r,p.Dp.instreamVideoAdRenderer.elementId,n.xk.PB)}}(h,b),"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===h.xk.Kn?a.push(Ipa(c,d,h.xk.QB,e,h.xk.adSlotLoggingData,m)):a.push(Jpa(c,d,e,b.Dp.instreamVideoAdRenderer.elementId,h.xk.adSlotLoggingData,m))}return a}; -tQ=function(a,b,c){if(b=Lpa(b)){b=g.q(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.externalVideoId){var e=Mpa(a,d.externalVideoId);e.instreamVideoAdRenderer||(e.instreamVideoAdRenderer=d,e.nu=c)}else S("InstreamVideoAdRenderer without externalVideoId")}}; -Lpa=function(a){var b=[],c=a.sandwichedLinearAdRenderer&&a.sandwichedLinearAdRenderer.linearAd&&a.sandwichedLinearAdRenderer.linearAd.instreamVideoAdRenderer;if(c)return b.push(c),b;if(a.instreamVideoAdRenderer)return b.push(a.instreamVideoAdRenderer),b;if(a.linearAdSequenceRenderer&&a.linearAdSequenceRenderer.linearAds){a=g.q(a.linearAdSequenceRenderer.linearAds);for(c=a.next();!c.done;c=a.next())c=c.value,c.instreamVideoAdRenderer&&b.push(c.instreamVideoAdRenderer);return b}return null}; -Hpa=function(a){if(void 0===a.instreamVideoAdRenderer)return S("AdPlacementSupportedRenderers without matching InstreamVideoAdRenderer"),!1;for(var b=g.q(a.Ww),c=b.next();!c.done;c=b.next()){c=c.value;if(void 0===c.zC)return!1;if(void 0===c.PB)return S("AdPlacementConfig for AdPlacementSupportedRenderers that matches an InstreamVideoAdRenderer is undefined"),!1;if(void 0===a.nu||void 0===c.Kn||a.nu!==c.Kn&&"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"!==c.Kn)return!1;if(void 0===a.instreamVideoAdRenderer.elementId)return S("InstreamVideoAdRenderer has no elementId", -void 0,void 0,{kind:a.nu,"matching APSR kind":c.Kn}),!1;if("AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===c.Kn&&void 0===c.QB)return S("Command Triggered AdPlacementSupportedRenderer's AdPlacementRenderer does not have an element ID"),!1}return!0}; -Mpa=function(a,b){a.has(b)||a.set(b,{instreamVideoAdRenderer:void 0,nu:void 0,adVideoId:b,Ww:[]});return a.get(b)}; -uQ=function(a,b,c,d,e,f,h){d?Mpa(a,d).Ww.push({QB:b,Kn:c,PB:e,adSlotLoggingData:f,zC:h}):S("Companion AdPlacementSupportedRenderer without adVideoId")}; -Ppa=function(a,b,c,d,e,f,h){if(!Npa(a))return new gH("Invalid InstreamVideoAdRenderer for SlidingText.",{instreamVideoAdRenderer:a});var l=a.additionalPlayerOverlay.slidingTextPlayerOverlayRenderer;return[Opa(f,b,c,d,function(m){var n=h(m);m=m.slotId;m=vQ(e.Ua.get(),"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",m);var p={layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",bb:"core"},r=new wQ(e.u,d);return{layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",kd:new Map,ae:[r],wd:[], -ud:[],be:[],bb:"core",va:new OP([new GG(l)]),td:n(p)}})]}; -Npa=function(a){a=((null===a||void 0===a?void 0:a.additionalPlayerOverlay)||{}).slidingTextPlayerOverlayRenderer;if(!a)return!1;var b=a.slidingMessages;return a.title&&b&&0!==b.length?!0:!1}; -Upa=function(a,b,c,d,e){var f;if(null===(f=a.playerOverlay)||void 0===f||!f.instreamSurveyAdRenderer)return function(){return[]}; -if(!Qpa(a))return function(){return new gH("Received invalid InstreamVideoAdRenderer for DAI survey.",{instreamVideoAdRenderer:a})}; -var h=a.playerOverlay.instreamSurveyAdRenderer,l=Rpa(h);return 0>=l?function(){return new gH("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=Spa(m,c,d,function(t){var w=n(t); -t=t.slotId;t=vQ(e.Ua.get(),"LAYOUT_TYPE_SURVEY",t);var y={layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},x=new wQ(e.u,d),B=new xQ(e.u,t),E=new yQ(e.u,t),G=new Tpa(e.u);return{layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",kd:new Map,ae:[x,G],wd:[B],ud:[],be:[E],bb:"core",va:new OP([new FG(h),new AG(b),new bH(l/1E3)]),td:w(y),adLayoutLoggingData:h.adLayoutLoggingData}}),r=Ppa(a,c,p.slotId,d,e,m,n); -return r instanceof gH?r:[p].concat(g.ma(r))}}; -Rpa=function(a){var b=0;a=g.q(a.questions);for(var c=a.next();!c.done;c=a.next())b+=c.value.instreamSurveyAdMultiSelectQuestionRenderer.surveyAdQuestionCommon.durationMilliseconds;return b}; -Qpa=function(a){a=((null===a||void 0===a?void 0:a.playerOverlay)||{}).instreamSurveyAdRenderer;if(!a||!a.questions||1!==a.questions.length)return!1;a=a.questions[0].instreamSurveyAdMultiSelectQuestionRenderer;if(null===a||void 0===a||!a.surveyAdQuestionCommon)return!1;a=(a.surveyAdQuestionCommon.instreamAdPlayerOverlay||{}).instreamSurveyAdPlayerOverlayRenderer;var b=((null===a||void 0===a?void 0:a.adInfoRenderer)||{}).adHoverTextButtonRenderer;return((null===a||void 0===a?void 0:a.skipOrPreviewRenderer)|| -{}).skipAdRenderer&&b?!0:!1}; -Xpa=function(a,b,c,d,e){var f=[];try{var h=[],l=Vpa(a,d,function(t){t=Wpa(t.slotId,c,b,e(t),d);h=t.iS;return t.SJ}); -f.push(l);for(var m=g.q(h),n=m.next();!n.done;n=m.next()){var p=n.value,r=p(a,e);if(r instanceof gH)return r;f.push.apply(f,g.ma(r))}}catch(t){return new gH(t,{errorMessage:t.message,AdPlacementRenderer:c})}return f}; -Wpa=function(a,b,c,d,e){var f=b.config.adPlacementConfig,h=f.adTimeOffset||{},l=h.offsetEndMilliseconds;h=Number(h.offsetStartMilliseconds);if(isNaN(h))throw new TypeError("Expected valid start offset");var m=Number(l);if(isNaN(m))throw new TypeError("Expected valid end offset");l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null===l||void 0===l||!l.length)throw new TypeError("Expected linear ads");var n=[],p={KH:h,LH:0,fS:n};l=l.map(function(t){return Ypa(a,t,p,c,d,f,e,m)}).map(function(t, -w){var y=new CJ(w,n); -return t(y)}); -var r=l.map(function(t){return t.TJ}); -return{SJ:Zpa(c,a,h,r,f,new Map([["ad_placement_start",b.placementStartPings||[]],["ad_placement_end",b.placementEndPings||[]]]),$pa(b),d,m),iS:l.map(function(t){return t.hS})}}; -Ypa=function(a,b,c,d,e,f,h,l){var m=b.instreamVideoAdRenderer;if(!m)throw new TypeError("Expected instream video ad renderer");if(!m.playerVars)throw new TypeError("Expected player vars in url encoded string");var n=Xp(m.playerVars);b=Number(n.length_seconds);if(isNaN(b))throw new TypeError("Expected valid length seconds in player vars");var p=aqa(n,m);if(!p)throw new TypeError("Expected valid video id in IVAR");var r=c.KH,t=c.LH,w=Number(m.trimmedMaxNonSkippableAdDurationMs),y=isNaN(w)?b:Math.min(b, -w/1E3),x=Math.min(r+1E3*y,l);c.KH=x;c.LH++;c.fS.push(y);var B=m.pings?DJ(m.pings):new Map;c=m.playerOverlay||{};var E=void 0===c.instreamAdPlayerOverlayRenderer?null:c.instreamAdPlayerOverlayRenderer;return function(G){2<=G.B&&(n.slot_pos=G.u);n.autoplay="1";var K=m.adLayoutLoggingData,H=m.sodarExtensionData,ya=vQ(d.Ua.get(),"LAYOUT_TYPE_MEDIA",a),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};G={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new DG(h), -new OG(y),new PG(n),new RG(r),new SG(x),new TG(t),new LG({current:null}),E&&new EG(E),new AG(f),new CG(p),new BG(G),H&&new QG(H)].filter(bqa)),td:e(ia),adLayoutLoggingData:K};K=Upa(m,f,h,G.layoutId,d);return{TJ:G,hS:K}}}; -aqa=function(a,b){var c=a.video_id;if(c||(c=b.externalVideoId))return c}; -$pa=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; -dqa=function(a,b,c,d,e,f,h,l){a=cqa(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=vQ(b.Ua.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},r=new Map,t=e.impressionUrls;t&&r.set("impression",t);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",kd:r,ae:[new zQ(b.u,n)],wd:[],ud:[],be:[],bb:"core",va:new OP([new WG(e),new AG(c)]),td:m(p)}}); -return a instanceof gH?a:[a]}; -fqa=function(a,b,c,d,e,f,h,l){a=eqa(a,c,f,h,d,function(m,n){var p=m.slotId,r=l(m),t=e.contentSupportedRenderer;t?t.textOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.enhancedTextOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.imageOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", -p),p=BQ(b,n,p),p.push(new CQ(b.u,t)),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,r,p)):r=new aQ("InvideoOverlayAdRenderer without appropriate sub renderer"):r=new aQ("InvideoOverlayAdRenderer without contentSupportedRenderer");return r}); -return a instanceof gH?a:[a]}; -gqa=function(a,b,c,d){if(!c.playerVars)return new gH("No playerVars available in AdIntroRenderer.");var e=Xp(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{eS:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",kd:new Map,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new VG({}),new AG(b),new LG({current:null}),new PG(e)]),td:f(l)},LJ:[new DQ(a.u,h)],KJ:[]}}}; -kqa=function(a,b,c,d,e,f,h,l,m,n,p){function r(w){var y=new CJ(0,[t.Rs]),x=hqa(t.playerVars,t.fH,l,p,y);w=m(w);var B=n.get(t.zw.externalVideoId);y=iqa(b,"core",t.zw,c,x,t.Rs,f,y,w,B);return{layoutId:y.layoutId,layoutType:y.layoutType,kd:y.kd,ae:y.ae,wd:y.wd,ud:y.ud,be:y.be,bb:y.bb,va:y.va,td:y.td,adLayoutLoggingData:y.adLayoutLoggingData}} -var t=EQ(e);if(t instanceof aQ)return new gH(t);if(r instanceof gH)return r;a=jqa(a,c,f,h,d,r);return a instanceof gH?a:[a]}; -EQ=function(a){if(!a.playerVars)return new aQ("No playerVars available in InstreamVideoAdRenderer.");var b;if(null==a.elementId||null==a.playerVars||null==a.playerOverlay||null==(null===(b=a.playerOverlay)||void 0===b?void 0:b.instreamAdPlayerOverlayRenderer)||null==a.pings||null==a.externalVideoId)return new aQ("Received invalid VOD InstreamVideoAdRenderer",{instreamVideoAdRenderer:a});b=Xp(a.playerVars);var c=Number(b.length_seconds);return isNaN(c)?new aQ("Expected valid length seconds in player vars"): -{zw:a,playerVars:b,fH:a.playerVars,Rs:c}}; -hqa=function(a,b,c,d,e){a.iv_load_policy=d;b=Xp(b);if(b.cta_conversion_urls)try{a.cta_conversion_urls=JSON.parse(b.cta_conversion_urls)}catch(f){S(f)}c.gg&&(a.ctrl=c.gg);c.nf&&(a.ytr=c.nf);c.Cj&&(a.ytrcc=c.Cj);c.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,c.Gg&&(a.vss_credentials_token_type=c.Gg),c.mdxEnvironment&&(a.mdx_environment=c.mdxEnvironment));2<=e.B&&(a.slot_pos=e.u);a.autoplay="1";return a}; -mqa=function(a,b,c,d,e,f,h,l,m,n,p){if(null==e.linearAds)return new gH("Received invalid LinearAdSequenceRenderer.");b=lqa(b,c,e,f,l,m,n,p);if(b instanceof gH)return new gH(b);a=jqa(a,c,f,h,d,b);return a instanceof gH?a:[a]}; -lqa=function(a,b,c,d,e,f,h,l){return function(m){a:{b:{var n=[];for(var p=g.q(c.linearAds),r=p.next();!r.done;r=p.next())if(r=r.value,r.instreamVideoAdRenderer){r=EQ(r.instreamVideoAdRenderer);if(r instanceof aQ){n=new gH(r);break b}n.push(r.Rs)}}if(!(n instanceof gH)){p=0;r=[];for(var t=[],w=[],y=g.q(c.linearAds),x=y.next();!x.done;x=y.next())if(x=x.value,x.adIntroRenderer){x=gqa(a,b,x.adIntroRenderer,f);if(x instanceof gH){n=x;break a}x=x(m);r.push(x.eS);t=[].concat(g.ma(x.LJ),g.ma(t));w=[].concat(g.ma(x.KJ), -g.ma(w))}else if(x.instreamVideoAdRenderer){x=EQ(x.instreamVideoAdRenderer);if(x instanceof aQ){n=new gH(x);break a}var B=new CJ(p,n),E=hqa(x.playerVars,x.fH,e,l,B),G=f(m),K=h.get(x.zw.externalVideoId);E=iqa(a,"adapter",x.zw,b,E,x.Rs,d,B,G,K);x={layoutId:E.layoutId,layoutType:E.layoutType,kd:E.kd,ae:[],wd:[],ud:[],be:[],bb:E.bb,va:E.va,td:E.td,adLayoutLoggingData:E.adLayoutLoggingData};B=E.wd;E=E.ud;p++;r.push(x);t=[].concat(g.ma(B),g.ma(t));w=[].concat(g.ma(E),g.ma(w))}else if(x.adActionInterstitialRenderer){var H= -a;B=m.slotId;K=b;G=f(m);x=x.adActionInterstitialRenderer.adLayoutLoggingData;var ya=vQ(H.Ua.get(),"LAYOUT_TYPE_MEDIA_BREAK",B),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",bb:"adapter"};E=ya;B=new Map;new zQ(H.u,ya);H=[new xQ(H.u,ya)];K=new OP([new AG(K)]);G=G(ia);r.push({layoutId:E,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:K,td:G,adLayoutLoggingData:x});t=[].concat(g.ma(H),g.ma(t));w=[].concat(g.ma([]),g.ma(w))}else{n=new gH("Unsupported linearAd found in LinearAdSequenceRenderer."); -break a}n={gS:r,wd:t,ud:w}}}r=n;r instanceof gH?m=r:(t=m.slotId,n=r.gS,p=r.wd,r=r.ud,m=f(m),t=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",t),w={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"},m={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:new Map,ae:[new zQ(a.u,t)],wd:p,ud:r,be:[],bb:"core",va:new OP([new MG(n)]),td:m(w)});return m}}; -FQ=function(a,b,c,d,e,f){this.ib=a;this.Cb=b;this.gb=c;this.u=d;this.Gi=e;this.loadPolicy=void 0===f?1:f}; -qG=function(a,b,c,d,e,f,h){var l,m,n,p,r,t,w,y,x,B,E,G=[];if(0===b.length)return G;b=b.filter(fH);for(var K=new Map,H=new Map,ya=g.q(b),ia=ya.next();!ia.done;ia=ya.next())(ia=ia.value.renderer.remoteSlotsRenderer)&&ia.hostElementId&&H.set(ia.hostElementId,ia);ya=g.q(b);for(ia=ya.next();!ia.done;ia=ya.next()){ia=ia.value;var Oa=nqa(a,K,ia,d,e,f,h,H);Oa instanceof gH?S(Oa,void 0,void 0,{renderer:ia.renderer,config:ia.config.adPlacementConfig,kind:ia.config.adPlacementConfig.kind,contentCpn:d,daiEnabled:f}): -G.push.apply(G,g.ma(Oa))}if(null===a.u||f)return a=f&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null===(m=null===(l=b[0].config)||void 0===l?void 0:l.adPlacementConfig)||void 0===m?void 0:m.kind)&&(null===(n=b[0].renderer)||void 0===n?void 0:n.adBreakServiceRenderer),G.length||a||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(t=null===(r=null===(p=b[0])||void 0===p?void 0:p.config)|| -void 0===r?void 0:r.adPlacementConfig)||void 0===t?void 0:t.kind,renderer:null===(w=b[0])||void 0===w?void 0:w.renderer}),G;c=c.filter(fH);G.push.apply(G,g.ma(Kpa(K,c,a.ib.get(),a.u,d)));G.length||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(B=null===(x=null===(y=b[0])||void 0===y?void 0:y.config)||void 0===x?void 0:x.adPlacementConfig)||void 0===B?void 0:B.kind,renderer:null===(E=b[0])|| -void 0===E?void 0:E.renderer});return G}; -nqa=function(a,b,c,d,e,f,h,l){function m(w){return SP(a.gb.get(),w)} -var n=c.renderer,p=c.config.adPlacementConfig,r=p.kind,t=c.adSlotLoggingData;if(null!=n.actionCompanionAdRenderer)uQ(b,c.elementId,r,n.actionCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.actionCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new sG(E),y,x,E.impressionPings,E.impressionCommands,G,n.actionCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.imageCompanionAdRenderer)uQ(b,c.elementId,r,n.imageCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.imageCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new wG(E),y,x,E.impressionPings,E.impressionCommands,G,n.imageCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.shoppingCompanionCarouselRenderer)uQ(b,c.elementId,r,n.shoppingCompanionCarouselRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.shoppingCompanionCarouselRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new xG(E),y,x,E.impressionPings,E.impressionEndpoints,G,n.shoppingCompanionCarouselRenderer.adLayoutLoggingData)}); -else{if(n.adBreakServiceRenderer){if(!jH(c))return[];if(f&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===p.kind){if(!a.Gi)return new gH("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");oqa(a.Gi,{adPlacementRenderer:c,contentCpn:d,uC:e});return[]}return Aia(a.ib.get(),p,t,c.renderer.adBreakServiceRenderer,d,e,f)}if(n.clientForecastingAdRenderer)return dqa(a.ib.get(),a.Cb.get(),p,t,n.clientForecastingAdRenderer,d,e,m);if(n.invideoOverlayAdRenderer)return fqa(a.ib.get(), -a.Cb.get(),p,t,n.invideoOverlayAdRenderer,d,e,m);if(n.linearAdSequenceRenderer){if(f)return Xpa(a.ib.get(),a.Cb.get(),c,d,m);tQ(b,n,r);return mqa(a.ib.get(),a.Cb.get(),p,t,n.linearAdSequenceRenderer,d,e,h,m,l,a.loadPolicy)}if((!n.remoteSlotsRenderer||f)&&n.instreamVideoAdRenderer&&!f)return tQ(b,n,r),kqa(a.ib.get(),a.Cb.get(),p,t,n.instreamVideoAdRenderer,d,e,h,m,l,a.loadPolicy)}return[]}; -HQ=function(a){g.C.call(this);this.u=a}; -nG=function(a,b,c,d){a.u().Zg(b,d);c=c();a=a.u();IQ(a.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.q(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.u;if(g.pc(c.slotId))throw new gH("Slot ID was empty");if(ZP(e,c))throw new gH("Duplicate registration for slot.");if(!e.hd.Jj.has(c.ab))throw new gH("No fulfillment adapter factory registered for slot of type: "+c.ab);if(!e.hd.qk.has(c.ab))throw new gH("No SlotAdapterFactory registered for slot of type: "+ -c.ab);qQ(e,5,c.hc?[c.hc]:[]);qQ(e,4,c.Me);qQ(e,3,c.Af);var f=d.u,h=c.ab+"_"+c.feedPosition,l=jQ(f,h);if(ZP(f,c))throw new gH("Duplicate slots not supported");l.set(c.slotId,new oQ(c));f.u.set(h,l)}catch(kc){S(kc,c,void 0,void 0,kc.Ul);break a}d.u.Nn(c);try{var m=d.u,n=ZP(m,c),p=c.hc,r=m.hd.Dg.get(p.triggerType);r&&(r.ih(5,p,c,null),n.Y.set(p.triggerId,r));for(var t=g.q(c.Me),w=t.next();!w.done;w=t.next()){var y=w.value,x=m.hd.Dg.get(y.triggerType);x&&(x.ih(4,y,c,null),n.P.set(y.triggerId,x))}for(var B= -g.q(c.Af),E=B.next();!E.done;E=B.next()){var G=E.value,K=m.hd.Dg.get(G.triggerType);K&&(K.ih(3,G,c,null),n.R.set(G.triggerId,K))}var H=m.hd.Jj.get(c.ab).get(),ya=m.C,ia=c;var Oa=JQ(ia,{Be:["metadata_type_fulfilled_layout"]})?new KQ(ya,ia):H.u(ya,ia);n.I=Oa;var Ra=m.hd.qk.get(c.ab).get().u(m.F,c);Ra.init();n.B=Ra}catch(kc){S(kc,c,void 0,void 0,kc.Ul);WP(d,c,!0);break a}kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.u.Ag(c);ia=g.q(d.B);for(var Wa=ia.next();!Wa.done;Wa=ia.next())Wa.value.Ag(c); -dQ(d,c)}}; -LQ=function(a,b,c,d){g.C.call(this);var e=this;this.tb=a;this.ib=b;this.Bb=c;this.u=new Map;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(e)})}; -xia=function(a,b){var c=0x8000000000000;for(var d=0,e=g.q(b.Me),f=e.next();!f.done;f=e.next())f=f.value,f instanceof nH?(c=Math.min(c,f.D.start),d=Math.max(d,f.D.end)):S("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new Gn(c,d);d="throttledadcuerange:"+b.slotId;a.u.set(d,b);a.Bb.get().addCueRange(d,c.start,c.end,!1,a)}; -MQ=function(){g.C.apply(this,arguments);this.Wi=!0;this.u=new Map;this.B=new Map}; -MO=function(a,b){for(var c=g.q(a.B.values()),d=c.next();!d.done;d=c.next()){d=g.q(d.value);for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.layoutId===b)return e}S("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.pc(b)),layoutId:b})}; -NQ=function(){this.B=new Map;this.u=new Map;this.C=new Map}; -OQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.B.get(b)||0;c++;a.B.set(b,c);return b+"_"+c}return It()}; -vQ=function(a,b,c){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var d=a.u.get(b)||0;d++;a.u.set(b,d);return c+"_"+b+"_"+d}return It()}; -PQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.C.get(b)||0;c++;a.C.set(b,c);return b+"_"+c}return It()}; -pqa=function(a,b){this.layoutId=b;this.triggerType="trigger_type_close_requested";this.triggerId=a(this.triggerType)}; -DQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_exited_for_reason";this.triggerId=a(this.triggerType)}; -wQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_id_exited";this.triggerId=a(this.triggerType)}; -qqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; -QQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="trigger_type_on_different_layout_id_entered";this.triggerId=a(this.triggerType)}; -RQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_IN_PLAYER";this.triggerType="trigger_type_on_different_slot_id_enter_requested";this.triggerId=a(this.triggerType)}; -zQ=function(a,b){this.layoutId=b;this.triggerType="trigger_type_on_layout_self_exit_requested";this.triggerId=a(this.triggerType)}; -rqa=function(a,b){this.opportunityType="opportunity_type_ad_break_service_response_received";this.associatedSlotId=b;this.triggerType="trigger_type_on_opportunity_received";this.triggerId=a(this.triggerType)}; -Tpa=function(a){this.triggerType="trigger_type_playback_minimized";this.triggerId=a(this.triggerType)}; -xQ=function(a,b){this.u=b;this.triggerType="trigger_type_skip_requested";this.triggerId=a(this.triggerType)}; -yQ=function(a,b){this.u=b;this.triggerType="trigger_type_survey_submitted";this.triggerId=a(this.triggerType)}; -CQ=function(a,b){this.durationMs=45E3;this.u=b;this.triggerType="trigger_type_time_relative_to_layout_enter";this.triggerId=a(this.triggerType)}; -sqa=function(a){return[new HG(a.pw),new EG(a.instreamAdPlayerOverlayRenderer),new KG(a.EG),new AG(a.adPlacementConfig),new OG(a.videoLengthSeconds),new bH(a.uE)]}; -tqa=function(a,b,c,d,e,f){a=c.By?c.By:vQ(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",kd:new Map,ae:[new wQ(function(l){return PQ(f,l)},c.pw)], -wd:[],ud:[],be:[],bb:b,va:d,td:e(h),adLayoutLoggingData:c.adLayoutLoggingData}}; -SQ=function(a,b){var c=this;this.Ca=a;this.Ua=b;this.u=function(d){return PQ(c.Ua.get(),d)}}; -TQ=function(a,b,c,d,e){return tqa(b,c,d,new OP(sqa(d)),e,a.Ua.get())}; -GQ=function(a,b,c,d,e,f,h,l,m,n){b=vQ(a.Ua.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},r=new Map;h?r.set("impression",h):l&&S("Companion Ad Renderer without impression Pings but does have impressionCommands",void 0,void 0,{"impressionCommands length":l.length,adPlacementKind:f.kind,companionType:d.u()});return{layoutId:b,layoutType:c,kd:r,ae:[new zQ(a.u,b),new QQ(a.u,e)],wd:[],ud:[],be:[],bb:"core",va:new OP([d,new AG(f),new HG(e)]),td:m(p),adLayoutLoggingData:n}}; -BQ=function(a,b,c){var d=[];d.push(new RQ(a.u,c));g.Q(a.Ca.get().J.T().experiments,"html5_make_pacf_in_video_overlay_evictable")||b&&d.push(b);return d}; -AQ=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,kd:new Map,ae:h,wd:[new pqa(a.u,b)],ud:[],be:[],bb:"core",va:new OP([new vG(d),new AG(e)]),td:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; -iqa=function(a,b,c,d,e,f,h,l,m,n){var p=c.elementId,r={layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",bb:b};d=[new AG(d),new BG(l),new CG(c.externalVideoId),new DG(h),new EG(c.playerOverlay.instreamAdPlayerOverlayRenderer),new dH({impressionCommands:c.impressionCommands,onAbandonCommands:c.onAbandonCommands,completeCommands:c.completeCommands,adVideoProgressCommands:c.adVideoProgressCommands}),new PG(e),new LG({current:null}),new OG(f)];e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY", -e);d.push(new IG(f));d.push(new JG(e));c.adNextParams&&d.push(new tG(c.adNextParams));c.clickthroughEndpoint&&d.push(new uG(c.clickthroughEndpoint));c.legacyInfoCardVastExtension&&d.push(new cH(c.legacyInfoCardVastExtension));c.sodarExtensionData&&d.push(new QG(c.sodarExtensionData));n&&d.push(new aH(n));return{layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",kd:DJ(c.pings),ae:[new zQ(a.u,p)],wd:c.skipOffsetMilliseconds?[new xQ(a.u,f)]:[],ud:[new xQ(a.u,f)],be:[],bb:b,va:new OP(d),td:m(r),adLayoutLoggingData:c.adLayoutLoggingData}}; -Zpa=function(a,b,c,d,e,f,h,l,m){d.every(function(p){return NP(p,[],["LAYOUT_TYPE_MEDIA"])})||S("Unexpect subLayout type for DAI composite layout"); -b=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",b);var n={layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:f,ae:[new qqa(a.u)],wd:[],ud:[],be:[],bb:"core",va:new OP([new RG(c),new SG(m),new MG(d),new AG(e),new XG(h)]),td:l(n)}}; -bqa=function(a){return null!=a}; -UQ=function(a,b,c){this.C=b;this.visible=c;this.triggerType="trigger_type_after_content_video_id_ended";this.triggerId=a(this.triggerType)}; -VQ=function(a,b,c){this.u=b;this.slotId=c;this.triggerType="trigger_type_layout_id_active_and_slot_id_has_exited";this.triggerId=a(this.triggerType)}; -uqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED";this.triggerId=a(this.triggerType)}; -WQ=function(a,b,c){this.C=b;this.D=c;this.triggerType="trigger_type_not_in_media_time_range";this.triggerId=a(this.triggerType)}; -XQ=function(a,b){this.D=b;this.triggerType="trigger_type_on_new_playback_after_content_video_id";this.triggerId=a(this.triggerType)}; -YQ=function(a,b){this.slotId=b;this.triggerType="trigger_type_on_element_self_enter_requested";this.triggerId=a(this.triggerType)}; -ZQ=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_entered";this.triggerId=a(this.triggerType)}; -$Q=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_exited";this.triggerId=a(this.triggerType)}; -aR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_empty";this.triggerId=a(this.triggerType)}; -bR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_non_empty";this.triggerId=a(this.triggerType)}; -cR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_scheduled";this.triggerId=a(this.triggerType)}; -dR=function(a){var b=this;this.Ua=a;this.u=function(c){return PQ(b.Ua.get(),c)}}; -iH=function(a,b,c,d,e,f){f=void 0===f?[]:f;var h=OQ(a.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST"),l=[];d.Wn&&d.Wn.start!==d.gh.start&&l.push(new nH(a.u,c,new Gn(d.Wn.start,d.gh.start),!1));l.push(new nH(a.u,c,new Gn(d.gh.start,d.gh.end),d.Ov));d={getAdBreakUrl:b.getAdBreakUrl,eH:d.gh.start,dH:d.gh.end};b=new bR(a.u,h);f=[new ZG(d)].concat(g.ma(f));return{slotId:h,ab:"SLOT_TYPE_AD_BREAK_REQUEST",feedPosition:1,hc:b,Me:l,Af:[new XQ(a.u,c),new $Q(a.u,h),new aR(a.u,h)],bb:"core",va:new OP(f),adSlotLoggingData:e}}; -wqa=function(a,b,c){var d=[];c=g.q(c);for(var e=c.next();!e.done;e=c.next())d.push(vqa(a,b,e.value));return d}; -vqa=function(a,b,c){return null!=c.B&&c.B===a?c.clone(b):c}; -xqa=function(a,b,c,d,e){e=e?e:OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -eqa=function(a,b,c,d,e,f){var h=eR(a,b,c,d);if(h instanceof gH)return h;h instanceof nH&&(h=new nH(a.u,h.C,h.D,h.visible,h.F,!0));d=h instanceof nH?new WQ(a.u,c,h.D):null;b=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=f({slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:h},d);return f instanceof aQ?new gH(f):{slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:h,Me:[new ZQ(a.u,b)],Af:[new XQ(a.u,c),new $Q(a.u,b)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -Spa=function(a,b,c,d){var e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -Opa=function(a,b,c,d,e){var f=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new VQ(a.u,d,c);d={slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,f)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(e(d))])}}; -Jpa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),b);return yqa(a,h,b,new mH(a.u,d),c,e,f)}; -Ipa=function(a,b,c,d,e,f){return yqa(a,c,b,new YQ(a.u,c),d,e,f)}; -Vpa=function(a,b,c){var d=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES"),e=new uqa(a.u),f={slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:e};return{slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:e,Me:[new cR(a.u,d)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(c(f)),new UG({})])}}; -jqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES");b=eR(a,b,c,d);if(b instanceof gH)return b;f=f({slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:b});return f instanceof gH?f:{slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -cqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_FORECASTING");b=eR(a,b,c,d);if(b instanceof gH)return b;d={slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,bb:"core",hc:b};return{slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f(d))]),adSlotLoggingData:e}}; -eR=function(a,b,c,d){var e=!b.hideCueRangeMarker;switch(b.kind){case "AD_PLACEMENT_KIND_START":return new kH(a.u,c);case "AD_PLACEMENT_KIND_MILLISECONDS":b=hH(b,d);if(b instanceof gH)return b;b=b.gh;return new nH(a.u,c,b,e,b.end===d);case "AD_PLACEMENT_KIND_END":return new UQ(a.u,c,e);default:return new gH("Cannot construct entry trigger",{kind:b.kind})}}; -yqa=function(a,b,c,d,e,f,h){var l={slotId:b,ab:c,feedPosition:1,bb:"core",hc:d};return{slotId:b,ab:c,feedPosition:1,hc:d,Me:[new cR(a.u,b)],Af:[new XQ(a.u,e),new $Q(a.u,b)],bb:"core",va:new OP([new YG(h(l))]),adSlotLoggingData:f}}; -fR=function(a,b,c){g.C.call(this);this.Ca=a;this.u=b;this.Da=c;this.eventCount=0}; -kL=function(a,b,c){IQ(a,b,void 0,void 0,void 0,c,void 0,void 0,c.adSlotLoggingData,void 0)}; -$P=function(a,b,c,d){IQ(a,b,void 0,void 0,void 0,c,d?d:void 0,void 0,void 0,d?d.adLayoutLoggingData:void 0)}; -tpa=function(a,b,c,d){g.Q(a.Ca.get().J.T().experiments,"html5_control_flow_include_trigger_logging_in_tmp_logs")&&IQ(a,"ADS_CLIENT_EVENT_TYPE_TRIGGER_ACTIVATED",void 0,void 0,void 0,b,d?d:void 0,c,void 0,d?d.adLayoutLoggingData:void 0)}; -IQ=function(a,b,c,d,e,f,h,l,m,n){if(g.Q(a.Ca.get().J.T().experiments,"html5_enable_ads_client_monitoring_log")&&!g.Q(a.Ca.get().J.T().experiments,"html5_disable_client_tmp_logs")&&"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"!==b){var p=RP(a.u.get());b={eventType:b,eventOrder:++a.eventCount};var r=g.P(a.Ca.get().J.T().experiments,"html5_experiment_id_label"),t={organicPlaybackContext:{contentCpn:pG(a.Da.get(),1).clientPlaybackNonce}};t.organicPlaybackContext.isLivePlayback=pG(a.Da.get(),1).Wg;0b)return a;var c="";if(a.includes("event=")){var d=a.indexOf("event=");c=c.concat(a.substring(d,d+100),", ")}a.includes("label=")&&(d=a.indexOf("label="),c=c.concat(a.substring(d,d+100)));return 0=.25*e||c)&&LO(a.Ia,"first_quartile"),(b>=.5*e||c)&&LO(a.Ia,"midpoint"),(b>=.75*e||c)&&LO(a.Ia,"third_quartile")}; -Zqa=function(a,b){tM(a.Tc.get(),X(a.layout.va,"metadata_type_ad_placement_config").kind,b,a.position,a.P,!1)}; -UR=function(a,b,c,d,e){MR.call(this,a,b,c,d);this.u=e}; -ara=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B,E){if(CR(d,{Be:["metadata_type_sub_layouts"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})){var G=X(d.va,"metadata_type_sub_layouts");a=new NR(a,n,r,w,b,c,d,f);b=[];for(var K={Pl:0};K.Pl=e||0>=c||g.U(b,16)||g.U(b,32)||(RR(c,.25*e,d)&&LO(a.Ia,"first_quartile"),RR(c,.5*e,d)&&LO(a.Ia,"midpoint"),RR(c,.75*e,d)&&LO(a.Ia,"third_quartile"))}; -tra=function(a){return Object.assign(Object.assign({},sS(a)),{adPlacementConfig:X(a.va,"metadata_type_ad_placement_config"),subLayouts:X(a.va,"metadata_type_sub_layouts").map(sS)})}; -sS=function(a){return{enterMs:X(a.va,"metadata_type_layout_enter_ms"),exitMs:X(a.va,"metadata_type_layout_exit_ms")}}; -tS=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B){this.me=a;this.B=b;this.Da=c;this.eg=d;this.ua=e;this.Fa=f;this.Sc=h;this.ee=l;this.jb=m;this.Bd=n;this.Yc=p;this.Bb=r;this.Tc=t;this.ld=w;this.Dd=y;this.oc=x;this.Gd=B}; -uS=function(a,b,c,d,e,f,h){g.C.call(this);var l=this;this.tb=a;this.ib=b;this.Da=c;this.ee=e;this.ua=f;this.Ca=h;this.u=null;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(l)}); -e.get().addListener(this);g.eg(this,function(){e.get().removeListener(l)})}; -oqa=function(a,b){if(pG(a.Da.get(),1).daiEnabled&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===b.adPlacementRenderer.config.adPlacementConfig.kind)if(a.u)S("Unexpected multiple fetch instructions for the current content");else{a.u=b;for(var c=g.q(a.ee.get().u),d=c.next();!d.done;d=c.next())ura(a,a.u,d.value)}}; -ura=function(a,b,c){var d=kQ(a.ua.get(),1,!1);nG(a.tb.get(),"opportunity_type_live_stream_break_signal",function(){var e=a.ib.get(),f=g.Q(a.Ca.get().J.T().experiments,"enable_server_stitched_dai");var h=1E3*c.startSecs;h={gh:new Gn(h,h+1E3*c.durationSecs),Ov:!1};var l=c.startSecs+c.durationSecs;if(c.startSecs<=d)f=new Gn(1E3*(c.startSecs-4),1E3*l);else{var m=Math.max(0,c.startSecs-d-10);f=new Gn(1E3*Math.floor(d+Math.random()*(f?0===d?0:Math.min(m,5):m)),1E3*l)}h.Wn=f;return[iH(e,b.adPlacementRenderer.renderer.adBreakServiceRenderer, -b.contentCpn,h,b.adPlacementRenderer.adSlotLoggingData,[new NG(c)])]})}; -vS=function(a,b){var c;g.C.call(this);var d=this;this.D=a;this.B=new Map;this.C=new Map;this.u=null;b.get().addListener(this);g.eg(this,function(){b.get().removeListener(d)}); -this.u=(null===(c=b.get().u)||void 0===c?void 0:c.slotId)||null}; -vra=function(a,b){for(var c=[],d=g.q(a.values()),e=d.next();!e.done;e=d.next())e=e.value,e.slot.slotId===b&&c.push(e);return c}; -wS=function(a,b,c,d){g.C.call(this);this.J=a;this.Da=b;this.Ca=c;this.Fa=d;this.listeners=[];this.B=new Set;this.u=[];this.D=new fM(this,Cqa(c.get()));this.C=new gM;wra(this)}; -pra=function(a,b,c){return hM(a.C,b,c)}; -wra=function(a){var b,c=a.J.getVideoData(1);c.subscribe("cuepointupdated",a.Ez,a);a.B.clear();a.u.length=0;c=(null===(b=c.ra)||void 0===b?void 0:RB(b,0))||[];a.Ez(c)}; -xra=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START";default:throw Error("Unexpected cuepoint event");}}; -yra=function(a){this.J=a}; -Ara=function(a,b,c){zra(a.J,b,c)}; -xS=function(){this.listeners=new Set}; -yS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="image-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Bra=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; -zS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="shopping-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Cra=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; -Dra=function(a,b,c,d,e){this.Vb=a;this.Fa=b;this.me=c;this.Nd=d;this.jb=e}; -AS=function(a,b,c,d,e,f,h,l,m,n){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.ua=l;this.oc=m;this.Ca=n;this.Ia=Eoa(b,c)}; -Era=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; -BS=function(a,b,c,d,e,f,h,l,m,n,p){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.D=l;this.ua=m;this.oc=n;this.Ca=p;this.Ia=Eoa(b,c)}; -CS=function(a,b,c,d,e,f,h,l,m){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.jb=e;this.B=f;this.C=h;this.oc=l;this.Ca=m}; -DS=function(a){g.C.call(this);this.u=a;this.ob=new Map}; -ES=function(a,b){for(var c=[],d=g.q(a.ob.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.layoutId===b.layoutId&&c.push(e);c.length&&gQ(a.u(),c)}; -FS=function(a){g.C.call(this);this.C=a;this.Wi=!0;this.ob=new Map;this.u=new Map;this.B=new Map}; -Fra=function(a,b){var c=[],d=a.u.get(b.layoutId);if(d){d=g.q(d);for(var e=d.next();!e.done;e=d.next())(e=a.B.get(e.value.triggerId))&&c.push(e)}return c}; -GS=function(a,b,c){g.C.call(this);this.C=a;this.bj=b;this.Ua=c;this.u=this.B=void 0;this.bj.get().addListener(this)}; -Gra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,"SLOT_TYPE_ABOVE_FEED",f.Gi)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.MB=Y(function(){return new Dra(f.Vb,f.Fa,a,f.Ib,f.jb)}); -g.D(this,this.MB);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Qe],["SLOT_TYPE_ABOVE_FEED",this.zc],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty", -this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED", -this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_ABOVE_FEED", -this.MB],["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:this.fc,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(),Wh:this.Ed,vg:this.Ib.get()}}; -Hra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc], -["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled", -this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received", -this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(), -Wh:this.Ed,vg:this.Ib.get()}}; -Ira=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.xG=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.xG);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.xG],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Jra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING", -this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -IS=function(a,b,c,d,e,f,h,l){JR.call(this,a,b,c,d,e,f,h);this.Jn=l}; -Kra=function(a,b,c,d,e){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.Jn=e}; -Lra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Jn=Y(function(){return new lra(b)}); -g.D(this,this.Jn);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(cra,HS,function(l,m,n,p){var r=f.Cb.get(),t=sqa(n);t.push(new yG(n.sJ));t.push(new zG(n.vJ));return tqa(l,m,n,new OP(t),p,r.Ua.get())},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.wI=Y(function(){return new Kra(f.Vb,f.ua,f.Fa,f.Ib,f.Jn)}); -g.D(this,this.wI);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.wI],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Mra=function(a,b,c,d){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d}; -Nra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,f.Gi,3)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new Mra(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested", -this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended", -this.rd],["trigger_type_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:null,qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Pra=function(a,b,c,d){g.C.call(this);var e=this;this.u=Ora(function(){return e.B},a,b,c,d); -g.D(this,this.u);this.B=(new Gpa(this.u)).B;g.D(this,this.B)}; -Ora=function(a,b,c,d,e){try{var f=b.T();if(g.HD(f))var h=new Gra(a,b,c,d,e);else if(g.LD(f))h=new Hra(a,b,c,d,e);else if(MD(f))h=new Jra(a,b,c,d,e);else if(yD(f))h=new Ira(a,b,c,d,e);else if(KD(f))h=new Lra(a,b,c,d,e);else if(g.xD(f))h=new Nra(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return e=b.T(),S("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:e.deviceParams.cplatform,"interface":e.deviceParams.c,b5:e.deviceParams.cver,a5:e.deviceParams.ctheme, -Z4:e.deviceParams.cplayer,p5:e.playerStyle}),new Mqa(a,b,c,d)}}; -Qra=function(a,b,c){this.u=a;this.yi=b;this.B=c}; -g.JS=function(a){g.O.call(this);this.loaded=!1;this.player=a}; -KS=function(a){g.JS.call(this,a);var b=this;this.u=null;this.D=new bG(this.player);this.C=null;this.F=function(){function d(){return b.u} -if(null!=b.C)return b.C;var e=Sma({vC:a.getVideoData(1)});e=new fpa({tJ:new Qra(d,b.B.u.Ke.yi,b.B.B),Ip:e.jK(),uJ:d,FJ:d,KN:d,Wh:b.B.u.Ke.Wh,ci:e.jy(),J:b.player,qg:b.B.u.Ke.qg,Fa:b.B.u.Fa,vg:b.B.u.Ke.vg});b.C=e.B;return b.C}; -this.B=new Pra(this.player,this,this.D,this.F);g.D(this,this.B);this.created=!1;var c=a.T();!uD(c)||g.xD(c)||yD(c)||(c=function(){return b.u},g.D(this,new CP(a,c)),g.D(this,new CN(a,c)))}; -Rra=function(a){var b=a.B.u.Ke.Pb,c=b.u().u;c=jQ(c,"SLOT_TYPE_PLAYER_BYTES_1");var d=[];c=g.q(c.values());for(var e=c.next();!e.done;e=c.next())d.push(e.value.slot);b=pG(b.Da.get(),1).clientPlaybackNonce;c=!1;e=void 0;d=g.q(d);for(var f=d.next();!f.done;f=d.next()){f=f.value;var h=lH(f)?f.hc.C:void 0;h&&h===b&&(h=X(f.va,"metadata_type_fulfilled_layout"),c&&S("More than 1 preroll playerBytes slot detected",f,h,{matches_layout_id:String(e&&h?e.layoutId===h.layoutId:!1),found_layout_id:(null===e||void 0=== -e?void 0:e.layoutId)||"empty",collide_layout_id:(null===h||void 0===h?void 0:h.layoutId)||"empty"}),c=!0,e=h)}(b=c)||(b=a.u,b=!rna(b,una(b)));b||a.B.u.Ke.yl.u()}; -Sra=function(a){a=g.q(a.B.u.Ke.vg.u.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.ab&&"core"===b.bb)return!0;return!1}; -oG=function(a,b,c){c=void 0===c?"":c;var d=a.B.u.Ke.qg,e=a.player.getVideoData(1);e=e&&e.getPlayerResponse()||{};d=Tra(b,d,e&&e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1);zia(a.B.u.Ke.Qb,c,d.Mo,b);a.u&&0b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);LS=new Uint8Array(256);MS=[];NS=[];OS=[];PS=[];for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;LS[f]=e;b=e<<1^(e>>7&&283);var h=b^e;MS.push(b<<24|e<<16|e<<8|h);NS.push(h<<24|MS[f]>>>8);OS.push(e<<24|NS[f]>>>8);PS.push(e<<24|OS[f]>>>8)}}this.u=[0,0,0,0];this.C=new Uint8Array(16);e=[];for(c=0;4>c;c++)e.push(a[4*c]<<24|a[4*c+1]<<16|a[4* -c+2]<<8|a[4*c+3]);for(d=1;44>c;c++)a=e[c-1],c%4||(a=(LS[a>>16&255]^d)<<24|LS[a>>8&255]<<16|LS[a&255]<<8|LS[a>>>24],d=d<<1^(d>>7&&283)),e.push(e[c-4]^a);this.D=e;this.B=16}; -Ura=function(a,b){for(var c=0;4>c;c++)a.u[c]=b[4*c]<<24|b[4*c+1]<<16|b[4*c+2]<<8|b[4*c+3];a.B=16}; -Vra=function(a){for(var b=a.D,c=a.u[0]^b[0],d=a.u[1]^b[1],e=a.u[2]^b[2],f=a.u[3]^b[3],h=3;0<=h&&!(a.u[h]=-~a.u[h]);h--);for(h=4;40>h;){var l=MS[c>>>24]^NS[d>>16&255]^OS[e>>8&255]^PS[f&255]^b[h++];var m=MS[d>>>24]^NS[e>>16&255]^OS[f>>8&255]^PS[c&255]^b[h++];var n=MS[e>>>24]^NS[f>>16&255]^OS[c>>8&255]^PS[d&255]^b[h++];f=MS[f>>>24]^NS[c>>16&255]^OS[d>>8&255]^PS[e&255]^b[h++];c=l;d=m;e=n}a=a.C;c=[c,d,e,f];for(d=0;16>d;)a[d++]=LS[c[0]>>>24]^b[h]>>>24,a[d++]=LS[c[1]>>16&255]^b[h]>>16&255,a[d++]=LS[c[2]>> -8&255]^b[h]>>8&255,a[d++]=LS[c[3]&255]^b[h++]&255,c.push(c.shift())}; -g.RS=function(){g.C.call(this);this.C=null;this.K=this.I=!1;this.F=new g.am;g.D(this,this.F)}; -SS=function(a){a=a.yq();return 1>a.length?NaN:a.end(a.length-1)}; -Wra=function(a,b){a.C&&null!==b&&b.u===a.C.u||(a.C&&a.C.dispose(),a.C=b)}; -TS=function(a){return fA(a.Gf(),a.getCurrentTime())}; -Xra=function(a,b){if(0==a.yg()||0e&&(b+="0"));if(0f&&(b+="0");b+=f+":";10>c&&(b+="0");d=b+c}return 0<=a?d:"-"+d}; +g.fR=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; +gR=function(a,b,c,d,e,f){NQ.call(this,a,{G:"span",N:"ytp-ad-duration-remaining"},"ad-duration-remaining",b,c,d,e);this.videoAdDurationSeconds=f;this.u=null;this.hide()}; +hR=function(a,b,c,d){LQ.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; +iR=function(a,b){this.u=a;this.j=b}; +rFa=function(a,b){return a.u+b*(a.j-a.u)}; +jR=function(a,b,c){return a.j-a.u?g.ze((b-a.u)/(a.j-a.u),0,1):null!=c?c:Infinity}; +kR=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-ad-persistent-progress-bar-container",W:[{G:"div",N:"ytp-ad-persistent-progress-bar"}]});this.api=a;this.u=b;g.E(this,this.u);this.Kc=this.Da("ytp-ad-persistent-progress-bar");this.j=-1;this.S(a,"presentingplayerstatechange",this.onStateChange);this.hide();this.onStateChange()}; +lR=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-player-overlay",W:[{G:"div",N:"ytp-ad-player-overlay-flyout-cta"},{G:"div",N:"ytp-ad-player-overlay-instream-info"},{G:"div",N:"ytp-ad-player-overlay-skip-or-preview"},{G:"div",N:"ytp-ad-player-overlay-progress-bar"},{G:"div",N:"ytp-ad-player-overlay-instream-user-sentiment"}]},"player-overlay",b,c,d);this.J=f;this.C=this.Da("ytp-ad-player-overlay-flyout-cta");this.api.V().K("web_rounded_thumbnails")&&this.C.classList.add("ytp-ad-player-overlay-flyout-cta-rounded"); +this.u=this.Da("ytp-ad-player-overlay-instream-info");this.B=null;sFa(this)&&(a=pf("div"),g.Qp(a,"ytp-ad-player-overlay-top-bar-gradients"),b=this.u,b.parentNode&&b.parentNode.insertBefore(a,b),(b=this.api.getVideoData(2))&&b.isListed&&b.title&&(c=new hR(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),c.Ea(a),c.init(fN("ad-title"),{text:b.title},this.macros),g.E(this,c)),this.B=a);this.D=this.Da("ytp-ad-player-overlay-skip-or-preview");this.Aa=this.Da("ytp-ad-player-overlay-progress-bar"); +this.Z=this.Da("ytp-ad-player-overlay-instream-user-sentiment");this.j=e;g.E(this,this.j);this.hide()}; +sFa=function(a){a=a.api.V();return g.nK(a)&&a.u}; +mR=function(a,b,c){var d={};b&&(d.v=b);c&&(d.list=c);a={name:a,locale:void 0,feature:void 0};for(var e in d)a[e]=d[e];d=g.Zi("/sharing_services",a);g.ZB(d)}; +g.nR=function(a){a&=16777215;var b=[(a&16711680)>>16,(a&65280)>>8,a&255];a=b[0];var c=b[1];b=b[2];a=Number(a);c=Number(c);b=Number(b);if(a!=(a&255)||c!=(c&255)||b!=(b&255))throw Error('"('+a+","+c+","+b+'") is not a valid RGB color');c=a<<16|c<<8|b;return 16>a?"#"+(16777216|c).toString(16).slice(1):"#"+c.toString(16)}; +vFa=function(a,b){if(!a)return!1;var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow)return!!b.ow[d];var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK)return!!b.ZK[c];for(var f in a)if(b.VK[f])return!0;return!1}; +wFa=function(a,b){var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow&&(c=b.ow[d]))return c();var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK&&(e=b.ZK[c]))return e();for(var f in a)if(b.VK[f]&&(a=b.VK[f]))return a()}; +oR=function(a){return function(){return new a}}; +yFa=function(a){var b=void 0===b?"UNKNOWN_INTERFACE":b;if(1===a.length)return a[0];var c=xFa[b];if(c){var d=new RegExp(c),e=g.t(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,d.exec(c))return c}var f=[];Object.entries(xFa).forEach(function(h){var l=g.t(h);h=l.next().value;l=l.next().value;b!==h&&f.push(l)}); d=new RegExp(f.join("|"));a.sort(function(h,l){return h.length-l.length}); -e=g.q(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,!d.exec(c))return c;return a[0]}; -bT=function(a){return"/youtubei/v1/"+isa(a)}; -dT=function(){}; -eT=function(){}; -fT=function(){}; -gT=function(){}; -hT=function(){}; -iT=function(){this.u=this.B=void 0}; -jsa=function(){iT.u||(iT.u=new iT);return iT.u}; -ksa=function(a,b){var c=g.vo("enable_get_account_switcher_endpoint_on_webfe")?b.text().then(function(d){return JSON.parse(d.replace(")]}'",""))}):b.json(); -b.redirected||b.ok?a.u&&a.u.success():(a.u&&a.u.failure(),c=c.then(function(d){g.Is(new g.tr("Error: API fetch failed",b.status,b.url,d));return Object.assign(Object.assign({},d),{errorMetadata:{status:b.status}})})); -return c}; -kT=function(a){if(!jT){var b={lt:{playlistEditEndpoint:hT,subscribeEndpoint:eT,unsubscribeEndpoint:fT,modifyChannelNotificationPreferenceEndpoint:gT}},c=g.vo("web_enable_client_location_service")?WF():void 0,d=[];c&&d.push(c);void 0===a&&(a=Kq());c=jsa();aT.u=new aT(b,c,a,Mea,d);jT=aT.u}return jT}; -lsa=function(a,b){var c={commandMetadata:{webCommandMetadata:{apiUrl:"/youtubei/v1/browse/edit_playlist",url:"/service_ajax",sendPost:!0}},playlistEditEndpoint:{playlistId:"WL",actions:b}},d={list_id:"WL"};c=cT(kT(),c);Am(c.then(function(e){if(e&&"STATUS_SUCCEEDED"===e.status){if(a.onSuccess)a.onSuccess({},d)}else if(a.onError)a.onError({},d)}),function(){a.Zf&&a.Zf({},d)})}; -nsa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{addedVideoId:a.videoIds,action:"ACTION_ADD_VIDEO"}]):msa("add_to_watch_later_list",a,b,c)}; -osa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{removedVideoId:a.videoIds,action:"ACTION_REMOVE_VIDEO_BY_VIDEO_ID"}]):msa("delete_from_watch_later_list",a,b,c)}; -msa=function(a,b,c,d){g.qq(c?c+"playlist_video_ajax?action_"+a+"=1":"/playlist_video_ajax?action_"+a+"=1",{method:"POST",si:{feature:b.feature||null,authuser:b.ye||null,pageid:b.pageId||null},tc:{video_ids:b.videoIds||null,source_playlist_id:b.sourcePlaylistId||null,full_list_id:b.fullListId||null,delete_from_playlists:b.q5||null,add_to_playlists:b.S4||null,plid:g.L("PLAYBACK_ID")||null},context:b.context,onError:b.onError,onSuccess:function(e,f){b.onSuccess.call(this,e,f)}, -Zf:b.Zf,withCredentials:!!d})}; -g.qsa=function(a,b,c){b=psa(null,b,c);if(b=window.open(b,"loginPopup","width=800,height=600,resizable=yes,scrollbars=yes",!0))c=g.No("LOGGED_IN",function(d){g.Oo(g.L("LOGGED_IN_PUBSUB_KEY",void 0));so("LOGGED_IN",!0);a(d)}),so("LOGGED_IN_PUBSUB_KEY",c),b.moveTo((screen.width-800)/2,(screen.height-600)/2)}; -psa=function(a,b,c){var d="/signin?context=popup";c&&(d=document.location.protocol+"//"+c+d);c=document.location.protocol+"//"+document.domain+"/post_login";a&&(c=Ld(c,"mode",a));a=Ld(d,"next",c);b&&(a=Ld(a,"feature",b));return a}; -lT=function(){}; -mT=function(){}; -ssa=function(){var a,b;return We(this,function d(){var e;return xa(d,function(f){e=navigator;return(null===(a=e.storage)||void 0===a?0:a.estimate)?f["return"](e.storage.estimate()):(null===(b=e.webkitTemporaryStorage)||void 0===b?0:b.u)?f["return"](rsa()):f["return"]()})})}; -rsa=function(){var a=navigator;return new Promise(function(b,c){var d;null!==(d=a.webkitTemporaryStorage)&&void 0!==d&&d.u?a.webkitTemporaryStorage.u(function(e,f){b({usage:e,quota:f})},function(e){c(e)}):c(Error("webkitTemporaryStorage is not supported."))})}; -Mq=function(a,b,c){var d=this;this.zy=a;this.handleError=b;this.u=c;this.B=!1;void 0===self.document||self.addEventListener("beforeunload",function(){d.B=!0})}; -Pq=function(a){var b=Lq;if(a instanceof vr)switch(a.type){case "UNKNOWN_ABORT":case "QUOTA_EXCEEDED":case "QUOTA_MAYBE_EXCEEDED":b.zy(a);break;case "EXPLICIT_ABORT":a.sampleWeight=0;break;default:b.handleError(a)}else b.handleError(a)}; -usa=function(a,b){ssa().then(function(c){c=Object.assign(Object.assign({},b),{isSw:void 0===self.document,isIframe:self!==self.top,deviceStorageUsageMbytes:tsa(null===c||void 0===c?void 0:c.usage),deviceStorageQuotaMbytes:tsa(null===c||void 0===c?void 0:c.quota)});a.u("idbQuotaExceeded",c)})}; -tsa=function(a){return"undefined"===typeof a?"-1":String(Math.ceil(a/1048576))}; -vsa=function(){ZE("bg_l","player_att");nT=(0,g.N)()}; -wsa=function(a){a=void 0===a?{}:a;var b=Ps;a=void 0===a?{}:a;return b.u?b.u.hot?b.u.hot(void 0,void 0,a):b.u.invoke(void 0,void 0,a):null}; -xsa=function(a){a=void 0===a?{}:a;return Qea(a)}; -ysa=function(a,b){var c=this;this.videoData=a;this.C=b;var d={};this.B=(d.c1a=function(){if(oT(c)){var e="";c.videoData&&c.videoData.rh&&(e=c.videoData.rh+("&r1b="+c.videoData.clientPlaybackNonce));var f={};e=(f.atr_challenge=e,f);ZE("bg_v","player_att");e=c.C?wsa(e):g.Ja("yt.abuse.player.invokeBotguard")(e);ZE("bg_s","player_att");e=e?"r1a="+e:"r1c=2"}else ZE("bg_e","player_att"),e="r1c=1";return e},d.c3a=function(e){return"r3a="+Math.floor(c.videoData.lengthSeconds%Number(e.c3a)).toString()},d.c6a= -function(e){e=Number(e.c); -var f=c.C?parseInt(g.L("DCLKSTAT",0),10):(f=g.Ja("yt.abuse.dclkstatus.checkDclkStatus"))?f():NaN;return"r6a="+(e^f)},d); -this.videoData&&this.videoData.rh?this.u=Xp(this.videoData.rh):this.u={}}; -zsa=function(a){if(a.videoData&&a.videoData.rh){for(var b=[a.videoData.rh],c=g.q(Object.keys(a.B)),d=c.next();!d.done;d=c.next())d=d.value,a.u[d]&&a.B[d]&&(d=a.B[d](a.u))&&b.push(d);return b.join("&")}return null}; -Bsa=function(a){var b={};Object.assign(b,a.B);"c1b"in a.u&&(b.c1a=function(){return Asa(a)}); -if(a.videoData&&a.videoData.rh){for(var c=[a.videoData.rh],d=g.q(Object.keys(b)),e=d.next();!e.done;e=d.next())e=e.value,a.u[e]&&b[e]&&(e=b[e](a.u))&&c.push(e);return new Promise(function(f,h){Promise.all(c).then(function(l){f(l.filter(function(m){return!!m}).join("&"))},h)})}return Promise.resolve(null)}; -oT=function(a){return a.C?Ps.Yd():(a=g.Ja("yt.abuse.player.botguardInitialized"))&&a()}; -Asa=function(a){if(!oT(a))return ZE("bg_e","player_att"),Promise.resolve("r1c=1");var b="";a.videoData&&a.videoData.rh&&(b=a.videoData.rh+("&r1b="+a.videoData.clientPlaybackNonce));var c={},d=(c.atr_challenge=b,c),e=a.C?xsa:g.Ja("yt.abuse.player.invokeBotguardAsync");return new Promise(function(f){ZE("bg_v","player_att");e(d).then(function(h){h?(ZE("bg_s","player_att"),f("r1a="+h)):(ZE("bg_e","player_att"),f("r1c=2"))},function(){ZE("bg_e","player_att"); -f("r1c=3")})})}; -Csa=function(a,b,c){"string"===typeof a&&(a={mediaContentUrl:a,startSeconds:b,suggestedQuality:c});a:{if((b=a.mediaContentUrl)&&(b=/\/([ve]|embed)\/([^#?]+)/.exec(b))&&b[2]){b=b[2];break a}b=null}a.videoId=b;return pT(a)}; -pT=function(a,b,c){if("string"===typeof a)return{videoId:a,startSeconds:b,suggestedQuality:c};b=["endSeconds","startSeconds","mediaContentUrl","suggestedQuality","videoId"];c={};for(var d=0;dd&&(d=-(d+1));g.Ie(a,b,d);b.setAttribute("data-layer",String(c))}; -g.XT=function(a){var b=a.T();if(!b.Zb)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=!c.isLiveDefaultBroadcast||g.Q(b.experiments,"allow_poltergust_autoplay");d=c.isLivePlayback&&(!g.Q(b.experiments,"allow_live_autoplay")||!d);var e=c.isLivePlayback&&g.Q(b.experiments,"allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.hasNext();var f=c.watchNextResponse&&c.watchNextResponse.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay); -f=c.qc&&f;return!c.ypcPreview&&(!d||e)&&!g.jb(c.Of,"ypc")&&!a&&(!g.hD(b)||f)}; -g.ZT=function(a,b,c,d,e){a.T().ia&&dta(a.app.ia,b,c,d,void 0===e?!1:e)}; -g.MN=function(a,b,c,d){a.T().ia&&eta(a.app.ia,b,c,void 0===d?!1:d)}; -g.NN=function(a,b,c){a.T().ia&&(a.app.ia.elements.has(b),c&&(b.visualElement=g.Lt(c)))}; -g.$T=function(a,b,c){a.T().ia&&a.app.ia.click(b,c)}; -g.QN=function(a,b,c,d){if(a.T().ia){a=a.app.ia;a.elements.has(b);c?a.u.add(b):a.u["delete"](b);var e=g.Rt(),f=b.visualElement;a.B.has(b)?e&&f&&(c?g.eu(e,[f]):g.fu(e,[f])):c&&!a.C.has(b)&&(e&&f&&g.Yt(e,f,d),a.C.add(b))}}; -g.PN=function(a,b){return a.T().ia?a.app.ia.elements.has(b):!1}; -g.yN=function(a,b){if(a.app.getPresentingPlayerType()===b){var c=a.app,d=g.Z(c,b);d&&(c.ea("release presenting player, type "+d.getPlayerType()+", vid "+d.getVideoData().videoId),d!==c.B?aU(c,c.B):fta(c))}}; -zra=function(a,b,c){c=void 0===c?Infinity:c;a=a.app;b=void 0===b?-1:b;b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.I?bU(a.I,b,c):cU(a.te,b,c)}; -gta=function(a){if(!a.ba("html5_inline_video_quality_survey"))return!1;var b=g.Z(a.app);if(!b)return!1;var c=b.getVideoData();if(!c.Oa||!c.Oa.video||1080>c.Oa.video.Fc||c.OD)return!1;var d=/^qsa/.test(c.clientPlaybackNonce),e="r";0<=c.Oa.id.indexOf(";")&&(d=/^[a-p]/.test(c.clientPlaybackNonce),e="x");a.ba("html5_inline_video_quality_survey_always")&&(d=!0,e="a");return d?(b.Na("iqss",e,!0),!0):!1}; -dU=function(a,b){this.W=a;this.timerName="";this.B=!1;this.u=b||null;this.B=!1}; -hta=function(a){a=a.timerName;OE("yt_sts","p",a);PE("_start",void 0,a)}; -$sa=function(a,b,c){var d=g.nD(b.Sa)&&b.Sa.Sl&&mJ(b);if(b.Sa.Ql&&(jD(b.Sa)||RD(b.Sa)||d)&&!a.B){a.B=!0;g.L("TIMING_ACTION")||so("TIMING_ACTION",a.W.csiPageType);a.W.csiServiceName&&so("CSI_SERVICE_NAME",a.W.csiServiceName);if(a.u){b=a.u.B;d=g.q(Object.keys(b));for(var e=d.next();!e.done;e=d.next())e=e.value,PE(e,b[e],a.timerName);b=a.u.u;d=g.q(Object.keys(b));for(e=d.next();!e.done;e=d.next())e=e.value,OE(e,b[e],a.timerName);b=a.u;b.B={};b.u={}}OE("yt_pvis",Oha(),a.timerName);OE("yt_pt","html5",a.timerName); -c&&!WE("pbs",a.timerName)&&a.tick("pbs",c);c=a.W;!RD(c)&&!jD(c)&&WE("_start",a.timerName)&&$E(a.timerName)}}; -g.eU=function(a,b){this.type=a||"";this.id=b||""}; -g.fU=function(a,b){g.O.call(this);this.Sa=a;this.startSeconds=0;this.shuffle=!1;this.index=0;this.title="";this.length=0;this.items=[];this.Pd=this.loaded=!1;this.Ad=this.Ix=this.Cr=null;this.dislikes=this.likes=this.views=0;this.order=[];this.author="";this.li={};this.xu=0;var c=b.session_data;c&&(this.Ad=Vp(c));this.AJ=0!==b.fetch;this.index=Math.max(0,Number(b.index)||0);this.loop=!!b.loop;this.startSeconds=Number(b.startSeconds)||0;this.JN="1"===b.mob;this.title=b.playlist_title||"";this.description= -b.playlist_description||"";this.author=b.author||b.playlist_author||"";b.video_id&&(this.items[this.index]=b);if(c=b.api)"string"===typeof c&&16===c.length?b.list="PL"+c:b.playlist=c;if(c=b.list)switch(b.listType){case "user_uploads":this.Pd||(this.listId=new g.eU("UU","PLAYER_"+c),this.loadPlaylist("/list_ajax?style=json&action_get_user_uploads_by_user=1",{username:c}));break;case "search":ita(this,c);break;default:var d=b.playlist_length;d&&(this.length=Number(d)||0);this.listId=new g.eU(c.substr(0, -2),c.substr(2));(c=b.video)?(this.items=c.slice(0),this.loaded=!0):jta(this)}else if(b.playlist){c=b.playlist.toString().split(",");0=a.length?0:b}; -lta=function(a){var b=a.index-1;return 0>b?a.length-1:b}; -hU=function(a,b){a.index=g.ce(b,0,a.length-1);a.startSeconds=0}; -ita=function(a,b){if(!a.Pd){a.listId=new g.eU("SR",b);var c={search_query:b};a.JN&&(c.mob="1");a.loadPlaylist("/search_ajax?style=json&embeddable=1",c)}}; -jta=function(a){if(!a.Pd){var b=b||a.listId;b={list:b};var c=a.Ma();c&&c.videoId&&(b.v=c.videoId);a.loadPlaylist("/list_ajax?style=json&action_get_list=1",b)}}; -iU=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=a.Ma();a.items=[];for(var d=g.q(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(d=b.index)?a.index=d:a.findIndex(c);a.setShuffle(!1);a.Pd=!1;a.loaded=!0;a.xu++;a.Cr&&a.Cr()}}; -jU=function(a){var b=g.ZF(),c=a.Ug;c&&(b.clickTracking={clickTrackingParams:c});var d=b.client||{},e="EMBED",f=kJ(a);c=a.T();"leanback"===f?e="WATCH":c.ba("gvi_channel_client_screen")&&"profilepage"===f?e="CHANNEL":a.Zi?e="LIVE_MONITOR":"detailpage"===f?e="WATCH_FULL_SCREEN":"adunit"===f?e="ADUNIT":"sponsorshipsoffer"===f&&(e="UNKNOWN");d.clientScreen=e;if(c.Ja){f=c.Ja.split(",");e=[];f=g.q(f);for(var h=f.next();!h.done;h=f.next())e.push(Number(h.value));d.experimentIds=e}if(e=c.getPlayerType())d.playerType= -e;if(e=c.deviceParams.ctheme)d.theme=e;a.ws&&(d.unpluggedAppInfo={enableFilterMode:!0});if(e=a.ue)d.unpluggedLocationInfo=e;b.client=d;d=b.request||{};if(e=a.mdxEnvironment)d.mdxEnvironment=e;if(e=a.mdxControlMode)d.mdxControlMode=mta[e];b.request=d;d=b.user||{};if(e=a.lg)d.credentialTransferTokens=[{token:e,scope:"VIDEO"}];if(e=a.Ph)d.delegatePurchases={oauthToken:e},d.kidsParent={oauthToken:e};b.user=d;if(d=a.contextParams)b.activePlayers=[{playerContextParams:d}];if(a=a.clientScreenNonce)b.clientScreenNonce= -a;if(a=c.Qa)b.thirdParty={embedUrl:a};return b}; -kU=function(a,b,c){var d=a.videoId,e=jU(a),f=a.T(),h={html5Preference:"HTML5_PREF_WANTS",lactMilliseconds:String(Bp()),referer:document.location.toString(),signatureTimestamp:18610};g.ht.getInstance();a.Kh&&(h.autonav=!0);g.jt(0,141)&&(h.autonavState=g.jt(0,140)?"STATE_OFF":"STATE_ON");h.autoCaptionsDefaultOn=g.jt(0,66);nJ(a)&&(h.autoplay=!0);f.C&&a.cycToken&&(h.cycToken=a.cycToken);a.Ly&&(h.fling=!0);var l=a.Yn;if(l){var m={},n=l.split("|");3===n.length?(m.breakType=nta[n[0]],m.offset={kind:"OFFSET_MILLISECONDS", -value:String(Number(n[1])||0)},m.url=n[2]):m.url=l;h.forceAdParameters={videoAds:[m]}}a.isLivingRoomDeeplink&&(h.isLivingRoomDeeplink=!0);l=a.Cu;if(null!=l){l={startWalltime:String(l)};if(m=a.vo)l.manifestDuration=String(m||14400);h.liveContext=l}a.mutedAutoplay&&(h.mutedAutoplay=!0);a.Uj&&(h.splay=!0);l=a.vnd;5===l&&(h.vnd=l);if((l=a.isMdxPlayback)||g.Q(f.experiments,"send_mdx_remote_data_if_present")){l={triggeredByMdx:l};if(n=a.nf)m=n.startsWith("!"),n=n.split("-"),3===n.length?(m&&(n[0]=n[0].substr(1)), -m={clientName:ota[n[0]]||"UNKNOWN_INTERFACE",platform:pta[n[1]]||"UNKNOWN_PLATFORM",applicationState:m?"INACTIVE":"ACTIVE",clientVersion:n[2]||""},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]):(m={clientName:"UNKNOWN_INTERFACE"},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]);if(m=a.Cj)l.skippableAdsSupported=m.split(",").includes("ska");h.mdxContext=l}l=b.width; -0Math.random()){var B=new g.tr("Unable to load player module",b+".js from "+d+" on "+(document.location&&document.location.origin)+".");g.Hs(B)}gm(p);t&&t(x)}; -var w=h,y=w.onreadystatechange;w.onreadystatechange=function(x){switch(w.readyState){case "loaded":case "complete":gm(n)}y&&y(x)}; -f&&((e=a.J.T().cspNonce)&&h.setAttribute("nonce",e),g.kd(h,g.sg(d)),e=document.getElementsByTagName("HEAD")[0]||document.body,e.insertBefore(h,e.firstChild),g.eg(a,function(){h.parentNode&&h.parentNode.removeChild(h);g.qU[b]=null;"annotations_module"===b&&(g.qU.creatorendscreen=null)}))}}; -xU=function(a,b,c,d){g.O.call(this);var e=this;this.target=a;this.aa=b;this.B=0;this.I=!1;this.D=new g.ge(NaN,NaN);this.u=new g.tR(this);this.ha=this.C=this.K=null;g.D(this,this.u);b=d?4E3:3E3;this.P=new g.F(function(){wU(e,1,!1)},b,this); -g.D(this,this.P);this.X=new g.F(function(){wU(e,2,!1)},b,this); -g.D(this,this.X);this.Y=new g.F(function(){wU(e,512,!1)},b,this); -g.D(this,this.Y);this.fa=c&&01+b&&a.api.toggleFullscreen()}; -Nta=function(){var a=er()&&67<=br();return!dr("tizen")&&!fD&&!a&&!0}; -WU=function(a){g.V.call(this,{G:"button",la:["ytp-button","ytp-back-button"],S:[{G:"div",L:"ytp-arrow-back-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},S:[{G:"path",U:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",wb:!0,U:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.J=a;g.JN(this,a.T().showBackButton);this.wa("click",this.onClick)}; -g.XU=function(a){g.V.call(this,{G:"div",S:[{G:"div",L:"ytp-bezel-text-wrapper",S:[{G:"div",L:"ytp-bezel-text",Z:"{{title}}"}]},{G:"div",L:"ytp-bezel",U:{role:"status","aria-label":"{{label}}"},S:[{G:"div",L:"ytp-bezel-icon",Z:"{{icon}}"}]}]});this.J=a;this.B=new g.F(this.show,10,this);this.u=new g.F(this.hide,500,this);g.D(this,this.B);g.D(this,this.u);this.hide()}; -ZU=function(a,b,c){if(0>=b){c=dO();b="muted";var d=0}else c=c?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", -fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";YU(a,c,b,d+"%")}; -Sta=function(a,b){var c=b?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]},d=a.J.getPlaybackRate(),e=g.tL("Speed is $RATE",{RATE:String(d)});YU(a,c,e,d+"x")}; -YU=function(a,b,c,d){d=void 0===d?"":d;a.ya("label",void 0===c?"":c);a.ya("icon",b);a.u.rg();a.B.start();a.ya("title",d);g.J(a.element,"ytp-bezel-text-hide",!d)}; -$U=function(a,b,c){g.V.call(this,{G:"div",L:"ytp-cards-teaser",S:[{G:"div",L:"ytp-cards-teaser-box"},{G:"div",L:"ytp-cards-teaser-text",S:[{G:"span",L:"ytp-cards-teaser-label",Z:"{{text}}"}]}]});var d=this;this.J=a;this.X=b;this.Di=c;this.D=new g.mO(this,250,!1,250);this.u=null;this.K=new g.F(this.wP,300,this);this.I=new g.F(this.vP,2E3,this);this.F=[];this.B=null;this.P=new g.F(function(){d.element.style.margin="0"},250); -this.C=null;g.D(this,this.D);g.D(this,this.K);g.D(this,this.I);g.D(this,this.P);this.N(c.element,"mouseover",this.VE);this.N(c.element,"mouseout",this.UE);this.N(a,"cardsteasershow",this.LQ);this.N(a,"cardsteaserhide",this.nb);this.N(a,"cardstatechange",this.fI);this.N(a,"presentingplayerstatechange",this.fI);this.N(a,"appresize",this.ZA);this.N(a,"onShowControls",this.ZA);this.N(a,"onHideControls",this.GJ);this.wa("click",this.kS);this.wa("mouseenter",this.IM)}; -bV=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-button","ytp-cards-button"],U:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"span",L:"ytp-cards-button-icon-default",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, -{G:"div",L:"ytp-cards-button-title",Z:"Info"}]},{G:"span",L:"ytp-cards-button-icon-shopping",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",L:"ytp-svg-shadow",U:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",L:"ytp-svg-fill",U:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", -"fill-opacity":"1"}},{G:"path",L:"ytp-svg-shadow-fill",U:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", -L:"ytp-cards-button-title",Z:"Shopping"}]}]});this.J=a;this.D=b;this.C=c;this.u=null;this.B=new g.mO(this,250,!0,100);g.D(this,this.B);g.J(this.C,"ytp-show-cards-title",g.hD(a.T()));this.hide();this.wa("click",this.onClicked);this.wa("mouseover",this.YO);aV(this,!0)}; -aV=function(a,b){b?a.u=g.cV(a.D.Rb(),a.element):(a.u=a.u,a.u(),a.u=null)}; -Uta=function(a,b,c,d){var e=window.location.search;if(38===b.bh&&"books"===a.playerStyle)return e=b.videoId.indexOf(":"),g.Md("//play.google.com/books/volumes/"+b.videoId.slice(0,e)+"/content/media",{aid:b.videoId.slice(e+1),sig:b.ON});if(30===b.bh&&"docs"===a.playerStyle)return g.Md("https://docs.google.com/get_video_info",{docid:b.videoId,authuser:b.ye,authkey:b.authKey,eurl:a.Qa});if(33===b.bh&&"google-live"===a.playerStyle)return g.Md("//google-liveplayer.appspot.com/get_video_info",{key:b.videoId}); -"yt"!==a.Y&&g.Hs(Error("getVideoInfoUrl for invalid namespace: "+a.Y));var f={html5:"1",video_id:b.videoId,cpn:b.clientPlaybackNonce,eurl:a.Qa,ps:a.playerStyle,el:kJ(b),hl:a.Lg,list:b.playlistId,agcid:b.RB,aqi:b.adQueryId,sts:18610,lact:Bp()};g.Ua(f,a.deviceParams);a.Ja&&(f.forced_experiments=a.Ja);b.lg?(f.vvt=b.lg,b.mdxEnvironment&&(f.mdx_environment=b.mdxEnvironment)):b.uf()&&(f.access_token=b.uf());b.adFormat&&(f.adformat=b.adFormat);0<=b.slotPosition&&(f.slot_pos=b.slotPosition);b.breakType&& -(f.break_type=b.breakType);null!==b.Sw&&(f.ad_id=b.Sw);null!==b.Yw&&(f.ad_sys=b.Yw);null!==b.Gx&&(f.encoded_ad_playback_context=b.Gx);b.GA&&(f.tpra="1");a.captionsLanguagePreference&&(f.cc_lang_pref=a.captionsLanguagePreference);a.zj&&2!==a.zj&&(f.cc_load_policy=a.zj);var h=g.jt(g.ht.getInstance(),65);g.ND(a)&&null!=h&&!h&&(f.device_captions_on="1");a.mute&&(f.mute=a.mute);b.annotationsLoadPolicy&&2!==a.annotationsLoadPolicy&&(f.iv_load_policy=b.annotationsLoadPolicy);b.xt&&(f.endscreen_ad_tracking= -b.xt);(h=a.K.get(b.videoId))&&h.ts&&(f.ic_track=h.ts);b.Ug&&(f.itct=b.Ug);nJ(b)&&(f.autoplay="1");b.mutedAutoplay&&(f.mutedautoplay=b.mutedAutoplay);b.Kh&&(f.autonav="1");b.Oy&&(f.noiba="1");g.Q(a.experiments,"send_mdx_remote_data_if_present")?(b.isMdxPlayback&&(f.mdx="1"),b.nf&&(f.ytr=b.nf)):b.isMdxPlayback&&(f.mdx="1",f.ytr=b.nf);b.mdxControlMode&&(f.mdx_control_mode=b.mdxControlMode);b.Cj&&(f.ytrcc=b.Cj);b.Wy&&(f.utpsa="1");b.Ly&&(f.is_fling="1");b.My&&(f.mute="1");b.vnd&&(f.vnd=b.vnd);b.Yn&&(h= -3===b.Yn.split("|").length,f.force_ad_params=h?b.Yn:"||"+b.Yn);b.an&&(f.preload=b.an);c.width&&(f.width=c.width);c.height&&(f.height=c.height);b.Uj&&(f.splay="1");b.ypcPreview&&(f.ypc_preview="1");lJ(b)&&(f.content_v=lJ(b));b.Zi&&(f.livemonitor=1);a.ye&&(f.authuser=a.ye);a.pageId&&(f.pageid=a.pageId);a.kc&&(f.ei=a.kc);a.B&&(f.iframe="1");b.contentCheckOk&&(f.cco="1");b.racyCheckOk&&(f.rco="1");a.C&&b.Cu&&(f.live_start_walltime=b.Cu);a.C&&b.vo&&(f.live_manifest_duration=b.vo);a.C&&b.playerParams&& -(f.player_params=b.playerParams);a.C&&b.cycToken&&(f.cyc=b.cycToken);a.C&&b.JA&&(f.tkn=b.JA);0!==d&&(f.vis=d);a.enableSafetyMode&&(f.enable_safety_mode="1");b.Ph&&(f.kpt=b.Ph);b.vu&&(f.kids_age_up_mode=b.vu);b.kidsAppInfo&&(f.kids_app_info=b.kidsAppInfo);b.ws&&(f.upg_content_filter_mode="1");a.widgetReferrer&&(f.widget_referrer=a.widgetReferrer.substring(0,128));b.ue?(h=null!=b.ue.latitudeE7&&null!=b.ue.longitudeE7?b.ue.latitudeE7+","+b.ue.longitudeE7:",",h+=","+(b.ue.clientPermissionState||0)+","+ -(b.ue.locationRadiusMeters||"")+","+(b.ue.locationOverrideToken||"")):h=null;h&&(f.uloc=h);b.Iq&&(f.internalipoverride=b.Iq);a.embedConfig&&(f.embed_config=a.embedConfig);a.Dn&&(f.co_rel="1");0b);e=d.next())c++;return 0===c?c:c-1}; -mua=function(a,b){var c=IV(a,b)+1;return cd;e={yk:e.yk},f++){e.yk=c[f];a:switch(e.yk.img||e.yk.iconId){case "facebook":var h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", -fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", -fill:"#01abf0"}}]};break a;default:h=null}h&&(h=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],U:{href:e.yk.url,target:"_blank",title:e.yk.sname||e.yk.serviceName},S:[h]}),h.wa("click",function(m){return function(n){if(g.cP(n)){var p=m.yk.url;var r=void 0===r?{}:r;r.target=r.target||"YouTube";r.width=r.width||"600";r.height=r.height||"600";r||(r={});var t=window;var w=p instanceof g.Ec?p:g.Jc("undefined"!=typeof p.href?p.href:String(p));p=r.target||p.target;var y=[];for(x in r)switch(x){case "width":case "height":case "top":case "left":y.push(x+ -"="+r[x]);break;case "target":case "noopener":case "noreferrer":break;default:y.push(x+"="+(r[x]?1:0))}var x=y.join(",");Vd()&&t.navigator&&t.navigator.standalone&&p&&"_self"!=p?(x=g.Fe("A"),g.jd(x,w),x.setAttribute("target",p),r.noreferrer&&x.setAttribute("rel","noreferrer"),r=document.createEvent("MouseEvent"),r.initMouseEvent("click",!0,!0,t,1),x.dispatchEvent(r),t={}):r.noreferrer?(t=ld("",t,p,x),r=g.Fc(w),t&&(g.OD&&-1!=r.indexOf(";")&&(r="'"+r.replace(/'/g,"%27")+"'"),t.opener=null,r=g.fd(g.gc("b/12014412, meta tag with sanitized URL"), -''),(w=t.document)&&w.write&&(w.write(g.bd(r)),w.close()))):(t=ld(w,t,p,x))&&r.noopener&&(t.opener=null);if(r=t)r.opener||(r.opener=window),r.focus();g.ip(n)}}}(e)),g.eg(h,g.cV(a.tooltip,h.element)),a.B.push(h),d++)}var l=b.more||b.moreLink; -c=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],S:[{G:"span",L:"ytp-share-panel-service-button-more",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", -fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],U:{href:l,target:"_blank",title:"More"}});c.wa("click",function(m){g.BU(l,a.api,m)&&a.api.xa("SHARE_CLICKED")}); -g.eg(c,g.cV(a.tooltip,c.element));a.B.push(c);a.ya("buttons",a.B)}; -wua=function(a){g.sn(a.element,"ytp-share-panel-loading");g.I(a.element,"ytp-share-panel-fail")}; -vua=function(a){for(var b=g.q(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.fg(c);a.B=[]}; -ZV=function(a,b){g.V.call(this,{G:"div",L:"ytp-suggested-action"});var c=this;this.J=a;this.Ta=b;this.za=this.I=this.u=this.C=this.B=this.F=this.expanded=this.enabled=this.dismissed=!1;this.Qa=!0;this.ha=new g.F(function(){c.badge.element.style.width=""},200,this); -this.ma=new g.F(function(){XV(c);YV(c)},200,this); -this.dismissButton=new g.V({G:"button",la:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.D(this,this.dismissButton);this.D=new g.V({G:"div",L:"ytp-suggested-action-badge-expanded-content-container",S:[{G:"label",L:"ytp-suggested-action-badge-title",Z:"{{badgeLabel}}"},this.dismissButton]});g.D(this,this.D);this.badge=new g.V({G:"button",la:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],S:[{G:"div",L:"ytp-suggested-action-badge-icon"},this.D]}); -g.D(this,this.badge);this.badge.ga(this.element);this.P=new g.mO(this.badge,250,!1,100);g.D(this,this.P);this.Y=new g.mO(this.D,250,!1,100);g.D(this,this.Y);this.ia=new g.gn(this.ZR,null,this);g.D(this,this.ia);this.X=new g.gn(this.ZJ,null,this);g.D(this,this.X);g.D(this,this.ha);g.D(this,this.ma);g.MN(this.J,this.badge.element,this.badge,!0);g.MN(this.J,this.dismissButton.element,this.dismissButton,!0);this.N(this.J,"onHideControls",function(){c.u=!1;YV(c);XV(c);c.ri()}); -this.N(this.J,"onShowControls",function(){c.u=!0;YV(c);XV(c);c.ri()}); -this.N(this.badge.element,"click",this.DF);this.N(this.dismissButton.element,"click",this.EF);this.N(this.J,"pageTransition",this.TM);this.N(this.J,"appresize",this.ri);this.N(this.J,"fullscreentoggled",this.ri);this.N(this.J,"cardstatechange",this.vO);this.N(this.J,"annotationvisibility",this.zS,this)}; -XV=function(a){g.J(a.badge.element,"ytp-suggested-action-badge-with-controls",a.u||!a.F)}; -YV=function(a,b){var c=a.I||a.u||!a.F;a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.ia.stop(),a.X.stop(),a.ha.stop(),a.ia.start()):(g.JN(a.D,a.expanded),g.J(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),xua(a))}; -xua=function(a){a.B&&g.QN(a.J,a.badge.element,a.cw());a.C&&g.QN(a.J,a.dismissButton.element,a.cw()&&(a.I||a.u||!a.F))}; -yua=function(a,b){b?a.C&&g.$T(a.J,a.dismissButton.element):a.B&&g.$T(a.J,a.badge.element)}; -$V=function(a,b){ZV.call(this,a,b);var c=this;this.K=this.aa=this.fa=!1;this.N(this.J,g.hF("shopping_overlay_visible"),function(){c.ff(!0)}); -this.N(this.J,g.iF("shopping_overlay_visible"),function(){c.ff(!1)}); -this.N(this.J,g.hF("shopping_overlay_expanded"),function(){c.I=!0;YV(c)}); -this.N(this.J,g.iF("shopping_overlay_expanded"),function(){c.I=!1;YV(c)}); -this.N(this.J,"changeProductsInVideoVisibility",this.QP);this.N(this.J,"videodatachange",this.Ra);this.N(this.J,"paidcontentoverlayvisibilitychange",this.HP)}; -zua=function(a,b){b=void 0===b?0:b;var c=[],d=a.timing.visible,e=a.timing.expanded;d&&c.push(new g.eF(1E3*(d.startSec+b),1E3*(d.endSec+b),{priority:7,namespace:"shopping_overlay_visible"}));e&&c.push(new g.eF(1E3*(e.startSec+b),1E3*(e.endSec+b),{priority:7,namespace:"shopping_overlay_expanded"}));g.zN(a.J,c)}; -aW=function(a){g.WT(a.J,"shopping_overlay_visible");g.WT(a.J,"shopping_overlay_expanded")}; -bW=function(a){g.OU.call(this,a,{G:"button",la:["ytp-skip-intro-button","ytp-popup","ytp-button"],S:[{G:"div",L:"ytp-skip-intro-button-text",Z:"Skip Intro"}]},100);var b=this;this.C=!1;this.B=new g.F(function(){b.hide()},5E3); -this.al=this.Em=NaN;g.D(this,this.B);this.I=function(){b.show()}; -this.F=function(){b.hide()}; -this.D=function(){var c=b.J.getCurrentTime();c>b.Em/1E3&&ca}; +wJa=function(a,b){uJa(a.program,b.A8)&&(fF("bg_i",void 0,"player_att"),g.fS.initialize(a,function(){var c=a.serverEnvironment;fF("bg_l",void 0,"player_att");sJa=(0,g.M)();for(var d=0;dr.length)){q={applicationState:q?"INACTIVE":"ACTIVE",clientFormFactor:JJa[r[1]]||"UNKNOWN_FORM_FACTOR",clientName:KJa[r[0]]||"UNKNOWN_INTERFACE",clientVersion:r[2]|| +"",platform:LJa[r[1]]||"UNKNOWN_PLATFORM"};r=void 0;if(n){v=void 0;try{v=JSON.parse(n)}catch(B){g.DD(B)}v&&(r={params:[{key:"ms",value:v.ms}]},q.osName=v.os_name,q.userAgent=v.user_agent,q.windowHeightPoints=v.window_height_points,q.windowWidthPoints=v.window_width_points)}l.push({adSignalsInfo:r,remoteClient:q})}m.remoteContexts=l}n=a.sourceContainerPlaylistId;l=a.serializedMdxMetadata;if(n||l)p={},n&&(p.mdxPlaybackContainerInfo={sourceContainerPlaylistId:n}),l&&(p.serializedMdxMetadata=l),m.mdxPlaybackSourceContext= +p;h.mdxContext=m;m=b.width;0d&&(d=-(d+1));g.wf(a,b,d);b.setAttribute("data-layer",String(c))}; +g.OS=function(a){var b=a.V();if(!b.Od)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=(!c.isLiveDefaultBroadcast||b.K("allow_poltergust_autoplay"))&&!aN(c);d=c.isLivePlayback&&(!b.K("allow_live_autoplay")||!d);var e=c.isLivePlayback&&b.K("allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.Ck();var f=c.jd&&c.jd.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay);f=c.D&&f;return!c.ypcPreview&&(!d||e)&&!g.rb(c.Ja,"ypc")&& +!a&&(!g.fK(b)||f)}; +pKa=function(a){a=g.qS(a.app);if(!a)return!1;var b=a.getVideoData();if(!b.u||!b.u.video||1080>b.u.video.j||b.jT)return!1;var c=/^qsa/.test(b.clientPlaybackNonce),d="r";0<=b.u.id.indexOf(";")&&(c=/^[a-p]/.test(b.clientPlaybackNonce),d="x");return c?(a.xa("iqss",{trigger:d},!0),!0):!1}; +g.PS=function(a,b,c,d){d=void 0===d?!1:d;g.dQ.call(this,b);var e=this;this.F=a;this.Ga=d;this.J=new g.bI(this);this.Z=new g.QQ(this,c,!0,void 0,void 0,function(){e.BT()}); +g.E(this,this.J);g.E(this,this.Z)}; +qKa=function(a){a.u&&(document.activeElement&&g.zf(a.element,document.activeElement)&&(Bf(a.u),a.u.focus()),a.u.setAttribute("aria-expanded","false"),a.u=void 0);g.Lz(a.J);a.T=void 0}; +QS=function(a,b,c){a.ej()?a.Fb():a.od(b,c)}; +rKa=function(a,b,c,d){d=new g.U({G:"div",Ia:["ytp-linked-account-popup-button"],ra:d,X:{role:"button",tabindex:"0"}});b=new g.U({G:"div",N:"ytp-linked-account-popup",X:{role:"dialog","aria-modal":"true",tabindex:"-1"},W:[{G:"div",N:"ytp-linked-account-popup-title",ra:b},{G:"div",N:"ytp-linked-account-popup-description",ra:c},{G:"div",N:"ytp-linked-account-popup-buttons",W:[d]}]});g.PS.call(this,a,{G:"div",N:"ytp-linked-account-popup-container",W:[b]},100);var e=this;this.dialog=b;g.E(this,this.dialog); +d.Ra("click",function(){e.Fb()}); +g.E(this,d);g.NS(this.F,this.element,4);this.hide()}; +g.SS=function(a,b,c,d){g.dQ.call(this,a);this.priority=b;c&&g.RS(this,c);d&&this.ge(d)}; +g.TS=function(a,b,c){a=void 0===a?{}:a;b=void 0===b?[]:b;c=void 0===c?!1:c;b.push("ytp-menuitem");"role"in a||(a.role="menuitem");c||"tabindex"in a||(a.tabindex="0");return{G:c?"a":"div",Ia:b,X:a,W:[{G:"div",N:"ytp-menuitem-icon",ra:"{{icon}}"},{G:"div",N:"ytp-menuitem-label",ra:"{{label}}"},{G:"div",N:"ytp-menuitem-content",ra:"{{content}}"}]}}; +US=function(a,b){a.updateValue("icon",b)}; +g.RS=function(a,b){a.updateValue("label",b)}; +VS=function(a){g.SS.call(this,g.TS({"aria-haspopup":"true"},["ytp-linked-account-menuitem"]),2);var b=this;this.F=a;this.u=this.j=!1;this.Eb=a.Nm();a.Zf(this.element,this,!0);this.S(this.F,"settingsMenuVisibilityChanged",function(c){b.Zb(c)}); +this.S(this.F,"videodatachange",this.C);this.Ra("click",this.onClick);this.C()}; +WS=function(a){return a?g.gE(a):""}; +XS=function(a){g.C.call(this);this.api=a}; +YS=function(a){XS.call(this,a);var b=this;mS(a,"setAccountLinkState",function(c){b.setAccountLinkState(c)}); +mS(a,"updateAccountLinkingConfig",function(c){b.updateAccountLinkingConfig(c)}); +a.addEventListener("videodatachange",function(c,d){b.onVideoDataChange(d)}); +a.addEventListener("settingsMenuInitialized",function(){b.menuItem=new VS(b.api);g.E(b,b.menuItem)})}; +sKa=function(a){XS.call(this,a);this.events=new g.bI(a);g.E(this,this.events);a.K("fetch_bid_for_dclk_status")&&this.events.S(a,"videoready",function(b){var c,d={contentCpn:(null==(c=a.getVideoData(1))?void 0:c.clientPlaybackNonce)||""};2===a.getPresentingPlayerType()&&(d.adCpn=b.clientPlaybackNonce);g.gA(g.iA(),function(){rsa("vr",d)})}); +a.K("report_pml_debug_signal")&&this.events.S(a,"videoready",function(b){if(1===a.getPresentingPlayerType()){var c,d,e={playerDebugData:{pmlSignal:!!(null==(c=b.getPlayerResponse())?0:null==(d=c.adPlacements)?0:d.some(function(f){var h;return null==f?void 0:null==(h=f.adPlacementRenderer)?void 0:h.renderer})), +contentCpn:b.clientPlaybackNonce}};g.rA("adsClientStateChange",e)}})}; +uKa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-button"],X:{title:"{{title}}","aria-label":"{{label}}","data-priority":"-10","data-tooltip-target-id":"ytp-autonav-toggle-button"},W:[{G:"div",N:"ytp-autonav-toggle-button-container",W:[{G:"div",N:"ytp-autonav-toggle-button",X:{"aria-checked":"true"}}]}]});this.F=a;this.u=[];this.j=!1;this.isChecked=!0;a.sb(this.element,this,113681);this.S(a,"presentingplayerstatechange",this.SA);this.Ra("click",this.onClick);this.F.V().K("web_player_autonav_toggle_always_listen")&& +tKa(this);this.tooltip=b.Ic();g.bb(this,g.ZS(b.Ic(),this.element));this.SA()}; +tKa=function(a){a.u.push(a.S(a.F,"videodatachange",a.SA));a.u.push(a.S(a.F,"videoplayerreset",a.SA));a.u.push(a.S(a.F,"onPlaylistUpdate",a.SA));a.u.push(a.S(a.F,"autonavchange",a.yR))}; +vKa=function(a){a.isChecked=a.isChecked;a.Da("ytp-autonav-toggle-button").setAttribute("aria-checked",String(a.isChecked));var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.updateValue("title",b);a.updateValue("label",b);$S(a.tooltip)}; +wKa=function(a){return a.F.V().K("web_player_autonav_use_server_provided_state")&&kM(a.Hd())}; +xKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);var c=a.V();c.Od&&c.K("web_player_move_autonav_toggle")&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a),e=new uKa(a,d);g.E(b,e);d.aB(e)})}; +yKa=function(){g.Wz();return g.Xz(0,192)?g.Xz(0,190):!g.gy("web_watch_cinematics_disabled_by_default")}; +aT=function(a,b){g.SS.call(this,g.TS({role:"menuitemcheckbox","aria-checked":"false"}),b,a,{G:"div",N:"ytp-menuitem-toggle-checkbox"});this.checked=!1;this.Ra("click",this.onClick)}; +bT=function(a,b){a.checked=b;a.element.setAttribute("aria-checked",String(a.checked))}; +cT=function(a){var b=a.K("web_player_use_cinematic_label_2")?"Ambient mode":"Cinematic lighting";aT.call(this,b,13);var c=this;this.F=a;this.j=!1;this.u=new g.Ip(function(){g.Sp(c.element,"ytp-menuitem-highlighted")},0); +this.Eb=a.Nm();US(this,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M21 7v10H3V7h18m1-1H2v12h20V6zM11.5 2v3h1V2h-1zm1 17h-1v3h1v-3zM3.79 3 6 5.21l.71-.71L4.5 2.29 3.79 3zm2.92 16.5L6 18.79 3.79 21l.71.71 2.21-2.21zM19.5 2.29 17.29 4.5l.71.71L20.21 3l-.71-.71zm0 19.42.71-.71L18 18.79l-.71.71 2.21 2.21z",fill:"white"}}]});this.subscribe("select",this.C,this);this.Ra(zKa,this.B);g.E(this,this.u)}; +BKa=function(a){XS.call(this,a);var b=this;this.j=!1;var c;this.K("web_cinematic_watch_settings")&&(null==(c=a.V().webPlayerContextConfig)?0:c.cinematicSettingsAvailable)&&(a.addEventListener("settingsMenuInitialized",function(){AKa(b)}),a.addEventListener("highlightSettingsMenu",function(d){AKa(b); +var e=b.menuItem;"menu_item_cinematic_lighting"===d&&(g.Qp(e.element,"ytp-menuitem-highlighted"),g.Qp(e.element,"ytp-menuitem-highlight-transition-enabled"),e.u.start())}),mS(a,"updateCinematicSettings",function(d){b.updateCinematicSettings(d)}))}; +AKa=function(a){a.menuItem||(a.menuItem=new cT(a.api),g.E(a,a.menuItem),a.menuItem.Pa(a.j))}; +dT=function(a){XS.call(this,a);var b=this;this.j={};this.events=new g.bI(a);g.E(this,this.events);this.K("enable_precise_embargos")&&!g.FK(this.api.V())&&(this.events.S(a,"videodatachange",function(){var c=b.api.getVideoData();b.api.Ff("embargo",1);(null==c?0:c.cueRanges)&&CKa(b,c)}),this.events.S(a,g.ZD("embargo"),function(c){var d; +c=null!=(d=b.j[c.id])?d:[];d=g.t(c);for(c=d.next();!c.done;c=d.next()){var e=c.value;b.api.hideControls();b.api.Ng("heartbeat.stop",2,"This video isn't available in your current playback area");c=void 0;(e=null==(c=e.embargo)?void 0:c.onTrigger)&&b.api.Na("innertubeCommand",e)}}))}; +CKa=function(a,b){if(null!=b&&aN(b)||a.K("enable_discrete_live_precise_embargos")){var c;null==(c=b.cueRanges)||c.filter(function(d){var e;return null==(e=d.onEnter)?void 0:e.some(a.u)}).forEach(function(d){var e,f=Number(null==(e=d.playbackPosition)?void 0:e.utcTimeMillis)/1E3,h; +e=f+Number(null==(h=d.duration)?void 0:h.seconds);h="embargo_"+f;a.api.addUtcCueRange(h,f,e,"embargo",!1);d.onEnter&&(a.j[h]=d.onEnter.filter(a.u))})}}; +DKa=function(a){XS.call(this,a);var b=this;this.j=[];this.events=new g.bI(a);g.E(this,this.events);mS(a,"addEmbedsConversionTrackingParams",function(c){b.api.V().Un&&b.addEmbedsConversionTrackingParams(c)}); +this.events.S(a,"veClickLogged",function(c){b.api.Dk(c)&&(c=Uh(c.visualElement.getAsJspb(),2),b.j.push(c))})}; +EKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);a.K("embeds_web_enable_ve_logging_unification")&&a.V().C&&(this.events.S(a,"initialvideodatacreated",function(c){pP().wk(16623);b.j=g.FE();if(SM(c)){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"});if(c.jd){var d,e=null==(d=c.jd)?void 0:d.trackingParams;e&&pP().eq(e)}if(c.getPlayerResponse()){var f;(c=null==(f=c.getPlayerResponse())?void 0:f.trackingParams)&&pP().eq(c)}}else pP().wk(32594, +void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"}),c.kf&&(f=null==(e=c.kf)?void 0:e.trackingParams)&&pP().eq(f)}),this.events.S(a,"loadvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"cuevideo",function(){pP().wk(32594,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"largeplaybuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistnextbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistprevbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistautonextvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"})}))}; +eT=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullerscreen-edu-button","ytp-button"],W:[{G:"div",Ia:["ytp-fullerscreen-edu-text"],ra:"Scroll for details"},{G:"div",Ia:["ytp-fullerscreen-edu-chevron"],W:[{G:"svg",X:{height:"100%",viewBox:"0 0 24 24",width:"100%"},W:[{G:"path",X:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.Ta=a;this.B=b;this.j=new g.QQ(this,250,void 0,100);this.C=this.u=!1;a.sb(this.element,this,61214);this.B=b;g.E(this,this.j);this.S(a, +"fullscreentoggled",this.Pa);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);this.Pa()}; +fT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);mS(this.api,"updateFullerscreenEduButtonSubtleModeState",function(d){b.updateFullerscreenEduButtonSubtleModeState(d)}); +mS(this.api,"updateFullerscreenEduButtonVisibility",function(d){b.updateFullerscreenEduButtonVisibility(d)}); +var c=a.V();a.K("external_fullscreen_with_edu")&&c.externalFullscreen&&BK(c)&&"1"===c.controlsType&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a);b.j=new eT(a,d);g.E(b,b.j);d.aB(b.j)})}; +FKa=function(a){g.U.call(this,{G:"div",N:"ytp-gated-actions-overlay",W:[{G:"div",N:"ytp-gated-actions-overlay-background",W:[{G:"div",N:"ytp-gated-actions-overlay-background-overlay"}]},{G:"button",Ia:["ytp-gated-actions-overlay-miniplayer-close-button","ytp-button"],X:{"aria-label":"Close"},W:[g.jQ()]},{G:"div",N:"ytp-gated-actions-overlay-bar",W:[{G:"div",N:"ytp-gated-actions-overlay-text-container",W:[{G:"div",N:"ytp-gated-actions-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-gated-actions-overlay-subtitle", +ra:"{{subtitle}}"}]},{G:"div",N:"ytp-gated-actions-overlay-button-container"}]}]});var b=this;this.api=a;this.background=this.Da("ytp-gated-actions-overlay-background");this.u=this.Da("ytp-gated-actions-overlay-button-container");this.j=[];this.S(this.Da("ytp-gated-actions-overlay-miniplayer-close-button"),"click",function(){b.api.Na("onCloseMiniplayer")}); this.hide()}; -cW=function(a,b){g.V.call(this,{G:"button",la:["ytp-airplay-button","ytp-button"],U:{title:"AirPlay"},Z:"{{icon}}"});this.J=a;this.wa("click",this.onClick);this.N(a,"airplayactivechange",this.oa);this.N(a,"airplayavailabilitychange",this.oa);this.oa();g.eg(this,g.cV(b.Rb(),this.element))}; -dW=function(a,b){g.V.call(this,{G:"button",la:["ytp-button"],U:{title:"{{title}}","aria-label":"{{label}}","data-tooltip-target-id":"ytp-autonav-toggle-button"},S:[{G:"div",L:"ytp-autonav-toggle-button-container",S:[{G:"div",L:"ytp-autonav-toggle-button",U:{"aria-checked":"true"}}]}]});this.J=a;this.B=[];this.u=!1;this.isChecked=!0;g.ZT(a,this.element,this,113681);this.N(a,"presentingplayerstatechange",this.er);this.wa("click",this.onClick);this.tooltip=b.Rb();g.eg(this,g.cV(b.Rb(),this.element)); -this.er()}; -Aua=function(a){a.setValue(a.isChecked);var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.ya("title",b);a.ya("label",b);EV(a.tooltip)}; -g.fW=function(a){g.V.call(this,{G:"div",L:"ytp-gradient-bottom"});this.B=g.Fe("CANVAS");this.u=this.B.getContext("2d");this.C=NaN;this.B.width=1;this.D=g.qD(a.T());g.eW(this,g.cG(a).getPlayerSize().height)}; -g.eW=function(a,b){if(a.u){var c=Math.floor(b*(a.D?1:.4));c=Math.max(c,47);var d=c+2;if(a.C!==d){a.C=d;a.B.height=d;a.u.clearRect(0,0,1,d);var e=a.u.createLinearGradient(0,2,0,2+c);if(a.D)e.addColorStop(.133,"rgba(0, 0, 0, 0.2)"),e.addColorStop(.44,"rgba(0, 0, 0, 0.243867)"),e.addColorStop(1,"rgba(0, 0, 0, 0.8)");else{var f=c-42;e.addColorStop(0,"rgba(0, 0, 0, 0)");e.addColorStop(f/c,"rgba(0, 0, 0, 0.3)");e.addColorStop(1,"rgba(0, 0, 0, 0.68)")}a.u.fillStyle=e;a.u.fillRect(0,2,1,c);a.element.style.height= -d+"px";try{a.element.style.backgroundImage="url("+a.B.toDataURL()+")"}catch(h){}}}}; -gW=function(a,b,c,d,e){g.V.call(this,{G:"div",L:"ytp-chapter-container",S:[{G:"button",la:["ytp-chapter-title","ytp-button"],U:{title:"View chapter","aria-label":"View chapter"},S:[{G:"span",U:{"aria-hidden":"true"},L:"ytp-chapter-title-prefix",Z:"\u2022"},{G:"div",L:"ytp-chapter-title-content",Z:"{{title}}"},{G:"div",L:"ytp-chapter-title-chevron",S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M9.71 18.71l-1.42-1.42 5.3-5.29-5.3-5.29 1.42-1.42 6.7 6.71z",fill:"#fff"}}]}]}]}]}); -this.J=a;this.K=b;this.P=c;this.I=d;this.X=e;this.F="";this.currentIndex=0;this.C=void 0;this.B=!0;this.D=this.ka("ytp-chapter-container");this.u=this.ka("ytp-chapter-title");this.updateVideoData("newdata",this.J.getVideoData());this.N(a,"videodatachange",this.updateVideoData);this.N(this.D,"click",this.onClick);a.T().ba("html5_ux_control_flexbox_killswitch")&&this.N(a,"resize",this.Y);this.N(a,"onVideoProgress",this.sc);this.N(a,"SEEK_TO",this.sc)}; -Bua=function(a,b,c,d,e){var f=b.jv/b.rows,h=Math.min(c/(b.kv/b.columns),d/f),l=b.kv*h,m=b.jv*h;l=Math.floor(l/b.columns)*b.columns;m=Math.floor(m/b.rows)*b.rows;var n=l/b.columns,p=m/b.rows,r=-b.column*n,t=-b.row*p;e&&45>=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+r+"px "+t+"px/"+l+"px "+m+"px"}; -g.hW=function(a){g.V.call(this,{G:"div",L:"ytp-storyboard-framepreview",S:[{G:"div",L:"ytp-storyboard-framepreview-img"}]});this.api=a;this.D=this.ka("ytp-storyboard-framepreview-img");this.oh=null;this.B=NaN;this.events=new g.tR(this);this.u=new g.mO(this,100);g.D(this,this.events);g.D(this,this.u);this.N(this.api,"presentingplayerstatechange",this.lc)}; -iW=function(a,b){var c=!!a.oh;a.oh=b;a.oh?(c||(a.events.N(a.api,"videodatachange",function(){iW(a,a.api.tg())}),a.events.N(a.api,"progresssync",a.ie),a.events.N(a.api,"appresize",a.C)),a.B=NaN,jW(a),a.u.show(200)):(c&&g.ut(a.events),a.u.hide(),a.u.stop())}; -jW=function(a){var b=a.oh,c=a.api.getCurrentTime(),d=g.cG(a.api).getPlayerSize(),e=jI(b,d.width);c=oI(b,e,c);c!==a.B&&(a.B=c,lI(b,c,d.width),b=b.pm(c,d.width),Bua(a.D,b,d.width,d.height))}; -kW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullerscreen-edu-button","ytp-button"],S:[{G:"div",la:["ytp-fullerscreen-edu-text"],Z:"Scroll for details"},{G:"div",la:["ytp-fullerscreen-edu-chevron"],S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.u=a;this.F=b;this.C=new g.mO(this,250,void 0,100);this.D=this.B=!1;g.ZT(a,this.element,this,61214);this.F=b;g.D(this,this.C);this.N(a, -"fullscreentoggled",this.oa);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);this.oa()}; -g.lW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullscreen-button","ytp-button"],U:{title:"{{title}}"},Z:"{{icon}}"});this.J=a;this.C=b;this.message=null;this.u=g.cV(this.C.Rb(),this.element);this.B=new g.F(this.DJ,2E3,this);g.D(this,this.B);this.N(a,"fullscreentoggled",this.WE);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);if(nt()){var c=g.cG(this.J);this.N(c,Xea(),this.Fz);this.N(c,qt(document),this.jk)}a.T().za||a.T().ba("embeds_enable_mobile_custom_controls")|| -this.disable();this.oa();this.WE(a.isFullscreen())}; -Cua=function(a,b){String(b).includes("fullscreen error")?g.Is(b):g.Hs(b);a.Fz()}; -mW=function(a,b){g.V.call(this,{G:"button",la:["ytp-miniplayer-button","ytp-button"],U:{title:"{{title}}","data-tooltip-target-id":"ytp-miniplayer-button"},S:[Yna()]});this.J=a;this.visible=!1;this.wa("click",this.onClick);this.N(a,"fullscreentoggled",this.oa);this.ya("title",g.EU(a,"Miniplayer","i"));g.eg(this,g.cV(b.Rb(),this.element));g.ZT(a,this.element,this,62946);this.oa()}; -nW=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-multicam-button","ytp-button"],U:{title:"Switch camera","aria-haspopup":"true","data-preview":"{{preview}}","data-tooltip-text":"{{text}}"},S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M 26,10 22.83,10 21,8 15,8 13.17,10 10,10 c -1.1,0 -2,.9 -2,2 l 0,12 c 0,1.1 .9,2 2,2 l 16,0 c 1.1,0 2,-0.9 2,-2 l 0,-12 c 0,-1.1 -0.9,-2 -2,-2 l 0,0 z m -5,11.5 0,-2.5 -6,0 0,2.5 -3.5,-3.5 3.5,-3.5 0,2.5 6,0 0,-2.5 3.5,3.5 -3.5,3.5 0,0 z", -fill:"#fff"}}]}]});var d=this;this.J=a;this.u=!1;this.B=new g.F(this.C,400,this);this.tooltip=b.Rb();hV(this.tooltip);g.D(this,this.B);this.wa("click",function(){PU(c,d.element,!1)}); -this.N(a,"presentingplayerstatechange",function(){d.oa(!1)}); -this.N(a,"videodatachange",this.Ra);this.oa(!0);g.eg(this,g.cV(this.tooltip,this.element))}; -oW=function(a){g.OU.call(this,a,{G:"div",L:"ytp-multicam-menu",U:{role:"dialog"},S:[{G:"div",L:"ytp-multicam-menu-header",S:[{G:"div",L:"ytp-multicam-menu-title",S:["Switch camera",{G:"button",la:["ytp-multicam-menu-close","ytp-button"],U:{"aria-label":"Close"},S:[g.XN()]}]}]},{G:"div",L:"ytp-multicam-menu-items"}]},250);this.api=a;this.C=new g.tR(this);this.items=this.ka("ytp-multicam-menu-items");this.B=[];g.D(this,this.C);a=this.ka("ytp-multicam-menu-close");this.N(a,"click",this.nb);this.hide()}; -pW=function(){g.C.call(this);this.B=null;this.startTime=this.duration=0;this.delay=new g.gn(this.u,null,this);g.D(this,this.delay)}; -Dua=function(a,b){if("path"===b.G)return b.U.d;if(b.S)for(var c=0;cl)a.Ea[c].width=n;else{a.Ea[c].width=0;var p=a,r=c,t=p.Ea[r-1];void 0!== -t&&0a.za&&(a.za=m/f),d=!0)}c++}}return d}; -kX=function(a){if(a.C){var b=a.api.getProgressState(),c=new lP(b.seekableStart,b.seekableEnd),d=nP(c,b.loaded,0);b=nP(c,b.current,0);var e=a.u.B!==c.B||a.u.u!==c.u;a.u=c;lX(a,b,d);e&&mX(a);Zua(a)}}; -oX=function(a,b){var c=mP(a.u,b.C);if(1=a.Ea.length?!1:Math.abs(b-a.Ea[c].startTime/1E3)/a.u.u*(a.C-(a.B?3:2)*a.Y).2*(a.B?60:40)&&1===a.Ea.length){var h=c*(a.u.getLength()/60),l=d*(a.u.getLength()/60);for(h=Math.ceil(h);h=f;c--)g.Je(e[c]);a.element.style.height=a.P+(a.B?8:5)+"px";a.V("height-change",a.P);a.Jg.style.height=a.P+(a.B?20:13)+"px";e=g.q(Object.keys(a.aa));for(f=e.next();!f.done;f=e.next())bva(a,f.value);pX(a);lX(a,a.K,a.ma)}; -iX=function(a){var b=a.Ya.x,c=a.C*a.ha;b=g.ce(b,0,a.C);a.Oe.update(b,a.C,-a.X,-(c-a.X-a.C));return a.Oe}; -lX=function(a,b,c){a.K=b;a.ma=c;var d=iX(a),e=a.u.u,f=mP(a.u,a.K),h=g.tL("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.bP(f,!0),DURATION:g.bP(e,!0)}),l=IV(a.Ea,1E3*f);l=a.Ea[l].title;a.update({ariamin:Math.floor(a.u.B),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.F&&2!==a.api.getPresentingPlayerType()&&(e=a.F.startTimeMs/1E3,f=a.F.endTimeMs/1E3);e=nP(a.u,e,0);h=nP(a.u,f,1);f=g.ce(b,e,h);c=g.ce(c,e,h);b=Vua(a,b,d);g.ug(a.Lg,"transform","translateX("+ -b+"px)");qX(a,d,e,f,"PLAY_PROGRESS");qX(a,d,e,c,"LOAD_PROGRESS")}; -qX=function(a,b,c,d,e){var f=a.Ea.length,h=b.u-a.Y*(a.B?3:2),l=c*h;c=nX(a,l);var m=d*h;h=nX(a,m);"HOVER_PROGRESS"===e&&(h=nX(a,b.u*d,!0),m=b.u*d-cva(a,b.u*d)*(a.B?3:2));b=Math.max(l-dva(a,c),0);for(d=c;d=a.Ea.length)return a.C;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.Ea.length?d-1:d}; -Vua=function(a,b,c){for(var d=b*a.u.u*1E3,e=-1,f=g.q(a.Ea),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; -cva=function(a,b){for(var c=a.Ea.length,d=0,e=g.q(a.Ea),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.B?3:2,d++;else break;return d===c?c-1:d}; -pX=function(a){var b=!!a.F&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.F?(c=a.F.startTimeMs/1E3,d=a.F.endTimeMs/1E3):(e=c>a.u.B,f=0a.K);g.J(a.Jg,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;var c=160*a.scale,d=160*a.scale,e=a.u.pm(a.C,c);Bua(a.bg,e,c,d,!0);a.aa.start()}}; -zva=function(a){var b=a.B;3===a.type&&a.ha.stop();a.api.removeEventListener("appresize",a.Y);a.P||b.setAttribute("title",a.F);a.F="";a.B=null}; -g.eY=function(a,b){g.V.call(this,{G:"button",la:["ytp-watch-later-button","ytp-button"],U:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"div",L:"ytp-watch-later-icon",Z:"{{icon}}"},{G:"div",L:"ytp-watch-later-title",Z:"Watch later"}]});this.J=a;this.icon=null;this.visible=this.B=this.u=!1;this.tooltip=b.Rb();hV(this.tooltip);g.ZT(a,this.element,this,28665);this.wa("click",this.onClick,this);this.N(a,"videoplayerreset",this.qN);this.N(a,"appresize", -this.gv);this.N(a,"videodatachange",this.gv);this.N(a,"presentingplayerstatechange",this.gv);this.gv();var c=this.J.T(),d=Ava();c.B&&d?(Bva(),Cva(this,d.videoId)):this.oa(2);g.J(this.element,"ytp-show-watch-later-title",g.hD(c));g.eg(this,g.cV(b.Rb(),this.element))}; -Dva=function(a,b){g.qsa(function(){Bva({videoId:b});window.location.reload()},"wl_button",g.CD(a.J.T()))}; -Cva=function(a,b){if(!a.B)if(a.B=!0,a.oa(3),g.Q(a.J.T().experiments,"web_player_innertube_playlist_update")){var c=a.J.getVideoData();c=a.u?c.removeFromWatchLaterCommand:c.addToWatchLaterCommand;var d=dG(a.J.app),e=a.u?function(){a.wG()}:function(){a.vG()}; -cT(d,c).then(e,function(){a.B=!1;fY(a,"An error occurred. Please try again later.")})}else c=a.J.T(),(a.u?osa:nsa)({videoIds:b, -ye:c.ye,pageId:c.pageId,onError:a.eR,onSuccess:a.u?a.wG:a.vG,context:a},c.P,!0)}; -fY=function(a,b){a.oa(4,b);a.J.T().C&&a.J.xa("WATCH_LATER_ERROR",b)}; -Eva=function(a,b){var c=a.J.T();if(b!==a.icon){switch(b){case 3:var d=CU();break;case 1:d=UN();break;case 2:d={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:d=g.Q(c.experiments,"watch_later_iconchange_killswitch")?{G:"svg",U:{height:"100%", -version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21,7.91 L19.60,20.91 L16.39,20.91 L15,7.91 L21,7.91 Z M18,27.91 C16.61,27.91 15.5,26.79 15.5,25.41 C15.5,24.03 16.61,22.91 18,22.91 C19.38,22.91 20.5,24.03 20.5,25.41 C20.5,26.79 19.38,27.91 18,27.91 Z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.ya("icon",d); -a.icon=b}}; -gY=function(a){g.SU.call(this,a);var b=this;this.oo=g.hD(this.api.T());this.wx=48;this.xx=69;this.Hi=null;this.sl=[];this.Tb=new g.XU(this.api);this.qt=new FV(this.api);this.Cg=new g.V({G:"div",L:"ytp-chrome-top"});this.qs=[];this.tooltip=new g.cY(this.api,this);this.backButton=this.So=null;this.channelAvatar=new jV(this.api,this);this.title=new bY(this.api,this);this.Rf=new g.GN({G:"div",L:"ytp-chrome-top-buttons"});this.mg=null;this.Di=new bV(this.api,this,this.Cg.element);this.overflowButton=this.dg= -null;this.Bf="1"===this.api.T().controlsType?new YX(this.api,this,this.Nc):null;this.contextMenu=new g.BV(this.api,this,this.Tb);this.gx=!1;this.Ht=new g.V({G:"div",U:{tabindex:"0"}});this.Gt=new g.V({G:"div",U:{tabindex:"0"}});this.Ar=null;this.wA=this.mt=!1;var c=g.cG(a),d=a.T(),e=a.getVideoData();this.oo&&(g.I(a.getRootNode(),"ytp-embed"),g.I(a.getRootNode(),"ytp-embed-playlist"),this.wx=60,this.xx=89);this.Qg=e&&e.Qg;g.D(this,this.Tb);g.BP(a,this.Tb.element,4);g.D(this,this.qt);g.BP(a,this.qt.element, -4);e=new g.V({G:"div",L:"ytp-gradient-top"});g.D(this,e);g.BP(a,e.element,1);this.QA=new g.mO(e,250,!0,100);g.D(this,this.QA);g.D(this,this.Cg);g.BP(a,this.Cg.element,1);this.PA=new g.mO(this.Cg,250,!0,100);g.D(this,this.PA);g.D(this,this.tooltip);g.BP(a,this.tooltip.element,4);var f=new QV(a);g.D(this,f);g.BP(a,f.element,5);f.subscribe("show",function(l){b.mm(f,l)}); -this.qs.push(f);this.So=new RV(a,this,f);g.D(this,this.So);d.showBackButton&&(this.backButton=new WU(a),g.D(this,this.backButton),this.backButton.ga(this.Cg.element));this.oo||this.So.ga(this.Cg.element);this.channelAvatar.ga(this.Cg.element);g.D(this,this.channelAvatar);g.D(this,this.title);this.title.ga(this.Cg.element);g.D(this,this.Rf);this.Rf.ga(this.Cg.element);this.mg=new g.eY(a,this);g.D(this,this.mg);this.mg.ga(this.Rf.element);var h=new g.WV(a,this);g.D(this,h);g.BP(a,h.element,5);h.subscribe("show", -function(l){b.mm(h,l)}); -this.qs.push(h);this.shareButton=new g.VV(a,this,h);g.D(this,this.shareButton);this.shareButton.ga(this.Rf.element);this.Dj=new CV(a,this);g.D(this,this.Dj);this.Dj.ga(this.Rf.element);d.Ls&&(e=new bW(a),g.D(this,e),g.BP(a,e.element,4));this.oo&&this.So.ga(this.Rf.element);g.D(this,this.Di);this.Di.ga(this.Rf.element);e=new $U(a,this,this.Di);g.D(this,e);e.ga(this.Rf.element);this.dg=new NV(a,this);g.D(this,this.dg);g.BP(a,this.dg.element,5);this.dg.subscribe("show",function(){b.mm(b.dg,b.dg.zf())}); -this.qs.push(this.dg);this.overflowButton=new MV(a,this,this.dg);g.D(this,this.overflowButton);this.overflowButton.ga(this.Rf.element);this.Bf&&g.D(this,this.Bf);"3"===d.controlsType&&(e=new UV(a,this),g.D(this,e),g.BP(a,e.element,8));g.D(this,this.contextMenu);this.contextMenu.subscribe("show",this.oI,this);e=new oP(a,new AP(a));g.D(this,e);g.BP(a,e.element,4);this.Ht.wa("focus",this.hK,this);g.D(this,this.Ht);this.Gt.wa("focus",this.iK,this);g.D(this,this.Gt);(this.Xj=d.Oe?null:new g.JV(a,c,this.contextMenu, -this.Nc,this.Tb,this.qt,function(){return b.Ij()}))&&g.D(this,this.Xj); -this.oo||(this.yH=new $V(this.api,this),g.D(this,this.yH),g.BP(a,this.yH.element,4));this.rl.push(this.Tb.element);this.N(a,"fullscreentoggled",this.jk);this.N(a,"offlineslatestatechange",function(){UT(b.api)&&wU(b.Nc,128,!1)}); -this.N(a,"cardstatechange",function(){b.Fg()}); -this.N(a,"resize",this.HO);this.N(a,"showpromotooltip",this.kP)}; -Fva=function(a){var b=a.api.T(),c=g.U(g.uK(a.api),128);return b.B&&c&&!a.api.isFullscreen()}; -hY=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==zg(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=hY(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexd/1E3+1)return"in-the-past";if(f.isLivePlayback&&!isFinite(d))return"live-infinite";if(a.u&&((b=b.Zc())&&b.isView()&&(b=b.u),b&&b.xm().length>a.u&&g.WI(e)))return"played-ranges";if(!e.La)return null;if(!e.La.Lc()||!c.Lc())return"non-dash";if(e.La.videoInfos[0].containerType!==c.videoInfos[0].containerType)return"container";if(g.WI(f)&&g.WI(e))return"content-protection"; -a=c.u[0].audio;e=e.La.u[0].audio;return a.sampleRate===e.sampleRate||g.pB?(a.u||2)!==(e.u||2)?"channel-count":null:"sample-rate"}; -kY=function(a,b,c,d){g.C.call(this);var e=this;this.policy=a;this.u=b;this.B=c;this.D=this.C=null;this.I=-1;this.K=!1;this.F=new py;this.Cf=d-1E3*b.yc();this.F.then(void 0,function(){}); -this.timeout=new g.F(function(){jY(e,"timeout")},1E4); -g.D(this,this.timeout);this.R=isFinite(d);this.status={status:0,error:null};this.ea()}; -Ova=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w;return xa(c,function(y){if(1==y.u){e=d;if(d.na())return y["return"](Promise.reject(Error(d.status.error||"disposed")));d.ea();d.timeout.start();f=yz?new xz("gtfta"):null;return sa(y,d.F,2)}Bz(f);h=d.u.Zc();if(h.Yi())return jY(d,"ended_in_finishTransition"),y["return"](Promise.reject(Error(d.status.error||"")));if(!d.D||!BB(d.D))return jY(d,"next_mse_closed"),y["return"](Promise.reject(Error(d.status.error||"")));if(d.B.tm()!== -d.D)return jY(d,"next_mse_mismatch"),y["return"](Promise.reject(Error(d.status.error||"")));l=Kva(d);m=l.wF;n=l.EC;p=l.vF;d.u.Pf(!1,!0);r=Lva(h,m,p,!d.B.getVideoData().isAd());d.B.setMediaElement(r);d.R&&(d.B.seekTo(d.B.getCurrentTime()+.001,{Gq:!0,OA:3}),r.play()||Ys());t=h.sb();t.cpn=d.u.getVideoData().clientPlaybackNonce;t.st=""+m;t.et=""+p;d.B.Na("gapless",g.vB(t));d.u.Na("gaplessTo",d.B.getVideoData().clientPlaybackNonce);w=d.u.getPlayerType()===d.B.getPlayerType();Mva(d.u,n,!1,w,d.B.getVideoData().clientPlaybackNonce); -Mva(d.B,d.B.getCurrentTime(),!0,w,d.u.getVideoData().clientPlaybackNonce);g.mm(function(){!e.B.getVideoData().Rg&&g.GM(e.B.getPlayerState())&&Nva(e.B)}); -lY(d,6);d.dispose();return y["return"](Promise.resolve())})})}; -Rva=function(a){if(a.B.getVideoData().La){mY(a.B,a.D);lY(a,3);Pva(a);var b=Qva(a),c=b.xH;b=b.XR;c.subscribe("updateend",a.Lo,a);b.subscribe("updateend",a.Lo,a);a.Lo(c);a.Lo(b)}}; -Pva=function(a){a.u.unsubscribe("internalvideodatachange",a.Wl,a);a.B.unsubscribe("internalvideodatachange",a.Wl,a);a.u.unsubscribe("mediasourceattached",a.Wl,a);a.B.unsubscribe("statechange",a.lc,a)}; -Lva=function(a,b,c,d){a=a.isView()?a.u:a;return new g.ZS(a,b,c,d)}; -lY=function(a,b){a.ea();b<=a.status.status||(a.status={status:b,error:null},5===b&&a.F.resolve(void 0))}; -jY=function(a,b){if(!a.na()&&!a.isFinished()){a.ea();var c=4<=a.status.status&&"player-reload-after-handoff"!==b;a.status={status:Infinity,error:b};if(a.u&&a.B){var d=a.B.getVideoData().clientPlaybackNonce;a.u.Na("gaplessError","cpn."+d+";msg."+b);d=a.u;d.videoData.Lh=!1;c&&nY(d);d.Ba&&(c=d.Ba,c.u.aa=!1,c.C&&NF(c))}a.F.reject(void 0);a.dispose()}}; -Kva=function(a){var b=a.u.Zc();b=b.isView()?b.B:0;var c=a.u.getVideoData().isLivePlayback?Infinity:oY(a.u,!0);c=Math.min(a.Cf/1E3,c)+b;var d=a.R?100:0;a=c-a.B.Mi()+d;return{RJ:b,wF:a,EC:c,vF:Infinity}}; -Qva=function(a){return{xH:a.C.u.Rc,XR:a.C.B.Rc}}; -pY=function(a){g.C.call(this);var b=this;this.api=a;this.F=this.u=this.B=null;this.K=!1;this.D=null;this.R=Iva(this.api.T());this.C=null;this.I=function(){g.mm(function(){Sva(b)})}}; -Tva=function(a,b,c,d){d=void 0===d?0:d;a.ea();!a.B||qY(a);a.D=new py;a.B=b;var e=c,f=a.api.dc(),h=f.getVideoData().isLivePlayback?Infinity:1E3*oY(f,!0);e>h&&(e=h-a.R.B,a.K=!0);f.getCurrentTime()>=e/1E3?a.I():(a.u=f,f=e,e=a.u,a.api.addEventListener(g.hF("vqueued"),a.I),f=isFinite(f)||f/1E3>e.getDuration()?f:0x8000000000000,a.F=new g.eF(f,0x8000000000000,{namespace:"vqueued"}),e.addCueRange(a.F));f=d/=1E3;e=b.getVideoData().ra;if(d&&e&&a.u){h=d;var l=0;b.getVideoData().isLivePlayback&&(f=Math.min(c/ -1E3,oY(a.u,!0)),l=Math.max(0,f-a.u.getCurrentTime()),h=Math.min(d,oY(b)+l));f=Wga(e,h)||d;f!==d&&a.B.Na("qvaln","st."+d+";at."+f+";rm."+(l+";ct."+h))}b=f;d=a.B;if(e=a.api.dc())d.Kv=e;d.getVideoData().an=!0;d.getVideoData().Lh=!0;vT(d,!0);e="";a.u&&(e=g.rY(a.u.Jb.provider),f=a.u.getVideoData().clientPlaybackNonce,e="crt."+(1E3*e).toFixed()+";cpn."+f);d.Na("queued",e);0!==b&&d.seekTo(b+.01,{Gq:!0,OA:3});a.C=new kY(a.R,a.api.dc(),a.B,c);c=a.C;c.ea();Infinity!==c.status.status&&(lY(c,1),c.u.subscribe("internalvideodatachange", -c.Wl,c),c.B.subscribe("internalvideodatachange",c.Wl,c),c.u.subscribe("mediasourceattached",c.Wl,c),c.B.subscribe("statechange",c.lc,c),c.u.subscribe("newelementrequired",c.WF,c),c.Wl());return a.D}; -Sva=function(a){We(a,function c(){var d=this,e,f,h,l;return xa(c,function(m){switch(m.u){case 1:e=d;if(d.na())return m["return"]();d.ea();if(!d.D||!d.B)return d.ea(),m["return"]();d.K&&sY(d.api.dc(),!0,!1);f=null;if(!d.C){m.u=2;break}m.C=3;return sa(m,Ova(d.C),5);case 5:ta(m,2);break;case 3:f=h=ua(m);case 2:return Uva(d.api.app,d.B),Cz("vqsp",function(){var n=e.B.getPlayerType();g.xN(e.api.app,n)}),Cz("vqpv",function(){e.api.playVideo()}),f&&Vva(d.B,f.message),l=d.D,qY(d),m["return"](l.resolve(void 0))}})})}; -qY=function(a){if(a.u){var b=a.u;a.api.removeEventListener(g.hF("vqueued"),a.I);b.removeCueRange(a.F);a.u=null;a.F=null}a.C&&(a.C.isFinished()||(b=a.C,Infinity!==b.status.status&&jY(b,"Canceled")),a.C=null);a.D=null;a.B=null;a.K=!1}; -Wva=function(){var a=Wo();return!(!a||"visible"===a)}; -Yva=function(a){var b=Xva();b&&document.addEventListener(b,a,!1)}; -Zva=function(a){var b=Xva();b&&document.removeEventListener(b,a,!1)}; -Xva=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[Vo+"VisibilityState"])return"";a=Vo+"visibilitychange"}return a}; -tY=function(){g.O.call(this);var a=this;this.fullscreen=0;this.B=this.pictureInPicture=this.C=this.u=this.inline=!1;this.D=function(){a.ff()}; -Yva(this.D);this.F=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B)}; -$va=function(a){this.end=this.start=a}; -vY=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.W=b;this.u=c;this.fa=new Map;this.C=new Map;this.B=[];this.ha=NaN;this.R=this.F=null;this.aa=new g.F(function(){uY(d,d.ha)}); -this.events=new g.tR(this);this.isLiveNow=!0;this.ia=g.P(this.W.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.D=new g.F(function(){d.I=!0;d.u.Na("sdai","aftimeout."+d.ia.toString());d.du(!0)},this.ia); -this.I=!1;this.Y=new Map;this.X=[];this.K=null;this.P=[];this.u.getPlayerType();awa(this.u,this);g.D(this,this.aa);g.D(this,this.events);g.D(this,this.D);this.events.N(this.api,g.hF("serverstitchedcuerange"),this.CM);this.events.N(this.api,g.iF("serverstitchedcuerange"),this.DM)}; -fwa=function(a,b,c,d,e){if(g.Q(a.W.experiments,"web_player_ss_timeout_skip_ads")&&bwa(a,d,d+c))return a.u.Na("sdai","adskip_"+d),"";a.I&&a.u.Na("sdai","adaftto");var f=a.u;e=void 0===e?d+c:e;if(d>e)return wY(a,"Invalid playback enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return wY(a,"Invalid playback parentReturnTimeMs="+e+" is greater than parentDurationMs="+ -h),"";h=null;for(var l=g.q(a.B),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return wY(a,"Overlapping child playbacks not allowed. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} overlaps existing ChildPlayback "+xY(m))),"";if(e===m.pc)return wY(a,"Neighboring child playbacks must be added sequentially. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} added after existing ChildPlayback "+xY(m))),""; -d===m.gd&&(h=m)}l="childplayback_"+cwa++;m={Kd:yY(c,!0),Cf:Infinity,target:null};var n=b.raw_player_response;if(!n&&!g.Q(a.W.experiments,"web_player_parse_ad_response_killswitch")){var p=b.player_response;p&&(n=JSON.parse(p))}b.cpn||(b.cpn=a.Wx());b={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m,playerResponse:n,cpn:b.cpn};a.B=a.B.concat(b).sort(function(r,t){return r.pc-t.pc}); -h?(b.xj=h.xj,dwa(h,{Kd:yY(h.durationMs,!0),Cf:Infinity,target:b})):(b.xj=b.cpn,d={Kd:yY(d,!1),Cf:d,target:b},a.fa.set(d.Kd,d),a.ea(),f.addCueRange(d.Kd));d=ewa(b.pc,b.pc+b.durationMs);a.C.set(d,b);f.addCueRange(d);a.D.isActive()&&(a.I=!1,a.D.stop(),a.du(!1));a.ea();return l}; -yY=function(a,b){return new g.eF(Math.max(0,a-5E3),b?0x8000000000000:a-1,{namespace:"serverstitchedtransitioncuerange",priority:7})}; -ewa=function(a,b){return new g.eF(a,b,{namespace:"serverstitchedcuerange",priority:7})}; -dwa=function(a,b){a.pg=b}; -zY=function(a,b,c){c=void 0===c?0:c;var d=0;a=g.q(a.B);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.pc/1E3+d,h=f+e.durationMs/1E3;if(f>b+c)break;if(h>b)return{sh:e,ul:b-d};d=h-e.gd/1E3}return{sh:null,ul:b-d}}; -uY=function(a,b){var c=a.R||a.api.dc().getPlayerState();AY(a,!0);var d=zY(a,b).ul;a.ea();a.ea();a.u.seekTo(d);d=a.api.dc();var e=d.getPlayerState();g.GM(c)&&!g.GM(e)?d.playVideo():g.U(c,4)&&!g.U(e,4)&&d.pauseVideo()}; -AY=function(a,b){a.ha=NaN;a.aa.stop();a.F&&b&&BY(a.F);a.R=null;a.F=null}; -bU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.fa),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.u.removeCueRange(h),a.fa["delete"](h))}d=b;e=c;f=[];h=g.q(a.B);for(l=h.next();!l.done;l=h.next())l=l.value,(l.pce)&&f.push(l);a.B=f;d=b;e=c;f=g.q(a.C.keys());for(h=f.next();!h.done;h=f.next())h=h.value,h.start>=d&&h.end<=e&&(a.u.removeCueRange(h),a.C["delete"](h));d=zY(a,b/ -1E3);b=d.sh;d=d.ul;b&&(d=1E3*d-b.pc,gwa(a,b,d,b.pc+d));(b=zY(a,c/1E3).sh)&&wY(a,"Invalid clearEndTimeMs="+c+" that falls during "+xY(b)+".Child playbacks can only have duration updated not their start.")}; -gwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;c={Kd:yY(c,!0),Cf:c,target:null};b.pg=c;c=null;d=g.q(a.C);for(var e=d.next();!e.done;e=d.next()){e=g.q(e.value);var f=e.next().value;e.next().value.Hc===b.Hc&&(c=f)}c&&(a.u.removeCueRange(c),c=ewa(b.pc,b.pc+b.durationMs),a.C.set(c,b),a.u.addCueRange(c))}; -xY=function(a){return"playback={timelinePlaybackId="+a.Hc+" video_id="+a.playerVars.video_id+" durationMs="+a.durationMs+" enterTimeMs="+a.pc+" parentReturnTimeMs="+a.gd+"}"}; -$ha=function(a,b,c,d){if(hwa(a,c))return null;var e=a.Y.get(c);e||(e=0,a.W.ba("web_player_ss_media_time_offset")&&(e=0===a.u.getStreamTimeOffset()?a.u.yc():a.u.getStreamTimeOffset()),e=zY(a,b+e,1).sh);var f=Number(d.split(";")[0]);if(e&&e.playerResponse&&e.playerResponse.streamingData&&(b=e.playerResponse.streamingData.adaptiveFormats)){var h=b.find(function(m){return m.itag===f}); -if(h&&h.url){b=a.u.getVideoData();var l=b.ra.u[d].index.pD(c-1);d=h.url;l&&l.u&&(d=d.concat("&daistate="+l.u));(b=b.clientPlaybackNonce)&&(d=d.concat("&cpn="+b));e.xj&&(b=iwa(a,e.xj),0=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.X.push(new $va(b))}; -hwa=function(a,b){for(var c=g.q(a.X),d=c.next();!d.done;d=c.next())if(d=d.value,b>=d.start&&b<=d.end)return!0;return!1}; -wY=function(a,b){a.u.Na("timelineerror",b)}; -iwa=function(a,b){for(var c=[],d=g.q(a.B),e=d.next();!e.done;e=d.next())e=e.value,e.xj===b&&e.cpn&&c.push(e.cpn);return c}; -bwa=function(a,b,c){if(!a.P.length)return!1;a=g.q(a.P);for(var d=a.next();!d.done;d=a.next()){var e=d.value;d=1E3*e.startSecs;e=1E3*e.durationSecs+d;if(b>d&&bd&&ce)return DY(a,"e.enterAfterReturn enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return DY(a,"e.returnAfterDuration parentReturnTimeMs="+e+" is greater than parentDurationMs="+h),"";h=null;for(var l=g.q(a.u),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return DY(a,"e.overlappingReturn"),a.ea(),"";if(e===m.pc)return DY(a,"e.outOfOrder"),a.ea(),"";d===m.gd&&(h=m)}l="childplayback_"+lwa++;m={Kd:EY(c,!0),Cf:Infinity,target:null};var n={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m};a.u=a.u.concat(n).sort(function(t,w){return t.pc-w.pc}); -h?mwa(a,h,{Kd:EY(h.durationMs,!0),Cf:a.W.ba("timeline_manager_transition_killswitch")?Infinity:h.pg.Cf,target:n}):(b={Kd:EY(d,!1),Cf:d,target:n},a.F.set(b.Kd,b),a.ea(),f.addCueRange(b.Kd));b=g.Q(a.W.experiments,"html5_gapless_preloading");if(a.B===a.api.dc()&&(f=1E3*f.getCurrentTime(),f>=n.pc&&fb)break;if(h>b)return{sh:e,ul:b-f};c=h-e.gd/1E3}return{sh:null,ul:b-c}}; -kwa=function(a,b){var c=a.I||a.api.dc().getPlayerState();IY(a,!0);var d=g.Q(a.W.experiments,"html5_playbacktimeline_seektoinf_killswitch")||isFinite(b)?b:a.B.Fh(),e=HY(a,d);d=e.sh;e=e.ul;var f=d&&!FY(a,d)||!d&&a.B!==a.api.dc(),h=1E3*e;h=a.C&&a.C.start<=h&&h<=a.C.end;!f&&h||GY(a);a.ea();d?(a.ea(),nwa(a,d,e,c)):(a.ea(),JY(a,e,c))}; -JY=function(a,b,c){var d=a.B;if(d!==a.api.dc()){var e=d.getPlayerType();g.xN(a.api.app,e)}d.seekTo(b);twa(a,c)}; -nwa=function(a,b,c,d){var e=FY(a,b);if(!e){g.xN(a.api.app,b.playerType);b.playerVars.prefer_gapless=!0;var f=new g.rI(a.W,b.playerVars);f.Hc=b.Hc;KY(a.api.app,f,b.playerType,void 0)}f=a.api.dc();e||(b=b.pg,a.ea(),f.addCueRange(b.Kd));f.seekTo(c);twa(a,d)}; -twa=function(a,b){var c=a.api.dc(),d=c.getPlayerState();g.GM(b)&&!g.GM(d)?c.playVideo():g.U(b,4)&&!g.U(d,4)&&c.pauseVideo()}; -IY=function(a,b){a.X=NaN;a.P.stop();a.D&&b&&BY(a.D);a.I=null;a.D=null}; -FY=function(a,b){var c=a.api.dc();return!!c&&c.getVideoData().Hc===b.Hc}; -uwa=function(a){var b=a.u.find(function(d){return FY(a,d)}); -if(b){GY(a);var c=new g.AM(8);b=swa(a,b)/1E3;JY(a,b,c)}}; -cU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.F),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.B.removeCueRange(h),a.F["delete"](h))}d=b;e=c;f=[];h=g.q(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.pc>=d&&l.gd<=e){var m=a;m.K===l&&GY(m);FY(m,l)&&g.yN(m.api,l.playerType)}else f.push(l);a.u=f;d=HY(a,b/1E3);b=d.sh;d=d.ul;b&&(d*=1E3,vwa(a,b,d,b.gd===b.pc+b.durationMs?b.pc+ -d:b.gd));(b=HY(a,c/1E3).sh)&&DY(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Hc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.pc+" parentReturnTimeMs="+b.gd+"}.Child playbacks can only have duration updated not their start."))}; -vwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;d={Kd:EY(c,!0),Cf:c,target:null};mwa(a,b,d);FY(a,b)&&1E3*a.api.dc().getCurrentTime()>c&&(b=swa(a,b)/1E3,c=a.api.dc().getPlayerState(),JY(a,b,c))}; -DY=function(a,b){a.B.Na("timelineerror",b)}; -xwa=function(a){a&&"web"!==a&&wwa.includes(a)}; -NY=function(a,b){g.C.call(this);var c=this;this.data=[];this.C=a||NaN;this.B=b||null;this.u=new g.F(function(){LY(c);MY(c)}); -g.D(this,this.u)}; -LY=function(a){var b=(0,g.N)();a.data.forEach(function(c){c.expire=e;e++)d.push(e/100);e={threshold:d};b&&(e={threshold:d,trackVisibility:!0,delay:1E3});(this.B=window.IntersectionObserver?new IntersectionObserver(function(f){f=f[f.length-1];b?"undefined"===typeof f.isVisible?c.u=null:c.u=f.isVisible?f.intersectionRatio:0:c.u=f.intersectionRatio},e):null)&&this.B.observe(a)}; -VY=function(a,b){this.u=a;this.da=b;this.B=null;this.C=[];this.D=!1}; -g.WY=function(a){a.B||(a.B=a.u.createMediaElementSource(a.da.Pa()));return a.B}; -g.XY=function(a){for(var b;0e&&(e=l.width,f="url("+l.url+")")}c.background.style.backgroundImage=f;HKa(c,d.actionButtons||[]);c.show()}else c.hide()}),g.NS(this.api,this.j.element,4))}; +hT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);g.DK(a.V())&&(mS(this.api,"seekToChapterWithAnimation",function(c){b.seekToChapterWithAnimation(c)}),mS(this.api,"seekToTimeWithAnimation",function(c,d){b.seekToTimeWithAnimation(c,d)}))}; +JKa=function(a,b,c,d){var e=1E3*a.api.getCurrentTime()r.start&&dG;G++)if(B=(B<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(z.charAt(G)),4==G%5){for(var D="",L=0;6>L;L++)D="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(B&31)+D,B>>=5;F+=D}z=F.substr(0,4)+" "+F.substr(4,4)+" "+F.substr(8,4)}else z= +"";l={video_id_and_cpn:String(c.videoId)+" / "+z,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",date:""+(new Date).toString(),drm_style:q?"":"display:none",drm:q,debug_info:d,extra_debug_info:"",bandwidth_style:x,network_activity_style:x,network_activity_bytes:m.toFixed(0)+" KB",shader_info:v,shader_info_style:v?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1P)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":a="Optimized for Normal Latency";break;case "LOW":a="Optimized for Low Latency";break;case "ULTRALOW":a="Optimized for Ultra Low Latency";break;default:a="Unknown Latency Setting"}else a=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=a;(P=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= +", seq "+P.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=ES(h,"bandwidth");l.network_activity_samples=ES(h,"networkactivity");l.live_latency_samples=ES(h,"livelatency");l.buffer_health_samples=ES(h,"bufferhealth");b=g.ZM(c);if(c.cotn||b)l.cotn_and_local_media=(c.cotn?c.cotn:"null")+" / "+b;l.cotn_and_local_media_style=l.cotn_and_local_media?"":"display:none";fM(c,"web_player_release_debug")? +(l.release_name="youtube.player.web_20230423_00_RC00",l.release_style=""):l.release_style="display:none";l.debug_info&&0=l.debug_info.length+p.length?l.debug_info+=" "+p:l.extra_debug_info=p;l.extra_debug_info_style=l.extra_debug_info&&0=a.length?0:b}; +nLa=function(a){var b=a.index-1;return 0>b?a.length-1:b}; +g.zT=function(a,b,c,d){b=void 0!==b?b:a.index;b=a.items&&b in a.items?a.items[a.order[b]]:null;var e=null;b&&(c&&(b.autoplay="1"),d&&(b.autonav="1"),e=new g.$L(a.u,b),g.E(a,e),e.bl=!0,e.startSeconds=a.startSeconds||e.clipStart||0,a.listId&&(e.playlistId=a.listId.toString()));return e}; +oLa=function(a,b){a.index=g.ze(b,0,a.length-1);a.startSeconds=0}; +pLa=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=g.zT(a);a.items=[];for(var d=g.t(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(b=b.index)?a.index=b:a.findIndex(c);a.setShuffle(!1);a.loaded=!0;a.B++;a.j&&a.j()}}; +sLa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j){c=g.CR();var p=a.V(),q={context:g.jS(a),playbackContext:{contentPlaybackContext:{ancestorOrigins:p.ancestorOrigins}}};p=p.embedConfig;var r=b.docid||b.video_id||b.videoId||b.id;if(!r){r=b.raw_embedded_player_response;if(!r){var v=b.embedded_player_response;v&&(r=JSON.parse(v))}if(r){var x,z,B,F,G,D;r=(null==(D=g.K(null==(x=r)?void 0:null==(z=x.embedPreview)?void 0:null==(B=z.thumbnailPreviewRenderer)?void 0:null==(F=B.playButton)? +void 0:null==(G=F.buttonRenderer)?void 0:G.navigationEndpoint,g.oM))?void 0:D.videoId)||null}else r=null}x=(x=r)?x:void 0;z=a.playlistId?a.playlistId:b.list;B=b.listType;if(z){var L;"user_uploads"===B?L={username:z}:L={playlistId:z};qLa(p,x,b,L);q.playlistRequest=L}else b.playlist?(L={templistVideoIds:b.playlist.toString().split(",")},qLa(p,x,b,L),q.playlistRequest=L):x&&(L={videoId:x},p&&(L.serializedThirdPartyEmbedConfig=p),q.singleVideoRequest=L);d=q;e=g.pR(rLa);g.pa(n,2);return g.y(n,g.AP(c,d, +e),4)}if(2!=n.j)return f=n.u,h=a.V(),b.raw_embedded_player_response=f,h.Qa=pz(b,g.fK(h)),h.B="EMBEDDED_PLAYER_MODE_PFL"===h.Qa,f&&(l=f,l.trackingParams&&(q=l.trackingParams,pP().eq(q))),n.return(new g.$L(h,b));m=g.sa(n);m instanceof Error||(m=Error("b259802748"));g.CD(m);return n.return(a)})}; +qLa=function(a,b,c,d){c.index&&(d.playlistIndex=String(Number(c.index)+1));d.videoId=b?b:"";a&&(d.serializedThirdPartyEmbedConfig=a)}; +g.BT=function(a,b){AT.get(a);AT.set(a,b)}; +g.CT=function(a){g.dE.call(this);this.loaded=!1;this.player=a}; +tLa=function(){this.u=[];this.j=[]}; +g.DT=function(a,b){return b?a.j.concat(a.u):a.j}; +g.ET=function(a,b){switch(b.kind){case "asr":uLa(b,a.u);break;default:uLa(b,a.j)}}; +uLa=function(a,b){g.nb(b,function(c){return a.equals(c)})||b.push(a)}; +g.FT=function(a){g.C.call(this);this.Y=a;this.j=new tLa;this.C=[]}; +g.GT=function(a,b,c){g.FT.call(this,a);this.audioTrack=c;this.u=null;this.B=!1;this.eventId=null;this.C=b.LK;this.B=g.QM(b);this.eventId=b.eventId}; +vLa=function(){this.j=this.dk=!1}; +wLa=function(a){a=void 0===a?{}:a;var b=void 0===a.Oo?!1:a.Oo,c=new vLa;c.dk=(void 0===a.hasSubfragmentedFmp4?!1:a.hasSubfragmentedFmp4)||b;return c}; +g.xLa=function(a){this.j=a;this.I=new vLa;this.Un=this.Tn=!1;this.qm=2;this.Z=20971520;this.Ga=8388608;this.ea=120;this.kb=3145728;this.Ld=this.j.K("html5_platform_backpressure");this.tb=62914560;this.Wc=10485760;this.xm=g.gJ(this.j.experiments,"html5_min_readbehind_secs");this.vx=g.gJ(this.j.experiments,"html5_min_readbehind_cap_secs");this.tx=g.gJ(this.j.experiments,"html5_max_readbehind_secs");this.AD=this.j.K("html5_trim_future_discontiguous_ranges");this.ri=this.j.K("html5_offline_reset_media_stream_on_unresumable_slices"); +this.dc=NaN;this.jo=this.Xk=this.Yv=2;this.Ja=2097152;this.vf=0;this.ao=1048576;this.Oc=!1;this.Nd=1800;this.wm=this.vl=5;this.fb=15;this.Hf=1;this.J=1.15;this.T=1.05;this.bl=1;this.Rn=!0;this.Xa=!1;this.oo=.8;this.ol=this.Dc=!1;this.Vd=6;this.D=this.ib=!1;this.aj=g.gJ(this.j.experiments,"html5_static_abr_resolution_shelf");this.ph=g.gJ(this.j.experiments,"html5_min_startup_buffered_media_duration_secs");this.Vn=g.gJ(this.j.experiments,"html5_post_interrupt_readahead");this.Sn=!1;this.Xn=g.gJ(this.j.experiments, +"html5_probe_primary_delay_base_ms")||5E3;this.Uo=100;this.Kf=10;this.wx=g.gJ(this.j.experiments,"html5_offline_failure_retry_limit")||2;this.lm=this.j.experiments.ob("html5_clone_original_for_fallback_location");this.Qg=1;this.Yi=1.6;this.Lc=!1;this.Xb=g.gJ(this.j.experiments,"html5_subsegment_readahead_target_buffer_health_secs");this.hj=g.gJ(this.j.experiments,"html5_subsegment_readahead_timeout_secs");this.rz=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs");this.dj= +g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");this.nD=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_load_speed");this.Eo=g.gJ(this.j.experiments,"html5_subsegment_readahead_load_speed_check_interval");this.wD=g.gJ(this.j.experiments,"html5_subsegment_readahead_seek_latency_fudge");this.Vf=15;this.rl=1;this.rd=!1;this.Nx=this.j.K("html5_restrict_streaming_xhr_on_sqless_requests");this.ox=g.gJ(this.j.experiments,"html5_max_headm_for_streaming_xhr"); +this.Ax=this.j.K("html5_pipeline_manifestless_allow_nonstreaming");this.Cx=this.j.K("html5_prefer_server_bwe3");this.mx=this.j.K("html5_last_slice_transition");this.Yy=this.j.K("html5_store_xhr_headers_readable");this.Mp=!1;this.Yn=0;this.zm=2;this.po=this.jm=!1;this.ul=g.gJ(this.j.experiments,"html5_max_drift_per_track_secs");this.Pn=this.j.K("html5_no_placeholder_rollbacks");this.kz=this.j.K("html5_subsegment_readahead_enable_mffa");this.uf=this.j.K("html5_allow_video_keyframe_without_audio");this.zx= +this.j.K("html5_enable_vp9_fairplay");this.ym=this.j.K("html5_never_pause_appends");this.uc=!0;this.ke=this.Ya=this.jc=!1;this.mm=!0;this.Ui=!1;this.u="";this.Qw=1048576;this.je=[];this.Sw=this.j.K("html5_woffle_resume");this.Qk=this.j.K("html5_abs_buffer_health");this.Pk=!1;this.lx=this.j.K("html5_interruption_resets_seeked_time");this.qx=g.gJ(this.j.experiments,"html5_max_live_dvr_window_plus_margin_secs")||46800;this.Qa=!1;this.ll=this.j.K("html5_explicitly_dispose_xhr");this.Zn=!1;this.sA=!this.j.K("html5_encourage_array_coalescing"); +this.hm=!1;this.Fx=this.j.K("html5_restart_on_unexpected_detach");this.ya=0;this.jl="";this.Pw=this.j.K("html5_disable_codec_for_playback_on_error");this.Si=!1;this.Uw=this.j.K("html5_filter_non_efficient_formats_for_safari");this.j.K("html5_format_hybridization");this.mA=this.j.K("html5_abort_before_separate_init");this.uy=bz();this.Wf=!1;this.Xy=this.j.K("html5_serialize_server_stitched_ad_request");this.tA=this.j.K("html5_skip_buffer_check_seek_to_head");this.Od=!1;this.rA=this.j.K("html5_attach_po_token_to_bandaid"); +this.tm=g.gJ(this.j.experiments,"html5_max_redirect_response_length")||8192;this.Zi=this.j.K("html5_rewrite_timestamps_for_webm");this.Pb=this.j.K("html5_only_media_duration_for_discontinuities");this.Ex=g.gJ(this.j.experiments,"html5_resource_bad_status_delay_scaling")||1;this.j.K("html5_onesie_live");this.dE=this.j.K("html5_onesie_premieres");this.Rw=this.j.K("html5_drop_onesie_for_live_mode_mismatch");this.xx=g.gJ(this.j.experiments,"html5_onesie_live_ttl_secs")||8;this.Qn=g.gJ(this.j.experiments, +"html5_attach_num_random_bytes_to_bandaid");this.Jy=this.j.K("html5_self_init_consolidation");this.yx=g.gJ(this.j.experiments,"html5_onesie_request_timeout_ms")||3E3;this.C=!1;this.nm=this.j.K("html5_new_sabr_buffer_timeline")||this.C;this.Aa=this.j.K("html5_ssdai_use_post_for_media")&&this.j.K("gab_return_sabr_ssdai_config");this.Xo=this.j.K("html5_use_post_for_media");this.Vo=g.gJ(this.j.experiments,"html5_url_padding_length");this.ij="";this.ot=this.j.K("html5_post_body_in_string");this.Bx=this.j.K("html5_post_body_as_prop"); +this.useUmp=this.j.K("html5_use_ump")||this.j.K("html5_cabr_utc_seek");this.Rk=this.j.K("html5_cabr_utc_seek");this.La=this.oa=!1;this.Wn=this.j.K("html5_prefer_drc");this.Dx=this.j.K("html5_reset_primary_stats_on_redirector_failure");this.j.K("html5_remap_to_original_host_when_redirected");this.B=!1;this.If=this.j.K("html5_enable_sabr_format_selection");this.uA=this.j.K("html5_iterative_seeking_buffered_time");this.Eq=this.j.K("html5_use_network_error_code_enums");this.Ow=this.j.K("html5_disable_overlapping_requests"); +this.Mw=this.j.K("html5_disable_cabr_request_timeout_for_sabr");this.Tw=this.j.K("html5_fallback_to_cabr_on_net_bad_status");this.Jf=this.j.K("html5_enable_sabr_partial_segments");this.Tb=!1;this.gA=this.j.K("html5_use_media_end_for_end_of_segment");this.nx=this.j.K("html5_log_smooth_audio_switching_reason");this.jE=this.j.K("html5_update_ctmp_rqs_logging");this.ql=!this.j.K("html5_remove_deprecated_ticks");this.Lw=this.j.K("html5_disable_bandwidth_cofactors_for_sabr")}; +yLa=function(a,b){1080>31));tL(a,16,b.v4);tL(a,18,b.o2);tL(a,19,b.n2);tL(a,21,b.h9);tL(a,23,b.X1);tL(a,28,b.l8);tL(a,34,b.visibility);xL(a,38,b.mediaCapabilities,zLa,3);tL(a,39,b.v9);tL(a,40,b.pT);uL(a,46,b.M2);tL(a,48,b.S8)}; +BLa=function(a){for(var b=[];jL(a,2);)b.push(iL(a));return{AK:b.length?b:void 0,videoId:nL(a,3),eQ:kL(a,4)}}; +zLa=function(a,b){var c;if(b.dQ)for(c=0;cMath.random()){var B=new g.bA("Unable to load player module",b,document.location&&document.location.origin);g.CD(B)}Ff(e);r&&r(z)}; +var v=m,x=v.onreadystatechange;v.onreadystatechange=function(z){switch(v.readyState){case "loaded":case "complete":Ff(f)}x&&x(z)}; +l&&((h=a.F.V().cspNonce)&&m.setAttribute("nonce",h),g.fk(m,g.wr(b)),h=g.Xe("HEAD")[0]||document.body,h.insertBefore(m,h.firstChild),g.bb(a,function(){m.parentNode&&m.parentNode.removeChild(m)}))}; +lMa=function(a,b,c,d,e){g.dE.call(this);var f=this;this.target=a;this.fF=b;this.u=0;this.I=!1;this.C=new g.Fe(NaN,NaN);this.j=new g.bI(this);this.ya=this.B=this.J=null;g.E(this,this.j);b=d||e?4E3:3E3;this.ea=new g.Ip(function(){QT(f,1,!1)},b,this); +g.E(this,this.ea);this.Z=new g.Ip(function(){QT(f,2,!1)},b,this); +g.E(this,this.Z);this.oa=new g.Ip(function(){QT(f,512,!1)},b,this); +g.E(this,this.oa);this.Aa=c&&0=c.width||!c.height||0>=c.height||g.UD(c.url)&&b.push({src:c.url||"",sizes:c.width+"x"+c.height,type:"image/jpeg"}));return b}; +zMa=function(a){var b=a.F.Cb();b=b.isCued()||b.isError()?"none":g.RO(b)?"playing":"paused";a.mediaSession.playbackState=b}; +AMa=function(a){g.U.call(this,{G:"div",N:"ytp-paid-content-overlay",X:{"aria-live":"assertive","aria-atomic":"true"}});this.F=a;this.videoId=null;this.B=!1;this.Te=this.j=null;var b=a.V();a.K("enable_new_paid_product_placement")&&!g.GK(b)?(this.u=new g.U({G:"a",N:"ytp-paid-content-overlay-link",X:{href:"{{href}}",target:"_blank"},W:[{G:"div",N:"ytp-paid-content-overlay-icon",ra:"{{icon}}"},{G:"div",N:"ytp-paid-content-overlay-text",ra:"{{text}}"},{G:"div",N:"ytp-paid-content-overlay-chevron",ra:"{{chevron}}"}]}), +this.S(this.u.element,"click",this.onClick)):this.u=new g.U({G:"div",Ia:["ytp-button","ytp-paid-content-overlay-text"],ra:"{{text}}"});this.C=new g.QQ(this.u,250,!1,100);g.E(this,this.u);this.u.Ea(this.element);g.E(this,this.C);this.F.Zf(this.element,this);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"presentingplayerstatechange",this.yd)}; +CMa=function(a,b){var c=Kza(b),d=BM(b);b.Kf&&a.F.Mo()||(a.j?b.videoId&&b.videoId!==a.videoId&&(g.Lp(a.j),a.videoId=b.videoId,a.B=!!d,a.B&&c&&BMa(a,d,c,b)):c&&d&&BMa(a,d,c,b))}; +BMa=function(a,b,c,d){a.j&&a.j.dispose();a.j=new g.Ip(a.Fb,b,a);g.E(a,a.j);var e,f;b=null==(e=d.getPlayerResponse())?void 0:null==(f=e.paidContentOverlay)?void 0:f.paidContentOverlayRenderer;e=null==b?void 0:b.navigationEndpoint;var h;f=null==b?void 0:null==(h=b.icon)?void 0:h.iconType;var l;h=null==(l=g.K(e,g.pM))?void 0:l.url;a.F.og(a.element,(null==e?void 0:e.clickTrackingParams)||null);a.u.update({href:null!=h?h:"#",text:c,icon:"MONEY_HAND"===f?{G:"svg",X:{fill:"none",height:"100%",viewBox:"0 0 24 24", +width:"100%"},W:[{G:"path",X:{d:"M6 9H5V5V4H6H19V5H6V9ZM21.72 16.04C21.56 16.8 21.15 17.5 20.55 18.05C20.47 18.13 18.42 20.01 14.03 20.01C13.85 20.01 13.67 20.01 13.48 20C11.3 19.92 8.51 19.23 5.4 18H2V10H5H6H7V6H21V13H16.72C16.37 13.59 15.74 14 15 14H12.7C13.01 14.46 13.56 15 14.5 15H15.02C16.07 15 17.1 14.64 17.92 13.98C18.82 13.26 20.03 13.22 20.91 13.84C21.58 14.32 21.9 15.19 21.72 16.04ZM15 10C15 9.45 14.55 9 14 9C13.45 9 13 9.45 13 10H15ZM20 11C19.45 11 19 11.45 19 12H20V11ZM19 7C19 7.55 19.45 8 20 8V7H19ZM8 8C8.55 8 9 7.55 9 7H8V8ZM8 10H12C12 8.9 12.9 8 14 8C15.1 8 16 8.9 16 10V10.28C16.59 10.63 17 11.26 17 12H18C18 10.9 18.9 10 20 10V9C18.9 9 18 8.1 18 7H10C10 8.1 9.1 9 8 9V10ZM5 13.5V11H3V17H5V13.5ZM20.33 14.66C19.81 14.29 19.1 14.31 18.6 14.71C17.55 15.56 16.29 16 15.02 16H14.5C12.62 16 11.67 14.46 11.43 13.64L11.24 13H15C15.55 13 16 12.55 16 12C16 11.45 15.55 11 15 11H6V13.5V17.16C8.9 18.29 11.5 18.93 13.52 19C17.85 19.15 19.85 17.34 19.87 17.32C20.33 16.9 20.62 16.4 20.74 15.84C20.84 15.37 20.68 14.91 20.33 14.66Z", +fill:"white"}}]}:null,chevron:h?g.iQ():null})}; +DMa=function(a,b){a.j&&(g.S(b,8)&&a.B?(a.B=!1,a.od(),a.j.start()):(g.S(b,2)||g.S(b,64))&&a.videoId&&(a.videoId=null))}; +cU=function(a){g.U.call(this,{G:"div",N:"ytp-spinner",W:[qMa(),{G:"div",N:"ytp-spinner-message",ra:"If playback doesn't begin shortly, try restarting your device."}]});this.api=a;this.message=this.Da("ytp-spinner-message");this.j=new g.Ip(this.show,500,this);g.E(this,this.j);this.S(a,"presentingplayerstatechange",this.onStateChange);this.S(a,"playbackstalledatstart",this.u);this.qc(a.Cb())}; +dU=function(a){var b=sJ(a.V().experiments,"mweb_muted_autoplay_animation"),c=[],d=[{G:"div",Ia:["ytp-unmute-icon"],W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 21.48,17.98 c 0,-1.77 -1.02,-3.29 -2.5,-4.03 v 2.21 l 2.45,2.45 c .03,-0.2 .05,-0.41 .05,-0.63 z m 2.5,0 c 0,.94 -0.2,1.82 -0.54,2.64 l 1.51,1.51 c .66,-1.24 1.03,-2.65 1.03,-4.15 0,-4.28 -2.99,-7.86 -7,-8.76 v 2.05 c 2.89,.86 5,3.54 5,6.71 z M 9.25,8.98 l -1.27,1.26 4.72,4.73 H 7.98 v 6 H 11.98 l 5,5 v -6.73 l 4.25,4.25 c -0.67,.52 -1.42,.93 -2.25,1.18 v 2.06 c 1.38,-0.31 2.63,-0.95 3.69,-1.81 l 2.04,2.05 1.27,-1.27 -9,-9 -7.72,-7.72 z m 7.72,.99 -2.09,2.08 2.09,2.09 V 9.98 z"}}]}]}, +{G:"div",Ia:["ytp-unmute-text"],ra:"Tap to unmute"}];"none"!==b&&(c.push("ytp-unmute-animated"),d.push({G:"div",Ia:["ytp-unmute-box"],W:[]}),"expand"===b?c.push("ytp-unmute-expand"):"shrink"===b&&c.push("ytp-unmute-shrink"));g.PS.call(this,a,{G:"button",Ia:["ytp-unmute","ytp-popup","ytp-button"].concat(c),W:[{G:"div",N:"ytp-unmute-inner",W:d}]},100);this.j=this.clicked=!1;this.api=a;this.api.sb(this.element,this,51663);this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange,this);this.S(a,"presentingplayerstatechange", +this.Hi);this.Ra("click",this.onClick,this);a=a.isMutedByMutedAutoplay()&&!g.fK(this.api.V());g.bQ(this,a);a&&EMa(this);this.B=a}; +EMa=function(a){a.j||(a.j=!0,a.api.Ua(a.element,!0))}; +g.eU=function(a){g.bI.call(this);var b=this;this.api=a;this.nN=!1;this.To=null;this.pF=!1;this.rg=null;this.aL=this.qI=!1;this.NP=this.OP=null;this.hV=NaN;this.MP=this.vB=!1;this.PC=0;this.jK=[];this.pO=!1;this.qC={height:0,width:0};this.X9=["ytp-player-content","html5-endscreen","ytp-overlay"];this.uN={HU:!1};var c=a.V(),d=a.jb();this.qC=a.getPlayerSize();this.BS=new g.Ip(this.DN,0,this);g.E(this,this.BS);g.oK(c)||(this.Fm=new g.TT(a),g.E(this,this.Fm),g.NS(a,this.Fm.element,4));if(FMa(this)){var e= +new cU(a);g.E(this,e);e=e.element;g.NS(a,e,4)}var f=a.getVideoData();this.Ve=new lMa(d,function(l){return b.fF(l)},f,c.ph,!1); +g.E(this,this.Ve);this.Ve.subscribe("autohideupdate",this.qn,this);if(!c.disablePaidContentOverlay){var h=new AMa(a);g.E(this,h);g.NS(a,h.element,4)}this.TP=new dU(a);g.E(this,this.TP);g.NS(this.api,this.TP.element,2);this.vM=this.api.isMutedByMutedAutoplay();this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange);this.pI=new g.Ip(this.fA,200,this);g.E(this,this.pI);this.GC=f.videoId;this.qX=new g.Ip(function(){b.PC=0},350); +g.E(this,this.qX);this.uF=new g.Ip(function(){b.MP||GMa(b)},350,this); +g.E(this,this.uF);f=a.getRootNode();f.setAttribute("aria-label","YouTube Video Player");switch(c.color){case "white":g.Qp(f,"ytp-color-white")}g.oK(c)&&g.Qp(f,"ytp-music-player");navigator.mediaSession&&null!=navigator.mediaSession.setActionHandler&&(f=new aU(a),g.E(this,f));this.S(a,"appresize",this.Db);this.S(a,"presentingplayerstatechange",this.Hi);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"videoplayerreset",this.G6);this.S(a,"autonavvisibility",function(){b.wp()}); +this.S(a,"sizestylechange",function(){b.wp()}); +this.S(d,"click",this.d7,this);this.S(d,"dblclick",this.e7,this);this.S(d,"mousedown",this.h7,this);c.Tb&&(this.S(d,"gesturechange",this.f7,this),this.S(d,"gestureend",this.g7,this));this.Ws=[d.kB];this.Fm&&this.Ws.push(this.Fm.element);e&&this.Ws.push(e)}; +HMa=function(a,b){if(!b)return!1;var c=a.api.qe();if(c.du()&&(c=c.ub())&&g.zf(c,b))return c.controls;for(c=0;c1+b&&a.api.toggleFullscreen()}; +FMa=function(a){a=Xy()&&67<=goa()&&!a.api.V().T;return!Wy("tizen")&&!cK&&!a&&!0}; +gU=function(a,b){b=void 0===b?2:b;g.dE.call(this);this.api=a;this.j=null;this.ud=new Jz(this);g.E(this,this.ud);this.u=qFa;this.ud.S(this.api,"presentingplayerstatechange",this.yd);this.j=this.ud.S(this.api,"progresssync",this.yc);this.In=b;1===this.In&&this.yc()}; +LMa=function(a){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-back-button"],W:[{G:"div",N:"ytp-arrow-back-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},W:[{G:"path",X:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",xc:!0,X:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.F=a;g.bQ(this,a.V().rl);this.Ra("click",this.onClick)}; +g.hU=function(a){g.U.call(this,{G:"div",W:[{G:"div",N:"ytp-bezel-text-wrapper",W:[{G:"div",N:"ytp-bezel-text",ra:"{{title}}"}]},{G:"div",N:"ytp-bezel",X:{role:"status","aria-label":"{{label}}"},W:[{G:"div",N:"ytp-bezel-icon",ra:"{{icon}}"}]}]});this.F=a;this.u=new g.Ip(this.show,10,this);this.j=new g.Ip(this.hide,500,this);g.E(this,this.u);g.E(this,this.j);this.hide()}; +jU=function(a,b,c){if(0>=b){c=tQ();b="muted";var d=0}else c=c?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", +fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";iU(a,c,b,d+"%")}; +MMa=function(a,b){b=b?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]};var c=a.F.getPlaybackRate(),d=g.lO("Speed is $RATE",{RATE:String(c)});iU(a,b,d,c+"x")}; +NMa=function(a,b){b=b?"Subtitles/closed captions on":"Subtitles/closed captions off";iU(a,pMa(),b)}; +iU=function(a,b,c,d){d=void 0===d?"":d;a.updateValue("label",void 0===c?"":c);a.updateValue("icon",b);g.Lp(a.j);a.u.start();a.updateValue("title",d);g.Up(a.element,"ytp-bezel-text-hide",!d)}; +PMa=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-cards-button"],X:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"span",N:"ytp-cards-button-icon-default",W:[{G:"div",N:"ytp-cards-button-icon",W:[a.V().K("player_new_info_card_format")?PEa():{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, +{G:"div",N:"ytp-cards-button-title",ra:"Info"}]},{G:"span",N:"ytp-cards-button-icon-shopping",W:[{G:"div",N:"ytp-cards-button-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",N:"ytp-svg-shadow",X:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",N:"ytp-svg-fill",X:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", +"fill-opacity":"1"}},{G:"path",N:"ytp-svg-shadow-fill",X:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", +N:"ytp-cards-button-title",ra:"Shopping"}]}]});this.F=a;this.B=b;this.C=c;this.j=null;this.u=new g.QQ(this,250,!0,100);g.E(this,this.u);g.Up(this.C,"ytp-show-cards-title",g.fK(a.V()));this.hide();this.Ra("click",this.L5);this.Ra("mouseover",this.f6);OMa(this,!0)}; +OMa=function(a,b){b?a.j=g.ZS(a.B.Ic(),a.element):(a.j=a.j,a.j(),a.j=null)}; +QMa=function(a,b,c){g.U.call(this,{G:"div",N:"ytp-cards-teaser",W:[{G:"div",N:"ytp-cards-teaser-box"},{G:"div",N:"ytp-cards-teaser-text",W:a.V().K("player_new_info_card_format")?[{G:"button",N:"ytp-cards-teaser-info-icon",X:{"aria-label":"Show cards","aria-haspopup":"true"},W:[PEa()]},{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"},{G:"button",N:"ytp-cards-teaser-close-button",X:{"aria-label":"Close"},W:[g.jQ()]}]:[{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"}]}]});var d=this;this.F=a;this.Z= +b;this.Wi=c;this.C=new g.QQ(this,250,!1,250);this.j=null;this.J=new g.Ip(this.s6,300,this);this.I=new g.Ip(this.r6,2E3,this);this.D=[];this.u=null;this.T=new g.Ip(function(){d.element.style.margin="0"},250); +this.onClickCommand=this.B=null;g.E(this,this.C);g.E(this,this.J);g.E(this,this.I);g.E(this,this.T);a.V().K("player_new_info_card_format")?(g.Qp(a.getRootNode(),"ytp-cards-teaser-dismissible"),this.S(this.Da("ytp-cards-teaser-close-button"),"click",this.Zo),this.S(this.Da("ytp-cards-teaser-info-icon"),"click",this.DP),this.S(this.Da("ytp-cards-teaser-label"),"click",this.DP)):this.Ra("click",this.DP);this.S(c.element,"mouseover",this.ER);this.S(c.element,"mouseout",this.DR);this.S(a,"cardsteasershow", +this.E7);this.S(a,"cardsteaserhide",this.Fb);this.S(a,"cardstatechange",this.CY);this.S(a,"presentingplayerstatechange",this.CY);this.S(a,"appresize",this.aQ);this.S(a,"onShowControls",this.aQ);this.S(a,"onHideControls",this.m2);this.Ra("mouseenter",this.g0)}; +RMa=function(a){g.U.call(this,{G:"button",Ia:[kU.BUTTON,kU.TITLE_NOTIFICATIONS],X:{"aria-pressed":"{{pressed}}","aria-label":"{{label}}"},W:[{G:"div",N:kU.TITLE_NOTIFICATIONS_ON,X:{title:"Stop getting notified about every new video","aria-label":"Notify subscriptions"},W:[g.nQ()]},{G:"div",N:kU.TITLE_NOTIFICATIONS_OFF,X:{title:"Get notified about every new video","aria-label":"Notify subscriptions"},W:[{G:"svg",X:{fill:"#fff",height:"24px",viewBox:"0 0 24 24",width:"24px"},W:[{G:"path",X:{d:"M18 11c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2v-5zm-6 11c.14 0 .27-.01.4-.04.65-.14 1.18-.58 1.44-1.18.1-.24.15-.5.15-.78h-4c.01 1.1.9 2 2.01 2z"}}]}]}]}); +this.api=a;this.j=!1;a.sb(this.element,this,36927);this.Ra("click",this.onClick,this);this.updateValue("pressed",!1);this.updateValue("label","Get notified about every new video")}; +SMa=function(a,b){a.j=b;a.element.classList.toggle(kU.NOTIFICATIONS_ENABLED,a.j);var c=a.api.getVideoData();c?(b=b?c.TI:c.RI)?(a=a.api.Mm())?tR(a,b):g.CD(Error("No innertube service available when updating notification preferences.")):g.CD(Error("No update preferences command available.")):g.CD(Error("No video data when updating notification preferences."))}; +g.lU=function(a,b,c){var d=void 0===d?800:d;var e=void 0===e?600:e;a=TMa(a,b);if(a=g.gk(a,"loginPopup","width="+d+",height="+e+",resizable=yes,scrollbars=yes"))Xqa(function(){c()}),a.moveTo((screen.width-d)/2,(screen.height-e)/2)}; +TMa=function(a,b){var c=document.location.protocol;return vfa(c+"//"+a+"/signin?context=popup","feature",b,"next",c+"//"+location.hostname+"/post_login")}; +g.nU=function(a,b,c,d,e,f,h,l,m,n,p,q,r){r=void 0===r?null:r;a=a.charAt(0)+a.substring(1).toLowerCase();c=c.charAt(0)+c.substring(1).toLowerCase();if("0"===b||"-1"===b)b=null;if("0"===d||"-1"===d)d=null;var v=q.V();p=v.userDisplayName&&g.lK(v);g.U.call(this,{G:"div",Ia:["ytp-button","ytp-sb"],W:[{G:"div",N:"ytp-sb-subscribe",X:p?{title:g.lO("Subscribe as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Subscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)), +tabindex:"0",role:"button"}:{"aria-label":"Subscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},a]},b?{G:"div",N:"ytp-sb-count",ra:b}:""]},{G:"div",N:"ytp-sb-unsubscribe",X:p?{title:g.lO("Subscribed as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Unsubscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)),tabindex:"0",role:"button"}:{"aria-label":"Unsubscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},c]}, +d?{G:"div",N:"ytp-sb-count",ra:d}:""]}],X:{"aria-live":"polite"}});var x=this;this.channelId=h;this.B=r;this.F=q;var z=this.Da("ytp-sb-subscribe"),B=this.Da("ytp-sb-unsubscribe");f&&g.Qp(this.element,"ytp-sb-classic");if(e){l?this.j():this.u();var F=function(){if(v.authUser){var D=x.channelId;if(m||n){var L={c:D};var P;g.fS.isInitialized()&&(P=xJa(L));L=P||"";if(P=q.getVideoData())if(P=P.subscribeCommand){var T=q.Mm();T?(tR(T,P,{botguardResponse:L,feature:m}),q.Na("SUBSCRIBE",D)):g.CD(Error("No innertube service available when updating subscriptions."))}else g.CD(Error("No subscribe command in videoData.")); +else g.CD(Error("No video data available when updating subscription."))}B.focus();B.removeAttribute("aria-hidden");z.setAttribute("aria-hidden","true")}else g.lU(g.yK(x.F.V()),"sb_button",x.C)},G=function(){var D=x.channelId; +if(m||n){var L=q.getVideoData();tR(q.Mm(),L.unsubscribeCommand,{feature:m});q.Na("UNSUBSCRIBE",D)}z.focus();z.removeAttribute("aria-hidden");B.setAttribute("aria-hidden","true")}; +this.S(z,"click",F);this.S(B,"click",G);this.S(z,"keypress",function(D){13===D.keyCode&&F(D)}); +this.S(B,"keypress",function(D){13===D.keyCode&&G(D)}); +this.S(q,"SUBSCRIBE",this.j);this.S(q,"UNSUBSCRIBE",this.u);this.B&&p&&(this.tooltip=this.B.Ic(),mU(this.tooltip),g.bb(this,g.ZS(this.tooltip,z)),g.bb(this,g.ZS(this.tooltip,B)))}else g.Qp(z,"ytp-sb-disabled"),g.Qp(B,"ytp-sb-disabled")}; +VMa=function(a,b){g.U.call(this,{G:"div",N:"ytp-title-channel",W:[{G:"div",N:"ytp-title-beacon"},{G:"a",N:"ytp-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-title-expanded-overlay",X:{"aria-hidden":"{{flyoutUnfocusable}}"},W:[{G:"div",N:"ytp-title-expanded-heading",W:[{G:"div",N:"ytp-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,"aria-hidden":"{{shouldHideExpandedTitleForA11y}}", +tabIndex:"{{channelTitleFocusable}}"}}]},{G:"div",N:"ytp-title-expanded-subtitle",ra:"{{expandedSubtitle}}",X:{"aria-hidden":"{{shouldHideExpandedSubtitleForA11y}}"}}]}]}]});var c=this;this.api=a;this.D=b;this.channel=this.Da("ytp-title-channel");this.j=this.Da("ytp-title-channel-logo");this.channelName=this.Da("ytp-title-expanded-title");this.I=this.Da("ytp-title-expanded-overlay");this.B=this.u=this.subscribeButton=null;this.C=!1;a.sb(this.j,this,36925);a.sb(this.channelName,this,37220);g.fK(this.api.V())&& +UMa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&(this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(oU(c));d.preventDefault()}),this.S(this.j,"click",this.I5)); +this.Pa()}; +WMa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.D);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.I);a.subscribeButton.hide();var e=new RMa(a.api);a.u=e;g.E(a,e);e.Ea(a.I);e.hide();a.S(a.api,"SUBSCRIBE",function(){b.ll&&(e.show(),a.api.Ua(e.element,!0))}); +a.S(a.api,"UNSUBSCRIBE",function(){b.ll&&(e.hide(),a.api.Ua(e.element,!1),SMa(e,!1))})}}; +UMa=function(a){var b=a.api.V();WMa(a);a.updateValue("flyoutUnfocusable","true");a.updateValue("channelTitleFocusable","-1");a.updateValue("shouldHideExpandedTitleForA11y","true");a.updateValue("shouldHideExpandedSubtitleForA11y","true");b.u||b.tb?a.S(a.j,"click",function(c){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||(XMa(a)&&(c.preventDefault(),a.isExpanded()?a.nF():a.CF()),a.api.qb(a.j))}):(a.S(a.channel,"mouseenter",a.CF),a.S(a.channel,"mouseleave",a.nF),a.S(a.channel,"focusin", +a.CF),a.S(a.channel,"focusout",function(c){a.channel.contains(c.relatedTarget)||a.nF()}),a.S(a.j,"click",function(){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||a.api.qb(a.j)})); +a.B=new g.Ip(function(){a.isExpanded()&&(a.api.K("web_player_ve_conversion_fixes_for_channel_info")&&a.api.Ua(a.channelName,!1),a.subscribeButton&&(a.subscribeButton.hide(),a.api.Ua(a.subscribeButton.element,!1)),a.u&&(a.u.hide(),a.api.Ua(a.u.element,!1)),a.channel.classList.remove("ytp-title-expanded"),a.channel.classList.add("ytp-title-show-collapsed"))},500); +g.E(a,a.B);a.S(a.channel,YMa,function(){ZMa(a)}); +a.S(a.api,"onHideControls",a.RO);a.S(a.api,"appresize",a.RO);a.S(a.api,"fullscreentoggled",a.RO)}; +ZMa=function(a){a.channel.classList.remove("ytp-title-show-collapsed");a.channel.classList.remove("ytp-title-show-expanded")}; +XMa=function(a){var b=a.api.getPlayerSize();return g.fK(a.api.V())&&524<=b.width}; +oU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +pU=function(a,b,c,d,e,f){var h={G:"div",N:"ytp-panel"};if(c){var l="ytp-panel-back-button";var m="ytp-panel-title";var n={G:"div",N:"ytp-panel-header",W:[{G:"div",Ia:["ytp-panel-back-button-container"],W:[{X:{"aria-label":"Back to previous menu"},G:"button",Ia:["ytp-button",l]}]},{X:{tabindex:"0"},G:"span",Ia:[m],W:[c]}]};if(e){var p="ytp-panel-options";n.W.push({G:"button",Ia:["ytp-button",p],W:[d]})}h.W=[n]}d=!1;f&&(f={G:"div",N:"ytp-panel-footer",W:[f]},d=!0,h.W?h.W.push(f):h.W=[f]);g.dQ.call(this, +h);this.content=b;d&&h.W?b.Ea(this.element,h.W.length-1):b.Ea(this.element);this.yU=!1;this.xU=d;c&&(c=this.Da(l),m=this.Da(m),this.S(c,"click",this.WV),this.S(m,"click",this.WV),this.yU=!0,e&&(p=this.Da(p),this.S(p,"click",e)));b.subscribe("size-change",this.cW,this);this.S(a,"fullscreentoggled",this.cW);this.F=a}; +g.qU=function(a,b,c,d,e,f){b=void 0===b?null:b;var h={role:"menu"};b&&(h.id=b);b=new g.dQ({G:"div",N:"ytp-panel-menu",X:h});pU.call(this,a,b,c,d,e,f);this.menuItems=b;this.items=[];g.E(this,this.menuItems)}; +g.$Ma=function(a){for(var b=g.t(a.items),c=b.next();!c.done;c=b.next())c.value.unsubscribe("size-change",a.WN,a);a.items=[];g.vf(a.menuItems.element);a.menuItems.ma("size-change")}; +aNa=function(a,b){return b.priority-a.priority}; +rU=function(a){var b=g.TS({"aria-haspopup":"true"});g.SS.call(this,b,a);this.Ra("keydown",this.j)}; +sU=function(a,b){a.element.setAttribute("aria-haspopup",String(b))}; +bNa=function(a,b){g.U.call(this,{G:"div",N:"ytp-user-info-panel",X:{"aria-label":"User info"},W:a.V().authUser&&!a.K("embeds_web_always_enable_signed_out_state")?[{G:"div",N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable}}",role:"text"},ra:"{{watchingAsUsername}}"},{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable2}}",role:"text"},ra:"{{watchingAsEmail}}"}]}]:[{G:"div", +N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",W:[{G:"text",X:{tabIndex:"{{userInfoFocusable}}"},ra:"Signed out"}]},{G:"div",N:"ytp-user-info-panel-login",W:[{G:"a",X:{tabIndex:"{{userInfoFocusable2}}",role:"button"},ra:a.V().uc?"":"Sign in on YouTube"}]}]}]});this.Ta=a;this.j=b;a.V().authUser||a.V().uc||(a=this.Da("ytp-user-info-panel-login"),this.S(a,"click",this.j0));this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"}, +W:[g.sQ()]});this.closeButton.Ea(this.element);g.E(this,this.closeButton);this.S(window,"blur",this.hide);this.S(document,"click",this.h0);this.Pa()}; +dNa=function(a,b,c,d){g.qU.call(this,a);this.Eb=c;this.Qc=d;this.getVideoUrl=new rU(6);this.Pm=new rU(5);this.Jm=new rU(4);this.lc=new rU(3);this.HD=new g.SS(g.TS({href:"{{href}}",target:this.F.V().ea},void 0,!0),2,"Troubleshoot playback issue");this.showVideoInfo=new g.SS(g.TS(),1,"Stats for nerds");this.ey=new g.dQ({G:"div",Ia:["ytp-copytext","ytp-no-contextmenu"],X:{draggable:"false",tabindex:"1"},ra:"{{text}}"});this.cT=new pU(this.F,this.ey);this.lE=this.Js=null;g.fK(this.F.V())&&this.F.K("embeds_web_enable_new_context_menu_triggering")&& +(this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"},W:[g.sQ()]}),g.E(this,this.closeButton),this.closeButton.Ea(this.element),this.closeButton.Ra("click",this.q2,this));g.fK(this.F.V())&&(this.Uk=new g.SS(g.TS(),8,"Account"),g.E(this,this.Uk),this.Zc(this.Uk,!0),this.Uk.Ra("click",this.r7,this),a.sb(this.Uk.element,this.Uk,137682));this.F.V().tm&&(this.Gk=new aT("Loop",7),g.E(this,this.Gk),this.Zc(this.Gk,!0),this.Gk.Ra("click",this.l6,this),a.sb(this.Gk.element, +this.Gk,28661));g.E(this,this.getVideoUrl);this.Zc(this.getVideoUrl,!0);this.getVideoUrl.Ra("click",this.d6,this);a.sb(this.getVideoUrl.element,this.getVideoUrl,28659);g.E(this,this.Pm);this.Zc(this.Pm,!0);this.Pm.Ra("click",this.e6,this);a.sb(this.Pm.element,this.Pm,28660);g.E(this,this.Jm);this.Zc(this.Jm,!0);this.Jm.Ra("click",this.c6,this);a.sb(this.Jm.element,this.Jm,28658);g.E(this,this.lc);this.Zc(this.lc,!0);this.lc.Ra("click",this.b6,this);g.E(this,this.HD);this.Zc(this.HD,!0);this.HD.Ra("click", +this.Z6,this);g.E(this,this.showVideoInfo);this.Zc(this.showVideoInfo,!0);this.showVideoInfo.Ra("click",this.s7,this);g.E(this,this.ey);this.ey.Ra("click",this.Q5,this);g.E(this,this.cT);b=document.queryCommandSupported&&document.queryCommandSupported("copy");43<=xc("Chromium")&&(b=!0);40>=xc("Firefox")&&(b=!1);b&&(this.Js=new g.U({G:"textarea",N:"ytp-html5-clipboard",X:{readonly:"",tabindex:"-1"}}),g.E(this,this.Js),this.Js.Ea(this.element));var e;null==(e=this.Uk)||US(e,SEa());var f;null==(f=this.Gk)|| +US(f,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M7 7H17V10L21 6L17 2V5H5V11H7V7ZM17 17H7V14L3 18L7 22V19H19V13H17V17Z",fill:"white"}}]});US(this.lc,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M20 10V8H17.19C16.74 7.22 16.12 6.54 15.37 6.04L17 4.41L15.59 3L13.42 5.17C13.39 5.16 13.37 5.16 13.34 5.16C13.18 5.12 13.02 5.1 12.85 5.07C12.79 5.06 12.74 5.05 12.68 5.04C12.46 5.02 12.23 5 12 5C11.51 5 11.03 5.07 10.58 5.18L10.6 5.17L8.41 3L7 4.41L8.62 6.04H8.63C7.88 6.54 7.26 7.22 6.81 8H4V10H6.09C6.03 10.33 6 10.66 6 11V12H4V14H6V15C6 15.34 6.04 15.67 6.09 16H4V18H6.81C7.85 19.79 9.78 21 12 21C14.22 21 16.15 19.79 17.19 18H20V16H17.91C17.96 15.67 18 15.34 18 15V14H20V12H18V11C18 10.66 17.96 10.33 17.91 10H20ZM16 15C16 17.21 14.21 19 12 19C9.79 19 8 17.21 8 15V11C8 8.79 9.79 7 12 7C14.21 7 16 8.79 16 11V15ZM10 14H14V16H10V14ZM10 10H14V12H10V10Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.HD,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M2 12C2 6.48 6.48 2 12 2C17.52 2 22 6.48 22 12C22 17.52 17.52 22 12 22C6.48 22 2 17.52 2 12ZM13 16V18H11V16H13ZM12 20C7.59 20 4 16.41 4 12C4 7.59 7.59 4 12 4C16.41 4 20 7.59 20 12C20 16.41 16.41 20 12 20ZM8 10C8 7.79 9.79 6 12 6C14.21 6 16 7.79 16 10C16 11.28 15.21 11.97 14.44 12.64C13.71 13.28 13 13.90 13 15H11C11 13.17 11.94 12.45 12.77 11.82C13.42 11.32 14 10.87 14 10C14 8.9 13.1 8 12 8C10.9 8 10 8.9 10 10H8Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.showVideoInfo,OEa());this.S(a,"onLoopChange",this.onLoopChange);this.S(a,"videodatachange",this.onVideoDataChange);cNa(this);this.iP(this.F.getVideoData())}; +uU=function(a,b){var c=!1;if(a.Js){var d=a.Js.element;d.value=b;d.select();try{c=document.execCommand("copy")}catch(e){}}c?a.Eb.Fb():(a.ey.ge(b,"text"),g.tU(a.Eb,a.cT),rMa(a.ey.element),a.Js&&(a.Js=null,cNa(a)));return c}; +cNa=function(a){var b=!!a.Js;g.RS(a.lc,b?"Copy debug info":"Get debug info");sU(a.lc,!b);g.RS(a.Jm,b?"Copy embed code":"Get embed code");sU(a.Jm,!b);g.RS(a.getVideoUrl,b?"Copy video URL":"Get video URL");sU(a.getVideoUrl,!b);g.RS(a.Pm,b?"Copy video URL at current time":"Get video URL at current time");sU(a.Pm,!b);US(a.Jm,b?MEa():null);US(a.getVideoUrl,b?lQ():null);US(a.Pm,b?lQ():null)}; +eNa=function(a){return g.fK(a.F.V())?a.Uk:a.Gk}; +g.vU=function(a,b){g.PS.call(this,a,{G:"div",Ia:["ytp-popup",b||""]},100,!0);this.j=[];this.I=this.D=null;this.UE=this.maxWidth=0;this.size=new g.He(0,0);this.Ra("keydown",this.k0)}; +fNa=function(a){var b=a.j[a.j.length-1];if(b){g.Rm(a.element,a.maxWidth||"100%",a.UE||"100%");g.Hm(b.element,"width","");g.Hm(b.element,"height","");g.Hm(b.element,"maxWidth","100%");g.Hm(b.element,"maxHeight","100%");g.Hm(b.content.element,"height","");var c=g.Sm(b.element);c.width+=1;c.height+=1;g.Hm(b.element,"width",c.width+"px");g.Hm(b.element,"height",c.height+"px");g.Hm(b.element,"maxWidth","");g.Hm(b.element,"maxHeight","");var d=0;b.yU&&(d=b.Da("ytp-panel-header"),d=g.Sm(d).height);var e= +0;b.xU&&(e=b.Da("ytp-panel-footer"),g.Hm(e,"width",c.width+"px"),e=g.Sm(e).height);g.Hm(b.content.element,"height",c.height-d-e+"px");b.element instanceof HTMLElement&&(d=b.element,e=d.scrollWidth-d.clientWidth,0=a.j.length)){var b=a.j.pop(),c=a.j[0];a.j=[c];gNa(a,b,c,!0)}}; +gNa=function(a,b,c,d){hNa(a);b&&(b.unsubscribe("size-change",a.lA,a),b.unsubscribe("back",a.nj,a));c.subscribe("size-change",a.lA,a);c.subscribe("back",a.nj,a);if(a.yb){g.Qp(c.element,d?"ytp-panel-animate-back":"ytp-panel-animate-forward");c.Ea(a.element);c.focus();a.element.scrollLeft=0;a.element.scrollTop=0;var e=a.size;fNa(a);g.Rm(a.element,e);a.D=new g.Ip(function(){iNa(a,b,c,d)},20,a); +a.D.start()}else c.Ea(a.element),b&&b.detach()}; +iNa=function(a,b,c,d){a.D.dispose();a.D=null;g.Qp(a.element,"ytp-popup-animating");d?(g.Qp(b.element,"ytp-panel-animate-forward"),g.Sp(c.element,"ytp-panel-animate-back")):(g.Qp(b.element,"ytp-panel-animate-back"),g.Sp(c.element,"ytp-panel-animate-forward"));g.Rm(a.element,a.size);a.I=new g.Ip(function(){g.Sp(a.element,"ytp-popup-animating");b.detach();g.Tp(b.element,["ytp-panel-animate-back","ytp-panel-animate-forward"]);a.I.dispose();a.I=null},250,a); +a.I.start()}; +hNa=function(a){a.D&&g.Kp(a.D);a.I&&g.Kp(a.I)}; +g.xU=function(a,b,c){g.vU.call(this,a);this.Aa=b;this.Qc=c;this.C=new g.bI(this);this.oa=new g.Ip(this.J7,1E3,this);this.ya=this.B=null;g.E(this,this.C);g.E(this,this.oa);a.sb(this.element,this,28656);g.Qp(this.element,"ytp-contextmenu");jNa(this);this.hide()}; +jNa=function(a){g.Lz(a.C);var b=a.F.V();"gvn"===b.playerStyle||(b.u||b.tb)&&b.K("embeds_web_enable_new_context_menu_triggering")||(b=a.F.jb(),a.C.S(b,"contextmenu",a.O5),a.C.S(b,"touchstart",a.m0,null,!0),a.C.S(b,"touchmove",a.GW,null,!0),a.C.S(b,"touchend",a.GW,null,!0))}; +kNa=function(a){a.F.isFullscreen()?g.NS(a.F,a.element,10):a.Ea(document.body)}; +g.yU=function(a,b,c){c=void 0===c?240:c;g.U.call(this,{G:"button",Ia:["ytp-button","ytp-copylink-button"],X:{title:"{{title-attr}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-copylink-icon",ra:"{{icon}}"},{G:"div",N:"ytp-copylink-title",ra:"Copy link",X:{"aria-hidden":"true"}}]});this.api=a;this.j=b;this.u=c;this.visible=!1;this.tooltip=this.j.Ic();b=a.V();mU(this.tooltip);g.Up(this.element,"ytp-show-copylink-title",g.fK(b)&&!g.oK(b));a.sb(this.element,this,86570);this.Ra("click", +this.onClick);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.S(a,"appresize",this.Pa);this.Pa();g.bb(this,g.ZS(this.tooltip,this.element))}; +lNa=function(a){var b=a.api.V(),c=a.api.getVideoData(),d=a.api.jb().getPlayerSize().width,e=b.K("shorts_mode_to_player_api")?a.api.Sb():a.j.Sb(),f=b.B;return!!c.videoId&&d>=a.u&&c.ao&&!(c.D&&b.Z)&&!e&&!f}; +mNa=function(a){a.updateValue("icon",gQ());if(a.api.V().u)zU(a.tooltip,a.element,"Link copied to clipboard");else{a.updateValue("title-attr","Link copied to clipboard");$S(a.tooltip);zU(a.tooltip,a.element);var b=a.Ra("mouseleave",function(){a.Hc(b);a.Pa();a.tooltip.rk()})}}; +nNa=function(a,b){return g.A(function(c){if(1==c.j)return g.pa(c,2),g.y(c,navigator.clipboard.writeText(b),4);if(2!=c.j)return c.return(!0);g.sa(c);var d=c.return,e=!1,f=g.qf("TEXTAREA");f.value=b;f.setAttribute("readonly","");var h=a.api.getRootNode();h.appendChild(f);if(nB){var l=window.getSelection();l.removeAllRanges();var m=document.createRange();m.selectNodeContents(f);l.addRange(m);f.setSelectionRange(0,b.length)}else f.select();try{e=document.execCommand("copy")}catch(n){}h.removeChild(f); +return d.call(c,e)})}; +AU=function(a){g.U.call(this,{G:"div",N:"ytp-doubletap-ui-legacy",W:[{G:"div",N:"ytp-doubletap-fast-forward-ve"},{G:"div",N:"ytp-doubletap-rewind-ve"},{G:"div",N:"ytp-doubletap-static-circle",W:[{G:"div",N:"ytp-doubletap-ripple"}]},{G:"div",N:"ytp-doubletap-overlay-a11y"},{G:"div",N:"ytp-doubletap-seek-info-container",W:[{G:"div",N:"ytp-doubletap-arrows-container",W:[{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"}]},{G:"div", +N:"ytp-doubletap-tooltip",W:[{G:"div",N:"ytp-chapter-seek-text-legacy",ra:"{{seekText}}"},{G:"div",N:"ytp-doubletap-tooltip-label",ra:"{{seekTime}}"}]}]}]});this.F=a;this.C=new g.Ip(this.show,10,this);this.u=new g.Ip(this.hide,700,this);this.I=this.B=0;this.D=!1;this.j=this.Da("ytp-doubletap-static-circle");g.E(this,this.C);g.E(this,this.u);this.hide();this.J=this.Da("ytp-doubletap-fast-forward-ve");this.T=this.Da("ytp-doubletap-rewind-ve");this.F.sb(this.J,this,28240);this.F.sb(this.T,this,28239); +this.F.Ua(this.J,!0);this.F.Ua(this.T,!0);this.D=a.K("web_show_cumulative_seek_time")}; +BU=function(a,b,c){a.B=b===a.I?a.B+c:c;a.I=b;var d=a.F.jb().getPlayerSize();a.D?a.u.stop():g.Lp(a.u);a.C.start();a.element.setAttribute("data-side",-1===b?"back":"forward");g.Qp(a.element,"ytp-time-seeking");a.j.style.width="110px";a.j.style.height="110px";1===b?(a.j.style.right="",a.j.style.left=.8*d.width-30+"px"):-1===b&&(a.j.style.right="",a.j.style.left=.1*d.width-15+"px");a.j.style.top=.5*d.height+15+"px";oNa(a,a.D?a.B:c)}; +pNa=function(a,b,c){g.Lp(a.u);a.C.start();switch(b){case -1:b="back";break;case 1:b="forward";break;default:b=""}a.element.setAttribute("data-side",b);a.j.style.width="0";a.j.style.height="0";g.Qp(a.element,"ytp-chapter-seek");a.updateValue("seekText",c);a.updateValue("seekTime","")}; +oNa=function(a,b){b=g.lO("$TOTAL_SEEK_TIME seconds",{TOTAL_SEEK_TIME:b.toString()});a.updateValue("seekTime",b)}; +EU=function(a,b,c){c=void 0===c?!0:c;g.U.call(this,{G:"div",N:"ytp-suggested-action"});var d=this;this.F=a;this.kb=b;this.Xa=this.Z=this.C=this.u=this.j=this.D=this.expanded=this.enabled=this.ya=!1;this.La=new g.Ip(function(){d.badge.element.style.width=""},200,this); +this.oa=new g.Ip(function(){CU(d);DU(d)},200,this); +this.dismissButton=new g.U({G:"button",Ia:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.E(this,this.dismissButton);this.B=new g.U({G:"div",N:"ytp-suggested-action-badge-expanded-content-container",W:[{G:"label",N:"ytp-suggested-action-badge-title",ra:"{{badgeLabel}}"},this.dismissButton]});g.E(this,this.B);this.ib=new g.U({G:"div",N:"ytp-suggested-action-badge-icon-container",W:[c?{G:"div",N:"ytp-suggested-action-badge-icon"}:""]});g.E(this,this.ib);this.badge=new g.U({G:"button", +Ia:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],W:[this.ib,this.B]});g.E(this,this.badge);this.badge.Ea(this.element);this.I=new g.QQ(this.badge,250,!1,100);g.E(this,this.I);this.Ga=new g.QQ(this.B,250,!1,100);g.E(this,this.Ga);this.Qa=new g.Gp(this.g9,null,this);g.E(this,this.Qa);this.Aa=new g.Gp(this.S2,null,this);g.E(this,this.Aa);g.E(this,this.La);g.E(this,this.oa);this.F.Zf(this.badge.element,this.badge,!0);this.F.Zf(this.dismissButton.element,this.dismissButton, +!0);this.S(this.F,"onHideControls",function(){d.C=!1;DU(d);CU(d);d.dl()}); +this.S(this.F,"onShowControls",function(){d.C=!0;DU(d);CU(d);d.dl()}); +this.S(this.badge.element,"click",this.YG);this.S(this.dismissButton.element,"click",this.WC);this.S(this.F,"pageTransition",this.n0);this.S(this.F,"appresize",this.dl);this.S(this.F,"fullscreentoggled",this.Z5);this.S(this.F,"cardstatechange",this.F5);this.S(this.F,"annotationvisibility",this.J9,this);this.S(this.F,"offlineslatestatechange",this.K9,this)}; +CU=function(a){g.Up(a.badge.element,"ytp-suggested-action-badge-with-controls",a.C||!a.D)}; +DU=function(a,b){var c=a.oP();a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.Qa.stop(),a.Aa.stop(),a.La.stop(),a.Qa.start()):(g.bQ(a.B,a.expanded),g.Up(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),qNa(a))}; +qNa=function(a){a.j&&a.F.Ua(a.badge.element,a.Yz());a.u&&a.F.Ua(a.dismissButton.element,a.Yz()&&a.oP())}; +rNa=function(a){var b=a.text||"";g.Af(g.kf("ytp-suggested-action-badge-title",a.element),b);cQ(a.badge,b);cQ(a.dismissButton,a.Ya?a.Ya:"")}; +FU=function(a,b){b?a.u&&a.F.qb(a.dismissButton.element):a.j&&a.F.qb(a.badge.element)}; +sNa=function(a,b){EU.call(this,a,b,!1);this.T=[];this.D=!0;this.badge.element.classList.add("ytp-featured-product");this.banner=new g.U({G:"a",N:"ytp-featured-product-container",X:{href:"{{url}}",target:"_blank"},W:[{G:"div",N:"ytp-featured-product-thumbnail",W:[{G:"img",X:{src:"{{thumbnail}}"}},{G:"div",N:"ytp-featured-product-open-in-new"}]},{G:"div",N:"ytp-featured-product-details",W:[{G:"text",N:"ytp-featured-product-title",ra:"{{title}}"},{G:"text",N:"ytp-featured-product-vendor",ra:"{{vendor}}"}, +{G:"text",N:"ytp-featured-product-price",ra:"{{price}}"}]},this.dismissButton]});g.E(this,this.banner);this.banner.Ea(this.B.element);this.S(this.F,g.ZD("featured_product"),this.W8);this.S(this.F,g.$D("featured_product"),this.NH);this.S(this.F,"videodatachange",this.onVideoDataChange)}; +uNa=function(a,b){tNa(a);if(b){var c=g.sM.getState().entities;c=CL(c,"featuredProductsEntity",b);if(null!=c&&c.productsData){b=[];c=g.t(c.productsData);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0;if(null!=(e=d)&&e.identifier&&d.featuredSegments){a.T.push(d);var f=void 0;e=g.t(null==(f=d)?void 0:f.featuredSegments);for(f=e.next();!f.done;f=e.next())(f=f.value)&&b.push(new g.XD(1E3*Number(f.startTimeSec),1E3*Number(f.endTimeSec)||0x7ffffffffffff,{id:d.identifier,namespace:"featured_product"}))}}a.F.ye(b)}}}; +tNa=function(a){a.T=[];a.F.Ff("featured_product")}; +xNa=function(a,b,c){g.U.call(this,{G:"div",Ia:["ytp-info-panel-action-item"],W:[{G:"div",N:"ytp-info-panel-action-item-disclaimer",ra:"{{disclaimer}}"},{G:"a",Ia:["ytp-info-panel-action-item-button","ytp-button"],X:{role:"button",href:"{{url}}",target:"_blank",rel:"noopener"},W:[{G:"div",N:"ytp-info-panel-action-item-icon",ra:"{{icon}}"},{G:"div",N:"ytp-info-panel-action-item-label",ra:"{{label}}"}]}]});this.F=a;this.j=c;this.disclaimer=this.Da("ytp-info-panel-action-item-disclaimer");this.button= +this.Da("ytp-info-panel-action-item-button");this.De=!1;this.F.Zf(this.element,this,!0);this.Ra("click",this.onClick);a="";c=g.K(null==b?void 0:b.onTap,g.gT);var d=g.K(c,g.pM);this.De=!1;d?(a=d.url||"",a.startsWith("//")&&(a="https:"+a),this.De=!0,ck(this.button,g.he(a))):(d=g.K(c,vNa))&&!this.j?((a=d.phoneNumbers)&&0b);d=a.next())c++;return 0===c?c:c-1}; +FNa=function(a,b){for(var c=0,d=g.t(a),e=d.next();!e.done;e=d.next()){e=e.value;if(b=e.timeRangeStartMillis&&b=a.C&&!b}; +YNa=function(a,b){"InvalidStateError"!==b.name&&"AbortError"!==b.name&&("NotAllowedError"===b.name?(a.j.Il(),QS(a.B,a.element,!1)):g.CD(b))}; +g.RU=function(a,b){var c=YP(),d=a.V();c={G:"div",N:"ytp-share-panel",X:{id:YP(),role:"dialog","aria-labelledby":c},W:[{G:"div",N:"ytp-share-panel-inner-content",W:[{G:"div",N:"ytp-share-panel-title",X:{id:c},ra:"Share"},{G:"a",Ia:["ytp-share-panel-link","ytp-no-contextmenu"],X:{href:"{{link}}",target:d.ea,title:"Share link","aria-label":"{{shareLinkWithUrl}}"},ra:"{{linkText}}"},{G:"label",N:"ytp-share-panel-include-playlist",W:[{G:"input",N:"ytp-share-panel-include-playlist-checkbox",X:{type:"checkbox", +checked:"true"}},"Include playlist"]},{G:"div",N:"ytp-share-panel-loading-spinner",W:[qMa()]},{G:"div",N:"ytp-share-panel-service-buttons",ra:"{{buttons}}"},{G:"div",N:"ytp-share-panel-error",ra:"An error occurred while retrieving sharing information. Please try again later."}]},{G:"button",Ia:["ytp-share-panel-close","ytp-button"],X:{title:"Close"},W:[g.jQ()]}]};g.PS.call(this,a,c,250);var e=this;this.moreButton=null;this.api=a;this.tooltip=b.Ic();this.B=[];this.D=this.Da("ytp-share-panel-inner-content"); +this.closeButton=this.Da("ytp-share-panel-close");this.S(this.closeButton,"click",this.Fb);g.bb(this,g.ZS(this.tooltip,this.closeButton));this.C=this.Da("ytp-share-panel-include-playlist-checkbox");this.S(this.C,"click",this.Pa);this.j=this.Da("ytp-share-panel-link");g.bb(this,g.ZS(this.tooltip,this.j));this.api.sb(this.j,this,164503);this.S(this.j,"click",function(f){if(e.api.K("web_player_add_ve_conversion_logging_to_outbound_links")){g.EO(f);e.api.qb(e.j);var h=e.api.getVideoUrl(!0,!0,!1,!1);h= +ZNa(e,h);g.VT(h,e.api,f)&&e.api.Na("SHARE_CLICKED")}else e.api.qb(e.j)}); +this.Ra("click",this.v0);this.S(a,"videoplayerreset",this.hide);this.S(a,"fullscreentoggled",this.onFullscreenToggled);this.S(a,"onLoopRangeChange",this.B4);this.hide()}; +aOa=function(a,b){$Na(a);for(var c=b.links||b.shareTargets,d=0,e={},f=0;fd;e={rr:e.rr,fk:e.fk},f++){e.rr=c[f];a:switch(e.rr.img||e.rr.iconId){case "facebook":var h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", +fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", +fill:"#01abf0"}}]};break a;default:h=null}if(h){var l=e.rr.sname||e.rr.serviceName;e.fk=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],X:{href:e.rr.url,target:"_blank",title:l},W:[h]});e.fk.Ra("click",function(p){return function(q){if(g.fR(q)){var r=p.rr.url;var v=void 0===v?{}:v;v.target=v.target||"YouTube";v.width=v.width||"600";v.height=v.height||"600";var x=v;x||(x={});v=window;var z=r instanceof ae?r:g.he("undefined"!=typeof r.href?r.href:String(r));var B=void 0!==self.crossOriginIsolated, +F="strict-origin-when-cross-origin";window.Request&&(F=(new Request("/")).referrerPolicy);var G="unsafe-url"===F;F=x.noreferrer;if(B&&F){if(G)throw Error("Cannot use the noreferrer option on a page that sets a referrer-policy of `unsafe-url` in modern browsers!");F=!1}r=x.target||r.target;B=[];for(var D in x)switch(D){case "width":case "height":case "top":case "left":B.push(D+"="+x[D]);break;case "target":case "noopener":case "noreferrer":break;default:B.push(D+"="+(x[D]?1:0))}D=B.join(",");Cc()&& +v.navigator&&v.navigator.standalone&&r&&"_self"!=r?(x=g.qf("A"),g.xe(x,z),x.target=r,F&&(x.rel="noreferrer"),z=document.createEvent("MouseEvent"),z.initMouseEvent("click",!0,!0,v,1),x.dispatchEvent(z),v={}):F?(v=Zba("",v,r,D),z=g.be(z),v&&(g.HK&&g.Vb(z,";")&&(z="'"+z.replace(/'/g,"%27")+"'"),v.opener=null,""===z&&(z="javascript:''"),g.Xd("b/12014412, meta tag with sanitized URL"),z='',z=g.we(z),(x= +v.document)&&x.write&&(x.write(g.ve(z)),x.close()))):((v=Zba(z,v,r,D))&&x.noopener&&(v.opener=null),v&&x.noreferrer&&(v.opener=null));v&&(v.opener||(v.opener=window),v.focus());g.EO(q)}}}(e)); +g.bb(e.fk,g.ZS(a.tooltip,e.fk.element));"Facebook"===l?a.api.sb(e.fk.element,e.fk,164504):"Twitter"===l&&a.api.sb(e.fk.element,e.fk,164505);a.S(e.fk.element,"click",function(p){return function(){a.api.qb(p.fk.element)}}(e)); +a.api.Ua(e.fk.element,!0);a.B.push(e.fk);d++}}var m=b.more||b.moreLink,n=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],W:[{G:"span",N:"ytp-share-panel-service-button-more",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", +fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],X:{href:m,target:"_blank",title:"More"}});n.Ra("click",function(p){var q=m;a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")&&(a.api.qb(a.moreButton.element),q=ZNa(a,q));g.VT(q,a.api,p)&&a.api.Na("SHARE_CLICKED")}); +g.bb(n,g.ZS(a.tooltip,n.element));a.api.sb(n.element,n,164506);a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")||a.S(n.element,"click",function(){a.api.qb(n.element)}); +a.api.Ua(n.element,!0);a.B.push(n);a.moreButton=n;a.updateValue("buttons",a.B)}; +ZNa=function(a,b){var c=a.api.V(),d={};c.ya&&g.fK(c)&&g.iS(d,c.loaderUrl);g.fK(c)&&(g.pS(a.api,"addEmbedsConversionTrackingParams",[d]),b=g.Zi(b,g.hS(d,"emb_share")));return b}; +$Na=function(a){for(var b=g.t(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.Za(c);a.B=[]}; +cOa=function(a,b){EU.call(this,a,b);this.J=this.T=this.Ja=!1;bOa(this);this.S(this.F,"changeProductsInVideoVisibility",this.I6);this.S(this.F,"videodatachange",this.onVideoDataChange);this.S(this.F,"paidcontentoverlayvisibilitychange",this.B6)}; +dOa=function(a){a.F.Ff("shopping_overlay_visible");a.F.Ff("shopping_overlay_expanded")}; +bOa=function(a){a.S(a.F,g.ZD("shopping_overlay_visible"),function(){a.Bg(!0)}); +a.S(a.F,g.$D("shopping_overlay_visible"),function(){a.Bg(!1)}); +a.S(a.F,g.ZD("shopping_overlay_expanded"),function(){a.Z=!0;DU(a)}); +a.S(a.F,g.$D("shopping_overlay_expanded"),function(){a.Z=!1;DU(a)})}; +fOa=function(a,b){g.U.call(this,{G:"div",N:"ytp-shorts-title-channel",W:[{G:"a",N:"ytp-shorts-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-shorts-title-expanded-heading",W:[{G:"div",N:"ytp-shorts-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,tabIndex:"0"}}]}]}]});var c=this;this.api=a;this.u=b;this.j=this.Da("ytp-shorts-title-channel-logo");this.channelName=this.Da("ytp-shorts-title-expanded-title"); +this.subscribeButton=null;a.sb(this.j,this,36925);this.S(this.j,"click",function(d){c.api.K("web_player_ve_conversion_fixes_for_channel_info")?(c.api.qb(c.j),g.gk(SU(c)),d.preventDefault()):c.api.qb(c.j)}); +a.sb(this.channelName,this,37220);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(SU(c));d.preventDefault()}); +eOa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.Pa()}; +eOa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.u);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.element)}}; +SU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +TU=function(a){g.PS.call(this,a,{G:"button",Ia:["ytp-skip-intro-button","ytp-popup","ytp-button"],W:[{G:"div",N:"ytp-skip-intro-button-text",ra:"Skip Intro"}]},100);var b=this;this.B=!1;this.j=new g.Ip(function(){b.hide()},5E3); +this.vf=this.ri=NaN;g.E(this,this.j);this.I=function(){b.show()}; +this.D=function(){b.hide()}; +this.C=function(){var c=b.F.getCurrentTime();c>b.ri/1E3&&c=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+q+"px "+r+"px/"+l+"px "+m+"px"}; +g.ZU=function(a,b){g.U.call(this,{G:"div",N:"ytp-storyboard-framepreview",W:[{G:"div",N:"ytp-storyboard-framepreview-timestamp",ra:"{{timestamp}}"},{G:"div",N:"ytp-storyboard-framepreview-img"}]});this.api=a;this.C=this.Da("ytp-storyboard-framepreview-img");this.u=null;this.B=NaN;this.events=new g.bI(this);this.j=new g.QQ(this,100);g.E(this,this.events);g.E(this,this.j);this.S(this.api,"presentingplayerstatechange",this.yd);b&&this.S(this.element,"click",function(){b.Vr()}); +a.K("web_big_boards")&&g.Qp(this.element,"ytp-storyboard-framepreview-big-boards")}; +hOa=function(a,b){var c=!!a.u;a.u=b;a.u?(c||(a.events.S(a.api,"videodatachange",function(){hOa(a,a.api.Hj())}),a.events.S(a.api,"progresssync",a.Ie),a.events.S(a.api,"appresize",a.D)),a.B=NaN,iOa(a),a.j.show(200)):(c&&g.Lz(a.events),a.j.hide(),a.j.stop())}; +iOa=function(a){var b=a.u,c=a.api.getCurrentTime(),d=a.api.jb().getPlayerSize(),e=SL(b,d.width);e=Sya(b,e,c);a.update({timestamp:g.eR(c)});e!==a.B&&(a.B=e,Qya(b,e,d.width),b=Oya(b,e,d.width),gOa(a.C,b,d.width,d.height))}; +g.$U=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullscreen-button","ytp-button"],X:{title:"{{title}}","aria-keyshortcuts":"f","data-title-no-tooltip":"{{data-title-no-tooltip}}"},ra:"{{icon}}"});this.F=a;this.u=b;this.message=null;this.j=g.ZS(this.u.Ic(),this.element);this.B=new g.Ip(this.f2,2E3,this);g.E(this,this.B);this.S(a,"fullscreentoggled",this.cm);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);g.yz()&&(b=this.F.jb(),this.S(b,Boa(),this.NN),this.S(b,Bz(document), +this.Hq));a.V().Tb||a.V().T||this.disable();a.sb(this.element,this,139117);this.Pa();this.cm(a.isFullscreen())}; +aV=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-jump-button"],X:{title:"{{title}}","aria-keyshortcuts":"{{aria-keyshortcuts}}","data-title-no-tooltip":"{{data-title-no-tooltip}}",style:"display: none;"},W:[0=h)break}a.D=d;a.frameCount=b.NE();a.interval=b.j/1E3||a.api.getDuration()/a.frameCount}for(;a.thumbnails.length>a.D.length;)d= +void 0,null==(d=a.thumbnails.pop())||d.dispose();for(;a.thumbnails.lengthc.length;)d=void 0,null==(d=a.j.pop())||d.dispose(); +for(;a.j.length-c?-b/c*a.interval*.5:-(b+c/2)/c*a.interval}; +HOa=function(a){return-((a.B.offsetWidth||(a.frameCount-1)*a.I*a.scale)-a.C/2)}; +EOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-thumbnail"})}; +FOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-chapter-title",W:[{G:"div",N:"ytp-fine-scrubbing-chapter-title-content",ra:"{{chapterTitle}}"}]})}; +KOa=function(a,b,c,d){d=void 0===d?!1:d;b=new JOa(b||a,c||a);return{x:a.x+.2*((void 0===d?0:d)?-1*b.j:b.j),y:a.y+.2*((void 0===d?0:d)?-1*b.u:b.u)}}; +JOa=function(a,b){this.u=this.j=0;this.j=b.x-a.x;this.u=b.y-a.y}; +LOa=function(a){g.U.call(this,{G:"div",N:"ytp-heat-map-chapter",W:[{G:"svg",N:"ytp-heat-map-svg",X:{height:"100%",preserveAspectRatio:"none",version:"1.1",viewBox:"0 0 1000 100",width:"100%"},W:[{G:"defs",W:[{G:"clipPath",X:{id:"{{id}}"},W:[{G:"path",N:"ytp-heat-map-path",X:{d:"",fill:"white","fill-opacity":"0.6"}}]}]},{G:"rect",N:"ytp-heat-map-graph",X:{"clip-path":"url(#hm_1)",fill:"white","fill-opacity":"0.2",height:"100%",width:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-hover",X:{"clip-path":"url(#hm_1)", +height:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-play",X:{"clip-path":"url(#hm_1)",height:"100%",x:"0",y:"0"}}]}]});this.api=a;this.I=this.Da("ytp-heat-map-svg");this.D=this.Da("ytp-heat-map-path");this.C=this.Da("ytp-heat-map-graph");this.B=this.Da("ytp-heat-map-play");this.u=this.Da("ytp-heat-map-hover");this.De=!1;this.j=60;a=""+g.Na(this);this.update({id:a});a="url(#"+a+")";this.C.setAttribute("clip-path",a);this.B.setAttribute("clip-path",a);this.u.setAttribute("clip-path",a)}; +jV=function(){g.U.call(this,{G:"div",N:"ytp-chapter-hover-container",W:[{G:"div",N:"ytp-progress-bar-padding"},{G:"div",N:"ytp-progress-list",W:[{G:"div",Ia:["ytp-play-progress","ytp-swatch-background-color"]},{G:"div",N:"ytp-progress-linear-live-buffer"},{G:"div",N:"ytp-load-progress"},{G:"div",N:"ytp-hover-progress"},{G:"div",N:"ytp-ad-progress-list"}]}]});this.startTime=NaN;this.title="";this.index=NaN;this.width=0;this.C=this.Da("ytp-progress-linear-live-buffer");this.B=this.Da("ytp-ad-progress-list"); +this.D=this.Da("ytp-load-progress");this.I=this.Da("ytp-play-progress");this.u=this.Da("ytp-hover-progress");this.j=this.Da("ytp-chapter-hover-container")}; +kV=function(a,b){g.Hm(a.j,"width",b)}; +MOa=function(a,b){g.Hm(a.j,"margin-right",b+"px")}; +NOa=function(){this.fraction=this.position=this.u=this.j=this.B=this.width=NaN}; +OOa=function(){g.U.call(this,{G:"div",N:"ytp-timed-marker"});this.j=this.timeRangeStartMillis=NaN;this.title="";this.onActiveCommand=void 0}; +POa=function(a){return a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")}; +g.mV=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-progress-bar-container",X:{"aria-disabled":"true"},W:[{G:"div",Ia:["ytp-heat-map-container"],W:[{G:"div",N:"ytp-heat-map-edu"}]},{G:"div",Ia:["ytp-progress-bar"],X:{tabindex:"0",role:"slider","aria-label":"Seek slider","aria-valuemin":"{{ariamin}}","aria-valuemax":"{{ariamax}}","aria-valuenow":"{{arianow}}","aria-valuetext":"{{arianowtext}}"},W:[{G:"div",N:"ytp-chapters-container"},{G:"div",N:"ytp-timed-markers-container"},{G:"div",N:"ytp-clip-start-exclude"}, +{G:"div",N:"ytp-clip-end-exclude"},{G:"div",N:"ytp-scrubber-container",W:[{G:"div",Ia:["ytp-scrubber-button","ytp-swatch-background-color"],W:[{G:"div",N:"ytp-scrubber-pull-indicator"}]}]}]},{G:"div",Ia:["ytp-fine-scrubbing-container"],W:[{G:"div",N:"ytp-fine-scrubbing-edu"}]},{G:"div",N:"ytp-bound-time-left",ra:"{{boundTimeLeft}}"},{G:"div",N:"ytp-bound-time-right",ra:"{{boundTimeRight}}"},{G:"div",N:"ytp-clip-start",X:{title:"{{clipstarttitle}}"},ra:"{{clipstarticon}}"},{G:"div",N:"ytp-clip-end", +X:{title:"{{clipendtitle}}"},ra:"{{clipendicon}}"}]});this.api=a;this.ke=!1;this.Kf=this.Qa=this.J=this.Jf=0;this.Ld=null;this.Ja={};this.jc={};this.clipEnd=Infinity;this.Xb=this.Da("ytp-clip-end");this.Oc=new g.kT(this.Xb,!0);this.uf=this.Da("ytp-clip-end-exclude");this.Qg=this.Da("ytp-clip-start-exclude");this.clipStart=0;this.Tb=this.Da("ytp-clip-start");this.Lc=new g.kT(this.Tb,!0);this.Z=this.ib=0;this.Kc=this.Da("ytp-progress-bar");this.tb={};this.uc={};this.Dc=this.Da("ytp-chapters-container"); +this.Wf=this.Da("ytp-timed-markers-container");this.j=[];this.I=[];this.Od={};this.vf=null;this.Xa=-1;this.kb=this.ya=0;this.T=null;this.Vf=this.Da("ytp-scrubber-button");this.ph=this.Da("ytp-scrubber-container");this.fb=new g.Fe;this.Hf=new NOa;this.B=new iR(0,0);this.Bb=null;this.C=this.je=!1;this.If=null;this.oa=this.Da("ytp-heat-map-container");this.Vd=this.Da("ytp-heat-map-edu");this.D=[];this.heatMarkersDecorations=[];this.Ya=this.Da("ytp-fine-scrubbing-container");this.Wc=this.Da("ytp-fine-scrubbing-edu"); +this.u=void 0;this.Aa=this.rd=this.Ga=!1;this.tooltip=b.Ic();g.bb(this,g.ZS(this.tooltip,this.Xb));g.E(this,this.Oc);this.Oc.subscribe("hoverstart",this.ZV,this);this.Oc.subscribe("hoverend",this.YV,this);this.S(this.Xb,"click",this.LH);g.bb(this,g.ZS(this.tooltip,this.Tb));g.E(this,this.Lc);this.Lc.subscribe("hoverstart",this.ZV,this);this.Lc.subscribe("hoverend",this.YV,this);this.S(this.Tb,"click",this.LH);QOa(this);this.S(a,"resize",this.Db);this.S(a,"presentingplayerstatechange",this.z0);this.S(a, +"videodatachange",this.Gs);this.S(a,"videoplayerreset",this.I3);this.S(a,"cuerangesadded",this.GY);this.S(a,"cuerangesremoved",this.D8);this.S(a,"cuerangemarkersupdated",this.GY);this.S(a,"onLoopRangeChange",this.GR);this.S(a,"innertubeCommand",this.onClickCommand);this.S(a,g.ZD("timedMarkerCueRange"),this.H7);this.S(a,"updatemarkervisibility",this.EY);this.updateVideoData(a.getVideoData(),!0);this.GR(a.getLoopRange());lV(this)&&!this.u&&(this.u=new COa(this.api,this.tooltip),a=g.Pm(this.element).x|| +0,this.u.Db(a,this.J),this.u.Ea(this.Ya),g.E(this,this.u),this.S(this.u.dismissButton,"click",this.Vr),this.S(this.u.playButton,"click",this.AL),this.S(this.u.element,"dblclick",this.AL));a=this.api.V();g.fK(a)&&a.u&&g.Qp(this.element,"ytp-no-contextmenu");this.api.sb(this.oa,this,139609,!0);this.api.sb(this.Vd,this,140127,!0);this.api.sb(this.Wc,this,151179,!0);this.api.K("web_modern_miniplayer")&&(this.element.hidden=!0)}; +QOa=function(a){if(0===a.j.length){var b=new jV;a.j.push(b);g.E(a,b);b.Ea(a.Dc,0)}for(;1=h&&z<=p&&f.push(r)}0l)a.j[c].width=n;else{a.j[c].width=0;var p=a,q=c,r=p.j[q-1];void 0!==r&&0a.kb&&(a.kb=m/f),d=!0)}c++}}return d}; +pV=function(a){if(a.J){var b=a.api.getProgressState(),c=a.api.getVideoData();if(!(c&&c.enableServerStitchedDai&&c.enablePreroll)||isFinite(b.current)){var d;c=(null==(d=a.api.getVideoData())?0:aN(d))&&b.airingStart&&b.airingEnd?ePa(a,b.airingStart,b.airingEnd):ePa(a,b.seekableStart,b.seekableEnd);d=jR(c,b.loaded,0);b=jR(c,b.current,0);var e=a.B.u!==c.u||a.B.j!==c.j;a.B=c;qV(a,b,d);e&&fPa(a);gPa(a)}}}; +ePa=function(a,b,c){return hPa(a)?new iR(Math.max(b,a.Bb.startTimeMs/1E3),Math.min(c,a.Bb.endTimeMs/1E3)):new iR(b,c)}; +iPa=function(a,b){var c;if("repeatChapter"===(null==(c=a.Bb)?void 0:c.type)||"repeatChapter"===(null==b?void 0:b.type))b&&(b=a.j[HU(a.j,b.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!1)),a.Bb&&(b=a.j[HU(a.j,a.Bb.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!0)),a.j.forEach(function(d){g.Up(d.j,"ytp-exp-chapter-hover-container",!a.Bb)})}; +sV=function(a,b){var c=rFa(a.B,b.fraction);if(1=a.j.length?!1:4>Math.abs(b-a.j[c].startTime/1E3)/a.B.j*(a.J-(a.C?3:2)*a.ya)}; +fPa=function(a){a.Vf.style.removeProperty("height");for(var b=g.t(Object.keys(a.Ja)),c=b.next();!c.done;c=b.next())kPa(a,c.value);tV(a);qV(a,a.Z,a.ib)}; +oV=function(a){var b=a.fb.x;b=g.ze(b,0,a.J);a.Hf.update(b,a.J);return a.Hf}; +vV=function(a){return(a.C?135:90)-uV(a)}; +uV=function(a){var b=48,c=a.api.V();a.C?b=54:g.fK(c)&&!c.u&&(b=40);return b}; +qV=function(a,b,c){a.Z=b;a.ib=c;var d=oV(a),e=a.B.j,f=rFa(a.B,a.Z),h=g.lO("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.eR(f,!0),DURATION:g.eR(e,!0)}),l=HU(a.j,1E3*f);l=a.j[l].title;a.update({ariamin:Math.floor(a.B.u),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.Bb&&2!==a.api.getPresentingPlayerType()&&(e=a.Bb.startTimeMs/1E3,f=a.Bb.endTimeMs/1E3);e=jR(a.B,e,0);l=jR(a.B,f,1);h=a.api.getVideoData();f=g.ze(b,e,l);c=(null==h?0:g.ZM(h))?1:g.ze(c,e, +l);b=bPa(a,b,d);g.Hm(a.ph,"transform","translateX("+b+"px)");wV(a,d,e,f,"PLAY_PROGRESS");(null==h?0:aN(h))?(b=a.api.getProgressState().seekableEnd)&&wV(a,d,f,jR(a.B,b),"LIVE_BUFFER"):wV(a,d,e,c,"LOAD_PROGRESS");if(a.api.K("web_player_heat_map_played_bar")){var m;null!=(m=a.D[0])&&m.B.setAttribute("width",(100*f).toFixed(2)+"%")}}; +wV=function(a,b,c,d,e){var f=a.j.length,h=b.j-a.ya*(a.C?3:2),l=c*h;c=rV(a,l);var m=d*h;h=rV(a,m);"HOVER_PROGRESS"===e&&(h=rV(a,b.j*d,!0),m=b.j*d-lPa(a,b.j*d)*(a.C?3:2));b=Math.max(l-mPa(a,c),0);for(d=c;d=a.j.length)return a.J;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.j.length?d-1:d}; +bPa=function(a,b,c){for(var d=b*a.B.j*1E3,e=-1,f=g.t(a.j),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; +lPa=function(a,b){for(var c=a.j.length,d=0,e=g.t(a.j),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.C?3:2,d++;else break;return d===c?c-1:d}; +g.yV=function(a,b,c,d){var e=a.J!==c,f=a.C!==d;a.Jf=b;a.J=c;a.C=d;lV(a)&&null!=(b=a.u)&&(b.scale=d?1.5:1);fPa(a);1===a.j.length&&(a.j[0].width=c||0);e&&g.nV(a);a.u&&f&&lV(a)&&(a.u.isEnabled&&(c=a.C?135:90,d=c-uV(a),a.Ya.style.height=c+"px",g.Hm(a.oa,"transform","translateY("+-d+"px)"),g.Hm(a.Kc,"transform","translateY("+-d+"px)")),GOa(a.u))}; +tV=function(a){var b=!!a.Bb&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.Bb?(c=a.Bb.startTimeMs/1E3,d=a.Bb.endTimeMs/1E3):(e=c>a.B.u,f=0a.Z);g.Up(a.Vf,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;b=a.J*a.scale;var c=a.Ja*a.scale,d=Oya(a.u,a.C,b);gOa(a.bg,d,b,c,!0);a.Aa.start()}}; +fQa=function(a){var b=a.j;3===a.type&&a.Ga.stop();a.api.removeEventListener("appresize",a.ya);a.Z||b.setAttribute("title",a.B);a.B="";a.j=null}; +hQa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-watch-later-button","ytp-button"],X:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-watch-later-icon",ra:"{{icon}}"},{G:"div",N:"ytp-watch-later-title",ra:"Watch later"}]});this.F=a;this.u=b;this.icon=null;this.visible=this.isRequestPending=this.j=!1;this.tooltip=b.Ic();mU(this.tooltip);a.sb(this.element,this,28665);this.Ra("click",this.onClick,this);this.S(a,"videoplayerreset",this.Jv); +this.S(a,"appresize",this.UA);this.S(a,"videodatachange",this.UA);this.S(a,"presentingplayerstatechange",this.UA);this.UA();a=this.F.V();var c=g.Qz("yt-player-watch-later-pending");a.C&&c?(owa(),gQa(this)):this.Pa(2);g.Up(this.element,"ytp-show-watch-later-title",g.fK(a));g.bb(this,g.ZS(b.Ic(),this.element))}; +iQa=function(a){var b=a.F.getPlayerSize(),c=a.F.V(),d=a.F.getVideoData(),e=g.fK(c)&&g.KS(a.F)&&g.S(a.F.Cb(),128);a=c.K("shorts_mode_to_player_api")?a.F.Sb():a.u.Sb();var f=c.B;if(b=c.hm&&240<=b.width&&!d.isAd())if(d.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){b=!0;var h,l,m=null==(h=d.kf)?void 0:null==(l=h.embedPreview)?void 0:l.thumbnailPreviewRenderer;m&&(b=!!m.addToWatchLaterButton);if(g.lK(d.V())){var n,p;(h=null==(n=d.jd)?void 0:null==(p=n.playerOverlays)?void 0:p.playerOverlayRenderer)&& +(b=!!h.addToMenu)}var q,r,v,x;if(null==(x=g.K(null==(q=d.jd)?void 0:null==(r=q.contents)?void 0:null==(v=r.twoColumnWatchNextResults)?void 0:v.desktopOverlay,nM))?0:x.suppressWatchLaterButton)b=!1}else b=d.Qk;return b&&!e&&!(d.D&&c.Z)&&!a&&!f}; +jQa=function(a,b){g.lU(g.yK(a.F.V()),"wl_button",function(){owa({videoId:b});window.location.reload()})}; +gQa=function(a){if(!a.isRequestPending){a.isRequestPending=!0;a.Pa(3);var b=a.F.getVideoData();b=a.j?b.removeFromWatchLaterCommand:b.addToWatchLaterCommand;var c=a.F.Mm(),d=a.j?function(){a.j=!1;a.isRequestPending=!1;a.Pa(2);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_REMOVED")}:function(){a.j=!0; +a.isRequestPending=!1;a.Pa(1);a.F.V().u&&zU(a.tooltip,a.element);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_ADDED")}; +tR(c,b).then(d,function(){a.isRequestPending=!1;kQa(a,"An error occurred. Please try again later.")})}}; +kQa=function(a,b){a.Pa(4,b);a.F.V().I&&a.F.Na("WATCH_LATER_ERROR",b)}; +lQa=function(a,b){if(b!==a.icon){switch(b){case 3:var c=qMa();break;case 1:c=gQ();break;case 2:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path", +xc:!0,X:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.updateValue("icon",c);a.icon=b}}; +g.YV=function(a){g.eU.call(this,a);var b=this;this.rG=(this.oq=g.fK(this.api.V()))&&(this.api.V().u||gz()||ez());this.QK=48;this.RK=69;this.Co=null;this.Xs=[];this.Qc=new g.hU(this.api);this.Ou=new AU(this.api);this.Fh=new g.U({G:"div",N:"ytp-chrome-top"});this.hE=[];this.tooltip=new g.WV(this.api,this);this.backButton=this.Dz=null;this.channelAvatar=new VMa(this.api,this);this.title=new VV(this.api,this);this.gi=new g.ZP({G:"div",N:"ytp-chrome-top-buttons"});this.Bi=this.shareButton=this.Jn=null; +this.Wi=new PMa(this.api,this,this.Fh.element);this.overflowButton=this.Bh=null;this.dh="1"===this.api.V().controlsType?new TPa(this.api,this,this.Ve):null;this.contextMenu=new g.xU(this.api,this,this.Qc);this.BK=!1;this.IF=new g.U({G:"div",X:{tabindex:"0"}});this.HF=new g.U({G:"div",X:{tabindex:"0"}});this.uD=null;this.oO=this.nN=this.pF=!1;var c=a.jb(),d=a.V(),e=a.getVideoData();this.oq&&(g.Qp(a.getRootNode(),"ytp-embed"),g.Qp(a.getRootNode(),"ytp-embed-playlist"),this.rG&&(g.Qp(a.getRootNode(), +"ytp-embed-overlays-autohide"),g.Qp(this.contextMenu.element,"ytp-embed-overlays-autohide")),this.QK=60,this.RK=89);a.V().B&&g.Qp(a.getRootNode(),"ytp-embed-pfl");this.api.V().u&&(g.Qp(a.getRootNode(),"ytp-mobile"),this.api.V().T&&g.Qp(a.getRootNode(),"ytp-embed-mobile-exp"));this.kf=e&&e.kf;g.E(this,this.Qc);g.NS(a,this.Qc.element,4);g.E(this,this.Ou);g.NS(a,this.Ou.element,4);e=new g.U({G:"div",N:"ytp-gradient-top"});g.E(this,e);g.NS(a,e.element,1);this.KP=new g.QQ(e,250,!0,100);g.E(this,this.KP); +g.E(this,this.Fh);g.NS(a,this.Fh.element,1);this.JP=new g.QQ(this.Fh,250,!0,100);g.E(this,this.JP);g.E(this,this.tooltip);g.NS(a,this.tooltip.element,4);var f=new QNa(a);g.E(this,f);g.NS(a,f.element,5);f.subscribe("show",function(n){b.Op(f,n)}); +this.hE.push(f);this.Dz=new NU(a,this,f);g.E(this,this.Dz);d.rl&&(this.backButton=new LMa(a),g.E(this,this.backButton),this.backButton.Ea(this.Fh.element));this.oq||this.Dz.Ea(this.Fh.element);g.E(this,this.channelAvatar);this.channelAvatar.Ea(this.Fh.element);g.E(this,this.title);this.title.Ea(this.Fh.element);this.oq&&(e=new fOa(this.api,this),g.E(this,e),e.Ea(this.Fh.element));g.E(this,this.gi);this.gi.Ea(this.Fh.element);var h=new g.RU(a,this);g.E(this,h);g.NS(a,h.element,5);h.subscribe("show", +function(n){b.Op(h,n)}); +this.hE.push(h);this.Jn=new hQa(a,this);g.E(this,this.Jn);this.Jn.Ea(this.gi.element);this.shareButton=new g.QU(a,this,h);g.E(this,this.shareButton);this.shareButton.Ea(this.gi.element);this.Bi=new g.yU(a,this);g.E(this,this.Bi);this.Bi.Ea(this.gi.element);this.oq&&this.Dz.Ea(this.gi.element);g.E(this,this.Wi);this.Wi.Ea(this.gi.element);d.Tn&&(e=new TU(a),g.E(this,e),g.NS(a,e.element,4));d.B||(e=new QMa(a,this,this.Wi),g.E(this,e),e.Ea(this.gi.element));this.Bh=new MNa(a,this);g.E(this,this.Bh); +g.NS(a,this.Bh.element,5);this.Bh.subscribe("show",function(){b.Op(b.Bh,b.Bh.ej())}); +this.hE.push(this.Bh);this.overflowButton=new g.MU(a,this,this.Bh);g.E(this,this.overflowButton);this.overflowButton.Ea(this.gi.element);this.dh&&g.E(this,this.dh);"3"===d.controlsType&&(e=new PU(a,this),g.E(this,e),g.NS(a,e.element,9));g.E(this,this.contextMenu);this.contextMenu.subscribe("show",this.LY,this);e=new kR(a,new gU(a));g.E(this,e);g.NS(a,e.element,4);this.IF.Ra("focus",this.h3,this);g.E(this,this.IF);this.HF.Ra("focus",this.j3,this);g.E(this,this.HF);var l;(this.xq=d.ph?null:new g.JU(a, +c,this.contextMenu,this.Ve,this.Qc,this.Ou,function(){return b.Il()},null==(l=this.dh)?void 0:l.Kc))&&g.E(this,this.xq); +this.oq||(this.api.K("web_player_enable_featured_product_banner_on_desktop")&&(this.wT=new sNa(this.api,this),g.E(this,this.wT),g.NS(a,this.wT.element,4)),this.MX=new cOa(this.api,this),g.E(this,this.MX),g.NS(a,this.MX.element,4));this.bY=new YPa(this.api,this);g.E(this,this.bY);g.NS(a,this.bY.element,4);if(this.oq){var m=new yNa(a,this.api.V().tb);g.E(this,m);g.NS(a,m.element,5);m.subscribe("show",function(n){b.Op(m,n)}); +c=new CNa(a,this,m);g.E(this,c);g.NS(a,c.element,4)}this.Ws.push(this.Qc.element);this.S(a,"fullscreentoggled",this.Hq);this.S(a,"offlineslatestatechange",function(){b.api.AC()&&QT(b.Ve,128,!1)}); +this.S(a,"cardstatechange",function(){b.fl()}); +this.S(a,"resize",this.P5);this.S(a,"videoplayerreset",this.Jv);this.S(a,"showpromotooltip",this.n6)}; +mQa=function(a){var b=a.api.V(),c=g.S(a.api.Cb(),128);return b.C&&c&&!a.api.isFullscreen()}; +nQa=function(a){if(a.Wg()&&!a.Sb()&&a.Bh){var b=a.api.K("web_player_hide_overflow_button_if_empty_menu");!a.Jn||b&&!iQa(a.Jn)||NNa(a.Bh,a.Jn);!a.shareButton||b&&!XNa(a.shareButton)||NNa(a.Bh,a.shareButton);!a.Bi||b&&!lNa(a.Bi)||NNa(a.Bh,a.Bi)}else{if(a.Bh){b=a.Bh;for(var c=g.t(b.actionButtons),d=c.next();!d.done;d=c.next())d.value.detach();b.actionButtons=[]}a.Jn&&!g.zf(a.gi.element,a.Jn.element)&&a.Jn.Ea(a.gi.element);a.shareButton&&!g.zf(a.gi.element,a.shareButton.element)&&a.shareButton.Ea(a.gi.element); +a.Bi&&!g.zf(a.gi.element,a.Bi.element)&&a.Bi.Ea(a.gi.element)}}; +oQa=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==Km(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=oQa(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexc.Oz||0>c.At||0>c.durationMs||0>c.startMs||0>c.Pq)return jW(a,b),[];b=VG(c.Oz,c.Pq);var l;if(null==(l=a.j)?0:l.Jf){var m=c.AN||0;var n=b.length-m}return[new XG(3,f,b,"makeSliceInfosMediaBytes",c.At-1,c.startMs/1E3,c.durationMs/1E3,m,n,void 0,d)]}if(0>c.At)return jW(a,b),[];var p;return(null==(p=a.Sa)?0:p.fd)?(a=f.Xj,[new XG(3,f,void 0,"makeSliceInfosMediaBytes", +c.At,void 0,a,void 0,a*f.info.dc,!0,d)]):[]}; +NQa=function(a,b,c){a.Sa=b;a.j=c;b=g.t(a.Xc);for(c=b.next();!c.done;c=b.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;for(var e=g.t(d.AX),f=e.next();!f.done;f=e.next())f=MQa(a,c,f.value),LQa(a,c,d,f)}}; +OQa=function(a,b,c){(a=a.Xc.get(b))&&!a.Vg&&(iW?(b=0a;a++){var b=g.qf("VIDEO");b.load();lW.push(new g.pT(b))}}; +mW=function(a){g.C.call(this);this.app=a;this.j=null;this.u=1}; +RQa=function(){}; +g.nW=function(a,b,c,d){d=void 0===d?!1:d;FO.call(this);this.mediaElement=a;this.start=b;this.end=c;this.j=d}; +SQa=function(a,b,c){var d=b.getVideoData(),e=a.getVideoData();if(b.getPlayerState().isError())return{msg:"player-error"};b=e.C;if(a.xk()>c/1E3+1)return{msg:"in-the-past"};if(e.isLivePlayback&&!isFinite(c))return{msg:"live-infinite"};(a=a.qe())&&a.isView()&&(a=a.mediaElement);if(a&&12m&&(f=m-200,a.J=!0);h&&l.getCurrentTime()>=f/1E3?a.I():(a.u=l,h&&(h=f,f=a.u,a.app.Ta.addEventListener(g.ZD("vqueued"),a.I),h=isFinite(h)||h/1E3>f.getDuration()?h:0x8000000000000,a.D=new g.XD(h,0x8000000000000,{namespace:"vqueued"}),f.addCueRange(a.D)));h=d/=1E3;f=b.getVideoData().j;d&&f&&a.u&&(l=d,m=0, +b.getVideoData().isLivePlayback&&(h=Math.min(c/1E3,qW(a.u,!0)),m=Math.max(0,h-a.u.getCurrentTime()),l=Math.min(d,qW(b)+m)),h=fwa(f,l)||d,h!==d&&a.j.xa("qvaln",{st:d,at:h,rm:m,ct:l}));b=h;d=a.j;d.getVideoData().Si=!0;d.getVideoData().fb=!0;g.tW(d,!0);f={};a.u&&(f=g.uW(a.u.zc.provider),h=a.u.getVideoData().clientPlaybackNonce,f={crt:(1E3*f).toFixed(),cpn:h});d.xa("queued",f);0!==b&&d.seekTo(b+.01,{bv:!0,IP:3,Je:"videoqueuer_queued"});a.B=new TQa(a.T,a.app.Rc(),a.j,c,e);c=a.B;Infinity!==c.status.status&& +(pW(c,1),c.j.subscribe("internalvideodatachange",c.uu,c),c.u.subscribe("internalvideodatachange",c.uu,c),c.j.subscribe("mediasourceattached",c.uu,c),c.u.subscribe("statechange",c.yd,c),c.j.subscribe("newelementrequired",c.nW,c),c.uu());return a.C}; +cRa=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:if(a.isDisposed()||!a.C||!a.j)return e.return();a.J&&vW(a.app.Rc(),!0,!1);b=null;if(!a.B){e.Ka(2);break}g.pa(e,3);return g.y(e,YQa(a.B),5);case 5:g.ra(e,2);break;case 3:b=c=g.sa(e);case 2:if(!a.j)return e.return();g.oW.IH("vqsp",function(){wW(a.app,a.j)}); +g.oW.IH("vqpv",function(){a.app.playVideo()}); +b&&eRa(a.j,b.message);d=a.C;sW(a);return e.return(d.resolve(void 0))}})}; +sW=function(a){if(a.u){if(a.D){var b=a.u;a.app.Ta.removeEventListener(g.ZD("vqueued"),a.I);b.removeCueRange(a.D)}a.u=null;a.D=null}a.B&&(6!==a.B.status.status&&(b=a.B,Infinity!==b.status.status&&b.Eg("Canceled")),a.B=null);a.C=null;a.j&&a.j!==g.qS(a.app,1)&&a.j!==a.app.Rc()&&a.j.dispose();a.j=null;a.J=!1}; +fRa=function(a){var b;return(null==(b=a.B)?void 0:b.currentVideoDuration)||-1}; +gRa=function(a,b,c){if(a.vv())return"qine";var d;if(b.videoId!==(null==(d=a.j)?void 0:d.Ce()))return"vinm";if(0>=fRa(a))return"ivd";if(1!==c)return"upt";var e,f;null==(e=a.B)?f=void 0:f=5!==e.getStatus().status?"neb":null!=SQa(e.j,e.u,e.fm)?"pge":null;a=f;return null!=a?a:null}; +hRa=function(){var a=Aoa();return!(!a||"visible"===a)}; +jRa=function(a){var b=iRa();b&&document.addEventListener(b,a,!1)}; +kRa=function(a){var b=iRa();b&&document.removeEventListener(b,a,!1)}; +iRa=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[vz+"VisibilityState"])return"";a=vz+"visibilitychange"}return a}; +lRa=function(){g.dE.call(this);var a=this;this.fullscreen=0;this.pictureInPicture=this.j=this.u=this.inline=!1;this.B=function(){a.Bg()}; +jRa(this.B);this.C=this.getVisibilityState(this.wh(),this.isFullscreen(),this.zg(),this.isInline(),this.Ty(),this.Ry())}; +xW=function(a,b,c,d,e){e=void 0===e?[]:e;g.C.call(this);this.Y=a;this.Ec=b;this.C=c;this.segments=e;this.j=void 0;this.B=new Map;this.u=new Map;if(e.length)for(this.j=e[0],a=g.t(e),b=a.next();!b.done;b=a.next())b=b.value,(c=b.hs())&&this.B.set(c,b.OB())}; +mRa=function(a,b,c,d){if(a.j&&!(b>c)){b=new xW(a.Y,b,c,a.j,d);d=g.t(d);for(c=d.next();!c.done;c=d.next()){c=c.value;var e=c.hs();e&&e!==a.j.hs()&&a.u.set(e,[c])}a.j.j.set(b.yy(),b)}}; +oRa=function(a,b,c,d,e,f){return new nRa(c,c+(d||0),!d,b,a,new g.$L(a.Y,f),e)}; +nRa=function(a,b,c,d,e,f,h){g.C.call(this);this.Ec=a;this.u=b;this.type=d;this.B=e;this.videoData=f;this.clipId=h;this.j=new Map}; +pRa=function(a){this.end=this.start=a}; +g.zW=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.va=c;this.ib="";this.Aa=new Map;this.Xa=new Map;this.Ja=new Map;this.C=new Map;this.B=[];this.T=[];this.D=new Map;this.Oc=new Map;this.ea=new Map;this.Dc=NaN;this.Tb=this.tb=null;this.uc=new g.Ip(function(){qRa(d,d.Dc)}); +this.events=new g.bI(this);this.jc=g.gJ(this.Y.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.J=new g.Ip(function(){d.ya=!0;var e=d.va,f=d.jc;e.xa("sdai",{aftimeout:f});e.Kd(new PK("ad.fetchtimeout",{timeout:f}));rRa(d);d.kC(!1)},this.jc); +this.ya=!1;this.Ya=new Map;this.Xb=[];this.oa=null;this.ke=new Set;this.Ga=[];this.Lc=[];this.Nd=[];this.rd=[];this.j=void 0;this.kb=0;this.fb=!0;this.I=!1;this.La=[];this.Ld=new Set;this.je=new Set;this.Od=new Set;this.El=0;this.Z=null;this.Pb=new Set;this.Vd=0;this.Np=this.Wc=!1;this.u="";this.va.getPlayerType();sRa(this.va,this);this.Qa=this.Y.Rd();g.E(this,this.uc);g.E(this,this.events);g.E(this,this.J);yW(this)||(this.events.S(this.api,g.ZD("serverstitchedcuerange"),this.onCueRangeEnter),this.events.S(this.api, +g.$D("serverstitchedcuerange"),this.onCueRangeExit))}; +wRa=function(a,b,c,d,e,f,h,l){var m=tRa(a,f,f+e);a.ya&&a.va.xa("sdai",{adaftto:1});a.Np&&a.va.xa("sdai",{adfbk:1,enter:f,len:e,aid:l});var n=a.va;h=void 0===h?f+e:h;f===h&&!e&&a.Y.K("html5_allow_zero_duration_ads_on_timeline")&&a.va.xa("sdai",{attl0d:1});f>h&&AW(a,{reason:"enterTime_greater_than_return",Ec:f,Dd:h});var p=1E3*n.Id();fn&&AW(a,{reason:"parent_return_greater_than_content_duration",Dd:h,a8a:n}); +n=null;p=g.Jb(a.T,{Dd:f},function(q,r){return q.Dd-r.Dd}); +0<=p&&(n=a.T[p],n.Dd>f&&uRa(a,b.video_id||"",f,h,n));if(m&&n)for(p=0;pd?-1*(d+2):d;return 0<=d&&(a=a.T[d],a.Dd>=c)?{Ao:a,sz:b}:{Ao:void 0,sz:b}}; +GW=function(a,b){var c="";yW(a)?(c=b/1E3-a.aq(),c=a.va.Gy(c)):(b=BRa(a,b))&&(c=b.getId());return c?a.D.get(c):void 0}; +BRa=function(a,b){a=g.t(a.C.values());for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.start<=b&&c.end>=b)return c}; +qRa=function(a,b){var c=a.Tb||a.api.Rc().getPlayerState();HW(a,!0);a.va.seekTo(b);a=a.api.Rc();b=a.getPlayerState();g.RO(c)&&!g.RO(b)?a.playVideo():g.QO(c)&&!g.QO(b)&&a.pauseVideo()}; +HW=function(a,b){a.Dc=NaN;a.uc.stop();a.tb&&b&&CRa(a.tb);a.Tb=null;a.tb=null}; +DRa=function(a){var b=void 0===b?-1:b;var c=void 0===c?Infinity:c;for(var d=[],e=g.t(a.T),f=e.next();!f.done;f=e.next())f=f.value,(f.Ecc)&&d.push(f);a.T=d;d=g.t(a.C.values());for(e=d.next();!e.done;e=d.next())e=e.value,e.start>=b&&e.end<=c&&(a.va.removeCueRange(e),a.C.delete(e.getId()),a.va.xa("sdai",{rmAdCR:1}));d=ARa(a,b/1E3);b=d.Ao;d=d.sz;if(b&&(d=1E3*d-b.Ec,e=b.Ec+d,b.durationMs=d,b.Dd=e,d=a.C.get(b.cpn))){e=g.t(a.B);for(f=e.next();!f.done;f=e.next())f=f.value,f.start===d.end?f.start= +b.Ec+b.durationMs:f.end===d.start&&(f.end=b.Ec);d.start=b.Ec;d.end=b.Ec+b.durationMs}if(b=ARa(a,c/1E3).Ao){var h;d="playback_timelinePlaybackId_"+b.Nc+"_video_id_"+(null==(h=b.videoData)?void 0:h.videoId)+"_durationMs_"+b.durationMs+"_enterTimeMs_"+b.Ec+"_parentReturnTimeMs_"+b.Dd;a.KC("Invalid_clearEndTimeMs_"+c+"_that_falls_during_"+d+"._Child_playbacks_can_only_have_duration_updated_not_their_start.")}}; +ERa=function(a){a.ib="";a.Aa.clear();a.Xa.clear();a.Ja.clear();a.C.clear();a.B=[];a.T=[];a.D.clear();a.Oc.clear();a.ea.clear();a.Ya.clear();a.Xb=[];a.oa=null;a.ke.clear();a.Ga=[];a.Lc=[];a.Nd=[];a.rd=[];a.La=[];a.Ld.clear();a.je.clear();a.Od.clear();a.Pb.clear();a.ya=!1;a.j=void 0;a.kb=0;a.fb=!0;a.I=!1;a.El=0;a.Z=null;a.Vd=0;a.Wc=!1;a.Np=!1;DW(a,a.u)&&a.va.xa("sdai",{rsac:"resetAll",sac:a.u});a.u="";a.J.isActive()&&BW(a)}; +GRa=function(a,b,c,d,e){if(!a.Np)if(g.FRa(a,c))a.Qa&&a.va.xa("sdai",{gdu:"undec",seg:c,itag:e});else return IW(a,b,c,d)}; +IW=function(a,b,c,d){var e=a.Ya.get(c);if(!e){b+=a.aq();b=ARa(a,b,1);var f;b.Ao||2!==(null==(f=JW(a,c-1,null!=d?d:2))?void 0:f.YA)?e=b.Ao:e=a.Ya.get(c-1)}return e}; +HRa=function(a){if(a.La.length)for(var b=g.t(a.La),c=b.next();!c.done;c=b.next())a.onCueRangeExit(c.value);c=g.t(a.C.values());for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);c=g.t(a.B);for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);a.C.clear();a.B=[];a.Aa.clear();a.Xa.clear();a.Ja.clear();a.j||(a.fb=!0)}; +JW=function(a,b,c,d){if(1===c){if(a.Y.K("html5_reset_daistate_on_audio_codec_change")&&d&&d!==a.ib&&(""!==a.ib&&(a.va.xa("sdai",{rstadaist:1,old:a.ib,"new":d}),a.Aa.clear()),a.ib=d),a.Aa.has(b))return a.Aa.get(b)}else{if(2===c&&a.Xa.has(b))return a.Xa.get(b);if(3===c&&a.Ja.has(b))return a.Ja.get(b)}}; +JRa=function(a,b,c,d){if(d)for(d=0;dc){var f=e.end;e.end=b;IRa(a,c,f)}else if(e.start>=b&&e.startc)e.start=c;else if(e.end>b&&e.end<=c&&e.start=b&&e.end<=c){a.va.removeCueRange(e);if(a.La.includes(e))a.onCueRangeExit(e);a.B.splice(d,1);continue}d++}else IRa(a,b,c)}; +IRa=function(a,b,c){b=xRa(b,c);c=!0;g.Nb(a.B,b,function(h,l){return h.start-l.start}); +for(var d=0;d=Math.round(e.start/1E3)){f.end=e.end;e!==b?a.va.removeCueRange(e):c=!1;a.B.splice(d,1);continue}}d++}if(c)for(a.va.addCueRange(b),b=a.va.CB("serverstitchedcuerange",36E5),b=g.t(b),c=b.next();!c.done;c=b.next())a.C.delete(c.value.getId())}; +KW=function(a,b,c){if(void 0===c||!c){c=g.t(a.Xb);for(var d=c.next();!d.done;d=c.next()){d=d.value;if(b>=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.Xb.push(new pRa(b))}}; +g.FRa=function(a,b){a=g.t(a.Xb);for(var c=a.next();!c.done;c=a.next())if(c=c.value,b>=c.start&&b<=c.end)return!0;return!1}; +uRa=function(a,b,c,d,e){var f;b={reason:"overlapping_playbacks",X7a:b,Ec:c,Dd:d,O6a:e.Nc,P6a:(null==(f=e.videoData)?void 0:f.videoId)||"",L6a:e.durationMs,M6a:e.Ec,N6a:e.Dd};AW(a,b)}; +AW=function(a,b){a=a.va;a.xa("timelineerror",b);a.Kd(new PK("dai.timelineerror",b))}; +KRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,b.cpn&&c.push(b.cpn);return c}; +LRa=function(a,b,c){var d=0;a=a.ea.get(c);if(!a)return-1;a=g.t(a);for(c=a.next();!c.done;c=a.next()){if(c.value.cpn===b)return d;d++}return-1}; +MRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(var d=a.next();!d.done;d=a.next())b=void 0,(d=null==(b=d.value.videoData)?void 0:b.videoId)&&c.push(d);return c}; +NRa=function(a,b){var c=0;a=a.ea.get(b);if(!a)return 0;a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,0!==b.durationMs&&b.Dd!==b.Ec&&c++;return c}; +ORa=function(a,b,c){var d=!1;if(c&&(c=a.ea.get(c))){c=g.t(c);for(var e=c.next();!e.done;e=c.next())e=e.value,0!==e.durationMs&&e.Dd!==e.Ec&&(e=e.cpn,b===e&&(d=!0),d&&!a.je.has(e)&&(a.va.xa("sdai",{decoratedAd:e}),a.je.add(e)))}}; +rRa=function(a){a.Qa&&a.va.xa("sdai",{adf:"0_"+((new Date).getTime()/1E3-a.Vd)+"_isTimeout_"+a.ya})}; +tRa=function(a,b,c){if(a.Ga.length)for(var d={},e=g.t(a.Ga),f=e.next();!f.done;d={Tt:d.Tt},f=e.next()){d.Tt=f.value;f=1E3*d.Tt.startSecs;var h=1E3*d.Tt.Sg+f;if(b>f&&bf&&ce?-1*(e+2):e]))for(c=g.t(c.segments),d=c.next();!d.done;d=c.next())if(d=d.value,d.yy()<=b&&d.QL()>b)return{clipId:d.hs()||"",lN:d.yy()};a.api.xa("ssap",{mci:1});return{clipId:"",lN:0}}; +SRa=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.j=c;this.I=new Map;this.u=[];this.B=this.J=null;this.ea=NaN;this.D=this.C=null;this.T=new g.Ip(function(){RRa(d,d.ea)}); +this.Z=[];this.oa=new g.Ip(function(){var e=d.Z.pop();if(e){var f=e.Nc,h=e.playerVars;e=e.playerType;h&&(h.prefer_gapless=!0,d.api.preloadVideoByPlayerVars(h,e,NaN,"",f),d.Z.length&&g.Jp(d.oa,4500))}}); +this.events=new g.bI(this);c.getPlayerType();g.E(this,this.T);g.E(this,this.oa);g.E(this,this.events);this.events.S(this.api,g.ZD("childplayback"),this.onCueRangeEnter);this.events.S(this.api,"onQueuedVideoLoaded",this.onQueuedVideoLoaded);this.events.S(this.api,"presentingplayerstatechange",this.Hi)}; +WRa=function(a,b,c,d,e,f){var h=b.cpn,l=b.docid||b.video_id||b.videoId||b.id,m=a.j;f=void 0===f?e+d:f;if(e>f)return MW(a,"enterAfterReturn enterTimeMs="+e+" is greater than parentReturnTimeMs="+f.toFixed(3),h,l),"";var n=1E3*m.Id();if(en)return m="returnAfterDuration parentReturnTimeMs="+f.toFixed(3)+" is greater than parentDurationMs="+n+". And timestampOffset in seconds is "+ +m.Jd(),MW(a,m,h,l),"";n=null;for(var p=g.t(a.u),q=p.next();!q.done;q=p.next()){q=q.value;if(e>=q.Ec&&eq.Ec)return MW(a,"overlappingReturn",h,l),"";if(f===q.Ec)return MW(a,"outOfOrder",h,l),"";e===q.Dd&&(n=q)}h="cs_childplayback_"+TRa++;l={me:NW(d,!0),fm:Infinity,target:null};var r={Nc:h,playerVars:b,playerType:c,durationMs:d,Ec:e,Dd:f,Tr:l};a.u=a.u.concat(r).sort(function(z,B){return z.Ec-B.Ec}); +n?URa(a,n,{me:NW(n.durationMs,!0),fm:n.Tr.fm,target:r}):(b={me:NW(e,!1),fm:e,target:r},a.I.set(b.me,b),m.addCueRange(b.me));b=!0;if(a.j===a.api.Rc()&&(m=1E3*m.getCurrentTime(),m>=r.Ec&&mb)break;if(f>b)return{Ao:d,sz:b-e};c=f-d.Dd/1E3}return{Ao:null,sz:b-c}}; +RRa=function(a,b){var c=a.D||a.api.Rc().getPlayerState();QW(a,!0);b=isFinite(b)?b:a.j.Wp();var d=$Ra(a,b);b=d.Ao;d=d.sz;var e=b&&!OW(a,b)||!b&&a.j!==a.api.Rc(),f=1E3*d;f=a.B&&a.B.start<=f&&f<=a.B.end;!e&&f||PW(a);b?VRa(a,b,d,c):aSa(a,d,c)}; +aSa=function(a,b,c){var d=a.j,e=a.api.Rc();d!==e&&a.api.Nq();d.seekTo(b,{Je:"application_timelinemanager"});bSa(a,c)}; +VRa=function(a,b,c,d){var e=OW(a,b);if(!e){b.playerVars.prefer_gapless=!0;var f=new g.$L(a.Y,b.playerVars);f.Nc=b.Nc;a.api.Rs(f,b.playerType)}f=a.api.Rc();e||f.addCueRange(b.Tr.me);f.seekTo(c,{Je:"application_timelinemanager"});bSa(a,d)}; +bSa=function(a,b){a=a.api.Rc();var c=a.getPlayerState();g.RO(b)&&!g.RO(c)?a.playVideo():g.QO(b)&&!g.QO(c)&&a.pauseVideo()}; +QW=function(a,b){a.ea=NaN;a.T.stop();a.C&&b&&CRa(a.C);a.D=null;a.C=null}; +OW=function(a,b){a=a.api.Rc();return!!a&&a.getVideoData().Nc===b.Nc}; +cSa=function(a){var b=a.u.find(function(e){return OW(a,e)}); +if(b){var c=a.api.Rc();PW(a);var d=new g.KO(8);b=ZRa(a,b)/1E3;aSa(a,b,d);c.xa("forceParentTransition",{childPlayback:1});a.j.xa("forceParentTransition",{parentPlayback:1})}}; +eSa=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;for(var d=b,e=c,f=g.t(a.I),h=f.next();!h.done;h=f.next()){var l=g.t(h.value);h=l.next().value;l=l.next().value;l.fm>=d&&l.target&&l.target.Dd<=e&&(a.j.removeCueRange(h),a.I.delete(h))}d=b;e=c;f=[];h=g.t(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.Ec>=d&&l.Dd<=e){var m=a;m.J===l&&PW(m);OW(m,l)&&m.api.Nq()}else f.push(l);a.u=f;d=$Ra(a,b/1E3);b=d.Ao;d=d.sz;b&&(d*=1E3,dSa(a,b,d,b.Dd===b.Ec+b.durationMs?b.Ec+d:b.Dd));(b=$Ra(a,c/1E3).Ao)&& +MW(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Nc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.Ec+" parentReturnTimeMs="+b.Dd+"}.Child playbacks can only have duration updated not their start."))}; +dSa=function(a,b,c,d){b.durationMs=c;b.Dd=d;d={me:NW(c,!0),fm:c,target:null};URa(a,b,d);OW(a,b)&&1E3*a.api.Rc().getCurrentTime()>c&&(b=ZRa(a,b)/1E3,c=a.api.Rc().getPlayerState(),aSa(a,b,c))}; +MW=function(a,b,c,d){a.j.xa("timelineerror",{e:b,cpn:c?c:void 0,videoId:d?d:void 0})}; +gSa=function(a){a&&"web"!==a&&fSa.includes(a)}; +SW=function(a,b){g.C.call(this);var c=this;this.data=[];this.B=a||NaN;this.u=b||null;this.j=new g.Ip(function(){hSa(c);RW(c)}); +g.E(this,this.j)}; +hSa=function(a){var b=(0,g.M)();a.data.forEach(function(c){c.expire=d;d++)c.push(d/100);c={threshold:c,trackVisibility:!0,delay:1E3};(this.u=window.IntersectionObserver?new IntersectionObserver(function(e){e=e[e.length-1];"undefined"===typeof e.isVisible?b.j=null:b.j=e.isVisible?e.intersectionRatio:0},c):null)&&this.u.observe(a)}; +mSa=function(a){g.U.call(this,{G:"div",Ia:["html5-video-player"],X:{tabindex:"-1",id:a.webPlayerContextConfig?a.webPlayerContextConfig.rootElementId:a.config.attrs.id},W:[{G:"div",N:g.WW.VIDEO_CONTAINER,X:{"data-layer":"0"}}]});var b=this;this.app=a;this.kB=this.Da(g.WW.VIDEO_CONTAINER);this.Ez=new g.Em(0,0,0,0);this.kc=null;this.zH=new g.Em(0,0,0,0);this.gM=this.rN=this.qN=NaN;this.mG=this.vH=this.zO=this.QS=!1;this.YK=NaN;this.QM=!1;this.LC=null;this.MN=function(){b.element.focus()}; +this.gH=function(){b.app.Ta.ma("playerUnderlayVisibilityChange","visible");b.kc.classList.remove(g.WW.VIDEO_CONTAINER_TRANSITIONING);b.kc.removeEventListener(zKa,b.gH);b.kc.removeEventListener("transitioncancel",b.gH)}; +var c=this.element.addEventListener,d=this.element.removeEventListener;this.addEventListener=function(f,h,l){c.apply(b.element,[f,h,l])}; this.removeEventListener=function(f,h,l){d.apply(b.element,[f,h,l])}; -var e=a.T();e.transparentBackground&&this.fr("ytp-transparent");"0"===e.controlsType&&this.fr("ytp-hide-controls");e.ba("html5_ux_control_flexbox_killswitch")||g.I(this.element,"ytp-exp-bottom-control-flexbox");e.ba("html5_player_bottom_linear_gradient")&&g.I(this.element,"ytp-linear-gradient-bottom-experiment");e.ba("web_player_bigger_buttons")&&g.I(this.element,"ytp-exp-bigger-button");jia(this.element,Cwa(a));FD(e)&&"blazer"!==e.playerStyle&&window.matchMedia&&(this.P="desktop-polymer"===e.playerStyle? -[{query:window.matchMedia("(max-width: 656px)"),size:new g.ie(426,240)},{query:window.matchMedia("(max-width: 856px)"),size:new g.ie(640,360)},{query:window.matchMedia("(max-width: 999px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1000px)"),size:new g.ie(640,360)}]:[{query:window.matchMedia("(max-width: 656px)"), -size:new g.ie(426,240)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 657px)"),size:new g.ie(640,360)}]);this.ma=e.useFastSizingOnWatchDefault;this.D=new g.ie(NaN,NaN);Dwa(this);this.N(a.u,"onMutedAutoplayChange",this.JM)}; -Dwa=function(a){function b(){a.u&&aZ(a);bZ(a)!==a.aa&&a.resize()} -function c(h,l){a.updateVideoData(l)} +var e=a.V();e.transparentBackground&&this.Dr("ytp-transparent");"0"===e.controlsType&&this.Dr("ytp-hide-controls");g.Qp(this.element,"ytp-exp-bottom-control-flexbox");e.K("enable_new_paid_product_placement")&&!g.GK(e)&&g.Qp(this.element,"ytp-exp-ppp-update");xoa(this.element,"version",kSa(a));this.OX=!1;this.FB=new g.He(NaN,NaN);lSa(this);this.S(a.Ta,"onMutedAutoplayChange",this.onMutedAutoplayChange)}; +lSa=function(a){function b(){a.kc&&XW(a);YW(a)!==a.QM&&a.resize()} +function c(h,l){a.Gs(h,l)} function d(h){h.getVideoData()&&a.updateVideoData(h.getVideoData())} -function e(){a.K=new g.jg(0,0,0,0);a.B=new g.jg(0,0,0,0)} -var f=a.app.u;f.addEventListener("initializingmode",e);f.addEventListener("videoplayerreset",d);f.addEventListener("videodatachange",c);f.addEventListener("presentingplayerstatechange",b);g.eg(a,function(){f.removeEventListener("initializingmode",e);f.removeEventListener("videoplayerreset",d);f.removeEventListener("videodatachange",c);f.removeEventListener("presentingplayerstatechange",b)})}; -fK=function(a,b){mD(a.app.T());a.I=!b;aZ(a)}; -Ewa=function(a){var b=g.Q(a.app.T().experiments,"html5_aspect_from_adaptive_format"),c=g.Z(a.app);if(c=c?c.getVideoData():null){if(c.Vj()||c.Wj()||c.Pj())return 16/9;if(b&&zI(c)&&c.La.Lc())return b=c.La.videoInfos[0].video,cZ(b.width,b.height)}return(a=a.u)?cZ(a.videoWidth,a.videoHeight):b?16/9:NaN}; -Fwa=function(a,b,c,d){var e=c,f=cZ(b.width,b.height);a.za?e=cf?h={width:b.width,height:b.width/e,aspectRatio:e}:ee?h.width=h.height*c:cMath.abs(dZ*b-a)||1>Math.abs(dZ/a-b)?dZ:a/b}; -bZ=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.Z(a.app);if(!b||b.Qj())return!1;var c=g.uK(a.app.u);a=!g.U(c,2)||!g.Q(a.app.T().experiments,"html5_leanback_gapless_elem_display_killswitch")&&b&&b.getVideoData().Lh;b=g.U(c,1024);return c&&a&&!b&&!c.isCued()}; -aZ=function(a){var b="3"===a.app.T().controlsType&&!a.I&&bZ(a)&&!a.app.Ta||!1;a.u.controls=b;a.u.tabIndex=b?0:-1;b?a.u.removeEventListener("focus",a.ia):g.Q(a.app.T().experiments,"disable_focus_redirect")||a.u.addEventListener("focus",a.ia)}; -Gwa=function(a){var b=a.getPlayerSize(),c=1,d=!1,e=Fwa(a,b,a.getVideoAspectRatio()),f=nr();if(bZ(a)){var h=Ewa(a);var l=isNaN(h)||g.hs||fE&&g.Ur;or&&!g.ae(601)?h=e.aspectRatio:l=l||"3"===a.app.T().controlsType;l?l=new g.jg(0,0,b.width,b.height):(c=e.aspectRatio/h,l=new g.jg((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.Ur&&(h=l.width-b.height*h,0f?{width:b.width,height:b.width/e,aspectRatio:e}:ee?a.width=a.height*c:cMath.abs(qSa*b-a)||1>Math.abs(qSa/a-b)?qSa:a/b}; +YW=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.qS(a.app);if(!b||b.Mo())return!1;a=a.app.Ta.Cb();b=!g.S(a,2)||b&&b.getVideoData().fb;var c=g.S(a,1024);return a&&b&&!c&&!a.isCued()}; +XW=function(a){var b="3"===a.app.V().controlsType&&!a.mG&&YW(a)&&!a.app.oz||!1;a.kc.controls=b;a.kc.tabIndex=b?0:-1;b?a.kc.removeEventListener("focus",a.MN):a.kc.addEventListener("focus",a.MN)}; +rSa=function(a){var b=a.Ij(),c=1,d=!1,e=pSa(a,b,a.getVideoAspectRatio()),f=a.app.V(),h=f.K("enable_desktop_player_underlay"),l=koa(),m=g.gJ(f.experiments,"player_underlay_min_player_width");m=h&&a.zO&&a.getPlayerSize().width>m;if(YW(a)){var n=oSa(a);var p=isNaN(n)||g.oB||ZW&&g.BA||m;nB&&!g.Nc(601)?n=e.aspectRatio:p=p||"3"===f.controlsType;p?m?(p=f.K("place_shrunken_video_on_left_of_player"),n=.02*a.getPlayerSize().width,p=p?n:a.getPlayerSize().width-b.width-n,p=new g.Em(p,0,b.width,b.height)):p=new g.Em(0, +0,b.width,b.height):(c=e.aspectRatio/n,p=new g.Em((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.BA&&(n=p.width-b.height*n,0Math.max(p.width-e.width,p.height-e.height));if(l||a.OX)a.kc.style.display="";a.QM=!0}else{p=-b.height;nB?p*=window.devicePixelRatio:g.HK&&(p-=window.screen.height);p=new g.Em(0,p,b.width,b.height);if(l||a.OX)a.kc.style.display="none";a.QM=!1}Fm(a.zH,p)||(a.zH=p,g.mK(f)?(a.kc.style.setProperty("width", +p.width+"px","important"),a.kc.style.setProperty("height",p.height+"px","important")):g.Rm(a.kc,p.getSize()),d=new g.Fe(p.left,p.top),g.Nm(a.kc,Math.round(d.x),Math.round(d.y)),d=!0);b=new g.Em((b.width-e.width)/2,(b.height-e.height)/2,e.width,e.height);Fm(a.Ez,b)||(a.Ez=b,d=!0);g.Hm(a.kc,"transform",1===c?"":"scaleX("+c+")");h&&m!==a.vH&&(m&&(a.kc.addEventListener(zKa,a.gH),a.kc.addEventListener("transitioncancel",a.gH),a.kc.classList.add(g.WW.VIDEO_CONTAINER_TRANSITIONING)),a.vH=m,a.app.Ta.ma("playerUnderlayVisibilityChange", +a.vH?"transitioning":"hidden"));return d}; +sSa=function(){this.csn=g.FE();this.clientPlaybackNonce=null;this.elements=new Set;this.B=new Set;this.j=new Set;this.u=new Set}; +tSa=function(a,b){a.elements.has(b);a.elements.delete(b);a.B.delete(b);a.j.delete(b);a.u.delete(b)}; +uSa=function(a){if(a.csn!==g.FE())if("UNDEFINED_CSN"===a.csn)a.csn=g.FE();else{var b=g.FE(),c=g.EE();if(b&&c){a.csn=b;for(var d=g.t(a.elements),e=d.next();!e.done;e=d.next())(e=e.value.visualElement)&&e.isClientVe()&&g.my(g.bP)(void 0,b,c,e)}if(b)for(a=g.t(a.j),e=a.next();!e.done;e=a.next())(c=e.value.visualElement)&&c.isClientVe()&&g.hP(b,c)}}; +vSa=function(a,b){this.schedule=a;this.policy=b;this.playbackRate=1}; +wSa=function(a,b){var c=Math.min(2.5,VJ(a.schedule));a=$W(a);return b-c*a}; +ySa=function(a,b,c,d,e){e=void 0===e?!1:e;a.policy.Qk&&(d=Math.abs(d));d/=a.playbackRate;var f=1/XJ(a.schedule);c=Math.max(.9*(d-3),VJ(a.schedule)+2048*f)/f*a.policy.oo/(b+c);if(!a.policy.vf||d)c=Math.min(c,d);a.policy.Vf&&e&&(c=Math.max(c,a.policy.Vf));return xSa(a,c,b)}; +xSa=function(a,b,c){return Math.ceil(Math.max(Math.max(65536,a.policy.jo*c),Math.min(Math.min(a.policy.Ja,31*c),Math.ceil(b*c))))||65536}; +$W=function(a){return XJ(a.schedule,!a.policy.ol,a.policy.ao)}; +aX=function(a){return $W(a)/a.playbackRate}; +zSa=function(a,b,c,d,e){this.Fa=a;this.Sa=b;this.videoTrack=c;this.audioTrack=d;this.policy=e;this.seekCount=this.j=0;this.C=!1;this.u=this.Sa.isManifestless&&!this.Sa.Se;this.B=null}; +ASa=function(a,b){var c=a.j.index,d=a.u.Ma;pH(c,d)||b&&b.Ma===d?(a.D=!pH(c,d),a.ea=!pH(c,d)):(a.D=!0,a.ea=!0)}; +CSa=function(a,b,c,d,e){if(!b.j.Jg()){if(!(d=0===c||!!b.B.length&&b.B[0]instanceof bX))a:{if(b.B.length&&(d=b.B[0],d instanceof cX&&d.Yj&&d.vj)){d=!0;break a}d=!1}d||a.policy.B||dX(b);return c}a=eX(b,c);if(!isNaN(a))return a;e.EC||b.vk();return d&&(a=mI(d.Ig(),c),!isNaN(a))?(fX(b,a+BSa),c):fX(b,c)}; +GSa=function(a,b,c,d){if(a.hh()&&a.j){var e=DSa(a,b,c);if(-1!==e){a.videoTrack.D=!1;a.audioTrack.D=!1;a.u=!0;g.Mf(function(){a.Fa.xa("seekreason",{reason:"behindMinSq",tgt:e});ESa(a,e)}); +return}}c?a.videoTrack.ea=!1:a.audioTrack.ea=!1;var f=a.policy.tA||!a.u;0<=eX(a.videoTrack,a.j)&&0<=eX(a.audioTrack,a.j)&&f?((a.videoTrack.D||a.audioTrack.D)&&a.Fa.xa("iterativeSeeking",{status:"done",count:a.seekCount}),a.videoTrack.D=!1,a.audioTrack.D=!1):d&&g.Mf(function(){if(a.u||!a.policy.uc)FSa(a);else{var h=b.startTime,l=b.duration,m=c?a.videoTrack.D:a.audioTrack.D,n=-1!==a.videoTrack.I&&-1!==a.audioTrack.I,p=a.j>=h&&a.ja.seekCount?(a.seekCount++,a.Fa.xa("iterativeSeeking",{status:"inprogress",count:a.seekCount,target:a.j,actual:h,duration:l,isVideo:c}),a.seek(a.j,{})):(a.Fa.xa("iterativeSeeking",{status:"incomplete",count:a.seekCount,target:a.j,actual:h}),a.seekCount=0,a.videoTrack.D=!1,a.audioTrack.D=!1,a.Fa.va.seekTo(h+ +.1,{bv:!0,Je:"chunkSelectorSynchronizeMedia",Er:!0})))}})}; +DSa=function(a,b,c){if(!a.hh())return-1;c=(c?a.videoTrack:a.audioTrack).j.index;var d=c.uh(a.j);return(pH(c,a.Sa.Ge)||b.Ma===a.Sa.Ge)&&da.B&&(a.B=NaN,a.D=NaN);if(a.j&&a.j.Ma===d){d=a.j;e=d.jf;var f=c.gt(e);a.xa("sdai",{onqevt:e.event,sq:b.gb[0].Ma,gab:f});f?"predictStart"!==e.event?d.nC?iX(a,4,"cue"):(a.B=b.gb[0].Ma,a.D=b.gb[0].C,a.xa("sdai",{joinad:a.u,sg:a.B,st:a.D.toFixed(3)}),a.ea=Date.now(),iX(a,2,"join"),c.fG(d.jf)):(a.J=b.gb[0].Ma+ +Math.max(Math.ceil(-e.j/5E3),1),a.xa("sdai",{onpred:b.gb[0].Ma,est:a.J}),a.ea=Date.now(),iX(a,3,"predict"),c.fG(d.jf)):1===a.u&&iX(a,5,"nogab")}else 1===a.u&&iX(a,5,"noad")}}; +LSa=function(a,b,c){return(0>c||c===a.B)&&!isNaN(a.D)?a.D:b}; +MSa=function(a,b){if(a.j){var c=a.j.jf.Sg-(b.startTime+a.I-a.j.jf.startSecs);0>=c||(c=new PD(a.j.jf.startSecs-(isNaN(a.I)?0:a.I),c,a.j.jf.context,a.j.jf.identifier,"stop",a.j.jf.j+1E3*b.duration),a.xa("cuepointdiscontinuity",{segNum:b.Ma}),hX(a,c,b.Ma))}}; +iX=function(a,b,c){a.u!==b&&(a.xa("sdai",{setsst:b,old:a.u,r:c}),a.u=b)}; +jX=function(a,b,c,d){(void 0===d?0:d)?iX(a,1,"sk2h"):0b)return!0;a.ya.clear()}return!1}; +rX=function(a,b){return new kX(a.I,a.j,b||a.B.reason)}; +sX=function(a){return a.B.isLocked()}; +RSa=function(a){a.Qa?a.Qa=!1:a.ea=(0,g.M)();a.T=!1;return new kX(a.I,a.j,a.B.reason)}; +WSa=function(a,b){var c={};b=g.t(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.video){var e=d.video.j,f=c[e],h=f&&KH(f)&&f.video.j>a.policy.ya,l=e<=a.policy.ya?KH(d):BF(d);if(!f||h||l)c[e]=d}return c}; +mX=function(a,b){a.B=b;var c=a.D.videoInfos;if(!sX(a)){var d=(0,g.M)();c=g.Rn(c,function(q){if(q.dc>this.policy.dc)return!1;var r=this.Sa.j[q.id],v=r.info.Lb;return this.policy.Pw&&this.Ya.has(v)||this.ya.get(q.id)>d||4=q.video.width&&480>=q.video.height}))}c.length||(c=a.D.videoInfos); +var e=g.Rn(c,b.C,b);if(sX(a)&&a.oa){var f=g.nb(c,function(q){return q.id===a.oa}); +f?e=[f]:delete a.oa}f="m"===b.reason||"s"===b.reason;a.policy.Uw&&ZW&&g.BA&&(!f||1080>b.j)&&(e=e.filter(function(q){return q.video&&(!q.j||q.j.powerEfficient)})); +if(0c.uE.video.width?(g.tb(e,b),b--):oX(a,c.tE)*a.policy.J>oX(a,c.uE)&&(g.tb(e,b-1),b--);c=e[e.length-1];a.ib=!!a.j&&!!a.j.info&&a.j.info.Lb!==c.Lb;a.C=e;yLa(a.policy,c)}; +OSa=function(a,b){b?a.u=a.Sa.j[b]:(b=g.nb(a.D.j,function(c){return!!c.Jc&&c.Jc.isDefault}),a.policy.Wn&&!b&&(b=g.nb(a.D.j,function(c){return c.audio.j})),b=b||a.D.j[0],a.u=a.Sa.j[b.id]); +lX(a)}; +XSa=function(a,b){for(var c=0;c+1d}; +lX=function(a){if(!a.u||!a.policy.u&&!a.u.info.Jc){var b=a.D.j;a.u&&a.policy.Wn&&(b=b.filter(function(d){return d.audio.j===a.u.info.audio.j}),b.length||(b=a.D.j)); +a.u=a.Sa.j[b[0].id];if(1a.B.j:XSa(a,a.u))a.u=a.Sa.j[g.jb(b).id]}}}; +nX=function(a){a.policy.Si&&(a.La=a.La||new g.Ip(function(){a.policy.Si&&a.j&&!qX(a)&&1===Math.floor(10*Math.random())?(pX(a,a.j),a.T=!0):a.La.start()},6E4),g.Jp(a.La)); +if(!a.nextVideo||!a.policy.u)if(sX(a))a.nextVideo=360>=a.B.j?a.Sa.j[a.C[0].id]:a.Sa.j[g.jb(a.C).id];else{for(var b=Math.min(a.J,a.C.length-1),c=aX(a.Aa),d=oX(a,a.u.info),e=c/a.policy.T-d;0=f);b++);a.nextVideo=a.Sa.j[a.C[b].id];a.J!==b&&a.logger.info(function(){var h=a.B;return"Adapt to: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", bandwidth to downgrade: "+e.toFixed(0)+", bandwidth to upgrade: "+f.toFixed(0)+ +", constraint: ["+(h.u+"-"+h.j+", override: "+(h.B+", reason: "+h.reason+"]"))}); +a.J=b}}; +PSa=function(a){var b=a.policy.T,c=aX(a.Aa),d=c/b-oX(a,a.u.info);b=g.ob(a.C,function(e){return oX(this,e)b&&(b=0);a.J=b;a.nextVideo=a.Sa.j[a.C[b].id];a.logger.info(function(){return"Initial selected fmt: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", max video byterate: "+d.toFixed(0)})}; +QSa=function(a){if(a.kb.length){var b=a.kb,c=function(d,e){if("f"===d.info.Lb||b.includes(SG(d,a.Sa.fd,a.Fa.Ce())))return d;for(var f={},h=0;ha.policy.aj&&(c*=1.5);return c}; +YSa=function(a,b){a=fba(a.Sa.j,function(c){return c.info.itag===b}); +if(!a)throw Error("Itag "+b+" from server not known.");return a}; +ZSa=function(a){var b=[];if("m"===a.B.reason||"s"===a.B.reason)return b;if(Rva(a.Sa)){for(var c=Math.max(0,a.J-2);c=f+100?e=!0:h+100Math.abs(p.startTimeMs+p.durationMs-h)):!0)d=eTa(a,b,h),p={formatId:c,startTimeMs:h,durationMs:0,Gt:f},d+=1,b.splice(d,0,p);p.durationMs+=1E3*e.info.I;p.fh=f;a=d}return a}; +eTa=function(a,b,c){for(var d=-1,e=0;ef&&(d=e);if(c>=h&&c<=f)return e}return d}; +bTa=function(a,b){a=g.Jb(a,{startTimeMs:b},function(c,d){return c.startTimeMs-d.startTimeMs}); +return 0<=a?a:-a-2}; +gTa=function(a){if(a.Vb){var b=a.Vb.Ig();if(0===b.length)a.ze=[];else{var c=[],d=1E3*b.start(0);b=1E3*b.end(b.length-1);for(var e=g.t(a.ze),f=e.next();!f.done;f=e.next())f=f.value,f.startTimeMs+f.durationMsb?--a.j:c.push(f);if(0!==c.length){e=c[0];if(e.startTimeMsb&&a.j!==c.length-1&&(f=a.Sa.I.get(Sva(a.Sa,d.formatId)),b=f.index.uh(b/1E3),h=Math.max(0,b-1),h>=d.Gt-a.u?(d.fh=h+a.u,b=1E3*f.index.getStartTime(b),d.durationMs-=e-b):c.pop()),a.ze=c)}}}}; +hTa=function(a){var b=[],c=[].concat(g.u(a.Az));a.ze.forEach(function(h){b.push(Object.assign({},h))}); +for(var d=a.j,e=g.t(a.B.bU()),f=e.next();!f.done;f=e.next())d=fTa(a,b,c,d,f.value);b.forEach(function(h){h.startTimeMs&&(h.startTimeMs+=1E3*a.timestampOffset)}); +return{ze:b,Az:c}}; +cTa=function(a,b,c){var d=b.startTimeMs+b.durationMs,e=c.startTimeMs+c.durationMs;if(100=Math.abs(b.startTimeMs-c.startTimeMs)){if(b.durationMs>c.durationMs+100){a=b.formatId;var f=b.fh;b.formatId=c.formatId;b.durationMs=c.durationMs;b.fh=c.fh;c.formatId=a;c.startTimeMs=e;c.durationMs=d-e;c.Gt=b.fh+1;c.fh=f;return!1}b.formatId=c.formatId;return!0}d>c.startTimeMs&& +(b.durationMs=c.startTimeMs-b.startTimeMs,b.fh=c.Gt-1);return!1}; +dTa=function(a,b,c){return b.itag!==c.itag||b.xtags!==c.xtags?!1:a.Sa.fd||b.jj===c.jj}; +aTa=function(a,b){return{formatId:MH(b.info.j.info,a.Sa.fd),Ma:b.info.Ma+a.u,startTimeMs:1E3*b.info.C,clipId:b.info.clipId}}; +iTa=function(a){a.ze=[];a.Az=[];a.j=-1}; +jTa=function(a,b){this.u=(new TextEncoder).encode(a);this.j=(new TextEncoder).encode(b)}; +Eya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("woe");d=new g.JJ(a.u);return g.y(f,d.encrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +Kya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("wod");d=new g.JJ(a.u);return g.y(f,d.decrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +lTa=function(a,b,c){var d=this;this.policy=a;this.j=b;this.Aa=c;this.C=this.u=0;this.Cf=null;this.Z=new Set;this.ea=[];this.indexRange=this.initRange=null;this.T=new aK;this.oa=this.ya=!1;this.Ne={t7a:function(){return d.B}, +X6a:function(){return d.chunkSize}, +W6a:function(){return d.J}, +V6a:function(){return d.I}}; +(b=kTa(this))?(this.chunkSize=b.csz,this.B=Math.floor(b.clen/b.csz),this.J=b.ck,this.I=b.civ):(this.chunkSize=a.Qw,this.B=0,this.J=g.KD(16),this.I=g.KD(16));this.D=new Uint8Array(this.chunkSize);this.J&&this.I&&(this.crypto=new jTa(this.J,this.I))}; +kTa=function(a){if(a.policy.je&&a.policy.Sw)for(var b={},c=g.t(a.policy.je),d=c.next();!d.done;b={vE:b.vE,wE:b.wE},d=c.next())if(d=g.sy(d.value),b.vE=+d.clen,b.wE=+d.csz,0=d.length)return;if(0>c)throw Error("Missing data");a.C=a.B;a.u=0}for(e={};c=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.j.totalLength)throw Error();return RF(a.j,a.offset++)}; +CTa=function(a,b){b=void 0===b?!1:b;var c=BTa(a);if(1===c){b=-1;for(c=0;7>c;c++){var d=BTa(a);-1===b&&255!==d&&(b=0);-1e&&d>c;e++)c=256*c+BTa(a),d*=128;return b?c:c-d}; +ETa=function(a,b,c){var d=this;this.Fa=a;this.policy=b;this.I=c;this.logger=new g.eW("dash");this.u=[];this.j=null;this.ya=-1;this.ea=0;this.Ga=NaN;this.Z=0;this.B=NaN;this.T=this.La=0;this.Ya=-1;this.Ja=this.C=this.D=this.Aa=null;this.fb=this.Xa=NaN;this.J=this.oa=this.Qa=this.ib=null;this.kb=!1;this.timestampOffset=0;this.Ne={bU:function(){return d.u}}; +if(this.policy.u){var e=this.I,f=this.policy.u;this.policy.La&&a.xa("atv",{ap:this.policy.La});this.J=new lTa(this.policy,e,function(h,l,m){zX(a,new yX(d.policy.u,2,{tD:new zTa(f,h,e.info,l,m)}))}); +this.J.T.promise.then(function(h){d.J=null;1===h?zX(a,new yX(d.policy.u,h)):d.Fa.xa("offlineerr",{status:h.toString()})},function(h){var l=(h.message||"none").replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"); +h instanceof xX&&!h.j?(d.logger.info(function(){return"Assertion failed: "+l}),d.Fa.xa("offlinenwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4))):(d.logger.info(function(){return"Failed to write to disk: "+l}),d.Fa.xa("dldbwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4,{oG:!0})))})}}; +FTa=function(a){return a.u.length?a.u[0]:null}; +AX=function(a){return a.u.length?a.u[a.u.length-1]:null}; +MTa=function(a,b,c,d){d=void 0===d?0:d;if(a.C){var e=a.C.Ob+a.C.u;if(0=a.ya&&0===a.ea){var h=a.j.j;e=f=-1;if(c){for(var l=0;l+8e&&(f=-1)}else{h=new ATa(h);for(m=l=!1;;){n=h.Yp();var p=h;try{var q=CTa(p,!0),r=CTa(p,!1);var v=q;var x=r}catch(B){x=v=-1}p=v;var z=x;if(!(0f&&(f=n),m))break;163===p&&(f=Math.max(0,f),e=h.Yp()+z);if(160===p){0>f&&(e=f=h.Yp()+z);break}h.skip(z)}}0>f&&(e=-1)}if(0>f)break;a.ya=f;a.ea=e-f}if(a.ya>d)break;a.ya?(d=JTa(a,a.ya),d.C&&KTa(a,d),HTa(a,b,d),LTa(a,d),a.ya=0):a.ea&&(d=JTa(a,0>a.ea?Infinity:a.ea),a.ea-=d.j.totalLength,LTa(a,d))}}a.j&&a.j.info.bf&&(LTa(a,a.j),a.j=null)}; +ITa=function(a,b){!b.info.j.Ym()&&0===b.info.Ob&&(g.vH(b.info.j.info)||b.info.j.info.Ee())&&tva(b);if(1===b.info.type)try{KTa(a,b),NTa(a,b)}catch(d){g.CD(d);var c=cH(b.info);c.hms="1";a.Fa.handleError("fmt.unparseable",c||{},1)}c=b.info.j;c.mM(b);a.J&&qTa(a.J,b);c.Jg()&&a.policy.B&&(a=a.Fa.Sa,a.La.push(MH(c.info,a.fd)))}; +DTa=function(a){var b;null==(b=a.J)||b.dispose();a.J=null}; +OTa=function(a){var b=a.u.reduce(function(c,d){return c+d.j.totalLength},0); +a.j&&(b+=a.j.j.totalLength);return b}; +JTa=function(a,b){var c=a.j;b=Math.min(b,c.j.totalLength);if(b===c.j.totalLength)return a.j=null,c;c=nva(c,b);a.j=c[1];return c[0]}; +KTa=function(a,b){var c=tH(b);if(JH(b.info.j.info)&&"bt2020"===b.info.j.info.video.primaries){var d=new uG(c);wG(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.pos,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.j.info;BF(d)&&!JH(d)&&(d=tH(b),(new uG(d)).Xm(),AG([408125543,374648427,174,224],21936,d));b.info.j.info.Xg()&&(d=b.info.j,d.info&&d.info.video&&"MESH"===d.info.video.projectionType&&!d.B&&(g.vH(d.info)?d.B=vua(c):d.info.Ee()&&(d.B=Cua(c))));b.info.j.info.Ee()&& +b.info.Xg()&&(c=tH(b),(new uG(c)).Xm(),AG([408125543,374648427,174,224],30320,c)&&AG([408125543,374648427,174,224],21432,c));if(a.policy.uy&&b.info.j.info.Ee()){c=tH(b);var e=new uG(c);if(wG(e,[408125543,374648427,174,29637])){d=zG(e,!0);e=e.start+e.pos;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=cG(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.j,e))}}if(b=a.Aa&&!!a.Aa.I.D)if(b=c.info.Xg())b=rva(c),h=a.Aa,CX?(l=1/b,b=DX(a,b)>=DX(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&PTa(c)&&(b=a.Aa,CX?(l=rva(c),h=1/l,l=DX(a,l),b=DX(b)+h-l):b=b.getDuration()- +a.getDuration(),b=1+b/c.info.duration,uua(tH(c),b))}else{h=!1;a.D||(tva(c),c.u&&(a.D=c.u,h=!0,f=c.info,d=c.u.j,f.D="updateWithEmsg",f.Ma=d,f=c.u,f.C&&(a.I.index.u=!f.C),f=c.info.j.info,d=tH(c),g.vH(f)?sG(d,1701671783):f.Ee()&&AG([408125543],307544935,d)));a:if((f=xH(c,a.policy.Pb))&&sva(c))l=QTa(a,c),a.T+=l,f-=l,a.Z+=f,a.B=a.policy.Zi?a.B+f:NaN;else{if(a.policy.po){if(d=m=a.Fa.Er(ova(c),1),0<=a.B&&6!==c.info.type){if(a.policy.Zi&&isNaN(a.Xa)){g.DD(new g.bA("Missing duration while processing previous chunk", +dH(c.info)));a.Fa.isOffline()&&!a.policy.ri||RTa(a,c,d);GTa(a,"m");break a}var n=m-a.B,p=n-a.T,q=c.info.Ma,r=a.Ja?a.Ja.Ma:-1,v=a.fb,x=a.Xa,z=a.policy.ul&&n>a.policy.ul,B=10Math.abs(a.B-d);if(1E-4l&&f>a.Ya)&&m){d=Math.max(.95,Math.min(1.05,(c-(h-e))/c));if(g.vH(b.info.j.info))uua(tH(b),d);else if(b.info.j.info.Ee()&&(f=e-h,!g.vH(b.info.j.info)&&(b.info.j.info.Ee(),d=new uG(tH(b)),l=b.C?d:new uG(new DataView(b.info.j.j.buffer)),xH(b,!0)))){var n= +1E3*f,p=GG(l);l=d.pos;d.pos=0;if(160===d.j.getUint8(d.pos)||HG(d))if(yG(d,160))if(zG(d,!0),yG(d,155)){if(f=d.pos,m=zG(d,!0),d.pos=f,n=1E9*n/p,p=BG(d),n=p+Math.max(.7*-p,Math.min(p,n)),n=Math.sign(n)*Math.floor(Math.abs(n)),!(Math.ceil(Math.log(n)/Math.log(2)/8)>m)){d.pos=f+1;for(f=m-1;0<=f;f--)d.j.setUint8(d.pos+f,n&255),n>>>=8;d.pos=l}}else d.pos=l;else d.pos=l;else d.pos=l}d=xH(b,a.policy.Pb);d=c-d}d&&b.info.j.info.Ee()&&a.Fa.xa("webmDurationAdjustment",{durationAdjustment:d,videoDrift:e+d,audioDrift:h})}return d}; +PTa=function(a){return a.info.j.Ym()&&a.info.Ma===a.info.j.index.td()}; +DX=function(a,b){b=(b=void 0===b?0:b)?Math.round(a.timestampOffset*b)/b:a.timestampOffset;a.I.D&&b&&(b+=a.I.D.j);return b+a.getDuration()}; +VTa=function(a,b){0>b||(a.u.forEach(function(c){wH(c,b)}),a.timestampOffset=b)}; +EX=function(a,b){var c=b.Jh,d=b.Iz,e=void 0===b.BB?1:b.BB,f=void 0===b.kH?e:b.kH,h=void 0===b.Mr?!1:b.Mr,l=void 0===b.tq?!1:b.tq,m=void 0===b.pL?!1:b.pL,n=b.Hk,p=b.Ma;b=b.Tg;this.callbacks=a;this.requestNumber=++WTa;this.j=this.now();this.ya=this.Qa=NaN;this.Ja=0;this.C=this.j;this.u=0;this.Xa=this.j;this.Aa=0;this.Ya=this.La=this.isActive=!1;this.B=0;this.Z=NaN;this.J=this.D=Infinity;this.T=NaN;this.Ga=!1;this.ea=NaN;this.I=void 0;this.Jh=c;this.Iz=d;this.policy=this.Jh.ya;this.BB=e;this.kH=f;this.Mr= +h;this.tq=l;m&&(this.I=[]);this.Hk=n;this.Ma=p;this.Tg=b;this.snapshot=YJ(this.Jh);XTa(this);YTa(this,this.j);this.Z=(this.ea-this.j)/1E3}; +ZTa=function(a,b){a.url=b;window.performance&&!performance.onresourcetimingbufferfull&&(performance.onresourcetimingbufferfull=function(){performance.clearResourceTimings()})}; +FX=function(a){var b={rn:a.requestNumber,rt:(a.now()-a.j).toFixed(),lb:a.u,pt:(1E3*a.Z).toFixed(),pb:a.BB,stall:(1E3*a.B).toFixed(),ht:(a.Qa-a.j).toFixed(),elt:(a.ya-a.j).toFixed(),elb:a.Ja};a.url&&qQa(b,a.url);return b}; +bUa=function(a,b,c,d){if(!a.La){a.La=!0;if(!a.tq){$Ta(a,b,c);aUa(a,b,c);var e=a.gs();if(2===e&&d)GX(a,a.u/d,a.u);else if(2===e||1===e)d=(b-a.j)/1E3,(d<=a.policy.j||!a.policy.j)&&!a.Ya&&HX(a)&&GX(a,d,c),HX(a)&&(d=a.Jh,d.j.zi(1,a.B/Math.max(c,2048)),ZJ(d));c=a.Jh;b=(b-a.j)/1E3||.05;d=a.Z;e=a.Mr;c.I.zi(b,a.u/b);c.C=(0,g.M)();e||c.u.zi(1,b-d)}IX(a)}}; +IX=function(a){a.isActive&&(a.isActive=!1)}; +aUa=function(a,b,c){var d=(b-a.C)/1E3,e=c-a.u,f=a.gs();if(a.isActive)1===f&&0e?(a.B+=d,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=HX(a)?d+b:d+Math.max(b,c);a.ea=d}; +eUa=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; +jUa=function(a,b){if(b+1<=a.totalLength){var c=RF(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)a=RF(a,b++);else if(2===c)c=RF(a,b++),a=RF(a,b++),a=(c&63)+64*a;else if(3===c){c=RF(a,b++);var d=RF(a,b++);a=RF(a,b++);a=(c&31)+32*(d+256*a)}else if(4===c){c=RF(a,b++);d=RF(a,b++);var e=RF(a,b++);a=RF(a,b++);a=(c&15)+16*(d+256*(e+256*a))}else c=b+1,a.focus(c),PF(a,c,4)?a=gua(a).getUint32(c-a.B,!0):(d=RF(a,c+2)+256*RF(a,c+3),a=RF(a,c)+256*(RF(a,c+1)+ +256*d)),b+=5;return[a,b]}; +KX=function(a){this.callbacks=a;this.j=new LF}; +LX=function(a,b){this.info=a;this.callback=b;this.state=1;this.Bz=this.tM=!1;this.Zd=null}; +kUa=function(a){return g.Zl(a.info.gb,function(b){return 3===b.type})}; +lUa=function(a,b,c,d){var e=this;d=void 0===d?{}:d;this.policy=b;this.callbacks=c;this.status=0;this.j=new LF;this.B=0;this.isDisposed=this.C=!1;this.D=0;this.xhr=new XMLHttpRequest;this.xhr.open(d.method||"GET",a);if(d.headers)for(a=d.headers,b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.xhr.setRequestHeader(c,a[c]);this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){return e.wz()}; +this.xhr.onload=function(){return e.onDone()}; +this.xhr.onerror=function(){return e.onError()}; +this.xhr.fetch(function(f){e.u&&e.j.append(e.u);e.policy.j?e.j.append(f):e.u=f;e.B+=f.length;f=(0,g.M)();10this.policy.ox?!1:!0:!1,a),this.Bd.j.start(),g.Mf(function(){})}catch(z){xUa(this,z,!0)}}; +vUa=function(a){if(!(hH(a.info)&&a.info.Mr()&&a.policy.rd&&a.pD)||2<=a.info.j.u||0=b&&(e.u.pop(),e.B-=xH(l,e.policy.Pb),f=l.info)}f&&(e.C=0c?fX(a,d):a.u=a.j.Br(b-1,!1).gb[0]}; +XX=function(a,b){var c;for(c=0;c=a.Z:c}; +YX=function(a){var b;return TX(a)||!(null==(b=AX(a.C))||!YG(b.info))}; +HUa=function(a){var b=[],c=RX(a);c&&b.push(c);b=g.zb(b,a.C.Om());c=g.t(a.B);for(var d=c.next();!d.done;d=c.next()){d=d.value;for(var e={},f=g.t(d.info.gb),h=f.next();!h.done;e={Kw:e.Kw},h=f.next())e.Kw=h.value,d.tM&&(b=g.Rn(b,function(l){return function(m){return!Xua(m,l.Kw)}}(e))),($G(e.Kw)||4===e.Kw.type)&&b.push(e.Kw)}a.u&&!Qua(a.u,g.jb(b),a.u.j.Ym())&&b.push(a.u); return b}; -jZ=function(a,b){g.C.call(this);this.message=a;this.requestNumber=b;this.onError=this.onSuccess=null;this.u=new g.En(5E3,2E4,.2)}; -Qwa=function(a,b,c){a.onSuccess=b;a.onError=c}; -Swa=function(a,b,c){var d={format:"RAW",method:"POST",postBody:a.message,responseType:"arraybuffer",withCredentials:!0,timeout:3E4,onSuccess:function(e){if(!a.na())if(a.ea(),0!==e.status&&e.response)if(PE("drm_net_r"),e=new Uint8Array(e.response),e=Pwa(e))a.onSuccess(e,a.requestNumber);else a.onError(a,"drm.net","t.p");else Rwa(a,e)}, -onError:function(e){Rwa(a,e)}}; -c&&(b=Td(b,"access_token",c));g.qq(b,d);a.ea()}; -Rwa=function(a,b){if(!a.na())a.onError(a,b.status?"drm.net.badstatus":"drm.net.connect","t.r;c."+String(b.status),b.status)}; -Uwa=function(a,b,c,d){var e={timeout:3E4,onSuccess:function(f){if(!a.na()){a.ea();PE("drm_net_r");var h="LICENSE_STATUS_OK"===f.status?0:9999,l=null;if(f.license)try{l=g.cf(f.license)}catch(y){}if(0!==h||l){l=new Nwa(h,l);0!==h&&f.reason&&(l.errorMessage=f.reason);if(f.authorizedFormats){h={};for(var m=[],n={},p=g.q(f.authorizedFormats),r=p.next();!r.done;r=p.next())if(r=r.value,r.trackType&&r.keyId){var t=Twa[r.trackType];if(t){"HD"===t&&f.isHd720&&(t="HD720");h[t]||(m.push(t),h[t]=!0);var w=null; -try{w=g.cf(r.keyId)}catch(y){}w&&(n[g.sf(w,4)]=t)}}l.u=m;l.B=n}f.nextFairplayKeyId&&(l.nextFairplayKeyId=f.nextFairplayKeyId);f=l}else f=null;if(f)a.onSuccess(f,a.requestNumber);else a.onError(a,"drm.net","t.p;p.i")}}, -onError:function(f){if(!a.na())if(f&&f.error)f=f.error,a.onError(a,"drm.net.badstatus","t.r;p.i;c."+f.code+";s."+f.status,f.code);else a.onError(a,"drm.net.badstatus","t.r;p.i;c.n")}, -Bg:function(){a.onError(a,"drm.net","rt.req."+a.requestNumber)}}; -d&&(e.VB="Bearer "+d);g.Mp(c,"player/get_drm_license",b,e)}; -lZ=function(a,b,c,d){g.O.call(this);this.videoData=a;this.W=b;this.ha=c;this.sessionId=d;this.D={};this.cryptoPeriodIndex=NaN;this.url="";this.requestNumber=0;this.I=this.P=!1;this.C=null;this.aa=[];this.F=[];this.X=!1;this.u={};this.Y=NaN;this.status="";this.K=!1;this.B=a.md;this.cryptoPeriodIndex=c.cryptoPeriodIndex;a={};Object.assign(a,this.W.deviceParams);a.cpn=this.videoData.clientPlaybackNonce;this.videoData.lg&&(a.vvt=this.videoData.lg,this.videoData.mdxEnvironment&&(a.mdx_environment=this.videoData.mdxEnvironment)); -this.W.ye&&(a.authuser=this.W.ye);this.W.pageId&&(a.pageid=this.W.pageId);isNaN(this.cryptoPeriodIndex)||(a.cpi=this.cryptoPeriodIndex.toString());if(this.videoData.ba("html5_send_device_type_in_drm_license_request")){var e;(e=(e=/_(TV|STB|GAME|OTT|ATV|BDP)_/.exec(g.Vc))?e[1]:"")&&(a.cdt=e)}this.D=a;this.D.session_id=d;this.R=!0;"widevine"===this.B.flavor&&(this.D.hdr="1");"playready"===this.B.flavor&&(b=Number(g.kB(b.experiments,"playready_first_play_expiration")),!isNaN(b)&&0<=b&&(this.D.mfpe=""+ -b),this.R=!1,this.videoData.ba("html5_playready_enable_non_persist_license")&&(this.D.pst="0"));b=uC(this.B)?Lwa(c.initData).replace("skd://","https://"):this.B.C;this.videoData.ba("enable_shadow_yttv_channels")&&(b=new g.Qm(b),document.location.origin&&document.location.origin.includes("green")?g.Sm(b,"web-green-qa.youtube.com"):g.Sm(b,"www.youtube.com"),b=b.toString());this.baseUrl=b;this.fairplayKeyId=Qd(this.baseUrl,"ek")||"";if(b=Qd(this.baseUrl,"cpi")||"")this.cryptoPeriodIndex=Number(b);this.fa= -this.videoData.ba("html5_use_drm_retry");this.aa=c.B;this.ea();kZ(this,"sessioninit."+c.cryptoPeriodIndex);this.status="in"}; -Ywa=function(a,b){kZ(a,"createkeysession");a.status="gr";PE("drm_gk_s");a.url=Vwa(a);try{a.C=b.createSession(a.ha,function(d){kZ(a,d)})}catch(d){var c="t.g"; -d instanceof DOMException&&(c+=";c."+d.code);a.V("licenseerror","drm.unavailable",!0,c,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK");return}a.C&&(Wwa(a.C,function(d,e){Xwa(a,d,e)},function(d){a.na()||(a.ea(),a.error("drm.keyerror",!0,d))},function(){a.na()||(a.ea(),kZ(a,"onkyadd"),a.I||(a.V("sessionready"),a.I=!0))},function(d){a.xl(d)}),g.D(a,a.C))}; -Vwa=function(a){var b=a.baseUrl;ufa(b)||a.error("drm.net",!0,"t.x");if(!Qd(b,"fexp")){var c=["23898307","23914062","23916106","23883098"].filter(function(e){return a.W.experiments.experiments[e]}); -0h&&(m=g.P(a.W.experiments,"html5_license_server_error_retry_limit")||3);(h=d.u.B>=m)||(h=a.fa&&36E4<(0,g.N)()-a.Y);h&&(l=!0,e="drm.net.retryexhausted");a.ea();kZ(a,"onlcsrqerr."+e+";"+f);a.error(e,l,f);a.shouldRetry(l,d)&&dxa(a,d)}}); -g.D(a,b);exa(a,b)}}else a.error("drm.unavailable",!1,"km.empty")}; -axa=function(a,b){a.ea();kZ(a,"sdpvrq");if("widevine"!==a.B.flavor)a.error("drm.provision",!0,"e.flavor;f."+a.B.flavor+";l."+b.byteLength);else{var c={cpn:a.videoData.clientPlaybackNonce};Object.assign(c,a.W.deviceParams);c=g.Md("https://www.googleapis.com/certificateprovisioning/v1/devicecertificates/create?key=AIzaSyB-5OLKTx2iU5mko18DfdwK5611JIjbUhE",c);var d={format:"RAW",headers:{"content-type":"application/json"},method:"POST",postBody:JSON.stringify({signedRequest:Su(b)}),responseType:"arraybuffer"}; -g.Vs(c,d,3,500).then(Eo(function(e){if(!a.na()){e=new Uint8Array(e.response);var f=Su(e);try{var h=JSON.parse(f)}catch(l){}h&&h.signedResponse?(a.V("ctmp","drminfo","provisioning"),a.C&&a.C.update(e)):(h=h&&h.error&&h.error.message,e="e.parse",h&&(e+=";m."+h),a.error("drm.provision",!0,e))}}),Eo(function(e){a.na()||a.error("drm.provision",!0,"e."+e.errorCode+";c."+(e.xhr&&e.xhr.status))}))}}; -mZ=function(a){var b;if(b=a.R&&null!=a.C)a=a.C,b=!(!a.u||!a.u.keyStatuses);return b}; -exa=function(a,b){a.status="km";PE("drm_net_s");if(a.videoData.useInnertubeDrmService()){var c=new g.Cs(a.W.ha),d=g.Jp(c.Tf||g.Kp());d.drmSystem=fxa[a.B.flavor];d.videoId=a.videoData.videoId;d.cpn=a.videoData.clientPlaybackNonce;d.sessionId=a.sessionId;d.licenseRequest=g.sf(b.message);d.drmParams=a.videoData.drmParams;isNaN(a.cryptoPeriodIndex)||(d.isKeyRotated=!0,d.cryptoPeriodIndex=a.cryptoPeriodIndex);if(!d.context||!d.context.client){a.ea();a.error("drm.net",!0,"t.r;ic.0");return}var e=a.W.deviceParams; -e&&(d.context.client.deviceMake=e.cbrand,d.context.client.deviceModel=e.cmodel,d.context.client.browserName=e.cbr,d.context.client.browserVersion=e.cbrver,d.context.client.osName=e.cos,d.context.client.osVersion=e.cosver);d.context.user=d.context.user||{};d.context.request=d.context.request||{};a.videoData.lg&&(d.context.user.credentialTransferTokens=[{token:a.videoData.lg,scope:"VIDEO"}]);d.context.request.mdxEnvironment=a.videoData.mdxEnvironment||d.context.request.mdxEnvironment;a.videoData.Ph&& -(d.context.user.kidsParent={oauthToken:a.videoData.Ph});if(uC(a.B)){e=a.fairplayKeyId;for(var f=[],h=0;hd;d++)c[2*d]=''.charCodeAt(d);c=a.C.createSession("video/mp4",b,c);return new oZ(null,null,null,null,c)}; -rZ=function(a,b){var c=a.I[b.sessionId];!c&&a.D&&(c=a.D,a.D=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; -sxa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=b){b=f;break a}}b=e}return 0>b?NaN:GUa(a,c?b:0)?a[b].startTime:NaN}; +ZX=function(a){return!(!a.u||a.u.j===a.j)}; +MUa=function(a){return ZX(a)&&a.j.Jg()&&a.u.j.info.dcb&&a.Bb)return!0;var c=a.td();return bb)return 1;c=a.td();return b=f)return 1;d=b.zm;if(!d||e(0,g.M)()?0:1}; +$X=function(a,b,c,d,e,f,h,l,m,n,p,q){g.C.call(this);this.Fa=a;this.policy=b;this.videoTrack=c;this.audioTrack=d;this.C=e;this.j=f;this.timing=h;this.D=l;this.schedule=m;this.Sa=n;this.B=p;this.Z=q;this.oa=!1;this.yD="";this.Hk=null;this.J=0;this.Tg=NaN;this.ea=!1;this.u=null;this.Yj=this.T=NaN;this.vj=null;this.I=0;this.logger=new g.eW("dash");0f&&(c=d.j.hx(d,e-h.u)))),d=c):(0>d.Ma&&(c=cH(d),c.pr=""+b.B.length,a.Fa.hh()&&(c.sk="1"),c.snss=d.D,a.Fa.xa("nosq",c)),d=h.PA(d));if(a.policy.oa)for(c=g.t(d.gb),e=c.next();!e.done;e=c.next())e.value.type=6}else d.j.Ym()?(c=ySa(a.D,b.j.info.dc,c.j.info.dc,0),d=d.j.hx(d,c)):d=d.j.PA(d);if(a.u){l=d.gb[0].j.info.id; +c=a.j;e=d.gb[0].Ma;c=0>e&&!isNaN(c.B)?c.B:e;e=LSa(a.j,d.gb[0].C,c);var m=b===a.audioTrack?1:2;f=d.gb[0].j.info.Lb;h=l.split(";")[0];if(a.policy.Aa&&0!==a.j.u){if(l=a.u.Ds(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),l){var n;m=(null==(n=l.Pz)?void 0:n.Qr)||"";var p;n=(null==(p=l.Pz)?void 0:p.RX)||-1;a.Fa.xa("sdai",{ssdaiinfo:"1",ds:m,skipsq:n,itag:h,f:f,sg:c,st:e.toFixed(3)});d.J=l}}else if(p=a.u.Im(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),p){n={dec_sq:c,itag:h,st:e.toFixed(3)};if(a.policy.Xy&&b.isRequestPending(c- +1)){a.Fa.xa("sdai",{wt_daistate_on_sg:c-1});return}a.Fa.xa("sdai",n);p&&(d.u=new g.DF(p))}else 5!==a.j.u&&a.Fa.xa("sdai",{nodec_sq:c,itag:h,st:e.toFixed(3)})}a.policy.hm&&-1!==d.gb[0].Ma&&d.gb[0].Ma=e.J?(e.xa("sdai",{haltrq:f+1,est:e.J}),d=!1):d=2!==e.u;if(!d||!QG(b.u?b.u.j.u:b.j.u,a.policy,a.C)||a.Fa.isSuspended&&(!mxa(a.schedule)||a.Fa.sF))return!1;if(a.policy.u&&5<=PL)return g.Jp(a.Fa.FG),!1;if(a.Sa.isManifestless){if(0=a.policy.rl||!a.policy.Ax&&0=a.policy.qm)return!1;d=b.u;if(!d)return!0;4===d.type&&d.j.Jg()&&(b.u=g.jb(d.j.Jz(d)),d=b.u);if(!YG(d)&&!d.j.Ar(d))return!1;f=a.Sa.Se||a.Sa.B;if(a.Sa.isManifestless&&f){f=b.j.index.td();var h=c.j.index.td();f=Math.min(f,h);if(0= +f)return b.Z=f,c.Z=f,!1}if(d.j.info.audio&&4===d.type)return!1;if(!a.policy.Ld&&MUa(b)&&!a.policy.Oc)return!0;if(YG(d)||!a.policy.Ld&&UX(b)&&UX(b)+UX(c)>a.policy.kb)return!1;f=!b.D&&!c.D;if(e=!e)e=d.B,e=!!(c.u&&!YG(c.u)&&c.u.BZUa(a,b)?(ZUa(a,b),!1):(a=b.Vb)&&a.isLocked()?!1:!0}; +ZUa=function(a,b){var c=a.j;c=c.j?c.j.jf:null;if(a.policy.oa&&c)return c.startSecs+c.Sg+15;b=VUa(a.Fa,b,!0);!sX(a.Fa.ue)&&0a.Fa.getCurrentTime())return c.start/1E3;return Infinity}; +aVa=function(a,b,c){if(0!==c){a:if(b=b.info,c=2===c,b.u)b=null;else{var d=b.gb[0];if(b.range)var e=VG(b.range.start,Math.min(4096,b.C));else{if(b.B&&0<=b.B.indexOf("/range/")||"1"===b.j.B.get("defrag")||"1"===b.j.B.get("otf")){b=null;break a}e=VG(0,4096)}e=new fH([new XG(5,d.j,e,"createProbeRequestInfo"+d.D,d.Ma)],b.B);e.I=c;e.u=b.u;b=e}b&&XUa(a,b)}}; +XUa=function(a,b){a.Fa.iG(b);var c=Zua(b);c={Jh:a.schedule,BB:c,kH:wSa(a.D,c),Mr:ZG(b.gb[0]),tq:GF(b.j.j),pL:a.policy.D,Iz:function(e,f){a.Fa.DD(e,f)}}; +a.Hk&&(c.Ma=b.gb[0].Ma,c.Tg=b.Tg,c.Hk=a.Hk);var d={Au:$ua(b,a.Fa.getCurrentTime()),pD:a.policy.rd&&hH(b)&&b.gb[0].j.info.video?ZSa(a.B):void 0,aE:a.policy.oa,poToken:a.Fa.cM(),Nv:a.Fa.XB(),yD:a.yD,Yj:isNaN(a.Yj)?null:a.Yj,vj:a.vj};return new cX(a.policy,b,c,a.C,function(e,f){try{a:{var h=e.info.gb[0].j,l=h.info.video?a.videoTrack:a.audioTrack;if(!(2<=e.state)||e.isComplete()||e.As()||!(!a.Fa.Wa||a.Fa.isSuspended||3f){if(a.policy.ib){var n=e.policy.jE?Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing),cncl:e.isDisposed()}):Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing)});a.Fa.xa("rqs",n)}e.GX&&a.Fa.xa("sbwe3",{},!0)}if(!a.isDisposed()&&2<=e.state){var p=a.timing,q=e.info.gb[0].j,r=!p.J&&q.info.video,v=!p.u&&q.info.audio;3===e.state?r?p.tick("vrr"):v&&p.tick("arr"):4===e.state?r?(p.J=e.Ze(),g.iA(),kA(4)):v&&(p.u=e.Ze()):e.qv()&&r&&(g.iA(),kA(4));var x= +a.Fa;a.Yj&&e.FK&&x&&(a.Yj=NaN,a.Fa.xa("cabrUtcSeek",{mediaTimeSeconds:e.FK}));if(3===e.state){XX(l,e);hH(e.info)&&aY(a,l,h,!0);if(a.u){var z=e.info.Im();z&&a.u.Bk(e.info.gb[0].Ma,h.info.id,z)}a.Fa.gf()}else if(e.isComplete()&&5===e.info.gb[0].type){if(4===e.state){var B=(e.info.gb[0].j.info.video?a.videoTrack:a.audioTrack).B[0]||null;B&&B instanceof cX&&B.As()&&B.iE(!0)}e.dispose()}else{if(!e.Wm()&&e.Bz&&2<=e.state&&3!==e.state){var F=e.xhr.getResponseHeader("X-Response-Itag");if(F){var G=YSa(a.B, +F),D=e.info.C;if(D){var L=D-G.WL();G.C=!0;e.info.gb[0].j.C=!1;var P=G.Uu(L);e.info=P;if(e.Zd){var T=e.Zd,fa=P.gb;(fa.length!==T.gb.length||fa.lengtha.j||c.push(d)}return c}; +nVa=function(a,b,c){b.push.apply(b,g.u(lVa[a]||[]));c.K("html5_early_media_for_drm")&&b.push.apply(b,g.u(mVa[a]||[]))}; +sVa=function(a,b){var c=vM(a),d=a.V().D;if(eY&&!d.j)return eY;for(var e=[],f=[],h={},l=g.t(oVa),m=l.next();!m.done;m=l.next()){var n=!1;m=g.t(m.value);for(var p=m.next();!p.done;p=m.next()){p=p.value;var q=pVa(p);!q||!q.video||KH(q)&&!c.Ja&&q.video.j>c.C||(n?(e.push(p),nVa(p,e,a)):(q=sF(c,q,d),!0===q?(n=!0,e.push(p),nVa(p,e,a)):h[p]=q))}}l=g.t(qVa);for(n=l.next();!n.done;n=l.next())for(n=g.t(n.value),p=n.next();!p.done;p=n.next())if(m=p.value,(p=rVa(m))&&p.audio&&(a.K("html5_onesie_51_audio")||!AF(p)&& +!zF(p)))if(p=sF(c,p,d),!0===p){f.push(m);nVa(m,f,a);break}else h[m]=p;c.B&&b("orfmts",h);eY={video:e,audio:f};d.j=!1;return eY}; +pVa=function(a){var b=HH[a],c=tVa[b],d=uVa[a];if(!d||!c)return null;var e=new EH(d.width,d.height,d.fps);c=GI(c,e,b);return new IH(a,c,{video:e,dc:d.bitrate/8})}; +rVa=function(a){var b=tVa[HH[a]],c=vVa[a];return c&&b?new IH(a,b,{audio:new CH(c.audioSampleRate,c.numChannels)}):null}; +xVa=function(a){return{kY:mya(a,1,wVa)}}; +yVa=function(a){return{S7a:kL(a,1)}}; +wVa=function(a){return{clipId:nL(a,1),nE:oL(a,2,zVa),Z4:oL(a,3,yVa)}}; +zVa=function(a){return{a$:nL(a,1),k8:kL(a,2),Q7a:kL(a,3),vF:kL(a,4),Nt:kL(a,5)}}; +AVa=function(a){return{first:kL(a,1),eV:kL(a,2)}}; +CVa=function(a,b){xL(a,1,b.formatId,fY,3);tL(a,2,b.startTimeMs);tL(a,3,b.durationMs);tL(a,4,b.Gt);tL(a,5,b.fh);xL(a,9,b.t6a,BVa,3)}; +DVa=function(a,b){wL(a,1,b.videoId);tL(a,2,b.jj)}; +BVa=function(a,b){var c;if(b.uS)for(c=0;ca;a++)jY[a]=255>=a?9:7;eWa.length=32;eWa.fill(5);kY.length=286;kY.fill(0);for(a=261;285>a;a++)kY[a]=Math.floor((a-261)/4);lY[257]=3;for(a=258;285>a;a++){var b=lY[a-1];b+=1<a;a++)fWa[a]=3>=a?0:Math.floor((a-2)/2);for(a=mY[0]=1;30>a;a++)b=mY[a-1],b+=1<a.Sj.length&&(a.Sj=new Uint8Array(2*a.B),a.B=0,a.u=0,a.C=!1,a.j=0,a.register=0)}a.Sj.length!==a.B&&(a.Sj=a.Sj.subarray(0,a.B));return a.error?new Uint8Array(0):a.Sj}; +kWa=function(a,b,c){b=iWa(b);c=iWa(c);for(var d=a.data,e=a.Sj,f=a.B,h=a.register,l=a.j,m=a.u;;){if(15>l){if(m>d.length){a.error=!0;break}h|=(d[m+1]<<8)+d[m]<n)for(h>>=7;0>n;)n=b[(h&1)-n],h>>=1;else h>>=n&15;l-=n&15;n>>=4;if(256>n)e[f++]=n;else if(a.register=h,a.j=l,a.u=m,256a.j){var c=a.data,d=a.u;d>c.length&&(a.error=!0);a.register|=(c[d+1]<<8)+c[d]<>4;for(lWa(a,7);0>c;)c=b[nY(a,1)-c];return c>>4}; +nY=function(a,b){for(;a.j=a.data.length)return a.error=!0,0;a.register|=a.data[a.u++]<>=b;a.j-=b;return c}; +lWa=function(a,b){a.j-=b;a.register>>=b}; +iWa=function(a){for(var b=[],c=g.t(a),d=c.next();!d.done;d=c.next())d=d.value,b[d]||(b[d]=0),b[d]++;var e=b[0]=0;c=[];var f=0;d=0;for(var h=1;h>m&1;l=f<<4|h;if(7>=h)for(m=1<<7-h;m--;)d[m<>=7;h--;){d[m]||(d[m]=-b,b+=2);var n=e&1;e>>=1;m=n-d[m]}d[m]=l}}return d}; +oWa=function(a,b){var c,d,e,f,h,l,m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:if(b)try{c=b.exports.malloc(a.length);(new Uint8Array(b.exports.memory.buffer,c,a.length)).set(a);d=b.exports.getInflatedSize(c,a.length);e=b.exports.malloc(d);if(f=b.exports.inflateGzip(c,a.length,e))throw Error("inflateGzip="+f);h=new Uint8Array(d);h.set(new Uint8Array(b.exports.memory.buffer,e,d));b.exports.free(e);b.exports.free(c);return x.return(h)}catch(z){g.CD(z),b.reload()}if(!("DecompressionStream"in +window))return x.return(g.mWa(new g.gWa(a)));l=new DecompressionStream("gzip");m=l.writable.getWriter();m.write(a);m.close();n=l.readable.getReader();p=new LF([]);case 2:return g.y(x,n.read(),4);case 4:q=x.u;r=q.value;if(v=q.done){x.Ka(3);break}p.append(r);x.Ka(2);break;case 3:return x.return(QF(p))}})}; +pWa=function(a){dY.call(this,"onesie");this.Md=a;this.j={};this.C=!0;this.B=null;this.queue=new bWa(this)}; +qWa=function(a){var b=a.queue;b.j.length&&b.j[0].isEncrypted&&!b.u&&(b.j.length=0);b=g.t(Object.keys(a.j));for(var c=b.next();!c.done;c=b.next())if(c=c.value,!a.j[c].wU){var d=a.queue;d.j.push({AP:c,isEncrypted:!1});d.u||dWa(d)}}; +rWa=function(a,b){var c=b.totalLength,d=!1;switch(a.B){case 0:a.ZN(b,a.C).then(function(e){var f=a.Md;f.Vc("oprr");f.playerResponse=e;f.mN||(f.JD=!1);oY(f)},function(e){a.Md.fail(e)}); +break;case 2:a.Vc("ormk");b=QF(b);a.queue.decrypt(b);break;default:d=!0}a.Md.Nl&&a.Md.xa("ombup","id.11;pt."+a.B+";len."+c+(d?";ignored.1":""));a.B=null}; +sWa=function(a){return new Promise(function(b){setTimeout(b,a)})}; +tWa=function(a,b){var c=sJ(b.Y.experiments,"debug_bandaid_hostname");if(c)b=bW(b,c);else{var d;b=null==(d=b.j.get(0))?void 0:d.location.clone()}if((d=b)&&a.videoId){b=RJ(a.videoId);a=[];if(b)for(b=g.t(b),c=b.next();!c.done;c=b.next())a.push(c.value.toString(16).padStart(2,"0"));d.set("id",a.join(""));return d}}; +uWa=function(a,b,c){c=void 0===c?0:c;var d,e;return g.A(function(f){if(1==f.j)return d=[],d.push(b.load()),0a.policy.kb)return a.policy.D&&a.Fa.xa("sabrHeap",{a:""+UX(a.videoTrack),v:""+UX(a.videoTrack)}),!1;if(!a.C)return!0;b=1E3*VX(a.audioTrack,!0);var c=1E3*VX(a.videoTrack,!0)>a.C.targetVideoReadaheadMs;return!(b>a.C.targetAudioReadaheadMs)||!c}; +EWa=function(a,b){b=new NVa(a.policy,b,a.Sa,a.u,a,{Jh:a.Jh,Iz:function(c,d){a.va.DD(c,d)}}); +a.policy.ib&&a.Fa.xa("rqs",QVa(b));return b}; +qY=function(a,b){if(!b.isDisposed()&&!a.isDisposed())if(b.isComplete()&&b.uv())b.dispose();else if(b.YU()?FWa(a,b):b.Wm()?a.Fs(b):GWa(a),!(b.isDisposed()||b instanceof pY)){if(b.isComplete())var c=TUa(b,a.policy,a.u);else c=SUa(b,a.policy,a.u,a.J),1===c&&(a.J=!0);0!==c&&(c=2===c,b=new gY(1,b.info.data),b.u=c,EWa(a,b))}a.Fa.gf()}; +GWa=function(a){for(;a.j.length&&a.j[0].ZU();){var b=a.j.shift();HWa(a,b)}a.j.length&&HWa(a,a.j[0])}; +HWa=function(a,b){if(a.policy.C){var c;var d=((null==(c=a.Fa.Og)?void 0:PRa(c,b.hs()))||0)/1E3}else d=0;if(a.policy.If){c=new Set(b.Up(a.va.Ce()||""));c=g.t(c);for(var e=c.next();!e.done;e=c.next()){var f=e.value;if(!(e=!(b instanceof pY))){var h=a.B,l=h.Sa.fd,m=h.Fa.Ce();e=hVa(h.j,l,m);h=hVa(h.videoInfos,l,m);e=e.includes(f)||h.includes(f)}if(e&&b.Nk(f))for(e=b.Vj(f),f=b.Om(f),e=g.t(e),h=e.next();!h.done;h=e.next()){h=h.value;a.policy.C&&a.policy.C&&d&&3===h.info.type&&wH(h,d);a.policy.D&&b instanceof +pY&&a.Fa.xa("omblss",{s:dH(h.info)});l=h.info.j.info.Ek();m=h.info.j;if(l){var n=a.B;m!==n.u&&(n.u=m,n.aH(m,n.audioTrack,!0))}else n=a.B,m!==n.D&&(n.D=m,n.aH(m,n.videoTrack,!1));SX(l?a.audioTrack:a.videoTrack,f,h)}}}else for(h=b.IT()||rX(a.I),c=new Set(b.Up(a.va.Ce()||"")),a.policy.C?l=c:l=[(null==(f=h.video)?void 0:SG(f,a.Sa.fd,a.va.Ce()))||"",(null==(e=h.audio)?void 0:SG(e,a.Sa.fd,a.va.Ce()))||""],f=g.t(l),e=f.next();!e.done;e=f.next())if(e=e.value,c.has(e)&&b.Nk(e))for(h=b.Vj(e),l=g.t(h),h=l.next();!h.done;h= +l.next())h=h.value,a.policy.C&&d&&3===h.info.type&&wH(h,d),a.policy.D&&b instanceof pY&&a.Fa.xa("omblss",{s:dH(h.info)}),m=b.Om(e),n=h.info.j.info.Ek()?a.audioTrack:a.videoTrack,n.J=!1,SX(n,m,h)}; +FWa=function(a,b){a.j.pop();null==b||b.dispose()}; +IWa=function(a,b){for(var c=[],d=0;d=a.policy.Eo,h=!1;if(f){var l=0;!isNaN(b)&&b>a.D&&(l=b-a.D,a.D=b);l/e=a.policy.hj&&!a.B;if(!f&&!c&&NWa(a,b))return NaN;c&&(a.B=!0);a:{d=h;c=Date.now()/1E3-(a.Wx.bj()||0)-a.J.u-a.policy.Xb;f=a.u.startTime;c=f+c;if(d){if(isNaN(b)){rY(a,NaN,"n",b);f=NaN;break a}d=b-a.policy.dj;d=e.C&&c<=e.B){c=!0;break a}c=!1}return c?!0:(a.xa("ostmf",{ct:a.currentTime,a:b.j.info.Ek()}),!1)}; +TWa=function(a){if(!a.Sa.fd)return!0;var b=a.va.getVideoData(),c,d;if(a.policy.Rw&&!!(null==(c=a.Xa)?0:null==(d=c.w4)?0:d.o8)!==a.Sa.Se)return a.xa("ombplmm",{}),!1;b=b.uc||b.liveUtcStartSeconds||b.aj;if(a.Sa.Se&&b)return a.xa("ombplst",{}),!1;if(a.Sa.oa)return a.xa("ombab",{}),!1;b=Date.now();return jwa(a.Sa)&&!isNaN(a.oa)&&b-a.oa>1E3*a.policy.xx?(a.xa("ombttl",{}),!1):a.Sa.Ge&&a.Sa.B||!a.policy.dE&&a.Sa.isPremiere?!1:!0}; +UWa=function(a,b){var c=b.j,d=a.Sa.fd;if(TWa(a)){var e=a.Ce();if(a.T&&a.T.Xc.has(SG(c,d,e))){if(d=SG(c,d,e),SWa(a,b)){e=new fH(a.T.Om(d));var f=function(h){try{if(h.Wm())a.handleError(h.Ye(),h.Vp()),XX(b,h),hH(h.info)&&aY(a.u,b,c,!0),a.gf();else if(bVa(a.u,h)){var l;null==(l=a.B)||KSa(l,h.info,a.I);a.gf()}}catch(m){h=RK(m),a.handleError(h.errorCode,h.details,h.severity),a.vk()}}; +c.C=!0;gH(e)&&(AUa(b,new bX(a.policy,d,e,a.T,f)),ISa(a.timing))}}else a.xa("ombfmt",{})}}; +tY=function(a,b){b=b||a.videoTrack&&a.videoTrack.u&&a.videoTrack.u.startTime||a.currentTime;var c=a.videoTrack,d=a.ue;b=d.nextVideo&&d.nextVideo.index.uh(b)||0;d.Ga!==b&&(d.Ja={},d.Ga=b,mX(d,d.B));b=!sX(d)&&-1(0,g.M)()-d.ea;var e=d.nextVideo&&3*oX(d,d.nextVideo.info)=b&&VX(c,!0)>=b;else if(c.B.length||d.B.length){var e=c.j.info.dc+d.j.info.dc;e=10*(1-aX(b)/e);b=Math.max(e,b.policy.ph);c=VX(d,!0)>=b&&VX(c,!0)>=b}else c=!0;if(!c)return"abr";c=a.videoTrack;if(0a.currentTime||360(e?e.Ma:-1));if(f)return a.j.hh()&&xY(a),!1;bXa(a,b,c,d.info);if(a.Sa.u&&0===d.info.Ob){if(null==c.qs()){e=RX(b);if(!(f=!e||e.j!==d.info.j)){b:if(e=e.J,f=d.info.J,e.length!==f.length)e=!1;else{for(var h=0;he)){a:{e=a.policy.Qa?(0,g.M)():0;f=d.C||d.B?d.info.j.j:null;h=d.j;d.B&&(h=new LF([]),MF(h,d.B),MF(h,d.j));var l=QF(h);h=a.policy.Qa?(0,g.M)():0;f=eXa(a,c,l,d.info,f);a.policy.Qa&&(!d.info.Ob||d.info.bf||10>d.info.C)&&a.xa("sba",c.lc({as:dH(d.info),pdur:Math.round(h-e),adur:Math.round((0,g.M)()-h)}));if("s"=== +f)a.Aa&&(a.Aa=!1),a.Qa=0,a=!0;else{if("i"===f||"x"===f)fXa(a,"checked",f,d.info);else{if("q"===f){if(!a.Aa){a.Aa=!0;a=!1;break a}d.info.Xg()?(c=a.policy,c.Z=Math.floor(.8*c.Z),c.tb=Math.floor(.8*c.tb),c.ea=Math.floor(.8*c.ea)):(c=a.policy,c.Ga=Math.floor(.8*c.Ga),c.Wc=Math.floor(.8*c.Wc),c.ea=Math.floor(.8*c.ea));HT(a.policy)||pX(a.ue,d.info.j)}wY(a.va,{reattachOnAppend:f})}a=!1}}e=!a}if(e)return!1;b.lw(d);return!0}; +fXa=function(a,b,c,d){var e="fmt.unplayable",f=1;"x"===c||"m"===c?(e="fmt.unparseable",HT(a.policy)||d.j.info.video&&!qX(a.ue)&&pX(a.ue,d.j)):"i"===c&&(15>a.Qa?(a.Qa++,e="html5.invalidstate",f=0):e="fmt.unplayable");d=cH(d);var h;d.mrs=null==(h=a.Wa)?void 0:BI(h);d.origin=b;d.reason=c;a.handleError(e,d,f)}; +TTa=function(a,b,c,d,e){var f=a.Sa;var h=!1,l=-1;for(p in f.j){var m=ZH(f.j[p].info.mimeType)||f.j[p].info.Xg();if(d===m)if(h=f.j[p].index,pH(h,b.Ma)){m=b;var n=h.Go(m.Ma);n&&n.startTime!==m.startTime?(h.segments=[],h.AJ(m),h=!0):h=!1;h&&(l=b.Ma)}else h.AJ(b),h=!0}if(0<=l){var p={};f.ma("clienttemp","resetMflIndex",(p[d?"v":"a"]=l,p),!1)}f=h;GSa(a.j,b,d,f);a.B.VN(b,c,d,e);b.Ma===a.Sa.Ge&&f&&NI(a.Sa)&&b.startTime>NI(a.Sa)&&(a.Sa.jc=b.startTime+(isNaN(a.timestampOffset)?0:a.timestampOffset),a.j.hh()&& +a.j.j=b&&RWa(a,d.startTime,!1)}); +return c&&c.startTime=a.length))for(var b=(0,g.PX)([60,0,75,0,73,0,68,0,62,0]),c=28;cd;++d)b[d]=a[c+2*d];a=UF(b);a=ig(a);if(!a)break;c=a[0];a[0]=a[3];a[3]=c;c=a[1];a[1]=a[2];a[2]=c;c=a[4];a[4]=a[5];a[5]=c;c=a[6];a[6]=a[7];a[7]=c;return a}c++}}; +BY=function(a,b){zY.call(this);var c=this;this.B=a;this.j=[];this.u=new g.Ip(function(){c.ma("log_qoe",{wvagt:"timer",reqlen:c.j?c.j.length:-1});if(c.j){if(0d;d++)c[2*d]=''.charCodeAt(d);a=a.B.createSession("video/mp4",b,c);return new EY(null,null,null,null,a)}; +SXa=function(a,b){var c=a.I[b.sessionId];!c&&a.C&&(c=a.C,a.C=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; +PXa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=a&&(c=.75*a),b=.5*(a- -c),c=new iZ(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new tZ(g.Q(a,"disable_license_delay"),b,this);break a;default:c=null}if(this.F=c)g.D(this,this.F),this.F.subscribe("rotated_need_key_info_ready",this.SB,this);this.ea("Created, key system "+this.u.u+", final EME "+wC(this.W.experiments));vZ(this,"cks"+this.u.Te());c=this.u;"com.youtube.widevine.forcehdcp"===c.u&&c.D&&(this.Qa=new sZ(this.videoData.Bh,this.W.experiments),g.D(this,this.Qa))}; -wxa=function(a){var b=qZ(a.D);b?b.then(Eo(function(){xxa(a)}),Eo(function(c){if(!a.na()){a.ea(); -M(c);var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.V("licenseerror","drm.unavailable",!0,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.ea(),vZ(a,"mdkrdy"),a.P=!0); -a.X&&(b=qZ(a.X))}; -yxa=function(a,b,c){a.Ga=!0;c=new zy(b,c);a.W.ba("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));a.W.ba("html5_process_all_encrypted_events")?xZ(a,c):a.W.ba("html5_eme_loader_sync")?xZ(a,c):0!==a.C.length&&a.videoData.La&&a.videoData.La.Lc()?yZ(a):xZ(a,c)}; -zxa=function(a,b){vZ(a,"onneedkeyinfo");g.Q(a.W.experiments,"html5_eme_loader_sync")&&(a.R.get(b.initData)||a.R.set(b.initData,b));xZ(a,b)}; -Bxa=function(a,b){if(pC(a.u)&&!a.fa){var c=Yfa(b);if(0!==c.length){var d=new zy(c);a.fa=!0;navigator.requestMediaKeySystemAccess("com.microsoft.playready",[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}]).then(function(e){e.createMediaKeys().then(function(f){Axa(a,f,d)})},null)}}}; -Axa=function(a,b,c){var d=b.createSession(),e=a.B.values[0],f=Zwa(e);d.addEventListener("message",function(h){h=new Uint8Array(h.message);nxa(h,d,a.u.C,f,"playready")}); -d.addEventListener("keystatuseschange",function(){"usable"in d.keyStatuses&&(a.ha=!0,Cxa(a,hxa(e,a.ha)))}); -d.generateRequest("cenc",c.initData)}; -xZ=function(a,b){if(!a.na()){vZ(a,"onInitData");if(g.Q(a.W.experiments,"html5_eme_loader_sync")&&a.videoData.La&&a.videoData.La.Lc()){var c=a.R.get(b.initData),d=a.I.get(b.initData);if(!c||!d)return;b=c;c=b.initData;a.I.remove(c);a.R.remove(c)}a.ea();vZ(a,"initd."+b.initData.length+";ct."+b.contentType);"widevine"===a.u.flavor?a.ia&&!a.videoData.isLivePlayback?a.W.ba("html5_process_all_encrypted_events")&&yZ(a):g.Q(a.W.experiments,"vp9_drm_live")&&a.videoData.isLivePlayback&&b.Zd||(a.ia=!0,c=b.cryptoPeriodIndex, -d=b.u,Ay(b),b.Zd||(d&&b.u!==d?a.V("ctmp","cpsmm","emsg."+d+";pssh."+b.u):c&&b.cryptoPeriodIndex!==c&&a.V("ctmp","cpimm","emsg."+c+";pssh."+b.cryptoPeriodIndex)),a.V("widevine_set_need_key_info",b)):a.SB(b)}}; -xxa=function(a){if(!a.na())if(g.Q(a.W.experiments,"html5_drm_set_server_cert")&&!g.wD(a.W)){var b=rxa(a.D);b?b.then(Eo(function(c){CI(a.videoData)&&a.V("ctmp","ssc",c)}),Eo(function(c){a.V("ctmp","ssce","n."+c.name+";m."+c.message)})).then(Eo(function(){zZ(a)})):zZ(a)}else zZ(a)}; -zZ=function(a){a.na()||(a.P=!0,a.ea(),vZ(a,"onmdkrdy"),yZ(a))}; -yZ=function(a){if(a.Ga&&a.P&&!a.Y){for(;a.C.length;){var b=a.C[0];if(a.B.get(b.initData))if("fairplay"===a.u.flavor)a.B.remove(b.initData);else{a.C.shift();continue}Ay(b);break}a.C.length&&a.createSession(a.C[0])}}; -Cxa=function(a,b){var c=FC("auto",b,!1,"l");if(g.Q(a.W.experiments,"html5_drm_initial_constraint_from_config")?a.videoData.eq:g.Q(a.W.experiments,"html5_drm_start_from_null_constraint")){if(EC(a.K,c))return}else if(IC(a.K,b))return;a.K=c;a.V("qualitychange");a.ea();vZ(a,"updtlq"+b)}; -vZ=function(a,b,c){c=void 0===c?!1:c;a.na()||(a.ea(),(CI(a.videoData)||c)&&a.V("ctmp","drmlog",b))}; -Dxa=function(a){var b;if(b=g.gr()){var c;b=!(null===(c=a.D.B)||void 0===c||!c.u)}b&&(b=a.D,b=b.B&&b.B.u?b.B.u():null,vZ(a,"mtr."+g.sf(b,3),!0))}; -AZ=function(a,b,c){g.O.call(this);this.videoData=a;this.Sa=b;this.playerVisibility=c;this.Nq=0;this.da=this.Ba=null;this.F=this.B=this.u=!1;this.D=this.C=0}; -DZ=function(a,b,c){var d=!1,e=a.Nq+3E4<(0,g.N)()||!1,f;if(f=a.videoData.ba("html5_pause_on_nonforeground_platform_errors")&&!e)f=a.playerVisibility,f=!!(f.u||f.isInline()||f.isBackground()||f.pictureInPicture||f.B);f&&(c.nonfg="paused",e=!0,a.V("pausevideo"));f=a.videoData.Oa;if(!e&&((null===f||void 0===f?0:hx(f))||(null===f||void 0===f?0:fx(f))))if(a.videoData.ba("html5_disable_codec_on_platform_errors"))a.Sa.D.R.add(f.Db),d=e=!0,c.cfalls=f.Db;else{var h;if(h=a.videoData.ba("html5_disable_codec_for_playback_on_error")&& -a.Ba){h=a.Ba.K;var l=f.Db;h.Aa.has(l)?h=!1:(h.Aa.add(l),h.aa=-1,VD(h,h.F),h=!0)}h&&(d=e=!0,c.cfallp=f.Db)}if(!e)return Exa(a,c);a.Nq=(0,g.N)();e=a.videoData;e=e.fh?e.fh.dD()=a.Sa.Aa)return!1;b.exiled=""+a.Sa.Aa;BZ(a,"qoe.start15s",b);a.V("playbackstalledatstart");return!0}; -Gxa=function(a){if("GAME_CONSOLE"!==a.Sa.deviceParams.cplatform)try{window.close()}catch(b){}}; -Fxa=function(a){return a.u||"yt"!==a.Sa.Y?!1:a.videoData.Rg?25>a.videoData.pj:!a.videoData.pj}; -CZ=function(a){a.u||(a.u=!0,a.V("signatureexpiredreloadrequired"))}; -Hxa=function(a,b){if(a.da&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.da.Sh();b.details.merr=c?c.toString():"0";b.details.msg=a.da.Bo()}}; -Ixa=function(a){return"net.retryexhausted"===a.errorCode||"net.badstatus"===a.errorCode&&!!a.details.fmt_unav}; -Kxa=function(a,b,c){if("403"===b.details.rc){var d=b.errorCode;d="net.badstatus"===d||"manifest.net.retryexhausted"===d}else d=!1;if(!d)return!1;b.details.sts="18610";if(Fxa(a))return c?(a.B=!0,a.V("releaseloader")):(b.u&&(b.details.e=b.errorCode,b.errorCode="qoe.restart",b.u=!1),BZ(a,b.errorCode,b.details),CZ(a)),!0;6048E5<(0,g.N)()-a.Sa.Ta&&Jxa(a,"signature");return!1}; -Jxa=function(a,b){try{window.location.reload();BZ(a,"qoe.restart",{detail:"pr."+b});return}catch(c){}a.Sa.ba("tvhtml5_retire_old_players")&&g.wD(a.Sa)&&Gxa(a)}; -Lxa=function(a,b){a.Sa.D.B=!1;BZ(a,"qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});a.V("formatupdaterequested")}; -EZ=function(a,b,c,d){a.V("clienttemp",b,c,(void 0===d?{BA:!1}:d).BA)}; -BZ=function(a,b,c){a.V("qoeerror",b,c)}; -Mxa=function(a,b,c,d){this.videoData=a;this.u=b;this.reason=c;this.B=d}; -Nxa=function(a){navigator.mediaCapabilities?FZ(a.videoInfos).then(function(){return a},function(){return a}):Ys(a)}; -FZ=function(a){var b=navigator.mediaCapabilities;if(!b)return Ys(a);var c=a.map(function(d){return b&&b.decodingInfo({type:"media-source",video:d.video?{contentType:d.mimeType,width:d.video.width||640,height:d.video.height||360,bitrate:8*d.zb||1E6,framerate:d.video.fps||30}:null})}); -return qda(c).then(function(d){for(var e=0;eWC(a.W.fd,"sticky-lifetime")?"auto":HZ():HZ()}; -Rxa=function(a,b){var c=new DC(0,0,!1,"o");if(a.ba("html5_varispeed_playback_rate")&&1(0,g.N)()-a.F?0:f||0h?a.C+1:0;if(!e||g.wD(a.W))return!1;a.B=d>e?a.B+1:0;if(3!==a.B)return!1;Uxa(a,b.videoData.Oa);a.u.Na("dfd",Wxa());return!0}; -Yxa=function(a,b){return 0>=g.P(a.W.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.Ma()&&32=l){d=l;break}}return new DC(0,d,!1,"b")}; -aya=function(a,b){a.ba("html5_log_media_perf_info")&&(a.u.Na("perfdb",Wxa()),a.u.Na("hwc",""+navigator.hardwareConcurrency,!0),b&&a.u.Na("mcdb",b.La.videoInfos.filter(function(c){return!1===c.D}).map(function(c){return c.Yb()}).join("-")))}; -Wxa=function(){var a=Hb(IZ(),function(b){return""+b}); -return g.vB(a)}; -JZ=function(a,b){g.C.call(this);this.provider=a;this.I=b;this.u=-1;this.F=!1;this.B=-1;this.playerState=new g.AM;this.seekCount=this.nonNetworkErrorCount=this.networkErrorCount=this.rebufferTimeSecs=this.playTimeSecs=this.D=0;this.delay=new g.F(this.send,6E4,this);this.C=!1;g.D(this,this.delay)}; -bya=function(a){0<=a.u||(3===a.provider.getVisibilityState()?a.F=!0:(a.u=g.rY(a.provider),a.delay.start()))}; -cya=function(a){if(!(0>a.B)){var b=g.rY(a.provider),c=b-a.D;a.D=b;8===a.playerState.state?a.playTimeSecs+=c:g.IM(a.playerState)&&!g.U(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; -dya=function(a){switch(a.W.lu){case "canary":return"HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";case "holdback":return"HTML5_PLAYER_CANARY_TYPE_CONTROL";default:return"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}}; -eya=function(a){return(!a.ba("html5_health_to_gel")||a.W.Ta+36E5<(0,g.N)())&&(a.ba("html5_health_to_gel_canary_killswitch")||a.W.Ta+36E5<(0,g.N)()||"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"===dya(a))?a.ba("html5_health_to_qoe"):!0}; -KZ=function(a,b,c,d,e){var f={format:"RAW"},h={};cq(a)&&dq()&&(c&&(h["X-Goog-Visitor-Id"]=c),b&&(h["X-Goog-PageId"]=b),d&&(h.Authorization="Bearer "+d),c||d||b)&&(f.withCredentials=!0);0a.F.xF+100&&a.F){var d=a.F,e=d.isAd;a.ia=1E3*b-d.NR-(1E3*c-d.xF)-d.FR;a.Na("gllat","l."+a.ia.toFixed()+";prev_ad."+ +e);delete a.F}}; -PZ=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.rY(a.provider);var c=a.provider.zq();if(!isNaN(a.X)&&!isNaN(c.B)){var d=c.B-a.X;0a.u)&&2m;!(1=e&&(M(Error("invalid coreTime.now value: "+e)),e=(new Date).getTime()+2);return e},g.Q(a.W.experiments,"html5_validate_yt_now")),c=b(); -a.B=function(){return Math.round(b()-c)/1E3}; -a.F()}return a.B}; -fya=function(a){if(navigator.connection&&navigator.connection.type)return zya[navigator.connection.type]||zya.other;if(g.wD(a.W)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; -TZ=function(a){var b=new xya;b.B=a.De().cc||"-";b.playbackRate=a.getPlaybackRate();var c=a.getVisibilityState();0!==c&&(b.visibilityState=c);a.W.ke&&(b.C=1);c=a.getAudioTrack();c.u&&c.u.id&&"und"!==c.u.id&&(b.u=c.u.id);b.connectionType=fya(a);b.volume=a.De().volume;b.muted=a.De().muted;b.clipId=a.De().clipid||"-";b.In=a.videoData.In||"-";return b}; -g.f_=function(a){g.C.call(this);var b=this;this.provider=a;this.B=this.qoe=this.u=null;this.C=void 0;this.D=new Map;this.provider.videoData.isValid()&&!this.provider.videoData.mp&&(this.u=new ZZ(this.provider),g.D(this,this.u),this.qoe=new g.NZ(this.provider),g.D(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.C=this.provider.videoData.clientPlaybackNonce)&&this.D.set(this.C,this.u));eya(this.provider)&&(this.B=new JZ(this.provider,function(c){b.Na("h5h",c)}),g.D(this,this.B))}; -Aya=function(a){var b;a.provider.videoData.enableServerStitchedDai&&a.C?null===(b=a.D.get(a.C))||void 0===b?void 0:UZ(b.u):a.u&&UZ(a.u.u)}; -Bya=function(a,b){a.u&&wya(a.u,b)}; -Cya=function(a){if(!a.u)return null;var b=$Z(a.u,"atr");return function(c){a.u&&wya(a.u,c,b)}}; -Dya=function(a,b,c){var d=new g.rI(b.W,c);d.adFormat=d.Xo;b=new ZZ(new e_(d,b.W,b.De,function(){return d.lengthSeconds},b.u,b.zq,b.D,function(){return d.getAudioTrack()},b.getPlaybackRate,b.C,b.getVisibilityState,b.fu,b.F,b.Mi)); -b.F=a.provider.u();g.D(a,b);return b}; -Eya=function(a){this.D=this.mediaTime=NaN;this.B=this.u=!1;this.C=.001;a&&(this.C=a)}; -g_=function(a,b){return b>a.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.D=c;return!1}; -Fya=function(a,b){this.videoData=a;this.La=b}; -Gya=function(a,b,c){return b.Vs(c).then(function(){return Ys(new Fya(b,b.La))},function(d){d instanceof Error&&g.Fo(d); -d=b.isLivePlayback&&!g.BC(a.D,!0)?"html5.unsupportedlive":"fmt.noneavailable";var e={buildRej:"1",a:""+ +!!b.adaptiveFormats,d:""+ +!!b.Og,drm:""+ +TI(b),f18:""+ +(0<=b.xs.indexOf("itag=18")),c18:""+ +nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')};b.ra&&(TI(b)?(e.f142=""+ +!!b.ra.u["142"],e.f149=""+ +!!b.ra.u["149"],e.f279=""+ +!!b.ra.u["279"]):(e.f133=""+ +!!b.ra.u["133"],e.f140=""+ +!!b.ra.u["140"],e.f242=""+ +!!b.ra.u["242"]),e.cAVC=""+ +oB('video/mp4; codecs="avc1.42001E"'),e.cAAC=""+ +oB('audio/mp4; codecs="mp4a.40.2"'), -e.cVP9=""+ +oB('video/webm; codecs="vp9"'));if(b.md){e.drmsys=b.md.u;var f=0;b.md.B&&(f=Object.keys(b.md.B).length);e.drmst=""+f}return new uB(d,!0,e)})}; -Hya=function(a){this.F=a;this.C=this.B=0;this.D=new PY(50)}; -j_=function(a,b,c){g.O.call(this);this.videoData=a;this.experiments=b;this.R=c;this.B=[];this.D=0;this.C=!0;this.F=!1;this.I=0;c=new Iya;"ULTRALOW"===a.latencyClass&&(c.D=!1);a.Zi?c.B=3:g.eJ(a)&&(c.B=2);g.Q(b,"html5_adaptive_seek_to_head_killswitch")||"NORMAL"!==a.latencyClass||(c.I=!0);var d=OI(a);c.F=2===d||-1===d;c.F&&(c.X++,21530001===MI(a)&&(c.K=g.P(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(dr("trident/")||dr("edge/"))d=g.P(b,"html5_platform_minimum_readahead_seconds")||3,c.C=Math.max(c.C, -d);g.P(b,"html5_minimum_readahead_seconds")&&(c.C=g.P(b,"html5_minimum_readahead_seconds"));g.P(b,"html5_maximum_readahead_seconds")&&(c.R=g.P(b,"html5_maximum_readahead_seconds"));g.Q(b,"html5_force_adaptive_readahead")&&(c.D=!0);g.P(b,"html5_allowable_liveness_drift_chunks")&&(c.u=g.P(b,"html5_allowable_liveness_drift_chunks"));g.P(b,"html5_readahead_ratelimit")&&(c.P=g.P(b,"html5_readahead_ratelimit"));switch(MI(a)){case 21530001:c.u=(c.u+1)/5,"LOW"===a.latencyClass&&(c.u*=2),c.Y=g.Q(b,"html5_live_smoothly_extend_max_seekable_time")}this.policy= -c;this.K=1!==this.policy.B;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Zi&&b--;a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(MI(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.F&&b++;this.u=i_(this,b);this.ea()}; -Jya=function(a,b){var c=a.u;(void 0===b?0:b)&&a.policy.Y&&3===OI(a.videoData)&&--c;return k_(a)*c}; -l_=function(a,b){var c=a.Fh();var d=a.policy.u;a.F||(d=Math.max(d-1,0));d*=k_(a);return b>=c-d}; -Kya=function(a,b,c){b=l_(a,b);c||b?b&&(a.C=!0):a.C=!1;a.K=2===a.policy.B||3===a.policy.B&&a.C}; -Lya=function(a,b){var c=l_(a,b);a.F!==c&&a.V("livestatusshift",c);a.F=c}; -k_=function(a){return a.videoData.ra?ZB(a.videoData.ra)||5:5}; -i_=function(a,b){b=Math.max(Math.max(a.policy.X,Math.ceil(a.policy.C/k_(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.R/k_(a))),b)}; -Iya=function(){this.X=1;this.C=0;this.R=Infinity;this.P=0;this.D=!0;this.u=2;this.B=1;this.F=!1;this.K=NaN;this.Y=this.I=!1}; -o_=function(a,b,c,d,e){g.C.call(this);this.W=a;this.videoData=b;this.V=c;this.visibility=d;this.P=e;this.Ba=this.da=null;this.D=this.u=0;this.B={};this.playerState=new g.AM;this.C=new g.F(this.X,1E3,this);g.D(this,this.C);this.fa=new m_({delayMs:g.P(this.W.experiments,"html5_seek_timeout_delay_ms")});this.R=new m_({delayMs:g.P(this.W.experiments,"html5_long_rebuffer_threshold_ms")});this.ha=n_(this,"html5_seek_set_cmt");this.Y=n_(this,"html5_seek_jiggle_cmt");this.aa=n_(this,"html5_seek_new_elem"); -n_(this,"html5_decoder_freeze_timeout");this.ma=n_(this,"html5_unreported_seek_reseek");this.I=n_(this,"html5_long_rebuffer_jiggle_cmt");this.K=n_(this,"html5_reload_element_long_rebuffer");this.F=n_(this,"html5_ads_preroll_lock_timeout");this.ia=new m_({delayMs:g.P(this.W.experiments,"html5_skip_slow_ad_delay_ms")||5E3,Yp:!g.Q(this.W.experiments,"html5_report_slow_ads_as_error")})}; -n_=function(a,b){var c=g.P(a.W.experiments,b+"_delay_ms"),d=g.Q(a.W.experiments,b+"_cfl");return new m_({delayMs:c,Yp:d})}; -p_=function(a,b,c,d,e,f,h){Mya(b,c)?(d=a.sb(b),d.wn=h,d.wdup=a.B[e]?"1":"0",a.V("qoeerror",e,d),a.B[e]=!0,b.Yp||f()):(b.Vv&&b.B&&!b.D?(f=(0,g.N)(),d?b.u||(b.u=f):b.u=0,c=!d&&f-b.B>b.Vv,f=b.u&&f-b.u>b.eA||c?b.D=!0:!1):f=!1,f&&(f=a.sb(b),f.wn=h,f.we=e,f.wsuc=""+ +d,h=g.vB(f),a.V("ctmp","workaroundReport",h),d&&(b.reset(),a.B[e]=!1)))}; -m_=function(a){a=void 0===a?{}:a;var b=void 0===a.eA?1E3:a.eA,c=void 0===a.Vv?3E4:a.Vv,d=void 0===a.Yp?!1:a.Yp;this.F=Math.ceil((void 0===a.delayMs?0:a.delayMs)/1E3);this.eA=b;this.Vv=c;this.Yp=d;this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -Mya=function(a,b){if(!a.F||a.B)return!1;if(!b)return a.reset(),!1;var c=(0,g.N)();if(!a.startTimestamp)a.startTimestamp=c,a.C=0;else if(a.C>=a.F)return a.B=c,!0;a.C+=1;return!1}; -r_=function(a,b,c,d){g.O.call(this);var e=this;this.videoData=a;this.W=b;this.visibility=c;this.Ta=d;this.policy=new Nya(this.W);this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);a={};this.fa=(a.seekplayerrequired=this.QR,a.videoformatchange=this.Gz,a);this.playbackData=null;this.Aa=new rt;this.K=this.u=this.Ba=this.da=null;this.B=NaN;this.C=0;this.D=null;this.ha=NaN;this.F=this.R=null;this.X=this.P=!1;this.aa=new g.F(function(){Oya(e,!1)},this.policy.u); -this.Ya=new g.F(function(){q_(e)}); -this.ma=new g.F(function(){e.ea();e.P=!0;Pya(e)}); -this.Ga=this.timestampOffset=0;this.ia=!0;this.Ja=0;this.Qa=NaN;this.Y=new g.F(function(){var f=e.W.fd;f.u+=1E4/36E5;f.u-f.C>1/6&&(TC(f),f.C=f.u);e.Y.start()},1E4); -this.ba("html5_unrewrite_timestamps")?this.fa.timestamp=this.ip:this.fa.timestamp=this.BM;g.D(this,this.Aa);g.D(this,this.aa);g.D(this,this.ma);g.D(this,this.Ya);g.D(this,this.Y)}; -Qya=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.K=new Hya(function(){a:{if(a.playbackData&&a.playbackData.La.Lc()){if(LI(a.videoData)&&a.Ba){var c=a.Ba.Ya.u()||0;break a}if(a.videoData.ra){c=a.videoData.ra.R;break a}}c=0}return c}),a.u=new j_(a.videoData,a.W.experiments,function(){return a.Oc(!0)})); -a.videoData.startSeconds&&isFinite(a.videoData.startSeconds)&&1E9=e.B&&cd.D||g.A()-d.I=a.Oc()-.1)a.B=a.Oc(),a.D.resolve(a.Oc()),a.V("ended");else try{var c=a.B-a.timestampOffset;a.ea();a.da.seekTo(c);a.I.u=c;a.ha=c;a.C=a.B}catch(d){a.ea()}}}; -Wya=function(a){if(!a.da||0===a.da.yg()||0a;a++)this.F[a]^=92,this.C[a]^=54;this.reset()}; -$ya=function(a,b,c){for(var d=[],e=0;16>e;e++)d.push(b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3]),c+=4;for(b=16;64>b;b++)c=d[b-7]+d[b-16],e=d[b-2],c+=(e>>>17|e<<15)^(e>>>19|e<<13)^e>>>10,e=d[b-15],c+=(e>>>7|e<<25)^(e>>>18|e<<14)^e>>>3,d.push(c);b=a.u[0];c=a.u[1];e=a.u[2];for(var f=a.u[3],h=a.u[4],l=a.u[5],m=a.u[6],n=a.u[7],p,r,t=0;64>t;t++)p=n+Zya[t]+d[t]+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^~h&m),r=((b>>>2|b<<30)^(b>>>13|b<<19)^(b>>>22|b<<10))+(b&c^b&e^c&e),n=m,m=l,l=h,h=f+p,f=e,e=c,c=b,b= -p+r;a.u[0]=b+a.u[0]|0;a.u[1]=c+a.u[1]|0;a.u[2]=e+a.u[2]|0;a.u[3]=f+a.u[3]|0;a.u[4]=h+a.u[4]|0;a.u[5]=l+a.u[5]|0;a.u[6]=m+a.u[6]|0;a.u[7]=n+a.u[7]|0}; -bza=function(a){var b=new Uint8Array(32),c=64-a.B;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.u[c]>>>24,b[4*c+1]=a.u[c]>>>16&255,b[4*c+2]=a.u[c]>>>8&255,b[4*c+3]=a.u[c]&255;aza(a);return b}; -aza=function(a){a.u=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.D=0;a.B=0}; -cza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p,r,t;return xa(e,function(w){switch(w.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){w.u=2;break}h=window.crypto.subtle;l={name:"HMAC",hash:{name:"SHA-256"}};m=["sign"];n=new Uint8Array(b.length+c.length);n.set(b);n.set(c,b.length);w.C=3;return sa(w,h.importKey("raw",a,l,!1,m),5);case 5:return p=w.B,sa(w,h.sign(l,p,n),6);case 6:r=w.B;f=new Uint8Array(r);ta(w,2);break;case 3:ua(w);case 2:if(!f){t=new y_(a); -t.update(b);t.update(c);var y=bza(t);t.update(t.F);t.update(y);y=bza(t);t.reset();f=y}return w["return"](f)}})})}; -eza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p;return xa(e,function(r){switch(r.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){r.u=2;break}h=window.crypto.subtle;l={name:"AES-CTR",counter:c,length:128};r.C=3;return sa(r,dza(a),5);case 5:return m=r.B,sa(r,h.encrypt(l,m,b),6);case 6:n=r.B;f=new Uint8Array(n);ta(r,2);break;case 3:ua(r);case 2:return f||(p=new QS(a),Ura(p,c),f=p.encrypt(b)),r["return"](f)}})})}; -dza=function(a){return window.crypto.subtle.importKey("raw",a,{name:"AES-CTR"},!1,["encrypt"])}; -z_=function(a){var b=this,c=new QS(a);return function(d,e){return We(b,function h(){return xa(h,function(l){Ura(c,e);return l["return"](new Uint8Array(c.encrypt(d)))})})}}; -A_=function(a){this.u=a;this.iv=nZ(Ht())}; -fza=function(a,b){return We(a,function d(){var e=this;return xa(d,function(f){return f["return"](cza(e.u.B,b,e.iv))})})}; -B_=function(a){this.B=a;this.D=this.u=0;this.C=-1}; -C_=function(a){var b=Vv(a.B,a.u);++a.u;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=Vv(a.B,a.u),++a.u,d*=128,c+=(b&127)*d;return c}; -D_=function(a,b){for(a.D=b;a.u+1<=a.B.totalLength;){var c=a.C;0>c&&(c=C_(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.C=c;break}switch(e){case 0:C_(a);break;case 1:a.u+=8;break;case 2:c=C_(a);a.u+=c;break;case 5:a.u+=4}}return!1}; -E_=function(a,b,c){c=void 0===c?0:c;return D_(a,b)?C_(a):c}; -F_=function(a,b){var c=void 0===c?"":c;if(!D_(a,b))return c;c=C_(a);if(!c)return"";var d=Tv(a.B,a.u,c);a.u+=c;return g.v.TextDecoder?(new TextDecoder).decode(d):g.Ye(d)}; -G_=function(a,b){var c=void 0===c?null:c;if(!D_(a,b))return c;c=C_(a);var d=Tv(a.B,a.u,c);a.u+=c;return d}; -gza=function(a){this.iv=G_(new B_(a),5)}; -hza=function(a){a=G_(new B_(a),4);this.u=new gza(new Mv([a]))}; -jza=function(a){a=new B_(a);this.u=E_(a,1);this.itag=E_(a,3);this.lastModifiedTime=E_(a,4);this.xtags=F_(a,5);E_(a,6);E_(a,8);E_(a,9,-1);E_(a,10);this.B=this.itag+";"+this.lastModifiedTime+";"+this.xtags;this.isAudio="audio"===iza[cx[""+this.itag]]}; -kza=function(a){this.body=null;a=new B_(a);this.onesieProxyStatus=E_(a,1,-1);this.body=G_(a,4)}; -lza=function(a){a=new B_(a);this.startTimeMs=E_(a,1);this.endTimeMs=E_(a,2)}; -mza=function(a){var b=new B_(a);a=F_(b,3);var c=E_(b,5);this.u=E_(b,7);var d=G_(b,14);this.B=new lza(new Mv([d]));b=F_(b,15);this.C=a+";"+c+";"+b}; -nza=function(a){this.C=a;this.B=!1;this.u=[]}; -oza=function(a){for(;a.u.length&&!a.u[0].isEncrypted;){var b=a.u.shift();a.C(b.streamId,b.buffer)}}; -pza=function(a){var b,c;return We(this,function e(){var f=this,h,l,m,n;return xa(e,function(p){switch(p.u){case 1:h=f;if(null===(c=null===(b=window.crypto)||void 0===b?void 0:b.subtle)||void 0===c||!c.importKey)return p["return"](z_(a));l=window.crypto.subtle;p.C=2;return sa(p,dza(a),4);case 4:m=p.B;ta(p,3);break;case 2:return ua(p),p["return"](z_(a));case 3:return p["return"](function(r,t){return We(h,function y(){var x,B;return xa(y,function(E){if(1==E.u){if(n)return E["return"](n(r,t));x={name:"AES-CTR", -counter:t,length:128};E.C=2;B=Uint8Array;return sa(E,l.encrypt(x,m,r),4)}if(2!=E.u)return E["return"](new B(E.B));ua(E);n=z_(a);return E["return"](n(r,t))})})})}})})}; -H_=function(a){g.O.call(this);var b=this;this.D=a;this.u={};this.C={};this.B=this.iv=null;this.queue=new nza(function(c,d){b.ea();b.V("STREAM_DATA",{id:c,data:d})})}; -qza=function(a,b,c){var d=Vv(b,0);b=Tv(b,1);d=a.u[d]||null;a.ea();d&&(a=a.queue,a.u.push({streamId:d,buffer:b,isEncrypted:c}),a.B||oza(a))}; -rza=function(a,b){We(a,function d(){var e=this,f,h,l,m,n,p,r,t;return xa(d,function(w){switch(w.u){case 1:return e.ea(),e.V("PLAYER_RESPONSE_RECEIVED"),f=Tv(b),w.C=2,sa(w,e.D(f,e.iv),4);case 4:h=w.B;ta(w,3);break;case 2:return l=ua(w),e.ea(),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:l}),w["return"]();case 3:m=new kza(new Mv([h]));if(1!==m.onesieProxyStatus)return n={st:m.onesieProxyStatus},p=new uB("onesie.response.badproxystatus",!1,n),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:p}),w["return"]();r=m.body; -t=g.v.TextDecoder?(new TextDecoder).decode(r):g.Ye(r);e.ea();e.V("PLAYER_RESPONSE_READY",t);w.u=0}})})}; -I_=function(){this.u=0;this.C=void 0;this.B=new Uint8Array(4096);this.view=new DataView(this.B.buffer);g.v.TextEncoder&&(this.C=new TextEncoder)}; -J_=function(a,b){var c=a.u+b;if(!(a.B.length>=c)){for(var d=2*a.B.length;dd;d++)a.view.setUint8(a.u,c&127|128),c>>=7,a.u+=1;b=Math.floor(b/268435456)}for(J_(a,4);127>=7,a.u+=1;a.view.setUint8(a.u,b);a.u+=1}; -L_=function(a,b,c){K_(a,b<<3|2);b=c.length;K_(a,b);J_(a,b);a.B.set(c,a.u);a.u+=b}; -M_=function(a,b,c){c=a.C?a.C.encode(c):new Uint8Array(nZ(g.Xe(c)).buffer);L_(a,b,c)}; -N_=function(a){return new Uint8Array(a.B.buffer,0,a.u)}; -sza=function(a){var b=a.encryptedOnesiePlayerRequest,c=a.encryptedClientKey,d=a.iv;a=a.hmac;this.serializeResponseAsJson=!0;this.encryptedOnesiePlayerRequest=b;this.encryptedClientKey=c;this.iv=d;this.hmac=a}; -O_=function(a){var b=a.value;this.name=a.name;this.value=b}; -tza=function(a){var b=a.httpHeaders,c=a.postBody;this.url=a.url;this.httpHeaders=b;this.postBody=c}; -uza=function(a){this.Hx=a.Hx}; -vza=function(a,b){if(b+1<=a.totalLength){var c=Vv(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)c=Vv(a,b++);else if(2===c){c=Vv(a,b++);var d=Vv(a,b++);c=(c&63)+64*d}else if(3===c){c=Vv(a,b++);d=Vv(a,b++);var e=Vv(a,b++);c=(c&31)+32*(d+256*e)}else if(4===c){c=Vv(a,b++);d=Vv(a,b++);e=Vv(a,b++);var f=Vv(a,b++);c=(c&15)+16*(d+256*(e+256*f))}else c=b+1,a.focus(c),Qv(a,c,4)?c=Rv(a).getUint32(c-a.C,!0):(d=Vv(a,c+2)+256*Vv(a,c+3),c=Vv(a,c)+256*(Vv(a, -c+1)+256*d)),b+=5;return[c,b]}; -wza=function(a){this.B=a;this.u=new Mv}; -xza=function(a){var b=g.q(vza(a.u,0));var c=b.next().value;var d=b.next().value;d=g.q(vza(a.u,d));b=d.next().value;d=d.next().value;!(0>c||0>b)&&d+b<=a.u.totalLength&&(d=a.u.split(d).ln.split(b),b=d.iu,d=d.ln,a.B(c,b),a.u=d,xza(a))}; -zza=function(a){var b,c;a:{var d,e=a.T().xi;if(e){var f=null===(c=yza())||void 0===c?void 0:c.primary;if(f&&e.baseUrl){c=new vw("https://"+f+e.baseUrl);if(e=null===(d=a.Cv)||void 0===d?void 0:d.urlQueryOverride)for(d=Cw(e),d=g.q(Object.entries(d)),e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,c.set(e,f);if(!c.get("id")){e=SC(a.videoId);d=[];if(e)for(e=g.q(e),f=e.next();!f.done;f=e.next())d.push(f.value.toString(16).padStart(2,"0"));d=d.join("");if(!d){c=void 0;break a}c.set("id", -d)}break a}}c=void 0}!c&&(null===(b=a.Cv)||void 0===b?0:b.url)&&(c=new vw(a.Cv.url));if(!c)return"";c.set("ack","1");c.set("cpn",a.clientPlaybackNonce);c.set("opr","1");c.set("pvi","135");c.set("pai","140");c.set("oad","0");c.set("ovd","0");c.set("oaad","0");c.set("oavd","0");return c.Ld()}; -P_=function(a,b,c){var d=this;this.videoData=a;this.eb=b;this.playerRequest=c;this.xhr=null;this.u=new py;this.D=!1;this.C=new g.F(this.F,1E4,this);this.W=a.T();this.B=new A_(this.W.xi.u);this.K=new wza(function(e,f){d.I.feed(e,f)}); -this.I=Aza(this)}; -Aza=function(a){var b=new H_(function(c,d){return a.B.decrypt(c,d)}); -b.subscribe("FIRST_BYTE_RECEIVED",function(){a.eb.tick("orfb");a.D=!0}); -b.subscribe("PLAYER_RESPONSE_READY",function(c){a.eb.tick("oprr");a.u.resolve(c);a.C.stop()}); -b.subscribe("PLAYER_RESPONSE_RECEIVED",function(){a.eb.tick("orpr")}); -b.subscribe("PLAYER_RESPONSE_FAILED",function(c){Q_(a,c.errorInfo)}); +GY=function(){this.keys=[];this.values=[]}; +VXa=function(a,b,c){g.dE.call(this);this.element=a;this.videoData=b;this.Y=c;this.j=this.videoData.J;this.drmSessionId=this.videoData.drmSessionId||g.Bsa();this.u=new Map;this.I=new GY;this.J=new GY;this.B=[];this.Ja=2;this.oa=new g.bI(this);this.La=this.Aa=!1;this.heartbeatParams=null;this.ya=this.ea=!1;this.D=null;this.Ga=!1;(a=this.element)&&(a.addKey||a.webkitAddKey)||ZI()||hJ(c.experiments);this.Y.K("html5_enable_vp9_fairplay")&&dJ(this.j)?c=TXa:(c=this.videoData.hm,c="fairplay"===this.j.flavor|| +c?ZL:TXa);this.T=c;this.C=new FY(this.element,this.j);g.E(this,this.C);$I(this.j)&&(this.Z=new FY(this.element,this.j),g.E(this,this.Z));g.E(this,this.oa);c=this.element;this.j.keySystemAccess?this.oa.S(c,"encrypted",this.Y5):Kz(this.oa,c,$I(this.j)?["msneedkey"]:["needkey","webkitneedkey"],this.v6);UXa(this);a:switch(c=this.j,a=this.u,c.flavor){case "fairplay":if(b=/\sCobalt\/(\S+)\s/.exec(g.hc())){a=[];b=g.t(b[1].split("."));for(var d=b.next();!d.done;d=b.next())d=parseInt(d.value,10),0<=d&&a.push(d); +a=parseFloat(a.join("."))}else a=NaN;19.2999=a&&(c=.75*a),b=.5*(a-c),c=new AY(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new BY(a,this);break a;default:c=null}if(this.D=c)g.E(this,this.D),this.D.subscribe("rotated_need_key_info_ready",this.wS,this),this.D.subscribe("log_qoe",this.Ri,this);hJ(this.Y.experiments);this.Ri({cks:this.j.rh()})}; +UXa=function(a){var b=a.C.attach();b?b.then(XI(function(){WXa(a)}),XI(function(c){if(!a.isDisposed()){g.CD(c); +var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.ma("licenseerror","drm.unavailable",1,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.Ri({mdkrdy:1}),a.ea=!0); +a.Z&&(b=a.Z.attach())}; +YXa=function(a,b,c){a.La=!0;c=new vTa(b,c);a.Y.K("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));XXa(a,c)}; +XXa=function(a,b){if(!a.isDisposed()){a.Ri({onInitData:1});if(a.Y.K("html5_eme_loader_sync")&&a.videoData.C&&a.videoData.C.j){var c=a.J.get(b.initData);b=a.I.get(b.initData);if(!c||!b)return;b=c;c=b.initData;a.I.remove(c);a.J.remove(c)}a.Ri({initd:b.initData.length,ct:b.contentType});if("widevine"===a.j.flavor)if(a.Aa&&!a.videoData.isLivePlayback)HY(a);else{if(!(a.Y.K("vp9_drm_live")&&a.videoData.isLivePlayback&&b.Ee)){a.Aa=!0;c=b.cryptoPeriodIndex;var d=b.j;xTa(b);b.Ee||(d&&b.j!==d?a.ma("ctmp","cpsmm", +{emsg:d,pssh:b.j}):c&&b.cryptoPeriodIndex!==c&&a.ma("ctmp","cpimm",{emsg:c,pssh:b.cryptoPeriodIndex}));a.ma("widevine_set_need_key_info",b)}}else a.wS(b)}}; +WXa=function(a){if(!a.isDisposed())if(a.Y.K("html5_drm_set_server_cert")&&!g.tK(a.Y)||dJ(a.j)){var b=a.C.setServerCertificate();b?b.then(XI(function(c){a.Y.Rd()&&a.ma("ctmp","ssc",{success:c})}),XI(function(c){a.ma("ctmp","ssce",{n:c.name, +m:c.message})})).then(XI(function(){ZXa(a)})):ZXa(a)}else ZXa(a)}; +ZXa=function(a){a.isDisposed()||(a.ea=!0,a.Ri({onmdkrdy:1}),HY(a))}; +$Xa=function(a){return"widevine"===a.j.flavor&&a.videoData.K("html5_drm_cpi_license_key")}; +HY=function(a){if(a.La&&a.ea&&!a.ya){for(;a.B.length;){var b=a.B[0],c=$Xa(a)?yTa(b):g.gg(b.initData);if(dJ(a.j)&&!b.u)a.B.shift();else{if(a.u.get(c))if("fairplay"!==a.j.flavor||dJ(a.j)){a.B.shift();continue}else a.u.delete(c);xTa(b);break}}a.B.length&&a.createSession(a.B[0])}}; +aYa=function(a){var b;if(b=g.Yy()){var c;b=!(null==(c=a.C.u)||!c.getMetrics)}b&&(b=a.C.getMetrics())&&(b=g.WF(b),a.ma("ctmp","drm",{metrics:b}))}; +JY=function(a){g.C.call(this);var b=this;this.va=a;this.j=this.va.V();this.videoData=this.va.getVideoData();this.HC=0;this.I=this.B=!1;this.D=0;this.C=g.gJ(this.j.experiments,"html5_delayed_retry_count");this.u=new g.Ip(function(){IY(b.va)},g.gJ(this.j.experiments,"html5_delayed_retry_delay_ms")); +this.J=g.gJ(this.j.experiments,"html5_url_signature_expiry_time_hours");g.E(this,this.u)}; +eYa=function(a,b,c){var d=a.videoData.u,e=a.videoData.I;if(("progressive.net.retryexhausted"===b||"fmt.unplayable"===b||"fmt.decode"===b)&&!a.va.Ji.D&&d&&"22"===d.itag)return a.va.Ji.D=!0,a.Kd("qoe.restart",{reason:"fmt.unplayable.22"}),KY(a.va),!0;var f=!1,h=a.HC+3E4<(0,g.M)()||a.u.isActive();if(a.j.K("html5_empty_src")&&a.videoData.isAd()&&"fmt.unplayable"===b&&/Empty src/.test(""+c.msg))return c.origin="emptysrc",a.Kd("auth",c),!0;var l;if(l=!h)l=a.va.Es(),l=!!(l.zg()||l.isInline()||l.isBackground()|| +l.Ty()||l.Ry());l&&(c.nonfg="paused",h=!0,a.va.pauseVideo());("fmt.decode"===b||"fmt.unplayable"===b)&&(null==e?0:AF(e)||zF(e))&&(Uwa(a.j.D,e.Lb),c.acfallexp=e.Lb,f=h=!0);!h&&0=a.j.jc)return!1;b.exiled=""+a.j.jc;a.Kd("qoe.start15s",b);a.va.ma("playbackstalledatstart");return!0}; +cYa=function(a){return a.B?!0:"yt"===a.j.Ja?a.videoData.kb?25>a.videoData.Dc:!a.videoData.Dc:!1}; +dYa=function(a){if(!a.B){a.B=!0;var b=a.va.getPlayerState();b=g.QO(b)||b.isSuspended();a.va.Dn();b&&!WM(a.videoData)||a.va.ma("signatureexpired")}}; +fYa=function(a,b){if((a=a.va.qe())&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.Ye();b.details.merr=c?c.toString():"0";b.details.mmsg=a.zf()}}; +gYa=function(a){return"net.badstatus"===a.errorCode&&(1===a.severity||!!a.details.fmt_unav)}; +hYa=function(a,b){return a.j.K("html5_use_network_error_code_enums")&&403===b.details.rc||"403"===b.details.rc?(a=b.errorCode,"net.badstatus"===a||"manifest.net.retryexhausted"===a):!1}; +jYa=function(a,b){if(!hYa(a,b)&&!a.B)return!1;b.details.sts="19471";if(cYa(a))return QK(b.severity)&&(b=Object.assign({e:b.errorCode},b.details),b=new PK("qoe.restart",b)),a.Kd(b.errorCode,b.details),dYa(a),!0;6048E5<(0,g.M)()-a.j.Jf&&iYa(a,"signature");return!1}; +iYa=function(a,b){try{window.location.reload(),a.Kd("qoe.restart",{detail:"pr."+b})}catch(c){}}; +kYa=function(a,b){var c=a.j.D;c.D=!1;c.j=!0;a.Kd("qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});IY(a.va,!0)}; +lYa=function(a,b,c,d){this.videoData=a;this.j=b;this.reason=c;this.u=d}; +mYa=function(a,b,c){this.Y=a;this.XD=b;this.va=c;this.ea=this.I=this.J=this.u=this.j=this.C=this.T=this.B=0;this.D=!1;this.Z=g.gJ(this.Y.experiments,"html5_displayed_frame_rate_downgrade_threshold")||45}; +oYa=function(a,b,c){!a.Y.K("html5_tv_ignore_capable_constraint")&&g.tK(a.Y)&&(c=c.compose(nYa(a,b)));return c}; +qYa=function(a,b){var c,d=pYa(a,null==(c=b.j)?void 0:c.videoInfos);c=a.va.getPlaybackRate();return 1(0,g.M)()-a.C?0:f||0h?a.u+1:0;if((n-m)/l>a.Z||!e||g.tK(a.Y))return!1;a.j=d>e?a.j+1:0;if(3!==a.j)return!1;tYa(a,b.videoData.u);a.va.xa("dfd",Object.assign({dr:c.droppedVideoFrames,de:c.totalVideoFrames},vYa()));return!0}; +xYa=function(a,b){return 0>=g.gJ(a.Y.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.video&&32=e){d=e;break}return new iF(0,d,!1,"b")}; +zYa=function(a){a=a.va.Es();return a.isInline()?new iF(0,480,!1,"v"):a.isBackground()&&60e?(c&&(d=AYa(a,c,d)),new iF(0,d,!1,"e")):ZL}; +AYa=function(a,b,c){if(a.K("html5_optimality_defaults_chooses_next_higher")&&c)for(a=b.j.videoInfos,b=1;ba.u)){var b=g.uW(a.provider),c=b-a.C;a.C=b;8===a.playerState.state?a.playTimeSecs+=c:g.TO(a.playerState)&&!g.S(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; +GYa=function(a,b){b?FYa.test(a):(a=g.sy(a),Object.keys(a).includes("cpn"))}; +IYa=function(a,b,c,d,e,f,h){var l={format:"RAW"},m={};if(vy(a)&&wy()){if(h){var n;2!==(null==(n=HYa.uaChPolyfill)?void 0:n.state.type)?h=null:(h=HYa.uaChPolyfill.state.data.values,h={"Synth-Sec-CH-UA-Arch":h.architecture,"Synth-Sec-CH-UA-Model":h.model,"Synth-Sec-CH-UA-Platform":h.platform,"Synth-Sec-CH-UA-Platform-Version":h.platformVersion,"Synth-Sec-CH-UA-Full-Version":h.uaFullVersion});m=Object.assign(m,h);l.withCredentials=!0}(h=g.ey("EOM_VISITOR_DATA"))?m["X-Goog-EOM-Visitor-Id"]=h:d?m["X-Goog-Visitor-Id"]= +d:g.ey("VISITOR_DATA")&&(m["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));c&&(m["X-Goog-PageId"]=c);d=b.authUser;b.K("move_vss_away_from_login_info_cookie")&&d&&(m["X-Goog-AuthUser"]=d,m["X-Yt-Auth-Test"]="test");e&&(m.Authorization="Bearer "+e);h||m["X-Goog-Visitor-Id"]||e||c||b.K("move_vss_away_from_login_info_cookie")&&d?l.withCredentials=!0:b.K("html5_send_cpn_with_options")&&FYa.test(a)&&(l.withCredentials=!0)}0a.B.NV+100&&a.B){var d=a.B,e=d.isAd;c=1E3*c-d.NV;a.ya=1E3*b-d.M8-c-d.B8;c=(0,g.M)()-c;b=a.ya;d=a.provider.videoData;var f=d.isAd();if(e||f){f=(e?"ad":"video")+"_to_"+(f?"ad":"video");var h={};d.T&&(h.cttAuthInfo={token:d.T,videoId:d.videoId});h.startTime=c-b;cF(f,h);bF({targetVideoId:d.videoId,targetCpn:d.clientPlaybackNonce},f);eF("pbs",c,f)}else c=a.provider.va.Oh(),c.I!==d.clientPlaybackNonce? +(c.D=d.clientPlaybackNonce,c.u=b):g.DD(new g.bA("CSI timing logged before gllat",{cpn:d.clientPlaybackNonce}));a.xa("gllat",{l:a.ya.toFixed(),prev_ad:+e});delete a.B}}; +OYa=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.uW(a.provider);var c=a.provider.va.eC(),d=c.Zq-(a.Ga||0);0a.j)&&2=e&&(a.va.xa("ytnerror",{issue:28799967,value:""+e}),e=(new Date).getTime()+2);return e},a.Y.K("html5_validate_yt_now")),c=b(); +a.j=function(){return Math.round(b()-c)/1E3}; +a.va.cO()}return a.j}; +nZa=function(a){var b=a.va.bq()||{};b.fs=a.va.wC();b.volume=a.va.getVolume();b.muted=a.va.isMuted()?1:0;b.mos=b.muted;b.inview=a.va.TB();b.size=a.va.HB();b.clipid=a.va.wy();var c=Object,d=c.assign;a=a.videoData;var e={};a.u&&(e.fmt=a.u.itag,a.I&&a.I.itag!=a.u.itag&&(e.afmt=a.I.itag));e.ei=a.eventId;e.list=a.playlistId;e.cpn=a.clientPlaybackNonce;a.videoId&&(e.v=a.videoId);a.Xk&&(e.infringe=1);TM(a)&&(e.splay=1);var f=CM(a);f&&(e.live=f);a.kp&&(e.sautoplay=1);a.Xl&&(e.autoplay=1);a.Bx&&(e.sdetail= +a.Bx);a.Ga&&(e.partnerid=a.Ga);a.osid&&(e.osid=a.osid);a.Rw&&(e.cc=a.Rw.vssId);return d.call(c,b,e)}; +MYa=function(a){if(navigator.connection&&navigator.connection.type)return uZa[navigator.connection.type]||uZa.other;if(g.tK(a.Y)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; +QY=function(a){var b=new rZa,c;b.D=(null==(c=nZa(a).cc)?void 0:c.toString())||"-";b.playbackRate=a.va.getPlaybackRate();c=a.va.getVisibilityState();0!==c&&(b.visibilityState=c);a.Y.Ld&&(b.u=1);b.B=a.videoData.Yv;c=a.va.getAudioTrack();c.Jc&&c.Jc.id&&"und"!==c.Jc.id&&(b.C=c.Jc.id);b.connectionType=MYa(a);b.volume=a.va.getVolume();b.muted=a.va.isMuted();b.clipId=a.va.wy()||"-";b.j=a.videoData.AQ||"-";return b}; +g.ZY=function(a){g.C.call(this);this.provider=a;this.qoe=this.j=null;this.Ci=void 0;this.u=new Map;this.provider.videoData.De()&&!this.provider.videoData.ol&&(this.j=new TY(this.provider),g.E(this,this.j),this.qoe=new g.NY(this.provider),g.E(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.Ci=this.provider.videoData.clientPlaybackNonce)&&this.u.set(this.Ci,this.j));this.B=new LY(this.provider);g.E(this,this.B)}; +vZa=function(a){DYa(a.B);a.qoe&&WYa(a.qoe)}; +wZa=function(a){if(a.provider.videoData.enableServerStitchedDai&&a.Ci){var b;null!=(b=a.u.get(a.Ci))&&RY(b.j)}else a.j&&RY(a.j.j)}; +xZa=function(a){a.B.send();if(a.qoe){var b=a.qoe;if(b.D){"PL"===b.Te&&(b.Te="N");var c=g.uW(b.provider);g.MY(b,c,"vps",[b.Te]);b.I||(0<=b.u&&(b.j.user_intent=[b.u.toString()]),b.I=!0);b.provider.Y.Rd()&&b.xa("finalized",{});b.oa=!0;b.reportStats(c)}}if(a.provider.videoData.enableServerStitchedDai)for(b=g.t(a.u.values()),c=b.next();!c.done;c=b.next())pZa(c.value);else a.j&&pZa(a.j);a.dispose()}; +yZa=function(a,b){a.j&&qZa(a.j,b)}; +zZa=function(a){if(!a.j)return null;var b=UY(a.j,"atr");return function(c){a.j&&qZa(a.j,c,b)}}; +AZa=function(a,b,c,d){c.adFormat=c.Hf;var e=b.va;b=new TY(new sZa(c,b.Y,{getDuration:function(){return c.lengthSeconds}, +getCurrentTime:function(){return e.getCurrentTime()}, +xk:function(){return e.xk()}, +eC:function(){return e.eC()}, +getPlayerSize:function(){return e.getPlayerSize()}, +getAudioTrack:function(){return c.getAudioTrack()}, +getPlaybackRate:function(){return e.getPlaybackRate()}, +hC:function(){return e.hC()}, +getVisibilityState:function(){return e.getVisibilityState()}, +Oh:function(){return e.Oh()}, +bq:function(){return e.bq()}, +getVolume:function(){return e.getVolume()}, +isMuted:function(){return e.isMuted()}, +wC:function(){return e.wC()}, +wy:function(){return e.wy()}, +TB:function(){return e.TB()}, +HB:function(){return e.HB()}, +cO:function(){e.cO()}, +YC:function(){e.YC()}, +xa:function(f,h){e.xa(f,h)}})); +b.B=d;g.E(a,b);return b}; +BZa=function(){this.Au=0;this.B=this.Ot=this.Zq=this.u=NaN;this.j={};this.bandwidthEstimate=NaN}; +CZa=function(){this.j=g.YD;this.array=[]}; +EZa=function(a,b,c){var d=[];for(b=DZa(a,b);bc)break}return d}; +FZa=function(a,b){var c=[];a=g.t(a.array);for(var d=a.next();!d.done&&!(d=d.value,d.contains(b)&&c.push(d),d.start>b);d=a.next());return c}; +GZa=function(a){return a.array.slice(DZa(a,0x7ffffffffffff),a.array.length)}; +DZa=function(a,b){a=Kb(a.array,function(c){return b-c.start||1}); +return 0>a?-(a+1):a}; +HZa=function(a,b){var c=NaN;a=g.t(a.array);for(var d=a.next();!d.done;d=a.next())if(d=d.value,d.contains(b)&&(isNaN(c)||d.endb&&(isNaN(c)||d.starta.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.u=c;return!1}; +LZa=function(a,b){this.videoData=a;this.j=b}; +MZa=function(a,b,c){return Hza(b,c).then(function(){return Oy(new LZa(b,b.C))},function(d){d instanceof Error&&g.DD(d); +var e=dI('video/mp4; codecs="avc1.42001E, mp4a.40.2"'),f=fI('audio/mp4; codecs="mp4a.40.2"'),h=e||f,l=b.isLivePlayback&&!g.vJ(a.D,!0);d="fmt.noneavailable";l?d="html5.unsupportedlive":h||(d="html5.missingapi");h=l||!h?2:1;e={buildRej:"1",a:b.Yu(),d:!!b.tb,drm:b.Pl(),f18:0<=b.Jf.indexOf("itag=18"),c18:e};b.j&&(b.Pl()?(e.f142=!!b.j.j["142"],e.f149=!!b.j.j["149"],e.f279=!!b.j.j["279"]):(e.f133=!!b.j.j["133"],e.f140=!!b.j.j["140"],e.f242=!!b.j.j["242"]),e.cAAC=f,e.cAVC=fI('video/mp4; codecs="avc1.42001E"'), +e.cVP9=fI('video/webm; codecs="vp9"'));b.J&&(e.drmsys=b.J.keySystem,f=0,b.J.j&&(f=Object.keys(b.J.j).length),e.drmst=f);return new PK(d,e,h)})}; +NZa=function(a){this.D=a;this.B=this.u=0;this.C=new CS(50)}; +cZ=function(a,b,c){g.dE.call(this);this.videoData=a;this.experiments=b;this.T=c;this.u=[];this.C=0;this.B=!0;this.D=!1;this.I=0;c=new OZa;"ULTRALOW"===a.latencyClass&&(c.C=!1);a.Xb?c.u=3:g.GM(a)&&(c.u=2);"NORMAL"===a.latencyClass&&(c.T=!0);var d=zza(a);c.D=2===d||-1===d;c.D&&(c.Z++,21530001===yM(a)&&(c.I=g.gJ(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(Wy("trident/")||Wy("edge/"))c.B=Math.max(c.B,g.gJ(b,"html5_platform_minimum_readahead_seconds")||3);g.gJ(b,"html5_minimum_readahead_seconds")&& +(c.B=g.gJ(b,"html5_minimum_readahead_seconds"));g.gJ(b,"html5_maximum_readahead_seconds")&&(c.ea=g.gJ(b,"html5_maximum_readahead_seconds"));b.ob("html5_force_adaptive_readahead")&&(c.C=!0);switch(yM(a)){case 21530001:c.j=(c.j+1)/5,"LOW"===a.latencyClass&&(c.j*=2),c.J=b.ob("html5_live_smoothly_extend_max_seekable_time")}this.policy=c;this.J=1!==this.policy.u;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Xb&&b--;this.experiments.ob("html5_disable_extra_readahead_normal_latency_live_stream")|| +a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(yM(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.D&&b++;this.j=PZa(this,b)}; +QZa=function(a,b){var c=a.j;(void 0===b?0:b)&&a.policy.J&&3===zza(a.videoData)&&--c;return dZ(a)*c}; +eZ=function(a,b){var c=a.Wp(),d=a.policy.j;a.D||(d=Math.max(d-1,0));a=d*dZ(a);return b>=c-a}; +RZa=function(a,b,c){b=eZ(a,b);c||b?b&&(a.B=!0):a.B=!1;a.J=2===a.policy.u||3===a.policy.u&&a.B}; +SZa=function(a,b){b=eZ(a,b);a.D!==b&&a.ma("livestatusshift",b);a.D=b}; +dZ=function(a){return a.videoData.j?OI(a.videoData.j)||5:5}; +PZa=function(a,b){b=Math.max(Math.max(a.policy.Z,Math.ceil(a.policy.B/dZ(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.ea/dZ(a))),b)}; +OZa=function(){this.Z=1;this.B=0;this.ea=Infinity;this.C=!0;this.j=2;this.u=1;this.D=!1;this.I=NaN;this.J=this.T=!1}; +hZ=function(a){g.C.call(this);this.va=a;this.Y=this.va.V();this.C=this.j=0;this.B=new g.Ip(this.gf,1E3,this);this.Ja=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_seek_timeout_delay_ms")});this.T=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_long_rebuffer_threshold_ms")});this.La=gZ(this,"html5_seek_set_cmt");this.Z=gZ(this,"html5_seek_jiggle_cmt");this.Ga=gZ(this,"html5_seek_new_elem");this.fb=gZ(this,"html5_unreported_seek_reseek");this.I=gZ(this,"html5_long_rebuffer_jiggle_cmt");this.J=new fZ({delayMs:2E4}); +this.ya=gZ(this,"html5_seek_new_elem_shorts");this.Aa=gZ(this,"html5_seek_new_elem_shorts_vrs");this.oa=gZ(this,"html5_seek_new_elem_shorts_buffer_range");this.D=gZ(this,"html5_ads_preroll_lock_timeout");this.Qa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_report_slow_ads_as_error")});this.Xa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_skip_slow_buffering_ad")});this.Ya=new fZ({delayMs:g.gJ(this.Y.experiments, +"html5_slow_start_timeout_delay_ms")});this.ea=gZ(this,"html5_slow_start_no_media_source");this.u={};g.E(this,this.B)}; +gZ=function(a,b){var c=g.gJ(a.Y.experiments,b+"_delay_ms");a=a.Y.K(b+"_cfl");return new fZ({delayMs:c,gy:a})}; +iZ=function(a,b,c,d,e,f,h,l){TZa(b,c)?(a.Kd(e,b,h),b.gy||f()):(b.QH&&b.u&&!b.C?(c=(0,g.M)(),d?b.j||(b.j=c):b.j=0,f=!d&&c-b.u>b.QH,c=b.j&&c-b.j>b.KO||f?b.C=!0:!1):c=!1,c&&(l=Object.assign({},a.lc(b),l),l.wn=h,l.we=e,l.wsuc=d,a.va.xa("workaroundReport",l),d&&(b.reset(),a.u[e]=!1)))}; +fZ=function(a){var b=void 0===a?{}:a;a=void 0===b.delayMs?0:b.delayMs;var c=void 0===b.KO?1E3:b.KO,d=void 0===b.QH?3E4:b.QH;b=void 0===b.gy?!1:b.gy;this.j=this.u=this.B=this.startTimestamp=0;this.C=!1;this.D=Math.ceil(a/1E3);this.KO=c;this.QH=d;this.gy=b}; +TZa=function(a,b){if(!a.D||a.u)return!1;if(!b)return a.reset(),!1;b=(0,g.M)();if(!a.startTimestamp)a.startTimestamp=b,a.B=0;else if(a.B>=a.D)return a.u=b,!0;a.B+=1;return!1}; +XZa=function(a){g.C.call(this);var b=this;this.va=a;this.Y=this.va.V();this.videoData=this.va.getVideoData();this.policy=new UZa(this.Y);this.Z=new hZ(this.va);this.playbackData=null;this.Qa=new g.bI;this.I=this.j=this.Fa=this.mediaElement=null;this.u=NaN;this.C=0;this.Aa=NaN;this.B=null;this.Ga=NaN;this.D=this.J=null;this.ea=this.T=!1;this.ya=new g.Ip(function(){VZa(b,!1)},2E3); +this.ib=new g.Ip(function(){jZ(b)}); +this.La=new g.Ip(function(){b.T=!0;WZa(b,{})}); +this.timestampOffset=0;this.Xa=!0;this.Ja=0;this.fb=NaN;this.oa=new g.Ip(function(){var c=b.Y.vf;c.j+=1E4/36E5;c.j-c.B>1/6&&(oxa(c),c.B=c.j);b.oa.start()},1E4); +this.Ya=this.kb=!1;g.E(this,this.Z);g.E(this,this.Qa);g.E(this,this.ya);g.E(this,this.La);g.E(this,this.ib);g.E(this,this.oa)}; +ZZa=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.I=new NZa(function(){a:{if(a.playbackData&&a.playbackData.j.j){if(jM(a.videoData)&&a.Fa){var c=a.Fa.kF.bj()||0;break a}if(a.videoData.j){c=a.videoData.j.Z;break a}}c=0}return c}),a.j=new cZ(a.videoData,a.Y.experiments,function(){return a.pe(!0)})); +YZa(a)||(a.C=a.C||a.videoData.startSeconds||0)}; +a_a=function(a,b){(a.Fa=b)?$Za(a,!0):kZ(a)}; +b_a=function(a,b){var c=a.getCurrentTime(),d=a.isAtLiveHead(c);if(a.I&&d){var e=a.I;if(e.j&&!(c>=e.u&&ce.C||3E3>g.Ra()-e.I||(e.I=g.Ra(),e.u.push(f),50=a.pe()-.1){a.u=a.pe();a.B.resolve(a.pe()); +vW(a.va);return}try{var c=a.u-a.timestampOffset;a.mediaElement.seekTo(c);a.Z.j=c;a.Ga=c;a.C=a.u}catch(d){}}}}; +h_a=function(a){if(!a.mediaElement||0===a.mediaElement.xj()||0a.pe()||dMath.random())try{g.DD(new g.bA("b/152131571",btoa(f)))}catch(T){}return x.return(Promise.reject(new PK(r,{backend:"gvi"},v)))}})}; +u_a=function(a,b){function c(B){if(!a.isDisposed()){B=B?B.status:-1;var F=0,G=((0,g.M)()-p).toFixed();G=e.K("html5_use_network_error_code_enums")?{backend:"gvi",rc:B,rt:G}:{backend:"gvi",rc:""+B,rt:G};var D="manifest.net.connect";429===B?(D="auth",F=2):200r.j&&3!==r.provider.va.getVisibilityState()&& +DYa(r);q.qoe&&(q=q.qoe,q.Ja&&0>q.u&&q.provider.Y.Hf&&WYa(q));p.Fa&&nZ(p);p.Y.Wn&&!p.videoData.backgroundable&&p.mediaElement&&!p.wh()&&(p.isBackground()&&p.mediaElement.QE()?(p.xa("bgmobile",{suspend:1}),p.Dn(!0,!0)):p.isBackground()||oZ(p)&&p.xa("bgmobile",{resume:1}));p.K("html5_log_tv_visibility_playerstate")&&g.tK(p.Y)&&p.xa("vischg",{vis:p.getVisibilityState(),ps:p.playerState.state.toString(16)})}; +this.Ne={ep:function(q){p.ep(q)}, +t8a:function(q){p.oe=q}, +n7a:function(){return p.zc}}; +this.Xi=new $Y(function(){return p.getCurrentTime()},function(){return p.getPlaybackRate()},function(){return p.getPlayerState()},function(q,r){q!==g.ZD("endcr")||g.S(p.playerState,32)||vW(p); +e(q,r,p.playerType)}); +g.E(this,this.Xi);g.E(this,this.xd);z_a(this,m);this.videoData.subscribe("dataupdated",this.S7,this);this.videoData.subscribe("dataloaded",this.PK,this);this.videoData.subscribe("dataloaderror",this.handleError,this);this.videoData.subscribe("ctmp",this.xa,this);this.videoData.subscribe("ctmpstr",this.IO,this);!this.zc||this.zc.isDisposed();this.zc=new g.ZY(new sZa(this.videoData,this.Y,this));jRa(this.Bg);this.visibility.subscribe("visibilitystatechange",this.Bg)}; +zI=function(a){return a.K("html5_not_reset_media_source")&&!a.Pl()&&!a.videoData.isLivePlayback&&g.QM(a.videoData)}; +z_a=function(a,b){if(2===a.playerType||a.Y.Yn)b.dV=!0;var c=$xa(b.Hf,b.uy,a.Y.C,a.Y.I);c&&(b.adFormat=c);2===a.playerType&&(b.Xl=!0);if(a.isFullscreen()||a.Y.C)c=g.Qz("yt-player-autonavstate"),b.autonavState=c||(a.Y.C?2:a.videoData.autonavState);b.endSeconds&&b.endSeconds>b.startSeconds&&A_a(a,b.endSeconds)}; +C_a=function(a){if(a.videoData.fb){var b=a.Nf.Rc();a.videoData.rA=a.videoData.rA||(null==b?void 0:b.KL());a.videoData.sA=a.videoData.sA||(null==b?void 0:b.NL())}if(Qza(a.videoData)||!$M(a.videoData))b=a.videoData.errorDetail,a.Ng(a.videoData.errorCode||"auth",2,unescape(a.videoData.errorReason),b,b,a.videoData.Gm||void 0);1===a.playerType&&qZ.isActive()&&a.BH.start();a.videoData.dj=a.getUserAudio51Preference();a.K("html5_generate_content_po_token")&&B_a(a)}; +TN=function(a){return a.mediaElement&&a.mediaElement.du()?a.mediaElement.ub():null}; +rZ=function(a){if(a.videoData.De())return!0;a.Ng("api.invalidparam",2,void 0,"invalidVideodata.1");return!1}; +g.tW=function(a,b){(b=void 0===b?!1:b)||vZa(a.zc);a.Ns=b;!rZ(a)||a.fp.Os()?g.tK(a.Y)&&a.videoData.isLivePlayback&&a.fp.Os()&&!a.fp.finished&&!a.Ns&&a.PK():(a.fp.start(),b=a.zc,g.uW(b.provider),b.qoe&&RYa(b.qoe),a.PK())}; +D_a=function(a){var b=a.videoData;x_a(a).then(void 0,function(c){a.videoData!==b||b.isDisposed()||(c=RK(c),"auth"===c.errorCode&&a.videoData.errorDetail?a.Ng(c.errorCode,2,unescape(a.videoData.errorReason),OK(c.details),a.videoData.errorDetail,a.videoData.Gm||void 0):a.handleError(c))})}; +sRa=function(a,b){a.kd=b;a.Fa&&hXa(a.Fa,new g.yY(b))}; +F_a=function(a){if(!g.S(a.playerState,128))if(a.videoData.isLoaded(),4!==a.playerType&&(a.zn=g.Bb(a.videoData.Ja)),EM(a.videoData)){a.vb.tick("bpd_s");sZ(a).then(function(){a.vb.tick("bpd_c");if(!a.isDisposed()){a.Ns&&(a.pc(MO(MO(a.playerState,512),1)),oZ(a));var c=a.videoData;c.endSeconds&&c.endSeconds>c.startSeconds&&A_a(a,c.endSeconds);a.fp.finished=!0;tZ(a,"dataloaded");a.Lq.Os()&&E_a(a);CYa(a.Ji,a.Df)}}); +a.K("html5_log_media_perf_info")&&a.xa("loudness",{v:a.videoData.Zi.toFixed(3)},!0);var b=$za(a.videoData);b&&a.xa("playerResponseExperiment",{id:b},!0);a.wK()}else tZ(a,"dataloaded")}; +sZ=function(a){uZ(a);a.Df=null;var b=MZa(a.Y,a.videoData,a.wh());a.mD=b;a.mD.then(function(c){G_a(a,c)},function(c){a.isDisposed()||(c=RK(c),a.visibility.isBackground()?(vZ(a,"vp_none_avail"),a.mD=null,a.fp.reset()):(a.fp.finished=!0,a.Ng(c.errorCode,c.severity,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",OK(c.details))))}); +return b}; +KY=function(a){sZ(a).then(function(){return oZ(a)}); +g.RO(a.playerState)&&a.playVideo()}; +G_a=function(a,b){if(!a.isDisposed()&&!b.videoData.isDisposed()){a.Df=b;ZZa(a.xd,a.Df);if(a.videoData.isLivePlayback){var c=iSa(a.Nf.Us,a.videoData.videoId)||a.Fa&&!isNaN(a.Fa.oa);c=a.K("html5_onesie_live")&&c;0$J(b.Y.vf,"sticky-lifetime")?"auto":mF[SI()]:d=mF[SI()],d=g.kF("auto",d,!1,"s");if(lF(d)){d=nYa(b,c);var e=d.compose,f;a:if((f=c.j)&&f.videoInfos.length){for(var h=g.t(f.videoInfos),l=h.next();!l.done;l=h.next()){l=l.value;var m=void 0;if(null==(m=l.j)?0:m.smooth){f=l.video.j;break a}}f=f.videoInfos[0].video.j}else f=0;hoa()&&!g.tK(b.Y)&&BF(c.j.videoInfos[0])&& +(f=Math.min(f,g.jF.large));d=e.call(d,new iF(0,f,!1,"o"));e=d.compose;f=4320;!b.Y.u||g.lK(b.Y)||b.Y.K("hls_for_vod")||b.Y.K("mweb_remove_360p_cap")||(f=g.jF.medium);(h=g.gJ(b.Y.experiments,"html5_default_quality_cap"))&&c.j.j&&!c.videoData.Ki&&!c.videoData.Pd&&(f=Math.min(f,h));h=g.gJ(b.Y.experiments,"html5_random_playback_cap");l=/[a-h]$/;h&&l.test(c.videoData.clientPlaybackNonce)&&(f=Math.min(f,h));if(l=h=g.gJ(b.Y.experiments,"html5_hfr_quality_cap"))a:{l=c.j;if(l.j)for(l=g.t(l.videoInfos),m=l.next();!m.done;m= +l.next())if(32h&&0!==h&&b.j===h)){var l;f=pYa(c,null==(l=e.j)?void 0:l.videoInfos);l=c.va.getPlaybackRate();1b.j&&"b"===b.reason;d=a.ue.ib&&!tI();c||e||b||d?wY(a.va, +{reattachOnConstraint:c?"u":e?"drm":d?"codec":"perf"}):xY(a)}}}; +N_a=function(a){var b;return!!(a.K("html5_native_audio_track_switching")&&g.BA&&(null==(b=a.videoData.u)?0:LH(b)))}; +O_a=function(a){if(!N_a(a))return!1;var b;a=null==(b=a.mediaElement)?void 0:b.audioTracks();return!!(a&&1n&&(n+=l.j);for(var p=0;pa.Wa.getDuration()&&a.Wa.Sk(d)):a.Wa.Sk(e);var f=a.Fa,h=a.Wa;f.policy.oa&&(f.policy.Aa&&f.xa("loader",{setsmb:0}),f.vk(),f.policy.oa=!1);YWa(f);if(!AI(h)){var l=gX(f.videoTrack),m=gX(f.audioTrack),n=(l?l.info.j:f.videoTrack.j).info,p=(m?m.info.j:f.audioTrack.j).info,q=f.policy.jl,r=n.mimeType+(void 0===q?"":q),v=p.mimeType,x=n.Lb,z=p.Lb,B,F=null==(B=h.Wa)?void 0:B.addSourceBuffer(v), +G,D="fakesb"===r.split(";")[0]?void 0:null==(G=h.Wa)?void 0:G.addSourceBuffer(r);h.Dg&&(h.Dg.webkitSourceAddId("0",v),h.Dg.webkitSourceAddId("1",r));var L=new sI(F,h.Dg,"0",GH(v),z,!1),P=new sI(D,h.Dg,"1",GH(r),x,!0);Fva(h,L,P)}QX(f.videoTrack,h.u||null);QX(f.audioTrack,h.j||null);f.Wa=h;f.Wa.C=!0;f.resume();g.eE(h.j,f.Ga,f);g.eE(h.u,f.Ga,f);try{f.gf()}catch(T){g.CD(T)}a.ma("mediasourceattached")}}catch(T){g.DD(T),a.handleError(new PK("fmt.unplayable",{msi:"1",ename:T.name},1))}} +U_a(a);a.Wa=b;zI(a)&&"open"===BI(a.Wa)?c(a.Wa):Eva(a.Wa,c)}; +U_a=function(a){if(a.Fa){var b=a.getCurrentTime()-a.Jd();a.K("html5_skip_loader_media_source_seek")&&a.Fa.getCurrentTime()===b||a.Fa.seek(b,{}).Zj(function(){})}else H_a(a)}; +IY=function(a,b){b=void 0===b?!1:b;var c,d,e;return g.A(function(f){if(1==f.j){a.Fa&&a.Fa.Xu();a.Fa&&a.Fa.isDisposed()&&uZ(a);if(a.K("html5_enable_vp9_fairplay")&&a.Pl()&&null!=(c=a.videoData.j)){var h=c,l;for(l in h.j)h.j.hasOwnProperty(l)&&(h.j[l].j=null,h.j[l].C=!1)}a.pc(MO(a.playerState,2048));a.ma("newelementrequired");return b?g.y(f,sZ(a),2):f.Ka(2)}a.videoData.fd()&&(null==(d=a.Fa)?0:d.oa)&&(e=a.isAtLiveHead())&&hM(a.videoData)&&a.seekTo(Infinity,{Je:"videoPlayer_getNewElement"});g.S(a.playerState, +8)&&a.playVideo();g.oa(f)})}; +eRa=function(a,b){a.xa("newelem",{r:b});IY(a)}; +V_a=function(a){a.vb.C.EN();g.S(a.playerState,32)||(a.pc(MO(a.playerState,32)),g.S(a.playerState,8)&&a.pauseVideo(!0),a.ma("beginseeking",a));a.yc()}; +CRa=function(a){g.S(a.playerState,32)?(a.pc(OO(a.playerState,16,32)),a.ma("endseeking",a)):g.S(a.playerState,2)||a.pc(MO(a.playerState,16));a.vb.C.JN(a.videoData,g.QO(a.playerState))}; +tZ=function(a,b){a.ma("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; +W_a=function(a){for(var b=g.t("loadstart loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" ")),c=b.next();!c.done;c=b.next())a.oA.S(a.mediaElement,c.value,a.iO,a);a.Y.ql&&a.mediaElement.du()&&(a.oA.S(a.mediaElement,"webkitplaybacktargetavailabilitychanged",a.q5,a),a.oA.S(a.mediaElement,"webkitcurrentplaybacktargetiswirelesschanged",a.r5,a))}; +Y_a=function(a){window.clearInterval(a.rH);X_a(a)||(a.rH=g.Dy(function(){return X_a(a)},100))}; +X_a=function(a){var b=a.mediaElement;b&&a.WG&&!a.videoData.kb&&!aF("vfp",a.vb.timerName)&&2<=b.xj()&&!b.Qh()&&0b.j&&(b.j=c,b.delay.start());b.u=c;b.C=c;g.Jp(a.yK);a.ma("playbackstarted");g.jA()&&((a=g.Ga("yt.scheduler.instance.clearPriorityThreshold"))?a():kA(0))}; +Z_a=function(a){var b=a.getCurrentTime(),c=a.Nf.Hd();!aF("pbs",a.vb.timerName)&&xE.measure&&xE.getEntriesByName&&(xE.getEntriesByName("mark_nr")[0]?Fta("mark_nr"):Fta());c.videoId&&a.vb.info("docid",c.videoId);c.eventId&&a.vb.info("ei",c.eventId);c.clientPlaybackNonce&&!a.K("web_player_early_cpn")&&a.vb.info("cpn",c.clientPlaybackNonce);0a.fV+6283){if(!(!a.isAtLiveHead()||a.videoData.j&&LI(a.videoData.j))){var b=a.zc;if(b.qoe){b=b.qoe;var c=b.provider.va.eC(),d=g.uW(b.provider);NYa(b,d,c);c=c.B;isNaN(c)||g.MY(b,d,"e2el",[c.toFixed(3)])}}g.FK(a.Y)&&a.xa("rawlat",{l:FS(a.xP,"rawlivelatency").toFixed(3)});a.fV=Date.now()}a.videoData.u&&LH(a.videoData.u)&&(b=TN(a))&&b.videoHeight!==a.WM&&(a.WM=b.videoHeight,K_a(a,"a",M_a(a,a.videoData.ib)))}; +M_a=function(a,b){if("auto"===b.j.video.quality&&LH(b.rh())&&a.videoData.Nd)for(var c=g.t(a.videoData.Nd),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.WM&&"auto"!==d.j.video.quality)return d.rh();return b.rh()}; +y_a=function(a){if(!hM(a.videoData))return NaN;var b=0;a.Fa&&a.videoData.j&&(b=jM(a.videoData)?a.Fa.kF.bj()||0:a.videoData.j.Z);return Date.now()/1E3-a.Pf()-b}; +c0a=function(a){a.mediaElement&&a.mediaElement.wh()&&(a.AG=(0,g.M)());a.Y.po?g.Cy(function(){b0a(a)},0):b0a(a)}; +b0a=function(a){var b;if(null==(b=a.Wa)||!b.Ol()){if(a.mediaElement)try{a.qH=a.mediaElement.playVideo()}catch(d){vZ(a,"err."+d)}if(a.qH){var c=a.qH;c.then(void 0,function(d){if(!(g.S(a.playerState,4)||g.S(a.playerState,256)||a.qH!==c||d&&"AbortError"===d.name&&d.message&&d.message.includes("load"))){var e="promise";d&&d.name&&(e+=";m."+d.name);vZ(a,e);a.DS=!0;a.videoData.aJ=!0}})}}}; +vZ=function(a,b){g.S(a.playerState,128)||(a.pc(OO(a.playerState,1028,9)),a.xa("dompaused",{r:b}),a.ma("onAutoplayBlocked"))}; +oZ=function(a){if(!a.mediaElement||!a.videoData.C)return!1;var b,c=null;if(null==(b=a.videoData.C)?0:b.j){c=T_a(a);var d;null==(d=a.Fa)||d.resume()}else uZ(a),a.videoData.ib&&(c=a.videoData.ib.QA());b=c;d=a.mediaElement.QE();c=!1;d&&d.equals(b)||(d0a(a,b),c=!0);g.S(a.playerState,2)||(b=a.xd,b.D||!(0=c&&b<=d}; +J0a=function(a){if(!(g.S(a.zb.getPlayerState(),64)&&a.Hd().isLivePlayback&&5E3>a.Bb.startTimeMs)){if("repeatChapter"===a.Bb.type){var b,c=null==(b=XJa(a.wb()))?void 0:b.MB(),d;b=null==(d=a.getVideoData())?void 0:d.Pk;c instanceof g.eU&&b&&(d=b[HU(b,a.Bb.startTimeMs)],c.FD(0,d.title));isNaN(Number(a.Bb.loopCount))?a.Bb.loopCount=0:a.Bb.loopCount++;1===a.Bb.loopCount&&a.F.Na("innertubeCommand",a.getVideoData().C1)}a.zb.seekTo(.001*a.Bb.startTimeMs,{Je:"application_loopRangeStart"})}}; +q0a=function(a,b){var c=a.Ta.getAvailablePlaybackRates();b=Number(b.toFixed(2));a=c[0];c=c[c.length-1];b<=a?b=a:b>=c?b=c:(a=Math.floor(100*b+.001)%5,b=0===a?b:Math.floor(100*(b-.01*a)+.001)/100);return b}; +QZ=function(a,b,c){if(a.mf(c)){c=c.getVideoData();if(PZ(a))c=b;else{a=a.kd;for(var d=g.t(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Nc===e.Nc){b+=e.Ec/1E3;break}d=b;a=g.t(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Nc===e.Nc)break;var f=e.Ec/1E3;if(fd?e=!0:1=b?b:0;this.j=a=l?function(){return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=t3a(m,c,d,function(q){var r=n(q),v=q.slotId; +q=l3a(h);v=ND(e.eb.get(),"LAYOUT_TYPE_SURVEY",v);var x={layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},z=new B0(e.j,d),B=new H0(e.j,v),F=new I0(e.j,v),G=new u3a(e.j);return{layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",Rb:new Map,layoutExitNormalTriggers:[z,G],layoutExitSkipTriggers:[B],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[F],Sc:[],bb:"core",Ba:new YZ([new z1a(h),new t_(b),new W_(l/1E3),new Z_(q)]),Ac:r(x),adLayoutLoggingData:h.adLayoutLoggingData}}); +m=r3a(a,c,p.slotId,d,e,m,n);return m instanceof N?m:[p].concat(g.u(m))}}; +E3a=function(a,b,c,d,e,f){var h=[];try{var l=[];if(c.renderer.linearAdSequenceRenderer)var m=function(x){x=w3a(x.slotId,c,b,e(x),d,f);l=x.o9;return x.F2}; +else if(c.renderer.instreamVideoAdRenderer)m=function(x){var z=x.slotId;x=e(x);var B=c.config.adPlacementConfig,F=x3a(B),G=F.sT;F=F.vT;var D=c.renderer.instreamVideoAdRenderer,L;if(null==D?0:null==(L=D.playerOverlay)?0:L.instreamSurveyAdRenderer)throw new TypeError("Survey overlay should not be set on single video.");var P=y3a(D);L=Math.min(G+1E3*P.videoLengthSeconds,F);F=new lN(0,[P.videoLengthSeconds],L);var T=P.videoLengthSeconds,fa=P.playerVars,V=P.instreamAdPlayerOverlayRenderer,Q=P.adVideoId, +X=z3a(c),O=P.Rb;P=P.sS;var la=null==D?void 0:D.adLayoutLoggingData;D=null==D?void 0:D.sodarExtensionData;z=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA",z);var qa={layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",bb:"core"};return{layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",Rb:O,layoutExitNormalTriggers:[new A3a(b.j)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new z_(d),new J_(T),new K_(fa),new N_(G),new O_(L),V&&new A_(V),new t_(B),new y_(Q), +new u_(F),new S_(X),D&&new M_(D),new G_({current:null}),new Q_({}),new a0(P)].filter(B3a)),Ac:x(qa),adLayoutLoggingData:la}}; +else throw new TypeError("Expected valid AdPlacementRenderer for DAI");var n=C3a(a,d,c.adSlotLoggingData,m);h.push(n);for(var p=g.t(l),q=p.next();!q.done;q=p.next()){var r=q.value,v=r(a,e);if(v instanceof N)return v;h.push.apply(h,g.u(v))}}catch(x){return new N(x,{errorMessage:x.message,AdPlacementRenderer:c,numberOfSurveyRenderers:D3a(c)})}return h}; +D3a=function(a){a=(a.renderer.linearAdSequenceRenderer||{}).linearAds;return null!=a&&a.length?a.filter(function(b){var c,d;return null!=(null==(c=g.K(b,FP))?void 0:null==(d=c.playerOverlay)?void 0:d.instreamSurveyAdRenderer)}).length:0}; +w3a=function(a,b,c,d,e,f){var h=b.config.adPlacementConfig,l=x3a(h),m=l.sT,n=l.vT;l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null==l||!l.length)throw new TypeError("Expected linear ads");var p=[],q={ZX:m,aY:0,l9:p};l=l.map(function(v){return F3a(a,v,q,c,d,h,e,n)}).map(function(v,x){x=new lN(x,p,n); +return v(x)}); +var r=l.map(function(v){return v.G2}); +return{F2:G3a(c,a,m,r,h,z3a(b),d,n,f),o9:l.map(function(v){return v.n9})}}; +F3a=function(a,b,c,d,e,f,h,l){var m=y3a(g.K(b,FP)),n=c.ZX,p=c.aY,q=Math.min(n+1E3*m.videoLengthSeconds,l);c.ZX=q;c.aY++;c.l9.push(m.videoLengthSeconds);var r,v,x=null==(r=g.K(b,FP))?void 0:null==(v=r.playerOverlay)?void 0:v.instreamSurveyAdRenderer;if("nPpU29QrbiU"===m.adVideoId&&null==x)throw new TypeError("Survey slate media has no survey overlay");return function(z){var B=m.playerVars;2<=z.u&&(B.slot_pos=z.j);B.autoplay="1";var F,G;B=m.videoLengthSeconds;var D=m.playerVars,L=m.Rb,P=m.sS,T=m.instreamAdPlayerOverlayRenderer, +fa=m.adVideoId,V=null==(F=g.K(b,FP))?void 0:F.adLayoutLoggingData;F=null==(G=g.K(b,FP))?void 0:G.sodarExtensionData;G=ND(d.eb.get(),"LAYOUT_TYPE_MEDIA",a);var Q={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};z={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",Rb:L,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new z_(h),new J_(B),new K_(D),new N_(n),new O_(q),new P_(p),new G_({current:null}), +T&&new A_(T),new t_(f),new y_(fa),new u_(z),F&&new M_(F),x&&new H1a(x),new Q_({}),new a0(P)].filter(B3a)),Ac:e(Q),adLayoutLoggingData:V};B=v3a(g.K(b,FP),f,h,z.layoutId,d);return{G2:z,n9:B}}}; +y3a=function(a){if(!a)throw new TypeError("Expected instream video ad renderer");if(!a.playerVars)throw new TypeError("Expected player vars in url encoded string");var b=qy(a.playerVars),c=Number(b.length_seconds);if(isNaN(c))throw new TypeError("Expected valid length seconds in player vars");var d=Number(a.trimmedMaxNonSkippableAdDurationMs);c=isNaN(d)?c:Math.min(c,d/1E3);d=a.playerOverlay||{};d=void 0===d.instreamAdPlayerOverlayRenderer?null:d.instreamAdPlayerOverlayRenderer;var e=b.video_id;e|| +(e=(e=a.externalVideoId)?e:void 0);if(!e)throw new TypeError("Expected valid video id in IVAR");return{playerVars:b,videoLengthSeconds:c,instreamAdPlayerOverlayRenderer:d,adVideoId:e,Rb:a.pings?oN(a.pings):new Map,sS:nN(a.pings)}}; +z3a=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; +x3a=function(a){var b=a.adTimeOffset||{};a=b.offsetEndMilliseconds;b=Number(b.offsetStartMilliseconds);if(isNaN(b))throw new TypeError("Expected valid start offset");a=Number(a);if(isNaN(a))throw new TypeError("Expected valid end offset");return{sT:b,vT:a}}; +I3a=function(a,b,c,d,e,f,h){var l=c.pings;return l?[H3a(a,f,e,function(m){var n=m.slotId;m=h(m);var p=c.adLayoutLoggingData;n=ND(b.eb.get(),"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",n);var q={layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",bb:"core"};return{layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",Rb:oN(l),layoutExitNormalTriggers:[new z0(b.j,f)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)]), +Ac:m(q),adLayoutLoggingData:p}})]:new N("VideoAdTrackingRenderer without VideoAdTracking pings filled.",{videoAdTrackingRenderer:c})}; +K3a=function(a,b,c,d,e,f,h,l){a=J3a(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=ND(b.eb.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},q=new Map,r=e.impressionUrls;r&&q.set("impression",r);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",Rb:q,layoutExitNormalTriggers:[new G0(b.j,n)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new E1a(e),new t_(c)]),Ac:m(p)}}); +return a instanceof N?a:[a]}; +P3a=function(a,b,c,d,e,f,h,l){a=L3a(a,c,f,h,d,function(m,n){var p=m.slotId;m=l(m);var q=e.contentSupportedRenderer;q?q.textOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.enhancedTextOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.imageOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", +p),n=N3a(b,n,p),n.push(new O3a(b.j,q)),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,m,n)):n=new b0("InvideoOverlayAdRenderer without appropriate sub renderer"):n=new b0("InvideoOverlayAdRenderer without contentSupportedRenderer");return n}); +return a instanceof N?a:[a]}; +S3a=function(a,b,c,d,e,f,h,l,m){var n=Number(d.durationMilliseconds);return isNaN(n)?new N("Expected valid duration for AdActionInterstitialRenderer."):function(p){return Q3a(b,p.slotId,c,n,{impressionCommands:void 0,abandonCommands:d.abandonCommands?[{commandExecutorCommand:d.abandonCommands}]:void 0,completeCommands:d.completionCommands},d.skipPings?new Map([["skip",d.skipPings]]):new Map,h(p),function(q){return R3a(a,q,e,function(r,v){var x=r.slotId;r=h(r);x=ND(b.eb.get(),"LAYOUT_TYPE_ENDCAP", +x);return n3a(b,x,v,c,r,"LAYOUT_TYPE_ENDCAP",[new C_(d),l],d.adLayoutLoggingData)})},m,f-1,d.adLayoutLoggingData,f)}}; +T3a=function(a,b,c,d){if(!c.playerVars)return new N("No playerVars available in AdIntroRenderer.");var e=qy(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=ND(a.eb.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{Wj:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new R_({}), +new t_(b),new G_({current:null}),new K_(e)]),Ac:f(l)},Cl:[new F0(a.j,h,["error"])],Bj:[],Yx:[],Xx:[]}}}; +V3a=function(a,b,c,d,e,f,h,l,m,n){n=void 0===n?!1:n;var p=k3a(e);if(!h3a(e,n))return new N("Received invalid InstreamSurveyAdRenderer for VOD composite survey.",{InstreamSurveyAdRenderer:e});if(0>=p)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:e});var q=o3a(a,b,e,f,c,d,h);return q instanceof N?q:function(r){return U3a(b,r.slotId,c,p,l3a(e),h(r),q,l,m)}}; +W3a=function(a){if(isNaN(Number(a.timeoutSeconds))||!a.text||!a.ctaButton||!g.K(a.ctaButton,g.mM)||!a.brandImage)return!1;var b;return a.backgroundImage&&g.K(a.backgroundImage,U0)&&(null==(b=g.K(a.backgroundImage,U0))?0:b.landscape)?!0:!1}; +Y3a=function(a,b,c,d,e,f,h,l){function m(q){return R3a(a,q,d,n)} +function n(q,r){var v=q.slotId;q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",v);return n3a(b,v,r,c,q,"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",[new y1a(e),f],e.adLayoutLoggingData)} +if(!W3a(e))return new N("Received invalid SurveyTextInterstitialRenderer.",{SurveyTextInterstitialRenderer:e});var p=1E3*e.timeoutSeconds;return function(q){var r={impressionCommands:e.impressionCommands,completeCommands:e.timeoutCommands,skipCommands:e.dismissCommands},v=h(q);q=X3a(b,q.slotId,c,p,r,new Map,v,m);r=new E_(q.lH);v=new v_(l);return{Wj:{layoutId:q.layoutId,layoutType:q.layoutType,Rb:q.Rb,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[], +Sc:[],bb:q.bb,Ba:new YZ([].concat(g.u(q.Vx),[r,v])),Ac:q.Ac,adLayoutLoggingData:q.adLayoutLoggingData},Cl:[],Bj:q.layoutExitMuteTriggers,Yx:q.layoutExitUserInputSubmittedTriggers,Xx:q.Sc,Cg:q.Cg}}}; +$3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z){a=MD(a,"SLOT_TYPE_PLAYER_BYTES");d=L2a(b,h,d,e,a,n,p);if(d instanceof N)return d;var B;h=null==(B=ZZ(d.Ba,"metadata_type_fulfilled_layout"))?void 0:B.layoutId;if(!h)return new N("Invalid adNotify layout");b=Z3a(h,b,c,e,f,m,l,n,q,r,v,x,z);return b instanceof N?b:[d].concat(g.u(b))}; +Z3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){c=a4a(b,c,d,f,h,l,m,n,p,q,r);b4a(f)?(d=c4a(b,a),a=MD(b.eb.get(),"SLOT_TYPE_IN_PLAYER"),f=ND(b.eb.get(),"LAYOUT_TYPE_SURVEY",a),l=d4a(b,d,l),b=[].concat(g.u(l.slotExpirationTriggers),[new E0(b.j,f)]),a=c({slotId:l.slotId,slotType:l.slotType,slotPhysicalPosition:l.slotPhysicalPosition,slotEntryTrigger:l.slotEntryTrigger,slotFulfillmentTriggers:l.slotFulfillmentTriggers,slotExpirationTriggers:b,bb:l.bb},{slotId:a,layoutId:f}),e=a instanceof N?a:{Tv:Object.assign({}, +l,{slotExpirationTriggers:b,Ba:new YZ([new T_(a.layout)]),adSlotLoggingData:e}),gg:a.gg}):e=P2a(b,a,l,e,c);return e instanceof N?e:[].concat(g.u(e.gg),[e.Tv])}; +g4a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){b=a4a(a,b,c,e,f,h,m,n,p,q,r);b4a(e)?(e=e4a(a,c,h,l),e instanceof N?d=e:(l=MD(a.eb.get(),"SLOT_TYPE_IN_PLAYER"),m=ND(a.eb.get(),"LAYOUT_TYPE_SURVEY",l),h=[].concat(g.u(e.slotExpirationTriggers),[new E0(a.j,m)]),l=b({slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,bb:e.bb,slotEntryTrigger:e.slotEntryTrigger,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h},{slotId:l,layoutId:m}),l instanceof N?d=l:(a=f4a(a, +c,l.yT,e.slotEntryTrigger),d=a instanceof N?a:{Tv:{slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,slotEntryTrigger:a,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h,bb:e.bb,Ba:new YZ([new T_(l.layout)]),adSlotLoggingData:d},gg:l.gg}))):d=Q2a(a,c,h,l,d,m.fd,b);return d instanceof N?d:d.gg.concat(d.Tv)}; +b4a=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(g.K(b.value,v0))return!0;return!1}; +a4a=function(a,b,c,d,e,f,h,l,m,n,p){return function(q,r){if(P0(p)&&Q0(p))a:{var v=h4a(d);if(v instanceof N)r=v;else{for(var x=0,z=[],B=[],F=[],G=[],D=[],L=[],P=new H_({current:null}),T=new x_({current:null}),fa=!1,V=[],Q=0,X=[],O=0;O=m)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:c});var n=new H_({current:null}),p=o3a(a,b,c,n,d,f,h);return j4a(a,d,f,m,e,function(q,r){var v=q.slotId,x=l3a(c);q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA_BREAK",v);var z={layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK", +bb:"core"},B=p(v,r);ZZ(B.Ba,"metadata_type_fulfilled_layout")||GD("Could not retrieve overlay layout ID during VodMediaBreakLayout for survey creation. This should never happen.");x=[new t_(d),new X_(m),new Z_(x),n];return{M4:{layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",Rb:new Map,layoutExitNormalTriggers:[new G0(b.j,v)],layoutExitSkipTriggers:[new H0(b.j,r.layoutId)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[new I0(b.j,r.layoutId)],Sc:[],bb:"core",Ba:new YZ(x),Ac:q(z)}, +f4:B}})}; +l4a=function(a){if(!u2a(a))return!1;var b=g.K(a.adVideoStart,EP);return b?g.K(a.linearAd,FP)&&gO(b)?!0:(GD("Invalid Sandwich with notify"),!1):!1}; +m4a=function(a){if(null==a.linearAds)return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +n4a=function(a){if(!t2a(a))return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +W0=function(a,b,c,d,e,f,h,l){this.eb=a;this.Ib=b;this.Ab=c;this.Ca=d;this.Jb=e;this.j=f;this.Dj=h;this.loadPolicy=void 0===l?1:l}; +jra=function(a,b,c,d,e,f,h,l,m){var n=[];if(0===b.length&&0===d.length)return n;b=b.filter(j2a);var p=c.filter(s2a),q=d.filter(j2a),r=new Map,v=X2a(b);if(c=c.some(function(O){var la;return"SLOT_TYPE_PLAYER_BYTES"===(null==O?void 0:null==(la=O.adSlotMetadata)?void 0:la.slotType)}))p=Z2a(p,b,l,e,v,a.Jb.get(),a.loadPolicy,r,a.Ca.get(),a.eb.get()),p instanceof N?GD(p,void 0,void 0,{contentCpn:e}):n.push.apply(n,g.u(p)); +p=g.t(b);for(var x=p.next();!x.done;x=p.next()){x=x.value;var z=o4a(a,r,x,e,f,h,c,l,v,m);z instanceof N?GD(z,void 0,void 0,{renderer:x.renderer,config:x.config.adPlacementConfig,kind:x.config.adPlacementConfig.kind,contentCpn:e,daiEnabled:h}):n.push.apply(n,g.u(z))}p4a(a.Ca.get())||(f=q4a(a,q,e,l,v,r),n.push.apply(n,g.u(f)));if(null===a.j||h&&!l.iT){var B,F,G;a=l.fd&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null==(B=b[0].config)?void 0:null==(F=B.adPlacementConfig)?void 0:F.kind)&& +(null==(G=b[0].renderer)?void 0:G.adBreakServiceRenderer);if(!n.length&&!a){var D,L,P,T;GD("Expected slots parsed from AdPlacementRenderers for DAI",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,"first APR kind":null==(D=b[0])?void 0:null==(L=D.config)?void 0:null==(P=L.adPlacementConfig)?void 0:P.kind,renderer:null==(T=b[0])?void 0:T.renderer})}return n}B=d.filter(j2a);n.push.apply(n,g.u(H2a(r,B,a.Ib.get(),a.j,e,c)));if(!n.length){var fa,V,Q,X;GD("Expected slots parsed from AdPlacementRenderers", +void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,daiEnabled:h.toString(),"first APR kind":null==(fa=b[0])?void 0:null==(V=fa.config)?void 0:null==(Q=V.adPlacementConfig)?void 0:Q.kind,renderer:null==(X=b[0])?void 0:X.renderer})}return n}; +q4a=function(a,b,c,d,e,f){function h(r){return c_(a.Jb.get(),r)} +var l=[];b=g.t(b);for(var m=b.next();!m.done;m=b.next()){m=m.value;var n=m.renderer,p=n.sandwichedLinearAdRenderer,q=n.linearAdSequenceRenderer;p&&l4a(p)?(GD("Found AdNotify with SandwichedLinearAdRenderer"),q=g.K(p.adVideoStart,EP),p=g.K(p.linearAd,FP),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,q=M2a(null==(n=q)?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,p,c,d,h,e,a.loadPolicy,a.Ca.get(),a.Jb.get()),q instanceof N?GD(q):l.push.apply(l,g.u(q))): +q&&(!q.adLayoutMetadata&&m4a(q)||q.adLayoutMetadata&&n4a(q))&&(GD("Found AdNotify with LinearAdSequenceRenderer"),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,p=Z3a(null==(n=g.K(q.adStart,EP))?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,q.linearAds,t0(q.adLayoutMetadata)?q.adLayoutMetadata:void 0,c,d,h,e,a.loadPolicy,a.Ca.get()),p instanceof N?GD(p):l.push.apply(l,g.u(p)))}return l}; +o4a=function(a,b,c,d,e,f,h,l,m,n){function p(B){return c_(a.Jb.get(),B)} +var q=c.renderer,r=c.config.adPlacementConfig,v=r.kind,x=c.adSlotLoggingData,z=l.iT&&"AD_PLACEMENT_KIND_START"===v;z=f&&!z;if(null!=q.adsEngagementPanelRenderer)return L0(b,c.elementId,v,q.adsEngagementPanelRenderer.isContentVideoEngagementPanel,q.adsEngagementPanelRenderer.adVideoId,q.adsEngagementPanelRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.adsEngagementPanelRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON", +new r1a(P),F,G,P.impressionPings,T,q.adsEngagementPanelRenderer.adLayoutLoggingData,D)}),[]; +if(null!=q.actionCompanionAdRenderer){if(q.actionCompanionAdRenderer.showWithoutLinkedMediaLayout)return D2a(a.Ib.get(),a.j,a.Ab.get(),q.actionCompanionAdRenderer,r,x,d,p);L0(b,c.elementId,v,q.actionCompanionAdRenderer.isContentVideoCompanion,q.actionCompanionAdRenderer.adVideoId,q.actionCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.actionCompanionAdRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new o_(P), +F,G,P.impressionPings,T,q.actionCompanionAdRenderer.adLayoutLoggingData,D)})}else if(q.imageCompanionAdRenderer)L0(b,c.elementId,v,q.imageCompanionAdRenderer.isContentVideoCompanion,q.imageCompanionAdRenderer.adVideoId,q.imageCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.imageCompanionAdRenderer,T=c_(a.Jb.get(),B); +return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new t1a(P),F,G,P.impressionPings,T,q.imageCompanionAdRenderer.adLayoutLoggingData,D)}); +else if(q.shoppingCompanionCarouselRenderer)L0(b,c.elementId,v,q.shoppingCompanionCarouselRenderer.isContentVideoCompanion,q.shoppingCompanionCarouselRenderer.adVideoId,q.shoppingCompanionCarouselRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.shoppingCompanionCarouselRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new u1a(P),F,G,P.impressionPings,T,q.shoppingCompanionCarouselRenderer.adLayoutLoggingData,D)}); +else if(q.adBreakServiceRenderer){if(!z2a(c))return[];if("AD_PLACEMENT_KIND_PAUSE"===v)return y2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d);if("AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"!==v)return w2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d,e,f);if(!a.Dj)return new N("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");l.fd||GD("Received non-live cue point triggered AdBreakServiceRenderer",void 0,void 0,{kind:v,adPlacementConfig:r, +daiEnabledForContentVideo:String(f),isServedFromLiveInfra:String(l.fd),clientPlaybackNonce:l.clientPlaybackNonce});r4a(a.Dj,{adPlacementRenderer:c,contentCpn:d,bT:e})}else{if(q.clientForecastingAdRenderer)return K3a(a.Ib.get(),a.Ab.get(),r,x,q.clientForecastingAdRenderer,d,e,p);if(q.invideoOverlayAdRenderer)return P3a(a.Ib.get(),a.Ab.get(),r,x,q.invideoOverlayAdRenderer,d,e,p);if((q.linearAdSequenceRenderer||q.instreamVideoAdRenderer)&&z)return E3a(a.Ib.get(),a.Ab.get(),c,d,p,n);if(q.linearAdSequenceRenderer&& +!z){if(h&&!b4a(q.linearAdSequenceRenderer.linearAds))return[];K0(b,q,v);if(q.linearAdSequenceRenderer.adLayoutMetadata){if(!t2a(q.linearAdSequenceRenderer))return new N("Received invalid LinearAdSequenceRenderer.")}else if(null==q.linearAdSequenceRenderer.linearAds)return new N("Received invalid LinearAdSequenceRenderer.");if(g.K(q.linearAdSequenceRenderer.adStart,EP)){GD("Found AdNotify in LinearAdSequenceRenderer");b=g.K(q.linearAdSequenceRenderer.adStart,EP);if(!WBa(b))return new N("Invalid AdMessageRenderer."); +c=q.linearAdSequenceRenderer.linearAds;return $3a(a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),r,x,b,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,c,d,e,l,p,m,a.loadPolicy,a.Ca.get())}return g4a(a.Ib.get(),a.Ab.get(),r,x,q.linearAdSequenceRenderer.linearAds,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get())}if(!q.remoteSlotsRenderer||f)if(!q.instreamVideoAdRenderer|| +z||h){if(q.instreamSurveyAdRenderer)return k4a(a.Ib.get(),a.Ab.get(),q.instreamSurveyAdRenderer,r,x,d,p,V0(a.Ca.get(),"supports_multi_step_on_desktop"));if(null!=q.sandwichedLinearAdRenderer)return u2a(q.sandwichedLinearAdRenderer)?g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP)?(GD("Found AdNotify in SandwichedLinearAdRenderer"),b=g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP),WBa(b)?(c=g.K(q.sandwichedLinearAdRenderer.linearAd,FP))?N2a(b,c,r,a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),x,d, +e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Missing IVAR from Sandwich"):new N("Invalid AdMessageRenderer.")):g4a(a.Ib.get(),a.Ab.get(),r,x,[q.sandwichedLinearAdRenderer.adVideoStart,q.sandwichedLinearAdRenderer.linearAd],void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Received invalid SandwichedLinearAdRenderer.");if(null!=q.videoAdTrackingRenderer)return I3a(a.Ib.get(),a.Ab.get(),q.videoAdTrackingRenderer,r,x,d,p)}else return K0(b,q,v),R2a(a.Ib.get(),a.Ab.get(),r,x,q.instreamVideoAdRenderer,d,e,l, +p,m,a.loadPolicy,a.Ca.get(),a.Jb.get())}return[]}; +Y0=function(a){g.C.call(this);this.j=a}; +zC=function(a,b,c,d){a.j().lj(b,d);c=c();a=a.j();a.Qb.j("ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.t(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_RECEIVED",c);oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.j;if(g.Tb(c.slotId))throw new N("Slot ID was empty",void 0,"ADS_CLIENT_ERROR_MESSAGE_INVALID_SLOT");if(f0(e,c))throw new N("Duplicate registration for slot.",{slotId:c.slotId,slotEntryTriggerType:c.slotEntryTrigger.triggerType}, +"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");if(!e.rf.Tp.has(c.slotType))throw new N("No fulfillment adapter factory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_FULFILLMENT_ADAPTER_REGISTERED");if(!e.rf.Wq.has(c.slotType))throw new N("No SlotAdapterFactory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_SLOT_ADAPTER_REGISTERED");e2a(e,"TRIGGER_CATEGORY_SLOT_ENTRY",c.slotEntryTrigger?[c.slotEntryTrigger]:[]);e2a(e,"TRIGGER_CATEGORY_SLOT_FULFILLMENT", +c.slotFulfillmentTriggers);e2a(e,"TRIGGER_CATEGORY_SLOT_EXPIRATION",c.slotExpirationTriggers);var f=d.j,h=c.slotType+"_"+c.slotPhysicalPosition,l=m0(f,h);if(f0(f,c))throw new N("Duplicate slots not supported",void 0,"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");l.set(c.slotId,new $1a(c));f.j.set(h,l)}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR", +c),GD(V,c));break a}f0(d.j,c).I=!0;try{var m=d.j,n=f0(m,c),p=c.slotEntryTrigger,q=m.rf.al.get(p.triggerType);q&&(q.Zl("TRIGGER_CATEGORY_SLOT_ENTRY",p,c,null),n.ya.set(p.triggerId,q));for(var r=g.t(c.slotFulfillmentTriggers),v=r.next();!v.done;v=r.next()){var x=v.value,z=m.rf.al.get(x.triggerType);z&&(z.Zl("TRIGGER_CATEGORY_SLOT_FULFILLMENT",x,c,null),n.Z.set(x.triggerId,z))}for(var B=g.t(c.slotExpirationTriggers),F=B.next();!F.done;F=B.next()){var G=F.value,D=m.rf.al.get(G.triggerType);D&&(D.Zl("TRIGGER_CATEGORY_SLOT_EXPIRATION", +G,c,null),n.ea.set(G.triggerId,D))}var L=m.rf.Tp.get(c.slotType).get().wf(m.B,c);n.J=L;var P=m.rf.Wq.get(c.slotType).get().wf(m.D,c);P.init();n.u=P}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR",c),GD(V,c));d0(d,c,!0);break a}oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.j.Ii(c);for(var T=g.t(d.Fd),fa=T.next();!fa.done;fa= +T.next())fa.value.Ii(c);L1a(d,c)}}; +Z0=function(a,b,c,d){this.er=b;this.j=c;this.visible=d;this.triggerType="TRIGGER_TYPE_MEDIA_TIME_RANGE";this.triggerId=a(this.triggerType)}; +$0=function(a,b,c,d){g.C.call(this);var e=this;this.ac=a;this.Ib=b;this.wc=c;this.j=new Map;d.get().addListener(this);g.bb(this,function(){d.isDisposed()||d.get().removeListener(e)})}; +hra=function(a,b){var c=0x8000000000000;for(var d=0,e=g.t(b.slotFulfillmentTriggers),f=e.next();!f.done;f=e.next())f=f.value,f instanceof Z0?(c=Math.min(c,f.j.start),d=Math.max(d,f.j.end)):GD("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new iq(c,d);d="throttledadcuerange:"+b.slotId;a.j.set(d,b);a.wc.get().addCueRange(d,c.start,c.end,!1,a)}; +a1=function(){g.C.apply(this,arguments);this.Jj=!0;this.Vk=new Map;this.j=new Map}; +s4a=function(a,b){a=g.t(a.Vk.values());for(var c=a.next();!c.done;c=a.next())if(c.value.layoutId===b)return!0;return!1}; +t4a=function(a,b){a=g.t(a.j.values());for(var c=a.next();!c.done;c=a.next()){c=g.t(c.value);for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.layoutId===b)return d}GD("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.Tb(b)),layoutId:b})}; +A3a=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; +u4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED";this.triggerId=a(this.triggerType)}; +v4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_IN_PLAYER";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED";this.triggerId=a(this.triggerType)}; +w4a=function(a,b){this.opportunityType="OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED";this.associatedSlotId=b;this.triggerType="TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED";this.triggerId=a(this.triggerType)}; +u3a=function(a){this.triggerType="TRIGGER_TYPE_PLAYBACK_MINIMIZED";this.triggerId=a(this.triggerType)}; +x4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +b1=function(a,b){this.layoutId=b;this.triggerType="TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME";this.triggerId=a(this.triggerType)}; +y4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +O3a=function(a,b){this.durationMs=45E3;this.triggeringLayoutId=b;this.triggerType="TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +z4a=function(a){var b=[new D_(a.vp),new A_(a.instreamAdPlayerOverlayRenderer),new C1a(a.xO),new t_(a.adPlacementConfig),new J_(a.videoLengthSeconds),new W_(a.MG)];a.qK&&b.push(new x_(a.qK));return b}; +A4a=function(a,b,c,d,e,f){a=c.inPlayerLayoutId?c.inPlayerLayoutId:ND(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",Rb:new Map,layoutExitNormalTriggers:[new B0(function(l){return OD(f,l)},c.vp)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:b,Ba:d,Ac:e(h),adLayoutLoggingData:c.instreamAdPlayerOverlayRenderer.adLayoutLoggingData}}; +c1=function(a){var b=this;this.eb=a;this.j=function(c){return OD(b.eb.get(),c)}}; +W2a=function(a,b,c,d,e,f){c=new YZ([new B_(c),new t_(d)]);b=ND(a.eb.get(),"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",b);d={layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",Rb:new Map,layoutExitNormalTriggers:[new B0(function(h){return OD(a.eb.get(),h)},e)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:c,Ac:f(d),adLayoutLoggingData:void 0}}; +O0=function(a,b,c,d,e){var f=z4a(d);return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +B4a=function(a,b,c,d,e){var f=z4a(d);f.push(new r_(d.H1));f.push(new s_(d.J1));return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +X0=function(a,b,c,d,e,f,h,l,m,n){b=ND(a.eb.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},q=new Map;h&&q.set("impression",h);h=[new u4a(a.j,e)];n&&h.push(new F0(a.j,n,["normal"]));return{layoutId:b,layoutType:c,Rb:q,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([d,new t_(f),new D_(e)]),Ac:l(p),adLayoutLoggingData:m}}; +N3a=function(a,b,c){var d=[];d.push(new v4a(a.j,c));b&&d.push(b);return d}; +M3a=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,Rb:new Map,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[new E0(a.j,b)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new s1a(d),new t_(e)]),Ac:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; +n3a=function(a,b,c,d,e,f,h,l){var m={layoutId:b,layoutType:f,bb:"core"};return{layoutId:b,layoutType:f,Rb:new Map,layoutExitNormalTriggers:[new B0(a.j,c)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)].concat(g.u(h))),Ac:e(m),adLayoutLoggingData:l}}; +Q3a=function(a,b,c,d,e,f,h,l,m,n,p,q){a=X3a(a,b,c,d,e,f,h,l,p,q);b=a.Vx;c=new E_(a.lH);d=a.layoutExitSkipTriggers;0Math.random())try{g.Is(new g.tr("b/152131571",btoa(b)))}catch(B){}return x["return"](Promise.reject(new uB(y,!0,{backend:"gvi"})))}})})}; -Nza=function(a,b){return We(this,function d(){var e,f,h,l,m,n,p,r,t,w,y,x,B,E;return xa(d,function(G){if(1==G.u)return a.fetchType="gvi",e=a.T(),(l=Vta(a))?(f={format:"RAW",method:"POST",withCredentials:!0,timeout:3E4,tc:l},h=bq(b,{action_display_post:1})):(f={format:"RAW",method:"GET",withCredentials:!0,timeout:3E4},h=b),m={},e.sendVisitorIdHeader&&a.visitorData&&(m["X-Goog-Visitor-Id"]=a.visitorData),(n=g.kB(e.experiments,"debug_dapper_trace_id"))&&(m["X-Google-DapperTraceInfo"]=n),(p=g.kB(e.experiments, -"debug_sherlog_username"))&&(m["X-Youtube-Sherlog-Username"]=p),0n.u&& -3!==n.provider.getVisibilityState()&&bya(n)}m.qoe&&(m=m.qoe,m.za&&0>m.B&&m.provider.W.ce&&iya(m));g.P(l.W.experiments,"html5_background_quality_cap")&&l.Ba&&U_(l);l.W.Ns&&!l.videoData.backgroundable&&l.da&&!l.Ze()&&(l.isBackground()&&l.da.Yu()?(l.Na("bgmobile","suspend"),l.fi(!0)):l.isBackground()||V_(l)&&l.Na("bgmobile","resume"))}; -this.ea();this.Vf=new mF(function(){return l.getCurrentTime()},function(){return l.getPlaybackRate()},function(){return l.getPlayerState()},function(m,n){m!==g.hF("endcr")||g.U(l.playerState,32)||sY(l); -e(m,n,l.playerType)}); -g.D(this,this.Vf);Qza(this,function(){return{}}); -Rza(this);Yva(this.ff);this.visibility.subscribe("visibilitystatechange",this.ff);Sza(this)}; -Qza=function(a,b){!a.Jb||a.Jb.na();a.Jb=new g.f_(new e_(a.videoData,a.W,b,function(){return a.getDuration()},function(){return a.getCurrentTime()},function(){return a.zq()},function(){return a.Yr.getPlayerSize()},function(){return a.getAudioTrack()},function(){return a.getPlaybackRate()},function(){return a.da?a.da.getVideoPlaybackQuality():{}},a.getVisibilityState,function(){a.fu()},function(){a.eb.tick("qoes")},function(){return a.Mi()}))}; -Rza=function(a){!a.Ac||a.Ac.na();a.Ac=new AZ(a.videoData,a.W,a.visibility);a.Ac.subscribe("newelementrequired",function(b){return nY(a,b)}); -a.Ac.subscribe("qoeerror",a.Er,a);a.Ac.subscribe("playbackstalledatstart",function(){return a.V("playbackstalledatstart")}); -a.Ac.subscribe("signatureexpiredreloadrequired",function(){return a.V("signatureexpired")}); -a.Ac.subscribe("releaseloader",function(){X_(a)}); -a.Ac.subscribe("pausevideo",function(){a.pauseVideo()}); -a.Ac.subscribe("clienttemp",a.Na,a);a.Ac.subscribe("highrepfallback",a.UO,a);a.Ac.subscribe("playererror",a.Rd,a);a.Ac.subscribe("removedrmplaybackmanager",function(){Y_(a)}); -a.Ac.subscribe("formatupdaterequested",function(){Z_(a)}); -a.Ac.subscribe("reattachvideosourcerequired",function(){Tza(a)})}; -$_=function(a){var b=a.Jb;b.B&&b.B.send();if(b.qoe){var c=b.qoe;if(c.P){"PL"===c.Pc&&(c.Pc="N");var d=g.rY(c.provider);g.MZ(c,d,"vps",[c.Pc]);c.D||(0<=c.B&&(c.u.user_intent=[c.B.toString()]),c.D=!0);c.reportStats(d)}}if(b.provider.videoData.enableServerStitchedDai)for(c=g.q(b.D.values()),d=c.next();!d.done;d=c.next())vya(d.value);else b.u&&vya(b.u);b.dispose();g.fg(a.Jb)}; -xK=function(a){return a.da&&a.da.ol()?a.da.Pa():null}; -a0=function(a){if(a.videoData.isValid())return!0;a.Rd("api.invalidparam",void 0,"invalidVideodata.1");return!1}; -vT=function(a,b){b=void 0===b?!1:b;a.Kv&&a.ba("html5_match_codecs_for_gapless")&&(a.videoData.Lh=!0,a.videoData.an=!0,a.videoData.Nl=a.Kv.by(),a.videoData.mn=a.Kv.dy());a.Im=b;if(!a0(a)||a.di.started)g.wD(a.W)&&a.videoData.isLivePlayback&&a.di.started&&!a.di.isFinished()&&!a.Im&&a.vx();else{a.di.start();var c=a.Jb;g.rY(c.provider);c.qoe&&hya(c.qoe);a.vx()}}; -Uza=function(a){var b=a.videoData,c=a.Yr.getPlayerSize(),d=a.getVisibilityState(),e=Uta(a.W,a.videoData,c,d,a.isFullscreen());Pza(a.videoData,e,function(f){a.handleError(f)},a.eb,c,d).then(void 0,function(f){a.videoData!==b||b.na()||(f=wB(f),"auth"===f.errorCode&&a.videoData.errorDetail?a.Rd("auth",unescape(a.videoData.errorReason),g.vB(f.details),a.videoData.errorDetail,a.videoData.Ki||void 0):a.handleError(f))})}; -awa=function(a,b){a.te=b;a.Ba&&(a.Ba.ub=new Kwa(b))}; -Wza=function(a){if(!g.U(a.playerState,128))if(a.videoData.Uc(),a.mx=!0,a.ea(),4!==a.playerType&&(a.dh=g.rb(a.videoData.Of)),aJ(a.videoData)){b0(a).then(function(){a.na()||(a.Im&&V_(a),Vza(a,a.videoData),a.di.u=!0,c0(a,"dataloaded"),a.oj.started?d0(a):a.Im&&a.vb(CM(CM(a.playerState,512),1)),aya(a.cg,a.Id))}); -a.Na("loudness",""+a.videoData.Ir.toFixed(3),!0);var b=Pla(a.videoData);b&&a.Na("playerResponseExperiment",b,!0);a.ex()}else c0(a,"dataloaded")}; -b0=function(a){X_(a);a.Id=null;var b=Gya(a.W,a.videoData,a.Ze());a.No=b;a.No.then(function(c){Xza(a,c)},function(c){a.na()||(c=wB(c),a.visibility.isBackground()?(e0(a,"vp_none_avail"),a.No=null,a.di.reset()):(a.di.u=!0,a.Rd(c.errorCode,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",g.vB(c.details))))}); +b5a=function(a,b){a=a.j.get(b);if(!a)return{};a=a.GL();if(!a)return{};b={};return b.YT_ERROR_CODE=a.AI.toString(),b.ERRORCODE=a.mE.toString(),b.ERROR_MSG=a.errorMessage,b}; +c5a=function(a){var b={},c=a.F.getVideoData(1);b.ASR=AN(function(){var d;return null!=(d=null==c?void 0:c.Lw)?d:null}); +b.EI=AN(function(){var d;return null!=(d=null==c?void 0:c.eventId)?d:null}); return b}; -Z_=function(a){a.ea();b0(a).then(function(){return V_(a)}); -g.GM(a.playerState)&&a.playVideo()}; -Xza=function(a,b){if(!a.na()&&!b.videoData.na()&&(a.ea(),a.Id=b,Qya(a.Kb,a.Id),!a.videoData.isLivePlayback||0g.P(a.W.experiments,"hoffle_max_video_duration_secs")||0!==a.videoData.startSeconds||!a.videoData.offlineable||!a.videoData.ra||a.videoData.ra.isOtf||a.videoData.ra.isLive||a.videoData.ra.he||cy(a.videoData.videoId)||(g.Q(a.W.experiments,"hoffle_cfl_lock_format")?(a.Na("dlac","cfl"),a.videoData.rE=!0):(RI(a.videoData,!0),a.videoData.Qq=new rF(a.videoData.videoId,2, -{Ro:!0,ou:!0,videoDuration:a.videoData.lengthSeconds}),a.Na("dlac","w")))}; -h0=function(a){a.ea();a.da&&a.da.Ao();vT(a);a0(a)&&!g.U(a.playerState,128)&&(a.oj.started||(a.oj.start(),a.vb(CM(CM(a.playerState,8),1))),d0(a))}; -d0=function(a){a.na();a.ea();if(a.oj.isFinished())a.ea();else if(a.di.isFinished())if(g.U(a.playerState,128))a.ea();else if(a.dh.length)a.ea();else{if(!a.Vf.started){var b=a.Vf;b.started=!0;b.fk()}if(a.Qj())a.ea();else{a.Ba&&(b=a.Ba.Ja,a.ED=!!b.u&&!!b.B);a.oj.isFinished()||(a.oj.u=!0);!a.videoData.isLivePlayback||0b.startSeconds){var c=b.endSeconds;a.Ji&&(a.removeCueRange(a.Ji),a.Ji=null);a.Ji=new g.eF(1E3*c,0x7ffffffffffff);a.Ji.namespace="endcr";a.addCueRange(a.Ji)}}; -j0=function(a,b,c,d){a.videoData.Oa=c;d&&$za(a,b,d);var e=(d=g.i0(a))?d.Yb():"";d=a.Jb;c=new Mxa(a.videoData,c,b,e);if(d.qoe){d=d.qoe;e=g.rY(d.provider);g.MZ(d,e,"vfs",[c.u.id,c.B,d.kb,c.reason]);d.kb=c.u.id;var f=d.provider.D();if(0m?new DC(0,l,!1,"e"):UD;m=g.P(b.W.experiments,"html5_background_quality_cap");var n=g.P(b.W.experiments,"html5_background_cap_idle_secs");e=!m||"auto"!==Qxa(b)||Bp()/1E31E3*r);p&&(m=m?Math.min(m,n):n)}n=g.P(b.W.experiments,"html5_random_playback_cap");r=/[a-h]$/;n&&r.test(c.videoData.clientPlaybackNonce)&&(m=m?Math.min(m,n):n);(n=g.P(b.W.experiments, -"html5_not_vp9_supported_quality_cap"))&&!oB('video/webm; codecs="vp9"')&&(m=m?Math.min(m,n):n);if(r=n=g.P(b.W.experiments,"html5_hfr_quality_cap"))a:{r=c.La;if(r.Lc())for(r=g.q(r.videoInfos),p=r.next();!p.done;p=r.next())if(32d&&0!==d&&b.u===d)){aAa(HC(b));if(c.ba("html5_exponential_memory_for_sticky")){e=c.W.fd;d=1;var f=void 0===f?!1:f;VC(e,"sticky-lifetime");e.values["sticky-lifetime"]&&e.Mj["sticky-lifetime"]||(e.values["sticky-lifetime"]=0,e.Mj["sticky-lifetime"]=0);f&&.0625b.u;e=a.K.Ub&&!yB();c||d||b||e?(a.dd("reattachOnConstraint",c?"u":d?"drm":e?"codec":"perf"),a.V("reattachrequired")): -KF(a)}}}; -U_=function(a){a.ba("html5_nonblocking_media_capabilities")?l0(a):g0(a)}; -Zza=function(a){a.ba("html5_probe_media_capabilities")&&Nxa(a.videoData.La);Xga(a.videoData.ra,{cpn:a.videoData.clientPlaybackNonce,c:a.W.deviceParams.c,cver:a.W.deviceParams.cver});var b=a.W,c=a.videoData,d=new g.Jw,e=Iw(b,{hasSubfragmentedFmp4:c.hasSubfragmentedFmp4,Ui:c.Ui});d.D=e;d.Us=b.ba("html5_disable_codec_for_playback_on_error");d.Ms=b.ba("html5_max_drift_per_track_secs")||b.ba("html5_rewrite_manifestless_for_sync")||b.ba("html5_check_segnum_discontinuity");d.Fn=b.ba("html5_unify_sqless_flow"); -d.Dc=b.ba("html5_unrewrite_timestamps");d.Zb=b.ba("html5_stop_overlapping_requests");d.ng=g.P(b.experiments,"html5_min_readbehind_secs");d.hB=g.P(b.experiments,"html5_min_readbehind_cap_secs");d.KI=g.P(b.experiments,"html5_max_readbehind_secs");d.GC=g.Q(b.experiments,"html5_trim_future_discontiguous_ranges");d.Is=b.ba("html5_append_init_while_paused");d.Jg=g.P(b.experiments,"html5_max_readahead_bandwidth_cap");d.Ql=g.P(b.experiments,"html5_post_interrupt_readahead");d.R=g.P(b.experiments,"html5_subsegment_readahead_target_buffer_health_secs"); -d.Cc=g.P(b.experiments,"html5_subsegment_readahead_timeout_secs");d.HB=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs");d.kc=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");d.IB=g.P(b.experiments,"html5_subsegment_readahead_min_load_speed");d.En=g.P(b.experiments,"html5_subsegment_readahead_load_speed_check_interval");d.JB=g.P(b.experiments,"html5_subsegment_readahead_seek_latency_fudge");d.wi=b.ba("html5_peak_shave");d.lB=b.ba("html5_peak_shave_always_include_sd"); -d.yB=b.ba("html5_restrict_streaming_xhr_on_sqless_requests");d.yI=g.P(b.experiments,"html5_max_headm_for_streaming_xhr");d.nB=b.ba("html5_pipeline_manifestless_allow_nonstreaming");d.rB=b.ba("html5_prefer_server_bwe3");d.Hn=1024*g.P(b.experiments,"html5_video_tbd_min_kb");d.Rl=b.ba("html5_probe_live_using_range");d.gH=b.ba("html5_last_slice_transition");d.FB=b.ba("html5_store_xhr_headers_readable");d.lu=b.ba("html5_enable_packet_train_response_rate");if(e=g.P(b.experiments,"html5_probe_secondary_during_timeout_miss_count"))d.Sl= -e,d.NB=1;d.Ta=g.P(b.experiments,"html5_probe_primary_delay_base_ms")||d.Ta;d.Lg=b.ba("html5_no_placeholder_rollbacks");d.GB=b.ba("html5_subsegment_readahead_enable_mffa");b.ba("html5_allow_video_keyframe_without_audio")&&(d.ia=!0);d.yn=b.ba("html5_reattach_on_stuck");d.gE=b.ba("html5_webm_init_skipping");d.An=g.P(b.experiments,"html5_request_size_padding_secs")||d.An;d.Gu=b.ba("html5_log_timestamp_offset");d.Qc=b.ba("html5_abs_buffer_health");d.bH=b.ba("html5_interruption_resets_seeked_time");d.Ig= -g.P(b.experiments,"html5_max_live_dvr_window_plus_margin_secs")||d.Ig;d.ke=b.ba("html5_explicitly_dispose_xhr");d.EB=b.ba("html5_skip_invalid_sq");d.xB=b.ba("html5_restart_on_unexpected_detach");d.aI=b.ba("html5_log_live_discontinuity");d.zB=b.ba("html5_rewrite_manifestless_for_continuity");d.sf=g.P(b.experiments,"html5_manifestless_seg_drift_limit_secs");d.Hg=g.P(b.experiments,"html5_max_drift_per_track_secs");d.BB=b.ba("html5_rewrite_manifestless_for_sync");d.Nb=g.P(b.experiments,"html5_static_abr_resolution_shelf"); -d.Ls=!b.ba("html5_encourage_array_coalescing");d.Ps=b.ba("html5_crypto_period_secs_from_emsg");d.ut=b.ba("html5_disable_reset_on_append_error");d.qv=b.ba("html5_filter_non_efficient_formats_for_safari");d.iB=b.ba("html5_format_hybridization");d.Gp=b.ba("html5_abort_before_separate_init");b.ba("html5_media_common_config_killswitch")||(d.F=c.maxReadAheadMediaTimeMs/1E3||d.F,e=b.schedule,e.u.u()===e.policy.C?d.P=10:d.P=c.minReadAheadMediaTimeMs/1E3||d.P,d.ce=c.readAheadGrowthRateMs/1E3||d.ce);wg&&(d.X= -41943040);d.ma=!FB();g.wD(b)||!FB()?(e=b.experiments,d.I=8388608,d.K=524288,d.Ks=5,d.Ob=2097152,d.Y=1048576,d.vB=1.5,d.kB=!1,d.zb=4587520,ir()&&(d.zb=786432),d.u*=1.1,d.B*=1.1,d.kb=!0,d.X=d.I,d.Ub=d.K,d.xi=g.Q(e,"persist_disable_player_preload_on_tv")||g.Q(e,"persist_disable_player_preload_on_tv_for_living_room")||!1):b.u&&(d.u*=1.3,d.B*=1.3);g.pB&&dr("crkey")&&(e="CHROMECAST/ANCHOVY"===b.deviceParams.cmodel,d.I=20971520,d.K=1572864,e&&(d.zb=812500,d.zn=1E3,d.fE=5,d.Y=2097152));!b.ba("html5_disable_firefox_init_skipping")&& -g.vC&&(d.kb=!0);b.supportsGaplessAudio()||(d.Mt=!1);fD&&(d.zl=!0);mr()&&(d.Cn=!0);var f,h,l;if(LI(c)){d.tv=!0;d.DB=!0;if("ULTRALOW"===c.latencyClass||"LOW"===c.latencyClass&&!b.ba("html5_disable_low_pipeline"))d.sI=2,d.AI=4;d.Fj=c.defraggedFromSubfragments;c.cd&&(d.Ya=!0);g.eJ(c)&&(d.ha=!1);d.Ns=g.JD(b)}c.isAd()&&(d.Ja=0,d.Ne=0);NI(c)&&(d.fa=!0,b.ba("html5_resume_streaming_requests")&&(d.ub=!0,d.zn=400,d.vI=2));d.za=b.ba("html5_enable_subsegment_readahead_v3")||b.ba("html5_ultra_low_latency_subsegment_readahead")&& -"ULTRALOW"===c.latencyClass;d.Aa=c.nk;d.sH=d.Aa&&(/^rq[a-f]/.test(c.clientPlaybackNonce)||CI(c));sr()&&/(K\d{3}|KS\d{3}|KU\d{3})/.test(b.deviceParams.cmodel)&&!b.ba("html5_disable_move_pssh_to_moov")&&(null===(f=c.ra)||void 0===f?0:KB(f))&&(d.kb=!1);if(null===(h=c.ra)||void 0===h?0:KB(h))d.yn=!1;h=0;b.ba("html5_live_use_alternate_bandwidth_window_sizes")&&(h=b.schedule.policy.u,c.isLivePlayback&&(h=g.P(b.experiments,"ULTRALOW"===c.latencyClass?"html5_live_ultra_low_latency_bandwidth_window":c.isLowLatencyLiveStream? -"html5_live_low_latency_bandwidth_window":"html5_live_normal_latency_bandwidth_window")||h));f=b.schedule;f.P.u=LI(c)?.5:0;if(!f.policy.B&&h&&(f=f.u,h=Math.round(h*f.resolution),h!==f.B)){e=Array(h);var m=Math.min(h,f.D?f.B:f.valueIndex),n=f.valueIndex-m;0>n&&(n+=f.B);for(var p=0;pa.videoData.endSeconds&&isFinite(b)&&(a.removeCueRange(a.Ji),a.Ji=null);ba.mediaSource.getDuration()&&a.mediaSource.gi(c)):a.mediaSource.gi(d);var e=a.Ba,f=a.mediaSource;e.ha&&(yF(e),e.ha=!1);xF(e);if(!CB(f)){var h=e.B.u.info.mimeType+e.u.tu,l=e.D.u.info.mimeType,m,n,p=null===(m=f.mediaSource)||void 0=== -m?void 0:m.addSourceBuffer(l),r="fakesb"===h?void 0:null===(n=f.mediaSource)||void 0===n?void 0:n.addSourceBuffer(h);f.de&&(f.de.webkitSourceAddId("0",l),f.de.webkitSourceAddId("1",h));var t=new xB(p,f.de,"0",bx(l),!1),w=new xB(r,f.de,"1",bx(h),!0);f.u=t;f.B=w;g.D(f,t);g.D(f,w)}iA(e.B,f.B);iA(e.D,f.u);e.C=f;e.resume();vt(f.u,e.kb,e);vt(f.B,e.kb,e);e.u.Gu&&1E-4>=Math.random()&&e.dd("toff",""+f.u.supports(1),!0);e.Uh();a.V("mediasourceattached");a.CA.stop()}}catch(y){g.Is(y),a.handleError(new uB("fmt.unplayable", -!0,{msi:"1",ename:y.name}))}})}; -fAa=function(a){a.Ba?Cm(a.Ba.seek(a.getCurrentTime()-a.yc()),function(){}):Zza(a)}; -nY=function(a,b){b=void 0===b?!1:b;return We(a,function d(){var e=this;return xa(d,function(f){if(1==f.u)return e.Ba&&e.Ba.na()&&X_(e),e.V("newelementrequired"),b?f=sa(f,b0(e),2):(f.u=2,f=void 0),f;g.U(e.playerState,8)&&e.playVideo();f.u=0})})}; -Vva=function(a,b){a.Na("newelem",b);nY(a)}; -n0=function(a){g.U(a.playerState,32)||(a.vb(CM(a.playerState,32)),g.U(a.playerState,8)&&a.pauseVideo(!0),a.V("beginseeking",a));a.sc()}; -BY=function(a){g.U(a.playerState,32)?(a.vb(EM(a.playerState,16,32)),a.V("endseeking",a)):g.U(a.playerState,2)||a.vb(CM(a.playerState,16))}; -c0=function(a,b){a.V("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; -gAa=function(a){g.Cb("loadstart loadeddata loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" "),function(b){this.xp.N(this.da,b,this.Jz,this)},a); -a.W.Cn&&a.da.ol()&&(a.xp.N(a.da,"webkitplaybacktargetavailabilitychanged",a.eO,a),a.xp.N(a.da,"webkitcurrentplaybacktargetiswirelesschanged",a.fO,a))}; -iAa=function(a){a.ba("html5_enable_timeupdate_timeout")&&!a.videoData.isLivePlayback&&hAa(a)&&a.nw.start()}; -hAa=function(a){if(!a.da)return!1;var b=a.da.getCurrentTime();a=a.da.getDuration();return!!(1a-.3)}; -jAa=function(a){window.clearInterval(a.Gv);q0(a)||(a.Gv=Ho(function(){return q0(a)},100))}; -q0=function(a){var b=a.da;b&&a.qr&&!a.videoData.Rg&&!WE("vfp",a.eb.timerName)&&2<=b.yg()&&!b.Yi()&&0b.u&&(b.u=c,b.delay.start());b.B=c;b.D=c}a.fx.Sb();a.V("playbackstarted");g.up()&&((a=g.Ja("yt.scheduler.instance.clearPriorityThreshold"))?a():wp(0))}; -Zsa=function(a){var b=a.getCurrentTime(),c=a.videoData;!WE("pbs",a.eb.timerName)&&XE.measure&&XE.getEntriesByName&&(XE.getEntriesByName("mark_nr")[0]?YE("mark_nr"):YE());c.videoId&&a.eb.info("docid",c.videoId);c.eventId&&a.eb.info("ei",c.eventId);c.clientPlaybackNonce&&a.eb.info("cpn",c.clientPlaybackNonce);0a.jE+6283){if(!(!a.isAtLiveHead()||a.videoData.ra&&WB(a.videoData.ra))){var b=a.Jb;if(b.qoe){b=b.qoe;var c=b.provider.zq(),d=g.rY(b.provider);gya(b,d,c);c=c.F;isNaN(c)||g.MZ(b,d,"e2el",[c.toFixed(3)])}}g.JD(a.W)&&a.Na("rawlat","l."+SY(a.iw,"rawlivelatency").toFixed(3));a.jE=g.A()}a.videoData.Oa&&ix(a.videoData.Oa)&&(b=xK(a))&&b.videoHeight!==a.Xy&&(a.Xy=b.videoHeight,j0(a,"a",cAa(a,a.videoData.fh)))}; -cAa=function(a,b){if("auto"===b.Oa.Ma().quality&&ix(b.Te())&&a.videoData.lk)for(var c=g.q(a.videoData.lk),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.Xy&&"auto"!==d.Oa.Ma().quality)return d.Te();return b.Te()}; -T_=function(a){if(!a.videoData.isLivePlayback||!a.videoData.ra||!a.Ba)return NaN;var b=LI(a.videoData)?a.Ba.Ya.u()||0:a.videoData.ra.R;return g.A()/1E3-a.Ue()-b}; -lAa=function(a){!a.ba("html5_ignore_airplay_events_on_new_video_killswitch")&&a.da&&a.da.Ze()&&(a.wu=(0,g.N)());a.W.tu?g.Go(function(){r0(a)},0):r0(a)}; -r0=function(a){a.da&&(a.yr=a.da.playVideo());if(a.yr){var b=a.yr;b.then(void 0,function(c){a.ea();if(!g.U(a.playerState,4)&&!g.U(a.playerState,256)&&a.yr===b)if(c&&"AbortError"===c.name&&c.message&&c.message.includes("load"))a.ea();else{var d="promise";c&&c.name&&(d+=";m."+c.name);try{a.vb(CM(a.playerState,2048))}catch(e){}e0(a,d);a.YB=!0}})}}; -e0=function(a,b){g.U(a.playerState,128)||(a.vb(EM(a.playerState,1028,9)),a.Na("dompaused",b),a.V("onDompaused"))}; -V_=function(a){if(!a.da||!a.videoData.La)return!1;var b,c,d=null;(null===(c=a.videoData.La)||void 0===c?0:c.Lc())?(d=p0(a),null===(b=a.Ba)||void 0===b?void 0:b.resume()):(X_(a),a.videoData.fh&&(d=a.videoData.fh.Yq()));b=d;d=a.da.Yu();c=!1;d&&null!==b&&b.u===d.u||(a.eb.tick("vta"),ZE("vta","video_to_ad"),0=c&&b<=d}; -xAa=function(a,b){var c=a.u.getAvailablePlaybackRates();b=Number(b.toFixed(2));var d=c[0];c=c[c.length-1];b<=d||(b>=c?d=c:(d=Math.floor(100*b+.001)%5,d=0===d?b:Math.floor(100*(b-.01*d)+.001)/100));return d}; -R0=function(a,b,c){if(a.cd(c)){c=c.getVideoData();if(a.I)c=b;else{a=a.te;for(var d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Hc===e.Hc){b+=e.pc/1E3;break}d=b;a=g.q(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Hc===e.Hc)break;var f=e.pc/1E3;if(f=.25*d||c)&&a.md("first_quartile"),(b>=.5*d||c)&&a.md("midpoint"),(b>=.75*d||c)&&a.md("third_quartile"),a=a.s8,b*=1E3,c=a.D())){for(;a.C=v?new iq(1E3*q,1E3*r):new iq(1E3*Math.floor(d+Math.random()*Math.min(v,p)),1E3*r)}p=m}else p={Cn:Tsa(c),zD:!1},r=c.startSecs+c.Sg,c.startSecs<=d?m=new iq(1E3*(c.startSecs-4),1E3*r):(q=Math.max(0,c.startSecs-d-10),m=new iq(1E3*Math.floor(d+ +Math.random()*(m?0===d?0:Math.min(q,5):q)),1E3*r)),p.Rp=m;e=v2a(e,f,h,p,l,[new D1a(c)]);n.get().Sh("daism","ct."+Date.now()+";cmt."+d+";smw."+(p.Rp.start/1E3-d)+";tw."+(c.startSecs-d)+";cid."+c.identifier.replaceAll(":","_")+";sid."+e.slotId);return[e]})}; +f2=function(a,b,c,d,e,f,h,l,m){g.C.call(this);this.j=a;this.B=b;this.u=c;this.ac=d;this.Ib=e;this.Ab=f;this.Jb=h;this.Ca=l;this.Va=m;this.Jj=!0}; +e6a=function(a,b,c){return V2a(a.Ib.get(),b.contentCpn,b.vp,function(d){return W2a(a.Ab.get(),d.slotId,c,b.adPlacementConfig,b.vp,c_(a.Jb.get(),d))})}; +g2=function(a){var b,c=null==(b=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:b.current;if(!c)return null;b=ZZ(a.Ba,"metadata_type_ad_pod_skip_target_callback_ref");var d=a.layoutId,e=ZZ(a.Ba,"metadata_type_content_cpn"),f=ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),h=ZZ(a.Ba,"metadata_type_player_underlay_renderer"),l=ZZ(a.Ba,"metadata_type_ad_placement_config"),m=ZZ(a.Ba,"metadata_type_video_length_seconds");var n=AC(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds")? +ZZ(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"):AC(a.Ba,"metadata_type_layout_enter_ms")&&AC(a.Ba,"metadata_type_layout_exit_ms")?(ZZ(a.Ba,"metadata_type_layout_exit_ms")-ZZ(a.Ba,"metadata_type_layout_enter_ms"))/1E3:void 0;return{vp:d,contentCpn:e,xO:c,qK:b,instreamAdPlayerOverlayRenderer:f,instreamAdPlayerUnderlayRenderer:h,adPlacementConfig:l,videoLengthSeconds:m,MG:n,inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id")}}; +g6a=function(a,b){return f6a(a,b)}; +h6a=function(a,b){b=f6a(a,b);if(!b)return null;var c;b.MG=null==(c=ZZ(a.Ba,"metadata_type_ad_pod_info"))?void 0:c.adBreakRemainingLengthSeconds;return b}; +f6a=function(a,b){var c,d=null==(c=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:c.current;if(!d)return null;AC(a.Ba,"metadata_ad_video_is_listed")?c=ZZ(a.Ba,"metadata_ad_video_is_listed"):b?c=b.isListed:(GD("No layout metadata nor AdPlayback specified for ad video isListed"),c=!1);AC(a.Ba,"metadata_type_ad_info_ad_metadata")?b=ZZ(a.Ba,"metadata_type_ad_info_ad_metadata"):b?b={channelId:b.bk,channelThumbnailUrl:b.profilePicture,channelTitle:b.author,videoTitle:b.title}:(GD("No layout metadata nor AdPlayback specified for AdMetaData"), +b={channelId:"",channelThumbnailUrl:"",channelTitle:"",videoTitle:""});return{H1:b,adPlacementConfig:ZZ(a.Ba,"metadata_type_ad_placement_config"),J1:c,contentCpn:ZZ(a.Ba,"metadata_type_content_cpn"),inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id"),instreamAdPlayerOverlayRenderer:ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),instreamAdPlayerUnderlayRenderer:void 0,MG:void 0,xO:d,vp:a.layoutId,videoLengthSeconds:ZZ(a.Ba, +"metadata_type_video_length_seconds")}}; +i6a=function(a,b){this.callback=a;this.slot=b}; +h2=function(){}; +j6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +k6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c;this.u=!1;this.j=0}; +l6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +i2=function(a){this.Ha=a}; +j2=function(a,b,c,d){this.category=a;this.trigger=b;this.slot=c;this.layout=d}; +k2=function(a){g.C.call(this);this.gJ=a;this.Wb=new Map}; +m6a=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof I0&&f.triggeringLayoutId===b&&c.push(e)}c.length?k0(a.gJ(),c):GD("Survey is submitted but no registered triggers can be activated.")}; +l2=function(a,b,c){k2.call(this,a);var d=this;this.Ca=c;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(d)})}; +m2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map;this.D=new Set;this.B=new Set;this.C=new Set;this.I=new Set;this.u=new Set}; +n2=function(a,b){g.C.call(this);var c=this;this.j=a;this.Wb=new Map;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)})}; +n6a=function(a,b,c,d){var e=[];a=g.t(a.values());for(var f=a.next();!f.done;f=a.next())if(f=f.value,f.trigger instanceof z0){var h=f.trigger.j===b;h===c?e.push(f):d&&h&&(GD("Firing OnNewPlaybackAfterContentVideoIdTrigger from presumed cached playback CPN match.",void 0,void 0,{cpn:b}),e.push(f))}return e}; +o6a=function(a){return a instanceof x4a||a instanceof y4a||a instanceof b1}; +o2=function(a,b,c,d){g.C.call(this);var e=this;this.u=a;this.wc=b;this.Ha=c;this.Va=d;this.Jj=!0;this.Wb=new Map;this.j=new Set;c.get().addListener(this);g.bb(this,function(){c.isDisposed()||c.get().removeListener(e)})}; +p6a=function(a,b,c,d,e,f,h,l,m,n){if(a.Va.get().vg(1).clientPlaybackNonce!==m)throw new N("Cannot register CueRange-based trigger for different content CPN",{trigger:c});a.Wb.set(c.triggerId,{Cu:new j2(b,c,d,e),Lu:f});a.wc.get().addCueRange(f,h,l,n,a)}; +q6a=function(a,b){a=g.t(a.Wb.entries());for(var c=a.next();!c.done;c=a.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;if(b===d.Lu)return c}return""}; +p2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +Y1=function(a,b){b=b.layoutId;for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())if(e=e.value,e.trigger instanceof G0){var f;if(f=e.trigger.layoutId===b)f=(f=S1a.get(e.category))?"normal"===f:!1;f&&c.push(e)}c.length&&k0(a.j(),c)}; +q2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +r2=function(a,b,c){g.C.call(this);this.j=a;this.hn=b;this.eb=c;this.hn.get().addListener(this)}; +s2=function(a,b,c,d,e,f){g.C.call(this);this.B=a;this.cf=b;this.Jb=c;this.Va=d;this.eb=e;this.Ca=f;this.j=this.u=null;this.C=!1;this.cf.get().addListener(this)}; +dCa=function(a,b,c,d,e){var f=MD(a.eb.get(),"SLOT_TYPE_PLAYER_BYTES");a.u={slotId:f,slotType:"SLOT_TYPE_PLAYER_BYTES",slotPhysicalPosition:1,slotEntryTrigger:void 0,slotFulfillmentTriggers:[],slotExpirationTriggers:[],bb:"surface",Ba:new YZ([])};a.j={layoutId:b,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"surface",Ba:new YZ(c),Ac:l1a(b_(a.Jb.get()),f,"SLOT_TYPE_PLAYER_BYTES", +1,"surface",void 0,[],[],b,"LAYOUT_TYPE_MEDIA","surface"),adLayoutLoggingData:e};P1a(a.B(),a.u,a.j);d&&(Q1a(a.B(),a.u,a.j),a.C=!0,j0(a.B(),a.u,a.j))}; +t2=function(a){this.fu=a}; +r6a=function(a,b){if(!a)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};a.trackingParams&&pP().eq(a.trackingParams);if(a.adThrottled)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};var c,d=null!=(c=a.adSlots)?c:[];c=a.playerAds;if(!c||!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};c=c.map(function(f){return f.adPlacementRenderer}).filter(function(f){return!(!f||!f.renderer)}); +if(!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};if(0e&&h.jA(p,e-d);return p}; +E6a=function(a,b){var c=ZZ(b.Ba,"metadata_type_sodar_extension_data");if(c)try{m5a(0,c)}catch(d){GD("Unexpected error when loading Sodar",a,b,{error:d})}}; +G6a=function(a,b,c,d,e,f){F6a(a,b,new g.WN(c,new g.KO),d,e,!1,f)}; +F6a=function(a,b,c,d,e,f,h){f=void 0===f?!0:f;R5a(c)&&Z1(e,0,null)&&(!N1(a,"impression")&&h&&h(),a.md("impression"));N1(a,"impression")&&(g.YN(c,4)&&!g.YN(c,2)&&a.lh("pause"),0>XN(c,4)&&!(0>XN(c,2))&&a.lh("resume"),g.YN(c,16)&&.5<=e&&a.lh("seek"),f&&g.YN(c,2)&&H6a(a,c.state,b,d,e))}; +H6a=function(a,b,c,d,e,f){if(N1(a,"impression")){var h=1>=Math.abs(d-e);I6a(a,b,h?d:e,c,d,f);h&&a.md("complete")}}; +I6a=function(a,b,c,d,e,f){M1(a,1E3*c);0>=e||0>=c||(null==b?0:g.S(b,16))||(null==b?0:g.S(b,32))||(Z1(c,.25*e,d)&&(f&&!N1(a,"first_quartile")&&f("first"),a.md("first_quartile")),Z1(c,.5*e,d)&&(f&&!N1(a,"midpoint")&&f("second"),a.md("midpoint")),Z1(c,.75*e,d)&&(f&&!N1(a,"third_quartile")&&f("third"),a.md("third_quartile")))}; +J6a=function(a,b){N1(a,"impression")&&a.lh(b?"fullscreen":"end_fullscreen")}; +K6a=function(a){N1(a,"impression")&&a.lh("clickthrough")}; +L6a=function(a){a.lh("active_view_measurable")}; +M6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_fully_viewable_audible_half_duration")}; +N6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_viewable")}; +O6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_audible")}; +P6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_measurable")}; +Q6a=function(a,b,c,d,e,f,h,l,m,n,p,q){this.callback=a;this.slot=b;this.layout=c;this.qf=d;this.Za=e;this.Ha=f;this.Td=h;this.Mb=l;this.hf=m;this.Ca=n;this.Oa=p;this.Va=q;this.tG=!0;this.Nc=this.Fc=null}; +R6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +S6a=function(a,b){var c,d;a.Oa.get().Sh("ads_imp","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b+";skp."+!!g.K(null==(d=ZZ(a.layout.Ba,"metadata_type_instream_ad_player_overlay_renderer"))?void 0:d.skipOrPreviewRenderer,R0))}; +T6a=function(a){return{enterMs:ZZ(a.Ba,"metadata_type_layout_enter_ms"),exitMs:ZZ(a.Ba,"metadata_type_layout_exit_ms")}}; +U6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){A2.call(this,a,b,c,d,e,h,l,m,n,q);this.Td=f;this.hf=p;this.Mb=r;this.Ca=v;this.Nc=this.Fc=null}; +V6a=function(a,b){var c;a.Oa.get().Sh("ads_imp","acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b)}; +W6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +X6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B,F,G){this.Ue=a;this.u=b;this.Va=c;this.qf=d;this.Ha=e;this.Oa=f;this.Td=h;this.xf=l;this.Mb=m;this.hf=n;this.Pe=p;this.wc=q;this.Mc=r;this.zd=v;this.Xf=x;this.Nb=z;this.dg=B;this.Ca=F;this.j=G}; +B2=function(a){g.C.call(this);this.j=a;this.Wb=new Map}; +C2=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.j===b.layoutId&&c.push(e);c.length&&k0(a.j(),c)}; +D2=function(a,b){g.C.call(this);var c=this;this.C=a;this.u=new Map;this.B=new Map;this.j=null;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)}); +var d;this.j=(null==(d=b.get().Nu)?void 0:d.slotId)||null}; +Y6a=function(a,b){var c=[];a=g.t(a.values());for(var d=a.next();!d.done;d=a.next())d=d.value,d.slot.slotId===b&&c.push(d);return c}; +Z6a=function(a){this.F=a}; +$6a=function(a,b,c,d,e){gN.call(this,"image-companion",a,b,c,d,e)}; +a7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +b7a=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; +c7a=function(a,b,c,d,e){gN.call(this,"shopping-companion",a,b,c,d,e)}; +d7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +e7a=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; +f7a=function(a,b,c,d,e,f){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.Jj=!0;this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +g7a=function(){var a=["metadata_type_action_companion_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON"]}}; +h7a=function(a,b,c,d,e){gN.call(this,"ads-engagement-panel",a,b,c,d,e)}; +i7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +j7a=function(){var a=["metadata_type_ads_engagement_panel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON"]}}; +k7a=function(a,b,c,d,e){this.vc=a;this.Oa=b;this.Ue=c;this.j=d;this.Mb=e}; +l7a=function(a,b,c){gN.call(this,"player-underlay",a,{},b,c);this.interactionLoggingClientData=c}; +E2=function(a,b,c,d){P1.call(this,a,b,c,d)}; +m7a=function(a){this.vc=a}; +n7a=function(a,b,c,d){gN.call(this,"survey-interstitial",a,b,c,d)}; +F2=function(a,b,c,d,e){P1.call(this,c,a,b,d);this.Oa=e;a=ZZ(b.Ba,"metadata_type_ad_placement_config");this.Za=new J1(b.Rb,e,a,b.layoutId)}; +G2=function(a){return Math.round(a.width)+"x"+Math.round(a.height)}; +p7a=function(a,b,c){c=void 0===c?o7a:c;c.widtha.width*a.height*.2)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") to container("+G2(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") covers container("+G2(a)+") center."}}; +q7a=function(a,b){var c=ZZ(a.Ba,"metadata_type_ad_placement_config");return new J1(a.Rb,b,c,a.layoutId)}; +H2=function(a){return ZZ(a.Ba,"metadata_type_invideo_overlay_ad_renderer")}; +r7a=function(a,b,c,d){gN.call(this,"invideo-overlay",a,b,c,d);this.interactionLoggingClientData=d}; +I2=function(a,b,c,d,e,f,h,l,m,n,p,q){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.Ha=l;this.Nb=m;this.Ca=n;this.I=p;this.D=q;this.Za=q7a(b,c)}; +s7a=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; +J2=function(a,b,c,d,e,f,h,l,m,n,p,q,r){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.J=l;this.Ha=m;this.Nb=n;this.Ca=p;this.I=q;this.D=r;this.Za=q7a(b,c)}; +t7a=function(){for(var a=["metadata_type_invideo_overlay_ad_renderer"],b=g.t(K1()),c=b.next();!c.done;c=b.next())a.push(c.value);return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}}; +K2=function(a){this.Ha=a;this.j=!1}; +u7a=function(a,b,c){gN.call(this,"survey",a,{},b,c)}; +v7a=function(a,b,c,d,e,f,h){P1.call(this,c,a,b,d);this.C=e;this.Ha=f;this.Ca=h}; +w7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +L2=function(a){g.C.call(this);this.B=a;this.Jj=!0;this.Wb=new Map;this.j=new Map;this.u=new Map}; +x7a=function(a,b){var c=[];if(b=a.j.get(b.layoutId)){b=g.t(b);for(var d=b.next();!d.done;d=b.next())(d=a.u.get(d.value.triggerId))&&c.push(d)}return c}; +y7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,"SLOT_TYPE_ABOVE_FEED",f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.rS=Y(function(){return new k7a(f.vc,f.Oa,a,f.Pc,f.Mb)}); +g.E(this,this.rS);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.RW=Y(function(){return new x6a(f.Ha,f.Oa,f.Ca)}); +g.E(this,this.RW);this.Um=Y(function(){return new w7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.AY=Y(function(){return new m7a(f.vc)}); +g.E(this,this.AY);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_ABOVE_FEED",this.Qd],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd],["SLOT_TYPE_PLAYER_UNDERLAY",this.Qd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_SURVEY_SUBMITTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb], +["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_SLOT_ID_UNSCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER", +this.Oe],["TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER",this.Oe],["TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME",this.Oe],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE_ALLOW_REACTIVATION_ON_USER_CANCELLED",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED", +this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh],["SLOT_TYPE_PLAYER_UNDERLAY",this.Gd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Gd]]),yq:new Map([["SLOT_TYPE_ABOVE_FEED",this.rS],["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_PLAYBACK_TRACKING",this.RW],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_UNDERLAY",this.AY]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +z7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +A7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new z7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY", +this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED", +this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc, +Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +B7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.NW=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.NW);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.NW],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +C7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES", +this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +N2=function(a,b,c,d,e,f,h,l,m){T1.call(this,a,b,c,d,e,f,h,m);this.Bm=l}; +D7a=function(){var a=I5a();a.Ae.push("metadata_type_ad_info_ad_metadata");return a}; +E7a=function(a,b,c,d,e,f){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f}; +F7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.WY=Y(function(){return new E7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c)}); +g.E(this,this.WY);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING", +this.Mh],["SLOT_TYPE_IN_PLAYER",this.WY],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +G7a=function(a,b,c,d,e,f,h){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f;this.Ca=h}; +H7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj,3)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Xh=new f2(h6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.Um=Y(function(){return new G7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c,f.Ca)}); +g.E(this,this.Um);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd], +["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED", +this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING", +this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_IN_PLAYER",this.Um]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +J7a=function(a,b,c,d){g.C.call(this);var e=this;this.j=I7a(function(){return e.u},a,b,c,d); +g.E(this,this.j);this.u=(new h2a(this.j)).B();g.E(this,this.u)}; +O2=function(a){return a.j.yv}; +I7a=function(a,b,c,d,e){try{var f=b.V();if(g.DK(f))var h=new y7a(a,b,c,d,e);else if(g.GK(f))h=new A7a(a,b,c,d,e);else if("WEB_MUSIC_EMBEDDED_PLAYER"===g.rJ(f))h=new C7a(a,b,c,d,e);else if(uK(f))h=new B7a(a,b,c,d,e);else if(g.nK(f))h=new F7a(a,b,c,d,e);else if(g.mK(f))h=new H7a(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return h=b.V(),GD("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:h.j.cplatform,interface:h.j.c,I7a:h.j.cver,H7a:h.j.ctheme, +G7a:h.j.cplayer,c8a:h.playerStyle}),new l5a(a,b,c,d,e)}}; +K7a=function(a){FQ.call(this,a)}; +L7a=function(a,b,c,d,e){NQ.call(this,a,{G:"div",N:"ytp-ad-timed-pie-countdown-container",W:[{G:"svg",N:"ytp-ad-timed-pie-countdown",X:{viewBox:"0 0 20 20"},W:[{G:"circle",N:"ytp-ad-timed-pie-countdown-background",X:{r:"10",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-inner",X:{r:"5",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-outer",X:{r:"10",cx:"10",cy:"10"}}]}]},"timed-pie-countdown",b,c,d,e);this.B=this.Da("ytp-ad-timed-pie-countdown-inner");this.C=this.Da("ytp-ad-timed-pie-countdown-outer"); +this.u=Math.ceil(10*Math.PI);this.hide()}; +M7a=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-action-interstitial",X:{tabindex:"0"},W:[{G:"div",N:"ytp-ad-action-interstitial-background-container"},{G:"div",N:"ytp-ad-action-interstitial-slot",W:[{G:"div",N:"ytp-ad-action-interstitial-card",W:[{G:"div",N:"ytp-ad-action-interstitial-image-container"},{G:"div",N:"ytp-ad-action-interstitial-headline-container"},{G:"div",N:"ytp-ad-action-interstitial-description-container"},{G:"div",N:"ytp-ad-action-interstitial-action-button-container"}]}]}]}, +"ad-action-interstitial",b,c,d);this.pP=e;this.gI=f;this.navigationEndpoint=this.j=this.skipButton=this.u=this.actionButton=null;this.Ja=this.Da("ytp-ad-action-interstitial-image-container");this.J=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-image");g.E(this,this.J);this.J.Ea(this.Ja);this.Ga=this.Da("ytp-ad-action-interstitial-headline-container");this.D=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-headline"); +g.E(this,this.D);this.D.Ea(this.Ga);this.Aa=this.Da("ytp-ad-action-interstitial-description-container");this.C=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-description");g.E(this,this.C);this.C.Ea(this.Aa);this.Ya=this.Da("ytp-ad-action-interstitial-background-container");this.Z=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-background",!0);g.E(this,this.Z);this.Z.Ea(this.Ya);this.Qa=this.Da("ytp-ad-action-interstitial-action-button-container"); +this.slot=this.Da("ytp-ad-action-interstitial-slot");this.B=new Jz;g.E(this,this.B);this.hide()}; +N7a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +R7a=function(a,b,c,d){eQ.call(this,a,{G:"div",N:"ytp-ad-overlay-slot",W:[{G:"div",N:"ytp-ad-overlay-container"}]},"invideo-overlay",b,c,d);this.J=[];this.fb=this.Aa=this.C=this.Ya=this.Ja=null;this.Qa=!1;this.D=null;this.Z=0;a=this.Da("ytp-ad-overlay-container");this.Ga=new WQ(a,45E3,6E3,.3,.4);g.E(this,this.Ga);this.B=O7a(this);g.E(this,this.B);this.B.Ea(a);this.u=P7a(this);g.E(this,this.u);this.u.Ea(a);this.j=Q7a(this);g.E(this,this.j);this.j.Ea(a);this.hide()}; +O7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-text-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +P7a=function(a){var b=new g.dQ({G:"div",Ia:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-text-image",W:[{G:"img",X:{src:"{{imageUrl}}"}}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], +ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);a.S(b.Da("ytp-ad-overlay-text-image"),"click",a.F7);b.hide();return b}; +Q7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-image-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-image",W:[{G:"img",X:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.S(b.Da("ytp-ad-overlay-image"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +T7a=function(a,b){if(b){var c=g.K(b,S0)||null;if(null==c)g.CD(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else if(b=g.kf("video-ads ytp-ad-module")||null,null==b)g.CD(Error("Could not locate the root ads container element to attach the ad info dialog."));else if(a.Aa=new g.dQ({G:"div",N:"ytp-ad-overlay-ad-info-dialog-container"}),g.E(a,a.Aa),a.Aa.Ea(b),b=new KQ(a.api,a.layoutId,a.interactionLoggingClientData,a.rb,a.Aa.element,!1),g.E(a,b),b.init(fN("ad-info-hover-text-button"), +c,a.macros),a.D){b.Ea(a.D,0);b.subscribe("f",a.h5,a);b.subscribe("e",a.XN,a);a.S(a.D,"click",a.i5);var d=g.kf("ytp-ad-button",b.element);a.S(d,"click",function(){var e;if(g.K(null==(e=g.K(c.button,g.mM))?void 0:e.serviceEndpoint,kFa))a.Qa=2===a.api.getPlayerState(1),a.api.pauseVideo();else a.api.onAdUxClicked("ad-info-hover-text-button",a.layoutId)}); +a.fb=b}else g.CD(Error("Ad info button container within overlay ad was not present."))}else g.DD(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; +V7a=function(a,b){if(U7a(a,Q2)||a.api.zg())return!1;var c=fQ(b.title),d=fQ(b.description);if(g.Tb(c)||g.Tb(d))return!1;a.Zf(a.B.element,b.trackingParams||null);a.B.updateValue("title",fQ(b.title));a.B.updateValue("description",fQ(b.description));a.B.updateValue("displayUrl",fQ(b.displayUrl));b.navigationEndpoint&&g.Cb(a.J,b.navigationEndpoint);a.B.show();a.Ga.start();a.Ua(a.B.element,!0);a.S(a.B.element,"mouseover",function(){a.Z++}); return!0}; -g.N0=function(a,b){b!==a.Y&&(a.ea(),2===b&&1===a.getPresentingPlayerType()&&(z0(a,-1),z0(a,5)),a.Y=b,a.u.V("appstatechange",b))}; -z0=function(a,b){a.ea();if(a.D){var c=a.D.getPlayerType();if(2===c&&!a.cd()){a.Qc!==b&&(a.Qc=b,a.u.xa("onAdStateChange",b));return}if(2===c&&a.cd()||5===c||6===c||7===c)if(-1===b||0===b||5===b)return}a.Nb!==b&&(a.Nb=b,a.u.xa("onStateChange",b))}; -QAa=function(a,b,c,d,e){a.ea();b=a.I?fwa(a.I,b,c,d,e):owa(a.te,b,c,d,e);a.ea();return b}; -RAa=function(a,b,c){if(a.I){a=a.I;for(var d=void 0,e=null,f=g.q(a.B),h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),gwa(a,e,c,d)):wY(a,"Invalid timelinePlaybackId="+b+" specified")}else{a=a.te;d=void 0;e=null;f=g.q(a.u);for(h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),vwa(a,e,c,d)):DY(a,"e.InvalidTimelinePlaybackId timelinePlaybackId="+b)}}; -SAa=function(a,b,c,d){d=void 0===d?Infinity:d;a.ea();c=c||a.D.getPlayerType();var e;g.Q(a.W.experiments,"html5_gapless_preloading")&&(e=P0(a,c,b,!0));e||(e=t0(a,c),e.hi(b,function(){return a.De()})); -pwa(a,e,d)}; -pwa=function(a,b,c,d){d=void 0===d?0:d;var e=g.Z(a);e&&(C0(a,e).iI=!0);Tva(a.Ga,b,c,d).then(function(){a.u.xa("onQueuedVideoLoaded")},function(){})}; -UAa=function(a,b,c,d){var e=V0(c,b.videoId,b.Hc);a.ea();b.an=!0;var f=a.D&&e===V0(a.D.getPlayerType(),a.D.getVideoData().videoId,a.D.getVideoData().Hc)?a.D:t0(a,c);f.hi(b,function(){return a.De()}); -!g.Q(a.W.experiments,"unplugged_tvhtml5_video_preload_no_dryrun")&&1===c&&ID(a.W)||vT(f,!0);a.kb.set(e,f,d||3600);d="prefetch"+b.videoId;SE("prefetch",["pfp"],void 0,d);VE({playerInfo:{playbackType:TAa[c]},videoId:b.videoId},d);a.ea()}; -V0=function(a,b,c){return a+"_"+b+"_"+c}; -P0=function(a,b,c,d){if(!f){var e=V0(b,c.videoId,c.Hc);var f=a.kb.get(e);if(!f)return null;a.kb.remove(e);if(g.U(f.getPlayerState(),128))return f.dispose(),null}if(f===g.Z(a,b))return f;if((f.getVideoData().oauthToken||c.oauthToken)&&f.getVideoData().oauthToken!==c.oauthToken)return null;d||Uva(a,f);return f}; -Uva=function(a,b){var c=b.getPlayerType();b!==g.Z(a,c)&&(1===b.getPlayerType()?(b.getVideoData().autonavState=a.B.getVideoData().autonavState,wt(a.B,a.Dc,a),c=a.B.getPlaybackRate(),a.B.dispose(),a.B=b,a.B.setPlaybackRate(c),vt(b,a.Dc,a),KAa(a)):(c=g.Z(a,c))&&c.dispose(),a.D.getPlayerType()===b.getPlayerType()?aU(a,b):y0(a,b))}; -A0=function(a,b){var c=a.W.yn&&g.Q(a.W.experiments,"html5_block_pip_with_events")||g.Q(a.W.experiments,"html5_block_pip_non_mse")&&"undefined"===typeof MediaSource;if(b&&c&&a.getVideoData()&&!a.getVideoData().backgroundable&&a.da&&(c=a.da.Pa())){pt(c);return}c=a.visibility;c.pictureInPicture!==b&&(c.pictureInPicture=b,c.ff())}; -KY=function(a,b,c,d){a.ea();WE("_start",a.eb.timerName)||(hta(a.eb),a.eb.info("srt",0));var e=P0(a,c||a.D.getPlayerType(),b,!1);e&&PE("pfp",void 0,"prefetch"+b.videoId);if(!e){e=g.Z(a,c);if(!e)return!1;a.kc.stop();a.cancelPlayback(4,c);e.hi(b,function(){return a.De()},d)}e===a.B&&(a.W.sf=b.oauthToken); -if(!a0(e))return!1;a.Zb&&(e.Ac.u=!1,a.Zb=!1);if(e===a.B)return g.N0(a,1),L0(a);h0(e);return!0}; -W0=function(a,b,c){c=g.Z(a,c);b&&c===a.B&&(c.getVideoData().Uj=!0)}; -X0=function(a,b,c){a.ea();var d=g.Z(a,c);d&&(a.cancelPlayback(4,c),d.hi(b,function(){return a.De()}),2===c&&a.B&&a.B.Yo(b.clientPlaybackNonce,b.Xo||"",b.breakType||0),d===a.B&&(g.N0(a,1),IAa(a))); -a.ea()}; -g.FT=function(a,b,c,d,e,f){if(!b&&!d)throw Error("Playback source is invalid");if(jD(a.W)||g.JD(a.W))return c=c||{},c.lact=Bp(),c.vis=a.u.getVisibilityState(),a.u.xa("onPlayVideo",{videoId:b,watchEndpoint:f,sessionData:c,listId:d}),!1;c=a.eb;c.u&&(f=c.u,f.B={},f.u={});c.B=!1;a.eb.reset();b={video_id:b};e&&(b.autoplay="1");e&&(b.autonav="1");d?(b.list=d,a.loadPlaylist(b)):a.loadVideoByPlayerVars(b,1);return!0}; -VAa=function(a,b,c,d,e){b=Dsa(b,c,d,e);(c=g.nD(a.W)&&g.Q(a.W.experiments,"embeds_wexit_list_ajax_migration"))&&!a.R&&(b.fetch=0);H0(a,b);g.nD(a.W)&&a.eb.tick("ep_a_pr_s");if(c&&!a.R)c=E0(a),sta(c,b).then(function(){J0(a)}); -else a.playlist.onReady(function(){K0(a)}); -g.nD(a.W)&&a.eb.tick("ep_a_pr_r")}; -K0=function(a){var b=a.playlist.Ma();if(b){var c=a.getVideoData();if(c.eh||!a.Aa){var d=c.Uj;b=g.nD(a.W)&&a.ba("embeds_wexit_list_ajax_migration")?KY(a,a.playlist.Ma(void 0,c.eh,c.Kh)):KY(a,b);d&&W0(a,b)}else X0(a,b)}g.nD(a.W)&&a.eb.tick("ep_p_l");a.u.xa("onPlaylistUpdate")}; -g.Y0=function(a){if(a.u.isMutedByMutedAutoplay())return!1;if(3===a.getPresentingPlayerType())return!0;FD(a.W)&&!a.R&&I0(a);return!(!a.playlist||!a.playlist.hasNext())}; -DAa=function(a){if(a.playlist&&g.nD(a.W)&&g.Y0(a)){var b=g.Q(a.W.experiments,"html5_player_autonav_logging");a.nextVideo(!1,b);return!0}return!1}; -T0=function(a,b){var c=g.Ja(b);if(c){var d=LAa();d&&d.list&&c();a.ub=null}else a.ub=b}; -LAa=function(){var a=g.Ja("yt.www.watch.lists.getState");return a?a():null}; -g.WAa=function(a){if(!a.da||!a.da.ol())return null;var b=a.da;a.fa?a.fa.setMediaElement(b):(a.fa=Bwa(a.u,b),a.fa&&g.D(a,a.fa));return a.fa}; -XAa=function(a,b,c,d,e,f){b={id:b,namespace:"appapi"};"chapter"===f?(b.style=dF.CHAPTER_MARKER,b.visible=!0):isNaN(e)||("ad"===f?b.style=dF.AD_MARKER:(b.style=dF.TIME_MARKER,b.color=e),b.visible=!0);a.Kp([new g.eF(1E3*c,1E3*d,b)],1);return!0}; -ata=function(a){var b=(0,g.N)(),c=a.getCurrentTime();a=a.getVideoData();c=1E3*(c-a.startSeconds);a.isLivePlayback&&(c=0);return b-Math.max(c,0)}; -AT=function(a,b,c){a.W.X&&(a.P=b,b.muted||O0(a,!1),c&&a.W.Rl&&!a.W.Ya&&YAa({volume:Math.floor(b.volume),muted:b.muted}),ZAa(a),c=g.pB&&a.da&&!a.da.We(),!a.W.Ya||c)&&(b=g.Vb(b),a.W.Rl||(b.unstorable=!0),a.u.xa("onVolumeChange",b))}; -ZAa=function(a){var b=a.getVideoData();if(!b.Yl){b=a.W.Ya?1:oJ(b);var c=a.da;c.gp(a.P.muted);c.setVolume(a.P.volume*b/100)}}; -O0=function(a,b){b!==a.Ta&&(a.Ta=b,a.u.xa("onMutedAutoplayChange",b))}; -Z0=function(a){var b=ot(!0);return b&&(b===a.template.element||a.da&&b===a.da.Pa())?b:null}; -aBa=function(a,b){var c=window.screen&&window.screen.orientation;if((g.Q(a.W.experiments,"lock_fullscreen2")||a.W.ba("embeds_enable_mobile_custom_controls")&&a.W.u)&&c&&c.lock&&(!g.pB||!$Aa))if(b){var d=0===c.type.indexOf("portrait"),e=a.template.getVideoAspectRatio(),f=d;1>e?f=!0:1>16,a>>8&255,a&255]}; -jBa=function(){if(!g.ye)return!1;try{return new ActiveXObject("MSXML2.DOMDocument"),!0}catch(a){return!1}}; -g.e1=function(a){if("undefined"!=typeof DOMParser){var b=new DOMParser;rg();a=cd(a,null);return b.parseFromString(g.bd(a),"application/xml")}if(kBa){b=new ActiveXObject("MSXML2.DOMDocument");b.resolveExternals=!1;b.validateOnParse=!1;try{b.setProperty("ProhibitDTD",!0),b.setProperty("MaxXMLSize",2048),b.setProperty("MaxElementDepth",256)}catch(c){}b.loadXML(a);return b}throw Error("Your browser does not support loading xml documents");}; -g.f1=function(a){g.C.call(this);this.B=a;this.u={}}; -lBa=function(a,b,c,d,e,f){if(Array.isArray(c))for(var h=0;hdocument.documentMode)c=le;else{var d=document;"function"===typeof HTMLTemplateElement&&(d=g.qf("TEMPLATE").content.ownerDocument);d=d.implementation.createHTMLDocument("").createElement("DIV");d.style.cssText=c;c=vla(d.style)}b=new je([c,Lba({"background-image":'url("'+b+'")'})].map(tga).join(""),ie);a.style.cssText=ke(b)}}; +q8a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +Y2=function(a,b,c){FQ.call(this,a);this.api=a;this.rb=b;this.u={};a=new g.U({G:"div",Ia:["video-ads","ytp-ad-module"]});g.E(this,a);cK&&g.Qp(a.element,"ytp-ads-tiny-mode");this.D=new XP(a.element);g.E(this,this.D);g.NS(this.api,a.element,4);U2a(c)&&(c=new g.U({G:"div",Ia:["ytp-ad-underlay"]}),g.E(this,c),this.B=new XP(c.element),g.E(this,this.B),g.NS(this.api,c.element,0));g.E(this,XEa())}; +r8a=function(a,b){a=g.jd(a.u,b.id,null);null==a&&g.DD(Error("Component not found for element id: "+b.id));return a||null}; +s8a=function(a){g.CT.call(this,a);var b=this;this.u=this.xe=null;this.created=!1;this.fu=new zP(this.player);this.B=function(){function d(){return b.xe} +if(null!=b.u)return b.u;var e=iEa({Dl:a.getVideoData(1)});e=new q1a({I1:d,ou:e.l3(),l2:d,W4:d,Tl:O2(b.j).Tl,Wl:e.YL(),An:O2(b.j).An,F:b.player,Di:O2(b.j).Di,Oa:b.j.j.Oa,Kj:O2(b.j).Kj,zd:b.j.j.zd});b.u=e.IZ;return b.u}; +this.j=new J7a(this.player,this,this.fu,this.B);g.E(this,this.j);var c=a.V();!sK(c)||g.mK(c)||uK(c)||(g.E(this,new Y2(a,O2(this.j).rb,O2(this.j).Di)),g.E(this,new K7a(a)))}; +t8a=function(a){a.created!==a.loaded&&GD("Created and loaded are out of sync")}; +v8a=function(a){g.CT.prototype.load.call(a);var b=O2(a.j).Di;zsa(b.F.V().K("html5_reduce_ecatcher_errors"));try{a.player.getRootNode().classList.add("ad-created")}catch(n){GD(n instanceof Error?n:String(n))}var c=a.B(),d=a.player.getVideoData(1),e=d&&d.videoId||"",f=d&&d.getPlayerResponse()||{},h=(!a.player.V().experiments.ob("debug_ignore_ad_placements")&&f&&f.adPlacements||[]).map(function(n){return n.adPlacementRenderer}),l=((null==f?void 0:f.adSlots)||[]).map(function(n){return g.K(n,gra)}); +f=f.playerConfig&&f.playerConfig.daiConfig&&f.playerConfig.daiConfig.enableDai||!1;var m=d&&d.fd()||!1;b=u8a(h,l,b,f,m,O2(a.j).Tm);1<=b.Bu.length&&g.DK(a.player.V())&&(null==d||d.xa("abv45",{rs:b.Bu.map(function(n){return Object.keys(n.renderer||{}).join("_")}).join("__")})); +h=d&&d.clientPlaybackNonce||"";d=d&&d.Du||!1;l=1E3*a.player.getDuration(1);a.xe=new TP(a,a.player,a.fu,c,O2(a.j));sEa(a.xe,b.Bu);a.j.j.Zs.Nj(h,l,d,b.nH,b.vS,b.nH.concat(b.Bu),f,e);UP(a.xe)}; +w8a=function(a,b){b===a.Gx&&(a.Gx=void 0)}; +x8a=function(a){a.xe?O2(a.j).Uc.rM()||a.xe.rM()||VP(O2(a.j).qt):GD("AdService is null when calling maybeUnlockPrerollIfReady")}; +y8a=function(a){a=g.t(O2(a.j).Kj.Vk.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.slotType&&"core"===b.bb)return!0;GD("Ads Playback Not Managed By Controlflow");return!1}; +z8a=function(a){a=g.t(O2(a.j).Kj.Vk.values());for(var b=a.next();!b.done;b=a.next())if("LAYOUT_TYPE_MEDIA_BREAK"===b.value.layoutType)return!0;return!1}; +yC=function(a,b,c,d,e){c=void 0===c?[]:c;d=void 0===d?"":d;e=void 0===e?"":e;var f=O2(a.j).Di,h=a.player.getVideoData(1),l=h&&h.getPlayerResponse()||{};l=l&&l.playerConfig&&l.playerConfig.daiConfig&&l.playerConfig.daiConfig.enableDai||!1;h=h&&h.fd()||!1;c=u8a(b,c,f,l,h,O2(a.j).Tm);kra(O2(a.j).Yc,d,c.nH,c.vS,b,e);a.xe&&0b.Fw;b={Fw:b.Fw},++b.Fw){var c=new g.U({G:"a",N:"ytp-suggestion-link",X:{href:"{{link}}",target:a.api.V().ea,"aria-label":"{{aria_label}}"},W:[{G:"div",N:"ytp-suggestion-image"},{G:"div",N:"ytp-suggestion-overlay",X:{style:"{{blink_rendering_hack}}","aria-hidden":"{{aria_hidden}}"},W:[{G:"div",N:"ytp-suggestion-title",ra:"{{title}}"},{G:"div",N:"ytp-suggestion-author",ra:"{{author_and_views}}"},{G:"div",X:{"data-is-live":"{{is_live}}"},N:"ytp-suggestion-duration", +ra:"{{duration}}"}]}]});g.E(a,c);var d=c.Da("ytp-suggestion-link");g.Hm(d,"transitionDelay",b.Fw/20+"s");a.C.S(d,"click",function(e){return function(f){var h=e.Fw;if(a.B){var l=a.suggestionData[h],m=l.sessionData;g.fK(a.api.V())&&a.api.K("web_player_log_click_before_generating_ve_conversion_params")?(a.api.qb(a.u[h].element),h=l.Ak(),l={},g.nKa(a.api,l,"emb_rel_pause"),h=g.Zi(h,l),g.VT(h,a.api,f)):g.UT(f,a.api,a.J,m||void 0)&&a.api.Kn(l.videoId,m,l.playlistId)}else g.EO(f),document.activeElement.blur()}}(b)); +c.Ea(a.suggestions.element);a.u.push(c);a.api.Zf(c.element,c)}}; +F8a=function(a){if(a.api.V().K("web_player_log_click_before_generating_ve_conversion_params"))for(var b=Math.floor(-a.j/(a.D+8)),c=Math.min(b+a.columns,a.suggestionData.length)-1;b<=c;b++)a.api.Ua(a.u[b].element,!0)}; +g.a3=function(a){var b=a.I.yg()?32:16;b=a.Z/2+b;a.next.element.style.bottom=b+"px";a.previous.element.style.bottom=b+"px";b=a.j;var c=a.containerWidth-a.suggestionData.length*(a.D+8);g.Up(a.element,"ytp-scroll-min",0<=b);g.Up(a.element,"ytp-scroll-max",b<=c)}; +H8a=function(a){for(var b=a.suggestionData.length,c=0;cb)for(;16>b;++b)c=a.u[b].Da("ytp-suggestion-link"),g.Hm(c,"display","none");g.a3(a)}; +aaa=[];da="function"==typeof Object.defineProperties?Object.defineProperty:function(a,b,c){if(a==Array.prototype||a==Object.prototype)return a;a[b]=c.value;return a}; +g.ca=caa(this);ea("Symbol",function(a){function b(f){if(this instanceof b)throw new TypeError("Symbol is not a constructor");return new c(d+(f||"")+"_"+e++,f)} +function c(f,h){this.j=f;da(this,"description",{configurable:!0,writable:!0,value:h})} +if(a)return a;c.prototype.toString=function(){return this.j}; +var d="jscomp_symbol_"+(1E9*Math.random()>>>0)+"_",e=0;return b}); +ea("Symbol.iterator",function(a){if(a)return a;a=Symbol("Symbol.iterator");for(var b="Array Int8Array Uint8Array Uint8ClampedArray Int16Array Uint16Array Int32Array Uint32Array Float32Array Float64Array".split(" "),c=0;c=f}}); -ha("Array.prototype.find",function(a){return a?a:function(b,c){return Aa(this,b,c).rI}}); -ha("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=za(this,b,"startsWith");b+="";for(var e=d.length,f=b.length,h=Math.max(0,Math.min(c|0,d.length)),l=0;l=f}}); -ha("String.prototype.repeat",function(a){return a?a:function(b){var c=za(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); -ha("Object.setPrototypeOf",function(a){return a||oa}); -var qBa="function"==typeof Object.assign?Object.assign:function(a,b){for(var c=1;cf&&(f=Math.max(f+e,0));fb?-c:c}}); -ha("Array.prototype.fill",function(a){return a?a:function(b,c,d){var e=this.length||0;0>c&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);c=e}}); +ea("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=Aa(this,b,"startsWith");b+="";var e=d.length,f=b.length;c=Math.max(0,Math.min(c|0,d.length));for(var h=0;h=f}}); +ea("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); +ea("String.prototype.repeat",function(a){return a?a:function(b){var c=Aa(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); +ea("Set",function(a){function b(c){this.j=new Map;if(c){c=g.t(c);for(var d;!(d=c.next()).done;)this.add(d.value)}this.size=this.j.size} +if(function(){if(!a||"function"!=typeof a||!a.prototype.entries||"function"!=typeof Object.seal)return!1;try{var c=Object.seal({x:4}),d=new a(g.t([c]));if(!d.has(c)||1!=d.size||d.add(c)!=d||1!=d.size||d.add({x:4})!=d||2!=d.size)return!1;var e=d.entries(),f=e.next();if(f.done||f.value[0]!=c||f.value[1]!=c)return!1;f=e.next();return f.done||f.value[0]==c||4!=f.value[0].x||f.value[1]!=f.value[0]?!1:e.next().done}catch(h){return!1}}())return a; +b.prototype.add=function(c){c=0===c?0:c;this.j.set(c,c);this.size=this.j.size;return this}; +b.prototype.delete=function(c){c=this.j.delete(c);this.size=this.j.size;return c}; +b.prototype.clear=function(){this.j.clear();this.size=0}; +b.prototype.has=function(c){return this.j.has(c)}; +b.prototype.entries=function(){return this.j.entries()}; +b.prototype.values=function(){return this.j.values()}; +b.prototype.keys=b.prototype.values;b.prototype[Symbol.iterator]=b.prototype.values;b.prototype.forEach=function(c,d){var e=this;this.j.forEach(function(f){return c.call(d,f,f,e)})}; return b}); -ha("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)Ba(b,d)&&c.push(b[d]);return c}}); -ha("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); -ha("Object.fromEntries",function(a){return a?a:function(b){var c={};if(!(Symbol.iterator in b))throw new TypeError(""+b+" is not iterable");b=b[Symbol.iterator].call(b);for(var d=b.next();!d.done;d=b.next()){d=d.value;if(Object(d)!==d)throw new TypeError("iterable for fromEntries should yield objects");c[d[0]]=d[1]}return c}}); -ha("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); -ha("WeakSet",function(a){function b(c){this.u=new WeakMap;if(c){c=g.q(c);for(var d;!(d=c.next()).done;)this.add(d.value)}} -if(function(){if(!a||!Object.seal)return!1;try{var c=Object.seal({}),d=Object.seal({}),e=new a([c]);if(!e.has(c)||e.has(d))return!1;e["delete"](c);e.add(d);return!e.has(c)&&e.has(d)}catch(f){return!1}}())return a; -b.prototype.add=function(c){this.u.set(c,!0);return this}; -b.prototype.has=function(c){return this.u.has(c)}; -b.prototype["delete"]=function(c){return this.u["delete"](c)}; +ea("Array.prototype.values",function(a){return a?a:function(){return za(this,function(b,c){return c})}}); +ea("Number.MAX_SAFE_INTEGER",function(){return 9007199254740991}); +ea("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); +ea("Array.prototype.entries",function(a){return a?a:function(){return za(this,function(b,c){return[b,c]})}}); +ea("Array.from",function(a){return a?a:function(b,c,d){c=null!=c?c:function(l){return l}; +var e=[],f="undefined"!=typeof Symbol&&Symbol.iterator&&b[Symbol.iterator];if("function"==typeof f){b=f.call(b);for(var h=0;!(f=b.next()).done;)e.push(c.call(d,f.value,h++))}else for(f=b.length,h=0;hc&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);cc&&(c=Math.max(c+e,0));cb?-c:c}}); +ea("Array.prototype.findIndex",function(a){return a?a:function(b,c){return naa(this,b,c).i}}); +ea("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)ha(b,d)&&c.push(b[d]);return c}}); +ea("Math.sign",function(a){return a?a:function(b){b=Number(b);return 0===b||isNaN(b)?b:0c?Math.max(f+c,0):Math.min(c,f);d=0>d?Math.max(f+d,0):Math.min(d,f);e=0>e?Math.max(f+e,0):Math.min(e,f);if(cd;)--e in this?this[--c]=this[e]:delete this[--c];return this}}); -ha("Int8Array.prototype.copyWithin",Ea);ha("Uint8Array.prototype.copyWithin",Ea);ha("Uint8ClampedArray.prototype.copyWithin",Ea);ha("Int16Array.prototype.copyWithin",Ea);ha("Uint16Array.prototype.copyWithin",Ea);ha("Int32Array.prototype.copyWithin",Ea);ha("Uint32Array.prototype.copyWithin",Ea);ha("Float32Array.prototype.copyWithin",Ea);ha("Float64Array.prototype.copyWithin",Ea);g.k1=g.k1||{};g.v=this||self;eaa=/^[\w+/_-]+[=]{0,2}$/;Ha=null;Qa="closure_uid_"+(1E9*Math.random()>>>0);faa=0;g.Va(Ya,Error);Ya.prototype.name="CustomError";var ne;g.Va(Za,Ya);Za.prototype.name="AssertionError";var ib,ki;ib=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); +ea("Int8Array.prototype.copyWithin",Da);ea("Uint8Array.prototype.copyWithin",Da);ea("Uint8ClampedArray.prototype.copyWithin",Da);ea("Int16Array.prototype.copyWithin",Da);ea("Uint16Array.prototype.copyWithin",Da);ea("Int32Array.prototype.copyWithin",Da);ea("Uint32Array.prototype.copyWithin",Da);ea("Float32Array.prototype.copyWithin",Da);ea("Float64Array.prototype.copyWithin",Da); +ea("String.prototype.replaceAll",function(a){return a?a:function(b,c){if(b instanceof RegExp&&!b.global)throw new TypeError("String.prototype.replaceAll called with a non-global RegExp argument.");return b instanceof RegExp?this.replace(b,c):this.replace(new RegExp(String(b).replace(/([-()\[\]{}+?*.$\^|,:#>>0);paa=0;g.k=Va.prototype;g.k.K1=function(a){var b=g.ya.apply(1,arguments),c=this.IL(b);c?c.push(new saa(a)):this.HX(a,b)}; +g.k.HX=function(a){this.Rx.set(this.RT(g.ya.apply(1,arguments)),[new saa(a)])}; +g.k.IL=function(){var a=this.RT(g.ya.apply(0,arguments));return this.Rx.has(a)?this.Rx.get(a):void 0}; +g.k.o3=function(){var a=this.IL(g.ya.apply(0,arguments));return a&&a.length?a[0]:void 0}; +g.k.clear=function(){this.Rx.clear()}; +g.k.RT=function(){var a=g.ya.apply(0,arguments);return a?a.join(","):"key"};g.w(Wa,Va);Wa.prototype.B=function(a){var b=g.ya.apply(1,arguments),c=0,d=this.o3(b);d&&(c=d.PS);this.HX(c+a,b)};g.w(Ya,Va);Ya.prototype.Sf=function(a){this.K1(a,g.ya.apply(1,arguments))};g.C.prototype.Eq=!1;g.C.prototype.isDisposed=function(){return this.Eq}; +g.C.prototype.dispose=function(){this.Eq||(this.Eq=!0,this.qa())}; +g.C.prototype.qa=function(){if(this.zm)for(;this.zm.length;)this.zm.shift()()};g.Ta(cb,Error);cb.prototype.name="CustomError";var fca;g.Ta(fb,cb);fb.prototype.name="AssertionError";g.ib.prototype.stopPropagation=function(){this.u=!0}; +g.ib.prototype.preventDefault=function(){this.defaultPrevented=!0};var vaa,$l,Wm;vaa=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); for(var c=0;cc&&(c=Math.max(0,a.length+c));if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.lastIndexOf(b,c);for(;0<=c;c--)if(c in a&&a[c]===b)return c;return-1}; -g.Cb=Array.prototype.forEach?function(a,b,c){Array.prototype.forEach.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,tc=/"/g,uc=/'/g,vc=/\x00/g,waa=/[\x00&<>"']/;g.Ec.prototype.Rj=!0;g.Ec.prototype.Tg=function(){return this.C.toString()}; -g.Ec.prototype.B=!0;g.Ec.prototype.u=function(){return 1}; -var yaa=/^(?:audio\/(?:3gpp2|3gpp|aac|L16|midi|mp3|mp4|mpeg|oga|ogg|opus|x-m4a|x-matroska|x-wav|wav|webm)|font\/\w+|image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp|x-icon)|video\/(?:mpeg|mp4|ogg|webm|quicktime|x-matroska))(?:;\w+=(?:\w+|"[\w;,= ]+"))*$/i,xaa=/^data:(.*);base64,[a-z0-9+\/]+=*$/i,Hc=/^(?:(?:https?|mailto|ftp):|[^:/?#]*(?:[/?#]|$))/i,Dc={},Ic=new g.Ec("about:invalid#zClosurez",Dc);Mc.prototype.Rj=!0;Mc.prototype.Tg=function(){return this.u}; -var Lc={},Rc=new Mc("",Lc),Aaa=/^[-,."'%_!# a-zA-Z0-9\[\]]+$/,Uc=RegExp("\\b(url\\([ \t\n]*)('[ -&(-\\[\\]-~]*'|\"[ !#-\\[\\]-~]*\"|[!#-&*-\\[\\]-~]*)([ \t\n]*\\))","g"),Tc=RegExp("\\b(calc|cubic-bezier|fit-content|hsl|hsla|linear-gradient|matrix|minmax|repeat|rgb|rgba|(rotate|scale|translate)(X|Y|Z|3d)?)\\([-+*/0-9a-z.%\\[\\], ]+\\)","g"),Baa=/\/\*/;a:{var vBa=g.v.navigator;if(vBa){var wBa=vBa.userAgent;if(wBa){g.Vc=wBa;break a}}g.Vc=""};ad.prototype.B=!0;ad.prototype.u=function(){return this.D}; -ad.prototype.Rj=!0;ad.prototype.Tg=function(){return this.C.toString()}; -var xBa=/^[a-zA-Z0-9-]+$/,yBa={action:!0,cite:!0,data:!0,formaction:!0,href:!0,manifest:!0,poster:!0,src:!0},zBa={APPLET:!0,BASE:!0,EMBED:!0,IFRAME:!0,LINK:!0,MATH:!0,META:!0,OBJECT:!0,SCRIPT:!0,STYLE:!0,SVG:!0,TEMPLATE:!0},$c={},ed=new ad(g.v.trustedTypes&&g.v.trustedTypes.emptyHTML||"",0,$c);var Iaa=bb(function(){var a=document.createElement("div"),b=document.createElement("div");b.appendChild(document.createElement("div"));a.appendChild(b);b=a.firstChild.firstChild;a.innerHTML=g.bd(ed);return!b.parentElement});g.ABa=String.prototype.repeat?function(a,b){return a.repeat(b)}:function(a,b){return Array(b+1).join(a)};var wd=/^(?:([^:/?#.]+):)?(?:\/\/(?:([^\\/?#]*)@)?([^\\/?#]*?)(?::([0-9]+))?(?=[\\/?#]|$))?([^?#]+)?(?:\?([^#]*))?(?:#([\s\S]*))?$/,Pd=/#|$/,Kaa=/[?&]($|#)/;Wd[" "]=g.Ka;var wg,fE,$Aa,BBa,CBa,DBa,eD,fD,l1;g.xg=Wc("Opera");g.ye=Wc("Trident")||Wc("MSIE");g.hs=Wc("Edge");g.OD=g.hs||g.ye;wg=Wc("Gecko")&&!(yc(g.Vc,"WebKit")&&!Wc("Edge"))&&!(Wc("Trident")||Wc("MSIE"))&&!Wc("Edge");g.Ae=yc(g.Vc,"WebKit")&&!Wc("Edge");fE=Wc("Macintosh");$Aa=Wc("Windows");g.qr=Wc("Android");BBa=Ud();CBa=Wc("iPad");DBa=Wc("iPod");eD=Vd();fD=yc(g.Vc,"KaiOS"); -a:{var m1="",n1=function(){var a=g.Vc;if(wg)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.hs)return/Edge\/([\d\.]+)/.exec(a);if(g.ye)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Ae)return/WebKit\/(\S+)/.exec(a);if(g.xg)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); -n1&&(m1=n1?n1[1]:"");if(g.ye){var o1=Zd();if(null!=o1&&o1>parseFloat(m1)){l1=String(o1);break a}}l1=m1}var $d=l1,Maa={},p1;if(g.v.document&&g.ye){var EBa=Zd();p1=EBa?EBa:parseInt($d,10)||void 0}else p1=void 0;var Naa=p1;try{(new self.OffscreenCanvas(0,0)).getContext("2d")}catch(a){}var Oaa=!g.ye||g.be(9),Paa=!wg&&!g.ye||g.ye&&g.be(9)||wg&&g.ae("1.9.1");g.ye&&g.ae("9");var Raa=g.ye||g.xg||g.Ae;g.k=g.ge.prototype;g.k.clone=function(){return new g.ge(this.x,this.y)}; +g.Zl=Array.prototype.every?function(a,b,c){return Array.prototype.every.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,Maa=/"/g,Naa=/'/g,Oaa=/\x00/g,Iaa=/[\x00&<>"']/;var kc,Q8a=g.Ea.navigator;kc=Q8a?Q8a.userAgentData||null:null;Gc[" "]=function(){};var Im,ZW,$0a,R8a,S8a,T8a,bK,cK,U8a;g.dK=pc();g.mf=qc();g.oB=nc("Edge");g.HK=g.oB||g.mf;Im=nc("Gecko")&&!(ac(g.hc(),"WebKit")&&!nc("Edge"))&&!(nc("Trident")||nc("MSIE"))&&!nc("Edge");g.Pc=ac(g.hc(),"WebKit")&&!nc("Edge");ZW=Dc();$0a=Uaa();g.fz=Taa();R8a=Bc();S8a=nc("iPad");T8a=nc("iPod");bK=Cc();cK=ac(g.hc(),"KaiOS"); +a:{var V8a="",W8a=function(){var a=g.hc();if(Im)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.oB)return/Edge\/([\d\.]+)/.exec(a);if(g.mf)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Pc)return/WebKit\/(\S+)/.exec(a);if(g.dK)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); +W8a&&(V8a=W8a?W8a[1]:"");if(g.mf){var X8a=Yaa();if(null!=X8a&&X8a>parseFloat(V8a)){U8a=String(X8a);break a}}U8a=V8a}var Ic=U8a,Waa={},Y8a;if(g.Ea.document&&g.mf){var Z8a=Yaa();Y8a=Z8a?Z8a:parseInt(Ic,10)||void 0}else Y8a=void 0;var Zaa=Y8a;var YMa=$aa("AnimationEnd"),zKa=$aa("TransitionEnd");g.Ta(Qc,g.ib);var $8a={2:"touch",3:"pen",4:"mouse"}; +Qc.prototype.init=function(a,b){var c=this.type=a.type,d=a.changedTouches&&a.changedTouches.length?a.changedTouches[0]:null;this.target=a.target||a.srcElement;this.currentTarget=b;(b=a.relatedTarget)?Im&&(Hc(b,"nodeName")||(b=null)):"mouseover"==c?b=a.fromElement:"mouseout"==c&&(b=a.toElement);this.relatedTarget=b;d?(this.clientX=void 0!==d.clientX?d.clientX:d.pageX,this.clientY=void 0!==d.clientY?d.clientY:d.pageY,this.screenX=d.screenX||0,this.screenY=d.screenY||0):(this.clientX=void 0!==a.clientX? +a.clientX:a.pageX,this.clientY=void 0!==a.clientY?a.clientY:a.pageY,this.screenX=a.screenX||0,this.screenY=a.screenY||0);this.button=a.button;this.keyCode=a.keyCode||0;this.key=a.key||"";this.charCode=a.charCode||("keypress"==c?a.keyCode:0);this.ctrlKey=a.ctrlKey;this.altKey=a.altKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.pointerId=a.pointerId||0;this.pointerType="string"===typeof a.pointerType?a.pointerType:$8a[a.pointerType]||"";this.state=a.state;this.j=a;a.defaultPrevented&&Qc.Gf.preventDefault.call(this)}; +Qc.prototype.stopPropagation=function(){Qc.Gf.stopPropagation.call(this);this.j.stopPropagation?this.j.stopPropagation():this.j.cancelBubble=!0}; +Qc.prototype.preventDefault=function(){Qc.Gf.preventDefault.call(this);var a=this.j;a.preventDefault?a.preventDefault():a.returnValue=!1};var aba="closure_listenable_"+(1E6*Math.random()|0);var bba=0;var hba="constructor hasOwnProperty isPrototypeOf propertyIsEnumerable toLocaleString toString valueOf".split(" ");g.k=pd.prototype;g.k.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.j++);var h=sd(a,b,d,e);-1>>0);g.Ta(g.Fd,g.C);g.Fd.prototype[aba]=!0;g.k=g.Fd.prototype;g.k.addEventListener=function(a,b,c,d){g.ud(this,a,b,c,d)}; +g.k.removeEventListener=function(a,b,c,d){pba(this,a,b,c,d)}; +g.k.dispatchEvent=function(a){var b=this.qO;if(b){var c=[];for(var d=1;b;b=b.qO)c.push(b),++d}b=this.D1;d=a.type||a;if("string"===typeof a)a=new g.ib(a,b);else if(a instanceof g.ib)a.target=a.target||b;else{var e=a;a=new g.ib(d,b);g.od(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=Jd(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=Jd(h,d,!0,a)&&e,a.u||(e=Jd(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&fl?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString())+(d?";secure":"")+(null!=e?";samesite="+e:"")}; -g.k.get=function(a,b){for(var c=a+"=",d=(this.u.cookie||"").split(";"),e=0,f;e=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; +g.k.removeNode=g.xf;g.k.contains=g.zf;var Ef;Gf.prototype.add=function(a,b){var c=sca.get();c.set(a,b);this.u?this.u.next=c:this.j=c;this.u=c}; +Gf.prototype.remove=function(){var a=null;this.j&&(a=this.j,this.j=this.j.next,this.j||(this.u=null),a.next=null);return a}; +var sca=new Kd(function(){return new Hf},function(a){return a.reset()}); +Hf.prototype.set=function(a,b){this.fn=a;this.scope=b;this.next=null}; +Hf.prototype.reset=function(){this.next=this.scope=this.fn=null};var If,Lf=!1,qca=new Gf;tca.prototype.reset=function(){this.context=this.u=this.B=this.j=null;this.C=!1}; +var uca=new Kd(function(){return new tca},function(a){a.reset()}); +g.Of.prototype.then=function(a,b,c){return Cca(this,"function"===typeof a?a:null,"function"===typeof b?b:null,c)}; +g.Of.prototype.$goog_Thenable=!0;g.k=g.Of.prototype;g.k.Zj=function(a,b){return Cca(this,null,a,b)}; +g.k.catch=g.Of.prototype.Zj;g.k.cancel=function(a){if(0==this.j){var b=new Zf(a);g.Mf(function(){yca(this,b)},this)}}; +g.k.F9=function(a){this.j=0;Nf(this,2,a)}; +g.k.G9=function(a){this.j=0;Nf(this,3,a)}; +g.k.W2=function(){for(var a;a=zca(this);)Aca(this,a,this.j,this.J);this.I=!1}; +var Gca=oca;g.Ta(Zf,cb);Zf.prototype.name="cancel";g.Ta(g.$f,g.Fd);g.k=g.$f.prototype;g.k.enabled=!1;g.k.Gc=null;g.k.setInterval=function(a){this.Fi=a;this.Gc&&this.enabled?(this.stop(),this.start()):this.Gc&&this.stop()}; +g.k.t9=function(){if(this.enabled){var a=g.Ra()-this.jV;0Jg.length&&Jg.push(this)}; +g.k.clear=function(){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.XE=!1}; +g.k.reset=function(){this.j=this.C}; +g.k.advance=function(a){Dg(this,this.j+a)}; +g.k.xJ=function(){var a=Gg(this);return 4294967296*Gg(this)+(a>>>0)}; +var Jg=[];Kg.prototype.free=function(){this.j.clear();this.u=this.C=-1;100>b3.length&&b3.push(this)}; +Kg.prototype.reset=function(){this.j.reset();this.B=this.j.j;this.u=this.C=-1}; +Kg.prototype.advance=function(a){this.j.advance(a)}; +var b3=[];var Cda,Fda;Zg.prototype.length=function(){return this.j.length}; +Zg.prototype.end=function(){var a=this.j;this.j=[];return a};var eh="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():void 0;var qh={},f9a,Dh=Object.freeze(hh([],23));var Zda="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():"di";var ci;g.k=J.prototype;g.k.toJSON=function(){var a=this.Re,b;f9a?b=a:b=di(a,qea,void 0,void 0,!1,!1);return b}; +g.k.jp=function(){f9a=!0;try{return JSON.stringify(this.toJSON(),oea)}finally{f9a=!1}}; +g.k.clone=function(){return fi(this,!1)}; +g.k.rq=function(){return jh(this.Re)}; +g.k.pN=qh;g.k.toString=function(){return this.Re.toString()};var gi=Symbol(),ki=Symbol(),ji=Symbol(),ii=Symbol(),g9a=mi(function(a,b,c){if(1!==a.u)return!1;H(b,c,Hg(a.j));return!0},ni),h9a=mi(function(a,b,c){if(1!==a.u)return!1; +a=Hg(a.j);Hh(b,c,oh(a),0);return!0},ni),i9a=mi(function(a,b,c,d){if(1!==a.u)return!1; +Kh(b,c,d,Hg(a.j));return!0},ni),j9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Eg(a.j));return!0},oi),k9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Eg(a.j);Hh(b,c,a,0);return!0},oi),l9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Eg(a.j));return!0},oi),m9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},pi),n9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Fg(a.j);Hh(b,c,a,0);return!0},pi),o9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Fg(a.j));return!0},pi),p9a=mi(function(a,b,c){if(1!==a.u)return!1; +H(b,c,a.j.xJ());return!0},function(a,b,c){Nda(a,c,Ah(b,c))}),q9a=mi(function(a,b,c){if(1!==a.u&&2!==a.u)return!1; +b=Eh(b,c,0,!1,jh(b.Re));if(2==a.u){c=Cg.prototype.xJ;var d=Fg(a.j)>>>0;for(d=a.j.j+d;a.j.j>>0);return!0},function(a,b,c){b=Zh(b,c); +null!=b&&null!=b&&(ch(a,c,0),$g(a.j,b))}),N9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},function(a,b,c){b=Ah(b,c); +null!=b&&(b=parseInt(b,10),ch(a,c,0),Ida(a.j,b))});g.w(Qea,J);var Pea=[1,2,3,4];g.w(ri,J);var wi=[1,2,3],O9a=[ri,1,u9a,wi,2,o9a,wi,3,s9a,wi];g.w(Rea,J);var P9a=[Rea,1,g9a,2,j9a];g.w(Tea,J);var Sea=[1],Q9a=[Tea,1,d3,P9a];g.w(si,J);var vi=[1,2,3],R9a=[si,1,l9a,vi,2,i9a,vi,3,L9a,Q9a,vi];g.w(ti,J);var Uea=[1],S9a=[ti,1,d3,O9a,2,v9a,R9a];g.w(Vea,J);var T9a=[Vea,1,c3,2,c3,3,r9a];g.w(Wea,J);var U9a=[Wea,1,c3,2,c3,3,m9a,4,r9a];g.w(Xea,J);var V9a=[1,2],W9a=[Xea,1,L9a,T9a,V9a,2,L9a,U9a,V9a];g.w(ui,J);ui.prototype.Km=function(){var a=Fh(this,3,Yda,void 0,2);if(void 0>=a.length)throw Error();return a[void 0]}; +var Yea=[3,6,4];ui.prototype.j=Oea([ui,1,c3,5,p9a,2,v9a,W9a,3,t9a,6,q9a,4,d3,S9a]);g.w($ea,J);var Zea=[1];var gfa={};g.k=Gi.prototype;g.k.isEnabled=function(){if(!g.Ea.navigator.cookieEnabled)return!1;if(!this.Bf())return!0;this.set("TESTCOOKIESENABLED","1",{HG:60});if("1"!==this.get("TESTCOOKIESENABLED"))return!1;this.remove("TESTCOOKIESENABLED");return!0}; +g.k.set=function(a,b,c){var d=!1;if("object"===typeof c){var e=c.m8a;d=c.Q8||!1;var f=c.domain||void 0;var h=c.path||void 0;var l=c.HG}if(/[;=\s]/.test(a))throw Error('Invalid cookie name "'+a+'"');if(/[;\r\n]/.test(b))throw Error('Invalid cookie value "'+b+'"');void 0===l&&(l=-1);c=f?";domain="+f:"";h=h?";path="+h:"";d=d?";secure":"";l=0>l?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString();this.j.cookie=a+"="+b+c+h+l+d+(null!=e?";samesite="+ +e:"")}; +g.k.get=function(a,b){for(var c=a+"=",d=(this.j.cookie||"").split(";"),e=0,f;ed&&this.Aav||401===v||0===v);x&&(c.u=z.concat(c.u),c.oa||c.j.enabled||c.j.start());b&&b("net-send-failed",v);++c.I},r=function(){c.network?c.network.send(n,p,q):c.Ya(n,p,q)}; +m?m.then(function(v){n.dw["Content-Encoding"]="gzip";n.dw["Content-Type"]="application/binary";n.body=v;n.Y1=2;r()},function(){r()}):r()}}}}; +g.k.zL=function(){$fa(this.C,!0);this.flush();$fa(this.C,!1)}; +g.w(Yfa,g.ib);Sfa.prototype.wf=function(a,b,c){b=void 0===b?0:b;c=void 0===c?0:c;if(Ch(Mh(this.j,$h,1),xj,11)){var d=Cj(this);H(d,3,c)}c=this.j.clone();d=Date.now().toString();c=H(c,4,d);a=Qh(c,yj,3,a);b&&H(a,14,b);return a};g.Ta(Dj,g.C); +Dj.prototype.wf=function(){var a=new Aj(this.I,this.ea?this.ea:jfa,this.Ga,this.oa,this.C,this.D,!1,this.La,void 0,void 0,this.ya?this.ya:void 0);g.E(this,a);this.J&&zj(a.C,this.J);if(this.u){var b=this.u,c=Bj(a.C);H(c,7,b)}this.Z&&(a.T=this.Z);this.j&&(a.componentId=this.j);this.B&&((b=this.B)?(a.B||(a.B=new Ji),b=b.jp(),H(a.B,4,b)):a.B&&H(a.B,4,void 0,!1));this.Aa&&(c=this.Aa,a.B||(a.B=new Ji),b=a.B,c=null==c?Dh:Oda(c,1),H(b,2,c));this.T&&(b=this.T,a.Ja=!0,Vfa(a,b));this.Ja&&cga(a.C,this.Ja);return a};g.w(Ej,g.C);Ej.prototype.flush=function(a){a=a||[];if(a.length){for(var b=new $ea,c=[],d=0;d=p.length)p=String.fromCharCode.apply(null,p);else{q="";for(var r=0;r>>3;1!=f.B&&2!=f.B&&15!=f.B&&Tk(f,h,l,"unexpected tag");f.j=1;f.u=0;f.C=0} +function c(m){f.C++;5==f.C&&m&240&&Tk(f,h,l,"message length too long");f.u|=(m&127)<<7*(f.C-1);m&128||(f.j=2,f.T=0,"undefined"!==typeof Uint8Array?f.D=new Uint8Array(f.u):f.D=Array(f.u),0==f.u&&e())} +function d(m){f.D[f.T++]=m;f.T==f.u&&e()} +function e(){if(15>f.B){var m={};m[f.B]=f.D;f.J.push(m)}f.j=0} +for(var f=this,h=a instanceof Array?a:new Uint8Array(a),l=0;lb||3==b&&!e&&0==a.length))if(d=200==d||206==d,4==b&&(8==c?$k(this,7):7==c?$k(this,8):d||$k(this,3)),this.u||(this.u=dha(this.j),null==this.u&&$k(this,5)),2this.B){var h=a.length;c=[];try{if(this.u.VE())for(var l=0;lthis.B){l=e.slice(this.B);this.B=e.length;try{var n=this.u.parse(l);null!=n&&this.D&&this.D(n)}catch(p){$k(this,5);al(this);break a}}4==b?(0!=e.length|| +this.ea?$k(this,2):$k(this,4),al(this)):$k(this,1)}}}catch(p){$k(this,6),al(this)}};g.k=eha.prototype;g.k.on=function(a,b){var c=this.u[a];c||(c=[],this.u[a]=c);c.push(b);return this}; +g.k.addListener=function(a,b){this.on(a,b);return this}; +g.k.removeListener=function(a,b){var c=this.u[a];c&&g.wb(c,b);(a=this.j[a])&&g.wb(a,b);return this}; +g.k.once=function(a,b){var c=this.j[a];c||(c=[],this.j[a]=c);c.push(b);return this}; +g.k.S5=function(a){var b=this.u.data;b&&fha(a,b);(b=this.j.data)&&fha(a,b);this.j.data=[]}; +g.k.z7=function(){switch(this.B.getStatus()){case 1:bl(this,"readable");break;case 5:case 6:case 4:case 7:case 3:bl(this,"error");break;case 8:bl(this,"close");break;case 2:bl(this,"end")}};gha.prototype.serverStreaming=function(a,b,c,d){var e=this,f=a.substr(0,a.length-d.name.length);return hha(function(h){var l=h.UF(),m=h.getMetadata(),n=kha(e,!1);m=lha(e,m,n,f+l.getName());var p=mha(n,l.u,!0);h=l.j(h.j);n.send(m,"POST",h);return p},this.C).call(this,Kga(d,b,c))};nha.prototype.create=function(a,b){return Hga(this.j,this.u+"/$rpc/google.internal.waa.v1.Waa/Create",a,b||{},b$a)};g.w(cl,Error);g.w(dl,g.C);dl.prototype.C=function(a){var b=this.j(a);a=new Hj(this.logger,this.u);b=g.gg(b,2);a.done();return b}; +g.w(gl,dl);gl.prototype.j=function(a){++this.J>=this.T&&this.D.resolve();var b=new Hj(this.logger,"C");a=this.I(a.by);b.done();if(void 0===a)throw new cl(17,Error("YNJ:Undefined"));if(!(a instanceof Uint8Array))throw new cl(18,Error("ODM:Invalid"));return a}; +g.w(hl,dl);hl.prototype.j=function(){return this.I}; +g.w(il,dl);il.prototype.j=function(){return ig(this.I)}; +il.prototype.C=function(){return this.I}; +g.w(jl,dl);jl.prototype.j=function(){if(this.I)return this.I;this.I=pha(this,function(a){return"_"+pga(a)}); +return pha(this,function(a){return a})}; +g.w(kl,dl);kl.prototype.j=function(a){var b;a=g.fg(null!=(b=a.by)?b:"");if(118>24&255,c>>16&255,c>>8&255,c&255],a);for(c=b=b.length;cd)return"";this.j.sort(function(n,p){return n-p}); +c=null;b="";for(var e=0;e=m.length){d-=m.length;a+=m;b=this.B;break}c=null==c?f:c}}d="";null!=c&&(d=b+"trn="+c);return a+d};bm.prototype.setInterval=function(a,b){return Bl.setInterval(a,b)}; +bm.prototype.clearInterval=function(a){Bl.clearInterval(a)}; +bm.prototype.setTimeout=function(a,b){return Bl.setTimeout(a,b)}; +bm.prototype.clearTimeout=function(a){Bl.clearTimeout(a)};Xha.prototype.getContext=function(){if(!this.j){if(!Bl)throw Error("Context has not been set and window is undefined.");this.j=am(bm)}return this.j};g.w(dm,J);dm.prototype.j=Oea([dm,1,h9a,2,k9a,3,k9a,4,k9a,5,n9a]);var dia={WPa:1,t1:2,nJa:3};fia.prototype.BO=function(a){if("string"===typeof a&&0!=a.length){var b=this.Cc;if(b.u){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=decodeURIComponent(d[0]);1=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; g.k.ceil=function(){this.top=Math.ceil(this.top);this.right=Math.ceil(this.right);this.bottom=Math.ceil(this.bottom);this.left=Math.ceil(this.left);return this}; g.k.floor=function(){this.top=Math.floor(this.top);this.right=Math.floor(this.right);this.bottom=Math.floor(this.bottom);this.left=Math.floor(this.left);return this}; g.k.round=function(){this.top=Math.round(this.top);this.right=Math.round(this.right);this.bottom=Math.round(this.bottom);this.left=Math.round(this.left);return this}; -g.k.scale=function(a,b){var c="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=c;this.bottom*=c;return this};g.k=g.jg.prototype;g.k.clone=function(){return new g.jg(this.left,this.top,this.width,this.height)}; -g.k.contains=function(a){return a instanceof g.ge?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=b;this.bottom*=b;return this};Bm.prototype.equals=function(a,b){return!!a&&(!(void 0===b?0:b)||this.volume==a.volume)&&this.B==a.B&&zm(this.j,a.j)&&!0};Cm.prototype.ub=function(){return this.J}; +Cm.prototype.equals=function(a,b){return this.C.equals(a.C,void 0===b?!1:b)&&this.J==a.J&&zm(this.B,a.B)&&zm(this.I,a.I)&&this.j==a.j&&this.D==a.D&&this.u==a.u&&this.T==a.T};var j$a={currentTime:1,duration:2,isVpaid:4,volume:8,isYouTube:16,isPlaying:32},jo={g1:"start",BZ:"firstquartile",T0:"midpoint",j1:"thirdquartile",nZ:"complete",ERROR:"error",S0:"metric",PAUSE:"pause",b1:"resume",e1:"skip",s1:"viewable_impression",V0:"mute",o1:"unmute",CZ:"fullscreen",yZ:"exitfullscreen",lZ:"bufferstart",kZ:"bufferfinish",DZ:"fully_viewable_audible_half_duration_impression",R0:"measurable_impression",dZ:"abandon",xZ:"engagedview",GZ:"impression",pZ:"creativeview",Q0:"loaded",gRa:"progress", +CLOSE:"close",zla:"collapse",dOa:"overlay_resize",eOa:"overlay_unmeasurable_impression",fOa:"overlay_unviewable_impression",hOa:"overlay_viewable_immediate_impression",gOa:"overlay_viewable_end_of_session_impression",rZ:"custom_metric_viewable",iNa:"verification_debug",gZ:"audio_audible",iZ:"audio_measurable",hZ:"audio_impression"},Ska="start firstquartile midpoint thirdquartile resume loaded".split(" "),Tka=["start","firstquartile","midpoint","thirdquartile"],Ija=["abandon"],Ro={UNKNOWN:-1,g1:0, +BZ:1,T0:2,j1:3,nZ:4,S0:5,PAUSE:6,b1:7,e1:8,s1:9,V0:10,o1:11,CZ:12,yZ:13,DZ:14,R0:15,dZ:16,xZ:17,GZ:18,pZ:19,Q0:20,rZ:21,lZ:22,kZ:23,hZ:27,iZ:28,gZ:29};var tia={W$:"addEventListener",Iva:"getMaxSize",Jva:"getScreenSize",Kva:"getState",Lva:"getVersion",DRa:"removeEventListener",jza:"isViewable"};g.k=g.Em.prototype;g.k.clone=function(){return new g.Em(this.left,this.top,this.width,this.height)}; +g.k.contains=function(a){return a instanceof g.Fe?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.distance=function(a){var b=a.xe)return"";this.u.sort(function(p,r){return p-r}); -c=null;b="";for(var f=0;f=n.length){e-=n.length;a+=n;b=this.C;break}c=null==c?h:c}}e="";null!=c&&(e=b+"trn="+c);return a+e+d};sh.prototype.setInterval=function(a,b){return fh.setInterval(a,b)}; -sh.prototype.clearInterval=function(a){fh.clearInterval(a)}; -sh.prototype.setTimeout=function(a,b){return fh.setTimeout(a,b)}; -sh.prototype.clearTimeout=function(a){fh.clearTimeout(a)}; -La(sh);wh.prototype.getContext=function(){if(!this.u){if(!fh)throw Error("Context has not been set and window is undefined.");this.u=sh.getInstance()}return this.u}; -La(wh);g.Va(yh,g.Ef);var wba={C1:1,lJ:2,S_:3};lc(fc(g.gc("https://pagead2.googlesyndication.com/pagead/osd.js")));Ch.prototype.Sz=function(a){if("string"===typeof a&&0!=a.length){var b=this.xb;if(b.B){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=d[0];d=1=this.K?a:this;b!==this.u?(this.F=this.u.F,ri(this)):this.F!==this.u.F&&(this.F=this.u.F,ri(this))}; -g.k.Xk=function(a){if(a.B===this.u){var b;if(!(b=this.ma)){b=this.C;var c=this.R;if(c=a&&(void 0===c||!c||b.volume==a.volume)&&b.C==a.C)b=b.u,c=a.u,c=b==c?!0:b&&c?b.top==c.top&&b.right==c.right&&b.bottom==c.bottom&&b.left==c.left:!1;b=!c}this.C=a;b&&yi(this)}}; -g.k.qj=function(){return this.R}; -g.k.dispose=function(){this.fa=!0}; -g.k.na=function(){return this.fa};g.k=zi.prototype;g.k.jz=function(){return!0}; -g.k.Xq=function(){}; -g.k.dispose=function(){if(!this.na()){var a=this.B;g.ob(a.D,this);a.R&&this.qj()&&xi(a);this.Xq();this.Y=!0}}; -g.k.na=function(){return this.Y}; -g.k.Mk=function(){return this.B.Mk()}; -g.k.Qi=function(){return this.B.Qi()}; -g.k.ao=function(){return this.B.ao()}; -g.k.Fq=function(){return this.B.Fq()}; -g.k.jo=function(){}; -g.k.Xk=function(){this.Ck()}; -g.k.qj=function(){return this.aa};g.k=Ai.prototype;g.k.Qi=function(){return this.u.Qi()}; -g.k.ao=function(){return this.u.ao()}; -g.k.Fq=function(){return this.u.Fq()}; -g.k.create=function(a,b,c){var d=null;this.u&&(d=this.Su(a,b,c),ti(this.u,d));return d}; -g.k.yE=function(){return this.Uq()}; -g.k.Uq=function(){return!1}; -g.k.init=function(a){return this.u.initialize()?(ti(this.u,this),this.D=a,!0):!1}; -g.k.jo=function(a){0==a.Qi()&&this.D(a.ao(),this)}; -g.k.Xk=function(){}; -g.k.qj=function(){return!1}; -g.k.dispose=function(){this.F=!0}; -g.k.na=function(){return this.F}; -g.k.Mk=function(){return{}};Di.prototype.add=function(a,b,c){++this.C;var d=this.C/4096,e=this.u,f=e.push;a=new Bi(a,b,c);d=new Bi(a.B,a.u,a.C+d);f.call(e,d);this.B=!0;return this};Hi.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=Fi(this.u);0=h;h=!(0=h)||c;this.u[e].update(f&&l,d,!f||h)}};Xi.prototype.update=function(a,b,c,d){this.K=-1!=this.K?Math.min(this.K,b.xc):b.xc;this.Y=Math.max(this.Y,b.xc);this.aa=-1!=this.aa?Math.min(this.aa,b.jg):b.jg;this.ha=Math.max(this.ha,b.jg);this.Ja.update(b.jg,c.jg,b.u,a,d);this.B.update(b.xc,c.xc,b.u,a,d);c=d||c.Gm!=b.Gm?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.u;this.za.update(c,a,b)}; -Xi.prototype.Jm=function(){return this.za.C>=this.Ub};var HBa=new hg(0,0,0,0);var Pba=new hg(0,0,0,0);g.u(aj,g.C);g.k=aj.prototype;g.k.ca=function(){this.Uf.u&&(this.jm.Az&&(Zf(this.Uf.u,"mouseover",this.jm.Az),this.jm.Az=null),this.jm.yz&&(Zf(this.Uf.u,"mouseout",this.jm.yz),this.jm.yz=null));this.Zr&&this.Zr.dispose();this.Ec&&this.Ec.dispose();delete this.Nu;delete this.fz;delete this.dI;delete this.Uf.jl;delete this.Uf.u;delete this.jm;delete this.Zr;delete this.Ec;delete this.xb;g.C.prototype.ca.call(this)}; -g.k.Pk=function(){return this.Ec?this.Ec.u:this.position}; -g.k.Sz=function(a){Ch.getInstance().Sz(a)}; -g.k.qj=function(){return!1}; -g.k.Tt=function(){return new Xi}; -g.k.Xf=function(){return this.Nu}; -g.k.lD=function(a){return dj(this,a,1E4)}; -g.k.oa=function(a,b,c,d,e,f,h){this.qo||(this.vt&&(a=this.hx(a,c,e,h),d=d&&this.Je.xc>=(this.Gm()?.3:.5),this.YA(f,a,d),this.lastUpdateTime=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new hg(0,0,0,0):a;a=this.B.C;b=e=d=0;0<(this.u.bottom-this.u.top)*(this.u.right-this.u.left)&&(this.XD(c)?c=new hg(0,0,0,0):(d=li.getInstance().D,b=new hg(0,d.height,d.width,0),d=$i(c,this.u),e=$i(c,li.getInstance().u), -b=$i(c,b)));c=c.top>=c.bottom||c.left>=c.right?new hg(0,0,0,0):ig(c,-this.u.left,-this.u.top);oi()||(e=d=0);this.K=new ci(a,this.element,this.u,c,d,e,this.timestamp,b)}; -g.k.getName=function(){return this.B.getName()};var IBa=new hg(0,0,0,0);g.u(sj,rj);g.k=sj.prototype;g.k.jz=function(){this.C();return!0}; -g.k.Xk=function(){rj.prototype.Ck.call(this)}; -g.k.eC=function(){}; -g.k.kx=function(){}; -g.k.Ck=function(){this.C();rj.prototype.Ck.call(this)}; -g.k.jo=function(a){a=a.isActive();a!==this.I&&(a?this.C():(li.getInstance().u=new hg(0,0,0,0),this.u=new hg(0,0,0,0),this.D=new hg(0,0,0,0),this.timestamp=-1));this.I=a};var v1={},fca=(v1.firstquartile=0,v1.midpoint=1,v1.thirdquartile=2,v1.complete=3,v1);g.u(uj,aj);g.k=uj.prototype;g.k.qj=function(){return!0}; -g.k.lD=function(a){return dj(this,a,Math.max(1E4,this.D/3))}; -g.k.oa=function(a,b,c,d,e,f,h){var l=this,m=this.aa(this)||{};g.Zb(m,e);this.D=m.duration||this.D;this.P=m.isVpaid||this.P;this.za=m.isYouTube||this.za;e=bca(this,b);1===zj(this)&&(f=e);aj.prototype.oa.call(this,a,b,c,d,m,f,h);this.C&&this.C.u&&g.Cb(this.K,function(n){pj(n,l)})}; -g.k.YA=function(a,b,c){aj.prototype.YA.call(this,a,b,c);yj(this).update(a,b,this.Je,c);this.Qa=jj(this.Je)&&jj(b);-1==this.ia&&this.Ga&&(this.ia=this.Xf().C.u);this.ze.C=0;a=this.Jm();b.isVisible()&&kj(this.ze,"vs");a&&kj(this.ze,"vw");ji(b.volume)&&kj(this.ze,"am");jj(b)&&kj(this.ze,"a");this.ko&&kj(this.ze,"f");-1!=b.B&&(kj(this.ze,"bm"),1==b.B&&kj(this.ze,"b"));jj(b)&&b.isVisible()&&kj(this.ze,"avs");this.Qa&&a&&kj(this.ze,"avw");0this.u.K&&(this.u=this,ri(this)),this.K=a);return 2==a}; -La(fk);La(gk);hk.prototype.xE=function(){kk(this,Uj(),!1)}; -hk.prototype.D=function(){var a=oi(),b=Xh();a?(Zh||($h=b,g.Cb(Tj.u,function(c){var d=c.Xf();d.ma=nj(d,b,1!=c.pe)})),Zh=!0):(this.K=nk(this,b),Zh=!1,Hj=b,g.Cb(Tj.u,function(c){c.vt&&(c.Xf().R=b)})); -kk(this,Uj(),!a)}; -La(hk);var ik=hk.getInstance();var ok=null,Wk="",Vk=!1;var w1=uk([void 0,1,2,3,4,8,16]),x1=uk([void 0,4,8,16]),KBa={sv:"sv",cb:"cb",e:"e",nas:"nas",msg:"msg","if":"if",sdk:"sdk",p:"p",p0:tk("p0",x1),p1:tk("p1",x1),p2:tk("p2",x1),p3:tk("p3",x1),cp:"cp",tos:"tos",mtos:"mtos",mtos1:sk("mtos1",[0,2,4],!1,x1),mtos2:sk("mtos2",[0,2,4],!1,x1),mtos3:sk("mtos3",[0,2,4],!1,x1),mcvt:"mcvt",ps:"ps",scs:"scs",bs:"bs",vht:"vht",mut:"mut",a:"a",a0:tk("a0",x1),a1:tk("a1",x1),a2:tk("a2",x1),a3:tk("a3",x1),ft:"ft",dft:"dft",at:"at",dat:"dat",as:"as",vpt:"vpt",gmm:"gmm", -std:"std",efpf:"efpf",swf:"swf",nio:"nio",px:"px",nnut:"nnut",vmer:"vmer",vmmk:"vmmk",vmiec:"vmiec",nmt:"nmt",tcm:"tcm",bt:"bt",pst:"pst",vpaid:"vpaid",dur:"dur",vmtime:"vmtime",dtos:"dtos",dtoss:"dtoss",dvs:"dvs",dfvs:"dfvs",dvpt:"dvpt",fmf:"fmf",vds:"vds",is:"is",i0:"i0",i1:"i1",i2:"i2",i3:"i3",ic:"ic",cs:"cs",c:"c",c0:tk("c0",x1),c1:tk("c1",x1),c2:tk("c2",x1),c3:tk("c3",x1),mc:"mc",nc:"nc",mv:"mv",nv:"nv",qmt:tk("qmtos",w1),qnc:tk("qnc",w1),qmv:tk("qmv",w1),qnv:tk("qnv",w1),raf:"raf",rafc:"rafc", -lte:"lte",ces:"ces",tth:"tth",femt:"femt",femvt:"femvt",emc:"emc",emuc:"emuc",emb:"emb",avms:"avms",nvat:"nvat",qi:"qi",psm:"psm",psv:"psv",psfv:"psfv",psa:"psa",pnk:"pnk",pnc:"pnc",pnmm:"pnmm",pns:"pns",ptlt:"ptlt",pngs:"pings",veid:"veid",ssb:"ssb",ss0:tk("ss0",x1),ss1:tk("ss1",x1),ss2:tk("ss2",x1),ss3:tk("ss3",x1),dc_rfl:"urlsigs",obd:"obd",omidp:"omidp",omidr:"omidr",omidv:"omidv",omida:"omida",omids:"omids",omidpv:"omidpv",omidam:"omidam",omidct:"omidct",omidia:"omidia"},LBa={c:pk("c"),at:"at", -atos:sk("atos",[0,2,4]),ta:function(a,b){return function(c){if(void 0===c[a])return b}}("tth","1"), -a:"a",dur:"dur",p:"p",tos:rk(),j:"dom",mtos:sk("mtos",[0,2,4]),gmm:"gmm",gdr:"gdr",ss:pk("ss"),vsv:$a("w2"),t:"t"},MBa={atos:"atos",amtos:"amtos",avt:sk("atos",[2]),davs:"davs",dafvs:"dafvs",dav:"dav",ss:pk("ss"),t:"t"},NBa={a:"a",tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),dur:"dur",fs:"fs",p:"p",vpt:"vpt",vsv:$a("ias_w2"),dom:"dom",gmm:"gmm",gdr:"gdr",t:"t"},OBa={tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),p:"p",vpt:"vpt",vsv:$a("dv_w4"),gmm:"gmm",gdr:"gdr",dom:"dom",t:"t",mv:"mv", -qmpt:sk("qmtos",[0,2,4]),qvs:function(a,b){return function(c){var d=c[a];if("number"===typeof d)return g.Oc(b,function(e){return 0=e?1:0})}}("qnc",[1, -.5,0]),qmv:"qmv",qa:"qas",a:"a"};var Dca={OW:"visible",GT:"audible",n3:"time",o3:"timetype"},zk={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.width*=a;this.top*=b;this.height*=b;return this};var xia={};Gia.prototype.update=function(a){a&&a.document&&(this.J=Dm(!1,a,this.isMobileDevice),this.j=Dm(!0,a,this.isMobileDevice),Iia(this,a),Hia(this,a))};$m.prototype.cancel=function(){cm().clearTimeout(this.j);this.j=null}; +$m.prototype.schedule=function(){var a=this,b=cm(),c=fm().j.j;this.j=b.setTimeout(em(c,qm(143,function(){a.u++;a.B.sample()})),sia())};g.k=an.prototype;g.k.LA=function(){return!1}; +g.k.initialize=function(){return this.isInitialized=!0}; +g.k.zy=function(){return this.j.Ga}; +g.k.mC=function(){return this.j.Z}; +g.k.fail=function(a,b){if(!this.Z||(void 0===b?0:b))this.Z=!0,this.Ga=a,this.T=0,this.j!=this||rn(this)}; +g.k.getName=function(){return this.j.Qa}; +g.k.ws=function(){return this.j.PT()}; +g.k.PT=function(){return{}}; +g.k.cq=function(){return this.j.T}; +g.k.mR=function(){var a=Xm();a.j=Dm(!0,this.B,a.isMobileDevice)}; +g.k.nR=function(){Hia(Xm(),this.B)}; +g.k.dU=function(){return this.C.j}; +g.k.sample=function(){}; +g.k.isActive=function(){return this.j.I}; +g.k.Hy=function(a){var b=this.j;this.j=a.cq()>=this.T?a:this;b!==this.j?(this.I=this.j.I,rn(this)):this.I!==this.j.I&&(this.I=this.j.I,rn(this))}; +g.k.Hs=function(a){if(a.u===this.j){var b=!this.C.equals(a,this.ea);this.C=a;b&&Lia(this)}}; +g.k.ip=function(){return this.ea}; +g.k.dispose=function(){this.Aa=!0}; +g.k.isDisposed=function(){return this.Aa};g.k=sn.prototype;g.k.yJ=function(){return!0}; +g.k.MA=function(){}; +g.k.dispose=function(){if(!this.isDisposed()){var a=this.u;g.wb(a.D,this);a.ea&&this.ip()&&Kia(a);this.MA();this.Z=!0}}; +g.k.isDisposed=function(){return this.Z}; +g.k.ws=function(){return this.u.ws()}; +g.k.cq=function(){return this.u.cq()}; +g.k.zy=function(){return this.u.zy()}; +g.k.mC=function(){return this.u.mC()}; +g.k.Hy=function(){}; +g.k.Hs=function(){this.Hr()}; +g.k.ip=function(){return this.oa};g.k=tn.prototype;g.k.cq=function(){return this.j.cq()}; +g.k.zy=function(){return this.j.zy()}; +g.k.mC=function(){return this.j.mC()}; +g.k.create=function(a,b,c){var d=null;this.j&&(d=this.ME(a,b,c),bn(this.j,d));return d}; +g.k.oR=function(){return this.NA()}; +g.k.NA=function(){return!1}; +g.k.init=function(a){return this.j.initialize()?(bn(this.j,this),this.C=a,!0):!1}; +g.k.Hy=function(a){0==a.cq()&&this.C(a.zy(),this)}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.dispose=function(){this.D=!0}; +g.k.isDisposed=function(){return this.D}; +g.k.ws=function(){return{}};un.prototype.add=function(a,b,c){++this.B;a=new Mia(a,b,c);this.j.push(new Mia(a.u,a.j,a.B+this.B/4096));this.u=!0;return this};var xn;xn=["av.default","js","unreleased"].slice(-1)[0];Ria.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=wn(this.j);0=h;h=!(0=h)||c;this.j[e].update(f&&l,d,!f||h)}};Fn.prototype.update=function(a,b,c,d){this.J=-1!=this.J?Math.min(this.J,b.Xd):b.Xd;this.oa=Math.max(this.oa,b.Xd);this.ya=-1!=this.ya?Math.min(this.ya,b.Tj):b.Tj;this.Ga=Math.max(this.Ga,b.Tj);this.ib.update(b.Tj,c.Tj,b.j,a,d);this.u.update(b.Xd,c.Xd,b.j,a,d);c=d||c.hv!=b.hv?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.j;this.Qa.update(c,a,b)}; +Fn.prototype.wq=function(){return this.Qa.B>=this.fb};if(Ym&&Ym.URL){var k$a=Ym.URL,l$a;if(l$a=!!k$a){var m$a;a:{if(k$a){var n$a=RegExp(".*[&#?]google_debug(=[^&]*)?(&.*)?$");try{var i3=n$a.exec(decodeURIComponent(k$a));if(i3){m$a=i3[1]&&1=(this.hv()?.3:.5),this.YP(f,a,d),this.Wo=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new xm(0,0,0,0):a;a=this.u.C;b=e=d=0;0<(this.j.bottom-this.j.top)*(this.j.right-this.j.left)&&(this.VU(c)?c=new xm(0,0,0,0):(d=Xm().C,b=new xm(0,d.height,d.width,0),d=Jn(c,this.j),e=Jn(c,Xm().j),b=Jn(c,b)));c=c.top>=c.bottom||c.left>=c.right?new xm(0,0,0, +0):Am(c,-this.j.left,-this.j.top);Zm()||(e=d=0);this.J=new Cm(a,this.element,this.j,c,d,e,this.timestamp,b)}; +g.k.getName=function(){return this.u.getName()};var s$a=new xm(0,0,0,0);g.w(bo,ao);g.k=bo.prototype;g.k.yJ=function(){this.B();return!0}; +g.k.Hs=function(){ao.prototype.Hr.call(this)}; +g.k.JS=function(){}; +g.k.HK=function(){}; +g.k.Hr=function(){this.B();ao.prototype.Hr.call(this)}; +g.k.Hy=function(a){a=a.isActive();a!==this.I&&(a?this.B():(Xm().j=new xm(0,0,0,0),this.j=new xm(0,0,0,0),this.C=new xm(0,0,0,0),this.timestamp=-1));this.I=a};var m3={},Gja=(m3.firstquartile=0,m3.midpoint=1,m3.thirdquartile=2,m3.complete=3,m3);g.w(eo,Kn);g.k=eo.prototype;g.k.ip=function(){return!0}; +g.k.Zm=function(){return 2==this.Gi}; +g.k.VT=function(a){return ija(this,a,Math.max(1E4,this.B/3))}; +g.k.Pa=function(a,b,c,d,e,f,h){var l=this,m=this.J(this)||{};g.od(m,e);this.B=m.duration||this.B;this.ea=m.isVpaid||this.ea;this.La=m.isYouTube||this.La;e=yja(this,b);1===xja(this)&&(f=e);Kn.prototype.Pa.call(this,a,b,c,d,m,f,h);this.Bq&&this.Bq.B&&g.Ob(this.I,function(n){n.u(l)})}; +g.k.YP=function(a,b,c){Kn.prototype.YP.call(this,a,b,c);ho(this).update(a,b,this.Ah,c);this.ib=On(this.Ah)&&On(b);-1==this.Ga&&this.fb&&(this.Ga=this.cj().B.j);this.Rg.B=0;a=this.wq();b.isVisible()&&Un(this.Rg,"vs");a&&Un(this.Rg,"vw");Vm(b.volume)&&Un(this.Rg,"am");On(b)?Un(this.Rg,"a"):Un(this.Rg,"mut");this.Oy&&Un(this.Rg,"f");-1!=b.u&&(Un(this.Rg,"bm"),1==b.u&&(Un(this.Rg,"b"),On(b)&&Un(this.Rg,"umutb")));On(b)&&b.isVisible()&&Un(this.Rg,"avs");this.ib&&a&&Un(this.Rg,"avw");0this.j.T&&(this.j=this,rn(this)),this.T=a);return 2==a};xo.prototype.sample=function(){Ao(this,po(),!1)}; +xo.prototype.C=function(){var a=Zm(),b=sm();a?(um||(vm=b,g.Ob(oo.j,function(c){var d=c.cj();d.La=Xn(d,b,1!=c.Gi)})),um=!0):(this.J=gka(this,b),um=!1,Hja=b,g.Ob(oo.j,function(c){c.wB&&(c.cj().T=b)})); +Ao(this,po(),!a)}; +var yo=am(xo);var ika=null,kp="",jp=!1;var lka=kka().Bo,Co=kka().Do;var oka={xta:"visible",Yha:"audible",mZa:"time",qZa:"timetype"},pka={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, audible:function(a){return"0"==a||"1"==a}, timetype:function(a){return"mtos"==a||"tos"==a}, -time:function(a){return/^(100|[0-9]{1,2})%$/.test(a)||/^([0-9])+ms$/.test(a)}};g.u(Ak,qj);Ak.prototype.getId=function(){return this.K}; -Ak.prototype.F=function(){return!0}; -Ak.prototype.C=function(a){var b=a.Xf(),c=a.getDuration();return ki(this.I,function(d){if(void 0!=d.u)var e=Fca(d,b);else b:{switch(d.F){case "mtos":e=d.B?b.F.C:b.C.u;break b;case "tos":e=d.B?b.F.u:b.C.u;break b}e=0}0==e?d=!1:(d=-1!=d.C?d.C:void 0!==c&&0=d);return d})};g.u(Bk,qj);Bk.prototype.C=function(a){var b=Si(a.Xf().u,1);return Aj(a,b)};g.u(Ck,qj);Ck.prototype.C=function(a){return a.Xf().Jm()};g.u(Fk,Gca);Fk.prototype.u=function(a){var b=new Dk;b.u=Ek(a,KBa);b.C=Ek(a,MBa);return b};g.u(Gk,sj);Gk.prototype.C=function(){var a=g.Ja("ima.admob.getViewability"),b=ah(this.xb,"queryid");"function"===typeof a&&b&&a(b)}; -Gk.prototype.getName=function(){return"gsv"};g.u(Hk,Ai);Hk.prototype.getName=function(){return"gsv"}; -Hk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Hk.prototype.Su=function(a,b,c){return new Gk(this.u,b,c)};g.u(Ik,sj);Ik.prototype.C=function(){var a=this,b=g.Ja("ima.bridge.getNativeViewability"),c=ah(this.xb,"queryid");"function"===typeof b&&c&&b(c,function(d){g.Sb(d)&&a.F++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.u=ii(d.opt_nativeViewBounds||{});var h=a.B.C;h.u=f?IBa.clone():ii(e);a.timestamp=d.opt_nativeTime||-1;li.getInstance().u=h.u;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; -Ik.prototype.getName=function(){return"nis"};g.u(Jk,Ai);Jk.prototype.getName=function(){return"nis"}; -Jk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Jk.prototype.Su=function(a,b,c){return new Ik(this.u,b,c)};g.u(Kk,qi);g.k=Kk.prototype;g.k.av=function(){return null!=this.B.Vh}; -g.k.hD=function(){var a={};this.ha&&(a.mraid=this.ha);this.Y&&(a.mlc=1);a.mtop=this.B.YR;this.I&&(a.mse=this.I);this.ia&&(a.msc=1);a.mcp=this.B.compatibility;return a}; -g.k.Gl=function(a,b){for(var c=[],d=1;d=d);return d})};g.w(Vo,rja);Vo.prototype.j=function(a){var b=new Sn;b.j=Tn(a,p$a);b.u=Tn(a,r$a);return b};g.w(Wo,Yn);Wo.prototype.j=function(a){return Aja(a)};g.w(Xo,wja);g.w(Yo,Yn);Yo.prototype.j=function(a){return a.cj().wq()};g.w(Zo,Zn);Zo.prototype.j=function(a){var b=g.rb(this.J,vl(fm().Cc,"ovms"));return!a.Ms&&(0!=a.Gi||b)};g.w($o,Xo);$o.prototype.u=function(){return new Zo(this.j)}; +$o.prototype.B=function(){return[new Yo("viewable_impression",this.j),new Wo(this.j)]};g.w(ap,bo);ap.prototype.B=function(){var a=g.Ga("ima.admob.getViewability"),b=vl(this.Cc,"queryid");"function"===typeof a&&b&&a(b)}; +ap.prototype.getName=function(){return"gsv"};g.w(bp,tn);bp.prototype.getName=function(){return"gsv"}; +bp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +bp.prototype.ME=function(a,b,c){return new ap(this.j,b,c)};g.w(cp,bo);cp.prototype.B=function(){var a=this,b=g.Ga("ima.bridge.getNativeViewability"),c=vl(this.Cc,"queryid");"function"===typeof b&&c&&b(c,function(d){g.hd(d)&&a.D++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.j=Eia(d.opt_nativeViewBounds||{});var h=a.u.C;h.j=f?s$a.clone():Eia(e);a.timestamp=d.opt_nativeTime||-1;Xm().j=h.j;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; +cp.prototype.getName=function(){return"nis"};g.w(dp,tn);dp.prototype.getName=function(){return"nis"}; +dp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +dp.prototype.ME=function(a,b,c){return new cp(this.j,b,c)};g.w(ep,an);g.k=ep.prototype;g.k.LA=function(){return null!=this.u.jn}; +g.k.PT=function(){var a={};this.Ja&&(a.mraid=this.Ja);this.ya&&(a.mlc=1);a.mtop=this.u.f9;this.J&&(a.mse=this.J);this.La&&(a.msc=1);a.mcp=this.u.compatibility;return a}; +g.k.zt=function(a){var b=g.ya.apply(1,arguments);try{return this.u.jn[a].apply(this.u.jn,b)}catch(c){rm(538,c,.01,function(d){d.method=a})}}; +g.k.initialize=function(){var a=this;if(this.isInitialized)return!this.mC();this.isInitialized=!0;if(2===this.u.compatibility)return this.J="ng",this.fail("w"),!1;if(1===this.u.compatibility)return this.J="mm",this.fail("w"),!1;Xm().T=!0;this.B.document.readyState&&"complete"==this.B.document.readyState?vka(this):Hn(this.B,"load",function(){cm().setTimeout(qm(292,function(){return vka(a)}),100)},292); return!0}; -g.k.JE=function(){var a=li.getInstance(),b=Rk(this,"getMaxSize");a.u=new hg(0,b.width,b.height,0)}; -g.k.KE=function(){li.getInstance().D=Rk(this,"getScreenSize")}; -g.k.dispose=function(){Pk(this);qi.prototype.dispose.call(this)}; -La(Kk);g.k=Sk.prototype;g.k.cq=function(a){bj(a,!1);rca(a)}; -g.k.Xt=function(){}; -g.k.Hr=function(a,b,c,d){var e=this;this.B||(this.B=this.AC());b=c?b:-1;a=null==this.B?new uj(fh,a,b,7):new uj(fh,a,b,7,new qj("measurable_impression",this.B),Mca(this));a.mf=d;jba(a.xb);$g(a.xb,"queryid",a.mf);a.Sz("");Uba(a,function(f){for(var h=[],l=0;lthis.C?this.B:2*this.B)-this.C);a[0]=128;for(var b=1;bb;++b)for(var d=0;32>d;d+=8)a[c++]=this.u[b]>>>d&255;return a};g.u(ql,Fk);ql.prototype.u=function(a){var b=Fk.prototype.u.call(this,a);var c=fl=g.A();var d=gl(5);c=(il?!d:d)?c|2:c&-3;d=gl(2);c=(jl?!d:d)?c|8:c&-9;c={s1:(c>>>0).toString(16)};this.B||(this.B=Xca());b.F=this.B;b.I=Ek(a,LBa,c,"h",rl("kArwaWEsTs"));b.D=Ek(a,NBa,{},"h",rl("b96YPMzfnx"));b.B=Ek(a,OBa,{},"h",rl("yb8Wev6QDg"));return b};sl.prototype.u=function(){return g.Ja(this.B)};g.u(tl,sl);tl.prototype.u=function(a){if(!a.Qo)return sl.prototype.u.call(this,a);var b=this.D[a.Qo];if(b)return function(c,d,e){b.B(c,d,e)}; -Wh(393,Error());return null};g.u(ul,Sk);g.k=ul.prototype;g.k.Xt=function(a,b){var c=this,d=Xj.getInstance();if(null!=d.u)switch(d.u.getName()){case "nis":var e=ada(this,a,b);break;case "gsv":e=$ca(this,a,b);break;case "exc":e=bda(this,a)}e||(b.opt_overlayAdElement?e=void 0:b.opt_adElement&&(e=Qca(this,a,b.opt_adElement,b.opt_osdId)));e&&1==e.Oi()&&(e.aa==g.Ka&&(e.aa=function(f){return c.IE(f)}),Zca(this,e,b)); +g.k.mR=function(){var a=Xm(),b=Aka(this,"getMaxSize");a.j=new xm(0,b.width,b.height,0)}; +g.k.nR=function(){Xm().C=Aka(this,"getScreenSize")}; +g.k.dispose=function(){xka(this);an.prototype.dispose.call(this)};var aia=new function(a,b){this.key=a;this.defaultValue=void 0===b?!1:b;this.valueType="boolean"}("45378663");g.k=gp.prototype;g.k.rB=function(a){Ln(a,!1);Uja(a)}; +g.k.eG=function(){}; +g.k.ED=function(a,b,c,d){var e=this;a=new eo(Bl,a,c?b:-1,7,this.eL(),this.eT());a.Zh=d;wha(a.Cc);ul(a.Cc,"queryid",a.Zh);a.BO("");lja(a,function(){return e.nU.apply(e,g.u(g.ya.apply(0,arguments)))},function(){return e.P3.apply(e,g.u(g.ya.apply(0,arguments)))}); +(d=am(qo).j)&&hja(a,d);a.Cj.Ss&&am(cka);return a}; +g.k.Hy=function(a){switch(a.cq()){case 0:if(a=am(qo).j)a=a.j,g.wb(a.D,this),a.ea&&this.ip()&&Kia(a);ip();break;case 2:zo()}}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.P3=function(a,b){a.Ms=!0;switch(a.Io()){case 1:Gka(a,b);break;case 2:this.LO(a)}}; +g.k.Y3=function(a){var b=a.J(a);b&&(b=b.volume,a.kb=Vm(b)&&0=a.keyCode)a.keyCode=-1}catch(b){}};var Gl="closure_listenable_"+(1E6*Math.random()|0),hda=0;Jl.prototype.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.u++);var h=Ll(a,b,d,e);-1>>0);g.Va(g.am,g.C);g.am.prototype[Gl]=!0;g.k=g.am.prototype;g.k.addEventListener=function(a,b,c,d){Nl(this,a,b,c,d)}; -g.k.removeEventListener=function(a,b,c,d){Vl(this,a,b,c,d)}; -g.k.dispatchEvent=function(a){var b=this.za;if(b){var c=[];for(var d=1;b;b=b.za)c.push(b),++d}b=this.Ga;d=a.type||a;if("string"===typeof a)a=new g.El(a,b);else if(a instanceof g.El)a.target=a.target||b;else{var e=a;a=new g.El(d,b);g.Zb(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=bm(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=bm(h,d,!0,a)&&e,a.u||(e=bm(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&f2*this.C&&Pm(this),!0):!1}; -g.k.get=function(a,b){return Om(this.B,a)?this.B[a]:b}; -g.k.set=function(a,b){Om(this.B,a)||(this.C++,this.u.push(a),this.Ol++);this.B[a]=b}; -g.k.forEach=function(a,b){for(var c=this.Sg(),d=0;d=d.u.length)throw fj;var f=d.u[b++];return a?f:d.B[f]}; -return e};g.Qm.prototype.toString=function(){var a=[],b=this.F;b&&a.push(Xm(b,VBa,!0),":");var c=this.u;if(c||"file"==b)a.push("//"),(b=this.R)&&a.push(Xm(b,VBa,!0),"@"),a.push(md(c).replace(/%25([0-9a-fA-F]{2})/g,"%$1")),c=this.D,null!=c&&a.push(":",String(c));if(c=this.B)this.u&&"/"!=c.charAt(0)&&a.push("/"),a.push(Xm(c,"/"==c.charAt(0)?WBa:XBa,!0));(c=this.C.toString())&&a.push("?",c);(c=this.I)&&a.push("#",Xm(c,YBa));return a.join("")}; -g.Qm.prototype.resolve=function(a){var b=this.clone(),c=!!a.F;c?g.Rm(b,a.F):c=!!a.R;c?b.R=a.R:c=!!a.u;c?g.Sm(b,a.u):c=null!=a.D;var d=a.B;if(c)g.Tm(b,a.D);else if(c=!!a.B){if("/"!=d.charAt(0))if(this.u&&!this.B)d="/"+d;else{var e=b.B.lastIndexOf("/");-1!=e&&(d=b.B.substr(0,e+1)+d)}e=d;if(".."==e||"."==e)d="";else if(-1!=e.indexOf("./")||-1!=e.indexOf("/.")){d=nc(e,"/");e=e.split("/");for(var f=[],h=0;ha&&0===a%1&&this.B[a]!=b&&(this.B[a]=b,this.u=-1)}; -fn.prototype.get=function(a){return!!this.B[a]};g.Va(g.gn,g.C);g.k=g.gn.prototype;g.k.start=function(){this.stop();this.D=!1;var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?(this.u=Nl(this.B,"MozBeforePaint",this.C),this.B.mozRequestAnimationFrame(null),this.D=!0):this.u=a&&b?a.call(this.B,this.C):this.B.setTimeout(kaa(this.C),20)}; -g.k.Sb=function(){this.isActive()||this.start()}; -g.k.stop=function(){if(this.isActive()){var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?Wl(this.u):a&&b?b.call(this.B,this.u):this.B.clearTimeout(this.u)}this.u=null}; -g.k.rg=function(){this.isActive()&&(this.stop(),this.sD())}; -g.k.isActive=function(){return null!=this.u}; -g.k.sD=function(){this.D&&this.u&&Wl(this.u);this.u=null;this.I.call(this.F,g.A())}; -g.k.ca=function(){this.stop();g.gn.Jd.ca.call(this)};g.Va(g.F,g.C);g.k=g.F.prototype;g.k.Bq=0;g.k.ca=function(){g.F.Jd.ca.call(this);this.stop();delete this.u;delete this.B}; -g.k.start=function(a){this.stop();this.Bq=g.Lm(this.C,void 0!==a?a:this.yf)}; -g.k.Sb=function(a){this.isActive()||this.start(a)}; -g.k.stop=function(){this.isActive()&&g.v.clearTimeout(this.Bq);this.Bq=0}; -g.k.rg=function(){this.isActive()&&g.kn(this)}; -g.k.isActive=function(){return 0!=this.Bq}; -g.k.tD=function(){this.Bq=0;this.u&&this.u.call(this.B)};g.Va(ln,kl);ln.prototype.reset=function(){this.u[0]=1732584193;this.u[1]=4023233417;this.u[2]=2562383102;this.u[3]=271733878;this.u[4]=3285377520;this.D=this.C=0}; -ln.prototype.update=function(a,b){if(null!=a){void 0===b&&(b=a.length);for(var c=b-this.B,d=0,e=this.I,f=this.C;dthis.C?this.update(this.F,56-this.C):this.update(this.F,this.B-(this.C-56));for(var c=this.B-1;56<=c;c--)this.I[c]=b&255,b/=256;mn(this,this.I);for(c=b=0;5>c;c++)for(var d=24;0<=d;d-=8)a[b]=this.u[c]>>d&255,++b;return a};g.Va(g.vn,g.am);g.k=g.vn.prototype;g.k.Hb=function(){return 1==this.Ka}; -g.k.wv=function(){this.Pg("begin")}; -g.k.sr=function(){this.Pg("end")}; -g.k.Zf=function(){this.Pg("finish")}; -g.k.Pg=function(a){this.dispatchEvent(a)};var ZBa=bb(function(){if(g.ye)return g.ae("10.0");var a=g.Fe("DIV"),b=g.Ae?"-webkit":wg?"-moz":g.ye?"-ms":g.xg?"-o":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");b={style:c};if(!xBa.test("div"))throw Error("");if("DIV"in zBa)throw Error("");c=null;var d="";if(b)for(h in b)if(Object.prototype.hasOwnProperty.call(b,h)){if(!xBa.test(h))throw Error("");var e=b[h];if(null!=e){var f=h;if(e instanceof ec)e=fc(e);else if("style"==f.toLowerCase()){if(!g.Pa(e))throw Error(""); -e instanceof Mc||(e=Sc(e));e=Nc(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in yBa)if(e instanceof ic)e=jc(e).toString();else if(e instanceof g.Ec)e=g.Fc(e);else if("string"===typeof e)e=g.Jc(e).Tg();else throw Error("");}e.Rj&&(e=e.Tg());f=f+'="'+xc(String(e))+'"';d+=" "+f}}var h="":(c=Gaa(d),h+=">"+g.bd(c).toString()+"",c=c.u());(b=b&&b.dir)&&(/^(ltr|rtl|auto)$/i.test(b)?c=0:c=null);b=cd(h,c);g.gd(a, -b);return""!=g.yg(a.firstChild,"transition")});g.Va(wn,g.vn);g.k=wn.prototype;g.k.play=function(){if(this.Hb())return!1;this.wv();this.Pg("play");this.startTime=g.A();this.Ka=1;if(ZBa())return g.ug(this.u,this.I),this.D=g.Lm(this.uR,void 0,this),!0;this.oy(!1);return!1}; -g.k.uR=function(){g.Lg(this.u);zda(this.u,this.K);g.ug(this.u,this.C);this.D=g.Lm((0,g.z)(this.oy,this,!1),1E3*this.F)}; -g.k.stop=function(){this.Hb()&&this.oy(!0)}; -g.k.oy=function(a){g.ug(this.u,"transition","");g.v.clearTimeout(this.D);g.ug(this.u,this.C);this.endTime=g.A();this.Ka=0;a?this.Pg("stop"):this.Zf();this.sr()}; -g.k.ca=function(){this.stop();wn.Jd.ca.call(this)}; -g.k.pause=function(){};var Ada={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};var Eda=yn("getPropertyValue"),Fda=yn("setProperty");var Dda={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};g.Cn.prototype.clone=function(){return new g.Cn(this.u,this.F,this.C,this.I,this.D,this.K,this.B,this.R)};g.En.prototype.B=0;g.En.prototype.reset=function(){this.u=this.C=this.D;this.B=0}; -g.En.prototype.getValue=function(){return this.C};Gn.prototype.clone=function(){return new Gn(this.start,this.end)}; -Gn.prototype.getLength=function(){return this.end-this.start};var $Ba=new WeakMap;(function(){if($Aa){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.Vc))?a[1]:"0"}return fE?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.Vc))?a[0].replace(/_/g,"."):"10"):g.qr?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.Vc))?a[1]:""):BBa||CBa||DBa?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.Vc))?a[1].replace(/_/g,"."):""):""})();var Mda=function(){if(g.vC)return Hn(/Firefox\/([0-9.]+)/);if(g.ye||g.hs||g.xg)return $d;if(g.pB)return Vd()?Hn(/CriOS\/([0-9.]+)/):Hn(/Chrome\/([0-9.]+)/);if(g.Ur&&!Vd())return Hn(/Version\/([0-9.]+)/);if(oD||sJ){var a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.Vc);if(a)return a[1]+"."+a[2]}else if(g.gD)return(a=Hn(/Android\s+([0-9.]+)/))?a:Hn(/Version\/([0-9.]+)/);return""}();g.Va(g.Jn,g.C);g.k=g.Jn.prototype;g.k.subscribe=function(a,b,c){var d=this.B[a];d||(d=this.B[a]=[]);var e=this.F;this.u[e]=a;this.u[e+1]=b;this.u[e+2]=c;this.F=e+3;d.push(e);return e}; -g.k.unsubscribe=function(a,b,c){if(a=this.B[a]){var d=this.u;if(a=g.fb(a,function(e){return d[e+1]==b&&d[e+2]==c}))return this.Cm(a)}return!1}; -g.k.Cm=function(a){var b=this.u[a];if(b){var c=this.B[b];0!=this.D?(this.C.push(a),this.u[a+1]=g.Ka):(c&&g.ob(c,a),delete this.u[a],delete this.u[a+1],delete this.u[a+2])}return!!b}; -g.k.V=function(a,b){var c=this.B[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)throw fj;var e=c.key(b++);if(a)return e;e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.pR=function(a){a.u=0;a.Aa=0;if("h"==a.C||"n"==a.C){fm();a.Ya&&(fm(),"h"!=mp(this)&&mp(this));var b=g.Ga("ima.common.getVideoMetadata");if("function"===typeof b)try{var c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2}else if("b"==a.C)if(b=g.Ga("ytads.bulleit.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else if("ml"==a.C)if(b=g.Ga("ima.common.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else a.u|=1;a.u||(void 0===c?a.u|=8:null=== +c?a.u|=16:g.hd(c)?a.u|=32:null!=c.errorCode&&(a.Aa=c.errorCode,a.u|=64));null==c&&(c={});b=c;a.T=0;for(var d in j$a)null==b[d]&&(a.T|=j$a[d]);Kka(b,"currentTime");Kka(b,"duration");Vm(c.volume)&&Vm()&&(c.volume*=NaN);return c}; +g.k.gL=function(){fm();"h"!=mp(this)&&mp(this);var a=Rka(this);return null!=a?new Lka(a):null}; +g.k.LO=function(a){!a.j&&a.Ms&&np(this,a,"overlay_unmeasurable_impression")&&(a.j=!0)}; +g.k.nX=function(a){a.PX&&(a.wq()?np(this,a,"overlay_viewable_end_of_session_impression"):np(this,a,"overlay_unviewable_impression"),a.PX=!1)}; +g.k.nU=function(){}; +g.k.ED=function(a,b,c,d){if(bia()){var e=vl(fm().Cc,"mm"),f={};(e=(f[gm.fZ]="ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO",f[gm.VIDEO]="ACTIVE_VIEW_TRAFFIC_TYPE_VIDEO",f)[e])&&vp(this,e);"ACTIVE_VIEW_TRAFFIC_TYPE_UNSPECIFIED"===this.C&&rm(1044,Error())}a=gp.prototype.ED.call(this,a,b,c,d);this.D&&(b=this.I,null==a.D&&(a.D=new mja),b.j[a.Zh]=a.D,a.D.D=t$a);return a}; +g.k.rB=function(a){a&&1==a.Io()&&this.D&&delete this.I.j[a.Zh];return gp.prototype.rB.call(this,a)}; +g.k.eT=function(){this.j||(this.j=this.gL());return null==this.j?new $n:"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new rp(this.j):new $o(this.j)}; +g.k.eL=function(){return"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new sp:new Vo}; +var up=new Sn;up.j="stopped";up.u="stopped";var u$a=pm(193,wp,void 0,Hka);g.Fa("Goog_AdSense_Lidar_sendVastEvent",u$a);var v$a=qm(194,function(a,b){b=void 0===b?{}:b;a=Uka(am(tp),a,b);return Vka(a)}); +g.Fa("Goog_AdSense_Lidar_getViewability",v$a);var w$a=pm(195,function(){return Wha()}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsArray",w$a);var x$a=qm(196,function(){return JSON.stringify(Wha())}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsList",x$a);var XIa={FSa:0,CSa:1,zSa:2,ASa:3,BSa:4,ESa:5,DSa:6};var Qna=(new Date).getTime();var y$a="client_dev_domain client_dev_regex_map client_dev_root_url client_rollout_override expflag forcedCapability jsfeat jsmode mods".split(" ");[].concat(g.u(y$a),["client_dev_set_cookie"]);var Zka="://secure-...imrworldwide.com/ ://cdn.imrworldwide.com/ ://aksecure.imrworldwide.com/ ://[^.]*.moatads.com ://youtube[0-9]+.moatpixel.com ://pm.adsafeprotected.com/youtube ://pm.test-adsafeprotected.com/youtube ://e[0-9]+.yt.srs.doubleverify.com www.google.com/pagead/xsul www.youtube.com/pagead/slav".split(" "),$ka=/\bocr\b/;var bla=/(?:\[|%5B)([a-zA-Z0-9_]+)(?:\]|%5D)/g;"undefined"!==typeof TextDecoder&&new TextDecoder;var z$a="undefined"!==typeof TextEncoder?new TextEncoder:null,qqa=z$a?function(a){return z$a.encode(a)}:function(a){a=g.fg(a); +for(var b=new Uint8Array(a.length),c=0;ca&&Number.isInteger(a)&&this.data_[a]!==b&&(this.data_[a]=b,this.j=-1)}; +Bp.prototype.get=function(a){return!!this.data_[a]};var Dp;g.Ta(g.Gp,g.C);g.k=g.Gp.prototype;g.k.start=function(){this.stop();this.C=!1;var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?(this.j=g.ud(this.u,"MozBeforePaint",this.B),this.u.mozRequestAnimationFrame(null),this.C=!0):this.j=a&&b?a.call(this.u,this.B):this.u.setTimeout(rba(this.B),20)}; +g.k.stop=function(){if(this.isActive()){var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?yd(this.j):a&&b?b.call(this.u,this.j):this.u.clearTimeout(this.j)}this.j=null}; +g.k.isActive=function(){return null!=this.j}; +g.k.N_=function(){this.C&&this.j&&yd(this.j);this.j=null;this.I.call(this.D,g.Ra())}; +g.k.qa=function(){this.stop();g.Gp.Gf.qa.call(this)};g.Ta(g.Ip,g.C);g.k=g.Ip.prototype;g.k.OA=0;g.k.qa=function(){g.Ip.Gf.qa.call(this);this.stop();delete this.j;delete this.u}; +g.k.start=function(a){this.stop();this.OA=g.ag(this.B,void 0!==a?a:this.Fi)}; +g.k.stop=function(){this.isActive()&&g.Ea.clearTimeout(this.OA);this.OA=0}; +g.k.isActive=function(){return 0!=this.OA}; +g.k.qR=function(){this.OA=0;this.j&&this.j.call(this.u)};Mp.prototype[Symbol.iterator]=function(){return this}; +Mp.prototype.next=function(){var a=this.j.next();return{value:a.done?void 0:this.u.call(void 0,a.value),done:a.done}};Vp.prototype.hk=function(){return new Wp(this.u())}; +Vp.prototype[Symbol.iterator]=function(){return new Xp(this.u())}; +Vp.prototype.j=function(){return new Xp(this.u())}; +g.w(Wp,g.Mn);Wp.prototype.next=function(){return this.u.next()}; +Wp.prototype[Symbol.iterator]=function(){return new Xp(this.u)}; +Wp.prototype.j=function(){return new Xp(this.u)}; +g.w(Xp,Vp);Xp.prototype.next=function(){return this.B.next()};g.k=g.Zp.prototype;g.k.Ml=function(){aq(this);for(var a=[],b=0;b2*this.size&&aq(this),!0):!1}; +g.k.get=function(a,b){return $p(this.u,a)?this.u[a]:b}; +g.k.set=function(a,b){$p(this.u,a)||(this.size+=1,this.j.push(a),this.Pt++);this.u[a]=b}; +g.k.forEach=function(a,b){for(var c=this.Xp(),d=0;d=d.j.length)return g.j3;var f=d.j[b++];return g.Nn(a?f:d.u[f])}; +return e};g.Ta(g.bq,g.Fd);g.k=g.bq.prototype;g.k.bd=function(){return 1==this.j}; +g.k.ZG=function(){this.Fl("begin")}; +g.k.Gq=function(){this.Fl("end")}; +g.k.onFinish=function(){this.Fl("finish")}; +g.k.Fl=function(a){this.dispatchEvent(a)};var A$a=Nd(function(){if(g.mf)return!0;var a=g.qf("DIV"),b=g.Pc?"-webkit":Im?"-moz":g.mf?"-ms":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");c={style:c};if(!c9a.test("div"))throw Error("");if("DIV"in e9a)throw Error("");b=void 0;var d="";if(c)for(h in c)if(Object.prototype.hasOwnProperty.call(c,h)){if(!c9a.test(h))throw Error("");var e=c[h];if(null!=e){var f=h;if(e instanceof Vd)e=Wd(e);else if("style"==f.toLowerCase()){if(!g.Ja(e))throw Error("");e instanceof +je||(e=Lba(e));e=ke(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in d9a)if(e instanceof Zd)e=zba(e).toString();else if(e instanceof ae)e=g.be(e);else if("string"===typeof e)e=g.he(e).Ll();else throw Error("");}e.Qo&&(e=e.Ll());f=f+'="'+Ub(String(e))+'"';d+=" "+f}}var h="":(b=Vba(b),h+=">"+g.ve(b).toString()+"");h=g.we(h);g.Yba(a,h);return""!=g.Jm(a.firstChild,"transition")});g.Ta(cq,g.bq);g.k=cq.prototype;g.k.play=function(){if(this.bd())return!1;this.ZG();this.Fl("play");this.startTime=g.Ra();this.j=1;if(A$a())return g.Hm(this.u,this.I),this.B=g.ag(this.g8,void 0,this),!0;this.zJ(!1);return!1}; +g.k.g8=function(){g.Sm(this.u);lla(this.u,this.J);g.Hm(this.u,this.C);this.B=g.ag((0,g.Oa)(this.zJ,this,!1),1E3*this.D)}; +g.k.stop=function(){this.bd()&&this.zJ(!0)}; +g.k.zJ=function(a){g.Hm(this.u,"transition","");g.Ea.clearTimeout(this.B);g.Hm(this.u,this.C);this.endTime=g.Ra();this.j=0;if(a)this.Fl("stop");else this.onFinish();this.Gq()}; +g.k.qa=function(){this.stop();cq.Gf.qa.call(this)}; +g.k.pause=function(){};var nla={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};dq("Element","attributes")||dq("Node","attributes");dq("Element","innerHTML")||dq("HTMLElement","innerHTML");dq("Node","nodeName");dq("Node","nodeType");dq("Node","parentNode");dq("Node","childNodes");dq("HTMLElement","style")||dq("Element","style");dq("HTMLStyleElement","sheet");var tla=pla("getPropertyValue"),ula=pla("setProperty");dq("Element","namespaceURI")||dq("Node","namespaceURI");var sla={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};var yla,G8a,xla,wla,zla;yla=RegExp("[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]");G8a=RegExp("^[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");g.B$a=RegExp("^[^\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]*[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]"); +g.eq=RegExp("^[^A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]*[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");xla=/^http:\/\/.*/;g.C$a=RegExp("^(ar|ckb|dv|he|iw|fa|nqo|ps|sd|ug|ur|yi|.*[-_](Adlm|Arab|Hebr|Nkoo|Rohg|Thaa))(?!.*[-_](Latn|Cyrl)($|-|_))($|-|_)","i");wla=/\s+/;zla=/[\d\u06f0-\u06f9]/;gq.prototype.clone=function(){return new gq(this.j,this.J,this.B,this.D,this.C,this.I,this.u,this.T)}; +gq.prototype.equals=function(a){return this.j==a.j&&this.J==a.J&&this.B==a.B&&this.D==a.D&&this.C==a.C&&this.I==a.I&&this.u==a.u&&this.T==a.T};iq.prototype.clone=function(){return new iq(this.start,this.end)};(function(){if($0a){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.hc()))?a[1]:"0"}return ZW?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.hc()))?a[0].replace(/_/g,"."):"10"):g.fz?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.hc()))?a[1]:""):R8a||S8a||T8a?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.hc()))?a[1].replace(/_/g,"."):""):""})();var Bla=function(){if(g.fJ)return jq(/Firefox\/([0-9.]+)/);if(g.mf||g.oB||g.dK)return Ic;if(g.eI){if(Cc()||Dc()){var a=jq(/CriOS\/([0-9.]+)/);if(a)return a}return jq(/Chrome\/([0-9.]+)/)}if(g.BA&&!Cc())return jq(/Version\/([0-9.]+)/);if(cz||dz){if(a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.hc()))return a[1]+"."+a[2]}else if(g.eK)return(a=jq(/Android\s+([0-9.]+)/))?a:jq(/Version\/([0-9.]+)/);return""}();g.Ta(g.lq,g.C);g.k=g.lq.prototype;g.k.subscribe=function(a,b,c){var d=this.u[a];d||(d=this.u[a]=[]);var e=this.I;this.j[e]=a;this.j[e+1]=b;this.j[e+2]=c;this.I=e+3;d.push(e);return e}; +g.k.unsubscribe=function(a,b,c){if(a=this.u[a]){var d=this.j;if(a=a.find(function(e){return d[e+1]==b&&d[e+2]==c}))return this.Gh(a)}return!1}; +g.k.Gh=function(a){var b=this.j[a];if(b){var c=this.u[b];0!=this.C?(this.B.push(a),this.j[a+1]=function(){}):(c&&g.wb(c,a),delete this.j[a],delete this.j[a+1],delete this.j[a+2])}return!!b}; +g.k.ma=function(a,b){var c=this.u[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)return g.j3;var e=c.key(b++);if(a)return g.Nn(e);e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){this.u.clear()}; -g.k.key=function(a){return this.u.key(a)};g.Va(bo,ao);g.Va(co,ao);g.Va(fo,$n);var Pda={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},eo=null;g.k=fo.prototype;g.k.isAvailable=function(){return!!this.u}; -g.k.set=function(a,b){this.u.setAttribute(go(a),b);ho(this)}; -g.k.get=function(a){a=this.u.getAttribute(go(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; -g.k.remove=function(a){this.u.removeAttribute(go(a));ho(this)}; -g.k.wj=function(a){var b=0,c=this.u.XMLDocument.documentElement.attributes,d=new ej;d.next=function(){if(b>=c.length)throw fj;var e=c[b++];if(a)return decodeURIComponent(e.nodeName.replace(/\./g,"%")).substr(1);e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.clear=function(){this.j.clear()}; +g.k.key=function(a){return this.j.key(a)};g.Ta(sq,rq);g.Ta(Hla,rq);g.Ta(uq,qq);var Ila={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},tq=null;g.k=uq.prototype;g.k.isAvailable=function(){return!!this.j}; +g.k.set=function(a,b){this.j.setAttribute(vq(a),b);wq(this)}; +g.k.get=function(a){a=this.j.getAttribute(vq(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; +g.k.remove=function(a){this.j.removeAttribute(vq(a));wq(this)}; +g.k.hk=function(a){var b=0,c=this.j.XMLDocument.documentElement.attributes,d=new g.Mn;d.next=function(){if(b>=c.length)return g.j3;var e=c[b++];if(a)return g.Nn(decodeURIComponent(e.nodeName.replace(/\./g,"%")).slice(1));e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){for(var a=this.u.XMLDocument.documentElement,b=a.attributes.length;0=b)){if(1==b)lb(a);else{a[0]=a.pop();a=0;b=this.u;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; -g.k.Hf=function(){for(var a=this.u,b=[],c=a.length,d=0;d>1;if(b[d].getKey()>c.getKey())b[a]=b[d],a=d;else break}b[a]=c}; +g.k.remove=function(){var a=this.j,b=a.length,c=a[0];if(!(0>=b)){if(1==b)a.length=0;else{a[0]=a.pop();a=0;b=this.j;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; +g.k.Ml=function(){for(var a=this.j,b=[],c=a.length,d=0;d>>16&65535|0;for(var f;0!==c;){f=2E3o3;o3++){n3=o3;for(var I$a=0;8>I$a;I$a++)n3=n3&1?3988292384^n3>>>1:n3>>>1;H$a[o3]=n3}nr=function(a,b,c,d){c=d+c;for(a^=-1;d>>8^H$a[(a^b[d])&255];return a^-1};var dr={};dr={2:"need dictionary",1:"stream end",0:"","-1":"file error","-2":"stream error","-3":"data error","-4":"insufficient memory","-5":"buffer error","-6":"incompatible version"};var Xq=[0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0],$q=[0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13],fma=[0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7],Vla=[16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15],hr=Array(576);Pq(hr);var ir=Array(60);Pq(ir);var Zq=Array(512);Pq(Zq);var Wq=Array(256);Pq(Wq);var Yq=Array(29);Pq(Yq);var ar=Array(30);Pq(ar);var cma,dma,ema,bma=!1;var sr;sr=[new rr(0,0,0,0,function(a,b){var c=65535;for(c>a.Vl-5&&(c=a.Vl-5);;){if(1>=a.Yb){or(a);if(0===a.Yb&&0===b)return 1;if(0===a.Yb)break}a.xb+=a.Yb;a.Yb=0;var d=a.qk+c;if(0===a.xb||a.xb>=d)if(a.Yb=a.xb-d,a.xb=d,jr(a,!1),0===a.Sd.le)return 1;if(a.xb-a.qk>=a.Oi-262&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;if(4===b)return jr(a,!0),0===a.Sd.le?3:4;a.xb>a.qk&&jr(a,!1);return 1}), +new rr(4,4,8,4,pr),new rr(4,5,16,8,pr),new rr(4,6,32,32,pr),new rr(4,4,16,16,qr),new rr(8,16,32,32,qr),new rr(8,16,128,128,qr),new rr(8,32,128,256,qr),new rr(32,128,258,1024,qr),new rr(32,258,258,4096,qr)];var ama={};ama=function(){this.input=null;this.yw=this.Ti=this.Gv=0;this.Sj=null;this.LP=this.le=this.pz=0;this.msg="";this.state=null;this.iL=2;this.Cd=0};var gma=Object.prototype.toString; +tr.prototype.push=function(a,b){var c=this.Sd,d=this.options.chunkSize;if(this.ended)return!1;var e=b===~~b?b:!0===b?4:0;"string"===typeof a?c.input=Kla(a):"[object ArrayBuffer]"===gma.call(a)?c.input=new Uint8Array(a):c.input=a;c.Gv=0;c.Ti=c.input.length;do{0===c.le&&(c.Sj=new Oq.Nw(d),c.pz=0,c.le=d);a=$la(c,e);if(1!==a&&0!==a)return this.Gq(a),this.ended=!0,!1;if(0===c.le||0===c.Ti&&(4===e||2===e))if("string"===this.options.to){var f=Oq.rP(c.Sj,c.pz);b=f;f=f.length;if(65537>f&&(b.subarray&&G$a|| +!b.subarray))b=String.fromCharCode.apply(null,Oq.rP(b,f));else{for(var h="",l=0;la||a>c.length)throw Error();c[a]=b}; +var $ma=[1];g.w(Qu,J);Qu.prototype.j=function(a,b){return Sh(this,4,Du,a,b)}; +Qu.prototype.B=function(a,b){return Ih(this,5,a,b)}; +var ana=[4,5];g.w(Ru,J);g.w(Su,J);g.w(Tu,J);g.w(Uu,J);Uu.prototype.Qf=function(){return g.ai(this,2)};g.w(Vu,J);Vu.prototype.j=function(a,b){return Sh(this,1,Uu,a,b)}; +var bna=[1];g.w(Wu,J);g.w(Xu,J);Xu.prototype.Qf=function(){return g.ai(this,2)};g.w(Yu,J);Yu.prototype.j=function(a,b){return Sh(this,1,Xu,a,b)}; +var cna=[1];g.w(Zu,J);var $R=[1,2,3];g.w($u,J);$u.prototype.j=function(a,b){return Sh(this,1,Zu,a,b)}; +var dna=[1];g.w(av,J);var FD=[2,3,4,5];g.w(bv,J);bv.prototype.getMessage=function(){return g.ai(this,1)};g.w(cv,J);g.w(dv,J);g.w(ev,J);g.w(fv,J);fv.prototype.zi=function(a,b){return Sh(this,5,ev,a,b)}; +var ena=[5];g.w(gv,J);g.w(hv,J);hv.prototype.j=function(a,b){return Sh(this,3,gv,a,b)}; +var fna=[3];g.w(iv,J);g.w(jv,J);jv.prototype.B=function(a,b){return Sh(this,19,Ss,a,b)}; +jv.prototype.j=function(a,b){return Sh(this,20,Rs,a,b)}; +var gna=[19,20];g.w(kv,J);g.w(lv,J);g.w(mv,J);mv.prototype.j=function(a,b){return Sh(this,2,kv,a,b)}; +mv.prototype.setConfig=function(a){return I(this,lv,3,a)}; +mv.prototype.D=function(a,b){return Sh(this,5,kv,a,b)}; +mv.prototype.B=function(a,b){return Sh(this,9,wt,a,b)}; +var hna=[2,5,9];g.w(nv,J);nv.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(ov,J);ov.prototype.j=function(a,b){return Sh(this,9,nv,a,b)}; +var ina=[9];g.w(pv,J);g.w(qv,J);g.w(rv,J);g.w(tv,J);g.w(uv,J);uv.prototype.getType=function(){return bi(this,2)}; +uv.prototype.j=function(a,b){return Sh(this,3,tv,a,b)}; +var jna=[3];g.w(vv,J);vv.prototype.j=function(a,b){return Sh(this,10,wu,a,b)}; +vv.prototype.B=function(a,b){return Sh(this,17,ov,a,b)}; +var kna=[10,17];g.w(wv,J);var yHa={Gha:0,Fha:1,Cha:2,Dha:3,Eha:4};g.w(xv,J);xv.prototype.Qf=function(){return g.ai(this,2)}; +xv.prototype.GB=function(){return g.ai(this,7)};var $Ga={Ria:0,Qia:1,Kia:2,Lia:3,Mia:4,Nia:5,Oia:6,Pia:7};var fHa={Lpa:0,Mpa:3,Npa:1,Kpa:2};var WGa={Fqa:0,Vpa:1,Ypa:2,aqa:3,bqa:4,cqa:5,eqa:6,fqa:7,gqa:8,hqa:9,iqa:10,lqa:11,mqa:12,nqa:13,oqa:14,pqa:15,rqa:16,uqa:17,vqa:18,wqa:19,xqa:20,yqa:21,zqa:22,Aqa:23,Bqa:24,Gqa:25,Hqa:26,sqa:27,Cqa:28,tqa:29,kqa:30,dqa:31,jqa:32,Iqa:33,Jqa:34,Upa:35,Xpa:36,Dqa:37,Eqa:38,Zpa:39,qqa:40,Wpa:41};var ZGa={eta:0,ara:1,msa:2,Zsa:3,rta:4,isa:5,nsa:6,gra:7,ira:8,hra:9,zsa:10,hsa:11,gsa:12,Hsa:13,Lsa:14,ata:15,nta:16,fra:17,Qqa:18,xra:19,mra:20,lsa:21,tsa:22,bta:23,Rqa:24,Tqa:25,Esa:26,ora:116,Ara:27,Bra:28,ysa:29,cra:30,ura:31,ksa:32,xsa:33,Oqa:34,Pqa:35,Mqa:36,Nqa:37,qsa:38,rsa:39,Ksa:40,dra:41,pta:42,Csa:43,wsa:44,Asa:45,jsa:46,Bsa:47,pra:48,jra:49,tta:50,zra:51,yra:52,kra:53,lra:54,Xsa:55,Wsa:56,Vsa:57,Ysa:58,nra:59,qra:60,mta:61,Gsa:62,Dsa:63,Fsa:64,ssa:65,Rsa:66,Psa:67,Qsa:117,Ssa:68,vra:69, +wra:121,sta:70,tra:71,Tsa:72,Usa:73,Isa:74,Jsa:75,sra:76,rra:77,vsa:78,dta:79,usa:80,Kqa:81,Yqa:115,Wqa:120,Xqa:122,Zqa:123,Dra:124,Cra:125,Vqa:126,Osa:127,Msa:128,Nsa:129,qta:130,Lqa:131,Uqa:132,Sqa:133,Gra:82,Ira:83,Xra:84,Jra:85,esa:86,Hra:87,Lra:88,Rra:89,Ura:90,Zra:91,Wra:92,Yra:93,Fra:94,Mra:95,Vra:96,Ora:97,Nra:98,Era:99,Kra:100,bsa:101,Sra:102,fsa:103,csa:104,Pra:105,dsa:106,Tra:107,Qra:118,gta:108,kta:109,jta:110,ita:111,lta:112,hta:113,fta:114};var Hab={ula:0,tla:1,rla:2,sla:3};var hJa={aUa:0,HUa:1,MUa:2,uUa:3,vUa:4,wUa:5,OUa:39,PUa:6,KUa:7,GUa:50,NUa:69,IUa:70,JUa:71,EUa:74,xUa:32,yUa:44,zUa:33,LUa:8,AUa:9,BUa:10,DUa:11,CUa:12,FUa:73,bUa:56,cUa:57,dUa:58,eUa:59,fUa:60,gUa:61,lVa:13,mVa:14,nVa:15,vVa:16,qVa:17,xVa:18,wVa:19,sVa:20,tVa:21,oVa:34,uVa:35,rVa:36,pVa:49,kUa:37,lUa:38,nUa:40,pUa:41,oUa:42,qUa:43,rUa:51,mUa:52,jUa:67,hUa:22,iUa:23,TUa:24,ZUa:25,aVa:62,YUa:26,WUa:27,SUa:48,QUa:53,RUa:63,bVa:66,VUa:54,XUa:68,cVa:72,UUa:75,tUa:64,sUa:65,dVa:28,gVa:29,fVa:30,eVa:31, +iVa:45,kVa:46,jVa:47,hVa:55};var eJa={zVa:0,AVa:1,yVa:2};var jJa={DVa:0,CVa:1,BVa:2};var iJa={KVa:0,IVa:1,GVa:2,JVa:3,EVa:4,FVa:5,HVa:6};var PIa={cZa:0,bZa:1,aZa:2};var OIa={gZa:0,eZa:1,dZa:2,fZa:3};g.w(yv,J);g.w(zv,J);g.w(Av,J);g.w(Bv,J);g.w(Cv,J);g.w(Dv,J);Dv.prototype.hasFeature=function(){return null!=Ah(this,2)};g.w(Ev,J);Ev.prototype.OB=function(){return g.ai(this,7)};g.w(Fv,J);g.w(Gv,J);g.w(Hv,J);Hv.prototype.getName=function(){return bi(this,1)}; +Hv.prototype.getStatus=function(){return bi(this,2)}; +Hv.prototype.getState=function(){return bi(this,3)}; +Hv.prototype.qc=function(a){return H(this,3,a)};g.w(Iv,J);Iv.prototype.j=function(a,b){return Sh(this,2,Hv,a,b)}; +var lna=[2];g.w(Jv,J);g.w(Kv,J);Kv.prototype.j=function(a,b){return Sh(this,1,Iv,a,b)}; +Kv.prototype.B=function(a,b){return Sh(this,2,Iv,a,b)}; +var mna=[1,2];var dJa={fAa:0,dAa:1,eAa:2};var MIa={eGa:0,YFa:1,bGa:2,fGa:3,ZFa:4,aGa:5,cGa:6,dGa:7};var NIa={iGa:0,hGa:1,gGa:2};var LIa={FJa:0,GJa:1,EJa:2};var KIa={WJa:0,JJa:1,SJa:2,XJa:3,UJa:4,MJa:5,IJa:6,KJa:7,LJa:8,VJa:9,TJa:10,NJa:11,QJa:12,RJa:13,PJa:14,OJa:15,HJa:16};var HIa={NXa:0,JXa:1,MXa:2,LXa:3,KXa:4};var GIa={RXa:0,PXa:1,QXa:2,OXa:3};var IIa={YXa:0,UXa:1,WXa:2,SXa:3,XXa:4,TXa:5,VXa:6};var FIa={fYa:0,hYa:1,gYa:2,bYa:3,ZXa:4,aYa:5,iYa:6,cYa:7,jYa:8,dYa:9,eYa:10};var JIa={mYa:0,lYa:1,kYa:2};var TIa={d1a:0,a1a:1,Z0a:2,U0a:3,W0a:4,X0a:5,T0a:6,V0a:7,b1a:8,f1a:9,Y0a:10,R0a:11,S0a:12,e1a:13};var SIa={h1a:0,g1a:1};var $Ia={E1a:0,i1a:1,D1a:2,C1a:3,I1a:4,H1a:5,B1a:19,m1a:6,o1a:7,x1a:8,n1a:24,A1a:25,y1a:20,q1a:21,k1a:22,z1a:23,j1a:9,l1a:10,p1a:11,s1a:12,t1a:13,u1a:14,w1a:15,v1a:16,F1a:17,G1a:18};var UIa={M1a:0,L1a:1,N1a:2,J1a:3,K1a:4};var QIa={c2a:0,V1a:1,Q1a:2,Z1a:3,U1a:4,b2a:5,P1a:6,R1a:7,W1a:8,S1a:9,X1a:10,Y1a:11,T1a:12,a2a:13};var WIa={j2a:0,h2a:1,f2a:2,g2a:3,i2a:4};var VIa={n2a:0,k2a:1,l2a:2,m2a:3};var RIa={r2a:0,q2a:1,p2a:2};var aJa={u2a:0,s2a:1,t2a:2};var bJa={O2a:0,N2a:1,M2a:2,K2a:3,L2a:4};var cJa={S2a:0,Q2a:1,P2a:2,R2a:3};var Iab={Gla:0,Dla:1,Ela:2,Bla:3,Fla:4,Cla:5};var NFa={n1:0,Gxa:1,Eva:2,Fva:3,gAa:4,oKa:5,Xha:6};var WR={doa:0,Kna:101,Qna:102,Fna:103,Ina:104,Nna:105,Ona:106,Rna:107,Sna:108,Una:109,Vna:110,coa:111,Pna:112,Lna:113,Tna:114,Xna:115,eoa:116,Hna:117,Mna:118,foa:119,Yna:120,Zna:121,Jna:122,Gna:123,Wna:124,boa:125,aoa:126};var JHa={ooa:0,loa:1,moa:2,joa:3,koa:4,ioa:5,noa:6};var Jab={fpa:0,epa:1,cpa:2,dpa:3};var Kab={qpa:0,opa:1,hpa:2,npa:3,gpa:4,kpa:5,mpa:6,ppa:7,lpa:8,jpa:9,ipa:10};var Lab={spa:0,tpa:1,rpa:2};g.w(Lv,J);g.w(Mv,J);g.w(Nv,J);Nv.prototype.getState=function(){return Uh(this,1)}; +Nv.prototype.qc=function(a){return H(this,1,a)};g.w(Ov,J);g.w(Pv,J);g.w(Qv,J);g.w(Rv,J);g.w(Sv,J);Sv.prototype.Ce=function(){return g.ai(this,1)}; +Sv.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Tv,J);Tv.prototype.og=function(a){Rh(this,1,a)};g.w(Uv,J);Uv.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(Vv,J);Vv.prototype.hasFeature=function(){return null!=Ah(this,1)};g.w(Wv,J);g.w(Xv,J);g.w(Yv,J);Yv.prototype.Qf=function(){return bi(this,2)}; +var Mab=[1];g.w(Zv,J);g.w($v,J);g.w(aw,J);g.w(bw,J);bw.prototype.getVideoAspectRatio=function(){return kea(this,2)};g.w(cw,J);g.w(dw,J);g.w(ew,J);g.w(fw,J);g.w(gw,J);g.w(hw,J);g.w(iw,J);g.w(jw,J);g.w(kw,J);g.w(lw,J);g.w(mw,J);mw.prototype.getId=function(){return g.ai(this,1)};g.w(nw,J);g.w(ow,J);g.w(pw,J);pw.prototype.j=function(a,b){return Sh(this,5,ow,a,b)}; +var nna=[5];g.w(qw,J);g.w(rw,J);g.w(tw,J);tw.prototype.OB=function(){return g.ai(this,30)}; +tw.prototype.j=function(a,b){return Sh(this,27,rw,a,b)}; +var ona=[27];g.w(uw,J);g.w(vw,J);g.w(ww,J);g.w(xw,J);var s3=[1,2,3,4];g.w(yw,J);g.w(Aw,J);g.w(Fw,J);g.w(Gw,J);g.w(Hw,J);Hw.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(Iw,J);g.w(Jw,J);g.w(Kw,J);g.w(Lw,J);g.w(Mw,J);g.w(Nw,J);g.w(Ow,J);Ow.prototype.j=function(a,b){return Ih(this,1,a,b)}; +var pna=[1];g.w(Pw,J);Pw.prototype.Qf=function(){return bi(this,3)};g.w(Qw,J);g.w(Rw,J);g.w(Sw,J);g.w(Tw,J);Tw.prototype.Ce=function(){return Mh(this,Rw,2===Jh(this,t3)?2:-1)}; +Tw.prototype.setVideoId=function(a){return Oh(this,Rw,2,t3,a)}; +Tw.prototype.getPlaylistId=function(){return Mh(this,Qw,4===Jh(this,t3)?4:-1)}; +var t3=[2,3,4,5];g.w(Uw,J);Uw.prototype.getType=function(){return bi(this,1)}; +Uw.prototype.Ce=function(){return g.ai(this,3)}; +Uw.prototype.setVideoId=function(a){return H(this,3,a)};g.w(Vw,J);g.w(Ww,J);g.w(Xw,J);var DIa=[3];g.w(Yw,J);g.w(Zw,J);g.w($w,J);g.w(ax,J);g.w(bx,J);g.w(cx,J);g.w(dx,J);g.w(ex,J);g.w(fx,J);g.w(gx,J);gx.prototype.getStarted=function(){return Th(Uda(Ah(this,1)),!1)};g.w(hx,J);g.w(ix,J);g.w(jx,J);jx.prototype.getDuration=function(){return Uh(this,2)}; +jx.prototype.Sk=function(a){H(this,2,a)};g.w(kx,J);g.w(lx,J);g.w(mx,J);mx.prototype.OB=function(){return g.ai(this,1)};g.w(nx,J);g.w(ox,J);g.w(px,J);px.prototype.vg=function(){return Mh(this,nx,8)}; +px.prototype.a4=function(){return Ch(this,nx,8)}; +px.prototype.getVideoData=function(){return Mh(this,ox,15)}; +px.prototype.iP=function(a){I(this,ox,15,a)}; +var qna=[4];g.w(qx,J);g.w(rx,J);rx.prototype.j=function(a){return H(this,2,a)};g.w(sx,J);sx.prototype.j=function(a){return H(this,1,a)}; +var tna=[3];g.w(tx,J);tx.prototype.j=function(a){return H(this,1,a)}; +tx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(ux,J);ux.prototype.j=function(a){return H(this,1,a)}; +ux.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(vx,J);vx.prototype.j=function(a){return H(this,1,a)}; +vx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(wx,J);wx.prototype.j=function(a){return H(this,1,a)}; +wx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(xx,J);g.w(yx,J);yx.prototype.getId=function(){return g.ai(this,2)};g.w(Bx,J);Bx.prototype.getVisibilityState=function(){return bi(this,5)}; +var vna=[16];g.w(Cx,J);g.w(Dx,J);Dx.prototype.getPlayerType=function(){return bi(this,7)}; +Dx.prototype.Ce=function(){return g.ai(this,19)}; +Dx.prototype.setVideoId=function(a){return H(this,19,a)}; +var wna=[112,83,68];g.w(Fx,J);g.w(Gx,J);g.w(Hx,J);Hx.prototype.Ce=function(){return g.ai(this,1)}; +Hx.prototype.setVideoId=function(a){return H(this,1,a)}; +Hx.prototype.j=function(a,b){return Sh(this,9,Gx,a,b)}; +var xna=[9];g.w(Ix,J);Ix.prototype.j=function(a,b){return Sh(this,3,Hx,a,b)}; +var yna=[3];g.w(Jx,J);Jx.prototype.Ce=function(){return g.ai(this,1)}; +Jx.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Kx,J);g.w(Lx,J);Lx.prototype.j=function(a,b){return Sh(this,1,Jx,a,b)}; +Lx.prototype.B=function(a,b){return Sh(this,2,Kx,a,b)}; +var zna=[1,2];g.w(Mx,J);g.w(Nx,J);Nx.prototype.getId=function(){return g.ai(this,1)}; +Nx.prototype.j=function(a,b){return Ih(this,2,a,b)}; +var Ana=[2];g.w(Ox,J);g.w(Px,J);g.w(Qx,J);Qx.prototype.j=function(a,b){return Ih(this,9,a,b)}; +var Bna=[9];g.w(Rx,J);g.w(Sx,J);g.w(Tx,J);Tx.prototype.getId=function(){return g.ai(this,1)}; +Tx.prototype.j=function(a,b){return Sh(this,14,Px,a,b)}; +Tx.prototype.B=function(a,b){return Sh(this,17,Rx,a,b)}; +var Cna=[14,17];g.w(Ux,J);Ux.prototype.B=function(a,b){return Sh(this,1,Tx,a,b)}; +Ux.prototype.j=function(a,b){return Sh(this,2,Nx,a,b)}; +var Dna=[1,2];g.w(Vx,J);g.w(Wx,J);Wx.prototype.getOrigin=function(){return g.ai(this,3)}; +Wx.prototype.Ye=function(){return Uh(this,6)};g.w(Xx,J);g.w(Yx,J);g.w(Zx,J);Zx.prototype.getContext=function(){return Mh(this,Yx,33)}; +var AD=[2,3,5,6,7,11,13,20,21,22,23,24,28,32,37,45,59,72,73,74,76,78,79,80,85,91,97,100,102,105,111,117,119,126,127,136,146,148,151,156,157,158,159,163,164,168,176,177,178,179,184,188,189,190,191,193,194,195,196,197,198,199,200,201,202,203,204,205,206,208,209,215,219,222,225,226,227,229,232,233,234,240,241,244,247,248,249,251,254,255,256,257,258,259,260,261,266,270,272,278,288,291,293,300,304,308,309,310,311,313,314,319,320,321,323,324,327,328,330,331,332,334,337,338,340,344,348,350,351,352,353,354, +355,356,357,358,361,363,364,368,369,370,373,374,375,378,380,381,383,388,389,402,403,410,411,412,413,414,415,416,417,418,423,424,425,426,427,429,430,431,439,441,444,448,458,469,471,473,474];var Nab={Eoa:0,Boa:1,Aoa:2,Doa:3,Coa:4,yoa:5,zoa:6};var Oab={Cua:0,oua:1,rua:2,pua:3,uua:4,qua:5,Wta:6,zua:7,hua:8,Qta:9,iua:10,vua:11,sua:12,Yta:13,Uta:14,Xta:15,Bua:16,Rta:17,Sta:18,Aua:19,Zta:20,Vta:21,yua:22,Hua:23,Gua:24,Dua:25,jua:26,tua:27,Iua:28,aua:29,Ota:30,Fua:31,Eua:32,gua:33,Lua:34,fua:35,wua:36,Kua:37,kua:38,xua:39,eua:40,cua:41,Tta:42,nua:43,Jua:44,Pta:45};var Pab={uva:0,fva:1,iva:2,gva:3,mva:4,hva:5,Vua:6,rva:7,ava:8,Oua:9,bva:10,nva:11,jva:12,Xua:13,Tua:14,Wua:15,tva:16,Qua:17,Rua:18,sva:19,Yua:20,Uua:21,qva:22,yva:23,xva:24,vva:25,cva:26,kva:27,zva:28,Zua:29,Mua:30,wva:31,Pua:32,Cva:33,ova:34,Bva:35,dva:36,pva:37,Sua:38,eva:39,Ava:40,Nua:41};var Qab={kxa:0,jxa:1,lxa:2};var Rab={nwa:0,lwa:1,hwa:3,jwa:4,kwa:5,mwa:6,iwa:7};var Sab={twa:0,qwa:1,swa:2,rwa:3,pwa:4,owa:5};var Uab={fxa:0,bxa:1,cxa:2,dxa:3,exa:4};var Vab={qxa:0,rxa:1,sxa:2,pxa:3,nxa:4,oxa:5};var QCa={aya:0,Hxa:1,Nxa:2,Oxa:4,Uxa:8,Pxa:16,Qxa:32,Zxa:64,Yxa:128,Jxa:256,Lxa:512,Sxa:1024,Kxa:2048,Mxa:4096,Ixa:8192,Rxa:16384,Vxa:32768,Txa:65536,Wxa:131072,Xxa:262144};var IHa={Eya:0,Dya:1,Cya:2,Bya:4};var HHa={Jya:0,Gya:1,Hya:2,Kya:3,Iya:4,Fya:5};var Wab={Ata:0,zta:1,yta:2};var Xab={mGa:0,lGa:1,kGa:2};var Yab={bHa:0,JGa:1,ZGa:2,LGa:3,RGa:4,dHa:5,aHa:6,zGa:7,yGa:8,xGa:9,DGa:10,IGa:11,HGa:12,AGa:13,SGa:14,NGa:15,PGa:16,pGa:17,YGa:18,tGa:19,OGa:20,oGa:21,QGa:22,GGa:23,qGa:24,sGa:25,VGa:26,cHa:27,WGa:28,MGa:29,BGa:30,EGa:31,FGa:32,wGa:33,eHa:34,uGa:35,CGa:36,TGa:37,rGa:38,nGa:39,vGa:41,KGa:42,UGa:43,XGa:44};var Zab={iHa:0,hHa:1,gHa:2,fHa:3};var bHa={MHa:0,LHa:1,JHa:2,KHa:7,IHa:8,HHa:25,wHa:3,xHa:4,FHa:5,GHa:27,EHa:28,yHa:9,mHa:10,kHa:11,lHa:6,vHa:12,tHa:13,uHa:14,sHa:15,AHa:16,BHa:17,zHa:18,DHa:19,CHa:20,pHa:26,qHa:21,oHa:22,rHa:23,nHa:24,NHa:29};var dHa={SHa:0,PHa:1,QHa:2,RHa:3,OHa:4};var cHa={XHa:0,VHa:1,WHa:2,THa:3,UHa:4};var LGa={eIa:0,YHa:1,aIa:2,ZHa:3,bIa:4,cIa:5,dIa:6,fIa:7};var UHa={Xoa:0,Voa:1,Woa:2,Soa:3,Toa:4,Uoa:5};var ZHa={rMa:0,qMa:1,jMa:2,oMa:3,kMa:4,nMa:5,pMa:6,mMa:7,lMa:8};var uHa={LMa:0,DMa:1,MMa:2,KMa:4,HMa:8,GMa:16,FMa:32,IMa:64,EMa:128,JMa:256};var VHa={eNa:0,ZMa:1,dNa:2,WMa:3,OMa:4,UMa:5,PMa:6,QMa:7,SMa:8,XMa:9,bNa:10,aNa:11,cNa:12,RMa:13,TMa:14,VMa:15,YMa:16,NMa:17};var sHa={gMa:0,dMa:1,eMa:2,fMa:3};var xHa={yMa:0,AMa:1,xMa:2,tMa:3,zMa:4,uMa:5,vMa:6,wMa:7};var PGa={F2a:0,Lla:1,XFa:2,tKa:3,vKa:4,wKa:5,qKa:6,wZa:7,MKa:8,LKa:9,rKa:10,uKa:11,a_a:12,Oda:13,Wda:14,Pda:15,oPa:16,YLa:17,NKa:18,QKa:19,CMa:20,PKa:21,sMa:22,fNa:23,VKa:24,iMa:25,sKa:26,tZa:27,CXa:28,NRa:29,jja:30,n6a:31,hMa:32};var OGa={I2a:0,V$:1,hNa:2,gNa:3,SUCCESS:4,hZa:5,Bta:6,CRa:7,gwa:9,Mla:10,Dna:11,CANCELLED:12,MRa:13,DXa:14,IXa:15,b3a:16};var NGa={o_a:0,f_a:1,k_a:2,j_a:3,g_a:4,h_a:5,b_a:6,n_a:7,m_a:8,e_a:9,d_a:10,i_a:11,l_a:12,c_a:13};var YGa={dPa:0,UOa:1,YOa:2,WOa:3,cPa:4,XOa:5,bPa:6,aPa:7,ZOa:8,VOa:9};var $ab={lQa:0,kQa:1,jQa:2};var abb={oQa:0,mQa:1,nQa:2};var aHa={LSa:0,KSa:1,JSa:2};var bbb={SSa:0,TSa:1};var zIa={ZSa:0,XSa:1,YSa:2,aTa:3};var cbb={iWa:0,gWa:1,hWa:2};var dbb={FYa:0,BYa:1,CYa:2,DYa:3,EYa:4};var wHa={lWa:0,jWa:1,kWa:2};var YHa={FWa:0,CWa:1,DWa:2,EWa:3};var oHa={aha:0,Zga:1,Xga:2,Yga:3};var OHa={Fia:0,zia:1,Cia:2,Dia:3,Bia:4,Eia:5,Gia:6,Aia:7};var iHa={hma:0,gma:1,jma:2};var SGa={D2a:0,fla:1,gla:2,ela:3,hla:4};var RGa={E2a:0,bQa:1,MOa:2};var RHa={Kta:0,Gta:1,Cta:2,Jta:3,Eta:4,Hta:5,Fta:6,Dta:7,Ita:8};var THa={ixa:0,hxa:1,gxa:2};var NHa={WFa:0,VFa:1,UFa:2};var QHa={fKa:0,eKa:1,dKa:2};var MHa={qSa:0,oSa:1,pSa:2};var mHa={lZa:0,kZa:1,jZa:2};var ebb={sFa:0,oFa:1,pFa:2,qFa:3,rFa:4,tFa:5};var fbb={mPa:0,jPa:1,hPa:2,ePa:3,iPa:4,kPa:5,fPa:6,gPa:7,lPa:8,nPa:9};var gbb={KZa:0,JZa:1,LZa:2};var yIa={j6a:0,T5a:1,a6a:2,Z5a:3,S5a:4,k6a:5,h6a:6,U5a:7,V5a:8,Y5a:9,X5a:12,P5a:10,i6a:11,d6a:13,e6a:14,l6a:15,b6a:16,f6a:17,Q5a:18,g6a:19,R5a:20,m6a:21,W5a:22};var tIa={eya:0,cya:1,dya:2,bya:3};g.w($x,J);g.w(ay,J);ay.prototype.Ce=function(){var a=1===Jh(this,kD)?1:-1;return Ah(this,a)}; +ay.prototype.setVideoId=function(a){return Kh(this,1,kD,a)}; +ay.prototype.getPlaylistId=function(){var a=2===Jh(this,kD)?2:-1;return Ah(this,a)}; +var kD=[1,2];g.w(by,J);by.prototype.getContext=function(){return Mh(this,rt,1)}; +var Ena=[3];var rM=new g.zr("changeKeyedMarkersVisibilityCommand");var hbb=new g.zr("changeMarkersVisibilityCommand");var wza=new g.zr("loadMarkersCommand");var qza=new g.zr("shoppingOverlayRenderer");g.Oza=new g.zr("musicEmbeddedPlayerOverlayVideoDetailsRenderer");var ibb=new g.zr("adFeedbackEndpoint");var wNa=new g.zr("phoneDialerEndpoint");var vNa=new g.zr("sendSmsEndpoint");var Mza=new g.zr("copyTextEndpoint");var jbb=new g.zr("webPlayerShareEntityServiceEndpoint");g.pM=new g.zr("urlEndpoint");g.oM=new g.zr("watchEndpoint");var LCa=new g.zr("watchPlaylistEndpoint");var cIa={ija:0,hja:1,gja:2,eja:3,fja:4};var tHa={KKa:0,IKa:1,JKa:2,HKa:3};var kbb={aLa:0,ZKa:1,XKa:2,YKa:3};var lbb={eLa:0,bLa:1,cLa:2,dLa:3,fLa:4};var mbb={VLa:0,QLa:1,WLa:2,SLa:3,JLa:4,BLa:37,mLa:5,jLa:36,oLa:38,wLa:39,xLa:40,sLa:41,ULa:42,pLa:27,GLa:31,ILa:6,KLa:7,LLa:8,MLa:9,NLa:10,OLa:11,RLa:29,qLa:30,HLa:32,ALa:12,zLa:13,lLa:14,FLa:15,gLa:16,iLa:35,nLa:43,rLa:28,DLa:17,CLa:18,ELa:19,TLa:20,vLa:25,kLa:33,XLa:21,yLa:22,uLa:26,tLa:34,PLa:23,hLa:24};var aIa={cMa:0,aMa:1,ZLa:2,bMa:3};var ZR={HXa:0,EXa:1,GXa:2,FXa:3};var QGa={ZZa:0,NZa:1,MZa:2,SZa:3,YZa:4,OZa:5,VZa:6,TZa:7,UZa:8,PZa:9,WZa:10,QZa:11,XZa:12,RZa:13};var rHa={BMa:0,WKa:1,OKa:2,TKa:3,UKa:4,RKa:5,SKa:6};var nbb={OSa:0,NSa:1};var obb={IYa:0,HYa:1,GYa:2,JYa:3};var pbb={MYa:0,LYa:1,KYa:2};var qbb={WYa:0,QYa:1,RYa:2,SYa:5,VYa:7,XYa:8,TYa:9,UYa:10};var rbb={PYa:0,OYa:1,NYa:2};var KKa=new g.zr("compositeVideoOverlayRenderer");var KNa=new g.zr("miniplayerRenderer");var bza=new g.zr("playerMutedAutoplayOverlayRenderer"),cza=new g.zr("playerMutedAutoplayEndScreenRenderer");var gya=new g.zr("unserializedPlayerResponse"),dza=new g.zr("unserializedPlayerResponse");var sbb=new g.zr("playlistEditEndpoint");var u3;g.mM=new g.zr("buttonRenderer");u3=new g.zr("toggleButtonRenderer");var YR={G2a:0,tCa:4,sSa:1,cwa:2,mia:3,uCa:5,vSa:6,dwa:7,ewa:8,fwa:9};var tbb=new g.zr("resolveUrlCommandMetadata");var ubb=new g.zr("modifyChannelNotificationPreferenceEndpoint");var $Da=new g.zr("pingingEndpoint");var vbb=new g.zr("unsubscribeEndpoint");var PFa={J2a:0,kJa:1,gJa:2,fJa:3,GIa:71,FIa:4,iJa:5,lJa:6,jJa:16,hJa:69,HIa:70,CIa:56,DIa:64,EIa:65,TIa:7,JIa:8,OIa:9,KIa:10,NIa:11,MIa:12,LIa:13,QIa:43,WIa:44,XIa:45,YIa:46,ZIa:47,aJa:48,bJa:49,cJa:50,dJa:51,eJa:52,UIa:53,VIa:54,SIa:63,IIa:14,RIa:15,PIa:68,b5a:17,k5a:18,u4a:19,a5a:20,O4a:21,c5a:22,m4a:23,W4a:24,R4a:25,y4a:26,k4a:27,F4a:28,Z4a:29,h4a:30,g4a:31,i4a:32,n4a:33,X4a:34,V4a:35,P4a:36,T4a:37,d5a:38,B4a:39,j5a:40,H4a:41,w4a:42,e5a:55,S4a:66,A5a:67,L4a:57,Y4a:58,o4a:59,j4a:60,C4a:61,Q4a:62};var wbb={BTa:0,DTa:1,uTa:2,mTa:3,yTa:4,zTa:5,ETa:6,dTa:7,eTa:8,kTa:9,vTa:10,nTa:11,rTa:12,pTa:13,qTa:14,sTa:15,tTa:19,gTa:16,xTa:17,wTa:18,iTa:20,oTa:21,fTa:22,CTa:23,lTa:24,hTa:25,ATa:26,jTa:27};g.FM=new g.zr("subscribeButtonRenderer");var xbb=new g.zr("subscribeEndpoint");var pHa={pWa:0,nWa:1,oWa:2};g.GKa=new g.zr("buttonViewModel");var ZIa={WTa:0,XTa:1,VTa:2,RTa:3,UTa:4,STa:5,QTa:6,TTa:7};var q2a=new g.zr("qrCodeRenderer");var zxa={BFa:"LIVING_ROOM_APP_MODE_UNSPECIFIED",yFa:"LIVING_ROOM_APP_MODE_MAIN",xFa:"LIVING_ROOM_APP_MODE_KIDS",zFa:"LIVING_ROOM_APP_MODE_MUSIC",AFa:"LIVING_ROOM_APP_MODE_UNPLUGGED",wFa:"LIVING_ROOM_APP_MODE_GAMING"};var lza=new g.zr("autoplaySwitchButtonRenderer");var HL,oza,xya,cPa;HL=new g.zr("decoratedPlayerBarRenderer");oza=new g.zr("chapteredPlayerBarRenderer");xya=new g.zr("multiMarkersPlayerBarRenderer");cPa=new g.zr("chapterRenderer");g.VOa=new g.zr("markerRenderer");var nM=new g.zr("desktopOverlayConfigRenderer");var rza=new g.zr("gatedActionsOverlayViewModel");var ZOa=new g.zr("heatMarkerRenderer");var YOa=new g.zr("heatmapRenderer");var vza=new g.zr("watchToWatchTransitionRenderer");var Pza=new g.zr("playlistPanelRenderer");var TKa=new g.zr("speedmasterEduViewModel");var lM=new g.zr("suggestedActionTimeRangeTrigger"),mza=new g.zr("suggestedActionsRenderer"),nza=new g.zr("suggestedActionRenderer");var $Oa=new g.zr("timedMarkerDecorationRenderer");var ybb={z5a:0,v5a:1,w5a:2,y5a:3,x5a:4,u5a:5,t5a:6,p5a:7,r5a:8,s5a:9,q5a:10,n5a:11,m5a:12,l5a:13,o5a:14};var MR={n1:0,USER:74,Hha:459,TRACK:344,Iha:493,Vha:419,gza:494,dja:337,zIa:237,Uwa:236,Cna:3,B5a:78,E5a:248,oJa:79,mRa:246,K5a:247,zKa:382,yKa:383,xKa:384,oZa:235,VIDEO:4,H5a:186,Vla:126,AYa:127,dma:117,iRa:125,nSa:151,woa:515,Ola:6,Pva:132,Uva:154,Sva:222,Tva:155,Qva:221,Rva:156,zYa:209,yYa:210,U3a:7,BRa:124,mWa:96,kKa:97,b4a:93,c4a:275,wia:110,via:120,iQa:121,wxa:72,N3a:351,FTa:495,L3a:377,O3a:378,Lta:496,Mta:497,GTa:498,xia:381,M3a:386,d4a:387,Bha:410,kya:437,Spa:338,uia:380,T$:352,ROa:113,SOa:114, +EZa:82,FZa:112,uoa:354,AZa:21,Ooa:523,Qoa:375,Poa:514,Qda:302,ema:136,xxa:85,dea:22,L5a:23,IZa:252,HZa:253,tia:254,Nda:165,xYa:304,Noa:408,Xya:421,zZa:422,V3a:423,gSa:463,PLAYLIST:63,S3a:27,R3a:28,T3a:29,pYa:30,sYa:31,rYa:324,tYa:32,Hia:398,vYa:399,wYa:400,mKa:411,lKa:413,nKa:414,pKa:415,uRa:39,vRa:143,zRa:144,qRa:40,rRa:145,tRa:146,F3a:504,yRa:325,BPa:262,DPa:263,CPa:264,FPa:355,GPa:249,IPa:250,HPa:251,Ala:46,PSa:49,RSa:50,Hda:62,hIa:105,aza:242,BXa:397,rQa:83,QOa:135,yha:87,Aha:153,zha:187,tha:89, +sha:88,uha:139,wha:91,vha:104,xha:137,kla:99,U2a:100,iKa:326,qoa:148,poa:149,nYa:150,oYa:395,Zha:166,fia:199,aia:534,eia:167,bia:168,jia:169,kia:170,cia:171,dia:172,gia:179,hia:180,lia:512,iia:513,j3a:200,V2a:476,k3a:213,Wha:191,EPa:192,yPa:305,zPa:306,KPa:329,yWa:327,zWa:328,uPa:195,vPa:197,TOa:301,pPa:223,qPa:224,Vya:227,nya:396,hza:356,cza:490,iza:394,kja:230,oia:297,o3a:298,Uya:342,xoa:346,uta:245,GZa:261,Axa:265,Fxa:266,Bxa:267,yxa:268,zxa:269,Exa:270,Cxa:271,Dxa:272,mFa:303,dEa:391,eEa:503, +gEa:277,uFa:499,vFa:500,kFa:501,nFa:278,fEa:489,zpa:332,Bpa:333,xpa:334,Apa:335,ypa:336,jla:340,Pya:341,E3a:349,D3a:420,xRa:281,sRa:282,QSa:286,qYa:288,wRa:291,ARa:292,cEa:295,uYa:296,bEa:299,Sda:417,lza:308,M5a:309,N5a:310,O5a:311,Dea:350,m3a:418,Vwa:424,W2a:425,AKa:429,jKa:430,fza:426,xXa:460,hKa:427,PRa:428,QRa:542,ORa:461,AWa:464,mIa:431,kIa:432,rIa:433,jIa:434,oIa:435,pIa:436,lIa:438,qIa:439,sIa:453,nIa:454,iIa:472,vQa:545,tQa:546,DQa:547,GQa:548,FQa:549,EQa:550,wQa:551,CQa:552,yQa:516,xQa:517, +zQa:544,BQa:519,AQa:553,sZa:520,sQa:521,uQa:522,dza:543,aQa:440,cQa:441,gQa:442,YPa:448,ZPa:449,dQa:450,hQa:451,fQa:491,POST:445,XPa:446,eQa:447,JQa:456,BKa:483,KQa:529,IQa:458,USa:480,VSa:502,WSa:482,Qya:452,ITa:465,JTa:466,Ena:467,HQa:468,Cpa:469,yla:470,xla:471,bza:474,Oya:475,vma:477,Rya:478,Yva:479,LPa:484,JPa:485,xPa:486,wPa:487,Xda:488,apa:492,Epa:505,Moa:506,W3a:507,uAa:508,Xva:509,Zva:510,bwa:511,n3a:524,P3a:530,wSa:531,Dpa:532,OTa:533,Sya:535,kza:536,Yya:537,eza:538,Tya:539,Zya:540,Wya:541};var Ita=new g.zr("cipher");var hya=new g.zr("playerVars");var eza=new g.zr("playerVars");var v3=g.Ea.window,zbb,Abb,cy=(null==v3?void 0:null==(zbb=v3.yt)?void 0:zbb.config_)||(null==v3?void 0:null==(Abb=v3.ytcfg)?void 0:Abb.data_)||{};g.Fa("yt.config_",cy);var ky=[];var Nna=/^[\w.]*$/,Lna={q:!0,search_query:!0},Kna=String(oy);var Ona=new function(){var a=window.document;this.j=window;this.u=a}; +g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return py(zy(a))});g.Ra();var Rna="XMLHttpRequest"in g.Ea?function(){return new XMLHttpRequest}:null;var Tna={Authorization:"AUTHORIZATION","X-Goog-EOM-Visitor-Id":"EOM_VISITOR_DATA","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-Youtube-Domain-Admin-State":"DOMAIN_ADMIN_STATE","X-Youtube-Chrome-Connected":"CHROME_CONNECTED_HEADER","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL", +"X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM","X-Goog-AuthUser":"SESSION_INDEX","X-Goog-PageId":"DELEGATED_SESSION_ID"},Vna="app debugcss debugjs expflag force_ad_params force_ad_encrypted force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address".split(" ").concat(g.u(y$a)),$na=!1,qDa=Fy;g.w(Jy,cb);My.prototype.then=function(a,b,c){return this.j?this.j.then(a,b,c):1===this.B&&a?(a=a.call(c,this.u))&&"function"===typeof a.then?a:Oy(a):2===this.B&&b?(a=b.call(c,this.u))&&"function"===typeof a.then?a:Ny(a):this}; +My.prototype.getValue=function(){return this.u}; +My.prototype.$goog_Thenable=!0;var Py=!1;var nB=cz||dz;var loa=/^([0-9\.]+):([0-9\.]+)$/;g.w(sz,cb);sz.prototype.name="BiscottiError";g.w(rz,cb);rz.prototype.name="BiscottiMissingError";var uz={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},tz=null;var voa=eaa(["data-"]),zoa={};var Bbb=0,vz=g.Pc?"webkit":Im?"moz":g.mf?"ms":g.dK?"o":"",Cbb=g.Ga("ytDomDomGetNextId")||function(){return++Bbb}; +g.Fa("ytDomDomGetNextId",Cbb);var Coa={stopImmediatePropagation:1,stopPropagation:1,preventMouseEvent:1,preventManipulation:1,preventDefault:1,layerX:1,layerY:1,screenX:1,screenY:1,scale:1,rotation:1,webkitMovementX:1,webkitMovementY:1};Cz.prototype.preventDefault=function(){this.event&&(this.event.returnValue=!1,this.event.preventDefault&&this.event.preventDefault())}; +Cz.prototype.UU=function(){return this.event?!1===this.event.returnValue:!1}; +Cz.prototype.stopPropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopPropagation&&this.event.stopPropagation())}; +Cz.prototype.stopImmediatePropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopImmediatePropagation&&this.event.stopImmediatePropagation())};var Dz=g.Ea.ytEventsEventsListeners||{};g.Fa("ytEventsEventsListeners",Dz);var Foa=g.Ea.ytEventsEventsCounter||{count:0};g.Fa("ytEventsEventsCounter",Foa);var Moa=Nd(function(){var a=!1;try{var b=Object.defineProperty({},"passive",{get:function(){a=!0}}); +window.addEventListener("test",null,b)}catch(c){}return a}),Goa=Nd(function(){var a=!1; try{var b=Object.defineProperty({},"capture",{get:function(){a=!0}}); -window.addEventListener("test",null,b)}catch(c){}return a});var iz=window.ytcsi&&window.ytcsi.now?window.ytcsi.now:window.performance&&window.performance.timing&&window.performance.now&&window.performance.timing.navigationStart?function(){return window.performance.timing.navigationStart+window.performance.now()}:function(){return(new Date).getTime()};g.Va(op,g.C);op.prototype.Y=function(a){void 0===a.u&&Zo(a);var b=a.u;void 0===a.B&&Zo(a);this.u=new g.ge(b,a.B)}; -op.prototype.Pk=function(){return this.u||new g.ge}; -op.prototype.K=function(){if(this.u){var a=iz();if(0!=this.D){var b=this.I,c=this.u,d=b.x-c.x;b=b.y-c.y;d=Math.sqrt(d*d+b*b)/(a-this.D);this.B[this.C]=.5c;c++)b+=this.B[c]||0;3<=b&&this.P();this.F=d}this.D=a;this.I=this.u;this.C=(this.C+1)%4}}; -op.prototype.ca=function(){window.clearInterval(this.X);g.dp(this.R)};g.u(tp,pp);tp.prototype.start=function(){var a=g.Ja("yt.scheduler.instance.start");a&&a()}; -tp.prototype.pause=function(){var a=g.Ja("yt.scheduler.instance.pause");a&&a()}; -La(tp);tp.getInstance();var Ap={};var y1;y1=window;g.N=y1.ytcsi&&y1.ytcsi.now?y1.ytcsi.now:y1.performance&&y1.performance.timing&&y1.performance.now&&y1.performance.timing.navigationStart?function(){return y1.performance.timing.navigationStart+y1.performance.now()}:function(){return(new Date).getTime()};var cea=g.wo("initial_gel_batch_timeout",1E3),Op=Math.pow(2,16)-1,Pp=null,Np=0,Ep=void 0,Cp=0,Dp=0,Rp=0,Ip=!0,Fp=g.v.ytLoggingTransportGELQueue_||new Map;g.Fa("ytLoggingTransportGELQueue_",Fp,void 0);var Lp=g.v.ytLoggingTransportTokensToCttTargetIds_||{};g.Fa("ytLoggingTransportTokensToCttTargetIds_",Lp,void 0);var Qp=g.v.ytLoggingGelSequenceIdObj_||{};g.Fa("ytLoggingGelSequenceIdObj_",Qp,void 0);var fea={q:!0,search_query:!0};var fq=new function(){var a=window.document;this.u=window;this.B=a}; -g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return Wp(hq(a))},void 0);var iq="XMLHttpRequest"in g.v?function(){return new XMLHttpRequest}:null;var lq={Authorization:"AUTHORIZATION","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL","X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM"},jea="app debugcss debugjs expflag force_ad_params force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address client_dev_root_url".split(" "), -sq=!1,hG=mq;zq.prototype.set=function(a,b,c,d){c=c||31104E3;this.remove(a);if(this.u)try{this.u.set(a,b,g.A()+1E3*c);return}catch(f){}var e="";if(d)try{e=escape(g.Nj(b))}catch(f){return}else e=escape(b);g.wq(a,e,c,this.B)}; -zq.prototype.get=function(a,b){var c=void 0,d=!this.u;if(!d)try{c=this.u.get(a)}catch(e){d=!0}if(d&&(c=g.xq(a))&&(c=unescape(c),b))try{c=JSON.parse(c)}catch(e){this.remove(a),c=void 0}return c}; -zq.prototype.remove=function(a){this.u&&this.u.remove(a);g.yq(a,"/",this.B)};Bq.prototype.toString=function(){return this.topic};var eCa=g.Ja("ytPubsub2Pubsub2Instance")||new g.Jn;g.Jn.prototype.subscribe=g.Jn.prototype.subscribe;g.Jn.prototype.unsubscribeByKey=g.Jn.prototype.Cm;g.Jn.prototype.publish=g.Jn.prototype.V;g.Jn.prototype.clear=g.Jn.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",eCa,void 0);var Eq=g.Ja("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",Eq,void 0);var Gq=g.Ja("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",Gq,void 0); -var Fq=g.Ja("ytPubsub2Pubsub2IsAsync")||{};g.Fa("ytPubsub2Pubsub2IsAsync",Fq,void 0);g.Fa("ytPubsub2Pubsub2SkipSubKey",null,void 0);Jq.prototype.u=function(a,b){var c={},d=Dl([]);if(d){c.Authorization=d;var e=d=null===b||void 0===b?void 0:b.sessionIndex;void 0===e&&(e=Number(g.L("SESSION_INDEX",0)),e=isNaN(e)?0:e);c["X-Goog-AuthUser"]=e;"INNERTUBE_HOST_OVERRIDE"in ro||(c["X-Origin"]=window.location.origin);g.vo("pageid_as_header_web")&&void 0===d&&"DELEGATED_SESSION_ID"in ro&&(c["X-Goog-PageId"]=g.L("DELEGATED_SESSION_ID"))}return c};var ey={identityType:"UNAUTHENTICATED_IDENTITY_TYPE_UNKNOWN"};var Oq=[],Lq,Qq=!1;Sq.all=function(a){return new Sq(function(b,c){var d=[],e=a.length;0===e&&b(d);for(var f={vn:0};f.vnc;c++)b+=this.u[c]||0;3<=b&&this.J();this.D=d}this.C=a;this.I=this.j;this.B=(this.B+1)%4}}; +Iz.prototype.qa=function(){window.clearInterval(this.T);g.Fz(this.oa)};g.w(Jz,g.C);Jz.prototype.S=function(a,b,c,d,e){c=g.my((0,g.Oa)(c,d||this.Pb));c={target:a,name:b,callback:c};var f;e&&Moa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.T.push(c);return c}; +Jz.prototype.Hc=function(a){for(var b=0;bb&&a.u.createObjectStore("databases",{keyPath:"actualName"})}});var A1=new g.am;var is;g.u(ps,ds);ps.prototype.Kz=function(a,b,c){c=void 0===c?{}:c;return(this.options.WR?Fea:Eea)(a,b,Object.assign(Object.assign({},c),{clearDataOnAuthChange:this.options.clearDataOnAuthChange}))}; -ps.prototype.sC=function(a){A1.Bu.call(A1,"authchanged",a)}; -ps.prototype.tC=function(a){A1.Mb("authchanged",a)}; -ps.prototype["delete"]=function(a){a=void 0===a?{}:a;return(this.options.WR?Hea:Gea)(this.name,a)};g.u(qs,Sq);qs.reject=Sq.reject;qs.resolve=Sq.resolve;qs.all=Sq.all;var rs;g.u(vs,g.am);g.u(ys,g.am);var zs;g.Cs.prototype.isReady=function(){!this.Tf&&uq()&&(this.Tf=g.Kp());return!!this.Tf};var Nea=[{wE:function(a){return"Cannot read property '"+a.key+"'"}, -Nz:{TypeError:[{hh:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{hh:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{hh:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./,groups:["value","key"]},{hh:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/, -groups:["key"]},{hh:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]}],Error:[{hh:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}]}},{wE:function(a){return"Cannot call '"+a.key+"'"}, -Nz:{TypeError:[{hh:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{hh:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{hh:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{hh:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{hh:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, -{hh:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}}];var Ds;var Ls=new g.Jn;var Ks=new Set,Js=0,Ms=0,Oea=["PhantomJS","Googlebot","TO STOP THIS SECURITY SCAN go/scan"];Ns.prototype.initialize=function(a,b,c,d,e,f){var h=this;f=void 0===f?!1:f;b?(this.Pd=!0,g.So(b,function(){h.Pd=!1;var l=0<=b.indexOf("/th/");if(l?window.trayride:window.botguard)Os(h,c,d,f,l);else{l=To(b);var m=document.getElementById(l);m&&(Ro(l),m.parentNode.removeChild(m));g.Is(new g.tr("Unable to load Botguard","from "+b))}},e)):a&&(e=g.Fe("SCRIPT"),e.textContent=a,e.nonce=Ia(),document.head.appendChild(e),document.head.removeChild(e),((a=a.includes("trayride"))?window.trayride:window.botguard)? -Os(this,c,d,f,a):g.Is(Error("Unable to load Botguard from JS")))}; -Ns.prototype.Yd=function(){return!!this.u}; -Ns.prototype.dispose=function(){this.u=null};var Rea=[],Rs=!1;g.u(Ts,Ya);Ws.prototype.then=function(a,b,c){return 1===this.Ka&&a?(a=a.call(c,this.u),pm(a)?a:Ys(a)):2===this.Ka&&b?(a=b.call(c,this.u),pm(a)?a:Xs(a)):this}; -Ws.prototype.getValue=function(){return this.u}; -Ws.prototype.$goog_Thenable=!0;g.u($s,Ya);$s.prototype.name="BiscottiError";g.u(Zs,Ya);Zs.prototype.name="BiscottiMissingError";var bt={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},at=null;var gt=g.Ja("ytglobal.prefsUserPrefsPrefs_")||{};g.Fa("ytglobal.prefsUserPrefsPrefs_",gt,void 0);g.k=g.ht.prototype;g.k.get=function(a,b){lt(a);kt(a);var c=void 0!==gt[a]?gt[a].toString():null;return null!=c?c:b?b:""}; -g.k.set=function(a,b){lt(a);kt(a);if(null==b)throw Error("ExpectedNotNull");gt[a]=b.toString()}; -g.k.remove=function(a){lt(a);kt(a);delete gt[a]}; -g.k.save=function(){g.wq(this.u,this.dump(),63072E3,this.B)}; -g.k.clear=function(){g.Tb(gt)}; -g.k.dump=function(){var a=[],b;for(b in gt)a.push(b+"="+encodeURIComponent(String(gt[b])));return a.join("&")}; -La(g.ht);var Uea=new Map([["dark","USER_INTERFACE_THEME_DARK"],["light","USER_INTERFACE_THEME_LIGHT"]]),Wea=["/fashion","/channel/UCrpQ4p1Ql_hG8rKXIKM1MOQ","/channel/UCTApTkbpcqiLL39WUlne4ig","/channel/UCW5PCzG3KQvbOX4zc3KY0lQ"];g.u(rt,g.C);rt.prototype.N=function(a,b,c,d,e){c=Eo((0,g.z)(c,d||this.Ga));c={target:a,name:b,callback:c};var f;e&&dCa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.I.push(c);return c}; -rt.prototype.Mb=function(a){for(var b=0;b=L.Cm)||l.j.version>=P||l.j.objectStoreNames.contains(D)||F.push(D)}m=F;if(0===m.length){z.Ka(5);break}n=Object.keys(c.options.Fq);p=l.objectStoreNames(); +if(c.Dc.options.version+1)throw r.close(),c.B=!1,xpa(c,v);return z.return(r);case 8:throw b(),q instanceof Error&&!g.gy("ytidb_async_stack_killswitch")&& +(q.stack=q.stack+"\n"+h.substring(h.indexOf("\n")+1)),CA(q,c.name,"",null!=(x=c.options.version)?x:-1);}})} +function b(){c.j===d&&(c.j=void 0)} +var c=this;if(!this.B)throw xpa(this);if(this.j)return this.j;var d,e={blocking:function(f){f.close()}, +closed:b,q9:b,upgrade:this.options.upgrade};return this.j=d=a()};var lB=new jB("YtIdbMeta",{Fq:{databases:{Cm:1}},upgrade:function(a,b){b(1)&&g.LA(a,"databases",{keyPath:"actualName"})}});var qB,pB=new function(){}(new function(){});new g.Wj;g.w(tB,jB);tB.prototype.u=function(a,b,c){c=void 0===c?{}:c;return(this.options.shared?Gpa:Fpa)(a,b,Object.assign({},c))}; +tB.prototype.delete=function(a){a=void 0===a?{}:a;return(this.options.shared?Kpa:Hpa)(this.name,a)};var Jbb={},Mpa=g.uB("ytGcfConfig",{Fq:(Jbb.coldConfigStore={Cm:1},Jbb.hotConfigStore={Cm:1},Jbb),shared:!1,upgrade:function(a,b){b(1)&&(g.RA(g.LA(a,"hotConfigStore",{keyPath:"key",autoIncrement:!0}),"hotTimestampIndex","timestamp"),g.RA(g.LA(a,"coldConfigStore",{keyPath:"key",autoIncrement:!0}),"coldTimestampIndex","timestamp"))}, +version:1});HB.prototype.jp=function(){return{version:this.version,args:this.args}};IB.prototype.toString=function(){return this.topic};var Kbb=g.Ga("ytPubsub2Pubsub2Instance")||new g.lq;g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",Kbb);var LB=g.Ga("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",LB);var MB=g.Ga("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",MB);var lqa=g.Ga("ytPubsub2Pubsub2IsAsync")||{}; +g.Fa("ytPubsub2Pubsub2IsAsync",lqa);g.Fa("ytPubsub2Pubsub2SkipSubKey",null);var oqa=g.hy("max_body_size_to_compress",5E5),pqa=g.hy("min_body_size_to_compress",500),PB=!0,SB=0,RB=0,rqa=g.hy("compression_performance_threshold",250),sqa=g.hy("slow_compressions_before_abandon_count",10);g.k=VB.prototype;g.k.writeThenSend=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ih.set(d,this.yf).then(function(e){d.id=e;c.Zg.Rh()&&c.pC(d)}).catch(function(e){c.pC(d); +WB(c,e)})}else this.Qq(a,b)}; +g.k.sendThenWrite=function(a,b,c){var d=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var e={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ob&&this.ob("nwl_skip_retry")&&(e.skipRetry=c);if(this.Zg.Rh()||this.ob&&this.ob("nwl_aggressive_send_then_write")&&!e.skipRetry){if(!e.skipRetry){var f=b.onError?b.onError:function(){}; +b.onError=function(h,l){return g.A(function(m){if(1==m.j)return g.y(m,d.ih.set(e,d.yf).catch(function(n){WB(d,n)}),2); +f(h,l);g.oa(m)})}}this.Qq(a,b,e.skipRetry)}else this.ih.set(e,this.yf).catch(function(h){d.Qq(a,b,e.skipRetry); +WB(d,h)})}else this.Qq(a,b,this.ob&&this.ob("nwl_skip_retry")&&c)}; +g.k.sendAndWrite=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0},e=!1,f=b.onSuccess?b.onSuccess:function(){}; +d.options.onSuccess=function(h,l){void 0!==d.id?c.ih.ly(d.id,c.yf):e=!0;c.Zg.Fv&&c.ob&&c.ob("vss_network_hint")&&c.Zg.Fv(!0);f(h,l)}; +this.Qq(d.url,d.options);this.ih.set(d,this.yf).then(function(h){d.id=h;e&&c.ih.ly(d.id,c.yf)}).catch(function(h){WB(c,h)})}else this.Qq(a,b)}; +g.k.eA=function(){var a=this;if(!UB(this))throw g.DA("throttleSend");this.j||(this.j=this.cn.xi(function(){var b;return g.A(function(c){if(1==c.j)return g.y(c,a.ih.XT("NEW",a.yf),2);if(3!=c.j)return b=c.u,b?g.y(c,a.pC(b),3):(a.JK(),c.return());a.j&&(a.j=0,a.eA());g.oa(c)})},this.gY))}; +g.k.JK=function(){this.cn.Em(this.j);this.j=0}; +g.k.pC=function(a){var b=this,c,d;return g.A(function(e){switch(e.j){case 1:if(!UB(b))throw c=g.DA("immediateSend"),c;if(void 0===a.id){e.Ka(2);break}return g.y(e,b.ih.C4(a.id,b.yf),3);case 3:(d=e.u)||b.Iy(Error("The request cannot be found in the database."));case 2:if(b.SH(a,b.pX)){e.Ka(4);break}b.Iy(Error("Networkless Logging: Stored logs request expired age limit"));if(void 0===a.id){e.Ka(5);break}return g.y(e,b.ih.ly(a.id,b.yf),5);case 5:return e.return();case 4:a.skipRetry||(a=zqa(b,a));if(!a){e.Ka(0); +break}if(!a.skipRetry||void 0===a.id){e.Ka(8);break}return g.y(e,b.ih.ly(a.id,b.yf),8);case 8:b.Qq(a.url,a.options,!!a.skipRetry),g.oa(e)}})}; +g.k.SH=function(a,b){a=a.timestamp;return this.now()-a>=b?!1:!0}; +g.k.VH=function(){var a=this;if(!UB(this))throw g.DA("retryQueuedRequests");this.ih.XT("QUEUED",this.yf).then(function(b){b&&!a.SH(b,a.kX)?a.cn.xi(function(){return g.A(function(c){if(1==c.j)return void 0===b.id?c.Ka(2):g.y(c,a.ih.SO(b.id,a.yf),2);a.VH();g.oa(c)})}):a.Zg.Rh()&&a.eA()})};var XB;var Lbb={},Jqa=g.uB("ServiceWorkerLogsDatabase",{Fq:(Lbb.SWHealthLog={Cm:1},Lbb),shared:!0,upgrade:function(a,b){b(1)&&g.RA(g.LA(a,"SWHealthLog",{keyPath:"id",autoIncrement:!0}),"swHealthNewRequest",["interface","timestamp"])}, +version:1});var $B={},Pqa=0;aC.prototype.requestComplete=function(a,b){b&&(this.u=!0);a=this.removeParams(a);this.j.get(a)||this.j.set(a,b)}; +aC.prototype.isEndpointCFR=function(a){a=this.removeParams(a);return(a=this.j.get(a))?!1:!1===a&&this.u?!0:null}; +aC.prototype.removeParams=function(a){return a.split("?")[0]}; +aC.prototype.removeParams=aC.prototype.removeParams;aC.prototype.isEndpointCFR=aC.prototype.isEndpointCFR;aC.prototype.requestComplete=aC.prototype.requestComplete;aC.getInstance=bC;var cC;g.w(eC,g.Fd);g.k=eC.prototype;g.k.Rh=function(){return this.j.Rh()}; +g.k.Fv=function(a){this.j.j=a}; +g.k.x3=function(){var a=window.navigator.onLine;return void 0===a?!0:a}; +g.k.P2=function(){this.u=!0}; +g.k.Ra=function(a,b){return this.j.Ra(a,b)}; +g.k.aI=function(a){a=yp(this.j,a);a.then(function(b){g.gy("use_cfr_monitor")&&bC().requestComplete("generate_204",b)}); +return a}; +eC.prototype.sendNetworkCheckRequest=eC.prototype.aI;eC.prototype.listen=eC.prototype.Ra;eC.prototype.enableErrorFlushing=eC.prototype.P2;eC.prototype.getWindowStatus=eC.prototype.x3;eC.prototype.networkStatusHint=eC.prototype.Fv;eC.prototype.isNetworkAvailable=eC.prototype.Rh;eC.getInstance=Rqa;g.w(g.fC,g.Fd);g.fC.prototype.Rh=function(){var a=g.Ga("yt.networkStatusManager.instance.isNetworkAvailable");return a?a.bind(this.u)():!0}; +g.fC.prototype.Fv=function(a){var b=g.Ga("yt.networkStatusManager.instance.networkStatusHint").bind(this.u);b&&b(a)}; +g.fC.prototype.aI=function(a){var b=this,c;return g.A(function(d){c=g.Ga("yt.networkStatusManager.instance.sendNetworkCheckRequest").bind(b.u);return g.gy("skip_network_check_if_cfr")&&bC().isEndpointCFR("generate_204")?d.return(new Promise(function(e){var f;b.Fv((null==(f=window.navigator)?void 0:f.onLine)||!0);e(b.Rh())})):c?d.return(c(a)):d.return(!0)})};var gC;g.w(hC,VB);hC.prototype.writeThenSend=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.writeThenSend.call(this,a,b)}; +hC.prototype.sendThenWrite=function(a,b,c){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendThenWrite.call(this,a,b,c)}; +hC.prototype.sendAndWrite=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendAndWrite.call(this,a,b)}; +hC.prototype.awaitInitialization=function(){return this.u.promise};var Wqa=g.Ea.ytNetworklessLoggingInitializationOptions||{isNwlInitialized:!1};g.Fa("ytNetworklessLoggingInitializationOptions",Wqa);g.jC.prototype.isReady=function(){!this.config_&&Zpa()&&(this.config_=g.EB());return!!this.config_};var Mbb,mC,oC;Mbb=g.Ea.ytPubsubPubsubInstance||new g.lq;mC=g.Ea.ytPubsubPubsubSubscribedKeys||{};oC=g.Ea.ytPubsubPubsubTopicToKeys||{};g.nC=g.Ea.ytPubsubPubsubIsSynchronous||{};g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsubPubsubInstance",Mbb);g.Fa("ytPubsubPubsubTopicToKeys",oC);g.Fa("ytPubsubPubsubIsSynchronous",g.nC); +g.Fa("ytPubsubPubsubSubscribedKeys",mC);var $qa=/\.vflset|-vfl[a-zA-Z0-9_+=-]+/,ara=/-[a-zA-Z]{2,3}_[a-zA-Z]{2,3}(?=(\/|$))/,dra={};g.w(xC,g.C);var c2a=new Map([["TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL","trigger_category_layout_exit_normal"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED","trigger_category_layout_exit_user_skipped"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED","trigger_category_layout_exit_user_muted"],["TRIGGER_CATEGORY_SLOT_EXPIRATION","trigger_category_slot_expiration"],["TRIGGER_CATEGORY_SLOT_FULFILLMENT","trigger_category_slot_fulfillment"],["TRIGGER_CATEGORY_SLOT_ENTRY","trigger_category_slot_entry"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED", +"trigger_category_layout_exit_user_input_submitted"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED","trigger_category_layout_exit_user_cancelled"]]);g.w(N,cb);var fsa=[{oN:function(a){return"Cannot read property '"+a.key+"'"}, +oH:{Error:[{pj:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}],TypeError:[{pj:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{pj:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{pj:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./, +groups:["value","key"]},{pj:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/,groups:["key"]},{pj:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]},{pj:/(null) is not an object \(evaluating '(?:([^.]+)\.)?([^']+)'\)/,groups:["value","base","key"]}]}},{oN:function(a){return"Cannot call '"+a.key+"'"}, +oH:{TypeError:[{pj:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{pj:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{pj:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{pj:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{pj:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, +{pj:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}},{oN:function(a){return a.key+" is not defined"}, +oH:{ReferenceError:[{pj:/(.*) is not defined/,groups:["key"]},{pj:/Can't find variable: (.*)/,groups:["key"]}]}}];var pra={Dq:[],Ir:[{callback:mra,weight:500}]};var EC;var ED=new g.lq;var sra=new Set([174,173,175]),MC={};var RC=Symbol("injectionDeps");OC.prototype.toString=function(){return"InjectionToken("+this.name+")"}; +tra.prototype.resolve=function(a){return a instanceof PC?SC(this,a.key,[],!0):SC(this,a,[])};var TC;VC.prototype.storePayload=function(a,b){a=WC(a);this.store[a]?this.store[a].push(b):(this.u={},this.store[a]=[b]);this.j++;return a}; +VC.prototype.smartExtractMatchingEntries=function(a){if(!a.keys.length)return[];for(var b=YC(this,a.keys.splice(0,1)[0]),c=[],d=0;d=this.start&&(aRbb.length)Pbb=void 0;else{var Sbb=Qbb.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);Pbb=Sbb&&6===Sbb.length?Number(Sbb[5].replace("_",".")):0}var dM=Pbb,RT=0<=dM;var Yya={soa:1,upa:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var xM=Hta()?!0:"function"!==typeof window.fetch||!window.ReadableStream||!window.AbortController||g.oB||g.fJ?!1:!0;var H3={},HI=(H3.FAIRPLAY="fairplay",H3.PLAYREADY="playready",H3.WIDEVINE="widevine",H3.CLEARKEY=null,H3.FLASHACCESS=null,H3.UNKNOWN=null,H3.WIDEVINE_CLASSIC=null,H3);var Tbb=["h","H"],Ubb=["9","("],Vbb=["9h","(h"],Wbb=["8","*"],Xbb=["a","A"],Ybb=["o","O"],Zbb=["m","M"],$bb=["mac3","MAC3"],acb=["meac3","MEAC3"],I3={},twa=(I3.h=Tbb,I3.H=Tbb,I3["9"]=Ubb,I3["("]=Ubb,I3["9h"]=Vbb,I3["(h"]=Vbb,I3["8"]=Wbb,I3["*"]=Wbb,I3.a=Xbb,I3.A=Xbb,I3.o=Ybb,I3.O=Ybb,I3.m=Zbb,I3.M=Zbb,I3.mac3=$bb,I3.MAC3=$bb,I3.meac3=acb,I3.MEAC3=acb,I3);g.hF.prototype.getLanguageInfo=function(){return this.Jc}; +g.hF.prototype.getXtags=function(){if(!this.xtags){var a=this.id.split(";");1=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{oC:b,Wk:c}}; +LF.prototype.isFocused=function(a){return a>=this.B&&a=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{iu:b,ln:c}}; -g.k.isFocused=function(a){return a>=this.C&&athis.info.rb||4==this.info.type)return!0;var b=Yv(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2==this.info.type)return c==this.info.rb&&1936286840==b;if(3==this.info.type&&0==this.info.C)return 1836019558==b||1936286840== -b||1937013104==b||1718909296==b||1701671783==b||1936419184==b}else if(2==this.info.u.info.containerType){if(4>this.info.rb||4==this.info.type)return!0;c=Yv(this).getUint32(0,!1);a.ebm=c.toString();if(3==this.info.type&&0==this.info.C)return 524531317==c||440786851==c}return!0};var hw={Wt:function(a){a.reverse()}, -bS:function(a,b){var c=a[0];a[0]=a[b%a.length];a[b%a.length]=c}, -O2:function(a,b){a.splice(0,b)}};var MAa=/^https?:\/\/([^.]*\.moatads\.com\/|e[0-9]+\.yt\.srs\.doubleverify\.com|pagead2\.googlesyndication\.com\/pagead\/gen_204\?id=yt3p&sr=1&|pm\.adsafeprotected\.com\/youtube|pm\.test-adsafeprotected\.com\/youtube|youtube[0-9]+\.moatpixel\.com\/)/,mw=/^http:\/\/0\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.l2gfe\.[a-z0-9_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?\/|^https:\/\/([a-z]+\.)?[0-9a-f]{1,63}\.sslproxy\.corp\.google\.com\/|^https:\/\/([a-z]+\.)?[a-z0-9\-]{1,63}\.demos\.corp\.google\.com\/|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com\/|^https?:\/\/((?:uytfe\.corp|dev-uytfe\.corp|uytfe\.sandbox)\.google\.com\/|([-\w]*www[-\w]*\.|[-\w]*web[-\w]*\.|[-\w]*canary[-\w]*\.|[-\w]*dev[-\w]*\.|[-\w]{1,3}\.)+youtube(-nocookie|kids)?\.com\/|([A-Za-z0-9-]{1,63}\.)*(youtube\.googleapis\.com)[.]?(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.([a-z]{3}|i)\.corp\.google\.com(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.c\.googlers\.com(:[0-9]+)?\/|(docs|drive)\.google\.com\/(a\/[^/\\%]+\/|)|(tv|tv-green-qa|tv-release-qa)\.youtube\.com\/|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?\/|m?web-ppg\.corp\.google\.com\/)/, -NAa=/^https?:\/\/(www\.google\.com\/pagead\/xsul|www\.youtube\.com\/pagead\/slav)/,vfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|docs\.google\.com|drive\.google\.com|prod\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|youtube\-nocookie\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/, -wfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|prod\.google\.com|youtube\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/,qfa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|play\.google\.com|prod\.google\.com|currents\.google\.com|video\.google\.com|youtube\.com|ytimg\.com|ytimg\.sandbox\.google\.com|chat\.google\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|s2\.googleusercontent\.com\/s2\/favicons\?|yt[3-4]\.ggpht\.com\/)/, -rfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,OAa=/^https?.*#ocr$|^https?:\/\/(aksecure\.imrworldwide\.com\/|cdn\.imrworldwide\.com\/|secure\-..\.imrworldwide\.com\/)/,sfa=/^https?:\/\/(googleads\.g\.doubleclick\.net\/(aclk|pagead\/conversion)|www\.google\.com\/(aclk|pagead\/conversion)|www\.googleadservices\.com\/(aclk|pagead\/(aclk|conversion))|www\.youtube\.com\/pagead\/conversion)/,ofa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|googlevideo\.com|prod\.google\.com|lh3\.photos\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|xfx7\.com|yt\.akamaized\.net|chat\.google\.com|shopping\.google\.com|cdn\.shoploop\.tv)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|([A-Za-z0-9-]{1,63}\.)*c\.lh3(-d[a-gz]|-testonly)?\.(googleusercontent|photos\.google)\.com\/.*$)/, -pfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tha=/^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|2mdn\.net|googlesyndication\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|googleads\.g\.doubleclick\.net|prod\.google\.com|static\.doubleclick\.net|static\.googleadsserving\.cn|studioapi\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|ytimg\.com|ytimg\.sandbox\.google\.com)[.]?(:[0-9]+)?\/|lightbox-(demos|builder)\.appspot\.com\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/ytplayer)/, -rha=/^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https:\/\/canvastester-3fd0b\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-d\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-f\.appspot\.com(\/|$)|^https:\/\/one\.google\.com(\/|$)|^https:\/\/www\.gstatic\.com\/aog_howto|^https:\/\/www\.gstatic\.com\/narrative_cast_receiver\/news|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleads\.g\.doubleclick\.net|googleplex\.com|play\.google\.com|prod\.google\.com|photos\.google\.com|get\.google\.com|class\.photos\.google\.com|currents\.google\.com|books\.googleusercontent\.com|play\-books\-autopush\-sandbox\.googleusercontent\.com|play\-books\-canary\-sandbox\.googleusercontent\.com|play\-books\-internal\-sandbox\.googleusercontent\.com|play\-books\-staging\-sandbox\.googleusercontent\.com|blogger\.com|mail\.google\.com|survey\.g\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|vevo\.com|chat\.google\.com|meet\.google\.com|stadia\.google\.com|shoploop\.area120\.google\.com|shopping\.google\.com)[.]?(:[0-9]+)?(\/|$)|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|(www\.|encrypted\.)?google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/(search|webhp)\?|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|lightbox-(demos|builder)\.appspot\.com\/|s0\.2mdn\.net\/instream\/html5\/native\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris)/, -sha=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?(\/|$)/,nCa=/^(https\:\/\/photos\.google\.com|https\:\/\/get\.google\.com|https\:\/\/class\.photos\.google\.com|https\:\/\/currents\.google\.com|https\:\/\/mail\.google\.com|https\:\/\/chat\.google\.com|https\:\/\/stadia\.google\.com|https\:\/\/one\.google\.com|https\:\/\/shoploop\.area120\.google\.com|https\:\/\/shopping\.google\.com)$|^http:\/\/[0-9]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?$|^https:\/\/((staging|stream|today)\.)?meet\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*youtube\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sandbox\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com$|^https:\/\/(books|play-books-(autopush|canary|internal|staging)-sandbox)\.googleusercontent\.com$|^https:\/\/(draft|www|(www\.)?dev\.sandbox|(www\.)?autopush\.sandbox|(www\.)?restore\.sandbox)\.blogger\.com$|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com$|^https?:\/\/(((docs|m|sing|ss|sss|www)\.)?drive\.google\.com$|([A-Za-z0-9-]{1,63}\.)*c\.googlers\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*corp\.google\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*googleplex\.com(:[0-9]+)?$|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?$|docs\.google\.com$)/, -oCa=/^(https\:\/\/plus\.google\.com)$/;var kw=!1;vw.prototype.set=function(a,b){this.u[a]!==b&&(this.u[a]=b,this.url="")}; -vw.prototype.get=function(a){ww(this);return this.u[a]||null}; -vw.prototype.Ld=function(){this.url||(this.url=xfa(this));return this.url}; -vw.prototype.clone=function(){var a=new vw(this.B,this.D);a.scheme=this.scheme;a.path=this.path;a.C=this.C;a.u=g.Vb(this.u);a.url=this.url;return a};Ew.prototype.set=function(a,b){this.og.get(a);this.u[a]=b;this.url=""}; -Ew.prototype.get=function(a){return this.u[a]||this.og.get(a)}; -Ew.prototype.Ld=function(){this.url||(this.url=yfa(this));return this.url};Qw.prototype.Ng=function(){return Ju(this.u[0])};var C1={},jC=(C1.WIDTH={name:"width",video:!0,valid:640,invalid:99999},C1.HEIGHT={name:"height",video:!0,valid:360,invalid:99999},C1.FRAMERATE={name:"framerate",video:!0,valid:30,invalid:9999},C1.BITRATE={name:"bitrate",video:!0,valid:3E5,invalid:2E9},C1.EOTF={name:"eotf",video:!0,valid:"bt709",invalid:"catavision"},C1.CHANNELS={name:"channels",video:!1,valid:2,invalid:99},C1.CRYPTOBLOCKFORMAT={name:"cryptoblockformat",video:!0,valid:"subsample",invalid:"invalidformat"},C1.DECODETOTEXTURE={name:"decode-to-texture", -video:!0,valid:"false",invalid:"nope"},C1.AV1_CODECS={name:"codecs",video:!0,valid:"av01.0.05M.08",invalid:"av99.0.05M.08"},C1.EXPERIMENTAL={name:"experimental",video:!0,valid:"allowed",invalid:"invalid"},C1);var cx={0:"f",160:"h",133:"h",134:"h",135:"h",136:"h",137:"h",264:"h",266:"h",138:"h",298:"h",299:"h",304:"h",305:"h",214:"h",216:"h",374:"h",375:"h",140:"a",141:"ah",327:"sa",258:"m",380:"mac3",328:"meac3",161:"H",142:"H",143:"H",144:"H",222:"H",223:"H",145:"H",224:"H",225:"H",146:"H",226:"H",227:"H",147:"H",384:"H",376:"H",385:"H",377:"H",149:"A",261:"M",381:"MAC3",329:"MEAC3",598:"9",278:"9",242:"9",243:"9",244:"9",247:"9",248:"9",353:"9",355:"9",271:"9",313:"9",272:"9",302:"9",303:"9",407:"9", -408:"9",308:"9",315:"9",330:"9h",331:"9h",332:"9h",333:"9h",334:"9h",335:"9h",336:"9h",337:"9h",338:"so",600:"o",250:"o",251:"o",194:"*",195:"*",220:"*",221:"*",196:"*",197:"*",279:"(",280:"(",317:"(",318:"(",273:"(",274:"(",357:"(",358:"(",275:"(",359:"(",360:"(",276:"(",583:"(",584:"(",314:"(",585:"(",561:"(",277:"(",362:"(h",363:"(h",364:"(h",365:"(h",366:"(h",591:"(h",592:"(h",367:"(h",586:"(h",587:"(h",368:"(h",588:"(h",562:"(h",409:"(",410:"(",411:"(",412:"(",557:"(",558:"(",394:"1",395:"1", -396:"1",397:"1",398:"1",399:"1",400:"1",401:"1",571:"1",402:"1",386:"3",387:"w",406:"6"};var hha={JT:"auto",q3:"tiny",EY:"light",T2:"small",w_:"medium",BY:"large",vX:"hd720",rX:"hd1080",sX:"hd1440",tX:"hd2160",uX:"hd2880",BX:"highres",UNKNOWN:"unknown"};var D1;D1={};g.Yw=(D1.auto=0,D1.tiny=144,D1.light=144,D1.small=240,D1.medium=360,D1.large=480,D1.hd720=720,D1.hd1080=1080,D1.hd1440=1440,D1.hd2160=2160,D1.hd2880=2880,D1.highres=4320,D1);var ax="highres hd2880 hd2160 hd1440 hd1080 hd720 large medium small tiny".split(" ");Zw.prototype.Vg=function(){return"smpte2084"===this.u||"arib-std-b67"===this.u};g.k=dx.prototype;g.k.Ma=function(){return this.video}; -g.k.Yb=function(){return this.id.split(";",1)[0]}; -g.k.Zd=function(){return 2===this.containerType}; -g.k.isEncrypted=function(){return!!this.Ud}; -g.k.isAudio=function(){return!!this.audio}; -g.k.isVideo=function(){return!!this.video};g.k=Nx.prototype;g.k.tf=function(){}; -g.k.po=function(){}; -g.k.Fe=function(){return!!this.u&&this.index.Uc()}; -g.k.ek=function(){}; -g.k.GE=function(){return!1}; -g.k.wm=function(){}; -g.k.Sm=function(){}; -g.k.Ok=function(){}; -g.k.Kj=function(){}; -g.k.gu=function(){}; -g.k.HE=function(a){return[a]}; -g.k.Yv=function(a){return[a]}; -g.k.Fv=function(){}; -g.k.Qt=function(){};g.k=g.Ox.prototype;g.k.ME=function(a){this.segments.push(a)}; -g.k.getDuration=function(a){return(a=this.Li(a))?a.duration:0}; -g.k.cD=function(a){return this.getDuration(a)}; -g.k.Eh=function(){return this.segments.length?this.segments[0].qb:-1}; -g.k.Ue=function(a){return(a=this.Li(a))?a.ingestionTime:NaN}; -g.k.pD=function(a){return(a=this.Li(a))?a.B:null}; -g.k.Xb=function(){return this.segments.length?this.segments[this.segments.length-1].qb:-1}; -g.k.Nk=function(){var a=this.segments[this.segments.length-1];return a?a.endTime:NaN}; -g.k.Kc=function(){return this.segments[0].startTime}; -g.k.fo=function(){return this.segments.length}; -g.k.Wu=function(){return 0}; -g.k.Gh=function(a){return(a=this.Xn(a))?a.qb:-1}; -g.k.ky=function(a){return(a=this.Li(a))?a.sourceURL:""}; -g.k.Xe=function(a){return(a=this.Li(a))?a.startTime:0}; -g.k.Vt=ba(1);g.k.Uc=function(){return 0a.B&&this.index.Eh()<=a.B+1}; -g.k.update=function(a,b,c){this.index.append(a);Px(this.index,c);this.R=b}; -g.k.Fe=function(){return this.I?!0:Nx.prototype.Fe.call(this)}; -g.k.ql=function(a,b){var c=this.index.ky(a),d=this.index.Xe(a),e=this.index.getDuration(a),f;b?e=f=0:f=0=this.Xb())return 0;for(var c=0,d=this.Xe(a)+b,e=a;ethis.Xe(e);e++)c=Math.max(c,(e+1=this.index.Wu(c+1);)c++;return Ux(this,c,b,a.rb).u}; -g.k.ek=function(a){return this.Fe()?!0:isNaN(this.I)?!1:a.range.end+1this.I&&(c=new Du(c.start,this.I-1));c=[new Iu(4,a.u,c,"getNextRequestInfoByLength")];return new Qw(c)}4==a.type&&(c=this.Yv(a),a=c[c.length-1]);c=0;var d=a.range.start+a.C+a.rb;3==a.type&&(c=a.B,d==a.range.end+1&&(c+=1));return Ux(this,c,d,b)}; -g.k.Ok=function(){return null}; -g.k.Kj=function(a,b){var c=this.index.Gh(a);b&&(c=Math.min(this.index.Xb(),c+1));return Ux(this,c,this.index.Wu(c),0)}; -g.k.tf=function(){return!0}; -g.k.po=function(){return!1}; -g.k.Qt=function(){return this.indexRange.length+this.initRange.length}; -g.k.Fv=function(){return this.indexRange&&this.initRange&&this.initRange.end+1==this.indexRange.start?!0:!1};var Vx=void 0;var E1={},gy=function(a,b){var c;return function(){c||(c=new ps(a,b));return c}}("yt-player-local-media",{zF:(E1.index=!0,E1.media=!0,E1.metadata=!0,E1.playerdata=!0,E1), -upgrade:function(a,b){2>b&&(a.u.createObjectStore("index",void 0),a.u.createObjectStore("media",void 0));3>b&&a.u.createObjectStore("metadata",void 0);4>b&&a.u.createObjectStore("playerdata",void 0)}, -version:4}),dy=!1;py.prototype.then=function(a,b){return this.promise.then(a,b)}; -py.prototype.resolve=function(a){this.B(a)}; -py.prototype.reject=function(a){this.u(a)};g.k=vy.prototype;g.k.ay=function(){return 0}; -g.k.eF=function(){return null}; -g.k.gD=function(){return null}; -g.k.isFailed=function(){return 6===this.state}; -g.k.Iz=function(){this.callback&&this.callback(this)}; -g.k.na=function(){return-1===this.state}; -g.k.dispose=function(){this.info.Ng()&&5!==this.state&&(this.info.u[0].u.D=!1);yy(this,-1)};By.prototype.skip=function(a){this.offset+=a};var Qy=!1;g.u(Ey,g.O);Ey.prototype.Bi=function(){this.I=null}; -Ey.prototype.getDuration=function(){return this.C.index.Nk()};g.k=Wy.prototype;g.k.qe=function(a){return"content-type"===a?this.fl.get("type"):""}; -g.k.abort=function(){}; -g.k.Dm=function(){return!0}; -g.k.nq=function(){return this.range.length}; -g.k.Uu=function(){return this.loaded}; -g.k.hu=function(){return!!this.u.getLength()}; -g.k.Mh=function(){return!!this.u.getLength()}; -g.k.Vu=function(){var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){return this.u}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return!!this.error}; -g.k.Qm=function(){return this.error};Yy.prototype.deactivate=function(){this.isActive&&(this.isActive=!1)};var iga=0;g.k=qz.prototype;g.k.start=function(a){var b=this,c={method:this.method,credentials:this.credentials};this.headers&&(c.headers=new Headers(this.headers));this.body&&(c.body=this.body);this.D&&(c.signal=this.D.signal);a=new Request(a,c);fetch(a).then(function(d){b.status=d.status;if(d.ok&&d.body)b.status=b.status||242,b.C=d.body.getReader(),b.na()?b.C.cancel("Cancelling"):(b.K=d.headers,b.fa(),sz(b));else b.onDone()},function(d){b.onError(d)}).then(void 0,M)}; -g.k.onDone=function(){if(!this.na()){this.ea();this.P=!0;if(rz(this)&&!this.u.getLength()&&!this.I&&this.B){pz(this);var a=new Uint8Array(8),b=new DataView(a.buffer);b.setUint32(0,8);b.setUint32(4,1936419184);this.u.append(a);this.B+=a.length}this.Y()}}; -g.k.onError=function(a){this.ea();this.errorMessage=String(a);this.I=!0;this.onDone()}; -g.k.qe=function(a){return this.K?this.K.get(a):null}; -g.k.Dm=function(){return!!this.K}; -g.k.Uu=function(){return this.B}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.B}; -g.k.ea=function(){}; -g.k.Mh=function(){if(this.P)return!!this.u.getLength();var a=this.policy.C;if(a&&this.R+a>Date.now())return!1;a=this.nq()||0;a=Math.max(16384,this.policy.u*a);this.X||(a=Math.max(a,16384));this.policy.rf&&pz(this)&&(a=1);return this.u.getLength()>=a}; -g.k.Vu=function(){this.Mh();this.R=Date.now();this.X=!0;var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){this.Mh();return this.u}; -g.k.na=function(){return this.aborted}; -g.k.abort=function(){this.ea();this.C&&this.C.cancel("Cancelling");this.D&&this.D.abort();this.aborted=!0}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return this.I}; -g.k.Qm=function(){return this.errorMessage};g.k=tz.prototype;g.k.onDone=function(){if(!this.na){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.B=!0;this.C()}}; -g.k.ie=function(a){this.na||(this.status=this.xhr.status,this.D(a.timeStamp,a.loaded))}; -g.k.Dm=function(){return 2<=this.xhr.readyState}; -g.k.qe=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.Fo(Error("Could not read XHR header "+a)),""}}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.Uu=function(){return this.u}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.response&&!!this.response.byteLength}; -g.k.Mh=function(){return this.B&&!!this.response&&!!this.response.byteLength}; -g.k.Vu=function(){this.Mh();var a=this.response;this.response=void 0;return new Mv([new Uint8Array(a)])}; -g.k.hz=function(){this.Mh();return new Mv([new Uint8Array(this.response)])}; -g.k.abort=function(){this.na=!0;this.xhr.abort()}; -g.k.tj=function(){return!1}; -g.k.bA=function(){return!1}; -g.k.Qm=function(){return""};vz.prototype.iH=function(a,b){var c=this;b=void 0===b?1:b;this.u+=b;this.C+=a;var d=a/b;uz.forEach(function(e,f){dd.u&&4E12>a?a:g.A();kz(d,a,b);50>a-d.D&&lz(d)&&3!==bz(d)||hz(d,a,b,c);b=this.timing;b.B>b.Ga&&cz(b,b.B)&&3>this.state?yy(this,3):this.Ab.tj()&&Tz(this)&&yy(this,Math.max(2,this.state))}}; -g.k.iR=function(){if(!this.na()&&this.Ab){if(!this.K&&this.Ab.Dm()&&this.Ab.qe("X-Walltime-Ms")){var a=parseInt(this.Ab.qe("X-Walltime-Ms"),10);this.K=(g.A()-a)/1E3}this.Ab.Dm()&&this.Ab.qe("X-Restrict-Formats-Hint")&&this.u.FB&&!Kz()&&sCa(!0);a=parseInt(this.Ab.qe("X-Head-Seqnum"),10);var b=parseInt(this.Ab.qe("X-Head-Time-Millis"),10);this.C=a||this.C;this.D=b||this.D}}; -g.k.hR=function(){var a=this.Ab;!this.na()&&a&&(this.F.stop(),this.hj=a.status,a=oga(this,a),6===a?Gz(this):yy(this,a))}; -g.k.Iz=function(a){4<=this.state&&(this.u.ke?Rz(this):this.timing.deactivate());vy.prototype.Iz.call(this,a)}; -g.k.JR=function(){if(!this.na()){var a=g.A(),b=!1;lz(this.timing)?(a=this.timing.P,az(this.timing),this.timing.P-a>=.8*this.X?(this.mk++,b=5<=this.mk):this.mk=0):(b=this.timing,b.dj&&nz(b,g.A()),a-=b.X,this.u.Sl&&01E3*b);this.mk&&this.callback&&this.callback(this);b?Sz(this,!1):this.F.start()}}; -g.k.dispose=function(){vy.prototype.dispose.call(this);this.F.dispose();this.u.ke||Rz(this)}; -g.k.ay=function(){return this.K}; -g.k.eF=function(){this.Ab&&(this.C=parseInt(this.Ab.qe("X-Head-Seqnum"),10));return this.C}; -g.k.gD=function(){this.Ab&&(this.D=parseInt(this.Ab.qe("X-Head-Time-Millis"),10));return this.D}; -var kga=0,Pz=-1;hA.prototype.getDuration=function(){return this.u.index.Nk()}; -hA.prototype.Bi=function(){this.C.Bi()};KA.prototype.C=function(a,b){var c=Math.pow(this.alpha,a);this.B=b*(1-c)+c*this.B;this.D+=a}; -KA.prototype.u=function(){return this.B/(1-Math.pow(this.alpha,this.D))};MA.prototype.C=function(a,b){var c=Math.min(this.B,Math.max(1,Math.round(a*this.resolution)));c+this.valueIndex>=this.B&&(this.D=!0);for(;c--;)this.values[this.valueIndex]=b,this.valueIndex=(this.valueIndex+1)%this.B;this.I=!0}; -MA.prototype.u=function(){return this.K?(NA(this,this.F-this.K)+NA(this,this.F)+NA(this,this.F+this.K))/3:NA(this,this.F)};TA.prototype.setPlaybackRate=function(a){this.C=Math.max(1,a)}; -TA.prototype.getPlaybackRate=function(){return this.C};g.u($A,g.Ox);g.k=$A.prototype;g.k.Eh=function(){return this.Ai?this.segments.length?this.Xn(this.Kc()).qb:-1:g.Ox.prototype.Eh.call(this)}; -g.k.Kc=function(){if(this.he)return 0;if(!this.Ai)return g.Ox.prototype.Kc.call(this);if(!this.segments.length)return 0;var a=Math.max(g.db(this.segments).endTime-this.Hj,0);return 0c&&(this.segments=this.segments.slice(b))}}; -g.k.Xn=function(a){if(!this.Ai)return g.Ox.prototype.Xn.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.qb+Math.floor((a-b.endTime)/this.Qf+1);else{b=yb(this.segments,function(d){return a=d.endTime?1:0}); -if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.qb-b.qb-1))+1)+b.qb}return this.Li(b)}; -g.k.Li=function(a){if(!this.Ai)return g.Ox.prototype.Li.call(this,a);if(!this.segments.length)return null;var b=aB(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.Qf;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].qb-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.qb-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.qb-d.qb-1),d=d.endTime+(a-d.qb-1)*b);return new Cu(a,d,b,0,"sq/"+a,void 0,void 0, -!0)};g.u(cB,Qx);g.k=cB.prototype;g.k.po=function(){return!0}; -g.k.Fe=function(){return!0}; -g.k.ek=function(a){return!a.F}; -g.k.wm=function(){return[]}; -g.k.Kj=function(a,b){if("number"===typeof a&&!isFinite(a)){var c=new Iu(3,this,null,"mlLiveGetReqInfoStubForTime",-1,void 0,this.kh,void 0,this.kh*this.info.zb);return new Qw([c],"")}return Qx.prototype.Kj.call(this,a,b)}; -g.k.ql=function(a,b){var c=void 0===c?!1:c;if(bB(this.index,a))return Qx.prototype.ql.call(this,a,b);var d=this.index.Xe(a),e=b?0:this.kh*this.info.zb,f=!b;c=new Iu(c?6:3,this,null,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,e,a==this.index.Xb()&&!this.R&&0a.B&&this.index.Eh()<=a.B+1}; -g.k.Qt=function(){return this.initRange&&this.indexRange?this.initRange.length+this.indexRange.length:0}; -g.k.Fv=function(){return!1};lB.prototype.getName=function(){return this.name}; -lB.prototype.getId=function(){return this.id}; -lB.prototype.getIsDefault=function(){return this.isDefault}; -lB.prototype.toString=function(){return this.name}; -lB.prototype.getName=lB.prototype.getName;lB.prototype.getId=lB.prototype.getId;lB.prototype.getIsDefault=lB.prototype.getIsDefault;g.u(tB,g.O);g.k=tB.prototype;g.k.appendBuffer=function(a,b,c){if(this.Rc.Nt()!==this.appendWindowStart+this.start||this.Rc.Yx()!==this.appendWindowEnd+this.start||this.Rc.yc()!==this.timestampOffset+this.start)this.Rc.supports(1),this.Rc.qA(this.appendWindowStart+this.start,this.appendWindowEnd+this.start),this.Rc.ip(this.timestampOffset+this.start);this.Rc.appendBuffer(a,b,c)}; -g.k.abort=function(){this.Rc.abort()}; -g.k.remove=function(a,b){this.Rc.remove(a+this.start,b+this.start)}; -g.k.qA=function(a,b){this.appendWindowStart=a;this.appendWindowEnd=b}; -g.k.ly=function(){return this.timestampOffset+this.start}; -g.k.Nt=function(){return this.appendWindowStart}; -g.k.Yx=function(){return this.appendWindowEnd}; -g.k.ip=function(a){this.timestampOffset=a}; -g.k.yc=function(){return this.timestampOffset}; -g.k.Se=function(a){a=this.Rc.Se(void 0===a?!1:a);return gA(a,this.start,this.end)}; -g.k.Kf=function(){return this.Rc.Kf()}; -g.k.qm=function(){return this.Rc.qm()}; -g.k.Ot=function(){return this.Rc.Ot()}; -g.k.WA=function(a,b){this.Rc.WA(a,b)}; -g.k.supports=function(a){return this.Rc.supports(a)}; -g.k.Pt=function(){return this.Rc.Pt()}; +var c=new Uint8Array([1]);return 1===c.length&&1===c[0]?b:a}(); +VF=Array(1024);TF=window.TextDecoder?new TextDecoder:void 0;XF=window.TextEncoder?new TextEncoder:void 0;ZF.prototype.skip=function(a){this.j+=a};var K3={},ccb=(K3.predictStart="predictStart",K3.start="start",K3["continue"]="continue",K3.stop="stop",K3),nua={EVENT_PREDICT_START:"predictStart",EVENT_START:"start",EVENT_CONTINUE:"continue",EVENT_STOP:"stop"};hG.prototype.nC=function(){return!!(this.data["Stitched-Video-Id"]||this.data["Stitched-Video-Cpn"]||this.data["Stitched-Video-Duration-Us"]||this.data["Stitched-Video-Start-Frame-Index"]||this.data["Serialized-State"]||this.data["Is-Ad-Break-Finished"])}; +hG.prototype.toString=function(){for(var a="",b=g.t(Object.keys(this.data)),c=b.next();!c.done;c=b.next())c=c.value,a+=c+":"+this.data[c]+";";return a};var L3={},Tva=(L3.STEREO_LAYOUT_UNKNOWN=0,L3.STEREO_LAYOUT_LEFT_RIGHT=1,L3.STEREO_LAYOUT_TOP_BOTTOM=2,L3);uG.prototype.Xm=function(){var a=this.pos;this.pos=0;var b=!1;try{yG(this,440786851)&&(this.pos=0,yG(this,408125543)&&(b=!0))}catch(c){if(c instanceof RangeError)this.pos=0,b=!1,g.DD(c);else throw c;}this.pos=a;return b};IG.prototype.set=function(a,b){this.zj.get(a);this.j[a]=b;this.url=""}; +IG.prototype.get=function(a){return this.j[a]||this.zj.get(a)}; +IG.prototype.Ze=function(){this.url||(this.url=Iua(this));return this.url};MG.prototype.OB=function(){return this.B.get("cpn")||""}; +MG.prototype.Bk=function(a,b){a.zj===this.j&&(this.j=JG(a,b));a.zj===this.C&&(this.C=JG(a,b))};RG.prototype.Jg=function(){return!!this.j&&this.index.isLoaded()}; +RG.prototype.Vy=function(){return!1}; +RG.prototype.rR=function(a){return[a]}; +RG.prototype.Jz=function(a){return[a]};TG.prototype.toString=function(){return this.start+"-"+(null==this.end?"":this.end)};XG.prototype.isEncrypted=function(){return this.j.info.isEncrypted()}; +XG.prototype.equals=function(a){return!(!a||a.j!==this.j||a.type!==this.type||(this.range&&a.range?a.range.start!==this.range.start||a.range.end!==this.range.end:a.range!==this.range)||a.Ma!==this.Ma||a.Ob!==this.Ob||a.u!==this.u)}; +XG.prototype.Xg=function(){return!!this.j.info.video};fH.prototype.Im=function(){return this.u?this.u.Ze():""}; +fH.prototype.Ds=function(){return this.J}; +fH.prototype.Mr=function(){return ZG(this.gb[0])}; +fH.prototype.Bk=function(a,b){this.j.Bk(a,b);if(this.u){this.u=JG(a,b);b=g.t(["acpns","cpn","daistate","skipsq"]);for(var c=b.next();!c.done;c=b.next())this.u.set(c.value,null)}this.requestId=a.get("req_id")};g.w(jH,RG);g.k=jH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.Vy=function(){return!this.I}; +g.k.Uu=function(){return new fH([new XG(1,this,this.initRange,"getMetadataRequestInfo")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return this.ov()&&a.u&&!a.bf?new fH([new XG(a.type,a.j,a.range,"liveGetNextRequestInfoBySegment",a.Ma,a.startTime,a.duration,a.Ob+a.u,NaN,!0)],this.index.bG(a.Ma)):this.Br(bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.Br(a,!0)}; +g.k.mM=function(a){dcb?yH(a):this.j=new Uint8Array(tH(a).buffer)}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.update=function(a,b,c){this.index.append(a);eua(this.index,c);this.index.u=b}; +g.k.Jg=function(){return this.Vy()?!0:RG.prototype.Jg.call(this)}; +g.k.Br=function(a,b){var c=this.index.bG(a),d=this.index.getStartTime(a),e=this.index.getDuration(a),f;b?e=f=0:f=0c&&(this.segments=this.segments.slice(b))}}; +g.k.RF=function(){return this.Po}; +g.k.vy=function(a){if(!this.Dm)return g.KF.prototype.vy.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.Ma+Math.floor((a-b.endTime)/this.sj+1);else{b=Kb(this.segments,function(d){return a=d.endTime?1:0}); +if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.Ma-b.Ma-1))+1)+b.Ma}return this.Go(b)}; +g.k.Go=function(a){if(!this.Dm)return g.KF.prototype.Go.call(this,a);if(!this.segments.length)return null;var b=oH(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.sj;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].Ma-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.Ma-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.Ma-d.Ma-1),d=d.endTime+(a-d.Ma-1)*b);return new JF(a,d,b,0,"sq/"+a,void 0,void 0, +!0)};g.w(qH,jH);g.k=qH.prototype;g.k.zC=function(){return!0}; +g.k.Jg=function(){return!0}; +g.k.Ar=function(a){return this.ov()&&a.u&&!a.bf||!a.j.index.OM(a.Ma)}; +g.k.Uu=function(){}; +g.k.Zp=function(a,b){return"number"!==typeof a||isFinite(a)?jH.prototype.Zp.call(this,a,void 0===b?!1:b):new fH([new XG(3,this,void 0,"mlLiveGetReqInfoStubForTime",-1,void 0,this.Xj,void 0,this.Xj*this.info.dc)],"")}; +g.k.Br=function(a,b){var c=void 0===c?!1:c;if(pH(this.index,a))return jH.prototype.Br.call(this,a,b);var d=this.index.getStartTime(a);return new fH([new XG(c?6:3,this,void 0,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,b?0:this.Xj*this.info.dc,!b)],0<=a?"sq/"+a:"")};g.w(rH,RG);g.k=rH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!1}; +g.k.zC=function(){return!1}; +g.k.Uu=function(){return new fH([new XG(1,this,void 0,"otfInit")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return kva(this,bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return kva(this,a,!0)}; +g.k.mM=function(a){1===a.info.type&&(this.j||(this.j=iua(a.j)),a.u&&"http://youtube.com/streaming/otf/durations/112015"===a.u.uri&&lva(this,a.u))}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.WL=function(){return 0}; +g.k.wO=function(){return!1};sH.prototype.verify=function(a){if(this.info.u!==this.j.totalLength)return a.slength=this.info.u.toString(),a.range=this.j.totalLength.toString(),!1;if(1===this.info.j.info.containerType){if(8>this.info.u||4===this.info.type)return!0;var b=tH(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2===this.info.type)return c===this.info.u&&1936286840===b;if(3===this.info.type&&0===this.info.Ob)return 1836019558===b||1936286840=== +b||1937013104===b||1718909296===b||1701671783===b||1936419184===b}else if(2===this.info.j.info.containerType){if(4>this.info.u||4===this.info.type)return!0;c=tH(this).getUint32(0,!1);a.ebm=c.toString();if(3===this.info.type&&0===this.info.Ob)return 524531317===c||440786851===c}return!0};g.k=g.zH.prototype;g.k.Yp=function(a){return this.offsets[a]}; +g.k.getStartTime=function(a){return this.Li[a]/this.j}; +g.k.dG=aa(1);g.k.Pf=function(){return NaN}; +g.k.getDuration=function(a){a=this.KT(a);return 0<=a?a/this.j:-1}; +g.k.KT=function(a){return a+1=this.td())return 0;var c=0;for(b=this.getStartTime(a)+b;athis.getStartTime(a);a++)c=Math.max(c,uva(this,a)/this.getDuration(a));return c}; +g.k.resize=function(a){a+=2;var b=this.offsets;this.offsets=new Float64Array(a+1);var c=this.Li;this.Li=new Float64Array(a+1);for(a=0;a=b+c)break}e.length||g.CD(new g.bA("b189619593",""+a,""+b,""+c));return new fH(e)}; +g.k.rR=function(a){for(var b=this.Jz(a.info),c=a.info.range.start+a.info.Ob,d=a.B,e=[],f=0;f=this.index.Yp(c+1);)c++;return this.cC(c,b,a.u).gb}; +g.k.Ar=function(a){YG(a);return this.Jg()?!0:a.range.end+1this.info.contentLength&&(b=new TG(b.start,this.info.contentLength-1)),new fH([new XG(4,a.j,b,"getNextRequestInfoByLength",void 0,void 0,void 0,void 0,void 0,void 0,a.clipId)]);4===a.type&&(a=this.Jz(a),a=a[a.length-1]);var c=0,d=a.range.start+a.Ob+a.u;3===a.type&&(YG(a),c=a.Ma,d===a.range.end+1&&(c+=1));return this.cC(c,d,b)}; +g.k.PA=function(){return null}; +g.k.Zp=function(a,b,c){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.cC(a,this.index.Yp(a),0,c)}; +g.k.Ym=function(){return!0}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.WL=function(){return this.indexRange.length+this.initRange.length}; +g.k.wO=function(){return this.indexRange&&this.initRange&&this.initRange.end+1===this.indexRange.start?!0:!1};CH.prototype.isMultiChannelAudio=function(){return 2this.Nt()?(this.jc.appendWindowEnd=b,this.jc.appendWindowStart=a):(this.jc.appendWindowStart=a,this.jc.appendWindowEnd=b))}; -g.k.ly=function(){return this.timestampOffset}; -g.k.ip=function(a){Qy?this.timestampOffset=a:this.supports(1)&&(this.jc.timestampOffset=a)}; -g.k.yc=function(){return Qy?this.timestampOffset:this.supports(1)?this.jc.timestampOffset:0}; -g.k.Se=function(a){if(void 0===a?0:a)return this.Xs||this.Kf()||(this.cC=this.Se(!1),this.Xs=!0),this.cC;try{return this.jc?this.jc.buffered:this.de?this.de.webkitSourceBuffered(this.id):Vz([0],[Infinity])}catch(b){return Vz([],[])}}; -g.k.Kf=function(){var a;return(null===(a=this.jc)||void 0===a?void 0:a.updating)||!1}; -g.k.qm=function(){return this.yu}; -g.k.Ot=function(){return this.iE}; -g.k.WA=function(a,b){this.containerType!==a&&(this.supports(4),yB()&&this.jc.changeType(b));this.containerType=a}; -g.k.Pt=function(){return this.Zy}; +g.k.tI=function(a,b,c){return this.isActive?this.Ed.tI(a,b,c):!1}; +g.k.eF=function(){return this.Ed.eF()?this.isActive:!1}; +g.k.isLocked=function(){return this.rE&&!this.isActive}; +g.k.lc=function(a){a=this.Ed.lc(a);a.vw=this.start+"-"+this.end;return a}; +g.k.UB=function(){return this.Ed.UB()}; +g.k.ZL=function(){return this.Ed.ZL()}; +g.k.qa=function(){fE(this.Ed,this.tU);g.dE.prototype.qa.call(this)};var CX=!1;g.w(sI,g.dE);g.k=sI.prototype; +g.k.appendBuffer=function(a,b,c){this.iB=!1;c&&(this.FC=c);if(!ecb&&(b&&Cva(this,b),!a.length))return;if(ecb){if(a.length){var d;(null==(d=this.Vb)?0:d.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}b&&Cva(this,b)}else{var e;(null==(e=this.Vb)?0:e.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}this.Kz&&(2<=this.Kz.length||1048576this.IB()?(this.Vb.appendWindowEnd=b,this.Vb.appendWindowStart=a):(this.Vb.appendWindowStart=a,this.Vb.appendWindowEnd=b))}; +g.k.dM=function(){return this.timestampOffset}; +g.k.Vq=function(a){CX?this.timestampOffset=a:this.supports(1)&&(this.Vb.timestampOffset=a)}; +g.k.Jd=function(){return CX?this.timestampOffset:this.supports(1)?this.Vb.timestampOffset:0}; +g.k.Ig=function(a){if(void 0===a?0:a)return this.iB||this.gj()||(this.GK=this.Ig(!1),this.iB=!0),this.GK;try{return this.Vb?this.Vb.buffered:this.Dg?this.Dg.webkitSourceBuffered(this.id):iI([0],[Infinity])}catch(b){return iI([],[])}}; +g.k.gj=function(){var a;return(null==(a=this.Vb)?void 0:a.updating)||!1}; +g.k.Ol=function(){return this.jF}; +g.k.IM=function(){return!this.jF&&this.gj()}; +g.k.Tx=function(){this.jF=!1}; +g.k.Wy=function(a){var b=null==a?void 0:a.Lb;a=null==a?void 0:a.containerType;return!b&&!a||b===this.Lb&&a===this.containerType}; +g.k.qs=function(){return this.FC}; +g.k.SF=function(){return this.XM}; +g.k.VP=function(a,b){this.containerType!==a&&(this.supports(4),tI()&&this.Vb.changeType(b));this.containerType=a}; +g.k.TF=function(){return this.Cf}; g.k.isView=function(){return!1}; -g.k.supports=function(a){var b,c,d,e,f;switch(a){case 1:return void 0!==(null===(b=this.jc)||void 0===b?void 0:b.timestampOffset);case 0:return!(null===(c=this.jc)||void 0===c||!c.appendBuffer);case 2:return!(null===(d=this.jc)||void 0===d||!d.remove);case 3:return!!((null===(e=this.jc)||void 0===e?0:e.addEventListener)&&(null===(f=this.jc)||void 0===f?0:f.removeEventListener));case 4:return!(!this.jc||!this.jc.changeType);default:return!1}}; -g.k.lx=function(){return!this.Kf()}; +g.k.supports=function(a){switch(a){case 1:var b;return void 0!==(null==(b=this.Vb)?void 0:b.timestampOffset);case 0:var c;return!(null==(c=this.Vb)||!c.appendBuffer);case 2:var d;return!(null==(d=this.Vb)||!d.remove);case 3:var e,f;return!!((null==(e=this.Vb)?0:e.addEventListener)&&(null==(f=this.Vb)?0:f.removeEventListener));case 4:return!(!this.Vb||!this.Vb.changeType);default:return!1}}; +g.k.eF=function(){return!this.gj()}; g.k.isLocked=function(){return!1}; -g.k.sb=function(a){var b,c;a.to=""+this.yc();a.up=""+ +this.Kf();var d=(null===(b=this.jc)||void 0===b?void 0:b.appendWindowStart)||0,e=(null===(c=this.jc)||void 0===c?void 0:c.appendWindowEnd)||Infinity;a.aw=d.toFixed(3)+"-"+e.toFixed(3);try{a.bu=Wz(this.Se())}catch(f){}return g.vB(a)}; -g.k.ca=function(){this.supports(3)&&(this.jc.removeEventListener("updateend",this.Oj),this.jc.removeEventListener("error",this.Oj));g.O.prototype.ca.call(this)}; -g.k.us=function(a,b,c){if(!this.supports(2)||this.Kf())return!1;var d=this.Se(),e=Xz(d,a);if(0>e)return!1;try{if(b&&e+1this.K&&this.Qa;this.ha=parseInt(dB(a,SB(this,"earliestMediaSequence")),10)|| -0;if(b=Date.parse(gB(dB(a,SB(this,"mpdResponseTime")))))this.R=(g.A()-b)/1E3;this.isLive&&0>=a.getElementsByTagName("SegmentTimeline").length||g.qh(a.getElementsByTagName("Period"),this.sR,this);this.Ka=2;this.V("loaded");XB(this);return this}; -g.k.HK=function(a){this.aa=a.xhr.status;this.Ka=3;this.V("loaderror");return wm(a.xhr)}; -g.k.refresh=function(){if(1!=this.Ka&&!this.na()){var a=g.Md(this.sourceUrl,{start_seq:Vga(this).toString()});Cm(VB(this,a),function(){})}}; -g.k.resume=function(){XB(this)}; -g.k.Oc=function(){if(this.isManifestless&&this.I&&YB(this))return YB(this);var a=this.u,b=!1,c=NaN,d=NaN,e;for(e in a){var f=a[e],h=f.index;h.Uc()&&(f.K&&(b=!0),h=h.Nk(),f.info.isAudio()&&(isNaN(c)||hxCa){H1=xCa;break a}}var yCa=I1.match("("+g.Mb(vCa).join("|")+")");H1=yCa?vCa[yCa[0]]:0}else H1=void 0}var lD=H1,kD=0<=lD;yC.prototype.canPlayType=function(a,b){var c=a.canPlayType?a.canPlayType(b):!1;or?c=c||zCa[b]:2.2===lD?c=c||ACa[b]:er()&&(c=c||BCa[b]);return!!c}; -yC.prototype.isTypeSupported=function(a){this.ea();return this.F?window.cast.receiver.platform.canDisplayType(a):oB(a)}; -yC.prototype.disableAv1=function(){this.K=!0}; -yC.prototype.ea=function(){}; -var ACa={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},BCa={"application/x-mpegURL":"maybe"},zCa={"application/x-mpegURL":"maybe"};CC.prototype.getLanguageInfo=function(){return this.u}; -CC.prototype.toString=function(){return this.u.name}; -CC.prototype.getLanguageInfo=CC.prototype.getLanguageInfo;DC.prototype.isLocked=function(){return this.C&&!!this.B&&this.B===this.u}; -DC.prototype.compose=function(a){if(a.C&&GC(a))return UD;if(a.C||GC(this))return a;if(this.C||GC(a))return this;var b=this.B&&a.B?Math.max(this.B,a.B):this.B||a.B,c=this.u&&a.u?Math.min(this.u,a.u):this.u||a.u;b=Math.min(b,c);return b===this.B&&c===this.u?this:new DC(b,c,!1,c===this.u?this.reason:a.reason)}; -DC.prototype.D=function(a){return a.video?IC(this,a.video.quality):!1}; -var CCa=FC("auto","hd1080",!1,"l"),vxa=FC("auto","large",!1,"l"),UD=FC("auto","auto",!1,"p");FC("small","auto",!1,"p");JC.prototype.nm=function(a){a=a||UD;for(var b=g.Ke(this.videoInfos,function(h){return a.D(h)}),c=[],d={},e=0;e'}; -g.k.supportsGaplessAudio=function(){return g.pB&&!or&&74<=br()||g.vC&&g.ae(68)?!0:!1}; -g.k.getPlayerType=function(){return this.deviceParams.cplayer}; -var wha=["www.youtube-nocookie.com","youtube.googleapis.com"];g.u(iE,g.O);g.u(oE,Aq);g.u(pE,Aq);var Kha=new Bq("aft-recorded",oE),aF=new Bq("timing-sent",pE);var J1=window,XE=J1.performance||J1.mozPerformance||J1.msPerformance||J1.webkitPerformance||new Jha;var BE=!1,Lha=(0,g.z)(XE.clearResourceTimings||XE.webkitClearResourceTimings||XE.mozClearResourceTimings||XE.msClearResourceTimings||XE.oClearResourceTimings||g.Ka,XE);var IE=g.v.ytLoggingLatencyUsageStats_||{};g.Fa("ytLoggingLatencyUsageStats_",IE,void 0);GE.prototype.tick=function(a,b,c){JE(this,"tick_"+a+"_"+b)||g.Nq("latencyActionTicked",{tickName:a,clientActionNonce:b},{timestamp:c})}; -GE.prototype.info=function(a,b){var c=Object.keys(a).join("");JE(this,"info_"+c+"_"+b)||(c=Object.assign({},a),c.clientActionNonce=b,g.Nq("latencyActionInfo",c))}; -GE.prototype.span=function(a,b){var c=Object.keys(a).join("");JE(this,"span_"+c+"_"+b)||(a.clientActionNonce=b,g.Nq("latencyActionSpan",a))};var K1={},QE=(K1.ad_to_ad="LATENCY_ACTION_AD_TO_AD",K1.ad_to_video="LATENCY_ACTION_AD_TO_VIDEO",K1.app_startup="LATENCY_ACTION_APP_STARTUP",K1["artist.analytics"]="LATENCY_ACTION_CREATOR_ARTIST_ANALYTICS",K1["artist.events"]="LATENCY_ACTION_CREATOR_ARTIST_CONCERTS",K1["artist.presskit"]="LATENCY_ACTION_CREATOR_ARTIST_PROFILE",K1.browse="LATENCY_ACTION_BROWSE",K1.channels="LATENCY_ACTION_CHANNELS",K1.creator_channel_dashboard="LATENCY_ACTION_CREATOR_CHANNEL_DASHBOARD",K1["channel.analytics"]="LATENCY_ACTION_CREATOR_CHANNEL_ANALYTICS", -K1["channel.comments"]="LATENCY_ACTION_CREATOR_CHANNEL_COMMENTS",K1["channel.content"]="LATENCY_ACTION_CREATOR_POST_LIST",K1["channel.copyright"]="LATENCY_ACTION_CREATOR_CHANNEL_COPYRIGHT",K1["channel.editing"]="LATENCY_ACTION_CREATOR_CHANNEL_EDITING",K1["channel.monetization"]="LATENCY_ACTION_CREATOR_CHANNEL_MONETIZATION",K1["channel.music"]="LATENCY_ACTION_CREATOR_CHANNEL_MUSIC",K1["channel.translations"]="LATENCY_ACTION_CREATOR_CHANNEL_TRANSLATIONS",K1["channel.videos"]="LATENCY_ACTION_CREATOR_CHANNEL_VIDEOS", -K1["channel.live_streaming"]="LATENCY_ACTION_CREATOR_LIVE_STREAMING",K1.chips="LATENCY_ACTION_CHIPS",K1["dialog.copyright_strikes"]="LATENCY_ACTION_CREATOR_DIALOG_COPYRIGHT_STRIKES",K1["dialog.uploads"]="LATENCY_ACTION_CREATOR_DIALOG_UPLOADS",K1.embed="LATENCY_ACTION_EMBED",K1.home="LATENCY_ACTION_HOME",K1.library="LATENCY_ACTION_LIBRARY",K1.live="LATENCY_ACTION_LIVE",K1.live_pagination="LATENCY_ACTION_LIVE_PAGINATION",K1.onboarding="LATENCY_ACTION_KIDS_ONBOARDING",K1.parent_profile_settings="LATENCY_ACTION_KIDS_PARENT_PROFILE_SETTINGS", -K1.parent_tools_collection="LATENCY_ACTION_PARENT_TOOLS_COLLECTION",K1.parent_tools_dashboard="LATENCY_ACTION_PARENT_TOOLS_DASHBOARD",K1.player_att="LATENCY_ACTION_PLAYER_ATTESTATION",K1["post.comments"]="LATENCY_ACTION_CREATOR_POST_COMMENTS",K1["post.edit"]="LATENCY_ACTION_CREATOR_POST_EDIT",K1.prebuffer="LATENCY_ACTION_PREBUFFER",K1.prefetch="LATENCY_ACTION_PREFETCH",K1.profile_settings="LATENCY_ACTION_KIDS_PROFILE_SETTINGS",K1.profile_switcher="LATENCY_ACTION_KIDS_PROFILE_SWITCHER",K1.results= -"LATENCY_ACTION_RESULTS",K1.search_ui="LATENCY_ACTION_SEARCH_UI",K1.search_zero_state="LATENCY_ACTION_SEARCH_ZERO_STATE",K1.secret_code="LATENCY_ACTION_KIDS_SECRET_CODE",K1.settings="LATENCY_ACTION_SETTINGS",K1.tenx="LATENCY_ACTION_TENX",K1.video_to_ad="LATENCY_ACTION_VIDEO_TO_AD",K1.watch="LATENCY_ACTION_WATCH",K1.watch_it_again="LATENCY_ACTION_KIDS_WATCH_IT_AGAIN",K1["watch,watch7"]="LATENCY_ACTION_WATCH",K1["watch,watch7_html5"]="LATENCY_ACTION_WATCH",K1["watch,watch7ad"]="LATENCY_ACTION_WATCH", -K1["watch,watch7ad_html5"]="LATENCY_ACTION_WATCH",K1.wn_comments="LATENCY_ACTION_LOAD_COMMENTS",K1.ww_rqs="LATENCY_ACTION_WHO_IS_WATCHING",K1["video.analytics"]="LATENCY_ACTION_CREATOR_VIDEO_ANALYTICS",K1["video.comments"]="LATENCY_ACTION_CREATOR_VIDEO_COMMENTS",K1["video.edit"]="LATENCY_ACTION_CREATOR_VIDEO_EDIT",K1["video.translations"]="LATENCY_ACTION_CREATOR_VIDEO_TRANSLATIONS",K1["video.video_editor"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR",K1["video.video_editor_async"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR_ASYNC", -K1["video.monetization"]="LATENCY_ACTION_CREATOR_VIDEO_MONETIZATION",K1.voice_assistant="LATENCY_ACTION_VOICE_ASSISTANT",K1.cast_load_by_entity_to_watch="LATENCY_ACTION_CAST_LOAD_BY_ENTITY_TO_WATCH",K1.networkless_performance="LATENCY_ACTION_NETWORKLESS_PERFORMANCE",K1),L1={},TE=(L1.ad_allowed="adTypesAllowed",L1.yt_abt="adBreakType",L1.ad_cpn="adClientPlaybackNonce",L1.ad_docid="adVideoId",L1.yt_ad_an="adNetworks",L1.ad_at="adType",L1.aida="appInstallDataAgeMs",L1.browse_id="browseId",L1.p="httpProtocol", -L1.t="transportProtocol",L1.cpn="clientPlaybackNonce",L1.ccs="creatorInfo.creatorCanaryState",L1.cseg="creatorInfo.creatorSegment",L1.csn="clientScreenNonce",L1.docid="videoId",L1.GetHome_rid="requestIds",L1.GetSearch_rid="requestIds",L1.GetPlayer_rid="requestIds",L1.GetWatchNext_rid="requestIds",L1.GetBrowse_rid="requestIds",L1.GetLibrary_rid="requestIds",L1.is_continuation="isContinuation",L1.is_nav="isNavigation",L1.b_p="kabukiInfo.browseParams",L1.is_prefetch="kabukiInfo.isPrefetch",L1.is_secondary_nav= -"kabukiInfo.isSecondaryNav",L1.prev_browse_id="kabukiInfo.prevBrowseId",L1.query_source="kabukiInfo.querySource",L1.voz_type="kabukiInfo.vozType",L1.yt_lt="loadType",L1.mver="creatorInfo.measurementVersion",L1.yt_ad="isMonetized",L1.nr="webInfo.navigationReason",L1.nrsu="navigationRequestedSameUrl",L1.ncnp="webInfo.nonPreloadedNodeCount",L1.pnt="performanceNavigationTiming",L1.prt="playbackRequiresTap",L1.plt="playerInfo.playbackType",L1.pis="playerInfo.playerInitializedState",L1.paused="playerInfo.isPausedOnLoad", -L1.yt_pt="playerType",L1.fmt="playerInfo.itag",L1.yt_pl="watchInfo.isPlaylist",L1.yt_pre="playerInfo.preloadType",L1.yt_ad_pr="prerollAllowed",L1.pa="previousAction",L1.yt_red="isRedSubscriber",L1.rce="mwebInfo.responseContentEncoding",L1.scrh="screenHeight",L1.scrw="screenWidth",L1.st="serverTimeMs",L1.ssdm="shellStartupDurationMs",L1.br_trs="tvInfo.bedrockTriggerState",L1.kebqat="kabukiInfo.earlyBrowseRequestInfo.abandonmentType",L1.kebqa="kabukiInfo.earlyBrowseRequestInfo.adopted",L1.label="tvInfo.label", -L1.is_mdx="tvInfo.isMdx",L1.preloaded="tvInfo.isPreloaded",L1.upg_player_vis="playerInfo.visibilityState",L1.query="unpluggedInfo.query",L1.upg_chip_ids_string="unpluggedInfo.upgChipIdsString",L1.yt_vst="videoStreamType",L1.vph="viewportHeight",L1.vpw="viewportWidth",L1.yt_vis="isVisible",L1.rcl="mwebInfo.responseContentLength",L1.GetSettings_rid="requestIds",L1.GetTrending_rid="requestIds",L1.GetMusicSearchSuggestions_rid="requestIds",L1.REQUEST_ID="requestIds",L1),Mha="isContinuation isNavigation kabukiInfo.earlyBrowseRequestInfo.adopted kabukiInfo.isPrefetch kabukiInfo.isSecondaryNav isMonetized navigationRequestedSameUrl performanceNavigationTiming playerInfo.isPausedOnLoad prerollAllowed isRedSubscriber tvInfo.isMdx tvInfo.isPreloaded isVisible watchInfo.isPlaylist playbackRequiresTap".split(" "), -M1={},UE=(M1.ccs="CANARY_STATE_",M1.mver="MEASUREMENT_VERSION_",M1.pis="PLAYER_INITIALIZED_STATE_",M1.yt_pt="LATENCY_PLAYER_",M1.pa="LATENCY_ACTION_",M1.yt_vst="VIDEO_STREAM_TYPE_",M1),Nha="all_vc ap aq c cver cbrand cmodel cplatform ctheme ei l_an l_mm plid srt yt_fss yt_li vpst vpni2 vpil2 icrc icrt pa GetAccountOverview_rid GetHistory_rid cmt d_vpct d_vpnfi d_vpni nsru pc pfa pfeh pftr pnc prerender psc rc start tcrt tcrc ssr vpr vps yt_abt yt_fn yt_fs yt_pft yt_pre yt_pt yt_pvis ytu_pvis yt_ref yt_sts tds".split(" ");var N1=window;N1.ytcsi&&(N1.ytcsi.info=OE,N1.ytcsi.tick=PE);bF.prototype.Ma=function(){this.tick("gv")}; -bF.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.N)()};cF.prototype.send=function(){g.qq(this.target,{format:"RAW",responseType:"arraybuffer",timeout:1E4,Zf:this.B,Bg:this.B,context:this});this.u=(0,g.N)()}; -cF.prototype.B=function(a){var b,c={rc:a.status,lb:(null===(b=a.response)||void 0===b?void 0:b.byteLength)||0,rt:(((0,g.N)()-this.u)/1E3).toFixed(3),shost:g.yd(this.target),trigger:this.trigger};204===a.status||a.response?this.C&&this.C(g.vB(c)):this.D(new uB("pathprobe.net",!1,c))};var O1={},dF=(O1.AD_MARKER="ytp-ad-progress",O1.CHAPTER_MARKER="ytp-chapter-marker",O1.TIME_MARKER="ytp-time-marker",O1);g.eF.prototype.getId=function(){return this.id}; -g.eF.prototype.toString=function(){return"CueRange{"+this.namespace+":"+this.id+"}["+fF(this.start)+", "+fF(this.end)+"]"}; -g.eF.prototype.contains=function(a,b){return a>=this.start&&(aa&&this.D.start()))}; -g.k.fk=function(){this.F=!0;if(!this.I){for(var a=3;this.F&&a;)this.F=!1,this.I=!0,this.UD(),this.I=!1,a--;this.K().Hb()&&(a=lF(this.u,this.C),!isNaN(a)&&0x7ffffffffffff>a&&(a=(a-this.C)/this.Y(),this.D.start(a)))}}; -g.k.UD=function(){if(this.started&&!this.na()){this.D.stop();var a=this.K();g.U(a,32)&&this.P.start();for(var b=g.U(this.K(),2)?0x8000000000000:1E3*this.X(),c=g.U(a,2),d=[],e=[],f=g.q(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(qF(this,e));f=e=null;c?(a=kF(this.u,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=Uha(this.u)):a=this.C<=b&&HM(a)?Tha(this.u,this.C,b):kF(this.u,b); -d=d.concat(pF(this,a));e&&(d=d.concat(qF(this,e)));f&&(d=d.concat(pF(this,f)));this.C=b;Vha(this,d)}}; -g.k.ca=function(){this.B=[];this.u.u=[];g.C.prototype.ca.call(this)}; -(function(a,b){if(yz&&b){var c={},d;for(d in b)b.hasOwnProperty(d)&&(c.Nw=a.prototype[d],c.Pw=b[d],a.prototype[d]=function(e){return function(f){for(var h=[],l=0;lb&&c.B.pop();a.D.length?a.B=g.db(g.db(a.D).info.u):a.C.B.length?a.B=Gy(a.C).info:a.B=jA(a);a.B&&bFCa.length)P1=void 0;else{var Q1=ECa.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);P1=Q1&&6==Q1.length?Number(Q1[5].replace("_",".")):0}var tJ=P1,UU=0<=tJ;UU&&0<=g.Vc.search("Safari")&&g.Vc.search("Version");var Ela={mW:1,EW:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var dZ=16/9,GCa=[.25,.5,.75,1,1.25,1.5,1.75,2],HCa=GCa.concat([3,4,5,6,7,8,9,10,15]);g.u(yH,g.C); -yH.prototype.initialize=function(a,b){for(var c=this,d=g.q(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.q(a[e.value]);for(var f=e.next();!f.done;f=e.next())if(f=f.value,f.Ud)for(var h=g.q(Object.keys(f.Ud)),l=h.next();!l.done;l=h.next())if(l=l.value,xC[l])for(var m=g.q(xC[l]),n=m.next();!n.done;n=m.next())n=n.value,this.B[n]=this.B[n]||new nC(l,n,f.Ud[l],this.experiments),this.D[l]=this.D[l]||{},this.D[l][f.mimeType]=!0}hr()&&(this.B["com.youtube.fairplay"]=new nC("fairplay","com.youtube.fairplay","", -this.experiments),this.D.fairplay={'video/mp4; codecs="avc1.4d400b"':!0,'audio/mp4; codecs="mp4a.40.5"':!0});this.u=fha(b,this.useCobaltWidevine,g.kB(this.experiments,"html5_hdcp_probing_stream_url")).filter(function(p){return!!c.B[p]})}; -yH.prototype.ea=function(){}; -yH.prototype.ba=function(a){return g.Q(this.experiments,a)};g.k=BH.prototype;g.k.Te=function(){return this.Oa}; -g.k.Yq=function(){return null}; -g.k.dD=function(){var a=this.Yq();return a?(a=g.Zp(a.u),Number(a.expire)):NaN}; -g.k.nA=function(){}; -g.k.Yb=function(){return this.Oa.Yb()}; -g.k.getHeight=function(){return this.Oa.Ma().height};g.u(GH,BH);GH.prototype.dD=function(){return this.expiration}; -GH.prototype.Yq=function(){if(!this.u||this.u.na()){var a=this.B;Iia(a);var b=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],c={};a:if(a.u)var d=a.u;else{d="";for(var e=g.q(a.C),f=e.next();!f.done;f=e.next())if(f=f.value,f.u){if(f.u.getIsDefault()){d=f.u.getId();break a}d||(d=f.u.getId())}}e=g.q(a.C);for(f=e.next();!f.done;f=e.next())f=f.value,f.u&&f.u.getId()!==d||(c[f.itag]=f);d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,f=c[e.B]){var h=b,l=h.push,m=a,n="#EXT-X-MEDIA:TYPE=AUDIO,",p="YES", -r="audio";if(f.u){r=f.u;var t=r.getId().split(".")[0];t&&(n+='LANGUAGE="'+t+'",');m.u||r.getIsDefault()||(p="NO");r=r.getName()}t="";null!==e&&(t=e.itag.toString());m=DH(m,f.url,t);n=n+('NAME="'+r+'",DEFAULT='+(p+',AUTOSELECT=YES,GROUP-ID="'))+(EH(f,e)+'",URI="'+(m+'"'));l.call(h,n)}d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,h=c[e.B])f=a,h="#EXT-X-STREAM-INF:BANDWIDTH="+(e.bitrate+h.bitrate)+',CODECS="'+(e.codecs+","+h.codecs+'",RESOLUTION=')+(e.width+"x"+e.height+',AUDIO="')+(EH(h, -e)+'",CLOSED-CAPTIONS=NONE'),1e)return!1;try{if(b&&e+1rcb){T3=rcb;break a}}var scb=U3.match("("+Object.keys(pcb).join("|")+")");T3=scb?pcb[scb[0]]:0}else T3=void 0}var jK=T3,iK=0<=jK;var wxa={RED:"red",F5a:"white"};var uxa={aea:"adunit",goa:"detailpage",Roa:"editpage",Zoa:"embedded",bpa:"embedded_unbranded",vCa:"leanback",pQa:"previewpage",fRa:"profilepage",iS:"unplugged",APa:"playlistoverview",rWa:"sponsorshipsoffer",HTa:"shortspage",Vva:"handlesclaiming",vxa:"immersivelivepage",wma:"creatormusic"};Lwa.prototype.ob=function(a){return"true"===this.flags[a]};var Mwa=Promise.resolve(),Pwa=window.queueMicrotask?window.queueMicrotask.bind(window):Nwa;tJ.prototype.canPlayType=function(a,b){a=a.canPlayType?a.canPlayType(b):!1;nB?a=a||tcb[b]:2.2===jK?a=a||ucb[b]:Xy()&&(a=a||vcb[b]);return!!a}; +tJ.prototype.isTypeSupported=function(a){return this.J?window.cast.receiver.platform.canDisplayType(a):fI(a)}; +var ucb={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},vcb={"application/x-mpegURL":"maybe"},tcb={"application/x-mpegURL":"maybe"};wJ.prototype.gf=function(){this.j=!1;if(this.queue.length&&!(this.u&&5>=this.queue.length&&15E3>(0,g.M)()-this.C)){var a=this.queue.shift(),b=a.url;a=a.options;a.timeout=1E4;g.Ly(b,a,3,1E3).then(this.B,this.B);this.u=!0;this.C=(0,g.M)();5this.j;)a[d++]^=c[this.j++];for(var e=b-(b-d)%16;db;b++)this.counter[b]=a[4*b]<<24|a[4*b+1]<<16|a[4*b+2]<<8|a[4*b+3];this.j=16};var FJ=!1;(function(){function a(d){for(var e=new Uint8Array(d.length),f=0;f=this.j&&(this.B=!0);for(;a--;)this.values[this.u]=b,this.u=(this.u+1)%this.j;this.D=!0}; +TJ.prototype.bj=function(){return this.J?(UJ(this,this.C-this.J)+UJ(this,this.C)+UJ(this,this.C+this.J))/3:UJ(this,this.C)};g.w(pxa,g.C);aK.prototype.then=function(a,b){return this.promise.then(a,b)}; +aK.prototype.resolve=function(a){this.u(a)}; +aK.prototype.reject=function(a){this.j(a)};var vxa="blogger gac books docs duo google-live google-one play shopping chat hangouts-meet photos-edu picasaweb gmail jamboard".split(" "),Bxa={Sia:"cbrand",bja:"cbr",cja:"cbrver",fya:"c",iya:"cver",hya:"ctheme",gya:"cplayer",mJa:"cmodel",cKa:"cnetwork",bOa:"cos",cOa:"cosver",POa:"cplatform"};g.w(vK,g.C);g.k=vK.prototype;g.k.K=function(a){return this.experiments.ob(a)}; +g.k.getVideoUrl=function(a,b,c,d,e,f,h){b={list:b};c&&(e?b.time_continue=c:b.t=c);c=g.zK(this);e="www.youtube.com"===c;f=f&&this.K("embeds_enable_shorts_links_for_eligible_shorts");h&&this.K("fill_live_watch_url_in_watch_endpoint")&&e?h="https://"+c+"/live/"+a:!f&&d&&e?h="https://youtu.be/"+a:g.mK(this)?(h="https://"+c+"/fire",b.v=a):(f&&e?(h=this.protocol+"://"+c+"/shorts/"+a,d&&(b.feature="share")):(h=this.protocol+"://"+c+"/watch",b.v=a),nB&&(a=Fna())&&(b.ebc=a));return g.Zi(h,b)}; +g.k.getVideoEmbedCode=function(a,b,c,d){b="https://"+g.zK(this)+"/embed/"+b;d&&(b=g.Zi(b,{list:d}));d=c.width;c=c.height;b=g.Me(b);a=g.Me(null!=a?a:"YouTube video player");return'')}; +g.k.supportsGaplessAudio=function(){return g.eI&&!nB&&74<=goa()||g.fJ&&g.Nc(68)?!0:!1}; +g.k.getPlayerType=function(){return this.j.cplayer}; +g.k.Rd=function(){return this.If}; +var Dxa=["www.youtube-nocookie.com","youtube.googleapis.com","www.youtubeeducation.com","youtubeeducation.com"],Axa=["EMBEDDED_PLAYER_LITE_MODE_UNKNOWN","EMBEDDED_PLAYER_LITE_MODE_NONE","EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT","EMBEDDED_PLAYER_LITE_MODE_DYNAMIC_PLAYBACK_LIMIT"];g.k=SK.prototype;g.k.rh=function(){return this.j}; +g.k.QA=function(){return null}; +g.k.sR=function(){var a=this.QA();return a?(a=g.sy(a.j),Number(a.expire)):NaN}; +g.k.ZO=function(){}; +g.k.getHeight=function(){return this.j.video.height};Exa.prototype.wf=function(){Hxa(this);var a=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],b={};a:if(this.j)var c=this.j;else{c="";for(var d=g.t(this.B),e=d.next();!e.done;e=d.next())if(e=e.value,e.Jc){if(e.Jc.getIsDefault()){c=e.Jc.getId();break a}c||(c=e.Jc.getId())}}d=g.t(this.B);for(var f=d.next();!f.done;f=d.next())if(e=f.value,this.I||!e.Jc||e.Jc.getId()===c)b[e.itag]||(b[e.itag]=[]),b[e.itag].push(e);c=g.t(this.u);for(e=c.next();!e.done;e=c.next())if(d=e.value,e=b[d.j])for(e=g.t(e),f=e.next();!f.done;f= +e.next()){var h=a,l=h.push;f=f.value;var m="#EXT-X-MEDIA:TYPE=AUDIO,",n="YES",p="audio";if(f.Jc){p=f.Jc;var q=p.getId().split(".")[0];q&&(m+='LANGUAGE="'+q+'",');(this.j?this.j===p.getId():p.getIsDefault())||(n="NO");p=p.getName()}q="";null!==d&&(q=d.itag.toString());q=UK(this,f.url,q);m=m+('NAME="'+p+'",DEFAULT='+(n+',AUTOSELECT=YES,GROUP-ID="'))+(Gxa(f,d)+'",URI="'+(q+'"'));l.call(h,m)}c=g.t(this.D);for(d=c.next();!d.done;d=c.next())d=d.value,e=ycb,d=(h=d.Jc)?'#EXT-X-MEDIA:URI="'+UK(this,d.url)+ +'",TYPE=SUBTITLES,GROUP-ID="'+e+'",LANGUAGE="'+h.getId()+'",NAME="'+h.getName()+'",DEFAULT=NO,AUTOSELECT=YES':void 0,d&&a.push(d);c=0=this.oz()&&this.dr();var b=Math.floor(a/(this.columns*this.rows)),c=this.columns*this.rows,d=a%c;a=d%this.columns;d=Math.floor(d/this.columns);var e=this.dr()+1-c*b;if(eh.getHeight())&&c.push(h)}return c}; -nI.prototype.F=function(a,b,c,d){return new g.mI(a,b,c,d)};g.u(pI,g.mI);g.k=pI.prototype;g.k.fy=function(){return this.B.fo()}; -g.k.dv=function(a){var b=this.rows*this.columns*this.I,c=this.B,d=c.Xb();a=c.Gh(a);return a>d-b?-1:a}; -g.k.dr=function(){return this.B.Xb()}; -g.k.oz=function(){return this.B.Eh()}; -g.k.SE=function(a){this.B=a};g.u(qI,nI);qI.prototype.B=function(a,b){return nI.prototype.B.call(this,"$N|"+a,b)}; -qI.prototype.F=function(a,b,c){return new pI(a,b,c,this.isLive)};g.u(g.rI,g.O);g.k=g.rI.prototype;g.k.nh=function(a,b,c){c&&(this.errorCode=null,this.errorDetail="",this.Ki=this.errorReason=null);b?(bD(a),this.setData(a),bJ(this)&&DI(this)):(a=a||{},this.ba("embeds_enable_updatedata_from_embeds_response_killswitch")||dJ(this,a),yI(this,a),uI(this,a),this.V("dataupdated"))}; -g.k.setData=function(a){a=a||{};var b=a.errordetail;null!=b&&(this.errorDetail=b);var c=a.errorcode;null!=c?this.errorCode=c:"fail"==a.status&&(this.errorCode="150");var d=a.reason;null!=d&&(this.errorReason=d);var e=a.subreason;null!=e&&(this.Ki=e);this.clientPlaybackNonce||(this.clientPlaybackNonce=a.cpn||this.Wx());this.Zi=R(this.Sa.Zi,a.livemonitor);dJ(this,a);var f=a.raw_player_response;if(!f){var h=a.player_response;h&&(f=JSON.parse(h))}f&&(this.playerResponse=f);if(this.playerResponse){var l= -this.playerResponse.annotations;if(l)for(var m=g.q(l),n=m.next();!n.done;n=m.next()){var p=n.value.playerAnnotationsUrlsRenderer;if(p){p.adsOnly&&(this.Ss=!0);p.allowInPlaceSwitch&&(this.bx=!0);var r=p.loadPolicy;r&&(this.annotationsLoadPolicy=ICa[r]);var t=p.invideoUrl;t&&(this.Mg=uw(t));this.ru=!0;break}}var w=this.playerResponse.attestation;w&&fI(this,w);var y=this.playerResponse.heartbeatParams;if(y){var x=y.heartbeatToken;x&&(this.drmSessionId=y.drmSessionId||"",this.heartbeatToken=x,this.GD= -Number(y.intervalMilliseconds),this.HD=Number(y.maxRetries),this.ID=!!y.softFailOnError,this.QD=!!y.useInnertubeHeartbeatsForDrm,this.Ds=!0)}var B=this.playerResponse.messages;B&&Wia(this,B);var E=this.playerResponse.multicamera;if(E){var G=E.playerLegacyMulticameraRenderer;if(G){var K=G.metadataList;K&&(this.rF=K,this.Vl=Yp(K))}}var H=this.playerResponse.overlay;if(H){var ya=H.playerControlsOverlayRenderer;if(ya){var ia=ya.controlBgHtml;null!=ia?(this.Gj=ia,this.qc=!0):(this.Gj="",this.qc=!1);if(ya.mutedAutoplay){var Oa= -ya.mutedAutoplay.playerMutedAutoplayOverlayRenderer;if(Oa&&Oa.endScreen){var Ra=Oa.endScreen.playerMutedAutoplayEndScreenRenderer;Ra&&Ra.text&&(this.tF=g.T(Ra.text))}}else this.mutedAutoplay=!1}}var Wa=this.playerResponse.playabilityStatus;if(Wa){var kc=Wa.backgroundability;kc&&kc.backgroundabilityRenderer.backgroundable&&(this.backgroundable=!0);var Yb=Wa.offlineability;Yb&&Yb.offlineabilityRenderer.offlineable&&(this.offlineable=!0);var Qe=Wa.contextParams;Qe&&(this.contextParams=Qe);var ue=Wa.pictureInPicture; -ue&&ue.pictureInPictureRenderer.playableInPip&&(this.pipable=!0);Wa.playableInEmbed&&(this.allowEmbed=!0);var lf=Wa.ypcClickwrap;if(lf){var Uf=lf.playerLegacyDesktopYpcClickwrapRenderer,Qc=lf.ypcRentalActivationRenderer;if(Uf)this.Bs=Uf.durationMessage||"",this.Bp=!0;else if(Qc){var kx=Qc.durationMessage;this.Bs=kx?g.T(kx):"";this.Bp=!0}}var Rd=Wa.errorScreen;if(Rd){if(Rd.playerLegacyDesktopYpcTrailerRenderer){var Hd=Rd.playerLegacyDesktopYpcTrailerRenderer;this.Jw=Hd.trailerVideoId||"";var lx=Rd.playerLegacyDesktopYpcTrailerRenderer.ypcTrailer; -var vi=lx&&lx.ypcTrailerRenderer}else if(Rd.playerLegacyDesktopYpcOfferRenderer)Hd=Rd.playerLegacyDesktopYpcOfferRenderer;else if(Rd.ypcTrailerRenderer){vi=Rd.ypcTrailerRenderer;var zr=vi.fullVideoMessage;this.Cs=zr?g.T(zr):""}Hd&&(this.Ew=Hd.itemTitle||"",Hd.itemUrl&&(this.Fw=Hd.itemUrl),Hd.itemBuyUrl&&(this.Cw=Hd.itemBuyUrl),this.Dw=Hd.itemThumbnail||"",this.Hw=Hd.offerHeadline||"",this.Es=Hd.offerDescription||"",this.Iw=Hd.offerId||"",this.Gw=Hd.offerButtonText||"",this.fB=Hd.offerButtonFormattedText|| -null,this.Fs=Hd.overlayDurationMsec||NaN,this.Cs=Hd.fullVideoMessage||"",this.un=!0);if(vi){var mx=vi.unserializedPlayerResponse;if(mx)this.Cp={raw_player_response:mx};else{var Ar=vi.playerVars;this.Cp=Ar?Xp(Ar):null}this.un=!0}}}var mf=this.playerResponse.playbackTracking;if(mf){var nx=a,Br=dI(mf.googleRemarketingUrl);Br&&(this.googleRemarketingUrl=Br);var ox=dI(mf.youtubeRemarketingUrl);ox&&(this.youtubeRemarketingUrl=ox);var Pn=dI(mf.ptrackingUrl);if(Pn){var Qn=eI(Pn),px=Qn.oid;px&&(this.zG=px); -var xh=Qn.pltype;xh&&(this.AG=xh);var qx=Qn.ptchn;qx&&(this.yG=qx);var Cr=Qn.ptk;Cr&&(this.Ev=encodeURIComponent(Cr))}var rx=dI(mf.ppvRemarketingUrl);rx&&(this.ppvRemarketingUrl=rx);var uE=dI(mf.qoeUrl);if(uE){for(var Rn=g.Zp(uE),Dr=g.q(Object.keys(Rn)),Er=Dr.next();!Er.done;Er=Dr.next()){var sx=Er.value,Sn=Rn[sx];Rn[sx]=Array.isArray(Sn)?Sn.join(","):Sn}var Tn=Rn.cat;Tn&&(this.Br=Tn);var Fr=Rn.live;Fr&&(this.dz=Fr)}var zc=dI(mf.remarketingUrl);if(zc){this.remarketingUrl=zc;var Ig=eI(zc);Ig.foc_id&& -(this.qd.focEnabled=!0);var Gr=Ig.data;Gr&&(this.qd.rmktEnabled=!0,Gr.engaged&&(this.qd.engaged="1"));this.qd.baseUrl=zd(zc)+vd(g.xd(5,zc))}var tx=dI(mf.videostatsPlaybackUrl);if(tx){var hd=eI(tx),ux=hd.adformat;ux&&(nx.adformat=ux);var vx=hd.aqi;vx&&(nx.ad_query_id=vx);var Hr=hd.autoplay;Hr&&(this.eh="1"==Hr);var Ir=hd.autonav;Ir&&(this.Kh="1"==Ir);var wx=hd.delay;wx&&(this.yh=g.rd(wx));var xx=hd.ei;xx&&(this.eventId=xx);"adunit"===hd.el&&(this.eh=!0);var yx=hd.feature;yx&&(this.Gr=yx);var Jr=hd.list; -Jr&&(this.playlistId=Jr);var Kr=hd.of;Kr&&(this.Mz=Kr);var vE=hd.osid;vE&&(this.osid=vE);var ml=hd.referrer;ml&&(this.referrer=ml);var Kj=hd.sdetail;Kj&&(this.Sv=Kj);var Lr=hd.ssrt;Lr&&(this.Ur="1"==Lr);var Mr=hd.subscribed;Mr&&(this.subscribed="1"==Mr,this.qd.subscribed=Mr);var zx=hd.uga;zx&&(this.userGenderAge=zx);var Ax=hd.upt;Ax&&(this.tw=Ax);var Bx=hd.vm;Bx&&(this.videoMetadata=Bx)}var wE=dI(mf.videostatsWatchtimeUrl);if(wE){var Re=eI(wE).ald;Re&&(this.Qs=Re)}var Un=this.ba("use_player_params_for_passing_desktop_conversion_urls"); -if(mf.promotedPlaybackTracking){var id=mf.promotedPlaybackTracking;id.startUrls&&(Un||(this.Mv=id.startUrls[0]),this.Nv=id.startUrls);id.firstQuartileUrls&&(Un||(this.Vz=id.firstQuartileUrls[0]),this.Wz=id.firstQuartileUrls);id.secondQuartileUrls&&(Un||(this.Xz=id.secondQuartileUrls[0]),this.Yz=id.secondQuartileUrls);id.thirdQuartileUrls&&(Un||(this.Zz=id.thirdQuartileUrls[0]),this.aA=id.thirdQuartileUrls);id.completeUrls&&(Un||(this.Tz=id.completeUrls[0]),this.Uz=id.completeUrls);id.engagedViewUrls&& -(1f.getHeight())&&c.push(f)}return c}; +WL.prototype.D=function(a,b,c,d){return new g.VL(a,b,c,d)};g.w(XL,g.VL);g.k=XL.prototype;g.k.NE=function(){return this.u.Fy()}; +g.k.OE=function(a){var b=this.rows*this.columns*this.I,c=this.u,d=c.td();a=c.uh(a);return a>d-b?-1:a}; +g.k.ix=function(){return this.u.td()}; +g.k.BJ=function(){return this.u.Lm()}; +g.k.tR=function(a){this.u=a};g.w(YL,WL);YL.prototype.u=function(a,b){return WL.prototype.u.call(this,"$N|"+a,b)}; +YL.prototype.D=function(a,b,c){return new XL(a,b,c,this.isLive)};g.w(g.$L,g.dE);g.k=g.$L.prototype;g.k.V=function(){return this.B}; +g.k.K=function(a){return this.B.K(a)}; +g.k.yh=function(){return!this.isLivePlayback||this.allowLiveDvr}; +g.k.hasSupportedAudio51Tracks=function(){var a;return!(null==(a=this.jm)||!a.Xb)}; +g.k.gW=function(){this.isDisposed()||(this.j.u||this.j.unsubscribe("refresh",this.gW,this),this.SS(-1))}; +g.k.SS=function(a){if(!this.isLivePlayback||!this.J||"fairplay"!=this.J.flavor){var b=Xva(this.j,this.dK);if(0=this.K&&(M(Error("durationMs was specified incorrectly with a value of: "+this.K)), -this.Ye());this.bd();this.J.addEventListener("progresssync",this.P)}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandonedreset")}; -g.k.bd=function(){var a=this.J.T();HK.prototype.bd.call(this);this.u=Math.floor(this.J.getCurrentTime());this.D=this.u+this.K/1E3;g.wD(a)?this.J.xa("onAdMessageChange",{renderer:this.C.u,startTimeSecs:this.u}):LK(this,[new iL(this.C.u)]);a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs;b&&g.Nq("adNotify",{clientScreenNonce:b,adMediaTimeSec:this.D, -timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)});if(this.I)for(this.R=!0,a=g.q(this.I.listeners),b=a.next();!b.done;b=a.next())if(b=b.value,b.B)if(b.u)S("Received AdNotify started event before another one exited");else{b.u=b.B;c=b.C();b=b.u;kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.cf(b)}else S("Received AdNotify started event without start requested event");g.U(g.uK(this.J,1),512)&& -(a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs,b&&g.Nq("adNotifyFailure",{clientScreenNonce:b,adMediaTimeSec:this.D,timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)}),this.Ye())}; -g.k.Ye=function(){HK.prototype.Ye.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.J.removeEventListener("progresssync",this.P);this.uh();this.V(a);lL(this)}; -g.k.dispose=function(){this.J.removeEventListener("progresssync",this.P);lL(this);HK.prototype.dispose.call(this)}; -g.k.uh=function(){g.wD(this.J.T())?this.J.xa("onAdMessageChange",{renderer:null,startTimeSecs:this.u}):HK.prototype.uh.call(this)};g.u(mL,BK);g.u(nL,HK);nL.prototype.je=function(){LK(this,[new mL(this.ad.u,this.macros)])}; -nL.prototype.If=function(a){yK(this.Ia,a)};g.u(oL,BK);g.u(pL,HK);pL.prototype.je=function(){var a=new oL(this.u.u,this.macros);LK(this,[a])};g.u(qL,BK);g.u(rL,HK);rL.prototype.je=function(){this.bd()}; -rL.prototype.bd=function(){LK(this,[new qL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -rL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(sL,BK);yL.prototype.sendAdsPing=function(a){this.F.send(a,CL(this),{})};g.u(EL,BK);g.u(FL,NK);FL.prototype.je=function(){PK(this)||this.Jl()}; -FL.prototype.Jl=function(){LK(this,[this.C])}; -FL.prototype.If=function(a){yK(this.Ia,a)};g.u(HL,g.O);HL.prototype.getProgressState=function(){return this.C}; -HL.prototype.start=function(){this.D=Date.now();GL(this,{current:this.u/1E3,duration:this.B/1E3});this.Za.start()}; -HL.prototype.stop=function(){this.Za.stop()};g.u(IL,BK);g.u(JL,HK);g.k=JL.prototype;g.k.je=function(){this.bd()}; -g.k.bd=function(){var a=this.D.u;g.wD(this.J.T())?(a=pma(this.I,a),this.J.xa("onAdInfoChange",a),this.K=Date.now(),this.u&&this.u.start()):LK(this,[new IL(a)]);HK.prototype.bd.call(this)}; -g.k.getDuration=function(){return this.D.B}; -g.k.Vk=function(){HK.prototype.Vk.call(this);this.u&&this.u.stop()}; -g.k.Nj=function(){HK.prototype.Nj.call(this);this.u&&this.u.start()}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -g.k.Wk=function(){HK.prototype.Wk.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.uh();this.V(a)}; -g.k.If=function(a){switch(a){case "skip-button":this.Wk();break;case "survey-submit":this.ac("adended")}}; -g.k.uh=function(){g.wD(this.J.T())?(this.u&&this.u.stop(),this.J.xa("onAdInfoChange",null)):HK.prototype.uh.call(this)};g.u(KL,BK);g.u(LL,HK);LL.prototype.je=function(){this.bd()}; -LL.prototype.bd=function(){LK(this,[new KL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -LL.prototype.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -LL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(ML,BK);g.u(NL,HK);g.k=NL.prototype;g.k.je=function(){0b&&RAa(this.J.app,d,b-a);return d}; -g.k.dispose=function(){dK(this.J)&&!this.daiEnabled&&this.J.stopVideo(2);aM(this,"adabandoned");HK.prototype.dispose.call(this)};fM.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.u[b];c?b=c:(c={Sn:null,nE:-Infinity},b=this.u[b]=c);c=a.startSecs+a.u/1E3;if(!(ctJ?.1:0,Zra=new yM;g.k=yM.prototype;g.k.Gs=null;g.k.getDuration=function(){return this.duration||0}; -g.k.getCurrentTime=function(){return this.currentTime||0}; -g.k.fi=function(){this.src&&(or&&0b.u.getCurrentTime(2,!1)&&!g.Q(b.u.T().experiments,"html5_dai_pseudogapless_seek_killswitch")))){c=b.B;if(c.Kq()){var d=g.Q(b.R.u.T().experiments,"html5_dai_enable_active_view_creating_completed_adblock");Al(c.K,d)}b.B.R.seek= -!0}0>FK(a,4)&&!(0>FK(a,2))&&(b=this.B.Ia,jK(b)||(lK(b)?vK(b,"resume"):pK(b,"resume")));!g.Q(this.J.T().experiments,"html5_dai_handle_suspended_state_killswitch")&&this.daiEnabled&&g.GK(a,512)&&!g.IM(a.state)&&vM(this.K)}}}; -g.k.Ra=function(){if(!this.daiEnabled)return!1;g.Q(this.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator handled video data change",void 0,void 0,{adCpn:(this.J.getVideoData(2)||{}).clientPlaybackNonce,contentCpn:(this.J.getVideoData(1)||{}).clientPlaybackNonce});return NM(this)}; -g.k.hn=function(){}; -g.k.resume=function(){this.B&&this.B.iA()}; -g.k.Jk=function(){this.B&&this.B.ac("adended")}; -g.k.Ii=function(){this.Jk()}; -g.k.fF=function(a){var b=this.Xc;b.C&&g.Q(b.u.T().experiments,"html5_bulleit_dai_publish_ad_ux_killswitch")||b.u.xa("onAdUxUpdate",a)}; -g.k.onAdUxClicked=function(a){this.B.If(a)}; -g.k.WC=function(){return 0}; -g.k.YC=function(){return 1}; -g.k.qw=function(a){this.daiEnabled&&this.u.R&&this.u.u.start<=a&&a=Math.abs(c-this.u.u.end/1E3)):c=!0;if(c&&!this.u.I.hasOwnProperty("ad_placement_end")){c=g.q(this.u.X);for(var d=c.next();!d.done;d=c.next())OM(d.value);this.u.I.ad_placement_end=!0}c=this.u.F;null!==c&&(qM(this.xh,{cueIdentifier:this.u.C&&this.u.C.identifier,driftRecoveryMs:c,CG:this.u.u.start,pE:SM(this)}),this.u.F=null);b||this.daiEnabled?wN(this.Xc, -!0):this.X&&this.uz()&&this.bl()?wN(this.Xc,!1,Ema(this)):wN(this.Xc,!1);PM(this,!0)}; -g.k.wy=function(a){AN(this.Xc,a)}; -g.k.Ut=function(){return this.F}; -g.k.isLiveStream=function(){return this.X}; -g.k.reset=function(){return new MM(this.Xc,this.J,this.K.reset(),this.u,this.xh,this.Tn,this.zk,this.daiEnabled)}; -g.k.ca=function(){g.fg(this.B);this.B=null;g.O.prototype.ca.call(this)};UM.prototype.create=function(a){return(a.B instanceof IJ?this.D:a.B instanceof iM?this.C:""===a.K?this.u:this.B)(a)};VM.prototype.clickCommand=function(a){var b=g.Rt();if(!a.clickTrackingParams||!b)return!1;$t(this.client,b,g.Lt(a.clickTrackingParams),void 0);return!0};g.u($M,g.O);g.k=$M.prototype;g.k.ir=function(){return this.u.u}; -g.k.kr=function(){return RJ(this.u)}; -g.k.uz=function(){return QJ(this.u)}; -g.k.Xi=function(){return!1}; -g.k.Ny=function(){return!1}; -g.k.no=function(){return!1}; -g.k.Jy=function(){return!1}; -g.k.pu=function(){return!1}; -g.k.Ty=function(){return!1}; -g.k.jr=function(){return!1}; +g.k.isDaiEnabled=function(){return!!(this.playerResponse&&this.playerResponse.playerConfig&&this.playerResponse.playerConfig.daiConfig&&this.playerResponse.playerConfig.daiConfig.enableDai)}; +g.k.lP=function(){return this.Uo||this.Vf}; +g.k.VD=function(){return this.ij||this.Vf}; +g.k.tK=function(){return fM(this,"html5_samsung_vp9_live")}; +g.k.useInnertubeDrmService=function(){return!0}; +g.k.xa=function(a,b,c){this.ma("ctmp",a,b,c)}; +g.k.IO=function(a,b,c){this.ma("ctmpstr",a,b,c)}; +g.k.hasProgressBarBoundaries=function(){return!(!this.progressBarStartPosition||!this.progressBarEndPosition)}; +g.k.qa=function(){g.dE.prototype.qa.call(this);this.uA=null;delete this.l1;delete this.accountLinkingConfig;delete this.j;this.C=this.QJ=this.playerResponse=this.jd=null;this.Jf=this.adaptiveFormats="";delete this.botguardData;this.ke=this.suggestions=this.Ow=null};bN.prototype.D=function(){return!1}; +bN.prototype.Ja=function(){return function(){return null}};var jN=null;g.w(iN,g.dE);iN.prototype.RB=function(a){return this.j.hasOwnProperty(a)?this.j[a].RB():{}}; +g.Fa("ytads.bulleit.getVideoMetadata",function(a){return kN().RB(a)}); +g.Fa("ytads.bulleit.triggerExternalActivityEvent",function(a,b,c){var d=kN();c=dAa(c);null!==c&&d.ma(c,{queryId:a,viewabilityString:b})});g.w(pN,bN);pN.prototype.isSkippable=function(){return null!=this.Aa}; +pN.prototype.Ce=function(){return this.T}; +pN.prototype.getVideoUrl=function(){return null}; +pN.prototype.D=function(){return!0};g.w(yN,bN);yN.prototype.D=function(){return!0}; +yN.prototype.Ja=function(){return function(){return g.kf("video-ads")}};$Aa.prototype.isPostroll=function(){return"AD_PLACEMENT_KIND_END"==this.j.j};var d5a={b$:"FINAL",eZ:"AD_BREAK_LENGTH",Kda:"AD_CPN",Rda:"AH",Vda:"AD_MT",Yda:"ASR",cea:"AW",mla:"NM",nla:"NX",ola:"NY",oZ:"CONN",fma:"CPN",Loa:"DV_VIEWABILITY",Hpa:"ERRORCODE",Qpa:"ERROR_MSG",Tpa:"EI",FZ:"GOOGLE_VIEWABILITY",mxa:"IAS_VIEWABILITY",tAa:"LACT",P0:"LIVE_TARGETING_CONTEXT",SFa:"I_X",TFa:"I_Y",gIa:"MT",uIa:"MIDROLL_POS",vIa:"MIDROLL_POS_MS",AIa:"MOAT_INIT",BIa:"MOAT_VIEWABILITY",X0:"P_H",sPa:"PV_H",tPa:"PV_W",Y0:"P_W",MPa:"TRIGGER_TYPE",tSa:"SDKV",f1:"SLOT_POS",ZYa:"SURVEY_LOCAL_TIME_EPOCH_S", +YYa:"SURVEY_ELAPSED_MS",t1:"VIS",Q3a:"VIEWABILITY",X3a:"VED",u1:"VOL",a4a:"WT",A1:"YT_ERROR_CODE"};var GBa=["FINAL","CPN","MIDROLL_POS","SDKV","SLOT_POS"];EN.prototype.send=function(a,b,c){try{HBa(this,a,b,c)}catch(d){}};g.w(FN,EN);FN.prototype.j=function(){return this.Dl?g.NK(this.Dl.V(),g.VM(this.Dl)):Oy("")}; +FN.prototype.B=function(){return this.Dl?this.Dl.V().pageId:""}; +FN.prototype.u=function(){return this.Dl?this.Dl.V().authUser:""}; +FN.prototype.K=function(a){return this.Dl?this.Dl.K(a):!1};var Icb=eaa(["attributionsrc"]); +JN.prototype.send=function(a,b,c){var d=!1;try{var e=new g.Bk(a);if("2"===e.u.get("ase"))g.DD(Error("Queries for attributionsrc label registration when sending pings.")),d=!0,a=HN(a);else if("1"===e.u.get("ase")&&"video_10s_engaged_view"===e.u.get("label")){var f=document.createElement("img");zga([new Yj(Icb[0].toLowerCase(),woa)],f,"attributionsrc",a+"&asr=1")}var h=a.match(Si);if("https"===h[1])var l=a;else h[1]="https",l=Qi("https",h[2],h[3],h[4],h[5],h[6],h[7]);var m=ala(l);h=[];yy(l)&&(h.push({headerType:"USER_AUTH"}), +h.push({headerType:"PLUS_PAGE_ID"}),h.push({headerType:"VISITOR_ID"}),h.push({headerType:"EOM_VISITOR_ID"}),h.push({headerType:"AUTH_USER"}));d&&h.push({headerType:"ATTRIBUTION_REPORTING_ELIGIBLE"});this.ou.send({baseUrl:l,scrubReferrer:m,headers:h},b,c)}catch(n){}};g.w(MBa,g.C);g.w(ZN,g.dE);g.k=ZN.prototype;g.k.RB=function(){return{}}; +g.k.sX=function(){}; +g.k.kh=function(a){this.Eu();this.ma(a)}; +g.k.Eu=function(){SBa(this,this.oa,3);this.oa=[]}; +g.k.getDuration=function(){return this.F.getDuration(2,!1)}; +g.k.iC=function(){var a=this.Za;KN(a)||!SN(a,"impression")&&!SN(a,"start")||SN(a,"abandon")||SN(a,"complete")||SN(a,"skip")||VN(a,"pause");this.B||(a=this.Za,KN(a)||!SN(a,"unmuted_impression")&&!SN(a,"unmuted_start")||SN(a,"unmuted_abandon")||SN(a,"unmuted_complete")||VN(a,"unmuted_pause"))}; +g.k.jC=function(){this.ya||this.J||this.Rm()}; +g.k.Ei=function(){NN(this.Za,this.getDuration());if(!this.B){var a=this.Za;this.getDuration();KN(a)||(PBa(a,0,!0),QBa(a,0,0,!0),MN(a,"unmuted_complete"))}}; +g.k.Ko=function(){var a=this.Za;!SN(a,"impression")||SN(a,"skip")||SN(a,"complete")||RN(a,"abandon");this.B||(a=this.Za,SN(a,"unmuted_impression")&&!SN(a,"unmuted_complete")&&RN(a,"unmuted_abandon"))}; +g.k.jM=function(){var a=this.Za;a.daiEnabled?MN(a,"skip"):!SN(a,"impression")||SN(a,"abandon")||SN(a,"complete")||MN(a,"skip")}; +g.k.Rm=function(){if(!this.J){var a=this.GB();this.Za.macros.AD_CPN=a;a=this.Za;if(a.daiEnabled){var b=a.u.getCurrentTime(2,!1);QN(a,"impression",b,0)}else MN(a,"impression");MN(a,"start");KN(a)||a.u.isFullscreen()&&RN(a,"fullscreen");this.J=!0;this.B=this.F.isMuted()||0==this.F.getVolume();this.B||(a=this.Za,MN(a,"unmuted_impression"),MN(a,"unmuted_start"),KN(a)||a.u.isFullscreen()&&RN(a,"unmuted_fullscreen"))}}; +g.k.Lo=function(a){a=a||"";var b="",c="",d="";cN(this.F)&&(b=this.F.Cb(2).state,this.F.qe()&&(c=this.F.qe().xj(),null!=this.F.qe().Ye()&&(d=this.F.qe().Ye())));var e=this.Za;e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d)));MN(e,"error");this.B||(e=this.Za,e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d))),MN(e,"unmuted_error"))}; +g.k.gh=function(){}; +g.k.cX=function(){this.ma("adactiveviewmeasurable")}; +g.k.dX=function(){this.ma("adfullyviewableaudiblehalfdurationimpression")}; +g.k.eX=function(){this.ma("adoverlaymeasurableimpression")}; +g.k.fX=function(){this.ma("adoverlayunviewableimpression")}; +g.k.gX=function(){this.ma("adoverlayviewableendofsessionimpression")}; +g.k.hX=function(){this.ma("adoverlayviewableimmediateimpression")}; +g.k.iX=function(){this.ma("adviewableimpression")}; +g.k.dispose=function(){this.isDisposed()||(this.Eu(),this.j.unsubscribe("adactiveviewmeasurable",this.cX,this),this.j.unsubscribe("adfullyviewableaudiblehalfdurationimpression",this.dX,this),this.j.unsubscribe("adoverlaymeasurableimpression",this.eX,this),this.j.unsubscribe("adoverlayunviewableimpression",this.fX,this),this.j.unsubscribe("adoverlayviewableendofsessionimpression",this.gX,this),this.j.unsubscribe("adoverlayviewableimmediateimpression",this.hX,this),this.j.unsubscribe("adviewableimpression", +this.iX,this),delete this.j.j[this.ad.J],g.dE.prototype.dispose.call(this))}; +g.k.GB=function(){var a=this.F.getVideoData(2);return a&&a.clientPlaybackNonce||""}; +g.k.rT=function(){return""};g.w($N,bN);g.w(aO,gN);g.w(bO,ZN);g.k=bO.prototype;g.k.PE=function(){0=this.T&&(g.CD(Error("durationMs was specified incorrectly with a value of: "+this.T)),this.Ei());this.Rm();this.F.addEventListener("progresssync",this.Z)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandonedreset",!0)}; +g.k.Rm=function(){var a=this.F.V();fF("apbs",void 0,"video_to_ad");ZN.prototype.Rm.call(this);this.C=a.K("disable_rounding_ad_notify")?this.F.getCurrentTime():Math.floor(this.F.getCurrentTime());this.D=this.C+this.T/1E3;g.tK(a)?this.F.Na("onAdMessageChange",{renderer:this.u.j,startTimeSecs:this.C}):TBa(this,[new hO(this.u.j)]);a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64;b&&g.rA("adNotify",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3* +this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:Number(c)});if(this.I){this.ea=!0;b=this.u.j;if(!gO(b)){g.DD(Error("adMessageRenderer is not augmented on ad started"));return}a=b.slot;b=b.layout;c=g.t(this.I.listeners);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=a,f=b;gCa(d.j(),e);j0(d.j(),e,f)}}g.S(this.F.Cb(1),512)&&(g.DD(Error("player stuck during adNotify")),a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64, +b&&g.rA("adNotifyFailure",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3*this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:c}),this.Ei())}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended",!0)}; +g.k.Lo=function(a){g.DD(new g.bA("Player error during adNotify.",{errorCode:a}));ZN.prototype.Lo.call(this,a);this.kh("aderror",!0)}; +g.k.kh=function(a,b){(void 0===b?0:b)||g.DD(Error("TerminateAd directly called from other class during adNotify."));this.F.removeEventListener("progresssync",this.Z);this.Eu();ZBa(this,a);"adended"===a||"aderror"===a?this.ma("adnotifyexitednormalorerror"):this.ma(a)}; +g.k.dispose=function(){this.F.removeEventListener("progresssync",this.Z);ZBa(this);ZN.prototype.dispose.call(this)}; +g.k.Eu=function(){g.tK(this.F.V())?this.F.Na("onAdMessageChange",{renderer:null,startTimeSecs:this.C}):ZN.prototype.Eu.call(this)};mO.prototype.sendAdsPing=function(a){this.B.send(a,$Ba(this),{})}; +mO.prototype.Hg=function(a){var b=this;if(a){var c=$Ba(this);Array.isArray(a)?a.forEach(function(d){return b.j.executeCommand(d,c)}):this.j.executeCommand(a,c)}};g.w(nO,ZN);g.k=nO.prototype;g.k.RB=function(){return{currentTime:this.F.getCurrentTime(2,!1),duration:this.u.u,isPlaying:bAa(this.F),isVpaid:!1,isYouTube:!0,volume:this.F.isMuted()?0:this.F.getVolume()/100}}; +g.k.PE=function(){var a=this.u.j.legacyInfoCardVastExtension,b=this.u.Ce();a&&b&&this.F.V().Aa.add(b,{jB:a});try{var c=this.u.j.sodarExtensionData;if(c&&c.siub&&c.bgub&&c.scs&&c.bgp)try{Yka(c.siub,c.scs,c.bgub,c.bgp)}catch(e){var d=g.Xd("//tpc.googlesyndication.com/sodar/%{path}");g.DD(new g.bA("Load Sodar Error.",d instanceof Vd,d.constructor===Vd,{Message:e.message,"Escaped injector basename":g.Me(c.siub),"BG vm basename":c.bgub}));if(d.constructor===Vd)throw e;}}catch(e){g.CD(e)}eN(this.F,!1); +a=iAa(this.u);b=this.F.V();a.iv_load_policy=b.u||g.tK(b)||g.FK(b)?3:1;b=this.F.getVideoData(1);b.Ki&&(a.ctrl=b.Ki);b.qj&&(a.ytr=b.qj);b.Kp&&(a.ytrcc=b.Kp);b.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,b.ek&&(a.vss_credentials_token_type=b.ek),b.mdxEnvironment&&(a.mdx_environment=b.mdxEnvironment));this.ma("adunstarted",-1);this.T?this.D.start():(this.F.cueVideoByPlayerVars(a,2),this.D.start(),this.F.playVideo(2))}; +g.k.iC=function(){ZN.prototype.iC.call(this);this.ma("adpause",2)}; +g.k.jC=function(){ZN.prototype.jC.call(this);this.ma("adplay",1)}; +g.k.Rm=function(){ZN.prototype.Rm.call(this);this.D.stop();this.ea.S(this.F,g.ZD("bltplayback"),this.Q_);var a=new g.XD(0x7ffffffffffff,0x8000000000000,{id:"bltcompletion",namespace:"bltplayback",priority:2});this.F.ye([a],2);a=rO(this);this.C.Ga=a;if(this.F.isMuted()){a=this.Za;var b=this.F.isMuted();a.daiEnabled||MN(a,b?"mute":"unmute")}this.ma("adplay",1);if(null!==this.I){a=null!==this.C.j.getVideoData(1)?this.C.j.getVideoData(1).clientPlaybackNonce:"";b=cCa(this);for(var c=this.u,d=bCa(this), +e=g.t(this.I.listeners),f=e.next();!f.done;f=e.next()){f=f.value;var h=b,l=c,m=d,n=[],p=l.Ce(),q=l.getVideoUrl();p&&n.push(new y_(p));q&&n.push(new v1a(q));(q=(p=l.j)&&p.playerOverlay&&p.playerOverlay.instreamAdPlayerOverlayRenderer)?(n.push(new A_(q)),(q=q.elementId)&&n.push(new E_(q))):GD("instreamVideoAdRenderer without instreamAdPlayerOverlayRenderer");(p=p&&p.playerUnderlay)&&n.push(new B_(p));l.j.adNextParams&&n.push(new p_(l.j.adNextParams||""));(p=l.Ga)&&n.push(new q_(p));(p=f.Va.get().vg(2))? +(n.push(new r_({channelId:p.bk,channelThumbnailUrl:p.profilePicture,channelTitle:p.author,videoTitle:p.title})),n.push(new s_(p.isListed))):GD("Expected meaningful PlaybackData on ad started.");n.push(new u_(l.B));n.push(new J_(l.u));n.push(new z_(a));n.push(new G_({current:this}));p=l.Qa;null!=p.kind&&n.push(new t_(p));(p=l.La)&&n.push(new V_(p));void 0!==m&&n.push(new W_(m));f.j?GD(f.j.layoutId===h?"Received repeat AD_START event.":"Received a new AD_START event before received AD_ENDED event."): +dCa(f,h,n,!0,l.j.adLayoutLoggingData)}}this.F.Na("onAdStart",rO(this));a=g.t(this.u.j.impressionCommands||[]);for(b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Q_=function(a){"bltcompletion"==a.getId()&&(this.F.Ff("bltplayback",2),NN(this.Za,this.getDuration()),qO(this,"adended"))}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended");for(var a=g.t(this.u.j.completeCommands||[]),b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandoned")}; +g.k.PH=function(){var a=this.Za;KN(a)||RN(a,"clickthrough");this.B||(a=this.Za,KN(a)||RN(a,"unmuted_clickthrough"))}; +g.k.gD=function(){this.jM()}; +g.k.jM=function(){ZN.prototype.jM.call(this);this.kh("adended")}; +g.k.Lo=function(a){ZN.prototype.Lo.call(this,a);this.kh("aderror")}; +g.k.kh=function(a){this.D.stop();eN(this.F,!0);"adabandoned"!=a&&this.F.Na("onAdComplete");qO(this,a);this.F.Na("onAdEnd",rO(this));this.ma(a)}; +g.k.Eu=function(){var a=this.F.V();g.tK(a)&&(g.FK(a)||a.K("enable_topsoil_wta_for_halftime")||a.K("enable_topsoil_wta_for_halftime_live_infra")||g.tK(a))?this.F.Na("onAdInfoChange",null):ZN.prototype.Eu.call(this)}; +g.k.sX=function(){this.s4&&this.F.playVideo()}; +g.k.s4=function(){return 2==this.F.getPlayerState(2)}; +g.k.rT=function(a,b){if(!Number.isFinite(a))return g.CD(Error("Playing the video after the current media has finished is not supported")),"";if(b<=a)return g.CD(Error("Start time is not earlier than end time")),"";var c=1E3*this.u.u,d=iAa(this.u);d=this.F.Kx(d,"",2,c,a,b);a+c>b&&this.F.jA(d,b-a);return d}; +g.k.dispose=function(){bAa(this.F)&&!this.T&&this.F.stopVideo(2);qO(this,"adabandoned");ZN.prototype.dispose.call(this)};sO.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.j[b];c?b=c:(c={oB:null,kV:-Infinity},b=this.j[b]=c);c=a.startSecs+a.j/1E3;if(!(cdM&&(a=Math.max(.1,a)),this.setCurrentTime(a))}; +g.k.Dn=function(){if(!this.u&&this.Wa)if(this.Wa.D)try{var a;yI(this,{l:"mer",sr:null==(a=this.va)?void 0:zI(a),rs:BI(this.Wa)});this.Wa.clear();this.u=this.Wa;this.Wa=void 0}catch(b){a=new g.bA("Error while clearing Media Source in MediaElement: "+b.name+", "+b.message),g.CD(a),this.stopVideo()}else this.stopVideo()}; +g.k.stopVideo=function(){var a=this,b;null==(b=this.Wa)||Hva(b);if(!this.u)if(Lcb){if(!this.C){var c=new aK;c.then(void 0,function(){}); +this.C=c;Mcb&&this.pause();g.Cy(function(){a.C===c&&(IO(a),c.resolve())},200)}}else IO(this)}; +g.k.Dy=function(){var a=this.Nh();return 0performance.now()?c-Date.now()+performance.now():c;c=this.u||this.Wa;if((null==c?0:c.Ol())||b<=((null==c?void 0:c.I)||0)){var d;yI(this,{l:"mede",sr:null==(d=this.va)?void 0:zI(d)});return!1}if(this.xM)return c&&"seeking"===a.type&&(c.I=performance.now(),this.xM=!1),!1}return this.D.dispatchEvent(a)}; +g.k.nL=function(){this.J=!1}; +g.k.lL=function(){this.J=!0;this.Sz(!0)}; +g.k.VS=function(){this.J&&!this.VF()&&this.Sz(!0)}; +g.k.equals=function(a){return!!a&&a.ub()===this.ub()}; +g.k.qa=function(){this.T&&this.removeEventListener("volumechange",this.VS);Lcb&&IO(this);g.C.prototype.qa.call(this)}; +var Lcb=!1,Mcb=!1,Kcb=!1,CCa=!1;g.k=g.KO.prototype;g.k.getData=function(){return this.j}; +g.k.bd=function(){return g.S(this,8)&&!g.S(this,512)&&!g.S(this,64)&&!g.S(this,2)}; +g.k.isCued=function(){return g.S(this,64)&&!g.S(this,8)&&!g.S(this,4)}; +g.k.isError=function(){return g.S(this,128)}; +g.k.isSuspended=function(){return g.S(this,512)}; +g.k.BC=function(){return g.S(this,64)&&g.S(this,4)}; +g.k.toString=function(){return"PSt."+this.state.toString(16)}; +var $3={},a4=($3.BUFFERING="buffering-mode",$3.CUED="cued-mode",$3.ENDED="ended-mode",$3.PAUSED="paused-mode",$3.PLAYING="playing-mode",$3.SEEKING="seeking-mode",$3.UNSTARTED="unstarted-mode",$3);g.w(VO,g.dE);g.k=VO.prototype;g.k.fv=function(){var a=this.u;return a.u instanceof pN||a.u instanceof yN||a.u instanceof qN}; +g.k.uJ=function(){return!1}; +g.k.iR=function(){return this.u.j}; +g.k.vJ=function(){return"AD_PLACEMENT_KIND_START"==this.u.j.j}; +g.k.jR=function(){return zN(this.u)}; +g.k.iU=function(a){if(!bE(a)){this.ea&&(this.Aa=this.F.isAtLiveHead(),this.ya=Math.ceil(g.Ra()/1E3));var b=new vO(this.wi);a=kCa(a);b.Ch(a)}this.kR()}; +g.k.XU=function(){return!0}; +g.k.DC=function(){return this.J instanceof pN}; +g.k.kR=function(){var a=this.wi;this.XU()&&(a.u&&YO(a,!1),a.u=this,this.fv()&&yEa(a));this.D.mI();this.QW()}; +g.k.QW=function(){this.J?this.RA(this.J):ZO(this)}; +g.k.onAdEnd=function(a,b){b=void 0===b?!1:b;this.Yl(0);ZO(this,b)}; +g.k.RV=function(){this.onAdEnd()}; +g.k.d5=function(){MN(this.j.Za,"active_view_measurable")}; +g.k.g5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_fully_viewable_audible_half_duration")}; +g.k.j5=function(){}; +g.k.k5=function(){}; +g.k.l5=function(){}; +g.k.m5=function(){}; +g.k.p5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_viewable")}; +g.k.e5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_audible")}; +g.k.f5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_measurable")}; +g.k.HT=function(){return this.DC()?[this.YF()]:[]}; +g.k.yd=function(a){if(null!==this.j){this.oa||(a=new g.WN(a.state,new g.KO),this.oa=!0);var b=a.state;if(g.YN(a,2))this.j.Ei();else{var c=a;(this.F.V().experiments.ob("html5_bulleit_handle_gained_playing_state")?c.state.bd()&&!c.Hv.bd():c.state.bd())?(this.D.bP(),this.j.jC()):b.isError()?this.j.Lo(b.getData().errorCode):g.YN(a,4)&&(this.Z||this.j.iC())}if(null!==this.j){if(g.YN(a,16)&&(b=this.j.Za,!(KN(b)||.5>b.u.getCurrentTime(2,!1)))){c=b.ad;if(c.D()){var d=b.C.F.V().K("html5_dai_enable_active_view_creating_completed_adblock"); +Wka(c.J,d)}b.ad.I.seek=!0}0>XN(a,4)&&!(0>XN(a,2))&&(b=this.j,c=b.Za,KN(c)||VN(c,"resume"),b.B||(b=b.Za,KN(b)||VN(b,"unmuted_resume")));this.daiEnabled&&g.YN(a,512)&&!g.TO(a.state)&&this.D.aA()}}}; +g.k.onVideoDataChange=function(){return this.daiEnabled?ECa(this):!1}; +g.k.resume=function(){this.j&&this.j.sX()}; +g.k.sy=function(){this.j&&this.j.kh("adended")}; +g.k.Sr=function(){this.sy()}; +g.k.Yl=function(a){this.wi.Yl(a)}; +g.k.R_=function(a){this.wi.j.Na("onAdUxUpdate",a)}; +g.k.onAdUxClicked=function(a){this.j.gh(a)}; +g.k.FT=function(){return 0}; +g.k.GT=function(){return 1}; +g.k.QP=function(a){this.daiEnabled&&this.u.I&&this.u.j.start<=a&&a=this.I?this.D.B:this.D.B.slice(this.I)).some(function(a){return a.Jf()})}; -g.k.lr=function(){return this.R instanceof OJ||this.R instanceof eL}; -g.k.bl=function(){return this.R instanceof EJ||this.R instanceof ZK}; -g.k.DG=function(){this.daiEnabled?cK(this.J)&&NM(this):cN(this)}; -g.k.je=function(a){var b=aN(a);this.R&&b&&this.P!==b&&(b?Ana(this.Xc):Cna(this.Xc),this.P=b);this.R=a;(g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_action")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_image")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_shopping"))&&xna(this.Xc,this);this.daiEnabled&&(this.I=this.D.B.findIndex(function(c){return c===a})); -MM.prototype.je.call(this,a)}; -g.k.Ik=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.C&&(g.fg(this.C),this.C=null);MM.prototype.Ik.call(this,a,b)}; -g.k.Ii=function(){this.I=this.D.B.length;this.C&&this.C.ac("adended");this.B&&this.B.ac("adended");this.Ik()}; -g.k.hn=function(){cN(this)}; -g.k.Jk=function(){this.Um()}; -g.k.lc=function(a){MM.prototype.lc.call(this,a);a=a.state;g.U(a,2)&&this.C?this.C.Ye():a.Hb()?(null==this.C&&(a=this.D.D)&&(this.C=this.zk.create(a,XJ(VJ(this.u)),this.u.u.u),this.C.subscribe("onAdUxUpdate",this.fF,this),JK(this.C)),this.C&&this.C.Nj()):a.isError()&&this.C&&this.C.Wd(a.getData().errorCode)}; -g.k.Um=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(AN(this.Xc,0),a?this.Ik(a,b):cN(this))}; -g.k.AF=function(){1==this.D.C?this.Ik():this.Um()}; -g.k.onAdUxClicked=function(a){MM.prototype.onAdUxClicked.call(this,a);this.C&&this.C.If(a)}; -g.k.Ut=function(){var a=0>=this.I?this.D.B:this.D.B.slice(this.I);return 0FK(a,16)&&(this.K.forEach(this.xv,this),this.K.clear())}; -g.k.YQ=function(a,b){if(this.C&&g.Q(this.u.T().experiments,"html5_dai_debug_bulleit_cue_range")){if(!this.B||this.B.Ra())for(var c=g.q(this.Ga),d=c.next();!d.done;d=c.next())d=d.value,d instanceof bN&&d.u.P[b.Hc]&&d.Tm()}else if(this.B&&this.B.Ra(),this.C){c=1E3*this.u.getCurrentTime(1);d=g.q(this.F.keys());for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.start<=c&&c=this.C?this.B.j:this.B.j.slice(this.C)).some(function(){return!0})}; +g.k.DC=function(){return this.I instanceof pN||this.I instanceof cO}; +g.k.QW=function(){this.daiEnabled?cN(this.F)&&ECa(this):HDa(this)}; +g.k.RA=function(a){var b=GDa(a);this.I&&b&&this.T!==b&&(b?yEa(this.wi):AEa(this.wi),this.T=b);this.I=a;this.daiEnabled&&(this.C=this.B.j.findIndex(function(c){return c===a})); +VO.prototype.RA.call(this,a)}; +g.k.dN=function(a){var b=this;VO.prototype.dN.call(this,a);a.subscribe("adnotifyexitednormalorerror",function(){return void ZO(b)})}; +g.k.Sr=function(){this.C=this.B.j.length;this.j&&this.j.kh("adended");ZO(this)}; +g.k.sy=function(){this.onAdEnd()}; +g.k.onAdEnd=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(this.Yl(0),a?ZO(this,b):HDa(this))}; +g.k.RV=function(){if(1==this.B.u)this.I instanceof dO&&g.DD(Error("AdNotify error with FailureMode.TERMINATING")),ZO(this);else this.onAdEnd()}; +g.k.YF=function(){var a=0>=this.C?this.B.j:this.B.j.slice(this.C);return 0XN(a,16)&&(this.J.forEach(this.IN,this),this.J.clear())}; +g.k.Q7=function(){if(this.u)this.u.onVideoDataChange()}; +g.k.T7=function(){if(cN(this.j)&&this.u){var a=this.j.getCurrentTime(2,!1),b=this.u;b.j&&UBa(b.j,a)}}; +g.k.b5=function(){this.Xa=!0;if(this.u){var a=this.u;a.j&&a.j.Ko()}}; +g.k.n5=function(a){if(this.u)this.u.onAdUxClicked(a)}; +g.k.U7=function(){if(2==this.j.getPresentingPlayerType()&&this.u){var a=this.u.j,b=a.Za,c=a.F.isMuted();b.daiEnabled||MN(b,c?"mute":"unmute");a.B||(b=a.F.isMuted(),MN(a.Za,b?"unmuted_mute":"unmuted_unmute"))}}; +g.k.a6=function(a){if(this.u){var b=this.u.j,c=b.Za;KN(c)||RN(c,a?"fullscreen":"end_fullscreen");b.B||(b=b.Za,KN(b)||RN(b,a?"unmuted_fullscreen":"unmuted_end_fullscreen"))}}; +g.k.Ch=function(a,b){GD("removeCueRanges called in AdService");this.j.Ch(a,b);a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,this.mu.delete(b),this.B.delete(b)}; +g.k.M9=function(){for(var a=[],b=g.t(this.mu),c=b.next();!c.done;c=b.next())c=c.value,bE(c)||a.push(c);this.j.WP(a,1)}; +g.k.Yl=function(a){this.j.Yl(a);switch(a){case 1:this.qG=1;break;case 0:this.qG=0}}; +g.k.qP=function(){var a=this.j.getVideoData(2);return a&&a.isListed&&!this.T?(GD("showInfoBarDuring Ad returns true"),!0):!1}; +g.k.sy=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAd"),this.u.sy())}; +g.k.Sr=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAdPlacement"),this.u.Sr())}; +g.k.yc=function(a){if(this.u){var b=this.u;b.j&&UBa(b.j,a)}}; +g.k.executeCommand=function(a,b,c){var d=this.tb,e=d.executeCommand;if(c=void 0===c?null:c){var f=!!this.u&&this.u||null;f?(f=f.j,c=f.ad.D()?ON(f.Za,c):{}):c={}}else c={};e.call(d,a,b,c)}; +g.k.isDaiEnabled=function(){return!1}; +g.k.DT=function(){return this.Aa}; +g.k.ET=function(){return this.Ja};g.w(WP,g.C);WP.prototype.append=function(a){if(!this.u)throw Error("This does not support the append operation");a=a.ub();this.ub().appendChild(a)}; +g.w(XP,WP);XP.prototype.ub=function(){return this.j};g.w(CEa,g.C);var qSa=16/9,Pcb=[.25,.5,.75,1,1.25,1.5,1.75,2],Qcb=Pcb.concat([3,4,5,6,7,8,9,10,15]);var EEa=1;g.w(g.ZP,g.C);g.k=g.ZP.prototype; +g.k.createElement=function(a,b){b=b||"svg"===a.G;var c=a.N,d=a.Ia;if(b){var e=document.createElementNS("http://www.w3.org/2000/svg",a.G);g.HK&&(a.X||(a.X={}),a.X.focusable="false")}else e=g.qf(a.G);if(c){if(c=$P(this,e,"class",c))aQ(this,e,"class",c),this.Pb[c]=e}else if(d){c=g.t(d);for(var f=c.next();!f.done;f=c.next())this.Pb[f.value]=e;aQ(this,e,"class",d.join(" "))}d=a.ra;c=a.W;if(d)b=$P(this,e,"child",d),void 0!==b&&e.appendChild(g.rf(b));else if(c)for(d=0,c=g.t(c),f=c.next();!f.done;f=c.next())if(f= +f.value)if("string"===typeof f)f=$P(this,e,"child",f),null!=f&&e.appendChild(g.rf(f));else if(f.element)e.appendChild(f.element);else{var h=f;f=this.createElement(h,b);e.appendChild(f);h.xc&&(h=YP(),f.id=h,f=document.createElementNS("http://www.w3.org/2000/svg","use"),f.setAttribute("class","ytp-svg-shadow"),f.setAttributeNS("http://www.w3.org/1999/xlink","href","#"+h),g.wf(e,f,d++))}if(a=a.X)for(b=e,d=g.t(Object.keys(a)),c=d.next();!c.done;c=d.next())c=c.value,f=a[c],aQ(this,b,c,"string"===typeof f? +$P(this,b,c,f):f);return e}; +g.k.Da=function(a){return this.Pb[a]}; +g.k.Ea=function(a,b){"number"===typeof b?g.wf(a,this.element,b):a.appendChild(this.element)}; +g.k.detach=function(){g.xf(this.element)}; +g.k.update=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.updateValue(c,a[c])}; +g.k.updateValue=function(a,b){(a=this.Nd["{{"+a+"}}"])&&aQ(this,a[0],a[1],b)}; +g.k.qa=function(){this.Pb={};this.Nd={};this.detach();g.C.prototype.qa.call(this)};g.w(g.U,g.ZP);g.k=g.U.prototype;g.k.ge=function(a,b){this.updateValue(b||"content",a)}; +g.k.show=function(){this.yb||(g.Hm(this.element,"display",""),this.yb=!0)}; +g.k.hide=function(){this.yb&&(g.Hm(this.element,"display","none"),this.yb=!1)}; +g.k.Zb=function(a){this.ea=a}; +g.k.Ra=function(a,b,c){return this.S(this.element,a,b,c)}; +g.k.S=function(a,b,c,d){c=(0,g.Oa)(c,d||this);d={target:a,type:b,listener:c};this.listeners.push(d);a.addEventListener(b,c);return d}; +g.k.Hc=function(a){var b=this;this.listeners.forEach(function(c,d){c===a&&(c=b.listeners.splice(d,1)[0],c.target.removeEventListener(c.type,c.listener))})}; +g.k.focus=function(){var a=this.element;Bf(a);a.focus()}; +g.k.qa=function(){for(;this.listeners.length;){var a=this.listeners.pop();a&&a.target.removeEventListener(a.type,a.listener)}g.ZP.prototype.qa.call(this)};g.w(g.dQ,g.U);g.dQ.prototype.subscribe=function(a,b,c){return this.La.subscribe(a,b,c)}; +g.dQ.prototype.unsubscribe=function(a,b,c){return this.La.unsubscribe(a,b,c)}; +g.dQ.prototype.Gh=function(a){return this.La.Gh(a)}; +g.dQ.prototype.ma=function(a){return this.La.ma.apply(this.La,[a].concat(g.u(g.ya.apply(1,arguments))))};var Rcb=new WeakSet;g.w(eQ,g.dQ);g.k=eQ.prototype;g.k.bind=function(a){this.Xa||a.renderer&&this.init(a.id,a.renderer,{},a);return Promise.resolve()}; +g.k.init=function(a,b,c){this.Xa=a;this.element.setAttribute("id",this.Xa);this.kb&&g.Qp(this.element,this.kb);this.T=b&&b.adRendererCommands;this.macros=c;this.I=b.trackingParams||null;null!=this.I&&this.Zf(this.element,this.I)}; g.k.clear=function(){}; -g.k.hide=function(){g.KN.prototype.hide.call(this);null!=this.K&&RN(this,this.element,!1)}; -g.k.show=function(){g.KN.prototype.show.call(this);if(!this.Zb){this.Zb=!0;var a=this.X&&this.X.impressionCommand;a&&Lna(this,a,null)}null!=this.K&&RN(this,this.element,!0)}; -g.k.onClick=function(a){if(this.K&&!RCa.has(a)){var b=this.element;g.PN(this.api,b)&&this.fb&&g.$T(this.api,b,this.u);RCa.add(a)}(a=this.X&&this.X.clickCommand)&&Lna(this,a,this.bD())}; -g.k.bD=function(){return null}; -g.k.yN=function(a){var b=this.aa;b.K=!0;b.B=a.touches.length;b.u.isActive()&&(b.u.stop(),b.F=!0);a=a.touches;b.I=Ina(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.R=Infinity,b.P=Infinity):(b.R=c.clientX,b.P=c.clientY);for(c=b.C.length=0;cMath.pow(5,2))b.D=!0}; -g.k.wN=function(a){if(this.aa){var b=this.aa,c=a.changedTouches;c&&b.K&&1==b.B&&!b.D&&!b.F&&!b.I&&Ina(b,c)&&(b.X=a,b.u.start());b.B=a.touches.length;0===b.B&&(b.K=!1,b.D=!1,b.C.length=0);b.F=!1}}; -g.k.ca=function(){this.clear(null);this.Mb(this.kb);for(var a=g.q(this.ha),b=a.next();!b.done;b=a.next())this.Mb(b.value);g.KN.prototype.ca.call(this)};g.u(TN,W);TN.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b=(a=b.thumbnail)&&SN(a)||"";g.pc(b)?(g.Q(this.api.T().experiments,"web_player_ad_image_error_rate_sampling_killswitch")||.01>Math.random())&&g.Fo(Error("Found AdImage without valid image URL")):(this.B?g.ug(this.element,"backgroundImage","url("+b+")"):ve(this.element,{src:b}),ve(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),this.show())}; -TN.prototype.clear=function(){this.hide()};g.u(fO,W); -fO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.B=b;if(null==b.text&&null==b.icon)g.Fo(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.I(this.element,a);null!=b.text&&(a=g.T(b.text),g.pc(a)||(this.element.setAttribute("aria-label",a),this.D=new g.KN({G:"span",L:"ytp-ad-button-text",Z:a}),g.D(this,this.D),this.D.ga(this.element)));null!=b.icon&&(b=eO(b.icon),null!= -b&&(this.C=new g.KN({G:"span",L:"ytp-ad-button-icon",S:[b]}),g.D(this,this.C)),this.F?g.Ie(this.element,this.C.element,0):this.C.ga(this.element))}}; -fO.prototype.clear=function(){this.hide()}; -fO.prototype.onClick=function(a){var b=this;W.prototype.onClick.call(this,a);boa(this).forEach(function(c){return b.Ha.executeCommand(c,b.macros)}); -this.api.onAdUxClicked(this.componentType,this.layoutId)};var apa={seekableStart:0,seekableEnd:1,current:0};g.u(gO,W);gO.prototype.clear=function(){this.dispose()};g.u(jO,gO);g.k=jO.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);g.ug(this.D,"stroke-dasharray","0 "+this.C);this.show()}; +g.k.hide=function(){g.dQ.prototype.hide.call(this);null!=this.I&&this.Ua(this.element,!1)}; +g.k.show=function(){g.dQ.prototype.show.call(this);if(!this.tb){this.tb=!0;var a=this.T&&this.T.impressionCommand;a&&this.WO(a)}null!=this.I&&this.Ua(this.element,!0)}; +g.k.onClick=function(a){if(this.I&&!Rcb.has(a)){var b=this.element;this.api.Dk(b)&&this.yb&&this.api.qb(b,this.interactionLoggingClientData);Rcb.add(a)}if(a=this.T&&this.T.clickCommand)a=this.bX(a),this.WO(a)}; +g.k.bX=function(a){return a}; +g.k.W_=function(a){var b=this.oa;b.J=!0;b.u=a.touches.length;b.j.isActive()&&(b.j.stop(),b.D=!0);a=a.touches;b.I=DEa(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.T=Infinity,b.ea=Infinity):(b.T=c.clientX,b.ea=c.clientY);for(c=b.B.length=0;cMath.pow(5,2))b.C=!0}; +g.k.U_=function(a){if(this.oa){var b=this.oa,c=a.changedTouches;c&&b.J&&1==b.u&&!b.C&&!b.D&&!b.I&&DEa(b,c)&&(b.Z=a,b.j.start());b.u=a.touches.length;0===b.u&&(b.J=!1,b.C=!1,b.B.length=0);b.D=!1}}; +g.k.WO=function(a){this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(new g.bA("There is undefined layoutId when calling the runCommand method.",{componentType:this.componentType}))}; +g.k.Zf=function(a,b){this.api.Zf(a,this);this.api.og(a,b)}; +g.k.Ua=function(a,b){this.api.Dk(a)&&this.api.Ua(a,b,this.interactionLoggingClientData)}; +g.k.qa=function(){this.clear(null);this.Hc(this.ib);for(var a=g.t(this.ya),b=a.next();!b.done;b=a.next())this.Hc(b.value);g.dQ.prototype.qa.call(this)};g.w(vQ,eQ); +vQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(null==b.text&&null==b.icon)g.DD(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.Qp(this.element,a);null!=b.text&&(a=g.gE(b.text),g.Tb(a)||(this.element.setAttribute("aria-label",a),this.B=new g.dQ({G:"span",N:"ytp-ad-button-text",ra:a}),g.E(this,this.B),this.B.Ea(this.element)));this.api.V().K("use_accessibility_data_on_desktop_player_button")&&b.accessibilityData&& +b.accessibilityData.accessibilityData&&b.accessibilityData.accessibilityData.label&&!g.Tb(b.accessibilityData.accessibilityData.label)&&this.element.setAttribute("aria-label",b.accessibilityData.accessibilityData.label);null!=b.icon&&(b=uQ(b.icon),null!=b&&(this.u=new g.dQ({G:"span",N:"ytp-ad-button-icon",W:[b]}),g.E(this,this.u)),this.C?g.wf(this.element,this.u.element,0):this.u.Ea(this.element))}}; +vQ.prototype.clear=function(){this.hide()}; +vQ.prototype.onClick=function(a){eQ.prototype.onClick.call(this,a);a=g.t(WEa(this));for(var b=a.next();!b.done;b=a.next())b=b.value,this.layoutId?this.rb.executeCommand(b,this.layoutId):g.CD(Error("Missing layoutId for button."));this.api.onAdUxClicked(this.componentType,this.layoutId)};g.w(wQ,g.C);wQ.prototype.qa=function(){this.u&&g.Fz(this.u);this.j.clear();xQ=null;g.C.prototype.qa.call(this)}; +wQ.prototype.register=function(a,b){b&&this.j.set(a,b)}; +var xQ=null;g.w(zQ,eQ); +zQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&g.K(b.button,g.mM)||null;null==b?g.CD(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),g.E(this,this.button),this.button.init(fN("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.gE(a)),this.button.Ea(this.element),this.D&&!g.Pp(this.button.element,"ytp-ad-clickable")&&g.Qp(this.button.element, +"ytp-ad-clickable"),a&&(this.u=new g.dQ({G:"div",N:"ytp-ad-hover-text-container"}),this.C&&(b=new g.dQ({G:"div",N:"ytp-ad-hover-text-callout"}),b.Ea(this.u.element),g.E(this,b)),g.E(this,this.u),this.u.Ea(this.element),b=yQ(a),g.wf(this.u.element,b,0)),this.show())}; +zQ.prototype.hide=function(){this.button&&this.button.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this)}; +zQ.prototype.show=function(){this.button&&this.button.show();eQ.prototype.show.call(this)};g.w(BQ,eQ); +BQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);c=(a=b.thumbnail)&&AQ(a)||"";g.Tb(c)?.01>Math.random()&&g.DD(Error("Found AdImage without valid image URL")):(this.j?g.Hm(this.element,"backgroundImage","url("+c+")"):lf(this.element,{src:c}),lf(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),b&&b.adRendererCommands&&b.adRendererCommands.clickCommand?this.element.classList.add("ytp-ad-clickable-element"):this.element.classList.remove("ytp-ad-clickable-element"),this.show())}; +BQ.prototype.clear=function(){this.hide()};g.w(CQ,eQ);g.k=CQ.prototype;g.k.hide=function(){eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.B=document.activeElement;eQ.prototype.show.call(this);this.C.focus()}; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?g.CD(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?g.CD(Error("ConfirmDialogRenderer.cancelLabel was not set.")):$Ea(this,b):g.CD(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; +g.k.clear=function(){g.Lz(this.j);this.hide()}; +g.k.FN=function(){this.hide()}; +g.k.CJ=function(){var a=this.u.cancelEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()}; +g.k.GN=function(){var a=this.u.confirmNavigationEndpoint||this.u.confirmEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()};g.w(DQ,eQ);g.k=DQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;if(null==b.defaultText&&null==b.defaultIcon)g.CD(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)g.CD(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.Qp(this.B,a)}a={};b.defaultText? +(c=g.gE(b.defaultText),g.Tb(c)||(a.buttonText=c,this.j.setAttribute("aria-label",c))):g.Tm(this.Aa,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.j.hasAttribute("aria-label")||this.Z.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=uQ(b.defaultIcon),this.updateValue("untoggledIconTemplateSpec",c),b.toggledIcon?(this.J=!0,c=uQ(b.toggledIcon),this.updateValue("toggledIconTemplateSpec",c)):(g.Tm(this.D,!0),g.Tm(this.C,!1)),g.Tm(this.j,!1)):g.Tm(this.Z,!1);g.hd(a)||this.update(a); +b.isToggled&&(g.Qp(this.B,"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));EQ(this);this.S(this.element,"change",this.uR);this.show()}}; +g.k.onClick=function(a){0a&&M(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ga&&g.I(this.C.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.ia=null==a||0===a?this.B.gF():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.D.init(AK("ad-text"),d,c);(d=this.api.getVideoData(1))&& -d.Vr&&b.thumbnail?this.I.init(AK("ad-image"),b.thumbnail,c):this.P.hide()}; +g.k.toggleButton=function(a){g.Up(this.B,"ytp-ad-toggle-button-toggled",a);this.j.checked=a;EQ(this)}; +g.k.isToggled=function(){return this.j.checked};g.w(FQ,Jz);FQ.prototype.I=function(a){if(Array.isArray(a)){a=g.t(a);for(var b=a.next();!b.done;b=a.next())b=b.value,b instanceof cE&&this.C(b)}};g.w(GQ,eQ);g.k=GQ.prototype;g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?g.CD(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.DD(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.DD(Error("AdFeedbackRenderer.title was not set.")),eFa(this,b)):g.CD(Error("AdFeedbackRenderer.reasons were not set."))}; +g.k.clear=function(){Hz(this.D);Hz(this.J);this.C.length=0;this.hide()}; +g.k.hide=function(){this.j&&this.j.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.j&&this.j.show();this.u&&this.u.show();this.B=document.activeElement;eQ.prototype.show.call(this);this.D.focus()}; +g.k.aW=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.ma("a");this.hide()}; +g.k.P7=function(){this.hide()}; +HQ.prototype.ub=function(){return this.j.element}; +HQ.prototype.isChecked=function(){return this.B.checked};g.w(IQ,CQ);IQ.prototype.FN=function(a){CQ.prototype.FN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.CJ=function(a){CQ.prototype.CJ.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.GN=function(a){CQ.prototype.GN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.ma("b")};g.w(JQ,eQ);g.k=JQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.D=b;if(null==b.dialogMessage&&null==b.title)g.CD(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.DD(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&g.K(b.closeOverlayRenderer,g.mM)||null)this.j=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"), +g.E(this,this.j),this.j.init(fN("button"),a,this.macros),this.j.Ea(this.element);b.title&&(a=g.gE(b.title),this.updateValue("title",a));if(b.adReasons)for(a=b.adReasons,c=0;ca&&g.CD(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ya&&g.Qp(this.u.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.Aa=null==a||0===a?this.j.Jl():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.B.init(fN("ad-text"),d,c);(d=this.api.getVideoData(1))&& +d.Zn&&b.thumbnail?this.C.init(fN("ad-image"),b.thumbnail,c):this.J.hide()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){this.C.hide();this.D.hide();this.I.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.show=function(){hO(this);this.C.show();this.D.show();this.I.show();gO.prototype.show.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.za&&a>=this.ia?(g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")||this.Y.hide(),this.za=!0,this.V("c")):this.D&&this.D.isTemplated()&&(a=Math.max(0,Math.ceil((this.ia-a)/1E3)),a!=this.Aa&&(lO(this.D,{TIME_REMAINING:String(a)}),this.Aa=a)))}};g.u(qO,g.C);g.k=qO.prototype;g.k.ca=function(){this.reset();g.C.prototype.ca.call(this)}; -g.k.reset=function(){g.ut(this.F);this.I=!1;this.u&&this.u.stop();this.D.stop();this.B&&(this.B=!1,this.K.play())}; -g.k.start=function(){this.reset();this.F.N(this.C,"mouseover",this.CN,this);this.F.N(this.C,"mouseout",this.BN,this);this.u?this.u.start():(this.I=this.B=!0,g.ug(this.C,{opacity:this.P}))}; -g.k.CN=function(){this.B&&(this.B=!1,this.K.play());this.D.stop();this.u&&this.u.stop()}; -g.k.BN=function(){this.I?this.D.start():this.u&&this.u.start()}; -g.k.WB=function(){this.B||(this.B=!0,this.R.play(),this.I=!0)};g.u(rO,gO);g.k=rO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);this.P=b;this.ia=coa(this);if(!b||g.Sb(b))M(Error("SkipButtonRenderer was not specified or empty."));else if(!b.message||g.Sb(b.message))M(Error("SkipButtonRenderer.message was not specified or empty."));else{a={iconType:"SKIP_NEXT"};b=eO(a);null==b?M(Error("Icon for SkipButton was unable to be retrieved. yt.innertube.Icon.IconType: "+a.iconType+".")):(this.I=new g.KN({G:"button",la:["ytp-ad-skip-button","ytp-button"],S:[{G:"span",L:"ytp-ad-skip-button-icon", -S:[b]}]}),g.D(this,this.I),this.I.ga(this.D.element),this.C=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-ad-skip-button-text"),this.C.init(AK("ad-text"),this.P.message,c),g.D(this,this.C),g.Ie(this.I.element,this.C.element,0));var d=void 0===d?null:d;c=this.api.T();!(0this.B&&(this.u=this.B,this.Za.stop(),a=!0);this.D={seekableStart:0,seekableEnd:this.B/1E3,current:this.u/1E3};this.F&&this.F.sc(this.D.current);this.V("b");a&&this.V("a")}; -g.k.getProgressState=function(){return this.D};g.u(tO,W);g.k=tO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&b.actionButton.buttonRenderer)if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)M(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!= -e&&0f)M(Error("timeoutSeconds was specified incorrectly in AdChoiceInterstitialRenderer with a value of: "+f));else if(b.completeCommands)if(b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer){foa(this,b.text);var m=goa(b.defaultButtonChoiceIndex);ioa(this,e,a,m)?(koa(this,b.completeCommands,c,f),b&&b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer&&loa(this,b.adDurationRemaining.timedPieCountdownRenderer, -c),b&&b.background&&(c=this.ka("ytp-ad-choice-interstitial"),eoa(c,b.background)),joa(this,a),this.show(),g.Q(this.api.T().experiments,"self_podding_default_button_focused")&&g.mm(function(){0===m?d.B&&d.B.focus():d.D&&d.D.focus()})):M(Error("AdChoiceInterstitialRenderer failed to initialize buttons."))}else M(Error("AdChoiceInterstitialRenderer requires a timed_pie_countdown_renderer.")); -else M(Error("timeoutSeconds was specified yet no completeCommands were specified"))}else M(Error("AdChoiceInterstitialRenderer should have two choices."));else M(Error("AdChoiceInterstitialRenderer has no title."))}; -uO.prototype.clear=function(){this.hide()};g.u(vO,W);g.k=vO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.text?(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a?M(Error("durationMilliseconds was specified incorrectly in AdTextInterstitialRenderer with a value of: "+a)):(this.B.init(AK("ad-text"),b.text,c),this.show())):M(Error("AdTextInterstitialRenderer has no message AdText."))}; +g.k.hide=function(){this.u.hide();this.B.hide();this.C.hide();PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);this.u.show();this.B.show();this.C.show();NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(null!=this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Ja&&a>=this.Aa?(this.Z.hide(),this.Ja=!0,this.ma("i")):this.B&&this.B.isTemplated()&&(a=Math.max(0,Math.ceil((this.Aa-a)/1E3)),a!=this.Qa&&(MQ(this.B,{TIME_REMAINING:String(a)}),this.Qa=a)))}};g.w(UQ,NQ);g.k=UQ.prototype; +g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if((a=b.actionButton&&g.K(b.actionButton,g.mM))&&a.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d)if(b.image&&b.image.thumbnail){var e=b.image.thumbnail.thumbnails;null!=e&&0=this.Aa&&(PQ(this),g.Sp(this.element,"ytp-flyout-cta-inactive"),this.u.element.removeAttribute("tabIndex"))}}; +g.k.Vv=function(){this.clear()}; +g.k.clear=function(){this.hide();this.api.removeEventListener("playerUnderlayVisibilityChange",this.wR.bind(this))}; +g.k.show=function(){this.u&&this.u.show();NQ.prototype.show.call(this)}; +g.k.hide=function(){this.u&&this.u.hide();NQ.prototype.hide.call(this)}; +g.k.wR=function(a){"hidden"==a?this.show():this.hide()};g.w(VQ,eQ);g.k=VQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(this.j.rectangle)for(a=this.j.likeButton&&g.K(this.j.likeButton,u3),b=this.j.dislikeButton&&g.K(this.j.dislikeButton,u3),this.B.init(fN("toggle-button"),a,c),this.u.init(fN("toggle-button"),b,c),this.S(this.element,"change",this.xR),this.C.show(100),this.show(),c=g.t(this.j&&this.j.impressionCommands||[]),a=c.next();!a.done;a=c.next())a=a.value,this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for instream user sentiment."))}; g.k.clear=function(){this.hide()}; -g.k.show=function(){moa(!0);W.prototype.show.call(this)}; -g.k.hide=function(){moa(!1);W.prototype.hide.call(this)}; -g.k.onClick=function(){};g.u(wO,g.C);wO.prototype.ca=function(){this.B&&g.dp(this.B);this.u.clear();xO=null;g.C.prototype.ca.call(this)}; -wO.prototype.register=function(a,b){b&&this.u.set(a,b)}; -var xO=null;g.u(zO,W); -zO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&b.button.buttonRenderer||null;null==b?M(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new fO(this.api,this.Ha,this.layoutId,this.u),g.D(this,this.button),this.button.init(AK("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.T(a)),this.button.ga(this.element),this.I&&!g.qn(this.button.element,"ytp-ad-clickable")&&g.I(this.button.element,"ytp-ad-clickable"), -a&&(this.C=new g.KN({G:"div",L:"ytp-ad-hover-text-container"}),this.F&&(b=new g.KN({G:"div",L:"ytp-ad-hover-text-callout"}),b.ga(this.C.element),g.D(this,b)),g.D(this,this.C),this.C.ga(this.element),b=yO(a),g.Ie(this.C.element,b,0)),this.show())}; -zO.prototype.hide=function(){this.button&&this.button.hide();this.C&&this.C.hide();W.prototype.hide.call(this)}; -zO.prototype.show=function(){this.button&&this.button.show();W.prototype.show.call(this)};g.u(AO,W);g.k=AO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?M(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.Fo(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.Fo(Error("AdFeedbackRenderer.title was not set.")),toa(this,b)):M(Error("AdFeedbackRenderer.reasons were not set."))}; -g.k.clear=function(){np(this.F);np(this.P);this.D.length=0;this.hide()}; -g.k.hide=function(){this.B&&this.B.hide();this.C&&this.C.hide();W.prototype.hide.call(this);this.I&&this.I.focus()}; -g.k.show=function(){this.B&&this.B.show();this.C&&this.C.show();this.I=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.kF=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.V("f");this.hide()}; -g.k.VQ=function(){this.hide()}; -BO.prototype.Pa=function(){return this.u.element}; -BO.prototype.isChecked=function(){return this.C.checked};g.u(CO,W);g.k=CO.prototype;g.k.hide=function(){W.prototype.hide.call(this);this.D&&this.D.focus()}; -g.k.show=function(){this.D=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?M(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?M(Error("ConfirmDialogRenderer.cancelLabel was not set.")):uoa(this,b):M(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; -g.k.clear=function(){g.ut(this.B);this.hide()}; -g.k.Bz=function(){this.hide()}; -g.k.vz=function(){var a=this.C.cancelEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()}; -g.k.Cz=function(){var a=this.C.confirmNavigationEndpoint||this.C.confirmEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()};g.u(DO,CO);DO.prototype.Bz=function(a){CO.prototype.Bz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.vz=function(a){CO.prototype.vz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.Cz=function(a){CO.prototype.Cz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.V("g")};g.u(EO,W);g.k=EO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.I=b;if(null==b.dialogMessage&&null==b.title)M(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.Fo(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&b.closeOverlayRenderer.buttonRenderer||null)this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"),g.D(this,this.B), -this.B.init(AK("button"),a,this.macros),this.B.ga(this.element);b.title&&(a=g.T(b.title),this.ya("title",a));if(b.adReasons)for(a=b.adReasons,c=0;c=a&&M(Error("durationMs was specified incorrectly in AdMessageRenderer with a value of: "+a));a=b.durationMs;this.I=null==a||0===a?0:a+1E3*this.B.getProgressState().current;if(b.text)var d=b.text.templatedAdText;else b.staticMessage&&(d=b.staticMessage);this.C.init(AK("ad-text"),d,c);this.C.ga(this.D.element);this.P.show(100);this.show()}; +g.k.hide=function(){this.B.hide();this.u.hide();eQ.prototype.hide.call(this)}; +g.k.show=function(){this.B.show();this.u.show();eQ.prototype.show.call(this)}; +g.k.xR=function(){jla(this.element,"ytp-ad-instream-user-sentiment-selected");this.j.postMessageAction&&this.api.Na("onYtShowToast",this.j.postMessageAction);this.C.hide()}; +g.k.onClick=function(a){0=this.J&&pFa(this,!0)};g.w($Q,vQ);$Q.prototype.init=function(a,b,c){vQ.prototype.init.call(this,a,b,c);a=!1;null!=b.text&&(a=g.gE(b.text),a=!g.Tb(a));a?null==b.navigationEndpoint?g.DD(Error("No visit advertiser clickthrough provided in renderer,")):"STYLE_UNKNOWN"!==b.style?g.DD(Error("Button style was not a link-style type in renderer,")):this.show():g.DD(Error("No visit advertiser text was present in the renderer."))};g.w(aR,eQ);aR.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.text;g.Tb(fQ(a))?g.DD(Error("SimpleAdBadgeRenderer has invalid or empty text")):(a&&a.text&&(b=a.text,this.j&&(b=this.api.V(),b=a.text+" "+(b&&b.u?"\u2022":"\u00b7")),b={text:b,isTemplated:a.isTemplated},a.style&&(b.style=a.style),a.targetId&&(b.targetId=a.targetId),a=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),a.init(fN("simple-ad-badge"),b,c),a.Ea(this.element),g.E(this,a)),this.show())}; +aR.prototype.clear=function(){this.hide()};g.w(bR,gN);g.w(cR,g.dE);g.k=cR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(a){this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:a.current};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(dR,g.dE);g.k=dR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.start=function(){this.j||(this.j=!0,this.timer.start())}; +g.k.stop=function(){this.j&&(this.j=!1,this.timer.stop())}; +g.k.yc=function(){this.Mi+=100;var a=!1;this.Mi>this.durationMs&&(this.Mi=this.durationMs,this.timer.stop(),a=!0);this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:this.Mi/1E3};this.xe&&this.xe.yc(this.u.current);this.ma("h");a&&this.ma("g")}; +g.k.getProgressState=function(){return this.u};g.w(gR,NQ);g.k=gR.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);var d;if(null==b?0:null==(d=b.templatedCountdown)?0:d.templatedAdText){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.DD(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.u=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb);this.u.init(fN("ad-text"),a,{});this.u.Ea(this.element);g.E(this,this.u)}this.show()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){Noa(this,!1);gO.prototype.hide.call(this);this.D.hide();this.C.hide();iO(this)}; -g.k.show=function(){Noa(this,!0);gO.prototype.show.call(this);hO(this);this.D.show();this.C.show()}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Y&&a>=this.I?(this.P.hide(),this.Y=!0):this.C&&this.C.isTemplated()&&(a=Math.max(0,Math.ceil((this.I-a)/1E3)),a!=this.ia&&(lO(this.C,{TIME_REMAINING:String(a)}),this.ia=a)))}};g.u(ZO,gO);g.k=ZO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);a=b&&b.preskipRenderer&&b.preskipRenderer.adPreviewRenderer||{};if(a=g.Sb(a)?null:a){this.I=null!=a.durationMilliseconds&&void 0!==a.durationMilliseconds?a.durationMilliseconds:5E3;var d="countdown_next_to_thumbnail"==g.kB(this.api.T().experiments,"preskip_button_style_ads_backend")&&uD(this.api.T());this.C=new oO(this.api,this.Ha,this.layoutId,this.u,this.B,d);this.C.init(AK("preskip-component"),a,c);pO(this.C);g.D(this,this.C);this.C.ga(this.element); -g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")&&this.C.subscribe("c",this.PP,this)}else b.skipOffsetMilliseconds&&(this.I=b.skipOffsetMilliseconds);b=b&&b.skippableRenderer&&b.skippableRenderer.skipButtonRenderer||{};b=g.Sb(b)?null:b;null==b?M(Error("SkipButtonRenderer was not set in player response.")):(this.D=new rO(this.api,this.Ha,this.layoutId,this.u,this.B),this.D.init(AK("skip-button"),b,c),g.D(this,this.D),this.D.ga(this.element),this.show())}; -g.k.show=function(){this.P&&this.D?this.D.show():this.C&&this.C.show();hO(this);gO.prototype.show.call(this)}; -g.k.bn=function(){}; -g.k.clear=function(){this.C&&this.C.clear();this.D&&this.D.clear();iO(this);gO.prototype.hide.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();this.D&&this.D.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.PP=function(){$O(this,!0)}; -g.k.Cl=function(){g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")?this.C||1E3*this.B.getProgressState().current>=this.I&&$O(this,!0):1E3*this.B.getProgressState().current>=this.I&&$O(this,!0)};g.u(aP,W);aP.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.skipAd&&(a=b.skipAd,a.skipAdRenderer&&(b=new ZO(this.api,this.Ha,this.layoutId,this.u,this.B),b.ga(this.C),b.init(AK("skip-button"),a.skipAdRenderer,this.macros),g.D(this,b)));this.show()};g.u(dP,gO);g.k=dP.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.templatedCountdown){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.Fo(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.C=new kO(this.api,this.Ha,this.layoutId,this.u);this.C.init(AK("ad-text"),a,{});this.C.ga(this.element);g.D(this,this.C)}this.show()}; -g.k.clear=function(){this.hide()}; -g.k.hide=function(){iO(this);gO.prototype.hide.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();if(null!=a&&null!=a.current&&this.C){a=(void 0!==this.D?this.D:this.B instanceof sO?a.seekableEnd:this.api.getDuration(2,!1))-a.current;var b=g.bP(a);lO(this.C,{FORMATTED_AD_DURATION_REMAINING:String(b),TIME_REMAINING:String(Math.ceil(a))})}}}; -g.k.show=function(){hO(this);gO.prototype.show.call(this)};g.u(eP,kO);eP.prototype.onClick=function(a){kO.prototype.onClick.call(this,a);this.api.onAdUxClicked(this.componentType)};g.u(fP,gO);g.k=fP.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.actionButton&&b.actionButton.buttonRenderer&&b.actionButton.buttonRenderer.navigationEndpoint){a=this.api.getVideoData(2);if(null!=a)if(b.image&&b.image.thumbnail){var d=b.image.thumbnail.thumbnails;null!=d&&0=this.ia&&(iO(this),g.sn(this.element,"ytp-flyout-cta-inactive"))}}; -g.k.bn=function(){this.clear()}; -g.k.clear=function(){this.hide()}; -g.k.show=function(){this.C&&this.C.show();gO.prototype.show.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();gO.prototype.hide.call(this)};g.u(gP,W);g.k=gP.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;if(null==b.defaultText&&null==b.defaultIcon)M(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)M(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.I(this.D,a)}a={};b.defaultText? -(c=g.T(b.defaultText),g.pc(c)||(a.buttonText=c,this.B.setAttribute("aria-label",c))):g.Mg(this.ia,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.B.hasAttribute("aria-label")||this.Y.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=eO(b.defaultIcon),this.ya("untoggledIconTemplateSpec",c),b.toggledIcon?(this.P=!0,c=eO(b.toggledIcon),this.ya("toggledIconTemplateSpec",c)):(g.Mg(this.I,!0),g.Mg(this.F,!1)),g.Mg(this.B,!1)):g.Mg(this.Y,!1);g.Sb(a)||this.update(a);b.isToggled&&(g.I(this.D, -"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));hP(this);this.N(this.element,"change",this.iF);this.show()}}; -g.k.onClick=function(a){0a)M(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&b.ctaButton.buttonRenderer)if(b.brandImage)if(b.backgroundImage&&b.backgroundImage.thumbnailLandscapePortraitRenderer&&b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape){Zoa(this.F,b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape);Zoa(this.P, -b.brandImage);g.Ne(this.Y,g.T(b.text));this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-survey-interstitial-action-button"]);g.D(this,this.B);this.B.ga(this.I);this.B.init(AK("button"),b.ctaButton.buttonRenderer,c);this.B.show();var e=b.timeoutCommands;this.D=new sO(1E3*a);this.D.subscribe("a",function(){d.C.hide();e.forEach(function(f){return d.Ha.executeCommand(f,c)}); -d.Ha.executeCommand({adLifecycleCommand:{action:"END_LINEAR_AD"}},c)}); -g.D(this,this.D);this.N(this.element,"click",function(f){return Yoa(d,f,b)}); -this.C.show(100);b.impressionCommands&&b.impressionCommands.forEach(function(f){return d.Ha.executeCommand(f,c)})}else M(Error("SurveyTextInterstitialRenderer has no landscape background image.")); -else M(Error("SurveyTextInterstitialRenderer has no brandImage."));else M(Error("SurveyTextInterstitialRenderer has no button."));else M(Error("SurveyTextInterstitialRenderer has no text."));else M(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; -zP.prototype.clear=function(){this.hide()}; -zP.prototype.show=function(){$oa(!0);W.prototype.show.call(this)}; -zP.prototype.hide=function(){$oa(!1);W.prototype.hide.call(this)};g.u(AP,g.O);g.k=AP.prototype;g.k.gF=function(){return 1E3*this.u.getDuration(this.C,!1)}; -g.k.stop=function(){this.D&&this.B.Mb(this.D)}; -g.k.hF=function(){var a=this.u.getProgressState(this.C);this.F={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:g.Q(this.u.T().experiments,"halftime_ux_killswitch")?a.current:this.u.getCurrentTime(this.C,!1)};this.V("b")}; -g.k.getProgressState=function(){return this.F}; -g.k.vN=function(a){g.GK(a,2)&&this.V("a")};var SCa="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.u(CP,BN); -CP.prototype.C=function(a){var b=a.id,c=a.content;if(c){var d=c.componentType;if(!SCa.includes(d))switch(a.actionType){case 1:a=this.K();var e=this.D,f=c.layoutId,h=c.u;h=void 0===h?{}:h;switch(d){case "invideo-overlay":a=new SO(e,a,f,h);break;case "persisting-overlay":a=new aP(e,a,f,h,new AP(e));break;case "player-overlay":a=new pP(e,a,f,h,new AP(e));break;case "survey":a=new yP(e,a,f,h);break;case "ad-action-interstitial":a=new tO(e,a,f,h);break;case "ad-text-interstitial":a=new vO(e,a,f,h);break; -case "survey-interstitial":a=new zP(e,a,f,h);break;case "ad-choice-interstitial":a=new uO(e,a,f,h);break;case "ad-message":a=new YO(e,a,f,h,new AP(e,1));break;default:a=null}if(!a){g.Fo(Error("No UI component returned from ComponentFactory for type: "+d));break}Ob(this.B,b)?g.Fo(Error("Ad UI component already registered: "+b)):this.B[b]=a;a.bind(c);this.F.append(a.Nb);break;case 2:b=bpa(this,a);if(null==b)break;b.bind(c);break;case 3:c=bpa(this,a),null!=c&&(g.fg(c),Ob(this.B,b)?(c=this.B,b in c&& -delete c[b]):g.Fo(Error("Ad UI component does not exist: "+b)))}}}; -CP.prototype.ca=function(){g.gg(Object.values(this.B));this.B={};BN.prototype.ca.call(this)};var TCa={V1:"replaceUrlMacros",XX:"isExternalShelfAllowedFor"};DP.prototype.Dh=function(){return"adLifecycleCommand"}; -DP.prototype.handle=function(a){var b=this;switch(a.action){case "START_LINEAR_AD":g.mm(function(){b.controller.hn()}); -break;case "END_LINEAR_AD":g.mm(function(){b.controller.Jk()}); -break;case "END_LINEAR_AD_PLACEMENT":g.mm(function(){b.controller.Ii()}); -break;case "FILL_INSTREAM_SLOT":g.mm(function(){a.elementId&&b.controller.Ct(a.elementId)}); -break;case "FILL_ABOVE_FEED_SLOT":g.mm(function(){a.elementId&&b.controller.kq(a.elementId)}); -break;case "CLEAR_ABOVE_FEED_SLOT":g.mm(function(){b.controller.Vp()})}}; -DP.prototype.Si=function(a){this.handle(a)};EP.prototype.Dh=function(){return"adPlayerControlsCommand"}; -EP.prototype.handle=function(a){var b=this.Xp();switch(a.action){case "AD_PLAYER_CONTROLS_ACTION_SEEK_TO_END":var c=cK(b.u)&&b.B.bl()?b.u.getDuration(2):0;if(0>=c)break;b.seekTo(g.ce(c-(Number(a.seekOffsetMilliseconds)||0)/1E3,0,c));break;case "AD_PLAYER_CONTROLS_ACTION_RESUME":b.resume()}}; -EP.prototype.Si=function(a){this.handle(a)};FP.prototype.Dh=function(){return"clearCueRangesCommand"}; -FP.prototype.handle=function(){var a=this.Xp();g.mm(function(){mM(a,Array.from(a.I))})}; -FP.prototype.Si=function(a){this.handle(a)};GP.prototype.Dh=function(){return"muteAdEndpoint"}; -GP.prototype.handle=function(a){dpa(this,a)}; -GP.prototype.Si=function(a,b){dpa(this,a,b)};HP.prototype.Dh=function(){return"openPopupAction"}; -HP.prototype.handle=function(){}; -HP.prototype.Si=function(a){this.handle(a)};IP.prototype.Dh=function(){return"pingingEndpoint"}; -IP.prototype.handle=function(){}; -IP.prototype.Si=function(a){this.handle(a)};JP.prototype.Dh=function(){return"urlEndpoint"}; -JP.prototype.handle=function(a,b){var c=g.en(a.url,b);g.RL(c)}; -JP.prototype.Si=function(){S("Trying to handle UrlEndpoint with no macro in controlflow")};KP.prototype.Dh=function(){return"adPingingEndpoint"}; -KP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;this.Ip.send(a,b,c)}; -KP.prototype.Si=function(a,b,c){Gqa(this.Fa.get(),a,b,void 0,c)};LP.prototype.Dh=function(){return"changeEngagementPanelVisibilityAction"}; -LP.prototype.handle=function(a){this.J.xa("changeEngagementPanelVisibility",{changeEngagementPanelVisibilityAction:a})}; -LP.prototype.Si=function(a){this.handle(a)};MP.prototype.Dh=function(){return"loggingUrls"}; -MP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,this.ci.send(d.baseUrl,b,c,d.headers)}; -MP.prototype.Si=function(a,b,c){a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,Gqa(this.Fa.get(),d.baseUrl,b,d.headers,c)};g.u(fpa,g.C);var upa=new Map([[0,"normal"],[1,"skipped"],[2,"muted"],[6,"user_input_submitted"]]);var npa=new Map([["opportunity_type_ad_break_service_response_received","OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED"],["opportunity_type_live_stream_break_signal","OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL"],["opportunity_type_player_bytes_media_layout_entered","OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED"],["opportunity_type_player_response_received","OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED"],["opportunity_type_throttled_ad_break_request_slot_reentry","OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY"]]), -jpa=new Map([["trigger_type_on_new_playback_after_content_video_id","TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID"],["trigger_type_on_different_slot_id_enter_requested","TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED"],["trigger_type_slot_id_entered","TRIGGER_TYPE_SLOT_ID_ENTERED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_scheduled","TRIGGER_TYPE_SLOT_ID_SCHEDULED"],["trigger_type_slot_id_fulfilled_empty", -"TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY"],["trigger_type_slot_id_fulfilled_non_empty","TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY"],["trigger_type_layout_id_entered","TRIGGER_TYPE_LAYOUT_ID_ENTERED"],["trigger_type_on_different_layout_id_entered","TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED"],["trigger_type_layout_id_exited","TRIGGER_TYPE_LAYOUT_ID_EXITED"],["trigger_type_layout_exited_for_reason","TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON"],["trigger_type_on_layout_self_exit_requested","TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED"], -["trigger_type_on_element_self_enter_requested","TRIGGER_TYPE_ON_SLOT_SELF_ENTER_REQUESTED"],["trigger_type_before_content_video_id_started","TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED"],["trigger_type_after_content_video_id_ended","TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED"],["trigger_type_media_time_range","TRIGGER_TYPE_MEDIA_TIME_RANGE"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED","TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED","TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED"], -["trigger_type_close_requested","TRIGGER_TYPE_CLOSE_REQUESTED"],["trigger_type_time_relative_to_layout_enter","TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER"],["trigger_type_not_in_media_time_range","TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE"],["trigger_type_survey_submitted","TRIGGER_TYPE_SURVEY_SUBMITTED"],["trigger_type_skip_requested","TRIGGER_TYPE_SKIP_REQUESTED"],["trigger_type_on_opportunity_received","TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED"],["trigger_type_layout_id_active_and_slot_id_has_exited", -"TRIGGER_TYPE_LAYOUT_ID_ACTIVE_AND_SLOT_ID_HAS_EXITED"],["trigger_type_playback_minimized","TRIGGER_TYPE_PLAYBACK_MINIMIZED"]]),mpa=new Map([[5,"TRIGGER_CATEGORY_SLOT_ENTRY"],[4,"TRIGGER_CATEGORY_SLOT_FULFILLMENT"],[3,"TRIGGER_CATEGORY_SLOT_EXPIRATION"],[0,"TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL"],[1,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"],[2,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"],[6,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED"]]),ipa=new Map([["unspecified","CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"], -["core","CONTROL_FLOW_MANAGER_LAYER_CORE"],["adapter","CONTROL_FLOW_MANAGER_LAYER_ADAPTER"],["surface","CONTROL_FLOW_MANAGER_LAYER_SURFACE"],["external","CONTROL_FLOW_MANAGER_LAYER_EXTERNAL"]]),gpa=new Map([["normal",{Lr:"ADS_CLIENT_EVENT_TYPE_NORMAL_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_NORMALLY"}],["skipped",{Lr:"ADS_CLIENT_EVENT_TYPE_SKIP_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_SKIP"}],["muted",{Lr:"ADS_CLIENT_EVENT_TYPE_MUTE_EXIT_LAYOUT_REQUESTED", -gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_MUTE"}],["abandoned",{Lr:"ADS_CLIENT_EVENT_TYPE_ABANDON_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_ABANDON"}],["user_input_submitted",{Lr:"ADS_CLIENT_EVENT_TYPE_USER_INPUT_SUBMITTED_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_USER_INPUT_SUBMITTED"}]]);g.u(UP,g.C);g.k=UP.prototype;g.k.Zg=function(a,b){IQ(this.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_RECEIVED",a,b,void 0);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.Zg(a,b)}; -g.k.cf=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",a);this.u.cf(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.cf(a);qpa(this,a)}}; -g.k.df=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",a);this.u.df(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.df(a);YP(this.u,a)&&ZP(this.u,a).F&&WP(this,a,!1)}}; -g.k.xd=function(a,b){if(YP(this.u,a)){$P(this.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",a,b);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.xd(a,b)}}; -g.k.yd=function(a,b,c){if(YP(this.u,a)){$P(this.Gb,hpa(c),a,b);this.u.yd(a,b);for(var d=g.q(this.B),e=d.next();!e.done;e=d.next())e.value.yd(a,b,c);(c=lQ(this.u,a))&&b.layoutId===c.layoutId&&Bpa(this,a,!1)}}; -g.k.Nf=function(a,b,c){S(c,a,b,void 0,c.Ul);WP(this,a,!0)}; -g.k.ca=function(){var a=Cpa(this.u);a=g.q(a);for(var b=a.next();!b.done;b=a.next())WP(this,b.value,!1);g.C.prototype.ca.call(this)};oQ.prototype.isActive=function(){switch(this.u){case "entered":case "rendering":case "rendering_stop_requested":case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Vy=function(){switch(this.D){case "fill_requested":return!0;default:return!1}}; -oQ.prototype.Uy=function(){switch(this.u){case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Qy=function(){switch(this.u){case "rendering_stop_requested":return!0;default:return!1}};g.u(aQ,Ya);g.u(pQ,g.C);g.k=pQ.prototype;g.k.Ag=function(a){a=ZP(this,a);"not_scheduled"!==a.u&&mQ(a.slot,a.u,"onSlotScheduled");a.u="scheduled"}; -g.k.lq=function(a){a=ZP(this,a);a.D="fill_requested";a.I.lq()}; -g.k.cf=function(a){a=ZP(this,a);"enter_requested"!==a.u&&mQ(a.slot,a.u,"onSlotEntered");a.u="entered"}; -g.k.Nn=function(a){ZP(this,a).Nn=!0}; -g.k.Vy=function(a){return ZP(this,a).Vy()}; -g.k.Uy=function(a){return ZP(this,a).Uy()}; -g.k.Qy=function(a){return ZP(this,a).Qy()}; -g.k.df=function(a){a=ZP(this,a);"exit_requested"!==a.u&&mQ(a.slot,a.u,"onSlotExited");a.u="scheduled"}; -g.k.yd=function(a,b){var c=ZP(this,a);null!=c.layout&&c.layout.layoutId===b.layoutId&&("rendering_stop_requested"!==c.u&&mQ(c.slot,c.u,"onLayoutExited"),c.u="entered")};g.u(Gpa,g.C);g.u(sQ,g.C);sQ.prototype.get=function(){this.na()&&S("Tried to retrieve object during dispose",void 0,void 0,{type:typeof this.u});this.u||(this.u=this.B());return this.u};g.u(HQ,g.C);g.u(LQ,g.C);LQ.prototype.Tu=function(){}; -LQ.prototype.gz=function(a){var b=this,c=this.u.get(a);c&&(this.u["delete"](a),this.Bb.get().removeCueRange(a),nG(this.tb.get(),"opportunity_type_throttled_ad_break_request_slot_reentry",function(){var d=b.ib.get();d=OQ(d.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST");return[Object.assign(Object.assign({},c),{slotId:d,hc:c.hc?vqa(c.slotId,d,c.hc):void 0,Me:wqa(c.slotId,d,c.Me),Af:wqa(c.slotId,d,c.Af)})]},c.slotId))}; -LQ.prototype.ej=function(){for(var a=g.q(this.u.keys()),b=a.next();!b.done;b=a.next())b=b.value,this.Bb.get().removeCueRange(b);this.u.clear()}; -LQ.prototype.Pm=function(){};g.u(MQ,g.C);g.k=MQ.prototype;g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(a,b){this.B.has(a)||this.B.set(a,new Set);this.B.get(a).add(b)}; -g.k.jj=function(a,b){this.u.has(a)&&this.u.get(a)===b&&S("Unscheduled a Layout that is currently entered.",a,b);if(this.B.has(a)){var c=this.B.get(a);c.has(b)?(c["delete"](b),0===c.size&&this.B["delete"](a)):S("Trying to unscheduled a Layout that was not scheduled.",a,b)}else S("Trying to unscheduled a Layout that was not scheduled.",a,b)}; -g.k.xd=function(a,b){this.u.set(a,b)}; -g.k.yd=function(a){this.u["delete"](a)}; -g.k.Zg=function(){};ZQ.prototype.clone=function(a){var b=this;return new ZQ(function(){return b.triggerId},a)};$Q.prototype.clone=function(a){var b=this;return new $Q(function(){return b.triggerId},a)};aR.prototype.clone=function(a){var b=this;return new aR(function(){return b.triggerId},a)};bR.prototype.clone=function(a){var b=this;return new bR(function(){return b.triggerId},a)};cR.prototype.clone=function(a){var b=this;return new cR(function(){return b.triggerId},a)};g.u(fR,g.C);fR.prototype.logEvent=function(a){IQ(this,a)};g.u(hR,g.C);hR.prototype.addListener=function(a){this.listeners.push(a)}; -hR.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -hR.prototype.B=function(){g.Q(this.Ca.get().J.T().experiments,"html5_mark_internal_abandon_in_pacf")&&this.u&&Aqa(this,this.u)};g.u(iR,g.C);iR.prototype.addCueRange=function(a,b,c,d,e,f,h){f=void 0===f?2:f;h=void 0===h?1:h;this.u.has(a)?S("Tried to register duplicate cue range",void 0,void 0,{CueRangeID:a}):(a=new Bqa(a,b,c,d,f),this.u.set(a.id,{Kd:a,listener:e,yp:h}),g.zN(this.J,[a],h))}; -iR.prototype.removeCueRange=function(a){var b=this.u.get(a);b?(this.J.app.Zo([b.Kd],b.yp),this.u["delete"](a)):S("Requested to remove unknown cue range",void 0,void 0,{CueRangeID:a})}; -iR.prototype.C=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.Tu(a.id)}; -iR.prototype.D=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.gz(a.id)}; -g.u(Bqa,g.eF);mR.prototype.C=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.BE()}; -mR.prototype.B=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.AE()}; -mR.prototype.D=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.CE()};g.u(oR,ZJ);oR.prototype.uf=function(){return this.u()}; -oR.prototype.B=function(){return this.C()};pR.prototype.Yf=function(){var a=this.J.dc();return a&&(a=a.Yf(1))?a:null};g.u(g.tR,rt);g.tR.prototype.N=function(a,b,c,d,e){return rt.prototype.N.call(this,a,b,c,d,e)};g.u(uR,g.C);g.k=uR.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.ZQ=function(a,b,c){var d=this.Vs(b,c);this.u=d;this.listeners.forEach(function(e){e.cG(d)}); -a=pG(this,1);a.clientPlaybackNonce!==this.contentCpn&&(this.contentCpn=a.clientPlaybackNonce,this.listeners.forEach(function(){}))}; -g.k.Vs=function(a,b){var c,d,e,f,h=a.author,l=a.clientPlaybackNonce,m=a.isListed,n=a.Hc,p=a.title,r=a.gg,t=a.nf,w=a.isMdxPlayback,y=a.Gg,x=a.mdxEnvironment,B=a.Kh,E=a.eh,G=a.videoId||"",K=a.lf||"",H=a.kg||"",ya=a.Cj||void 0;n=this.Sc.get().u.get(n)||{layoutId:null,slotId:null};var ia=this.J.getVideoData(1),Oa=ia.Wg(),Ra=ia.getPlayerResponse();ia=1E3*this.J.getDuration(b);var Wa=1E3*this.J.getDuration(1);Ra=(null===(d=null===(c=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===c?void 0:c.daiConfig)|| -void 0===d?void 0:d.enableDai)||(null===(f=null===(e=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===e?void 0:e.daiConfig)||void 0===f?void 0:f.enableServerStitchedDai)||!1;return Object.assign(Object.assign({},n),{videoId:G,author:h,clientPlaybackNonce:l,playbackDurationMs:ia,uC:Wa,daiEnabled:Ra,isListed:m,Wg:Oa,lf:K,title:p,kg:H,gg:r,nf:t,Cj:ya,isMdxPlayback:w,Gg:y,mdxEnvironment:x,Kh:B,eh:E})}; -g.k.ca=function(){this.listeners.length=0;this.u=null;g.C.prototype.ca.call(this)};g.u(vR,g.C);g.k=vR.prototype;g.k.ej=function(){var a=this;this.u=cb(function(){a.J.na()||a.J.Wc("ad",1)})}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.playVideo=function(){this.J.playVideo()}; -g.k.pauseVideo=function(){this.J.pauseVideo()}; -g.k.getVolume=function(){return this.J.getVolume()}; -g.k.isMuted=function(){return this.J.isMuted()}; -g.k.getPresentingPlayerType=function(){return this.J.getPresentingPlayerType()}; -g.k.getPlayerState=function(a){return this.J.getPlayerState(a)}; -g.k.isFullscreen=function(){return this.J.isFullscreen()}; -g.k.XP=function(){if(2===this.J.getPresentingPlayerType())for(var a=kQ(this,2,!1),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Io(a)}; -g.k.OP=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ko(a)}; -g.k.UL=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.yo(a)}; -g.k.VL=function(){for(var a=g.q(this.listeners),b=a.next();!b.done;b=a.next())b.value.zo()}; -g.k.kj=function(){for(var a=this.J.app.visibility.u,b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.kj(a)}; -g.k.Va=function(){for(var a=g.cG(this.J).getPlayerSize(),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ho(a)};g.u(Mqa,g.C);wR.prototype.executeCommand=function(a,b){pN(this.u(),a,b)};yR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH),Zp:X(a.slot.va,"metadata_type_cue_point")})},function(b){b=b.ph; -(!b.length||2<=b.length)&&S("Unexpected ad placement renderers length",a.slot,null,{length:b.length})})}; -yR.prototype.u=function(){Qqa(this.B)};zR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH)})})}; -zR.prototype.u=function(){Qqa(this.B)};KQ.prototype.lq=function(){rpa(this.callback,this.slot,X(this.slot.va,"metadata_type_fulfilled_layout"))}; -KQ.prototype.u=function(){XP(this.callback,this.slot,new gH("Got CancelSlotFulfilling request for "+this.slot.ab+" in DirectFulfillmentAdapter."))};g.u(AR,Rqa);AR.prototype.u=function(a,b){if(JQ(b,{Be:["metadata_type_ad_break_request_data","metadata_type_cue_point"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new yR(a,b,this.od,this.Cb,this.gb,this.Ca);if(JQ(b,{Be:["metadata_type_ad_break_request_data"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new zR(a,b,this.od,this.Cb,this.gb,this.Ca);throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in AdBreakRequestSlotFulfillmentAdapterFactory.");};g.u(BR,Rqa);BR.prototype.u=function(a,b){throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in DefaultFulfillmentAdapterFactory.");};g.k=Sqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var b=X(a.va,"metadata_type_ad_break_response_data");"SLOT_TYPE_AD_BREAK_REQUEST"===this.slot.ab?(this.callback.xd(this.slot,a),yia(this.u,this.slot,b)):S("Unexpected slot type in AdBreakResponseLayoutRenderingAdapter - this should never happen", -this.slot,a)}}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};DR.prototype.u=function(a,b,c,d){if(CR(d,{Be:["metadata_type_ad_break_response_data"],wg:["LAYOUT_TYPE_AD_BREAK_RESPONSE","LAYOUT_TYPE_THROTTLED_AD_BREAK_RESPONSE"]}))return new Sqa(a,c,d,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in AdBreakRequestLayoutRenderingAdapterFactory.");};g.k=Tqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.callback.xd(this.slot,a),LO(this.Ia,"impression"),OR(this.u,a.layoutId))}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};ER.prototype.u=function(a,b,c,d){if(CR(d,Uqa()))return new Tqa(a,c,d,this.Fa,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in ForecastingLayoutRenderingAdapterFactory.");};g.u(FR,g.O);g.k=FR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){this.u.get().addListener(this)}; -g.k.release=function(){this.u.get().removeListener(this);this.dispose()}; -g.k.Eq=function(){}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(a=this.u.get(),kra(a,this.wk,1))}; -g.k.jh=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var c=this.u.get();kra(c,this.wk,3);this.wk=[];this.callback.yd(this.slot,a,b)}}; -g.k.ca=function(){this.u.get().removeListener(this);g.O.prototype.ca.call(this)};g.u(IR,FR);g.k=IR.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_action_companion_ad_renderer",function(b,c,d,e,f){return new RK(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(JR,FR);JR.prototype.init=function(){FR.prototype.init.call(this);var a=X(this.layout.va,"metadata_type_instream_ad_player_overlay_renderer"),b={adsClientData:this.layout.td};this.wk.push(new VL(a,this.layout.layoutId,X(this.layout.va,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"),b))}; -JR.prototype.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -JR.prototype.If=function(a){a:{var b=this.Nd.get();var c=this.cj;b=g.q(b.u.values());for(var d=b.next();!d.done;d=b.next())if(d.value.layoutId===c){c=!0;break a}c=!1}if(c)switch(a){case "visit-advertiser":this.Fa.get().J.sendVideoStatsEngageEvent(3,void 0,2)}switch(a){case "ad-mute-confirm-dialog-close-button":case "ad-feedback-undo-mute-button":case "ad-info-dialog-close-button":this.B||(a=this.ua.get(),2===a.J.getPlayerState(2)&&a.J.playVideo());break;case "ad-info-icon-button":(this.B=2===this.ua.get().J.getPlayerState(2))|| -this.ua.get().pauseVideo();break;case "visit-advertiser":this.ua.get().pauseVideo();X(this.layout.va,"metadata_type_player_bytes_callback").dA();break;case "skip-button":a=X(this.layout.va,"metadata_type_player_bytes_callback"),a.Y&&a.pG()}}; -JR.prototype.ca=function(){FR.prototype.ca.call(this)};LR.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in OtherWebInPlayerLayoutRenderingAdapterFactory.");};g.u(MR,g.C);MR.prototype.startRendering=function(a){if(a.layoutId!==this.Vd().layoutId)this.callback.Nf(this.Ve(),a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.Vd().layoutId+("and LayoutType: "+this.Vd().layoutType)));else{var b=this.ua.get().J;g.xN(b.app,2);uM(this.Tc.get());this.IH(a)}}; -MR.prototype.jh=function(a,b){this.JH(a,b);g.yN(this.ua.get().J,2);this.Yc.get().J.cueVideoByPlayerVars({},2);var c=nR(this.ua.get(),1);g.U(c,4)&&!g.U(c,2)&&this.ua.get().playVideo()};g.u(NR,MR);g.k=NR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){if(1>=this.u.length)throw new gH("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b=b.value,b.init(),eQ(this.D,this.slot,b.Vd())}; -g.k.release=function(){for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b.value.release()}; -g.k.IH=function(){PR(this)}; -g.k.HQ=function(a,b){fQ(this.D,a,b)}; -g.k.JH=function(a,b){var c=this;if(this.B!==this.u.length-1){var d=this.u[this.B];d.jh(d.Vd(),b);this.C=function(){c.callback.yd(c.slot,c.layout,b)}}else this.callback.yd(this.slot,this.layout,b)}; -g.k.JQ=function(a,b,c){$L(this.D,a,b,c);this.C?this.C():PR(this)}; -g.k.IQ=function(a,b){$L(this.D,a,b,"error");this.C?this.C():PR(this)};g.u(TR,g.C);g.k=TR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=this;VP(this.me(),this);this.ua.get().addListener(this);var a=X(this.layout.va,"metadata_type_video_length_seconds");Dqa(this.jb.get(),this.layout.layoutId,a,this);rR(this.Fa.get(),this)}; -g.k.release=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=null;this.me().B["delete"](this);this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId);sR(this.Fa.get(),this);this.u&&this.Bb.get().removeCueRange(this.u);this.u=void 0;this.D.dispose()}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else if(DK(this.Dd.get(),1)){Zqa(this,!1);var b=X(a.va,"metadata_type_ad_video_id"),c=X(a.va,"metadata_type_legacy_info_card_vast_extension");b&&c&&this.Gd.get().J.T().K.add(b,{Up:c});(b=X(a.va,"metadata_type_sodar_extension_data"))&&Nqa(this.Bd.get(), -b);Lqa(this.ua.get(),!1);this.C(-1);this.B="rendering_start_requested";b=this.Yc.get();a=X(a.va,"metadata_type_player_vars");b.J.cueVideoByPlayerVars(a,2);this.D.start();this.Yc.get().J.playVideo(2)}else SR(this,"ui_unstable",new aQ("Failed to render media layout because ad ui unstable."))}; -g.k.xd=function(a,b){var c,d;if(b.layoutId===this.layout.layoutId){this.B="rendering";LO(this.Ia,"impression");LO(this.Ia,"start");this.ua.get().isMuted()&&KO(this.Ia,"mute");this.ua.get().isFullscreen()&&KO(this.Ia,"fullscreen");this.D.stop();this.u="adcompletioncuerange:"+this.layout.layoutId;this.Bb.get().addCueRange(this.u,0x7ffffffffffff,0x8000000000000,!1,this,1,2);(this.adCpn=(null===(c=pG(this.Da.get(),2))||void 0===c?void 0:c.clientPlaybackNonce)||"")||S("Media layout confirmed started, but ad CPN not set."); -xM(this.Tc.get());this.C(1);this.ld.get().u("onAdStart",this.adCpn);var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.impressionCommands)||[],f=this.oc.get(),h=this.layout.layoutId;nN(f.u(),e,h)}}; -g.k.dA=function(){KO(this.Ia,"clickthrough")}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.B="rendering_stop_requested",this.F=b,this.D.stop(),Lqa(this.ua.get(),!0))}; -g.k.Tu=function(a){a!==this.u?S("Received CueRangeEnter signal for unknown layout.",this.slot,this.layout,{cueRangeId:a}):(this.Bb.get().removeCueRange(this.u),this.u=void 0,a=X(this.layout.va,"metadata_type_video_length_seconds"),Yqa(this,a,!0),LO(this.Ia,"complete"))}; -g.k.yd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.B="not_rendering",this.F=void 0,wM(this.Tc.get()),Zqa(this,!0),"abandoned"!==c&&this.ld.get().u("onAdComplete"),this.ld.get().u("onAdEnd",this.adCpn),this.C(0),c){case "abandoned":var d;LO(this.Ia,"abandon");var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.onAbandonCommands)||[];d=this.oc.get();a=this.layout.layoutId;nN(d.u(),e,a);break;case "normal":LO(this.Ia,"complete");d= -(null===(e=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===e?void 0:e.completeCommands)||[];e=this.oc.get();a=this.layout.layoutId;nN(e.u(),d,a);break;case "skipped":LO(this.Ia,"skip")}}; -g.k.tq=function(){return this.layout.layoutId}; -g.k.Xx=function(){return this.R}; -g.k.gz=function(){}; -g.k.Io=function(a){Yqa(this,a)}; -g.k.Ko=function(a){var b,c;if("not_rendering"!==this.B){this.I||(a=new g.EK(a.state,new g.AM),this.I=!0);var d=2===this.ua.get().getPresentingPlayerType();"rendering_start_requested"===this.B?d&&QR(a)&&this.callback.xd(this.slot,this.layout):g.GK(a,2)||!d?this.K():(QR(a)?this.C(1):a.state.isError()?SR(this,null===(b=a.state.getData())||void 0===b?void 0:b.errorCode,new aQ("There was a player error during this media layout.",{playerErrorCode:null===(c=a.state.getData())||void 0===c?void 0:c.errorCode})): -g.GK(a,4)&&!g.GK(a,2)&&(KO(this.Ia,"pause"),this.C(2)),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"))}}; -g.k.BE=function(){LO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){LO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){LO(this.Ia,"active_view_viewable")}; -g.k.yo=function(a){2===this.ua.get().getPresentingPlayerType()&&(a?KO(this.Ia,"fullscreen"):KO(this.Ia,"end_fullscreen"))}; -g.k.zo=function(){2===this.ua.get().getPresentingPlayerType()&&KO(this.Ia,this.ua.get().isMuted()?"mute":"unmute")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){};g.u(UR,MR);g.k=UR.prototype;g.k.Ve=function(){return this.u.Ve()}; -g.k.Vd=function(){return this.u.Vd()}; -g.k.init=function(){this.u.init()}; -g.k.release=function(){this.u.release()}; -g.k.IH=function(a){this.u.startRendering(a)}; -g.k.JH=function(a,b){this.u.jh(a,b)};VR.prototype.u=function(a,b,c,d){if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb,this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.u(WR,g.C);g.k=WR.prototype;g.k.xd=function(a,b){var c=this;if(bra(this)&&"LAYOUT_TYPE_MEDIA"===b.layoutType&&NP(b,this.C)){var d=pG(this.Da.get(),2),e=this.u(b,d);e?nG(this.tb.get(),"opportunity_type_player_bytes_media_layout_entered",function(){return[xqa(c.ib.get(),e.contentCpn,e.pw,function(f){return c.B(f.slotId,"core",e,SP(c.gb.get(),f))},e.MD)]}):S("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.yd=function(){};var HS=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=dra.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot)}; -g.k.release=function(){};ZR.prototype.u=function(a,b){return new dra(a,b)};g.k=era.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing")}; -g.k.release=function(){};g.k=fra.prototype;g.k.init=function(){lH(this.slot)&&(this.u=!0)}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.I(a.J.getRootNode(),"ad-interrupting");this.callback.cf(this.slot)}; -g.k.Qx=function(){gra(this);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.sn(a.J.getRootNode(),"ad-interrupting");this.callback.df(this.slot)}; -g.k.release=function(){gra(this)};$R.prototype.u=function(a,b){if(eH(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new era(a,b,this.ua);if(eH(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new fra(a,b,this.ua);throw new gH("Unsupported slot with type "+b.ab+" and client metadata: "+(PP(b.va)+" in PlayerBytesSlotAdapterFactory."));};g.u(bS,g.C);bS.prototype.Eq=function(a){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof xQ&&2===d.category&&e.u===a&&b.push(d)}b.length&&gQ(this.kz(),b)};g.u(cS,bS);g.k=cS.prototype;g.k.If=function(a,b){if(b)if("survey-submit"===a){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof yQ&&f.u===b&&c.push(e)}c.length?gQ(this.kz(),c):S("Survey is submitted but no registered triggers can be activated.")}else if("skip-button"===a){c=[];d=g.q(this.ob.values());for(e=d.next();!e.done;e=d.next())e=e.value,f=e.trigger,f instanceof xQ&&1===e.category&&f.u===b&&c.push(e);c.length&&gQ(this.kz(),c)}}; -g.k.Eq=function(a){bS.prototype.Eq.call(this,a)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof yQ||b instanceof xQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){};g.u(dS,g.C);g.k=dS.prototype; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof ZQ||b instanceof $Q||b instanceof aR||b instanceof bR||b instanceof cR||b instanceof RQ||b instanceof mH||b instanceof wQ||b instanceof DQ||b instanceof QQ||b instanceof VQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new aS(a,b,c,d);this.ob.set(b.triggerId,a);b instanceof cR&&this.F.has(b.B)&& -gQ(this.u(),[a]);b instanceof ZQ&&this.C.has(b.B)&&gQ(this.u(),[a]);b instanceof mH&&this.B.has(b.u)&&gQ(this.u(),[a])}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(a){this.F.add(a.slotId);for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof cR&&a.slotId===d.trigger.B&&b.push(d);0FK(a,16)){a=g.q(this.u);for(var b=a.next();!b.done;b=a.next())this.Tu(b.value);this.u.clear()}}; -g.k.Io=function(){}; -g.k.yo=function(){}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.zo=function(){};g.u(hS,g.C);g.k=hS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof zQ||b instanceof YQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.hn=function(){}; -g.k.Jk=function(){}; -g.k.Ii=function(){}; -g.k.xd=function(a,b){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.u?S("called onLayoutEntered with AboveFeedSlot but there is already a layout entered"):this.u=b.layoutId)}; -g.k.yd=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(this.u=null)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.B?S("called onSlotEntered with AboveFeedSlot but there is already a slot entered"):this.B=a.slotId)}; -g.k.df=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null===this.B?S("called onSlotExited with AboveFeedSlot but there is no entered slot"):this.B=null)}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.Vp=function(){null!=this.u&&OR(this,this.u)}; -g.k.kq=function(a){if(null===this.B){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof YQ&&d.trigger.slotId===a&&b.push(d);b.length&&gQ(this.C(),b)}}; -g.k.Ct=function(){};g.u(iS,g.C);g.k=iS.prototype;g.k.Zg=function(a,b){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&gQ(this.u(),c)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof rqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.xd=function(){}; -g.k.yd=function(){};g.u(jS,g.C);jS.prototype.init=function(){}; -jS.prototype.release=function(){}; -jS.prototype.ca=function(){this.Od.get().removeListener(this);g.C.prototype.ca.call(this)};kS.prototype.fetch=function(a){var b=this,c=a.DC;return this.Qw.fetch(a.pI,{Zp:void 0===a.Zp?void 0:a.Zp,Kd:c}).then(function(d){var e=null,f=null;if(g.Q(b.Ca.get().J.T().experiments,"get_midroll_info_use_client_rpc"))f=d;else try{(e=JSON.parse(d.response))&&(f=e)}catch(h){d.response&&(d=d.response,d.startsWith("GIF89")||(h.params=d.substr(0,256),g.Is(h)))}return jra(f,c)})};g.u(lS,g.C);g.k=lS.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.onAdUxClicked=function(a,b){mS(this,function(c){c.If(a,b)})}; -g.k.TL=function(a){mS(this,function(b){b.uy(a)})}; -g.k.SL=function(a){mS(this,function(b){b.ty(a)})}; -g.k.aO=function(a){mS(this,function(b){b.eu(a)})};oS.prototype.u=function(a,b){for(var c=[],d=1;d=Math.abs(e-f)}e&&LO(this.Ia,"ad_placement_end")}; -g.k.cG=function(a){a=a.layoutId;var b,c;this.u&&(null===(b=this.u.zi)||void 0===b?void 0:b.layout.layoutId)!==a&&(null===(c=this.u.zi)||void 0===c?void 0:c.jh("normal"),ora(this,a))}; -g.k.UF=function(){}; -g.k.LF=function(a){var b=X(this.layout.va,"metadata_type_layout_enter_ms"),c=X(this.layout.va,"metadata_type_layout_exit_ms");a*=1E3;b<=a&&ad&&(c=d-c,d=this.eg.get(),RAa(d.J.app,b,c))}else S("Unexpected failure to add to playback timeline",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}))}else S("Expected non-zero layout duration",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}));this.ua.get().addListener(this); -Dqa(this.jb.get(),this.layout.layoutId,a,this);eQ(this.callback,this.slot,this.layout)}; -g.k.release=function(){this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId)}; -g.k.startRendering=function(){if(this.u)S("Expected the layout not to be entered before start rendering",this.slot,this.layout);else{this.u={bz:null,tH:!1};var a=X(this.layout.va,"metadata_type_sodar_extension_data");if(a)try{Nqa(this.Bd.get(),a)}catch(b){S("Unexpected error when loading Sodar",this.slot,this.layout,{error:b})}fQ(this.callback,this.slot,this.layout)}}; -g.k.jh=function(a){this.u?(this.u=null,$L(this.callback,this.slot,this.layout,a)):S("Expected the layout to be entered before stop rendering",this.slot,this.layout)}; -g.k.Io=function(a){if(this.u){if(this.Ia.u.has("impression")){var b=nR(this.ua.get());sra(this,b,a,this.u.bz)}this.u.bz=a}}; -g.k.Ko=function(a){if(this.u){this.u.tH||(this.u.tH=!0,a=new g.EK(a.state,new g.AM));var b=kQ(this.ua.get(),2,!1);QR(a)&&RR(b,0,null)&&LO(this.Ia,"impression");if(this.Ia.u.has("impression")&&(g.GK(a,4)&&!g.GK(a,2)&&KO(this.Ia,"pause"),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"),g.GK(a,16)&&.5<=kQ(this.ua.get(),2,!1)&&KO(this.Ia,"seek"),g.GK(a,2))){var c=X(this.layout.va,"metadata_type_video_length_seconds"),d=1>=Math.abs(c-b);sra(this,a.state,d?c:b,this.u.bz);d&&LO(this.Ia,"complete")}}}; -g.k.yo=function(a){this.Ia.u.has("impression")&&KO(this.Ia,a?"fullscreen":"end_fullscreen")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.pG=function(){}; -g.k.zo=function(){}; -g.k.dA=function(){this.Ia.u.has("impression")&&KO(this.Ia,"clickthrough")}; -g.k.BE=function(){KO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_viewable")};tS.prototype.u=function(a,b,c,d){if(c.va.u.has("metadata_type_dai")){a:{var e=X(d.va,"metadata_type_sub_layouts"),f=X(d.va,"metadata_type_ad_placement_config");if(CR(d,{Be:["metadata_type_layout_enter_ms","metadata_type_drift_recovery_ms","metadata_type_layout_exit_ms"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})&&void 0!==e&&void 0!==f){var h=[];e=g.q(e);for(var l=e.next();!l.done;l=e.next()){l=l.value;var m=X(l.va,"metadata_type_sub_layout_index");if(!CR(l,{Be:["metadata_type_video_length_seconds", -"metadata_type_player_vars","metadata_type_layout_enter_ms","metadata_type_layout_exit_ms","metadata_type_player_bytes_callback_ref"],wg:["LAYOUT_TYPE_MEDIA"]})||void 0===m){a=null;break a}m=new GO(l.kd,this.Fa,f,l.layoutId,m);h.push(new rra(b,c,l,this.eg,m,this.ua,this.Sc,this.jb,this.Bd))}b=new GO(d.kd,this.Fa,f,d.layoutId);a=new mra(a,c,d,this.Da,this.eg,this.ee,this.ua,b,this.Fa,h)}else a=null}if(a)return a}else if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb, -this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesLayoutRenderingAdapterFactory.");};g.u(uS,g.C);g.k=uS.prototype;g.k.UF=function(a){this.u&&ura(this,this.u,a)}; -g.k.LF=function(){}; -g.k.ej=function(a){this.u&&this.u.contentCpn!==a&&(S("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn}),this.u=null)}; -g.k.Pm=function(a){this.u&&this.u.contentCpn!==a&&S("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn});this.u=null}; -g.k.ca=function(){g.C.prototype.ca.call(this);this.u=null};g.u(vS,g.C); -vS.prototype.ih=function(a,b,c,d){if(this.B.has(b.triggerId)||this.C.has(b.triggerId))throw new gH("Tried to re-register the trigger.");a=new aS(a,b,c,d);if(a.trigger instanceof uqa)this.B.set(a.trigger.triggerId,a);else if(a.trigger instanceof qqa)this.C.set(a.trigger.triggerId,a);else throw new gH("Incorrect TriggerType: Tried to register trigger of type "+a.trigger.triggerType+" in LiveStreamBreakTransitionTriggerAdapter");this.B.has(a.trigger.triggerId)&&a.slot.slotId===this.u&&gQ(this.D(),[a])}; -vS.prototype.mh=function(a){this.B["delete"](a.triggerId);this.C["delete"](a.triggerId)}; -vS.prototype.cG=function(a){a=a.slotId;if(this.u!==a){var b=[];null!=this.u&&b.push.apply(b,g.ma(vra(this.C,this.u)));null!=a&&b.push.apply(b,g.ma(vra(this.B,a)));this.u=a;b.length&&gQ(this.D(),b)}};g.u(wS,g.C);g.k=wS.prototype;g.k.ej=function(){this.D=new fM(this,Cqa(this.Ca.get()));this.C=new gM;wra(this)}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.VF=function(a){this.u.push(a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.UF(a)}; -g.k.MF=function(a){g.Bb(this.C.u,1E3*a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.LF(a)}; -g.k.Ez=function(a){var b=pG(this.Da.get(),1),c=b.clientPlaybackNonce;b=b.daiEnabled;var d=Date.now();a=g.q(a);for(var e=a.next();!e.done;e=a.next())e=e.value,b&&qR(this.Fa.get(),{cuepointTrigger:{event:xra(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:d,contentCpn:c}}),this.B.add(e),this.D.reduce(e)}; -g.k.ca=function(){this.J.getVideoData(1).unsubscribe("cuepointupdated",this.Ez,this);this.listeners.length=0;this.B.clear();this.u.length=0;g.C.prototype.ca.call(this)};xS.prototype.addListener=function(a){this.listeners.add(a)}; -xS.prototype.removeListener=function(a){this.listeners["delete"](a)};g.u(yS,FR);g.k=yS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_image_companion_ad_renderer",function(b,c,d,e,f){return new Fna(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(zS,FR);g.k=zS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_shopping_companion_carousel_renderer",function(b,c,d,e,f){return new EL(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};Dra.prototype.u=function(a,b,c,d){if(CR(d,Vqa()))return new IR(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Bra()))return new yS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Cra()))return new zS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in DesktopAboveFeedLayoutRenderingAdapterFactory.");};g.u(AS,FR);g.k=AS.prototype;g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout);if(this.C=PO(a,Kqa(this.ua.get())))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};g.u(BS,FR);g.k=BS.prototype;g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.uy=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.stop()}}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.ty=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.start()}}; -g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout),c=b.contentSupportedRenderer.imageOverlayAdContentRenderer,d=Kqa(this.ua.get());a:{c=c.image;c=void 0===c?null:c;if(null!=c&&(c=c.thumbnail,null!=c&&null!=c.thumbnails&&!g.kb(c.thumbnails)&&null!=c.thumbnails[0].width&&null!=c.thumbnails[0].height)){c=new g.ie(c.thumbnails[0].width||0,c.thumbnails[0].height||0);break a}c=new g.ie(0,0)}if(this.C=PO(a,d,c))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};CS.prototype.u=function(a,b,c,d){if(b=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return b;b=["metadata_type_invideo_overlay_ad_renderer"];for(var e=g.q(HO()),f=e.next();!f.done;f=e.next())b.push(f.value);if(CR(d,{Be:b,wg:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}))return new BS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.C,this.ua,this.oc,this.Ca);if(CR(d,Era()))return new AS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.ua,this.oc,this.Ca);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+ -PP(d.va)+" in WebDesktopMainAndEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.u(DS,g.C);DS.prototype.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof pqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in CloseRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -DS.prototype.mh=function(a){this.ob["delete"](a.triggerId)};g.u(FS,g.C);g.k=FS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof CQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d));a=this.u.has(b.u)?this.u.get(b.u):new Set;a.add(b);this.u.set(b.u,a)}; -g.k.mh=function(a){this.ob["delete"](a.triggerId);if(!(a instanceof CQ))throw new gH("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.B.get(a.triggerId);b&&(b.dispose(),this.B["delete"](a.triggerId));if(b=this.u.get(a.u))b["delete"](a),0===b.size&&this.u["delete"](a.u)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.xd=function(a,b){var c=this;if(this.u.has(b.layoutId)){var d=this.u.get(b.layoutId),e={};d=g.q(d);for(var f=d.next();!f.done;e={Ep:e.Ep},f=d.next())e.Ep=f.value,f=new g.F(function(h){return function(){var l=c.ob.get(h.Ep.triggerId);gQ(c.C(),[l])}}(e),e.Ep.durationMs),f.start(),this.B.set(e.Ep.triggerId,f)}}; -g.k.yd=function(){};g.u(GS,g.C);GS.prototype.init=function(){}; -GS.prototype.release=function(){}; -GS.prototype.ca=function(){this.bj.get().removeListener(this);g.C.prototype.ca.call(this)};g.u(Gra,g.C);g.u(Hra,g.C);g.u(Ira,g.C);g.u(Jra,g.C);g.u(IS,JR);IS.prototype.startRendering=function(a){JR.prototype.startRendering.call(this,a);X(this.layout.va,"metadata_ad_video_is_listed")&&(a=X(this.layout.va,"metadata_type_ad_info_ad_metadata"),this.Jn.get().J.xa("onAdMetadataAvailable",a))};Kra.prototype.u=function(a,b,c,d){b=Wqa();b.Be.push("metadata_type_ad_info_ad_metadata");if(CR(d,b))return new IS(a,c,d,this.Vb,this.ua,this.Fa,this.Nd,this.Jn);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.u(Lra,g.C);Mra.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.u(Nra,g.C);g.u(Pra,g.C);g.k=Qra.prototype;g.k.kq=function(a){a:{var b=g.q(this.B.u.u.values());for(var c=b.next();!c.done;c=b.next()){c=g.q(c.value.values());for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.slot.slotId===a&&"scheduled"===d.u){b=!0;break a}}b=!1}if(b)this.yi.kq(a);else try{this.u().kq(a)}catch(e){g.Fo(e)}}; -g.k.Vp=function(){a:{var a=jQ(this.B.u,"SLOT_TYPE_ABOVE_FEED_1");a=g.q(a.values());for(var b=a.next();!b.done;b=a.next())if(iQ(b.value)){a=!0;break a}a=!1}a?this.yi.Vp():this.u().Vp()}; -g.k.Ct=function(a){this.u().Ct(a)}; -g.k.hn=function(){this.u().hn()}; -g.k.Jk=function(){this.u().Jk()}; -g.k.Ii=function(){this.u().Ii()};g.u(g.JS,g.O);g.k=g.JS.prototype;g.k.create=function(){}; -g.k.load=function(){this.loaded=!0}; -g.k.unload=function(){this.loaded=!1}; -g.k.Ae=function(){}; -g.k.ii=function(){return!0}; -g.k.ca=function(){this.loaded&&this.unload();g.O.prototype.ca.call(this)}; -g.k.sb=function(){return{}}; -g.k.getOptions=function(){return[]};g.u(KS,g.JS);g.k=KS.prototype;g.k.create=function(){this.load();this.created=!0}; -g.k.load=function(){g.JS.prototype.load.call(this);this.player.getRootNode().classList.add("ad-created");var a=this.B.u.Ke.qg,b=this.F(),c=this.player.getVideoData(1),d=c&&c.videoId||"",e=c&&c.getPlayerResponse()||{},f=(e&&e.adPlacements||[]).map(function(l){return l.adPlacementRenderer}); -e=e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1;f=Tra(f,a,e);c=c&&c.clientPlaybackNonce||"";var h=1E3*this.player.getDuration(1);uN(a)?(this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em),zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),sN(this.u)):(zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em))}; -g.k.destroy=function(){var a=this.player.getVideoData(1);Aqa(this.B.u.ik,a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; -g.k.unload=function(){g.JS.prototype.unload.call(this);this.player.getRootNode().classList.remove("ad-created");if(null!==this.u){var a=this.u;this.u=null;a.dispose()}null!=this.C&&(a=this.C,this.C=null,a.dispose());this.D.reset()}; -g.k.ii=function(){return!1}; -g.k.yA=function(){return null===this.u?!1:this.u.yA()}; -g.k.ij=function(a){null!==this.u&&this.u.ij(a)}; -g.k.getAdState=function(){return this.u?this.u.Aa:-1}; -g.k.getOptions=function(){return Object.values(TCa)}; -g.k.Ae=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":var c=b;if(c.url){var d=TJ(this.player);Object.assign(d,c.u);this.u&&!d.AD_CPN&&(d.AD_CPN=this.u.Ja);c=g.en(c.url,d)}else c=null;return c;case "isExternalShelfAllowedFor":a:if(b.playerResponse){c=b.playerResponse.adPlacements||[];for(d=0;dthis.B;)a[e++]^=d[this.B++];for(var f=c-(c-e)%16;ea||10tJ&&(a=Math.max(.1,a)),this.Zv(a))}; -g.k.stopVideo=function(){this.We()&&(XCa&&or&&0=a)){a-=this.u.length;for(var b=0;b=(a||1)}; -g.k.pJ=function(){for(var a=this.C.length-1;0<=a;a--)XS(this,this.C[a]);this.u.length==this.B.length&&4<=this.u.length||(4>this.B.length?this.QC(4):(this.u=[],g.Cb(this.B,function(b){XS(this,b)},this)))}; -WS.prototype.fillPool=WS.prototype.QC;WS.prototype.getTag=WS.prototype.xK;WS.prototype.releaseTag=WS.prototype.ER;WS.prototype.hasTags=WS.prototype.bL;WS.prototype.activateTags=WS.prototype.pJ;g.u(g.YS,g.RS);g.k=g.YS.prototype;g.k.ol=function(){return!0}; -g.k.isView=function(){return!1}; -g.k.Wv=function(){return!1}; -g.k.Pa=function(){return this.u}; -g.k.We=function(){return this.u.src}; -g.k.bw=function(a){var b=this.getPlaybackRate();this.u.src=a;this.setPlaybackRate(b)}; -g.k.Uv=function(){this.u.removeAttribute("src")}; -g.k.getPlaybackRate=function(){try{return 0<=this.u.playbackRate?this.u.playbackRate:1}catch(a){return 1}}; -g.k.setPlaybackRate=function(a){this.getPlaybackRate()!=a&&(this.u.playbackRate=a);return a}; -g.k.sm=function(){return this.u.loop}; -g.k.setLoop=function(a){this.u.loop=a}; -g.k.canPlayType=function(a,b){return this.u.canPlayType(a,b)}; -g.k.pl=function(){return this.u.paused}; -g.k.Wq=function(){return this.u.seeking}; -g.k.Yi=function(){return this.u.ended}; -g.k.Rt=function(){return this.u.muted}; -g.k.gp=function(a){sB();this.u.muted=a}; -g.k.xm=function(){return this.u.played||Vz([],[])}; -g.k.Gf=function(){try{var a=this.u.buffered}catch(b){}return a||Vz([],[])}; -g.k.yq=function(){return this.u.seekable||Vz([],[])}; -g.k.Zu=function(){return this.u.getStartDate?this.u.getStartDate():null}; -g.k.getCurrentTime=function(){return this.u.currentTime}; -g.k.Zv=function(a){this.u.currentTime=a}; -g.k.getDuration=function(){return this.u.duration}; -g.k.load=function(){var a=this.u.playbackRate;this.u.load&&this.u.load();this.u.playbackRate=a}; -g.k.pause=function(){this.u.pause()}; -g.k.play=function(){var a=this.u.play();if(!a||!a.then)return null;a.then(void 0,function(){}); -return a}; -g.k.yg=function(){return this.u.readyState}; -g.k.St=function(){return this.u.networkState}; -g.k.Sh=function(){return this.u.error?this.u.error.code:null}; -g.k.Bo=function(){return this.u.error?this.u.error.message:""}; -g.k.getVideoPlaybackQuality=function(){var a={};if(this.u){if(this.u.getVideoPlaybackQuality)return this.u.getVideoPlaybackQuality();this.u.webkitDecodedFrameCount&&(a.totalVideoFrames=this.u.webkitDecodedFrameCount,a.droppedVideoFrames=this.u.webkitDroppedFrameCount)}return a}; -g.k.Ze=function(){return!!this.u.webkitCurrentPlaybackTargetIsWireless}; -g.k.fn=function(){return!!this.u.webkitShowPlaybackTargetPicker()}; -g.k.togglePictureInPicture=function(){qB()?this.u!=window.document.pictureInPictureElement?this.u.requestPictureInPicture():window.document.exitPictureInPicture():rB()&&this.u.webkitSetPresentationMode("picture-in-picture"==this.u.webkitPresentationMode?"inline":"picture-in-picture")}; -g.k.Pk=function(){var a=this.u;return new g.ge(a.offsetLeft,a.offsetTop)}; -g.k.setPosition=function(a){return g.Cg(this.u,a)}; -g.k.Co=function(){return g.Lg(this.u)}; -g.k.setSize=function(a){return g.Kg(this.u,a)}; -g.k.getVolume=function(){return this.u.volume}; -g.k.setVolume=function(a){sB();this.u.volume=a}; -g.k.Kx=function(a){if(!this.B[a]){var b=(0,g.z)(this.DL,this);this.u.addEventListener(a,b);this.B[a]=b}}; -g.k.DL=function(a){this.dispatchEvent(new VS(this,a.type,a))}; -g.k.setAttribute=function(a,b){this.u.setAttribute(a,b)}; -g.k.removeAttribute=function(a){this.u.removeAttribute(a)}; -g.k.hasAttribute=function(a){return this.u.hasAttribute(a)}; -g.k.Lp=ba(7);g.k.hs=ba(9);g.k.jn=ba(4);g.k.Wp=ba(11);g.k.iq=function(){return pt(this.u)}; -g.k.Aq=function(a){return g.yg(this.u,a)}; -g.k.Ky=function(){return g.Me(document.body,this.u)}; -g.k.ca=function(){for(var a in this.B)this.u.removeEventListener(a,this.B[a]);g.RS.prototype.ca.call(this)};g.u(g.ZS,g.RS);g.k=g.ZS.prototype;g.k.isView=function(){return!0}; -g.k.Wv=function(){var a=this.u.getCurrentTime();if(a=c.lk.length)c=!1;else{for(var d=g.q(c.lk),e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof GH)){c=!1;break a}var f=a.u.getId();e.B&&(e.B.u=f,e.u=null)}c.Qr=a;c= -!0}c&&(b.V("internalaudioformatchange",b.videoData,!0),V_(b)&&b.Na("hlsaudio",a.id))}}}; -g.k.dK=function(){return this.getAvailableAudioTracks()}; -g.k.getAvailableAudioTracks=function(){return g.Z(this.app,this.playerType).getAvailableAudioTracks()}; -g.k.getMaxPlaybackQuality=function(){var a=g.Z(this.app,this.playerType);return a&&a.getVideoData().Oa?HC(a.Id?Pxa(a.cg,a.Id,a.co()):UD):"unknown"}; -g.k.getUserPlaybackQualityPreference=function(){var a=g.Z(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; -g.k.getSubtitlesUserSettings=function(){var a=g.nU(this.app.C);return a?a.yK():null}; -g.k.resetSubtitlesUserSettings=function(){g.nU(this.app.C).MR()}; +g.k.setUserEngagement=function(a){this.app.V().jl!==a&&(this.app.V().jl=a,(a=g.qS(this.app,this.playerType))&&wZ(a))}; +g.k.updateSubtitlesUserSettings=function(a,b){b=void 0===b?!0:b;g.JT(this.app.wb()).IY(a,b)}; +g.k.getCaptionWindowContainerId=function(){var a=g.JT(this.app.wb());return a?a.getCaptionWindowContainerId():""}; +g.k.toggleSubtitlesOn=function(){var a=g.JT(this.app.wb());a&&a.mY()}; +g.k.isSubtitlesOn=function(){var a=g.JT(this.app.wb());return a?a.isSubtitlesOn():!1}; +g.k.getPresentingPlayerType=function(){var a=this.app.getPresentingPlayerType(!0);2===a&&this.app.mf()&&(a=1);return a}; +g.k.getPlayerResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getPlayerResponse():null}; +g.k.getHeartbeatResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getHeartbeatResponse():null}; +g.k.getStoryboardFrame=function(a,b){var c=this.app.Hj();if(!c)return null;b=c.levels[b];return b?(a=g.UL(b,a))?{column:a.column,columns:a.columns,height:a.Dv,row:a.row,rows:a.rows,url:a.url,width:a.NC}:null:null}; +g.k.getStoryboardFrameIndex=function(a,b){var c=this.app.Hj();if(!c)return-1;b=c.levels[b];if(!b)return-1;a-=this.Jd();return b.OE(a)}; +g.k.getStoryboardLevel=function(a){var b=this.app.Hj();return b?(b=b.levels[a])?{index:a,intervalMs:b.j,maxFrameIndex:b.ix(),minFrameIndex:b.BJ()}:null:null}; +g.k.getNumberOfStoryboardLevels=function(){var a=this.app.Hj();return a?a.levels.length:0}; +g.k.X2=function(){return this.getAudioTrack()}; +g.k.getAudioTrack=function(){var a=g.qS(this.app,this.playerType);return a?a.getAudioTrack():this.app.getVideoData().wm}; +g.k.setAudioTrack=function(a,b){3===this.getPresentingPlayerType()&&JS(this.app.wb()).bp("control_set_audio_track",a);var c=g.qS(this.app,this.playerType);if(c)if(c.isDisposed()||g.S(c.playerState,128))a=!1;else{var d;if(null==(d=c.videoData.C)?0:d.j)b=b?c.getCurrentTime()-c.Jd():NaN,c.Fa.setAudioTrack(a,b);else if(O_a(c)){b:{b=c.mediaElement.audioTracks();for(d=0;d=b.Nd.length)b=!1;else{d=g.t(b.Nd);for(e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof VK)){b=!1;break b}var f=a.Jc.getId();e.B&&(Fxa(e.B,f),e.u=null)}b.Xn=a;b=!0}b&&oZ(c)&&(c.ma("internalaudioformatchange",c.videoData,!0),c.xa("hlsaudio",{id:a.id}))}a=!0}else a=!1;return a}; +g.k.Y2=function(){return this.getAvailableAudioTracks()}; +g.k.getAvailableAudioTracks=function(){return g.qS(this.app,this.playerType).getAvailableAudioTracks()}; +g.k.getMaxPlaybackQuality=function(){var a=g.qS(this.app,this.playerType);return a&&a.getVideoData().u?nF(a.Df?oYa(a.Ji,a.Df,a.Su()):ZL):"unknown"}; +g.k.getUserPlaybackQualityPreference=function(){var a=g.qS(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; +g.k.getSubtitlesUserSettings=function(){var a=g.JT(this.app.wb());return a?a.v3():null}; +g.k.resetSubtitlesUserSettings=function(){g.JT(this.app.wb()).J8()}; g.k.setMinimized=function(a){this.app.setMinimized(a)}; -g.k.setGlobalCrop=function(a){this.app.template.setGlobalCrop(a)}; -g.k.getVisibilityState=function(){var a=this.app.T();a=this.app.visibility.u&&!g.Q(a.experiments,"kevlar_miniplayer_disable_vis");return this.app.getVisibilityState(this.Ze(),this.isFullscreen()||mD(this.app.T()),a,this.isInline(),this.app.visibility.pictureInPicture,this.app.visibility.B)}; -g.k.isMutedByMutedAutoplay=function(){return this.app.Ta}; +g.k.setInlinePreview=function(a){this.app.setInlinePreview(a)}; +g.k.setGlobalCrop=function(a){this.app.jb().setGlobalCrop(a)}; +g.k.getVisibilityState=function(){var a=this.zg();return this.app.getVisibilityState(this.wh(),this.isFullscreen()||g.kK(this.app.V()),a,this.isInline(),this.app.Ty(),this.app.Ry())}; +g.k.isMutedByMutedAutoplay=function(){return this.app.oz}; g.k.isInline=function(){return this.app.isInline()}; -g.k.setInternalSize=function(a,b){this.app.template.setInternalSize(new g.ie(a,b))}; -g.k.yc=function(){var a=g.Z(this.app,void 0);return a?a.yc():0}; -g.k.Ze=function(){var a=g.Z(this.app,this.playerType);return!!a&&a.Ze()}; +g.k.setInternalSize=function(a,b){this.app.jb().setInternalSize(new g.He(a,b))}; +g.k.Jd=function(){var a=g.qS(this.app);return a?a.Jd():0}; +g.k.zg=function(){return this.app.zg()}; +g.k.wh=function(){var a=g.qS(this.app,this.playerType);return!!a&&a.wh()}; g.k.isFullscreen=function(){return this.app.isFullscreen()}; -g.k.setSafetyMode=function(a){this.app.T().enableSafetyMode=a}; +g.k.setSafetyMode=function(a){this.app.V().enableSafetyMode=a}; g.k.canPlayType=function(a){return this.app.canPlayType(a)}; -g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;if(b&&b!==a.list)if(this.ba("player_enable_playback_playlist_change"))c=!0;else return;void 0!==a.external_list&&this.app.setIsExternalPlaylist(a.external_list);var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==b.Ma().videoId||(a.index=b.index)):H0(this.app,{list:a.list,index:a.index,playlist_length:d.length});iU(this.app.getPlaylist(),a);this.xa("onPlaylistUpdate")}else this.app.updatePlaylist()}; -g.k.updateVideoData=function(a,b){var c=g.Z(this.app,this.playerType||1);c&&c.getVideoData().nh(a,b)}; -g.k.updateEnvironmentData=function(a){this.app.T().nh(a,!1)}; +g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;b&&b!==a.list&&(c=!0);void 0!==a.external_list&&(this.app.Lh=jz(!1,a.external_list));var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==g.zT(b).videoId||(a.index=b.index)):JZ(this.app,{list:a.list,index:a.index,playlist_length:d.length});pLa(this.app.getPlaylist(),a);this.Na("onPlaylistUpdate")}else this.app.updatePlaylist()}; +g.k.updateVideoData=function(a,b){var c=g.qS(this.app,this.playerType||1);c&&g.cM(c.getVideoData(),a,b)}; +g.k.updateEnvironmentData=function(a){rK(this.app.V(),a,!1)}; g.k.sendVideoStatsEngageEvent=function(a){this.app.sendVideoStatsEngageEvent(a,this.playerType)}; -g.k.setCardsVisible=function(a,b,c){var d=g.RT(this.app.C);d&&d.Vq()&&d.setCardsVisible(a,b,c)}; -g.k.productsInVideoVisibilityUpdated=function(a){this.V("changeProductsInVideoVisibility",a)}; +g.k.productsInVideoVisibilityUpdated=function(a){this.ma("changeProductsInVideoVisibility",a)}; g.k.setInline=function(a){this.app.setInline(a)}; g.k.isAtLiveHead=function(a,b){return this.app.isAtLiveHead(a,void 0===b?!0:b)}; -g.k.getVideoAspectRatio=function(){return this.app.template.getVideoAspectRatio()}; -g.k.getPreferredQuality=function(){var a=g.Z(this.app);return a?a.getPreferredQuality():"unknown"}; -g.k.setPlaybackQualityRange=function(a,b){var c=g.Z(this.app,this.playerType);if(c){var d=FC(a,b||a,!0,"m");Qsa(c,d)}}; -g.k.onAdUxClicked=function(a,b){this.V("aduxclicked",a,b)}; -g.k.getLoopVideo=function(){return this.app.getLoopVideo()}; -g.k.setLoopVideo=function(a){this.app.setLoopVideo(a)}; -g.k.V=function(a,b){for(var c=[],d=1;da)){var d=this.api.getVideoData(),e=d.Pk;if(e&&aMath.random()){b=b?"pbp":"pbs";var c={startTime:this.j};a.T&&(c.cttAuthInfo={token:a.T,videoId:a.videoId});cF("seek",c);g.dF("cpn",a.clientPlaybackNonce,"seek");isNaN(this.u)||eF("pl_ss",this.u,"seek");eF(b,(0,g.M)(),"seek")}this.reset()}};g.k=hLa.prototype;g.k.reset=function(){$E(this.timerName)}; +g.k.tick=function(a,b){eF(a,b,this.timerName)}; +g.k.di=function(a){return Gta(a,this.timerName)}; +g.k.Mt=function(a){xT(a,void 0,this.timerName)}; +g.k.info=function(a,b){g.dF(a,b,this.timerName)};g.w(kLa,g.dE);g.k=kLa.prototype;g.k.Ck=function(a){return this.loop||!!a||this.index+1([^<>]+)<\/a>/;g.u(KU,g.tR);KU.prototype.Ra=function(){var a=this;this.B();var b=this.J.getVideoData();if(b.isValid()){var c=[];this.J.T().R||c.push({src:b.ne("mqdefault.jpg")||"",sizes:"320x180"});this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:c});c=b=null;g.NT(this.J)&&(this.u["delete"]("nexttrack"),this.u["delete"]("previoustrack"),b=function(){a.J.nextVideo()},c=function(){a.J.previousVideo()}); -JU(this,"nexttrack",b);JU(this,"previoustrack",c)}}; -KU.prototype.B=function(){var a=g.uK(this.J);a=a.isError()?"none":g.GM(a)?"playing":"paused";this.mediaSession.playbackState=a}; -KU.prototype.ca=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())JU(this,b.value,null);g.tR.prototype.ca.call(this)};g.u(LU,g.V);LU.prototype.Ra=function(a,b){Ita(this,b);this.Pc&&Jta(this,this.Pc)}; -LU.prototype.lc=function(a){var b=this.J.getVideoData();this.videoId!==b.videoId&&Ita(this,b);this.u&&Jta(this,a.state);this.Pc=a.state}; -LU.prototype.Bc=function(){this.B.show();this.J.V("paidcontentoverlayvisibilitychange",!0)}; -LU.prototype.nb=function(){this.B.hide();this.J.V("paidcontentoverlayvisibilitychange",!1)};g.u(NU,g.V);NU.prototype.hide=function(){this.u.stop();this.message.style.display="none";g.V.prototype.hide.call(this)}; -NU.prototype.B=function(a){MU(this,a.state)}; -NU.prototype.C=function(){MU(this,g.uK(this.api))}; -NU.prototype.D=function(){this.message.style.display="block"};g.u(g.OU,g.KN);g.k=g.OU.prototype;g.k.show=function(){var a=this.zf();g.KN.prototype.show.call(this);this.Y&&(this.K.N(window,"blur",this.nb),this.K.N(document,"click",this.VM));a||this.V("show",!0)}; -g.k.hide=function(){var a=this.zf();g.KN.prototype.hide.call(this);Kta(this);a&&this.V("show",!1)}; -g.k.Bc=function(a,b){this.u=a;this.X.show();b?(this.P||(this.P=this.K.N(this.J,"appresize",this.TB)),this.TB()):this.P&&(this.K.Mb(this.P),this.P=void 0)}; -g.k.TB=function(){var a=g.BT(this.J);this.u&&a.To(this.element,this.u)}; -g.k.nb=function(){var a=this.zf();Kta(this);this.X.hide();a&&this.V("show",!1)}; -g.k.VM=function(a){var b=fp(a);b&&(g.Me(this.element,b)||this.u&&g.Me(this.u,b)||!g.cP(a))||this.nb()}; -g.k.zf=function(){return this.fb&&4!==this.X.state};g.u(QU,g.OU);QU.prototype.D=function(a){this.C&&(a?(Lta(this),this.Bc()):(this.seen&&Mta(this),this.nb()))}; -QU.prototype.F=function(a){this.api.isMutedByMutedAutoplay()&&g.GK(a,2)&&this.nb()}; -QU.prototype.onClick=function(){this.api.unMute();Mta(this)};g.u(g.SU,g.tR);g.k=g.SU.prototype;g.k.init=function(){var a=g.uK(this.api);this.vb(a);this.vk();this.Va()}; -g.k.Ra=function(a,b){if(this.fa!==b.videoId){this.fa=b.videoId;var c=this.Nc;c.fa=b&&0=b){this.C=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.D-1);02*b&&d<3*b&&(this.Jr(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.ip(a)}this.Aa=Date.now();this.Ja.start()}}; -g.k.nQ=function(a){Pta(this,a)||(Ota(this)||!VU(this,a)||this.F.isActive()||(RU(this),g.ip(a)),this.C&&(this.C=!1))}; -g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!0});HAa(!0);Hp();window.location.reload()},function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!1}); -a.ev()})}; -g.k.ju=function(){}; -g.k.gn=function(){}; -g.k.Jr=function(){}; -g.k.ev=function(){var a=g.uK(this.api);g.U(a,2)&&JT(this.api)||(g.GM(a)?this.api.pauseVideo():(this.api.app.Ig=!0,this.api.playVideo(),this.B&&document.activeElement===this.B.D.element&&this.api.getRootNode().focus()))}; -g.k.oQ=function(a){var b=this.api.getPresentingPlayerType();if(!TU(this,fp(a)))if(a=this.api.T(),(g.Q(this.api.T().experiments,"player_doubletap_to_seek")||g.Q(this.api.T().experiments,"embeds_enable_mobile_dtts"))&&this.C)this.C=!1;else if(a.za&&3!==b)try{this.api.toggleFullscreen()["catch"](function(c){Qta(c)})}catch(c){Qta(c)}}; -g.k.pQ=function(a){Rta(this,.3,a.scale);g.ip(a)}; -g.k.qQ=function(a){Rta(this,.1,a.scale)}; -g.k.Va=function(){var a=g.cG(this.api).getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Nc.resize();g.J(b,"ytp-fullscreen",this.api.isFullscreen());g.J(b,"ytp-large-width-mode",c);g.J(b,"ytp-small-mode",this.Ie());g.J(b,"ytp-tiny-mode",this.Ie()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height));g.J(b,"ytp-big-mode",this.ge());this.u&&this.u.resize(a)}; -g.k.HM=function(a){this.vb(a.state);this.vk()}; -g.k.gy=function(){var a=!!this.fa&&!g.IT(this.api),b=2===this.api.getPresentingPlayerType(),c=this.api.T();if(b){if(CBa&&g.Q(c.experiments,"enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=sU(g.HT(this.api));return a&&b.yA()}return a&&(c.En||this.api.isFullscreen()||c.ng)}; -g.k.vk=function(){var a=this.gy();this.Vi!==a&&(this.Vi=a,g.J(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; -g.k.vb=function(a){var b=a.isCued()||this.api.Qj()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.ma&&this.Mb(this.ma),this.ma=this.N(g.cG(this.api),"touchstart",this.rQ,void 0,b));var c=a.Hb()&&!g.U(a,32)||UT(this.api);wU(this.Nc,128,!c);c=3===this.api.getPresentingPlayerType();wU(this.Nc,256,c);c=this.api.getRootNode();if(g.U(a,2))var d=[b2.ENDED];else d=[],g.U(a,8)?d.push(b2.PLAYING):g.U(a,4)&&d.push(b2.PAUSED),g.U(a,1)&&!g.U(a,32)&&d.push(b2.BUFFERING),g.U(a,32)&& -d.push(b2.SEEKING),g.U(a,64)&&d.push(b2.UNSTARTED);g.Ab(this.X,d)||(g.tn(c,this.X),this.X=d,g.rn(c,d));d=this.api.T();var e=g.U(a,2);g.J(c,"ytp-hide-controls",("3"===d.controlsType?!e:"1"!==d.controlsType)||b);g.J(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.aa);g.U(a,128)&&!g.hD(d)?(this.u||(this.u=new g.FU(this.api),g.D(this,this.u),g.BP(this.api,this.u.element,4)),this.u.B(a.getData()),this.u.show()):this.u&&(this.u.dispose(),this.u=null)}; -g.k.Ij=function(){return g.ST(this.api)&&g.TT(this.api)?(this.api.setCardsVisible(!1,!1),!0):g.IT(this.api)?(g.KT(this.api,!0),!0):!1}; -g.k.GM=function(a){this.aa=a;this.Fg()}; -g.k.ge=function(){return!1}; -g.k.Ie=function(){return!this.ge()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; -g.k.Nh=function(){return this.R}; -g.k.Qk=function(){return null}; -g.k.Pi=function(){var a=g.cG(this.api).getPlayerSize();return new g.jg(0,0,a.width,a.height)}; +g.k.Ak=function(){return this.u.getVideoUrl(g.zT(this).videoId,this.getPlaylistId())}; +g.k.qa=function(){this.j=null;g.$a(this.items);g.dE.prototype.qa.call(this)};var AT=new Map;g.w(g.CT,g.dE);g.k=g.CT.prototype;g.k.create=function(){}; +g.k.load=function(){this.loaded=!0}; +g.k.unload=function(){this.loaded=!1}; +g.k.qh=function(){}; +g.k.Tk=function(){return!0}; +g.k.qa=function(){this.loaded&&this.unload();g.dE.prototype.qa.call(this)}; +g.k.lc=function(){return{}}; +g.k.getOptions=function(){return[]};g.w(g.FT,g.C);g.k=g.FT.prototype;g.k.Qs=aa(29);g.k.cz=function(){}; +g.k.gr=function(){}; +g.k.Wu=function(){return""}; +g.k.AO=aa(30);g.k.qa=function(){this.gr();g.C.prototype.qa.call(this)};g.w(g.GT,g.FT);g.GT.prototype.Qs=aa(28);g.GT.prototype.cz=function(a){if(this.audioTrack)for(var b=g.t(this.audioTrack.captionTracks),c=b.next();!c.done;c=b.next())g.ET(this.j,c.value);a()}; +g.GT.prototype.Wu=function(a,b){var c=a.Ze(),d={fmt:b};if("srv3"===b||"3"===b||"json3"===b)g.Yy()?Object.assign(d,{xorb:2,xobt:1,xovt:1}):Object.assign(d,{xorb:2,xobt:3,xovt:3});a.translationLanguage&&(d.tlang=g.aL(a));this.Y.K("web_player_topify_subtitles_for_shorts")&&this.B&&(d.xosf="1");this.Y.K("captions_url_add_ei")&&this.eventId&&(d.ei=this.eventId);Object.assign(d,this.Y.j);return ty(c,d)}; +g.GT.prototype.gr=function(){this.u&&this.u.abort()};g.xLa.prototype.override=function(a){a=g.t(Object.entries(a));for(var b=a.next();!b.done;b=a.next()){var c=g.t(b.value);b=c.next().value;c=c.next().value;Object.defineProperty(this,b,{value:c})}};g.Vcb=new Map;g.w(g.IT,g.FT);g.IT.prototype.Qs=aa(27); +g.IT.prototype.cz=function(a){var b=this,c=this.B,d={type:"list",tlangs:1,v:this.videoId,vssids:1};this.JU&&(d.asrs=1);c=ty(c,d);this.gr();this.u=g.Hy(c,{format:"RAW",onSuccess:function(e){b.u=null;if((e=e.responseXML)&&e.firstChild){for(var f=e.getElementsByTagName("track"),h=0;h([^<>]+)<\/a>/;g.w(aU,g.bI);aU.prototype.Hi=function(){zMa(this)}; +aU.prototype.onVideoDataChange=function(){var a=this,b=this.F.getVideoData();if(b.De()){var c=this.F.V(),d=[],e="";if(!c.oa){var f=xMa(this);c.K("enable_web_media_session_metadata_fix")&&g.nK(c)&&f?(d=yMa(f.thumbnailDetails),f.album&&(e=g.gE(f.album))):d=[{src:b.wg("mqdefault.jpg")||"",sizes:"320x180",type:"image/jpeg"}]}zMa(this);wMa(this);this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:d,album:e});c=b=null;g.KS(this.F)&&(this.j.delete("nexttrack"),this.j.delete("previoustrack"), +b=function(){a.F.nextVideo()},c=function(){a.F.previousVideo()}); +bU(this,"nexttrack",b);bU(this,"previoustrack",c)}}; +aU.prototype.qa=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.t(this.j),b=a.next();!b.done;b=a.next())bU(this,b.value,null);g.bI.prototype.qa.call(this)};g.w(AMa,g.U);g.k=AMa.prototype;g.k.onClick=function(a){g.UT(a,this.F,!0);this.F.qb(this.element)}; +g.k.onVideoDataChange=function(a,b){CMa(this,b);this.Te&&DMa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&CMa(this,b);this.j&&DMa(this,a.state);this.Te=a.state}; +g.k.od=function(){this.C.show();this.F.ma("paidcontentoverlayvisibilitychange",!0);this.F.Ua(this.element,!0)}; +g.k.Fb=function(){this.C.hide();this.F.ma("paidcontentoverlayvisibilitychange",!1);this.F.Ua(this.element,!1)};g.w(cU,g.U);cU.prototype.hide=function(){this.j.stop();this.message.style.display="none";g.U.prototype.hide.call(this)}; +cU.prototype.onStateChange=function(a){this.qc(a.state)}; +cU.prototype.qc=function(a){if(g.S(a,128))var b=!1;else{var c;b=(null==(c=this.api.Rc())?0:c.Ns)?!1:g.S(a,16)||g.S(a,1)?!0:!1}b?this.j.start():this.hide()}; +cU.prototype.u=function(){this.message.style.display="block"};g.w(dU,g.PS);dU.prototype.onMutedAutoplayChange=function(a){this.B&&(a?(EMa(this),this.od()):(this.j&&this.qb(),this.Fb()))}; +dU.prototype.Hi=function(a){this.api.isMutedByMutedAutoplay()&&g.YN(a,2)&&this.Fb()}; +dU.prototype.onClick=function(){this.api.unMute();this.qb()}; +dU.prototype.qb=function(){this.clicked||(this.clicked=!0,this.api.qb(this.element))};g.w(g.eU,g.bI);g.k=g.eU.prototype;g.k.init=function(){var a=this.api,b=a.Cb();this.qC=a.getPlayerSize();this.pc(b);this.wp();this.Db();this.api.ma("basechromeinitialized",this)}; +g.k.onVideoDataChange=function(a,b){var c=this.GC!==b.videoId;if(c||"newdata"===a)a=this.api,a.isFullscreen()||(this.qC=a.getPlayerSize());c&&(this.GC=b.videoId,c=this.Ve,c.Aa=b&&0=b){this.vB=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.PC-1);02*b&&d<3*b&&(this.GD(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.EO(a)}else RT&&this.api.K("embeds_web_enable_mobile_dtts")&& +this.api.V().T&&fU(this,a)&&g.EO(a);this.hV=Date.now();this.qX.start()}}; +g.k.h7=function(){this.uN.HU=!1;this.api.ma("rootnodemousedown",this.uN)}; +g.k.d7=function(a){this.uN.HU||JMa(this,a)||(IMa(this)||!fU(this,a)||this.uF.isActive()||(g.GK(this.api.V())&&this.api.Cb().isCued()&&yT(this.api.Oh()),GMa(this),g.EO(a)),this.vB&&(this.vB=!1))}; +g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.rA("embedsRequestStorageAccessResult",{resolved:!0});qwa(!0);xD();window.location.reload()},function(){g.rA("embedsRequestStorageAccessResult",{resolved:!1}); +a.fA()})}; +g.k.nG=function(){}; +g.k.nw=function(){}; +g.k.GD=function(){}; +g.k.FD=function(){}; +g.k.fA=function(){var a=this.api.Cb();g.S(a,2)&&g.HS(this.api)||(g.RO(a)?this.api.pauseVideo():(this.Fm&&(a=this.Fm.B,document.activeElement===a.element&&this.api.ma("largeplaybuttonclicked",a.element)),this.api.GG(),this.api.playVideo(),this.Fm&&document.activeElement===this.Fm.B.element&&this.api.getRootNode().focus()))}; +g.k.e7=function(a){var b=this,c=this.api.getPresentingPlayerType();if(!HMa(this,CO(a)))if(a=this.api.V(),(this.api.V().K("player_doubletap_to_seek")||this.api.K("embeds_web_enable_mobile_dtts")&&this.api.V().T)&&this.vB)this.vB=!1;else if(a.Tb&&3!==c)try{this.api.toggleFullscreen().catch(function(d){b.lC(d)})}catch(d){this.lC(d)}}; +g.k.lC=function(a){String(a).includes("fullscreen error")?g.DD(a):g.CD(a)}; +g.k.f7=function(a){KMa(this,.3,a.scale);g.EO(a)}; +g.k.g7=function(a){KMa(this,.1,a.scale)}; +g.k.Db=function(){var a=this.api.jb().getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Ve.resize();g.Up(b,"ytp-fullscreen",this.api.isFullscreen());g.Up(b,"ytp-large-width-mode",c);g.Up(b,"ytp-small-mode",this.Wg());g.Up(b,"ytp-tiny-mode",this.xG());g.Up(b,"ytp-big-mode",this.yg());this.rg&&this.rg.resize(a)}; +g.k.Hi=function(a){this.pc(a.state);this.wp()}; +g.k.TD=aa(31);g.k.SL=function(){var a=!!this.GC&&!this.api.Af()&&!this.pO,b=2===this.api.getPresentingPlayerType(),c=this.api.V();if(b){if(S8a&&c.K("enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=MT(this.api.wb());return a&&b.qP()}return a&&(c.vl||this.api.isFullscreen()||c.ij)}; +g.k.wp=function(){var a=this.SL();this.To!==a&&(this.To=a,g.Up(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; +g.k.pc=function(a){var b=a.isCued()||this.api.Mo()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.OP&&this.Hc(this.OP),this.OP=this.S(this.api.jb(),"touchstart",this.i7,void 0,b));var c=a.bd()&&!g.S(a,32)||this.api.AC();QT(this.Ve,128,!c);c=3===this.api.getPresentingPlayerType();QT(this.Ve,256,c);c=this.api.getRootNode();if(g.S(a,2))var d=[a4.ENDED];else d=[],g.S(a,8)?d.push(a4.PLAYING):g.S(a,4)&&d.push(a4.PAUSED),g.S(a,1)&&!g.S(a,32)&&d.push(a4.BUFFERING),g.S(a,32)&& +d.push(a4.SEEKING),g.S(a,64)&&d.push(a4.UNSTARTED);g.Mb(this.jK,d)||(g.Tp(c,this.jK),this.jK=d,g.Rp(c,d));d=this.api.V();var e=g.S(a,2);a:{var f=this.api.V();var h=f.controlsType;switch(h){case "2":case "0":f=!1;break a}f="3"===h&&!g.S(a,2)||this.isCued||(2!==this.api.getPresentingPlayerType()?0:z8a(MT(this.api.wb())))||g.fK(f)&&2===this.api.getPresentingPlayerType()?!1:!0}g.Up(c,"ytp-hide-controls",!f);g.Up(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.vM);g.S(a,128)&&!g.fK(d)?(this.rg|| +(this.rg=new g.XT(this.api),g.E(this,this.rg),g.NS(this.api,this.rg.element,4)),this.rg.u(a.getData()),this.rg.show()):this.rg&&(this.rg.dispose(),this.rg=null)}; +g.k.Il=function(){return this.api.nk()&&this.api.xo()?(this.api.Rz(!1,!1),!0):this.api.Af()?(g.IS(this.api,!0),!0):!1}; +g.k.onMutedAutoplayChange=function(a){this.vM=a;this.fl()}; +g.k.yg=function(){return!1}; +g.k.Wg=function(){return!this.yg()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; +g.k.xG=function(){return this.Wg()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height)}; +g.k.Sb=function(){var a=this.api.V();if(!g.fK(a)||"EMBEDDED_PLAYER_MODE_DEFAULT"!==(a.Qa||"EMBEDDED_PLAYER_MODE_DEFAULT")||this.api.getPlaylist())return!1;a=this.qC;var b,c;return a.width<=a.height&&!!(null==(b=this.api.getVideoData())?0:null==(c=b.embeddedPlayerConfig)?0:c.isShortsExperienceEligible)}; +g.k.Ql=function(){return this.qI}; +g.k.Nm=function(){return null}; +g.k.PF=function(){return null}; +g.k.zk=function(){var a=this.api.jb().getPlayerSize();return new g.Em(0,0,a.width,a.height)}; g.k.handleGlobalKeyDown=function(){return!1}; g.k.handleGlobalKeyUp=function(){return!1}; -g.k.To=function(){}; -g.k.showControls=function(a){void 0!==a&&fK(g.cG(this.api),a)}; -g.k.tk=function(){}; -g.k.oD=function(){return null};g.u(WU,g.V);WU.prototype.onClick=function(){this.J.xa("BACK_CLICKED")};g.u(g.XU,g.V);g.XU.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -g.XU.prototype.hide=function(){this.B.stop();g.V.prototype.hide.call(this)}; -g.XU.prototype.gn=function(a){a?g.U(g.uK(this.J),64)||YU(this,Zna(),"Play"):(a=this.J.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?YU(this,aoa(),"Stop live playback"):YU(this,Xna(),"Pause"))};g.u($U,g.V);g.k=$U.prototype;g.k.fI=function(){g.ST(this.J)&&g.TT(this.J)&&this.zf()&&this.nb()}; -g.k.kS=function(){this.nb();g.Po("iv-teaser-clicked",null!=this.u);this.J.setCardsVisible(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}; -g.k.IM=function(){g.Po("iv-teaser-mouseover");this.u&&this.u.stop()}; -g.k.LQ=function(a){this.u||!a||g.TT(this.J)||this.B&&this.B.isActive()||(this.Bc(a),g.Po("iv-teaser-shown"))}; -g.k.Bc=function(a){this.ya("text",a.teaserText);this.element.setAttribute("dir",g.Bn(a.teaserText));this.D.show();this.B=new g.F(function(){g.I(this.J.getRootNode(),"ytp-cards-teaser-shown");this.ZA()},0,this); -this.B.start();aV(this.Di,!1);this.u=new g.F(this.nb,580+a.durationMs,this);this.u.start();this.F.push(this.wa("mouseover",this.VE,this));this.F.push(this.wa("mouseout",this.UE,this))}; -g.k.ZA=function(){if(g.hD(this.J.T())&&this.fb){var a=this.Di.element.offsetLeft,b=g.se("ytp-cards-button-icon"),c=this.J.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Di.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; -g.k.GJ=function(){g.hD(this.J.T())&&this.X.Ie()&&this.fb&&this.P.start()}; -g.k.VE=function(){this.I.stop();this.u&&this.u.isActive()&&this.K.start()}; -g.k.UE=function(){this.K.stop();this.u&&!this.u.isActive()&&this.I.start()}; -g.k.wP=function(){this.u&&this.u.stop()}; -g.k.vP=function(){this.nb()}; -g.k.nb=function(){!this.u||this.C&&this.C.isActive()||(g.Po("iv-teaser-hidden"),this.D.hide(),g.sn(this.J.getRootNode(),"ytp-cards-teaser-shown"),this.C=new g.F(function(){for(var a=g.q(this.F),b=a.next();!b.done;b=a.next())this.Mb(b.value);this.F=[];this.u&&(this.u.dispose(),this.u=null);aV(this.Di,!0)},330,this),this.C.start())}; -g.k.zf=function(){return this.fb&&4!==this.D.state}; -g.k.ca=function(){var a=this.J.getRootNode();a&&g.sn(a,"ytp-cards-teaser-shown");g.gg(this.B,this.C,this.u);g.V.prototype.ca.call(this)};g.u(bV,g.V);g.k=bV.prototype;g.k.Bc=function(){this.B.show();g.Po("iv-button-shown")}; -g.k.nb=function(){g.Po("iv-button-hidden");this.B.hide()}; -g.k.zf=function(){return this.fb&&4!==this.B.state}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)}; -g.k.YO=function(){g.Po("iv-button-mouseover")}; -g.k.onClicked=function(a){g.ST(this.J);var b=g.qn(this.J.getRootNode(),"ytp-cards-teaser-shown");g.Po("iv-teaser-clicked",b);a=0===a.screenX&&0===a.screenY;this.J.setCardsVisible(!g.TT(this.J),a,"YOUTUBE_DRAWER_MANUAL_OPEN")};var Tta=new Set("embed_config endscreen_ad_tracking home_group_info ic_track player_request watch_next_request".split(" "));var f2={},fV=(f2.BUTTON="ytp-button",f2.TITLE_NOTIFICATIONS="ytp-title-notifications",f2.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f2.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f2.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f2);g.u(gV,g.V);gV.prototype.onClick=function(){g.$T(this.api,this.element);var a=!this.u;this.ya("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.ya("pressed",a);Wta(this,a)};g.u(g.iV,g.V);g.iV.prototype.B=function(){g.I(this.element,"ytp-sb-subscribed")}; -g.iV.prototype.C=function(){g.sn(this.element,"ytp-sb-subscribed")};g.u(jV,g.V);g.k=jV.prototype;g.k.hA=function(){aua(this);this.channel.classList.remove("ytp-title-expanded")}; +g.k.Uv=function(){}; +g.k.showControls=function(a){void 0!==a&&this.api.jb().SD(a)}; +g.k.tp=function(){}; +g.k.TL=function(){return this.qC};g.w(gU,g.dE);g.k=gU.prototype;g.k.Jl=function(){return 1E3*this.api.getDuration(this.In,!1)}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(){var a=this.api.getProgressState(this.In);this.u={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:this.api.getCurrentTime(this.In,!1)};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(LMa,g.U);LMa.prototype.onClick=function(){this.F.Na("BACK_CLICKED")};g.w(g.hU,g.U);g.hU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.j)}; +g.hU.prototype.hide=function(){this.u.stop();g.U.prototype.hide.call(this)}; +g.hU.prototype.nw=function(a){a?g.S(this.F.Cb(),64)||iU(this,pQ(),"Play"):(a=this.F.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?iU(this,VEa(),"Stop live playback"):iU(this,REa(),"Pause"))};g.w(PMa,g.U);g.k=PMa.prototype;g.k.od=function(){this.F.V().K("player_new_info_card_format")&&g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown")&&!g.fK(this.F.V())||(this.u.show(),g.rC("iv-button-shown"))}; +g.k.Fb=function(){g.rC("iv-button-hidden");this.u.hide()}; +g.k.ej=function(){return this.yb&&4!==this.u.state}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)}; +g.k.f6=function(){g.rC("iv-button-mouseover")}; +g.k.L5=function(a){this.F.nk();var b=g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown");g.rC("iv-teaser-clicked",b);var c;if(null==(c=this.F.getVideoData())?0:g.MM(c)){var d;a=null==(d=this.F.getVideoData())?void 0:g.NM(d);(null==a?0:a.onIconTapCommand)&&this.F.Na("innertubeCommand",a.onIconTapCommand)}else d=0===a.screenX&&0===a.screenY,this.F.Rz(!this.F.xo(),d,"YOUTUBE_DRAWER_MANUAL_OPEN")};g.w(QMa,g.U);g.k=QMa.prototype;g.k.CY=function(){this.F.nk()&&this.F.xo()&&this.ej()&&this.Fb()}; +g.k.DP=function(){this.Fb();!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb();g.rC("iv-teaser-clicked",null!=this.j);if(this.onClickCommand)this.F.Na("innertubeCommand",this.onClickCommand);else{var a;(null==(a=this.F.getVideoData())?0:g.MM(a))||this.F.Rz(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}}; +g.k.g0=function(){g.rC("iv-teaser-mouseover");this.j&&this.j.stop()}; +g.k.E7=function(a){this.F.V().K("player_new_info_card_format")&&!g.fK(this.F.V())?this.Wi.Fb():this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.od();this.j||!a||this.F.xo()||this.u&&this.u.isActive()||(this.od(a),g.rC("iv-teaser-shown"))}; +g.k.od=function(a){this.onClickCommand=a.onClickCommand;this.updateValue("text",a.teaserText);this.element.setAttribute("dir",g.fq(a.teaserText));this.C.show();this.u=new g.Ip(function(){g.Qp(this.F.getRootNode(),"ytp-cards-teaser-shown");this.F.K("player_new_info_card_format")&&!g.fK(this.F.V())&&this.Wi.Fb();this.aQ()},0,this); +this.u.start();OMa(this.Wi,!1);this.j=new g.Ip(this.Fb,580+a.durationMs,this);this.j.start();this.D.push(this.Ra("mouseover",this.ER,this));this.D.push(this.Ra("mouseout",this.DR,this))}; +g.k.aQ=function(){if(!this.F.V().K("player_new_info_card_format")&&g.fK(this.F.V())&&this.yb){var a=this.Wi.element.offsetLeft,b=g.kf("ytp-cards-button-icon"),c=this.F.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Wi.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; +g.k.m2=function(){g.fK(this.F.V())&&this.Z.Wg()&&this.yb&&this.T.start()}; +g.k.ER=function(){this.I.stop();this.j&&this.j.isActive()&&this.J.start()}; +g.k.DR=function(){this.J.stop();this.j&&!this.j.isActive()&&this.I.start()}; +g.k.s6=function(){this.j&&this.j.stop()}; +g.k.r6=function(){this.Fb()}; +g.k.Zo=function(){this.Fb()}; +g.k.Fb=function(){!this.j||this.B&&this.B.isActive()||(g.rC("iv-teaser-hidden"),this.C.hide(),g.Sp(this.F.getRootNode(),"ytp-cards-teaser-shown"),this.B=new g.Ip(function(){for(var a=g.t(this.D),b=a.next();!b.done;b=a.next())this.Hc(b.value);this.D=[];this.j&&(this.j.dispose(),this.j=null);OMa(this.Wi,!0);!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb()},330,this),this.B.start())}; +g.k.ej=function(){return this.yb&&4!==this.C.state}; +g.k.qa=function(){var a=this.F.getRootNode();a&&g.Sp(a,"ytp-cards-teaser-shown");g.$a(this.u,this.B,this.j);g.U.prototype.qa.call(this)};var f4={},kU=(f4.BUTTON="ytp-button",f4.TITLE_NOTIFICATIONS="ytp-title-notifications",f4.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f4.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f4.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f4);g.w(RMa,g.U);RMa.prototype.onClick=function(){this.api.qb(this.element);var a=!this.j;this.updateValue("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.updateValue("pressed",a);SMa(this,a)};g.Fa("yt.pubsub.publish",g.rC);g.w(g.nU,g.U);g.nU.prototype.C=function(){window.location.reload()}; +g.nU.prototype.j=function(){g.Qp(this.element,"ytp-sb-subscribed")}; +g.nU.prototype.u=function(){g.Sp(this.element,"ytp-sb-subscribed")};g.w(VMa,g.U);g.k=VMa.prototype;g.k.I5=function(a){this.api.qb(this.j);var b=this.api.V();b.u||b.tb?XMa(this)&&(this.isExpanded()?this.nF():this.CF()):g.gk(oU(this));a.preventDefault()}; +g.k.RO=function(){ZMa(this);this.channel.classList.remove("ytp-title-expanded")}; g.k.isExpanded=function(){return this.channel.classList.contains("ytp-title-expanded")}; -g.k.Sx=function(){if(Zta(this)&&!this.isExpanded()){this.ya("flyoutUnfocusable","false");this.ya("channelTitleFocusable","0");this.C&&this.C.stop();this.subscribeButton&&(this.subscribeButton.show(),g.QN(this.api,this.subscribeButton.element,!0));var a=this.api.getVideoData();this.B&&a.kp&&a.subscribed&&(this.B.show(),g.QN(this.api,this.B.element,!0));this.channel.classList.add("ytp-title-expanded");this.channel.classList.add("ytp-title-show-expanded")}}; -g.k.yx=function(){this.ya("flyoutUnfocusable","true");this.ya("channelTitleFocusable","-1");this.C&&this.C.start()}; -g.k.oa=function(){var a=this.api.getVideoData(),b=this.api.T(),c=!1;2===this.api.getPresentingPlayerType()?c=!!a.videoId&&!!a.isListed&&!!a.author&&!!a.Ek&&!!a.lf:g.hD(b)&&(c=!!a.videoId&&!!a.Ek&&!!a.lf&&!(a.qc&&b.pfpChazalUi));b=g.TD(this.api.T())+a.Ek;g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_ch_name_ex")));var d=a.Ek,e=a.lf,f=a.author;d=void 0===d?"":d;e=void 0===e?"":e;f=void 0===f?"":f;c?(d=g.TD(this.api.T())+d,this.I!==e&&(this.u.style.backgroundImage="url("+e+")",this.I=e),this.ya("channelLink", -d),this.ya("channelLogoLabel",g.tL("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:f})),g.I(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.sn(this.api.getRootNode(),"ytp-title-enable-channel-logo");g.QN(this.api,this.u,c&&this.R);this.subscribeButton&&(this.subscribeButton.channelId=a.kg);this.ya("expandedTitle",a.Rx);this.ya("channelTitleLink",b);this.ya("expandedSubtitle",a.expandedSubtitle)};g.u(g.lV,g.KN);g.lV.prototype.ya=function(a,b){g.KN.prototype.ya.call(this,a,b);this.V("size-change")};g.u(oV,g.KN);oV.prototype.JF=function(){this.V("size-change")}; -oV.prototype.focus=function(){this.content.focus()}; -oV.prototype.rO=function(){this.V("back")};g.u(g.pV,oV);g.pV.prototype.Wb=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{var c=g.xb(this.items,a,bua);if(0<=c)return;c=~c;g.ub(this.items,c,0,a);g.Ie(this.menuItems.element,a.element,c)}a.subscribe("size-change",this.Hz,this);this.menuItems.V("size-change")}; -g.pV.prototype.re=function(a){a.unsubscribe("size-change",this.Hz,this);this.na()||(g.ob(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.V("size-change"))}; -g.pV.prototype.Hz=function(){this.menuItems.V("size-change")}; -g.pV.prototype.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone(); -d&&(h=a,e=b,f=5,65==(f&65)&&(h.x=d.right)&&(f&=-2),132==(f&132)&&(h.y=d.bottom)&&(f&=-5),h.xd.right&&(e.width=Math.min(d.right-h.x,c+e.width-d.left),e.width=Math.max(e.width,0))),h.x+e.width>d.right&&f&1&&(h.x=Math.max(d.right-e.width,d.left)),h.yd.bottom&&(e.height=Math.min(d.bottom-h.y,c+e.height-d.top),e.height=Math.max(e.height, -0))),h.y+e.height>d.bottom&&f&4&&(h.y=Math.max(d.bottom-e.height,d.top)));d=new g.jg(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Cg(this.element,new g.ge(d.left,d.top));g.ut(this.I);this.I.N(document,"contextmenu",this.OO);this.I.N(this.J,"fullscreentoggled",this.KM);this.I.N(this.J,"pageTransition",this.LM)}}; -g.k.OO=function(a){if(!g.kp(a)){var b=fp(a);g.Me(this.element,b)||this.nb();this.J.T().disableNativeContextMenu&&g.ip(a)}}; -g.k.KM=function(){this.nb();hua(this)}; -g.k.LM=function(){this.nb()};g.u(CV,g.V);CV.prototype.onClick=function(){return We(this,function b(){var c=this,d,e,f,h;return xa(b,function(l){if(1==l.u)return d=c.api.T(),e=c.api.getVideoData(),f=c.api.getPlaylistId(),h=d.getVideoUrl(e.videoId,f,void 0,!0),sa(l,jua(c,h),2);l.B&&iua(c);g.$T(c.api,c.element);l.u=0})})}; -CV.prototype.oa=function(){var a=this.api.T(),b=this.api.getVideoData();this.ya("icon",{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.ya("title-attr","Copy link");var c=g.cG(this.api).getPlayerSize().width;this.visible= -!!b.videoId&&240<=c&&b.Xr&&!(b.qc&&a.pfpChazalUi);g.J(this.element,"ytp-copylink-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -CV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -CV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-copylink-button-visible")};g.u(FV,g.V);FV.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -FV.prototype.hide=function(){this.B.stop();g.sn(this.element,"ytp-chapter-seek");g.V.prototype.hide.call(this)}; -FV.prototype.Jr=function(a,b,c,d){var e=-1===a?this.D:this.C;e&&g.$T(this.J,e);this.u.rg();this.B.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*g.cG(this.J).getPlayerSize().height;e=g.cG(this.J).getPlayerSize();e=e.width/3-3*e.height;var h=this.ka("ytp-doubletap-static-circle");h.style.width=f+"px";h.style.height=f+"px";1===a?(h.style.left="",h.style.right=e+"px"):-1===a&&(h.style.right="",h.style.left=e+"px");var l=2.5*f;f=l/2;h=this.ka("ytp-doubletap-ripple");h.style.width= -l+"px";h.style.height=l+"px";1===a?(a=g.cG(this.J).getPlayerSize().width-b+Math.abs(e),h.style.left="",h.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,h.style.right="",h.style.left=a-f+"px");h.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.ka("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");kua(this,d)};var ZCa={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(ZCa).reduce(function(a,b){a[ZCa[b]]=b;return a},{}); -var $Ca={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys($Ca).reduce(function(a,b){a[$Ca[b]]=b;return a},{}); -var aDa={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(aDa).reduce(function(a,b){a[aDa[b]]=b;return a},{});var g2,bDa;g2=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];bDa=[{option:0,text:HV(0)},{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]; -g.KV=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:g2},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:HV(.5)},{option:-1,text:HV(.75)},{option:0,text:HV(1)},{option:1,text:HV(1.5)},{option:2,text:HV(2)}, -{option:3,text:HV(3)},{option:4,text:HV(4)}]},{option:"background",text:"Background color",options:g2},{option:"backgroundOpacity",text:"Background opacity",options:bDa},{option:"windowColor",text:"Window color",options:g2},{option:"windowOpacity",text:"Window opacity",options:bDa},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity",text:"Font opacity", -options:[{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]}];g.u(g.JV,g.tR);g.k=g.JV.prototype; -g.k.AD=function(a){var b=!1,c=g.lp(a),d=fp(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey,f=!1,h=!1,l=this.api.T();g.kp(a)?(e=!1,h=!0):l.Hg&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role");break;case 38:case 40:m=d.getAttribute("role"), -d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);ZU(this.Tb,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);ZU(this.Tb,f,!0);this.api.setVolume(f);h=f=!0;break;case 36:this.api.He()&&(this.api.seekTo(0), -h=f=!0);break;case 35:this.api.He()&&(this.api.seekTo(Infinity),h=f=!0)}}b&&this.tA(!0);(b||h)&&this.Nc.tk();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.ip(a);l.C&&(a={keyCode:g.lp(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.kp(a),fullscreen:this.api.isFullscreen()},this.api.xa("onKeyPress",a))}; -g.k.BD=function(a){this.handleGlobalKeyUp(g.lp(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; -g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.PT(g.HT(this.api));c&&(c=c.Ml)&&c.fb&&(c.yD(a),b=!0);9===a&&(this.tA(!0),b=!0);return b}; -g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){e=!1;c=this.api.T();if(c.Hg)return e;var h=g.PT(g.HT(this.api));if(h&&(h=h.Ml)&&h.fb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:e=h.xD(a)}c.I||e||(e=f||String.fromCharCode(a).toLowerCase(),this.B+=e,0==="awesome".indexOf(this.B)?(e=!0,7===this.B.length&&un(this.api.getRootNode(),"ytp-color-party")):(this.B=e,e=0==="awesome".indexOf(this.B)));if(!e){f=(f=this.api.getVideoData())?f.Ea:[];switch(a){case 80:b&&!c.aa&&(YU(this.Tb, -$na(),"Previous"),this.api.previousVideo(),e=!0);break;case 78:b&&!c.aa&&(YU(this.Tb,$N(),"Next"),this.api.nextVideo(),e=!0);break;case 74:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(-10*this.api.getPlaybackRate()),e=!0);break;case 76:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(10*this.api.getPlaybackRate()),e=!0);break;case 37:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=nua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,-1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), -this.api.seekBy(-5*this.api.getPlaybackRate()),e=!0));break;case 39:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=mua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&null!=this.u?GV(this.u,1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), -this.api.seekBy(5*this.api.getPlaybackRate()),e=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),ZU(this.Tb,this.api.getVolume(),!1)):(this.api.mute(),ZU(this.Tb,0,!0));e=!0;break;case 32:case 75:c.aa||(b=!g.GM(g.uK(this.api)),this.Tb.gn(b),b?this.api.playVideo():this.api.pauseVideo(),e=!0);break;case 190:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b+.25,!0),Sta(this.Tb,!1),e=!0):this.api.He()&&(pua(this,1),e=!0);break;case 188:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b- -.25,!0),Sta(this.Tb,!0),e=!0):this.api.He()&&(pua(this,-1),e=!0);break;case 70:Eta(this.api)&&(this.api.toggleFullscreen()["catch"](function(){}),e=!0); -break;case 27:this.D()&&(e=!0)}if("3"!==c.controlsType)switch(a){case 67:g.nU(g.HT(this.api))&&(c=this.api.getOption("captions","track"),this.api.toggleSubtitles(),YU(this.Tb,Sna(),!c||c&&!c.displayName?"Subtitles/closed captions on":"Subtitles/closed captions off"),e=!0);break;case 79:LV(this,"textOpacity");break;case 87:LV(this,"windowOpacity");break;case 187:case 61:LV(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LV(this,"fontSizeIncrement",!0,!0)}var l;48<=a&&57>=a?l=a-48:96<=a&&105>= -a&&(l=a-96);null!=l&&this.api.He()&&(a=this.api.getProgressState(),this.api.seekTo(l/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),e=!0);e&&this.Nc.tk()}return e}; -g.k.tA=function(a){g.J(this.api.getRootNode(),"ytp-probably-keyboard-focus",a);g.J(this.contextMenu.element,"ytp-probably-keyboard-focus",a)}; -g.k.ca=function(){this.C.rg();g.tR.prototype.ca.call(this)};g.u(MV,g.V);MV.prototype.oa=function(){var a=g.hD(this.J.T())&&g.NT(this.J)&&g.U(g.uK(this.J),128),b=this.J.getPlayerSize();this.visible=this.u.Ie()&&!a&&240<=b.width&&!(this.J.getVideoData().qc&&this.J.T().pfpChazalUi);g.J(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&EV(this.tooltip);g.QN(this.J,this.element,this.visible&&this.R)}; -MV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)}; -MV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-overflow-button-visible")};g.u(NV,g.OU);g.k=NV.prototype;g.k.RM=function(a){a=fp(a);g.Me(this.element,a)&&(g.Me(this.B,a)||g.Me(this.closeButton,a)||PU(this))}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){this.fb&&this.J.V("OVERFLOW_PANEL_OPENED");g.OU.prototype.show.call(this);qua(this,!0)}; -g.k.hide=function(){g.OU.prototype.hide.call(this);qua(this,!1)}; -g.k.QM=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){for(var a=g.q(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.fb){b.focus();break}};g.u(PV,g.V);PV.prototype.Mc=function(a){this.element.setAttribute("aria-checked",String(a))}; -PV.prototype.onClick=function(a){g.AU(a,this.api)&&this.api.playVideoAt(this.index)};g.u(QV,g.OU);g.k=QV.prototype;g.k.show=function(){g.OU.prototype.show.call(this);this.C.N(this.api,"videodatachange",this.qz);this.C.N(this.api,"onPlaylistUpdate",this.qz);this.qz()}; -g.k.hide=function(){g.OU.prototype.hide.call(this);g.ut(this.C);this.updatePlaylist(null)}; -g.k.qz=function(){this.updatePlaylist(this.api.getPlaylist())}; -g.k.Xv=function(){var a=this.playlist,b=a.xu;if(b===this.D)this.selected.Mc(!1),this.selected=this.B[a.index];else{for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.dispose();c=a.getLength();this.B=[];for(d=0;dthis.api.getPlayerSize().width));c=b.profilePicture;a=g.fK(a)?b.ph:b.author;c=void 0===c?"":c;a=void 0===a?"":a;this.C?(this.J!==c&&(this.j.style.backgroundImage="url("+c+")",this.J=c),this.api.K("web_player_ve_conversion_fixes_for_channel_info")|| +this.updateValue("channelLink",oU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,this.C&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",oU(this));this.updateValue("expandedSubtitle", +b.expandedSubtitle)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.j,this.C&&a)};g.w(pU,g.dQ);pU.prototype.cW=function(){this.ma("size-change")}; +pU.prototype.focus=function(){this.content.focus()}; +pU.prototype.WV=function(){this.ma("back")};g.w(g.qU,pU);g.k=g.qU.prototype;g.k.Zc=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{b=g.Jb(this.items,a,aNa);if(0<=b)return;b=~b;g.Gb(this.items,b,0,a);g.wf(this.menuItems.element,a.element,b)}a.subscribe("size-change",this.WN,this);this.menuItems.ma("size-change")}; +g.k.jh=function(a){a.unsubscribe("size-change",this.WN,this);this.isDisposed()||(g.wb(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.ma("size-change"))}; +g.k.WN=function(){this.menuItems.ma("size-change")}; +g.k.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone();d&&(h=b,e=5,65==(e&65)&&(a.x=d.right)&&(e&=-2),132==(e&132)&&(a.y< +d.top||a.y>=d.bottom)&&(e&=-5),a.xd.right&&(h.width=Math.min(d.right-a.x,f+h.width-d.left),h.width=Math.max(h.width,0))),a.x+h.width>d.right&&e&1&&(a.x=Math.max(d.right-h.width,d.left)),a.yd.bottom&&(h.height=Math.min(d.bottom-a.y,f+h.height-d.top),h.height=Math.max(h.height,0))),a.y+h.height>d.bottom&&e&4&&(a.y=Math.max(d.bottom-h.height,d.top))); +d=new g.Em(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Nm(this.element,new g.Fe(d.left,d.top));g.Lz(this.C);this.C.S(document,"contextmenu",this.W5);this.C.S(this.F,"fullscreentoggled",this.onFullscreenToggled);this.C.S(this.F,"pageTransition",this.l0)}; +g.k.W5=function(a){if(!g.DO(a)){var b=CO(a);g.zf(this.element,b)||this.Fb();this.F.V().disableNativeContextMenu&&g.EO(a)}}; +g.k.onFullscreenToggled=function(){this.Fb();kNa(this)}; +g.k.l0=function(){this.Fb()};g.w(g.yU,g.U);g.yU.prototype.onClick=function(){var a=this,b,c,d,e;return g.A(function(f){if(1==f.j)return b=a.api.V(),c=a.api.getVideoData(),d=a.api.getPlaylistId(),e=b.getVideoUrl(c.videoId,d,void 0,!0),g.y(f,nNa(a,e),2);f.u&&mNa(a);a.api.qb(a.element);g.oa(f)})}; +g.yU.prototype.Pa=function(){this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.updateValue("title-attr","Copy link");this.visible=lNa(this);g.Up(this.element,"ytp-copylink-button-visible", +this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,this.visible&&this.ea)}; +g.yU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.yU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-copylink-button-visible")};g.w(AU,g.U);AU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.u)}; +AU.prototype.hide=function(){this.C.stop();this.B=0;g.Sp(this.element,"ytp-chapter-seek");g.Sp(this.element,"ytp-time-seeking");g.U.prototype.hide.call(this)}; +AU.prototype.GD=function(a,b,c,d){this.B=a===this.I?this.B+d:d;this.I=a;var e=-1===a?this.T:this.J;e&&this.F.qb(e);this.D?this.u.stop():g.Lp(this.u);this.C.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*this.F.jb().getPlayerSize().height;e=this.F.jb().getPlayerSize();e=e.width/3-3*e.height;this.j.style.width=f+"px";this.j.style.height=f+"px";1===a?(this.j.style.left="",this.j.style.right=e+"px"):-1===a&&(this.j.style.right="",this.j.style.left=e+"px");var h=2.5*f;f= +h/2;var l=this.Da("ytp-doubletap-ripple");l.style.width=h+"px";l.style.height=h+"px";1===a?(a=this.F.jb().getPlayerSize().width-b+Math.abs(e),l.style.left="",l.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,l.style.right="",l.style.left=a-f+"px");l.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.Da("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");oNa(this,this.D?this.B:d)};g.w(EU,g.U);g.k=EU.prototype;g.k.YG=function(){}; +g.k.WC=function(){}; +g.k.Yz=function(){return!0}; +g.k.g9=function(){if(this.expanded){this.Ga.show();var a=this.B.element.scrollWidth}else a=this.B.element.scrollWidth,this.Ga.hide();this.fb=34+a;g.Up(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.fb)+"px";this.Aa.start()}; +g.k.S2=function(){this.badge.element.style.width=(this.expanded?this.fb:34)+"px";this.La.start()}; +g.k.K9=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!0)}; +g.k.oP=function(){return this.Z||this.C||!this.D}; +g.k.dl=function(){this.Yz()?this.I.show():this.I.hide();qNa(this)}; +g.k.n0=function(){this.enabled=!1;this.dl()}; +g.k.J9=function(){this.dl()}; +g.k.F5=function(a){this.Xa=1===a;this.dl();g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!1)}; +g.k.Z5=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-fullscreen",this.F.isFullscreen());this.dl()};g.w(sNa,EU);g.k=sNa.prototype;g.k.Yz=function(){return!!this.J}; +g.k.oP=function(){return!!this.J}; +g.k.YG=function(a){a.target===this.dismissButton.element?a.preventDefault():FU(this,!1)}; +g.k.WC=function(){FU(this,!0);this.NH()}; +g.k.W8=function(a){var b;if(a.id!==(null==(b=this.J)?void 0:b.identifier)){this.NH();b=g.t(this.T);for(var c=b.next();!c.done;c=b.next()){var d=c.value,e=void 0,f=void 0;(c=null==(e=d)?void 0:null==(f=e.bannerData)?void 0:f.itemData)&&d.identifier===a.id&&(this.J=d,cQ(this.banner,c.accessibilityLabel||""),f=d=void 0,e=null==(f=g.K(g.K(c.onTapCommand,g.gT),g.pM))?void 0:f.url,this.banner.update({url:e,thumbnail:null==(d=(c.thumbnailSources||[])[0])?void 0:d.url,title:c.productTitle,vendor:c.vendorName, +price:c.price}),c.trackingParams&&(this.j=!0,this.F.og(this.badge.element,c.trackingParams)),this.I.show(),DU(this))}}}; +g.k.NH=function(){this.J&&(this.J=void 0,this.dl())}; +g.k.onVideoDataChange=function(a,b){var c=this;"dataloaded"===a&&tNa(this);var d,e;if(null==b?0:null==(d=b.getPlayerResponse())?0:null==(e=d.videoDetails)?0:e.isLiveContent){a=b.shoppingOverlayRenderer;var f=null==a?void 0:a.featuredProductsEntityKey,h;if(b=null==a?void 0:null==(h=a.dismissButton)?void 0:h.trackingParams)this.F.og(this.dismissButton.element,b),this.u=!0;var l;(h=null==a?void 0:null==(l=a.dismissButton)?void 0:l.a11yLabel)&&cQ(this.dismissButton,g.gE(h));this.T.length||uNa(this,f); +var m;null==(m=this.Ja)||m.call(this);this.Ja=g.sM.subscribe(function(){uNa(c,f)})}else this.NH()}; +g.k.qa=function(){tNa(this);EU.prototype.qa.call(this)};g.w(xNa,g.U);xNa.prototype.onClick=function(){this.F.qb(this.element,this.u)};g.w(yNa,g.PS);g.k=yNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.F.ma("infopaneldetailvisibilitychange",!0);this.F.Ua(this.element,!0);zNa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.F.ma("infopaneldetailvisibilitychange",!1);this.F.Ua(this.element,!1);zNa(this,!1)}; +g.k.getId=function(){return this.C}; +g.k.Ho=function(){return this.itemData.length}; +g.k.onVideoDataChange=function(a,b){if(b){var c,d,e,f;this.update({title:(null==(c=b.lm)?void 0:null==(d=c.title)?void 0:d.content)||"",body:(null==(e=b.lm)?void 0:null==(f=e.bodyText)?void 0:f.content)||""});var h;a=(null==(h=b.lm)?void 0:h.trackingParams)||null;this.F.og(this.element,a);h=g.t(this.itemData);for(a=h.next();!a.done;a=h.next())a.value.dispose();this.itemData=[];var l;if(null==(l=b.lm)?0:l.ctaButtons)for(b=g.t(b.lm.ctaButtons),l=b.next();!l.done;l=b.next())if(l=g.K(l.value,dab))l=new xNa(this.F, +l,this.j),l.De&&(this.itemData.push(l),l.Ea(this.items))}}; +g.k.qa=function(){this.hide();g.PS.prototype.qa.call(this)};g.w(CNa,g.U);g.k=CNa.prototype;g.k.onVideoDataChange=function(a,b){BNa(this,b);this.Te&&ENa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&BNa(this,b);ENa(this,a.state);this.Te=a.state}; +g.k.dW=function(a){(this.C=a)?this.hide():this.j&&this.show()}; +g.k.q0=function(){this.u||this.od();this.showControls=!0}; +g.k.o0=function(){this.u||this.Fb();this.showControls=!1}; +g.k.od=function(){this.j&&!this.C&&(this.B.show(),this.F.ma("infopanelpreviewvisibilitychange",!0),this.F.Ua(this.element,!0))}; +g.k.Fb=function(){this.j&&!this.C&&(this.B.hide(),this.F.ma("infopanelpreviewvisibilitychange",!1),this.F.Ua(this.element,!1))}; +g.k.Z8=function(){this.u=!1;this.showControls||this.Fb()};var Wcb={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(Wcb).reduce(function(a,b){a[Wcb[b]]=b;return a},{}); +var Xcb={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys(Xcb).reduce(function(a,b){a[Xcb[b]]=b;return a},{}); +var Ycb={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(Ycb).reduce(function(a,b){a[Ycb[b]]=b;return a},{});var Zcb,$cb;Zcb=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];$cb=[{option:0,text:GU(0)},{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]; +g.KU=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:Zcb},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:GU(.5)},{option:-1,text:GU(.75)},{option:0,text:GU(1)},{option:1,text:GU(1.5)},{option:2, +text:GU(2)},{option:3,text:GU(3)},{option:4,text:GU(4)}]},{option:"background",text:"Background color",options:Zcb},{option:"backgroundOpacity",text:"Background opacity",options:$cb},{option:"windowColor",text:"Window color",options:Zcb},{option:"windowOpacity",text:"Window opacity",options:$cb},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity", +text:"Font opacity",options:[{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]}];var adb=[27,9,33,34,13,32,187,61,43,189,173,95,79,87,67,80,78,75,70,65,68,87,83,107,221,109,219];g.w(g.JU,g.bI);g.k=g.JU.prototype; +g.k.oU=function(a){var b=!1,c=g.zO(a),d=CO(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey&&(!g.wS(this.api.app)||adb.includes(c)),f=!1,h=!1,l=this.api.V();g.DO(a)?(e=!1,h=!0):l.aj&&!g.wS(this.api.app)&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role"); +break;case 38:case 40:m=d.getAttribute("role"),d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);jU(this.Qc,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);jU(this.Qc,f,!0);this.api.setVolume(f); +h=f=!0;break;case 36:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(0),h=f=!0);break;case 35:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(Infinity),h=f=!0)}}b&&IU(this,!0);(b||h)&&this.Ve.tp();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.EO(a);l.I&&(a={keyCode:g.zO(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.DO(a),fullscreen:this.api.isFullscreen()},this.api.Na("onKeyPress",a))}; +g.k.pU=function(a){this.handleGlobalKeyUp(g.zO(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; +g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.LS(this.api.wb());c&&(c=c.Et)&&c.yb&&(c.kU(a),b=!0);9===a&&(IU(this,!0),b=!0);return b}; +g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){var h=!1;e=this.api.V();if(e.aj&&!g.wS(this.api.app))return h;var l=g.LS(this.api.wb());if(l&&(l=l.Et)&&l.yb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:h=l.jU(a)}e.J||h||(h=f||String.fromCharCode(a).toLowerCase(),this.u+=h,0==="awesome".indexOf(this.u)?(h=!0,7===this.u.length&&jla(this.api.getRootNode(),"ytp-color-party")):(this.u=h,h=0==="awesome".indexOf(this.u)));if(!h&&(!g.wS(this.api.app)||adb.includes(a))){l=this.api.getVideoData(); +var m,n;f=null==(m=this.Kc)?void 0:null==(n=m.u)?void 0:n.isEnabled;m=l?l.Pk:[];n=ZW?d:c;switch(a){case 80:b&&!e.Xa&&(iU(this.Qc,UEa(),"Previous"),this.api.previousVideo(),h=!0);break;case 78:b&&!e.Xa&&(iU(this.Qc,mQ(),"Next"),this.api.nextVideo(),h=!0);break;case 74:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,-1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(-10*this.api.getPlaybackRate()),h=!0);break;case 76:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(10*this.api.getPlaybackRate()),h=!0);break;case 37:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=HNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,-1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(this.j?BU(this.j,-1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), +this.api.seekBy(-5*this.api.getPlaybackRate()),h=!0));break;case 39:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=GNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(null!=this.j?BU(this.j,1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), +this.api.seekBy(5*this.api.getPlaybackRate()),h=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),jU(this.Qc,this.api.getVolume(),!1)):(this.api.mute(),jU(this.Qc,0,!0));h=!0;break;case 32:case 75:e.Xa||(LNa(this)&&this.api.Na("onExpandMiniplayer"),f?this.Kc.AL():(h=!g.RO(this.api.Cb()),this.Qc.nw(h),h?this.api.playVideo():this.api.pauseVideo()),h=!0);break;case 190:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h+.25,!0),MMa(this.Qc,!1),h=!0):this.api.yh()&&(this.step(1),h= +!0);break;case 188:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h-.25,!0),MMa(this.Qc,!0),h=!0):this.api.yh()&&(this.step(-1),h=!0);break;case 70:oMa(this.api)&&(this.api.toggleFullscreen().catch(function(){}),h=!0); +break;case 27:f?(this.Kc.Vr(),h=!0):this.C()&&(h=!0)}if("3"!==e.controlsType)switch(a){case 67:g.JT(this.api.wb())&&(e=this.api.getOption("captions","track"),this.api.toggleSubtitles(),NMa(this.Qc,!e||e&&!e.displayName),h=!0);break;case 79:LU(this,"textOpacity");break;case 87:LU(this,"windowOpacity");break;case 187:case 61:LU(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LU(this,"fontSizeIncrement",!0,!0)}var p;b||c||d||(48<=a&&57>=a?p=a-48:96<=a&&105>=a&&(p=a-96));null!=p&&this.api.yh()&& +(this.api.startSeekCsiAction(),a=this.api.getProgressState(),this.api.seekTo(p/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),h=!0);h&&this.Ve.tp()}return h}; +g.k.step=function(a){this.api.yh();if(g.QO(this.api.Cb())){var b=this.api.getVideoData().u;b&&(b=b.video)&&this.api.seekBy(a/(b.fps||30))}}; +g.k.qa=function(){g.Lp(this.B);g.bI.prototype.qa.call(this)};g.w(g.MU,g.U);g.MU.prototype.Sq=aa(33); +g.MU.prototype.Pa=function(){var a=this.F.V(),b=a.B||this.F.K("web_player_hide_overflow_button_if_empty_menu")&&this.Bh.Bf(),c=g.fK(a)&&g.KS(this.F)&&g.S(this.F.Cb(),128),d=this.F.getPlayerSize(),e=a.K("shorts_mode_to_player_api")?this.F.Sb():this.j.Sb();this.visible=this.j.Wg()&&!c&&240<=d.width&&!(this.F.getVideoData().D&&a.Z)&&!b&&!this.u&&!e;g.Up(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&$S(this.tooltip);this.F.Ua(this.element,this.visible&&this.ea)}; +g.MU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.F.Ua(this.element,this.visible&&a)}; +g.MU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-overflow-button-visible")};g.w(MNa,g.PS);g.k=MNa.prototype;g.k.r0=function(a){a=CO(a);g.zf(this.element,a)&&(g.zf(this.j,a)||g.zf(this.closeButton,a)||QS(this))}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element)}; +g.k.show=function(){this.yb&&this.F.ma("OVERFLOW_PANEL_OPENED");g.PS.prototype.show.call(this);this.element.setAttribute("aria-modal","true");ONa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.element.removeAttribute("aria-modal");ONa(this,!1)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.Bf=function(){return 0===this.actionButtons.length}; +g.k.focus=function(){for(var a=g.t(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.yb){b.focus();break}};g.w(PNa,g.U);PNa.prototype.onClick=function(a){g.UT(a,this.api)&&this.api.playVideoAt(this.index)};g.w(QNa,g.PS);g.k=QNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.B.S(this.api,"videodatachange",this.GJ);this.B.S(this.api,"onPlaylistUpdate",this.GJ);this.GJ()}; +g.k.hide=function(){g.PS.prototype.hide.call(this);g.Lz(this.B);this.updatePlaylist(null)}; +g.k.GJ=function(){this.updatePlaylist(this.api.getPlaylist());this.api.V().B&&(this.Da("ytp-playlist-menu-title-name").removeAttribute("href"),this.C&&(this.Hc(this.C),this.C=null))}; +g.k.TH=function(){var a=this.playlist,b=a.author,c=b?"by $AUTHOR \u2022 $CURRENT_POSITION/$PLAYLIST_LENGTH":"$CURRENT_POSITION/$PLAYLIST_LENGTH",d={CURRENT_POSITION:String(a.index+1),PLAYLIST_LENGTH:String(a.length)};b&&(d.AUTHOR=b);this.update({title:a.title,subtitle:g.lO(c,d),playlisturl:this.api.getVideoUrl(!0)});b=a.B;if(b===this.D)this.selected.element.setAttribute("aria-checked","false"),this.selected=this.j[a.index];else{c=g.t(this.j);for(d=c.next();!d.done;d=c.next())d.value.dispose();c=a.length; +this.j=[];for(d=0;dg.cG(this.api).getPlayerSize().width&&!a);this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.tL("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.getLength())}),title:g.tL("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}),this.fb||(this.show(),EV(this.tooltip)),this.visible=!0):this.fb&& -(this.hide(),EV(this.tooltip))}; -RV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -RV.prototype.u=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.oa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.oa,this);this.oa()};g.u(SV,g.V);g.k=SV.prototype; -g.k.rz=function(a,b){if(!this.C){if(a){this.tooltipRenderer=a;var c,d,e,f,h,l,m,n,p=this.tooltipRenderer.text,r=!1;(null===(c=null===p||void 0===p?void 0:p.runs)||void 0===c?0:c.length)&&p.runs[0].text&&(this.update({title:p.runs[0].text.toString()}),r=!0);g.Mg(this.title,r);p=this.tooltipRenderer.detailsText;c=!1;if((null===(d=null===p||void 0===p?void 0:p.runs)||void 0===d?0:d.length)&&p.runs[0].text){r=p.runs[0].text.toString();d=r.indexOf("$TARGET_ICON");if(-1=this.B&&!a;g.J(this.element,"ytp-share-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -g.VV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -g.VV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-share-button-visible")};g.u(g.WV,g.OU);g.k=g.WV.prototype;g.k.bN=function(a){a=fp(a);g.Me(this.F,a)||g.Me(this.closeButton,a)||PU(this)}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){var a=this.fb;g.OU.prototype.show.call(this);this.oa();a||this.api.xa("onSharePanelOpened")}; -g.k.oa=function(){var a=this;g.I(this.element,"ytp-share-panel-loading");g.sn(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId(),d=c&&this.D.checked,e=this.api.T();g.Q(e.experiments,"web_player_innertube_share_panel")&&b.getSharePanelCommand?cT(dG(this.api.app),b.getSharePanelCommand,{includeListId:d}).then(function(f){uua(a,f)}):(g.J(this.element,"ytp-share-panel-has-playlist",!!c),b={action_get_share_info:1, -video_id:b.videoId},e.ye&&(b.authuser=e.ye),e.pageId&&(b.pageid=e.pageId),g.hD(e)&&g.eV(b,"emb_share"),d&&(b.list=c),g.qq(e.P+"share_ajax",{method:"GET",onError:function(){wua(a)}, -onSuccess:function(f,h){h?uua(a,h):wua(a)}, -si:b,withCredentials:!0}));c=this.api.getVideoUrl(!0,!0,!1,!1);this.ya("link",c);this.ya("linkText",c);this.ya("shareLinkWithUrl",g.tL("Share link $URL",{URL:c}));DU(this.C)}; -g.k.aN=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){this.C.focus()}; -g.k.ca=function(){g.OU.prototype.ca.call(this);vua(this)};g.u(ZV,g.V);g.k=ZV.prototype;g.k.DF=function(){}; -g.k.EF=function(){}; -g.k.cw=function(){return!0}; -g.k.ZR=function(){if(this.expanded){this.Y.show();var a=this.D.element.scrollWidth}else a=this.D.element.scrollWidth,this.Y.hide();this.Ga=34+a;g.J(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.Ga)+"px";this.X.start()}; -g.k.ZJ=function(){this.badge.element.style.width=(this.expanded?this.Ga:34)+"px";this.ha.start()}; -g.k.ri=function(){this.cw()?this.P.show():this.P.hide();xua(this)}; -g.k.TM=function(){this.enabled=!1;this.ri()}; -g.k.zS=function(a){this.Qa=a;this.ri()}; -g.k.vO=function(a){this.za=1===a;this.ri()};g.u($V,ZV);g.k=$V.prototype;g.k.ca=function(){aW(this);ZV.prototype.ca.call(this)}; -g.k.DF=function(a){a.target!==this.dismissButton.element&&(yua(this,!1),this.J.xa("innertubeCommand",this.onClickCommand))}; -g.k.EF=function(){this.dismissed=!0;yua(this,!0);this.ri()}; -g.k.QP=function(a){this.fa=a;this.ri()}; -g.k.HP=function(a){var b=this.J.getVideoData();b&&b.videoId===this.videoId&&this.aa&&(this.K=a,a||(a=3+this.J.getCurrentTime(),zua(this,a)))}; -g.k.Ra=function(a,b){var c,d=!!b.videoId&&this.videoId!==b.videoId;d&&(this.videoId=b.videoId,this.dismissed=!1,this.u=!0,this.K=this.aa=this.F=this.I=!1,aW(this));if(d||!b.videoId)this.C=this.B=!1;d=b.shoppingOverlayRenderer;this.fa=this.enabled=!1;if(d){this.enabled=!0;var e,f;this.B||(this.B=!!d.trackingParams)&&g.NN(this.J,this.badge.element,d.trackingParams||null);this.C||(this.C=!(null===(e=d.dismissButton)||void 0===e||!e.trackingParams))&&g.NN(this.J,this.dismissButton.element,(null===(f= -d.dismissButton)||void 0===f?void 0:f.trackingParams)||null);this.text=g.T(d.text);if(e=null===(c=d.dismissButton)||void 0===c?void 0:c.a11yLabel)this.Aa=g.T(e);this.onClickCommand=d.onClickCommand;this.timing=d.timing;YI(b)?this.K=this.aa=!0:zua(this)}d=this.text||"";g.Ne(g.se("ytp-suggested-action-badge-title",this.element),d);this.badge.element.setAttribute("aria-label",d);this.dismissButton.element.setAttribute("aria-label",this.Aa?this.Aa:"");YV(this);this.ri()}; -g.k.cw=function(){return this.Qa&&!this.fa&&this.enabled&&!this.dismissed&&!this.Ta.Ie()&&!this.J.isFullscreen()&&!this.za&&!this.K&&(this.F||this.u)}; -g.k.ff=function(a){(this.F=a)?(XV(this),YV(this,!1)):(aW(this),this.ma.start());this.ri()};g.u(bW,g.OU);bW.prototype.show=function(){g.OU.prototype.show.call(this);this.B.start()}; -bW.prototype.hide=function(){g.OU.prototype.hide.call(this);this.B.stop()};g.u(cW,g.V);cW.prototype.onClick=function(){this.J.fn()}; -cW.prototype.oa=function(){g.JN(this,this.J.Jq());this.ya("icon",this.J.Ze()?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"}, -S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};new zq("yt.autonav");g.u(dW,g.V);g.k=dW.prototype; -g.k.er=function(){var a=this.J.getPresentingPlayerType();if(2!==a&&3!==a&&g.XT(this.J)&&400<=g.cG(this.J).getPlayerSize().width)this.u||(this.u=!0,g.JN(this,this.u),this.B.push(this.N(this.J,"videodatachange",this.er)),this.B.push(this.N(this.J,"videoplayerreset",this.er)),this.B.push(this.N(this.J,"onPlaylistUpdate",this.er)),this.B.push(this.N(this.J,"autonavchange",this.TE)),a=this.J.getVideoData(),this.TE(a.autonavState),g.QN(this.J,this.element,this.u));else{this.u=!1;g.JN(this,this.u);a=g.q(this.B); -for(var b=a.next();!b.done;b=a.next())this.Mb(b.value)}}; -g.k.TE=function(a){this.isChecked=1!==a||!g.jt(g.ht.getInstance(),140);Aua(this)}; -g.k.onClick=function(){this.isChecked=!this.isChecked;var a=this.J,b=this.isChecked?2:1;cBa(a.app,b);b&&a1(a.app,b);Aua(this);g.$T(this.J,this.element)}; -g.k.getValue=function(){return this.isChecked}; -g.k.setValue=function(a){this.isChecked=a;this.ka("ytp-autonav-toggle-button").setAttribute("aria-checked",String(this.isChecked))};g.u(g.fW,g.V);g.fW.prototype.ca=function(){this.u=null;g.V.prototype.ca.call(this)};g.u(gW,g.V);gW.prototype.Y=function(a){var b=g.Lg(this.I).width,c=g.Lg(this.X).width,d=this.K.ge()?3:1;a=a.width-b-c-40*d-52;0d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.Fz()}}; -g.k.disable=function(){var a=this;if(!this.message){var b=(null!=Xo(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.OU(this.J,{G:"div",la:["ytp-popup","ytp-generic-popup"],U:{role:"alert",tabindex:"0"},S:[b[0],{G:"a",U:{href:"https://support.google.com/youtube/answer/6276924", -target:this.J.T().F},Z:b[2]},b[4]]},100,!0);this.message.hide();g.D(this,this.message);this.message.subscribe("show",function(c){a.C.hq(a.message,c)}); -g.BP(this.J,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.u)();this.u=null}}; -g.k.oa=function(){g.JN(this,Eta(this.J))}; -g.k.WE=function(a){if(a){var b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", -L:"ytp-fullscreen-button-corner-1",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.EU(this.J,"Exit full screen","f");document.activeElement===this.element&&this.J.getRootNode().focus()}else b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-1",S:[{G:"path", -wb:!0,L:"ytp-svg-fill",U:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.EU(this.J,"Full screen","f");this.ya("icon",b);this.ya("title",this.message?null:a);EV(this.C.Rb())}; -g.k.ca=function(){this.message||((0,this.u)(),this.u=null);g.V.prototype.ca.call(this)};g.u(mW,g.V);mW.prototype.onClick=function(){this.J.xa("onCollapseMiniplayer");g.$T(this.J,this.element)}; -mW.prototype.oa=function(){this.visible=!this.J.isFullscreen();g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -mW.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)};g.u(nW,g.V);nW.prototype.Ra=function(a){this.oa("newdata"===a)}; -nW.prototype.oa=function(a){var b=this.J.getVideoData(),c=b.Vl,d=g.uK(this.J);d=(g.GM(d)||g.U(d,4))&&0a&&this.delay.start()}; -var dDa=new g.Cn(0,0,.4,0,.2,1,1,1),Hua=/[0-9.-]+|[^0-9.-]+/g;g.u(rW,g.V);g.k=rW.prototype;g.k.XE=function(a){this.visible=300<=a.width;g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -g.k.yP=function(){this.J.T().X?this.J.isMuted()?this.J.unMute():this.J.mute():PU(this.message,this.element,!0);g.$T(this.J,this.element)}; -g.k.PM=function(a){this.setVolume(a.volume,a.muted)}; -g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.J.T(),f=0===d?1:50this.clipEnd)&&this.Tv()}; -g.k.XM=function(a){if(!g.kp(a)){var b=!1;switch(g.lp(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.ip(a)}}; -g.k.YE=function(a,b){this.updateVideoData(b,"newdata"===a)}; -g.k.MK=function(){this.YE("newdata",this.api.getVideoData())}; -g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.isValid();this.fd=c&&a.allowLiveDvr;fva(this,this.api.He());b&&(c?(c=a.clipEnd,this.clipStart=a.clipStart,this.clipEnd=c,pX(this),lX(this,this.K,this.ma)):this.Tv(),g.dY(this.tooltip));if(a){c=a.watchNextResponse;if(c=!a.isLivePlayback&&c){c=this.api.getVideoData().multiMarkersPlayerBarRenderer;var d=this.api.getVideoData().sx;c=null!=c||null!=d&&0a.position&&(n=1);!m&&h/2>this.C-a.position&&(n=2);yva(this.tooltip, -c,d,b,!!f,l,e,n)}else yva(this.tooltip,c,d,b,!!f,l);g.J(this.api.getRootNode(),"ytp-progress-bar-hover",!g.U(g.uK(this.api),64));Zua(this)}; -g.k.SP=function(){g.dY(this.tooltip);g.sn(this.api.getRootNode(),"ytp-progress-bar-hover")}; -g.k.RP=function(a,b){this.D&&(this.D.dispose(),this.D=null);this.Ig=b;1e||1e&&a.D.start()}); -this.D.start()}if(g.U(g.uK(this.api),32)||3===this.api.getPresentingPlayerType())1.1*(this.B?60:40),f=iX(this));g.J(this.element,"ytp-pull-ui",e);d&&g.I(this.element,"ytp-pulling");d=0;f.B&&0>=f.position&&1===this.Ea.length?d=-1:f.F&&f.position>=f.width&&1===this.Ea.length&&(d=1);if(this.ub!==d&&1===this.Ea.length&&(this.ub=d,this.D&&(this.D.dispose(),this.D=null),d)){var h=(0,g.N)();this.D=new g.gn(function(){var l=c.C*(c.ha-1); -c.X=g.ce(c.X+c.ub*((0,g.N)()-h)*.3,0,l);mX(c);c.api.seekTo(oX(c,iX(c)),!1);0this.api.jb().getPlayerSize().width&&!a);(this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb())?this.hide():this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.lO("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.length)}),title:g.lO("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}), +this.yb||(this.show(),$S(this.tooltip)),this.visible=!0,this.Zb(!0)):this.yb&&this.hide()}; +NU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +NU.prototype.j=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.Pa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.Pa,this);this.Pa()};g.w(RNa,g.U);g.k=RNa.prototype;g.k.t0=function(){this.C?VNa(this):UNa(this)}; +g.k.s0=function(){this.C?(OU(this),this.I=!0):UNa(this)}; +g.k.c5=function(){this.D=!0;this.QD(1);this.F.ma("promotooltipacceptbuttonclicked",this.acceptButton);OU(this);this.u&&this.F.qb(this.acceptButton)}; +g.k.V5=function(){this.D=!0;this.QD(2);OU(this);this.u&&this.F.qb(this.dismissButton)}; +g.k.u0=function(a){if(1===this.F.getPresentingPlayerType()||2===this.F.getPresentingPlayerType()&&this.T){var b=!0,c=g.kf("ytp-ad-overlay-ad-info-dialog-container"),d=CO(a);if(this.B&&d&&g.zf(this.B,d))this.B=null;else{1===this.F.getPresentingPlayerType()&&d&&Array.from(d.classList).forEach(function(l){l.startsWith("ytp-ad")&&(b=!1)}); +var e=WNa(this.tooltipRenderer),f;if("TOOLTIP_DISMISS_TYPE_TAP_ANYWHERE"===(null==(f=this.tooltipRenderer.dismissStrategy)?void 0:f.type))e&&(b=b&&!g.zf(this.element,d));else{var h;"TOOLTIP_DISMISS_TYPE_TAP_INTERNAL"===(null==(h=this.tooltipRenderer.dismissStrategy)?void 0:h.type)&&(b=e?!1:b&&g.zf(this.element,d))}this.j&&this.yb&&!c&&(!d||b&&g.fR(a))&&(this.D=!0,OU(this))}}}; +g.k.QD=function(a){var b=this.tooltipRenderer.promoConfig;if(b){switch(a){case 0:var c;if(null==(c=b.impressionEndpoints)?0:c.length)var d=b.impressionEndpoints[0];break;case 1:d=b.acceptCommand;break;case 2:d=b.dismissCommand}var e;a=null==(e=g.K(d,cab))?void 0:e.feedbackToken;d&&a&&(e={feedbackTokens:[a]},a=this.F.Mm(),(null==a?0:vFa(d,a.rL))&&tR(a,d,e))}}; +g.k.Db=function(){this.I||(this.j||(this.j=SNa(this)),VNa(this))}; +var TNa={"ytp-settings-button":g.rQ()};g.w(PU,g.U);PU.prototype.onStateChange=function(a){this.qc(a.state)}; +PU.prototype.qc=function(a){g.bQ(this,g.S(a,2))}; +PU.prototype.onClick=function(){this.F.Cb();this.F.playVideo()};g.w(g.QU,g.U);g.k=g.QU.prototype;g.k.Tq=aa(35);g.k.onClick=function(){var a=this,b=this.api.V(),c=this.api.getVideoData(this.api.getPresentingPlayerType()),d=this.api.getPlaylistId();b=b.getVideoUrl(c.videoId,d,void 0,!0);if(navigator.share)try{var e=navigator.share({title:c.title,url:b});e instanceof Promise&&e.catch(function(f){YNa(a,f)})}catch(f){f instanceof Error&&YNa(this,f)}else this.j.Il(),QS(this.B,this.element,!1); +this.api.qb(this.element)}; +g.k.showShareButton=function(a){var b=!0;if(this.api.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){var c,d,e=null==(c=a.kf)?void 0:null==(d=c.embedPreview)?void 0:d.thumbnailPreviewRenderer;e&&(b=!!e.shareButton);var f,h;(c=null==(f=a.jd)?void 0:null==(h=f.playerOverlays)?void 0:h.playerOverlayRenderer)&&(b=!!c.shareButton);var l,m,n,p;if(null==(p=g.K(null==(l=a.jd)?void 0:null==(m=l.contents)?void 0:null==(n=m.twoColumnWatchNextResults)?void 0:n.desktopOverlay,nM))?0:p.suppressShareButton)b= +!1}else b=a.showShareButton;return b}; +g.k.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.j.Sb();g.Up(this.element,"ytp-show-share-title",g.fK(a)&&!g.oK(a)&&!b);this.j.yg()&&b?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.element,"right",a+"px")):b&&g.Hm(this.element,"right","0px");this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20.20,14.19 0,-4.45 7.79,7.79 -7.79,7.79 0,-4.56 C 16.27,20.69 12.10,21.81 9.34,24.76 8.80,25.13 7.60,27.29 8.12,25.65 9.08,21.32 11.80,17.18 15.98,15.38 c 1.33,-0.60 2.76,-0.98 4.21,-1.19 z"}}]}); +this.visible=XNa(this);g.Up(this.element,"ytp-share-button-visible",this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,XNa(this)&&this.ea)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-share-button-visible")};g.w(g.RU,g.PS);g.k=g.RU.prototype;g.k.v0=function(a){a=CO(a);g.zf(this.D,a)||g.zf(this.closeButton,a)||QS(this)}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element);this.api.Ua(this.j,!1);for(var a=g.t(this.B),b=a.next();!b.done;b=a.next())b=b.value,this.api.Dk(b.element)&&this.api.Ua(b.element,!1)}; +g.k.show=function(){var a=this.yb;g.PS.prototype.show.call(this);this.Pa();a||this.api.Na("onSharePanelOpened")}; +g.k.B4=function(){this.yb&&this.Pa()}; +g.k.Pa=function(){var a=this;g.Qp(this.element,"ytp-share-panel-loading");g.Sp(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId()&&this.C.checked;b.getSharePanelCommand&&tR(this.api.Mm(),b.getSharePanelCommand,{includeListId:c}).then(function(d){a.isDisposed()||(g.Sp(a.element,"ytp-share-panel-loading"),aOa(a,d))}); +b=this.api.getVideoUrl(!0,!0,!1,!1);g.oK(this.api.V())&&(b=g.Zi(b,g.hS({},"emb_share")));this.updateValue("link",b);this.updateValue("linkText",b);this.updateValue("shareLinkWithUrl",g.lO("Share link $URL",{URL:b}));rMa(this.j);this.api.Ua(this.j,!0)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.focus=function(){this.j.focus()}; +g.k.qa=function(){g.PS.prototype.qa.call(this);$Na(this)};g.w(cOa,EU);g.k=cOa.prototype;g.k.qa=function(){dOa(this);EU.prototype.qa.call(this)}; +g.k.YG=function(a){a.target!==this.dismissButton.element&&(FU(this,!1),this.F.Na("innertubeCommand",this.onClickCommand))}; +g.k.WC=function(){this.ya=!0;FU(this,!0);this.dl()}; +g.k.I6=function(a){this.Ja=a;this.dl()}; +g.k.B6=function(a){var b=this.F.getVideoData();b&&b.videoId===this.videoId&&this.T&&(this.J=a,a||(a=3+this.F.getCurrentTime(),this.ye(a)))}; +g.k.onVideoDataChange=function(a,b){if(a=!!b.videoId&&this.videoId!==b.videoId)this.videoId=b.videoId,this.ya=!1,this.C=!0,this.J=this.T=this.D=this.Z=!1,dOa(this);if(a||!b.videoId)this.u=this.j=!1;var c,d;if(this.F.K("web_player_enable_featured_product_banner_on_desktop")&&(null==b?0:null==(c=b.getPlayerResponse())?0:null==(d=c.videoDetails)?0:d.isLiveContent))this.Bg(!1);else{var e,f,h;c=b.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")?g.K(null==(e=b.jd)?void 0:null==(f=e.playerOverlays)? +void 0:null==(h=f.playerOverlayRenderer)?void 0:h.productsInVideoOverlayRenderer,qza):b.shoppingOverlayRenderer;this.Ja=this.enabled=!1;if(c){this.enabled=!0;if(!this.j){var l;e=null==(l=c.badgeInteractionLogging)?void 0:l.trackingParams;(this.j=!!e)&&this.F.og(this.badge.element,e||null)}if(!this.u){var m;if(this.u=!(null==(m=c.dismissButton)||!m.trackingParams)){var n;this.F.og(this.dismissButton.element,(null==(n=c.dismissButton)?void 0:n.trackingParams)||null)}}this.text=g.gE(c.text);var p;if(l= +null==(p=c.dismissButton)?void 0:p.a11yLabel)this.Ya=g.gE(l);this.onClickCommand=c.onClickCommand;this.timing=c.timing;BM(b)?this.J=this.T=!0:this.ye()}rNa(this);DU(this);this.dl()}}; +g.k.Yz=function(){return!this.Ja&&this.enabled&&!this.ya&&!this.kb.Wg()&&!this.Xa&&!this.J&&(this.D||this.C)}; +g.k.Bg=function(a){(this.D=a)?(CU(this),DU(this,!1)):(dOa(this),this.oa.start());this.dl()}; +g.k.ye=function(a){a=void 0===a?0:a;var b=[],c=this.timing.visible,d=this.timing.expanded;c&&b.push(new g.XD(1E3*(c.startSec+a),1E3*(c.endSec+a),{priority:9,namespace:"shopping_overlay_visible"}));d&&b.push(new g.XD(1E3*(d.startSec+a),1E3*(d.endSec+a),{priority:9,namespace:"shopping_overlay_expanded"}));this.F.ye(b)};g.w(fOa,g.U); +fOa.prototype.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.bQ(this,g.fK(a)&&b);this.subscribeButton&&this.api.Ua(this.subscribeButton.element,this.yb);b=this.api.getVideoData();var c=!1;2===this.api.getPresentingPlayerType()?c=!!b.videoId&&!!b.isListed&&!!b.author&&!!b.Lc&&!!b.profilePicture:g.fK(a)&&(c=!!b.videoId&&!!b.Lc&&!!b.profilePicture&&!(b.D&&a.Z)&&!a.B&&!(a.T&&200>this.api.getPlayerSize().width));var d=b.profilePicture;a=g.fK(a)?b.ph:b.author; +d=void 0===d?"":d;a=void 0===a?"":a;c?(this.B!==d&&(this.j.style.backgroundImage="url("+d+")",this.B=d),this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelLink",SU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,c&&this.ea);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&& +this.api.Ua(this.channelName,c&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",SU(this))};g.w(TU,g.PS);TU.prototype.show=function(){g.PS.prototype.show.call(this);this.j.start()}; +TU.prototype.hide=function(){g.PS.prototype.hide.call(this);this.j.stop()}; +TU.prototype.Gs=function(a,b){"dataloaded"===a&&((this.ri=b.ri,this.vf=b.vf,isNaN(this.ri)||isNaN(this.vf))?this.B&&(this.F.Ff("intro"),this.F.removeEventListener(g.ZD("intro"),this.I),this.F.removeEventListener(g.$D("intro"),this.D),this.F.removeEventListener("onShowControls",this.C),this.hide(),this.B=!1):(this.F.addEventListener(g.ZD("intro"),this.I),this.F.addEventListener(g.$D("intro"),this.D),this.F.addEventListener("onShowControls",this.C),a=new g.XD(this.ri,this.vf,{priority:9,namespace:"intro"}), +this.F.ye([a]),this.B=!0))};g.w(UU,g.U);UU.prototype.onClick=function(){this.F.Dt()}; +UU.prototype.Pa=function(){var a=!0;g.fK(this.F.V())&&(a=a&&480<=this.F.jb().getPlayerSize().width);g.bQ(this,a);this.updateValue("icon",this.F.wh()?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}: +{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};g.w(g.WU,g.U);g.WU.prototype.qa=function(){this.j=null;g.U.prototype.qa.call(this)};g.w(XU,g.U);XU.prototype.onClick=function(){this.F.Na("innertubeCommand",this.j)}; +XU.prototype.J=function(a){a!==this.D&&(this.update({title:a}),this.D=a);a?this.show():this.hide()}; +XU.prototype.I=function(){this.B.disabled=null==this.j;g.Up(this.B,"ytp-chapter-container-disabled",this.B.disabled);this.yc()};g.w(YU,XU);YU.prototype.onClickCommand=function(a){g.K(a,rM)&&this.yc()}; +YU.prototype.updateVideoData=function(a,b){var c;if(b.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")){var d,e;a=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.decoratedPlayerBarRenderer,HL);c=g.K(null==a?void 0:a.playerBarActionButton,g.mM)}else c=b.z1;var f;this.j=null==(f=c)?void 0:f.command;XU.prototype.I.call(this)}; +YU.prototype.yc=function(){var a="",b=this.C.j,c,d="clips"===(null==(c=this.F.getLoopRange())?void 0:c.type);if(1d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.NN()}}; +g.k.disable=function(){var a=this;if(!this.message){var b=(null!=wz(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.PS(this.F,{G:"div",Ia:["ytp-popup","ytp-generic-popup"],X:{role:"alert",tabindex:"0"},W:[b[0],{G:"a",X:{href:"https://support.google.com/youtube/answer/6276924", +target:this.F.V().ea},ra:b[2]},b[4]]},100,!0);this.message.hide();g.E(this,this.message);this.message.subscribe("show",function(c){a.u.qy(a.message,c)}); +g.NS(this.F,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.j)();this.j=null}}; +g.k.Pa=function(){var a=oMa(this.F),b=this.F.V().T&&250>this.F.getPlayerSize().width;g.bQ(this,a&&!b);this.F.Ua(this.element,this.yb)}; +g.k.cm=function(a){if(a){var b={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", +N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.WT(this.F,"Exit full screen","f");this.update({"data-title-no-tooltip":"Exit full screen"});document.activeElement===this.element&&this.F.getRootNode().focus();document.u&&document.j().catch(function(c){g.DD(c)})}else b={G:"svg", +X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3", +W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.WT(this.F,"Full screen","f"),this.update({"data-title-no-tooltip":"Full screen"});a=this.message?null:a;this.update({title:a,icon:b});$S(this.u.Ic())}; +g.k.qa=function(){this.message||((0,this.j)(),this.j=null);g.U.prototype.qa.call(this)};g.w(aV,g.U);aV.prototype.onClick=function(){this.F.qb(this.element);this.F.seekBy(this.j,!0);null!=this.C.Ou&&BU(this.C.Ou,0this.j&&a.push("backwards");this.element.classList.add.apply(this.element.classList,g.u(a));g.Jp(this.u)}};g.w(bV,XU);bV.prototype.onClickCommand=function(a){g.K(a,hbb)&&this.yc()}; +bV.prototype.updateVideoData=function(){var a,b;this.j=null==(a=kOa(this))?void 0:null==(b=a.onTap)?void 0:b.innertubeCommand;XU.prototype.I.call(this)}; +bV.prototype.yc=function(){var a="",b=this.C.I,c,d=null==(c=kOa(this))?void 0:c.headerTitle;c=d?g.gE(d):"";var e;d="clips"===(null==(e=this.F.getLoopRange())?void 0:e.type);1a&&this.delay.start()}; +var bdb=new gq(0,0,.4,0,.2,1,1,1),rOa=/[0-9.-]+|[^0-9.-]+/g;g.w(g.fV,g.U);g.k=g.fV.prototype;g.k.FR=function(a){this.visible=300<=a.width||this.Ga;g.bQ(this,this.visible);this.F.Ua(this.element,this.visible&&this.ea)}; +g.k.t6=function(){this.F.V().Ya?this.F.isMuted()?this.F.unMute():this.F.mute():QS(this.message,this.element,!0);this.F.qb(this.element)}; +g.k.onVolumeChange=function(a){this.setVolume(a.volume,a.muted)}; +g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.F.V();a=0===d?1:50=HOa(this)){this.api.seekTo(a,!1);g.Hm(this.B,"transform","translateX("+this.u+"px)");var b=g.eR(a),c=g.lO("Seek to $PROGRESS",{PROGRESS:g.eR(a,!0)});this.update({ariamin:0,ariamax:Math.floor(this.api.getDuration()),arianow:Math.floor(a),arianowtext:c,seekTime:b})}else this.u=this.J}; +g.k.x0=function(){var a=300>(0,g.M)()-this.Ja;if(5>Math.abs(this.T)&&!a){this.Ja=(0,g.M)();a=this.Z+this.T;var b=this.C/2-a;this.JJ(a);this.IJ(a+b);DOa(this);this.api.qb(this.B)}DOa(this)}; +g.k.xz=function(){iV(this,this.api.getCurrentTime())}; +g.k.play=function(a){this.api.seekTo(IOa(this,this.u));this.api.playVideo();a&&this.api.qb(this.playButton)}; +g.k.Db=function(a,b){this.Ga=a;this.C=b;iV(this,this.api.getCurrentTime())}; +g.k.enable=function(){this.isEnabled||(this.isEnabled=!0,this.La=this.api.getCurrentTime(),g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled),this.Aa=this.S(this.element,"wheel",this.y0),this.Ua(this.isEnabled))}; +g.k.disable=function(){this.isEnabled=!1;this.hide();g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled);this.Aa&&this.Hc(this.Aa);this.Ua(this.isEnabled)}; +g.k.reset=function(){this.disable();this.D=[];this.ya=!1}; +g.k.Ua=function(a){this.api.Ua(this.element,a);this.api.Ua(this.B,a);this.api.Ua(this.dismissButton,a);this.api.Ua(this.playButton,a)}; +g.k.qa=function(){for(;this.j.length;){var a=void 0;null==(a=this.j.pop())||a.dispose()}g.U.prototype.qa.call(this)}; +g.w(EOa,g.U);g.w(FOa,g.U);g.w(LOa,g.U);g.w(jV,g.U);jV.prototype.ub=function(a){return"PLAY_PROGRESS"===a?this.I:"LOAD_PROGRESS"===a?this.D:"LIVE_BUFFER"===a?this.C:this.u};NOa.prototype.update=function(a,b,c,d){c=void 0===c?0:c;this.width=b;this.B=c;this.j=b-c-(void 0===d?0:d);this.position=g.ze(a,c,c+this.j);this.u=this.position-c;this.fraction=this.u/this.j};g.w(OOa,g.U);g.w(g.mV,g.dQ);g.k=g.mV.prototype; +g.k.EY=function(){var a=!1,b=this.api.getVideoData();if(!b)return a;this.api.Ff("timedMarkerCueRange");ROa(this);for(var c=g.t(b.ke),d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0,f=null==(e=this.uc[d])?void 0:e.markers;if(f){a=g.t(f);for(e=a.next();!e.done;e=a.next()){f=e.value;e=new OOa;var h=void 0;e.title=(null==(h=f.title)?void 0:h.simpleText)||"";e.timeRangeStartMillis=Number(f.startMillis);e.j=Number(f.durationMillis);var l=h=void 0;e.onActiveCommand=null!=(l=null==(h=f.onActive)?void 0: +h.innertubeCommand)?l:void 0;WOa(this,e)}XOa(this,this.I);a=this.I;e=this.Od;f=[];h=null;for(l=0;lm&&(h.end=m);m=INa(m,m+p);f.push(m);h=m;e[m.id]=a[l].onActiveCommand}}this.api.ye(f);this.vf=this.uc[d];a=!0}}b.JR=this.I;g.Up(this.element,"ytp-timed-markers-enabled",a);return a}; +g.k.Db=function(){g.nV(this);pV(this);XOa(this,this.I);if(this.u){var a=g.Pm(this.element).x||0;this.u.Db(a,this.J)}}; +g.k.onClickCommand=function(a){if(a=g.K(a,rM)){var b=a.key;a.isVisible&&b&&aPa(this,b)}}; +g.k.H7=function(a){this.api.Na("innertubeCommand",this.Od[a.id])}; +g.k.yc=function(){pV(this);var a=this.api.getCurrentTime();(athis.clipEnd)&&this.LH()}; +g.k.A0=function(a){if(!g.DO(a)){var b=!1;switch(g.zO(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.EO(a)}}; +g.k.Gs=function(a,b){this.updateVideoData(b,"newdata"===a)}; +g.k.I3=function(){this.Gs("newdata",this.api.getVideoData())}; +g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.De();c&&(aN(a)||hPa(this)?this.je=!1:this.je=a.allowLiveDvr,g.Up(this.api.getRootNode(),"ytp-enable-live-buffer",!(null==a||!aN(a))));qPa(this,this.api.yh());if(b){if(c){b=a.clipEnd;this.clipStart=a.clipStart;this.clipEnd=b;tV(this);for(qV(this,this.Z,this.ib);0m&&(c=m,a.position=jR(this.B,m)*oV(this).j),b=this.B.u;hPa(this)&& +(b=this.B.u);m=f||g.eR(this.je?c-this.B.j:c-b);b=a.position+this.Jf;c-=this.api.Jd();var n;if(null==(n=this.u)||!n.isEnabled)if(this.api.Hj()){if(1=n);d=this.tooltip.scale;l=(isNaN(l)?0:l)-45*d;this.api.K("web_key_moments_markers")?this.vf?(n=FNa(this.I,1E3*c),n=null!=n?this.I[n].title:""):(n=HU(this.j,1E3*c),n=this.j[n].title):(n=HU(this.j,1E3*c),n=this.j[n].title);n||(l+=16*d);.6===this.tooltip.scale&&(l=n?110:126);d=HU(this.j,1E3*c);this.Xa=jPa(this,c,d)?d:jPa(this,c,d+1)?d+1:-1;g.Up(this.api.getRootNode(),"ytp-progress-bar-snap",-1!==this.Xa&&1=h.visibleTimeRangeStartMillis&&p<=h.visibleTimeRangeEndMillis&&(n=h.label,m=g.eR(h.decorationTimeMillis/1E3),d=!0)}this.rd!==d&&(this.rd=d,this.api.Ua(this.Vd,this.rd));g.Up(this.api.getRootNode(),"ytp-progress-bar-decoration",d);d=320*this.tooltip.scale;e=n.length*(this.C?8.55:5.7);e=e<=d?e:d;h=e<160*this.tooltip.scale;d=3;!h&&e/2>a.position&&(d=1);!h&&e/2>this.J-a.position&&(d=2);this.api.V().T&&(l-=10); +this.D.length&&this.D[0].De&&(l-=14*(this.C?2:1),this.Ga||(this.Ga=!0,this.api.Ua(this.oa,this.Ga)));var q;if(lV(this)&&((null==(q=this.u)?0:q.isEnabled)||0=.5*a?(this.u.enable(),iV(this.u,this.api.getCurrentTime()),pPa(this,a)):zV(this)}if(g.S(this.api.Cb(),32)||3===this.api.getPresentingPlayerType()){var b;if(null==(b=this.u)?0:b.isEnabled)this.api.pauseVideo();else{this.api.startSeekCsiAction();if(1=c.visibleTimeRangeStartMillis&&1E3*a<=c.visibleTimeRangeEndMillis&&this.api.qb(this.Vd)}g.Sp(this.element,"ytp-drag");this.ke&&!g.S(this.api.Cb(),2)&&this.api.playVideo()}}}; +g.k.N6=function(a,b){a=oV(this);a=sV(this,a);this.api.seekTo(a,!1);var c;lV(this)&&(null==(c=this.u)?0:c.ya)&&(iV(this.u,a),this.u.isEnabled||(this.Qa=g.ze(this.Kf-b-10,0,vV(this)),pPa(this,this.Qa)))}; +g.k.ZV=function(){this.Bb||(this.updateValue("clipstarticon",JEa()),this.updateValue("clipendicon",JEa()),g.Qp(this.element,"ytp-clip-hover"))}; +g.k.YV=function(){this.Bb||(this.updateValue("clipstarticon",LEa()),this.updateValue("clipendicon",KEa()),g.Sp(this.element,"ytp-clip-hover"))}; +g.k.LH=function(){this.clipStart=0;this.clipEnd=Infinity;tV(this);qV(this,this.Z,this.ib)}; +g.k.GY=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.visible){var c=b.getId();if(!this.Ja[c]){var d=g.qf("DIV");b.tooltip&&d.setAttribute("data-tooltip",b.tooltip);this.Ja[c]=b;this.jc[c]=d;g.Op(d,b.style);kPa(this,c);this.api.V().K("disable_ad_markers_on_content_progress_bar")||this.j[0].B.appendChild(d)}}else oPa(this,b)}; +g.k.D8=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())oPa(this,b.value)}; +g.k.Vr=function(a){if(this.u){var b=this.u;a=null!=a;b.api.seekTo(b.La);b.api.playVideo();a&&b.api.qb(b.dismissButton);zV(this)}}; +g.k.AL=function(a){this.u&&(this.u.play(null!=a),zV(this))}; +g.k.qa=function(){qPa(this,!1);g.dQ.prototype.qa.call(this)};g.w(AV,g.U);AV.prototype.isActive=function(){return!!this.F.getOption("remote","casting")}; +AV.prototype.Pa=function(){var a=!1;this.F.getOptions().includes("remote")&&(a=1=c;g.bQ(this,a);this.F.Ua(this.element,a)}; +BV.prototype.B=function(){if(this.Eb.yb)this.Eb.Fb();else{var a=g.JT(this.F.wb());a&&!a.loaded&&(a.qh("tracklist",{includeAsr:!0}).length||a.load());this.F.qb(this.element);this.Eb.od(this.element)}}; +BV.prototype.updateBadge=function(){var a=this.F.isHdr(),b=this.F.getPresentingPlayerType(),c=2!==b&&3!==b,d=g.MS(this.F),e=c&&!!g.LS(this.F.wb());b=e&&1===d.displayMode;d=e&&2===d.displayMode;c=(e=b||d)||!c?null:this.F.getPlaybackQuality();g.Up(this.element,"ytp-hdr-quality-badge",a);g.Up(this.element,"ytp-hd-quality-badge",!a&&("hd1080"===c||"hd1440"===c));g.Up(this.element,"ytp-4k-quality-badge",!a&&"hd2160"===c);g.Up(this.element,"ytp-5k-quality-badge",!a&&"hd2880"===c);g.Up(this.element,"ytp-8k-quality-badge", +!a&&"highres"===c);g.Up(this.element,"ytp-3d-badge-grey",!a&&e&&b);g.Up(this.element,"ytp-3d-badge",!a&&e&&d)};g.w(CV,aT);CV.prototype.isLoaded=function(){var a=g.PT(this.F.wb());return void 0!==a&&a.loaded}; +CV.prototype.Pa=function(){void 0!==g.PT(this.F.wb())&&3!==this.F.getPresentingPlayerType()?this.j||(this.Eb.Zc(this),this.j=!0):this.j&&(this.Eb.jh(this),this.j=!1);bT(this,this.isLoaded())}; +CV.prototype.onSelect=function(a){this.isLoaded();a?this.F.loadModule("annotations_module"):this.F.unloadModule("annotations_module");this.F.ma("annotationvisibility",a)}; +CV.prototype.qa=function(){this.j&&this.Eb.jh(this);aT.prototype.qa.call(this)};g.w(g.DV,g.SS);g.k=g.DV.prototype;g.k.open=function(){g.tU(this.Eb,this.u)}; +g.k.yj=function(a){tPa(this);this.options[a].element.setAttribute("aria-checked","true");this.ge(this.gk(a));this.B=a}; +g.k.DK=function(a,b,c){var d=this;b=new g.SS({G:"div",Ia:["ytp-menuitem"],X:{tabindex:"0",role:"menuitemradio","aria-checked":c?"true":void 0},W:[{G:"div",Ia:["ytp-menuitem-label"],ra:"{{label}}"}]},b,this.gk(a,!0));b.Ra("click",function(){d.eh(a)}); return b}; -g.k.enable=function(a){this.F?a||(this.F=!1,this.Go(!1)):a&&(this.F=!0,this.Go(!0))}; -g.k.Go=function(a){a?this.Xa.Wb(this):this.Xa.re(this)}; -g.k.af=function(a){this.V("select",a)}; -g.k.Th=function(a){return a.toString()}; -g.k.ZM=function(a){g.kp(a)||39!==g.lp(a)||(this.open(),g.ip(a))}; -g.k.ca=function(){this.F&&this.Xa.re(this);g.lV.prototype.ca.call(this);for(var a=g.q(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.u(yX,g.wX);yX.prototype.oa=function(){var a=this.J.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.F:this.F;this.en(b);g.ip(a)}; -g.k.dN=function(a){a=(a-g.Eg(this.B).x)/this.K*this.range+this.minimumValue;this.en(a)}; -g.k.en=function(a,b){b=void 0===b?"":b;var c=g.ce(a,this.minimumValue,this.maximumValue);""===b&&(b=c.toString());this.ya("valuenow",c);this.ya("valuetext",b);this.X.style.left=(c-this.minimumValue)/this.range*(this.K-this.P)+"px";this.u=c}; -g.k.focus=function(){this.aa.focus()};g.u(GX,EX);GX.prototype.Y=function(){this.J.setPlaybackRate(this.u,!0)}; -GX.prototype.en=function(a){EX.prototype.en.call(this,a,HX(this,a).toString());this.C&&(FX(this),this.fa())}; -GX.prototype.ha=function(){var a=this.J.getPlaybackRate();HX(this,this.u)!==a&&(this.en(a),FX(this))};g.u(IX,g.KN);IX.prototype.focus=function(){this.u.focus()};g.u(jva,oV);g.u(JX,g.wX);g.k=JX.prototype;g.k.Th=function(a){return"1"===a?"Normal":a.toLocaleString()}; -g.k.oa=function(){var a=this.J.getPresentingPlayerType();this.enable(2!==a&&3!==a);mva(this)}; -g.k.Go=function(a){g.wX.prototype.Go.call(this,a);a?(this.K=this.N(this.J,"onPlaybackRateChange",this.fN),mva(this),kva(this,this.J.getPlaybackRate())):(this.Mb(this.K),this.K=null)}; -g.k.fN=function(a){var b=this.J.getPlaybackRate();this.I.includes(b)||lva(this,b);kva(this,a)}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);a===this.u?this.J.setPlaybackRate(this.D,!0):this.J.setPlaybackRate(Number(a),!0);this.Xa.fg()};g.u(LX,g.wX);g.k=LX.prototype;g.k.Mc=function(a){g.wX.prototype.Mc.call(this,a)}; +g.k.enable=function(a){this.I?a||(this.I=!1,this.jx(!1)):a&&(this.I=!0,this.jx(!0))}; +g.k.jx=function(a){a?this.Eb.Zc(this):this.Eb.jh(this)}; +g.k.eh=function(a){this.ma("select",a)}; +g.k.gk=function(a){return a.toString()}; +g.k.B0=function(a){g.DO(a)||39!==g.zO(a)||(this.open(),g.EO(a))}; +g.k.qa=function(){this.I&&this.Eb.jh(this);g.SS.prototype.qa.call(this);for(var a=g.t(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.w(FV,g.DV);FV.prototype.Pa=function(){var a=this.F.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.J:this.J;this.hw(b);g.EO(a)}; +g.k.D0=function(a){a=(a-g.Pm(this.B).x)/this.Z*this.range+this.u;this.hw(a)}; +g.k.hw=function(a,b){b=void 0===b?"":b;a=g.ze(a,this.u,this.C);""===b&&(b=a.toString());this.updateValue("valuenow",a);this.updateValue("valuetext",b);this.oa.style.left=(a-this.u)/this.range*(this.Z-this.Aa)+"px";this.j=a}; +g.k.focus=function(){this.Ga.focus()};g.w(IV,HV);IV.prototype.ya=function(){this.F.setPlaybackRate(this.j,!0)}; +IV.prototype.hw=function(a){HV.prototype.hw.call(this,a,APa(this,a).toString());this.D&&(zPa(this),this.Ja())}; +IV.prototype.updateValues=function(){var a=this.F.getPlaybackRate();APa(this,this.j)!==a&&(this.hw(a),zPa(this))};g.w(BPa,g.dQ);BPa.prototype.focus=function(){this.j.focus()};g.w(CPa,pU);g.w(DPa,g.DV);g.k=DPa.prototype;g.k.gk=function(a){return"1"===a?"Normal":a.toLocaleString()}; +g.k.Pa=function(){var a=this.F.getPresentingPlayerType();this.enable(2!==a&&3!==a);HPa(this)}; +g.k.jx=function(a){g.DV.prototype.jx.call(this,a);a?(this.J=this.S(this.F,"onPlaybackRateChange",this.onPlaybackRateChange),HPa(this),FPa(this,this.F.getPlaybackRate())):(this.Hc(this.J),this.J=null)}; +g.k.onPlaybackRateChange=function(a){var b=this.F.getPlaybackRate();this.D.includes(b)||GPa(this,b);FPa(this,a)}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);a===this.j?this.F.setPlaybackRate(this.C,!0):this.F.setPlaybackRate(Number(a),!0);this.Eb.nj()};g.w(JPa,g.DV);g.k=JPa.prototype;g.k.yj=function(a){g.DV.prototype.yj.call(this,a)}; g.k.getKey=function(a){return a.option.toString()}; g.k.getOption=function(a){return this.settings[a]}; -g.k.Th=function(a){return this.getOption(a).text||""}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);this.V("settingChange",this.setting,this.settings[a].option)};g.u(MX,g.pV);MX.prototype.se=function(a){for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.kl[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.Mc(e),c.D.element.setAttribute("aria-checked",String(!d)),c.u.element.setAttribute("aria-checked",String(d)))}}}; -MX.prototype.ag=function(a,b){this.V("settingChange",a,b)};g.u(NX,g.wX);NX.prototype.getKey=function(a){return a.languageCode}; -NX.prototype.Th=function(a){return this.languages[a].languageName||""}; -NX.prototype.af=function(a){this.V("select",a);g.AV(this.Xa)};g.u(OX,g.wX);g.k=OX.prototype;g.k.getKey=function(a){return g.Sb(a)?"__off__":a.displayName}; -g.k.Th=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":("__off__"===a?{}:this.tracks[a]).displayName}; -g.k.af=function(a){"__translate__"===a?this.u.open():"__contribute__"===a?(this.J.pauseVideo(),this.J.isFullscreen()&&this.J.toggleFullscreen(),a=g.dV(this.J.T(),this.J.getVideoData()),g.RL(a)):(this.J.setOption("captions","track","__off__"===a?{}:this.tracks[a]),g.wX.prototype.af.call(this,a),this.Xa.fg())}; -g.k.oa=function(){var a=this.J.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.J.getVideoData();b=b&&b.gt;var c={};if(a||b){if(a){var d=this.J.getOption("captions","track");c=this.J.getOption("captions","tracklist",{includeAsr:!0});var e=this.J.getOption("captions","translationLanguages");this.tracks=g.Db(c,this.getKey,this);var f=g.Oc(c,this.getKey);if(e.length&&!g.Sb(d)){var h=d.translationLanguage;if(h&&h.languageName){var l=h.languageName;h=e.findIndex(function(m){return m.languageName=== -l}); -saa(e,h)}ova(this.u,e);f.push("__translate__")}e=this.getKey(d)}else this.tracks={},f=[],e="__off__";f.unshift("__off__");this.tracks.__off__={};b&&f.unshift("__contribute__");this.tracks[e]||(this.tracks[e]=d,f.push(e));g.xX(this,f);this.Mc(e);d&&d.translationLanguage?this.u.Mc(this.u.getKey(d.translationLanguage)):hva(this.u);a&&this.D.se(this.J.getSubtitlesUserSettings());this.K.Gc(c&&c.length?" ("+c.length+")":"");this.V("size-change");this.enable(!0)}else this.enable(!1)}; -g.k.jN=function(a){var b=this.J.getOption("captions","track");b=g.Vb(b);b.translationLanguage=this.u.languages[a];this.J.setOption("captions","track",b)}; -g.k.ag=function(a,b){if("reset"===a)this.J.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.J.updateSubtitlesUserSettings(c)}pva(this,!0);this.I.start();this.D.se(this.J.getSubtitlesUserSettings())}; -g.k.yQ=function(a){a||this.I.rg()}; -g.k.ca=function(){this.I.rg();g.wX.prototype.ca.call(this)};g.u(PX,g.xV);g.k=PX.prototype;g.k.initialize=function(){if(!this.Yd){this.Yd=!0;this.cz=new BX(this.J,this);g.D(this,this.cz);var a=new DX(this.J,this);g.D(this,a);a=new OX(this.J,this);g.D(this,a);a=new vX(this.J,this);g.D(this,a);this.J.T().Qc&&(a=new JX(this.J,this),g.D(this,a));this.J.T().Zb&&!g.Q(this.J.T().experiments,"web_player_move_autonav_toggle")&&(a=new zX(this.J,this),g.D(this,a));a=new yX(this.J,this);g.D(this,a);uX(this.settingsButton,this.sd.items.length)}}; -g.k.Wb=function(a){this.initialize();this.sd.Wb(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.re=function(a){this.fb&&1>=this.sd.items.length&&this.hide();this.sd.re(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.Bc=function(a){this.initialize();0=this.K&&(!this.B||!g.U(g.uK(this.api),64));g.JN(this,b);g.J(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.current:this.api.getCurrentTime(b,!1));this.C!==c&&(this.ya("currenttime",c),this.C=c);b=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.duration:this.api.getDuration(b, -!1));this.D!==b&&(this.ya("duration",b),this.D=b)}this.B&&(a=a.isAtLiveHead,this.I!==a||this.F!==this.isPremiere)&&(this.I=a,this.F=this.isPremiere,this.sc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.Gc(this.isPremiere?"Premiere":"Live"),a?this.u&&(this.u(),this.u=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.u=g.cV(this.tooltip,this.liveBadge.element)))}; -g.k.Ra=function(a,b,c){this.updateVideoData(g.Q(this.api.T().experiments,"enable_topsoil_wta_for_halftime")&&2===c?this.api.getVideoData(1):b);this.sc()}; -g.k.updateVideoData=function(a){this.B=a.isLivePlayback&&!a.Zi;this.isPremiere=a.isPremiere;g.J(this.element,"ytp-live",this.B)}; +g.k.gk=function(a){return this.getOption(a).text||""}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);this.ma("settingChange",this.J,this.settings[a].option)};g.w(JV,g.qU);JV.prototype.ah=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.Vs[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.yj(e),c.C.element.setAttribute("aria-checked",String(!d)),c.j.element.setAttribute("aria-checked",String(d)))}}}; +JV.prototype.Pj=function(a,b){this.ma("settingChange",a,b)};g.w(KV,g.DV);KV.prototype.getKey=function(a){return a.languageCode}; +KV.prototype.gk=function(a){return this.languages[a].languageName||""}; +KV.prototype.eh=function(a){this.ma("select",a);this.F.qb(this.element);g.wU(this.Eb)};g.w(MPa,g.DV);g.k=MPa.prototype;g.k.getKey=function(a){return g.hd(a)?"__off__":a.displayName}; +g.k.gk=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":"__correction__"===a?"Suggest caption corrections":("__off__"===a?{}:this.tracks[a]).displayName}; +g.k.eh=function(a){if("__translate__"===a)this.j.open();else if("__contribute__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var b=g.zJa(this.F.V(),this.F.getVideoData());g.IN(b)}else if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var c=NPa(this);LV(this,c);g.DV.prototype.eh.call(this,this.getKey(c));var d,e;c=null==(b=this.F.getVideoData().getPlayerResponse())?void 0:null==(d=b.captions)?void 0:null==(e=d.playerCaptionsTracklistRenderer)? +void 0:e.openTranscriptCommand;this.F.Na("innertubeCommand",c);this.Eb.nj();this.C&&this.F.qb(this.C)}else{if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();b=NPa(this);LV(this,b);g.DV.prototype.eh.call(this,this.getKey(b));var f,h;b=null==(c=this.F.getVideoData().getPlayerResponse())?void 0:null==(f=c.captions)?void 0:null==(h=f.playerCaptionsTracklistRenderer)?void 0:h.openTranscriptCommand;this.F.Na("innertubeCommand",b)}else this.F.qb(this.element), +LV(this,"__off__"===a?{}:this.tracks[a]),g.DV.prototype.eh.call(this,a);this.Eb.nj()}}; +g.k.Pa=function(){var a=this.F.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.F.getVideoData(),c=b&&b.gF,d,e=!(null==(d=this.F.getVideoData())||!g.ZM(d));d={};if(a||c){var f;if(a){var h=this.F.getOption("captions","track");d=this.F.getOption("captions","tracklist",{includeAsr:!0});var l=e?[]:this.F.getOption("captions","translationLanguages");this.tracks=g.Pb(d,this.getKey,this);e=g.Yl(d,this.getKey);var m=NPa(this),n,p;b.K("suggest_caption_correction_menu_item")&&m&&(null==(f=b.getPlayerResponse())? +0:null==(n=f.captions)?0:null==(p=n.playerCaptionsTracklistRenderer)?0:p.openTranscriptCommand)&&e.push("__correction__");if(l.length&&!g.hd(h)){if((f=h.translationLanguage)&&f.languageName){var q=f.languageName;f=l.findIndex(function(r){return r.languageName===q}); +Daa(l,f)}KPa(this.j,l);e.push("__translate__")}f=this.getKey(h)}else this.tracks={},e=[],f="__off__";e.unshift("__off__");this.tracks.__off__={};c&&e.unshift("__contribute__");this.tracks[f]||(this.tracks[f]=h,e.push(f));g.EV(this,e);this.yj(f);h&&h.translationLanguage?this.j.yj(this.j.getKey(h.translationLanguage)):tPa(this.j);a&&this.D.ah(this.F.getSubtitlesUserSettings());this.T.ge(d&&d.length?" ("+d.length+")":"");this.ma("size-change");this.F.Ua(this.element,!0);this.enable(!0)}else this.enable(!1)}; +g.k.F0=function(a){var b=this.F.getOption("captions","track");b=g.md(b);b.translationLanguage=this.j.languages[a];LV(this,b)}; +g.k.Pj=function(a,b){if("reset"===a)this.F.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.F.updateSubtitlesUserSettings(c)}LPa(this,!0);this.J.start();this.D.ah(this.F.getSubtitlesUserSettings())}; +g.k.q7=function(a){a||g.Lp(this.J)}; +g.k.qa=function(){g.Lp(this.J);g.DV.prototype.qa.call(this)}; +g.k.open=function(){g.DV.prototype.open.call(this);this.options.__correction__&&!this.C&&(this.C=this.options.__correction__.element,this.F.sb(this.C,this,167341),this.F.Ua(this.C,!0))};g.w(OPa,g.vU);g.k=OPa.prototype; +g.k.initialize=function(){if(!this.isInitialized){var a=this.F.V();this.isInitialized=!0;var b=new vPa(this.F,this);g.E(this,b);b=new MPa(this.F,this);g.E(this,b);a.B||(b=new CV(this.F,this),g.E(this,b));a.uf&&(b=new DPa(this.F,this),g.E(this,b));this.F.K("embeds_web_enable_new_context_menu_triggering")&&(g.fK(a)||a.J)&&(a.u||a.tb)&&(b=new uPa(this.F,this),g.E(this,b));a.Od&&!a.K("web_player_move_autonav_toggle")&&(a=new GV(this.F,this),g.E(this,a));a=new FV(this.F,this);g.E(this,a);this.F.ma("settingsMenuInitialized"); +sPa(this.settingsButton,this.Of.Ho())}}; +g.k.Zc=function(a){this.initialize();this.Of.Zc(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.jh=function(a){this.yb&&1>=this.Of.Ho()&&this.hide();this.Of.jh(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.od=function(a){this.initialize();0=b;g.bQ(this,c);this.F.Ua(this.element,c);a&&this.updateValue("pressed",this.isEnabled())};g.w(g.PV,g.U);g.k=g.PV.prototype; +g.k.yc=function(){var a=this.api.jb().getPlayerSize().width,b=this.J;this.api.V().T&&(b=400);b=a>=b&&(!RV(this)||!g.S(this.api.Cb(),64));g.bQ(this,b);g.Up(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=this.api.getCurrentTime(b,!1);this.u&&(c-=a.airingStart);QV(this)&&(c-=this.Bb.startTimeMs/1E3);c=g.eR(c);this.B!==c&&(this.updateValue("currenttime",c),this.B=c);b=QV(this)?g.eR((this.Bb.endTimeMs-this.Bb.startTimeMs)/ +1E3):g.eR(this.api.getDuration(b,!1));this.C!==b&&(this.updateValue("duration",b),this.C=b)}a=a.isAtLiveHead;!RV(this)||this.I===a&&this.D===this.isPremiere||(this.I=a,this.D=this.isPremiere,this.yc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.ge(this.isPremiere?"Premiere":"Live"),a?this.j&&(this.j(),this.j=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.j=g.ZS(this.tooltip,this.liveBadge.element)));a=this.api.getLoopRange();b=this.Bb!==a;this.Bb=a;b&&OV(this)}; +g.k.onLoopRangeChange=function(a){var b=this.Bb!==a;this.Bb=a;b&&(this.yc(),OV(this))}; +g.k.V7=function(){this.api.setLoopRange(null)}; +g.k.onVideoDataChange=function(a,b,c){this.updateVideoData((this.api.V().K("enable_topsoil_wta_for_halftime")||this.api.V().K("enable_topsoil_wta_for_halftime_live_infra"))&&2===c?this.api.getVideoData(1):b);this.yc();OV(this)}; +g.k.updateVideoData=function(a){this.yC=a.isLivePlayback&&!a.Xb;this.u=aN(a);this.isPremiere=a.isPremiere;g.Up(this.element,"ytp-live",RV(this))}; g.k.onClick=function(a){a.target===this.liveBadge.element&&(this.api.seekTo(Infinity),this.api.playVideo())}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)};g.u(VX,g.V);g.k=VX.prototype;g.k.jk=function(){var a=this.B.ge();this.F!==a&&(this.F=a,UX(this,this.api.getVolume(),this.api.isMuted()))}; -g.k.cF=function(a){g.JN(this,350<=a.width)}; -g.k.oN=function(a){if(!g.kp(a)){var b=g.lp(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ce(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.ip(a))}}; -g.k.mN=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ce(b/10,-10,10));g.ip(a)}; -g.k.CQ=function(){TX(this,this.u,!0,this.D,this.B.Nh());this.Y=this.volume;this.api.isMuted()&&this.api.unMute()}; -g.k.nN=function(a){var b=this.F?78:52,c=this.F?18:12;a-=g.Eg(this.X).x;this.api.setVolume(100*g.ce((a-c/2)/(b-c),0,1))}; -g.k.BQ=function(){TX(this,this.u,!1,this.D,this.B.Nh());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Y))}; -g.k.pN=function(a){UX(this,a.volume,a.muted)}; -g.k.pC=function(){TX(this,this.u,this.C,this.D,this.B.Nh())}; -g.k.ca=function(){g.V.prototype.ca.call(this);g.sn(this.K,"ytp-volume-slider-active")};g.u(g.WX,g.V);g.WX.prototype.Ra=function(){var a=this.api.getVideoData(1).qc,b=this.api.T();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.pfpChazalUi);g.JN(this,this.visible);g.QN(this.api,this.element,this.visible&&this.R);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.ya("url",a))}; -g.WX.prototype.onClick=function(a){var b=this.api.getVideoUrl(!g.cP(a),!1,!0,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_logo")));g.BU(b,this.api,a);g.$T(this.api,this.element)}; -g.WX.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)};g.u(YX,g.tR);g.k=YX.prototype;g.k.ie=function(){this.nd.sc();this.mi.sc()}; -g.k.Yh=function(){this.sz();this.Nc.B?this.ie():g.dY(this.nd.tooltip)}; -g.k.ur=function(){this.ie();this.Xd.start()}; -g.k.sz=function(){var a=!this.J.T().u&&300>g.gva(this.nd)&&g.uK(this.J).Hb()&&!!window.requestAnimationFrame,b=!a;this.Nc.B||(a=b=!1);b?this.K||(this.K=this.N(this.J,"progresssync",this.ie)):this.K&&(this.Mb(this.K),this.K=null);a?this.Xd.isActive()||this.Xd.start():this.Xd.stop()}; -g.k.Va=function(){var a=this.B.ge(),b=g.cG(this.J).getPlayerSize(),c=ZX(this),d=Math.max(b.width-2*c,100);if(this.za!==b.width||this.ma!==a){this.za=b.width;this.ma=a;var e=tva(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";this.nd.setPosition(c,e,a);this.B.Rb().fa=e}c=this.u;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-$X(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.fv=e;c.tp();this.sz();!this.J.T().ba("html5_player_bottom_linear_gradient")&&g.Q(this.J.T().experiments, -"html5_player_dynamic_bottom_gradient")&&g.eW(this.ha,b.height)}; -g.k.Ra=function(){var a=this.J.getVideoData();this.X.style.background=a.qc?a.Gj:"";g.JN(this.Y,a.zA)}; -g.k.Pa=function(){return this.C.element};var h2={},aY=(h2.CHANNEL_NAME="ytp-title-channel-name",h2.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",h2.LINK="ytp-title-link",h2.SESSIONLINK="yt-uix-sessionlink",h2.SUBTEXT="ytp-title-subtext",h2.TEXT="ytp-title-text",h2.TITLE="ytp-title",h2);g.u(bY,g.V);bY.prototype.onClick=function(a){g.$T(this.api,this.element);var b=this.api.getVideoUrl(!g.cP(a),!1,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_title")));g.BU(b,this.api,a)}; -bY.prototype.oa=function(){var a=this.api.getVideoData(),b=this.api.T();this.ya("title",a.title);uva(this);if(2===this.api.getPresentingPlayerType()){var c=this.api.getVideoData();c.videoId&&c.isListed&&c.author&&c.Ek&&c.lf?(this.ya("channelLink",c.Ek),this.ya("channelName",c.author)):uva(this)}c=b.externalFullscreen||!this.api.isFullscreen()&&b.ng;g.J(this.link,aY.FULLERSCREEN_LINK,c);b.R||!a.videoId||c||a.qc&&b.pfpChazalUi?this.u&&(this.ya("url",null),this.Mb(this.u),this.u=null):(this.ya("url", -this.api.getVideoUrl(!0)),this.u||(this.u=this.N(this.link,"click",this.onClick)))};g.u(g.cY,g.V);g.k=g.cY.prototype;g.k.QF=function(a,b){if(a<=this.C&&this.C<=b){var c=this.C;this.C=NaN;wva(this,c)}}; -g.k.rL=function(){lI(this.u,this.C,160*this.scale)}; -g.k.gj=function(){switch(this.type){case 2:var a=this.B;a.removeEventListener("mouseout",this.X);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.X);a.addEventListener("focus",this.D);zva(this);break;case 3:zva(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.QF,this),this.u=null),this.api.removeEventListener("videoready",this.Y),this.aa.stop()}this.type=null;this.K&&this.I.hide()}; -g.k.Ci=function(a){for(var b=0;b(b.height-d.height)/2?m=l.y-f.height-12:m=l.y+d.height+12);a.style.top=m+(e||0)+"px";a.style.left=c+"px"}; -g.k.Yh=function(a){a&&(this.tooltip.Ci(this.Cg.element),this.Bf&&this.tooltip.Ci(this.Bf.Pa()));g.SU.prototype.Yh.call(this,a)}; -g.k.Pi=function(a,b){var c=g.cG(this.api).getPlayerSize();c=new g.jg(0,0,c.width,c.height);if(a||this.Nc.B&&!this.Il()){if(this.api.T().En||b){var d=this.ge()?this.xx:this.wx;c.top+=d;c.height-=d}this.Bf&&(c.height-=$X(this.Bf))}return c}; -g.k.jk=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.T().externalFullscreen||(b.parentElement.insertBefore(this.Ht.element,b),b.parentElement.insertBefore(this.Gt.element,b.nextSibling))):M(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.Ht.detach(),this.Gt.detach());this.Va();this.vk()}; -g.k.ge=function(){var a=this.api.T();a=a.ba("embeds_enable_mobile_custom_controls")&&a.u;return this.api.isFullscreen()&&!a||!1}; -g.k.showControls=function(a){this.mt=!a;this.Fg()}; -g.k.Va=function(){var a=this.ge();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.J(this.contextMenu.element,"ytp-big-mode",a);this.Fg();if(this.Ie()&&this.dg)this.mg&&OV(this.dg,this.mg),this.shareButton&&OV(this.dg,this.shareButton),this.Dj&&OV(this.dg,this.Dj);else{if(this.dg){a=this.dg;for(var b=g.q(a.actionButtons),c=b.next();!c.done;c=b.next())c.value.detach();a.actionButtons=[]}this.mg&&!g.Me(this.Rf.element,this.mg.element)&&this.mg.ga(this.Rf.element);this.shareButton&&!g.Me(this.Rf.element, -this.shareButton.element)&&this.shareButton.ga(this.Rf.element);this.Dj&&!g.Me(this.Rf.element,this.Dj.element)&&this.Dj.ga(this.Rf.element)}this.vk();g.SU.prototype.Va.call(this)}; -g.k.gy=function(){if(Fva(this)&&!g.NT(this.api))return!1;var a=this.api.getVideoData();return!g.hD(this.api.T())||2===this.api.getPresentingPlayerType()||!this.Qg||((a=this.Qg||a.Qg)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&a.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.SU.prototype.gy.call(this):!1}; -g.k.vk=function(){g.SU.prototype.vk.call(this);g.QN(this.api,this.title.element,!!this.Vi);this.So&&this.So.Eb(!!this.Vi);this.channelAvatar.Eb(!!this.Vi);this.overflowButton&&this.overflowButton.Eb(this.Ie()&&!!this.Vi);this.shareButton&&this.shareButton.Eb(!this.Ie()&&!!this.Vi);this.mg&&this.mg.Eb(!this.Ie()&&!!this.Vi);this.Dj&&this.Dj.Eb(!this.Ie()&&!!this.Vi);if(!this.Vi){this.tooltip.Ci(this.Cg.element);for(var a=0;ae?jY(this,"next_player_future"):(this.I=d,this.C=GB(a,c,d,!0),this.D=GB(a,e,f,!1),a=this.B.getVideoData().clientPlaybackNonce,this.u.Na("gaplessPrep","cpn."+a),mY(this.u,this.C),this.u.setMediaElement(Lva(b,c,d,!this.u.getVideoData().isAd())), -lY(this,2),Rva(this))):this.ea():this.ea()}else jY(this,"no-elem")}else this.ea()}; -g.k.Lo=function(a){var b=Qva(this).xH,c=a===b;b=c?this.C.u:this.C.B;c=c?this.D.u:this.D.B;if(b.isActive&&!c.isActive){var d=this.I;cA(a.Se(),d-.01)&&(lY(this,4),b.isActive=!1,b.zs=b.zs||b.isActive,this.B.Na("sbh","1"),c.isActive=!0,c.zs=c.zs||c.isActive);a=this.D.B;this.D.u.isActive&&a.isActive&&lY(this,5)}}; -g.k.WF=function(){4<=this.status.status&&6>this.status.status&&jY(this,"player-reload-after-handoff")}; -g.k.ca=function(){Pva(this);this.u.unsubscribe("newelementrequired",this.WF,this);if(this.C){var a=this.C.B;this.C.u.Rc.unsubscribe("updateend",this.Lo,this);a.Rc.unsubscribe("updateend",this.Lo,this)}g.C.prototype.ca.call(this)}; -g.k.lc=function(a){g.GK(a,128)&&jY(this,"player-error-event")}; -g.k.ea=function(){};g.u(pY,g.C);pY.prototype.clearQueue=function(){this.ea();this.D&&this.D.reject("Queue cleared");qY(this)}; -pY.prototype.ca=function(){qY(this);g.C.prototype.ca.call(this)}; -pY.prototype.ea=function(){};g.u(tY,g.O);g.k=tY.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:Wva()?3:b?2:c?1:d?5:e?7:f?8:0}; -g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.ff())}; -g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.ff())}; -g.k.setImmersivePreview=function(a){this.B!==a&&(this.B=a,this.ff())}; -g.k.Ze=function(){return this.C}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)};g.w(RPa,g.U);g.k=RPa.prototype;g.k.Hq=function(){var a=this.j.yg();this.C!==a&&(this.C=a,QPa(this,this.api.getVolume(),this.api.isMuted()))}; +g.k.IR=function(a){g.bQ(this,350<=a.width)}; +g.k.I0=function(a){if(!g.DO(a)){var b=g.zO(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ze(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.EO(a))}}; +g.k.G0=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ze(b/10,-10,10));g.EO(a)}; +g.k.v7=function(){SV(this,this.u,!0,this.B,this.j.Ql());this.Z=this.volume;this.api.isMuted()&&this.api.unMute()}; +g.k.H0=function(a){var b=this.C?78:52,c=this.C?18:12;a-=g.Pm(this.T).x;this.api.setVolume(100*g.ze((a-c/2)/(b-c),0,1))}; +g.k.u7=function(){SV(this,this.u,!1,this.B,this.j.Ql());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Z))}; +g.k.onVolumeChange=function(a){QPa(this,a.volume,a.muted)}; +g.k.US=function(){SV(this,this.u,this.isDragging,this.B,this.j.Ql())}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.J,"ytp-volume-slider-active")};g.w(g.TV,g.U); +g.TV.prototype.onVideoDataChange=function(){var a=this.api.getVideoData(1).D,b=this.api.V();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.Z);g.bQ(this,this.visible);this.api.Ua(this.element,this.visible&&this.ea);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.updateValue("url",a));b.B&&(this.j&&(this.Hc(this.j),this.j=null),this.element.removeAttribute("href"),this.element.removeAttribute("title"),this.element.removeAttribute("aria-label"),g.Qp(this.element,"no-link"));this.Db()}; +g.TV.prototype.onClick=function(a){this.api.K("web_player_log_click_before_generating_ve_conversion_params")&&this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0,!0);if(g.fK(b)||g.oK(b)){var d={};b.ya&&g.fK(b)&&g.iS(d,b.loaderUrl);g.fK(b)&&g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_logo"))}g.VT(c,this.api,a);this.api.K("web_player_log_click_before_generating_ve_conversion_params")||this.api.qb(this.element)}; +g.TV.prototype.Db=function(){var a={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 67 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 45.09 10 L 45.09 25.82 L 47.16 25.82 L 47.41 24.76 L 47.47 24.76 C 47.66 25.14 47.94 25.44 48.33 25.66 C 48.72 25.88 49.16 25.99 49.63 25.99 C 50.48 25.99 51.1 25.60 51.5 24.82 C 51.9 24.04 52.09 22.82 52.09 21.16 L 52.09 19.40 C 52.12 18.13 52.05 17.15 51.90 16.44 C 51.75 15.74 51.50 15.23 51.16 14.91 C 50.82 14.59 50.34 14.44 49.75 14.44 C 49.29 14.44 48.87 14.57 48.47 14.83 C 48.27 14.96 48.09 15.11 47.93 15.29 C 47.78 15.46 47.64 15.65 47.53 15.86 L 47.51 15.86 L 47.51 10 L 45.09 10 z M 8.10 10.56 L 10.96 20.86 L 10.96 25.82 L 13.42 25.82 L 13.42 20.86 L 16.32 10.56 L 13.83 10.56 L 12.78 15.25 C 12.49 16.62 12.31 17.59 12.23 18.17 L 12.16 18.17 C 12.04 17.35 11.84 16.38 11.59 15.23 L 10.59 10.56 L 8.10 10.56 z M 30.10 10.56 L 30.10 12.58 L 32.59 12.58 L 32.59 25.82 L 35.06 25.82 L 35.06 12.58 L 37.55 12.58 L 37.55 10.56 L 30.10 10.56 z M 19.21 14.46 C 18.37 14.46 17.69 14.63 17.17 14.96 C 16.65 15.29 16.27 15.82 16.03 16.55 C 15.79 17.28 15.67 18.23 15.67 19.43 L 15.67 21.06 C 15.67 22.24 15.79 23.19 16 23.91 C 16.21 24.62 16.57 25.15 17.07 25.49 C 17.58 25.83 18.27 26 19.15 26 C 20.02 26 20.69 25.83 21.19 25.5 C 21.69 25.17 22.06 24.63 22.28 23.91 C 22.51 23.19 22.63 22.25 22.63 21.06 L 22.63 19.43 C 22.63 18.23 22.50 17.28 22.27 16.56 C 22.04 15.84 21.68 15.31 21.18 14.97 C 20.68 14.63 20.03 14.46 19.21 14.46 z M 56.64 14.47 C 55.39 14.47 54.51 14.84 53.99 15.61 C 53.48 16.38 53.22 17.60 53.22 19.27 L 53.22 21.23 C 53.22 22.85 53.47 24.05 53.97 24.83 C 54.34 25.40 54.92 25.77 55.71 25.91 C 55.97 25.96 56.26 25.99 56.57 25.99 C 57.60 25.99 58.40 25.74 58.96 25.23 C 59.53 24.72 59.81 23.94 59.81 22.91 C 59.81 22.74 59.79 22.61 59.78 22.51 L 57.63 22.39 C 57.62 23.06 57.54 23.54 57.40 23.83 C 57.26 24.12 57.01 24.27 56.63 24.27 C 56.35 24.27 56.13 24.18 56.00 24.02 C 55.87 23.86 55.79 23.61 55.75 23.25 C 55.71 22.89 55.68 22.36 55.68 21.64 L 55.68 21.08 L 59.86 21.08 L 59.86 19.16 C 59.86 17.99 59.77 17.08 59.58 16.41 C 59.39 15.75 59.07 15.25 58.61 14.93 C 58.15 14.62 57.50 14.47 56.64 14.47 z M 23.92 14.67 L 23.92 23.00 C 23.92 24.03 24.11 24.79 24.46 25.27 C 24.82 25.76 25.35 26.00 26.09 26.00 C 27.16 26.00 27.97 25.49 28.5 24.46 L 28.55 24.46 L 28.76 25.82 L 30.73 25.82 L 30.73 14.67 L 28.23 14.67 L 28.23 23.52 C 28.13 23.73 27.97 23.90 27.77 24.03 C 27.57 24.16 27.37 24.24 27.15 24.24 C 26.89 24.24 26.70 24.12 26.59 23.91 C 26.48 23.70 26.43 23.35 26.43 22.85 L 26.43 14.67 L 23.92 14.67 z M 36.80 14.67 L 36.80 23.00 C 36.80 24.03 36.98 24.79 37.33 25.27 C 37.60 25.64 37.97 25.87 38.45 25.96 C 38.61 25.99 38.78 26.00 38.97 26.00 C 40.04 26.00 40.83 25.49 41.36 24.46 L 41.41 24.46 L 41.64 25.82 L 43.59 25.82 L 43.59 14.67 L 41.09 14.67 L 41.09 23.52 C 40.99 23.73 40.85 23.90 40.65 24.03 C 40.45 24.16 40.23 24.24 40.01 24.24 C 39.75 24.24 39.58 24.12 39.47 23.91 C 39.36 23.70 39.31 23.35 39.31 22.85 L 39.31 14.67 L 36.80 14.67 z M 56.61 16.15 C 56.88 16.15 57.08 16.23 57.21 16.38 C 57.33 16.53 57.42 16.79 57.47 17.16 C 57.52 17.53 57.53 18.06 57.53 18.78 L 57.53 19.58 L 55.69 19.58 L 55.69 18.78 C 55.69 18.05 55.71 17.52 55.75 17.16 C 55.79 16.81 55.87 16.55 56.00 16.39 C 56.13 16.23 56.32 16.15 56.61 16.15 z M 19.15 16.19 C 19.50 16.19 19.75 16.38 19.89 16.75 C 20.03 17.12 20.09 17.7 20.09 18.5 L 20.09 21.97 C 20.09 22.79 20.03 23.39 19.89 23.75 C 19.75 24.11 19.51 24.29 19.15 24.30 C 18.80 24.30 18.54 24.11 18.41 23.75 C 18.28 23.39 18.22 22.79 18.22 21.97 L 18.22 18.5 C 18.22 17.7 18.28 17.12 18.42 16.75 C 18.56 16.38 18.81 16.19 19.15 16.19 z M 48.63 16.22 C 48.88 16.22 49.08 16.31 49.22 16.51 C 49.36 16.71 49.45 17.05 49.50 17.52 C 49.55 17.99 49.58 18.68 49.58 19.55 L 49.58 21 L 49.59 21 C 49.59 21.81 49.57 22.45 49.5 22.91 C 49.43 23.37 49.32 23.70 49.16 23.89 C 49.00 24.08 48.78 24.17 48.51 24.17 C 48.30 24.17 48.11 24.12 47.94 24.02 C 47.76 23.92 47.62 23.78 47.51 23.58 L 47.51 17.25 C 47.59 16.95 47.75 16.70 47.96 16.50 C 48.17 16.31 48.39 16.22 48.63 16.22 z "}}]}, +b=this.api.V(),c=b.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.oK(b)?(b=this.Da("ytp-youtube-music-button"),a=(c=300>this.api.getPlayerSize().width)?{G:"svg",X:{fill:"none",height:"24",width:"24"},W:[{G:"circle",X:{cx:"12",cy:"12",fill:"red",r:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09z",fill:"#fff"}}]}:{G:"svg",X:{viewBox:"0 0 80 24"},W:[{G:"ellipse",X:{cx:"12.18", +cy:"12",fill:"red",rx:"12.18",ry:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09zM37.43 9.64c-.57 2.85-1.01 6.33-1.25 7.77h-.16c-.18-1.48-.62-4.94-1.22-7.75L33.31 2.67h-4.52v18.85h2.80V5.98l.27 1.45 2.85 14.08h2.80l2.80-14.08.3-1.45v15.54h2.80V2.67h-4.56l-1.43 6.96zM51.01 18.69c-.25.51-.81.87-1.36.87-.64 0-.90-.49-.90-1.70V7.75H45.54v10.29c0 2.54.85 3.70 2.75 3.70 1.29 0 2.33-.56 3.05-1.90h.07l.27 1.68h2.50V7.75h-3.19v10.94h.00zM60.39 13.19c-1.04-.74-1.69-1.23-1.69-2.31 0-.76.37-1.19 1.25-1.19.90 0 1.20.60 1.22 2.67l2.68-.11c.20-3.34-.92-4.74-3.87-4.74-2.73 0-4.07 1.19-4.07 3.63 0 2.22 1.11 3.23 2.92 4.56 1.55 1.16 2.45 1.82 2.45 2.76 0 .72-.46 1.21-1.27 1.21-.95 0-1.50-.87-1.36-2.40l-2.71.04c-.41 2.85.76 4.51 3.91 4.51 2.75 0 4.19-1.23 4.19-3.70-.00-2.24-1.16-3.14-3.66-4.94zM68.87 7.75h-3.05v13.77h3.06V7.75zM67.36 2.31c-1.18 0-1.73.42-1.73 1.91 0 1.52.55 1.90 1.73 1.90 1.20 0 1.73-.38 1.73-1.90 0-1.41-.53-1.91-1.73-1.91zM79.15 16.56l-2.80-.13c0 2.42-.27 3.21-1.22 3.21-.95 0-1.11-.87-1.11-3.73v-2.67c0-2.76.18-3.63 1.13-3.63.88 0 1.11.83 1.11 3.39l2.77-.17c.18-2.13-.09-3.59-.94-4.42-.62-.60-1.57-.89-2.89-.89-3.10 0-4.37 1.61-4.37 6.15v1.93c0 4.67 1.08 6.17 4.26 6.17 1.34 0 2.27-.27 2.89-.85.90-.81 1.24-2.20 1.18-4.34z", +fill:"#fff"}}]},g.Up(b,"ytp-youtube-music-logo-icon-only",c)):c&&(a={G:"svg",X:{fill:"none",height:"100%",viewBox:"-10 -8 67 36",width:"100%"},W:[{G:"path",X:{d:"m.73 13.78 2.57-.05c-.05 2.31.36 3.04 1.34 3.04.95 0 1.34-.61 1.34-1.88 0-1.88-.97-2.83-2.37-4.04C1.47 8.99.55 7.96.55 5.23c0-2.60 1.15-4.14 4.17-4.14 2.91 0 4.12 1.70 3.71 5.20l-2.57.15c.05-2.39-.20-3.22-1.26-3.22-.97 0-1.31.64-1.31 1.82 0 1.77.74 2.31 2.34 3.84 1.98 1.88 3.09 2.98 3.09 5.54 0 3.24-1.26 4.48-4.20 4.48-3.06.02-4.30-1.62-3.78-5.12ZM9.67.74h2.83V4.58c0 1.15-.05 1.95-.15 2.93h.05c.54-1.15 1.44-1.75 2.60-1.75 1.75 0 2.5 1.23 2.5 3.35v9.53h-2.83V9.32c0-1.03-.25-1.54-.90-1.54-.48 0-.92.28-1.23.79V18.65H9.70V.74h-.02ZM18.67 13.27v-1.82c0-4.07 1.18-5.64 3.99-5.64 2.80 0 3.86 1.62 3.86 5.64v1.82c0 3.96-1.00 5.59-3.94 5.59-2.98 0-3.91-1.67-3.91-5.59Zm5 1.03v-3.94c0-1.72-.25-2.60-1.08-2.60-.79 0-1.05.87-1.05 2.60v3.94c0 1.80.25 2.62 1.05 2.62.82 0 1.08-.82 1.08-2.62ZM27.66 6.03h2.19l.25 2.73h.10c.28-2.01 1.21-3.01 2.39-3.01.15 0 .30.02.51.05l-.15 3.27c-1.18-.25-2.13-.05-2.57.72V18.63h-2.73V6.03ZM34.80 15.67V8.27h-1.03V6.05h1.15l.36-3.73h2.11V6.05h1.93v2.21h-1.80v6.98c0 1.18.15 1.44.61 1.44.41 0 .77-.05 1.10-.18l.36 1.80c-.85.41-1.93.54-2.60.54-1.82-.02-2.21-.97-2.21-3.19ZM40.26 14.81l2.39-.05c-.12 1.39.36 2.19 1.21 2.19.72 0 1.13-.46 1.13-1.10 0-.87-.79-1.46-2.16-2.5-1.62-1.23-2.60-2.16-2.60-4.20 0-2.24 1.18-3.32 3.63-3.32 2.60 0 3.63 1.28 3.42 4.35l-2.39.10c-.02-1.90-.28-2.44-1.08-2.44-.77 0-1.10.38-1.10 1.08 0 .97.56 1.44 1.49 2.11 2.21 1.64 3.24 2.47 3.24 4.53 0 2.26-1.28 3.40-3.73 3.40-2.78-.02-3.81-1.54-3.45-4.14Z", +fill:"#fff"}}]});a.X=Object.assign({},a.X,{"aria-hidden":"true"});this.updateValue("logoSvg",a)}; +g.TV.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)};g.w(TPa,g.bI);g.k=TPa.prototype;g.k.Ie=function(){g.S(this.F.Cb(),2)||(this.Kc.yc(),this.tj.yc())}; +g.k.qn=function(){this.KJ();if(this.Ve.u){this.Ie();var a;null==(a=this.tb)||a.show()}else{g.XV(this.Kc.tooltip);var b;null==(b=this.tb)||b.hide()}}; +g.k.Iv=function(){this.Ie();this.lf.start()}; +g.k.KJ=function(){var a=!this.F.V().u&&300>g.rPa(this.Kc)&&this.F.Cb().bd()&&!!window.requestAnimationFrame,b=!a;this.Ve.u||(a=b=!1);b?this.ea||(this.ea=this.S(this.F,"progresssync",this.Ie)):this.ea&&(this.Hc(this.ea),this.ea=null);a?this.lf.isActive()||this.lf.start():this.lf.stop()}; +g.k.Db=function(){var a=this.u.yg(),b=this.F.jb().getPlayerSize(),c=VPa(this),d=Math.max(b.width-2*c,100);if(this.ib!==b.width||this.fb!==a){this.ib=b.width;this.fb=a;var e=WPa(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";g.yV(this.Kc,c,e,a);this.u.Ic().LJ=e}c=this.B;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-XPa(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.UE=e;c.lA();this.KJ();this.F.V().K("html5_player_dynamic_bottom_gradient")&&g.VU(this.kb,b.height)}; +g.k.onVideoDataChange=function(){var a=this.F.getVideoData(),b,c,d,e=null==(b=a.kf)?void 0:null==(c=b.embedPreview)?void 0:null==(d=c.thumbnailPreviewRenderer)?void 0:d.controlBgHtml;b=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?!!e:a.D;e=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?null!=e?e:"":a.Wc;this.Ja.style.background=b?e:"";g.bQ(this.ya,a.jQ);this.oa&&jOa(this.oa,a.showSeekingControls);this.Z&&jOa(this.Z,a.showSeekingControls)}; +g.k.ub=function(){return this.C.element};g.w(YPa,EU);g.k=YPa.prototype;g.k.YG=function(a){a.target!==this.dismissButton.element&&(this.onClickCommand&&this.F.Na("innertubeCommand",this.onClickCommand),this.WC())}; +g.k.WC=function(){this.enabled=!1;this.I.hide()}; +g.k.onVideoDataChange=function(a,b){"dataloaded"===a&&ZPa(this);if(this.F.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){a=[];var c,d,e,f;if(b=null==(f=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.suggestedActionsRenderer,mza))?void 0:f.suggestedActions)for(c=g.t(b),d=c.next();!d.done;d=c.next())(d=g.K(d.value,nza))&&g.K(d.trigger,lM)&&a.push(d)}else a=b.suggestedActions;c=a;if(0!==c.length){a=[];c=g.t(c);for(d=c.next();!d.done;d= +c.next())if(d=d.value,e=g.K(d.trigger,lM))f=(f=d.title)?g.gE(f):"View Chapters",b=e.timeRangeStartMillis,e=e.timeRangeEndMillis,null!=b&&null!=e&&d.tapCommand&&(a.push(new g.XD(b,e,{priority:9,namespace:"suggested_action_button_visible",id:f})),this.suggestedActions[f]=d.tapCommand);this.F.ye(a)}}; +g.k.Yz=function(){return this.enabled}; +g.k.Bg=function(){this.enabled?this.oa.start():CU(this);this.dl()}; +g.k.qa=function(){ZPa(this);EU.prototype.qa.call(this)};var g4={},UV=(g4.CHANNEL_NAME="ytp-title-channel-name",g4.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",g4.LINK="ytp-title-link",g4.SESSIONLINK="yt-uix-sessionlink",g4.SUBTEXT="ytp-title-subtext",g4.TEXT="ytp-title-text",g4.TITLE="ytp-title",g4);g.w(VV,g.U); +VV.prototype.onClick=function(a){this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0);if(g.fK(b)){var d={};b.ya&&g.iS(d,b.loaderUrl);g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_title"))}g.VT(c,this.api,a)}; +VV.prototype.Pa=function(){var a=this.api.getVideoData(),b=this.api.V();this.updateValue("title",a.title);var c={G:"a",N:UV.CHANNEL_NAME,X:{href:"{{channelLink}}",target:"_blank"},ra:"{{channelName}}"};this.api.V().B&&(c={G:"span",N:UV.CHANNEL_NAME,ra:"{{channelName}}",X:{tabIndex:"{{channelSubtextFocusable}}"}});this.updateValue("subtextElement",c);$Pa(this);2===this.api.getPresentingPlayerType()&&(c=this.api.getVideoData(),c.videoId&&c.isListed&&c.author&&c.Lc&&c.profilePicture?(this.updateValue("channelLink", +c.Lc),this.updateValue("channelName",c.author),this.updateValue("channelTitleFocusable","0")):$Pa(this));c=b.externalFullscreen||!this.api.isFullscreen()&&b.ij;g.Up(this.link,UV.FULLERSCREEN_LINK,c);b.oa||!a.videoId||c||a.D&&b.Z||b.B?this.j&&(this.updateValue("url",null),this.Hc(this.j),this.j=null):(this.updateValue("url",this.api.getVideoUrl(!0)),this.j||(this.j=this.S(this.link,"click",this.onClick)));b.B&&(this.element.classList.add("ytp-no-link"),this.updateValue("channelName",g.fK(b)?a.ph:a.author), +this.updateValue("channelTitleFocusable","0"),this.updateValue("channelSubtextFocusable","0"))};g.w(g.WV,g.U);g.k=g.WV.prototype;g.k.fP=function(a){if(null!=this.type)if(a)switch(this.type){case 3:case 2:eQa(this);this.I.show();break;default:this.I.show()}else this.I.hide();this.T=a}; +g.k.iW=function(a,b){a<=this.C&&this.C<=b&&(a=this.C,this.C=NaN,bQa(this,a))}; +g.k.x4=function(){Qya(this.u,this.C,this.J*this.scale)}; +g.k.Nn=function(){switch(this.type){case 2:var a=this.j;a.removeEventListener("mouseout",this.oa);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.oa);a.addEventListener("focus",this.D);fQa(this);break;case 3:fQa(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.iW,this),this.u=null),this.api.removeEventListener("videoready",this.ya),this.Aa.stop()}this.type=null;this.T&&this.I.hide()}; +g.k.rk=function(){if(this.j)for(var a=0;a(b.height-d.height)/2?l.y-f.height-12:l.y+d.height+12);a.style.top=f+(e||0)+"px";a.style.left=c+"px"}; +g.k.qn=function(a){a&&(this.tooltip.rk(this.Fh.element),this.dh&&this.tooltip.rk(this.dh.ub()));this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide",a),g.Up(this.contextMenu.element,"ytp-autohide-active",!0));g.eU.prototype.qn.call(this,a)}; +g.k.DN=function(){g.eU.prototype.DN.call(this);this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide-active",!1),this.rG&&(this.contextMenu.hide(),this.Bh&&this.Bh.hide()))}; +g.k.zk=function(a,b){var c=this.api.jb().getPlayerSize();c=new g.Em(0,0,c.width,c.height);if(a||this.Ve.u&&!this.Ct()){if(this.api.V().vl||b)a=this.yg()?this.RK:this.QK,c.top+=a,c.height-=a;this.dh&&(c.height-=XPa(this.dh))}return c}; +g.k.Hq=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.V().externalFullscreen||(b.parentElement.insertBefore(this.IF.element,b),b.parentElement.insertBefore(this.HF.element,b.nextSibling))):g.CD(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.IF.detach(),this.HF.detach());this.Db();this.wp()}; +g.k.yg=function(){var a=this.api.V();return this.api.isFullscreen()&&!a.T||!1}; +g.k.showControls=function(a){this.pF=!a;this.fl()}; +g.k.Db=function(){var a=this.yg();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.Up(this.contextMenu.element,"ytp-big-mode",a);this.fl();this.api.K("web_player_hide_overflow_button_if_empty_menu")||nQa(this);this.wp();var b=this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.Sb();b&&a?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.Fh.element,"padding-left",a+"px"),g.Hm(this.Fh.element,"padding-right",a+"px")):b&&(g.Hm(this.Fh.element,"padding-left", +""),g.Hm(this.Fh.element,"padding-right",""));g.eU.prototype.Db.call(this)}; +g.k.SL=function(){if(mQa(this)&&!g.KS(this.api))return!1;var a=this.api.getVideoData();return!g.fK(this.api.V())||2===this.api.getPresentingPlayerType()||!this.kf||((a=this.kf||a.kf)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&g.K(a.videoDetails,Nza)||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.eU.prototype.SL.call(this):!1}; +g.k.wp=function(){g.eU.prototype.wp.call(this);this.api.Ua(this.title.element,!!this.To);this.Dz&&this.Dz.Zb(!!this.To);this.channelAvatar.Zb(!!this.To);this.overflowButton&&this.overflowButton.Zb(this.Wg()&&!!this.To);this.shareButton&&this.shareButton.Zb(!this.Wg()&&!!this.To);this.Jn&&this.Jn.Zb(!this.Wg()&&!!this.To);this.Bi&&this.Bi.Zb(!this.Wg()&&!!this.To);if(!this.To){this.tooltip.rk(this.Fh.element);for(var a=0;a=b)return d.return();(c=a.j.get(0))&&uQa(a,c);g.oa(d)})}; +var rQa={qQa:0,xSa:1,pRa:2,ySa:3,Ima:4,0:"PRIMARY",1:"SECONDARY",2:"RANDOM",3:"SENSITIVE_CONTENT",4:"C_YOUTUBE"};g.eW.prototype.info=function(){}; +var CQa=new Map;fW.prototype.Vj=function(){if(!this.Le.length)return[];var a=this.Le;this.Le=[];this.B=g.jb(a).info;return a}; +fW.prototype.Rv=function(){return this.Le};g.w(hW,g.C);g.k=hW.prototype;g.k.Up=function(){return Array.from(this.Xc.keys())}; +g.k.lw=function(a){a=this.Xc.get(a);var b=a.Le;a.Qx+=b.totalLength;a.Le=new LF;return b}; +g.k.Vg=function(a){return this.Xc.get(a).Vg}; +g.k.Qh=function(a){return this.Xc.get(a).Qh}; +g.k.Kv=function(a,b,c,d){this.Xc.get(a)||this.Xc.set(a,{Le:new LF,Cq:[],Qx:0,bytesReceived:0,KU:0,CO:!1,Vg:!1,Qh:!1,Ek:b,AX:[],gb:[],OG:[]});b=this.Xc.get(a);this.Sa?(c=MQa(this,a,c,d),LQa(this,a,b,c)):(c.Xm?b.KU=c.Pq:b.OG.push(c),b.AX.push(c))}; +g.k.Om=function(a){var b;return(null==(b=this.Xc.get(a))?void 0:b.gb)||[]}; +g.k.qz=function(){for(var a=g.t(this.Xc.values()),b=a.next();!b.done;b=a.next())b=b.value,b.CO&&(b.Ie&&b.Ie(),b.CO=!1)}; +g.k.Iq=function(a){a=this.Xc.get(a);iW&&a.Cq.push({data:new LF([]),qL:!0});a&&!a.Qh&&(a.Qh=!0)}; +g.k.Vj=function(a){var b,c=null==(b=this.Xc.get(a))?void 0:b.Zd;if(!c)return[];this.Sm(a,c);return c.Vj()}; +g.k.Nk=function(a){var b,c,d;return!!(null==(c=null==(b=this.Xc.get(a))?void 0:b.Zd)?0:null==(d=c.Rv())?0:d.length)||JQa(this,a)}; +g.k.Sm=function(a,b){for(;JQa(this,a);)if(iW){var c=this.Xc.get(a),d=c.Cq.shift();c.Qx+=(null==d?void 0:d.data.totalLength)||0;c=d;gW(b,c.data,c.qL)}else c=this.lw(a),d=a,d=this.Xc.get(d).Vg&&!IQa(this,d),gW(b,c,d&&KQa(this,a))}; +g.k.qa=function(){g.C.prototype.qa.call(this);for(var a=g.t(this.Xc.keys()),b=a.next();!b.done;b=a.next())FQa(this,b.value);this.Xc.clear()}; +var iW=!1;var lW=[],m0a=!1;g.PY=Nd(function(){var a="";try{var b=g.qf("CANVAS").getContext("webgl");b&&(b.getExtension("WEBGL_debug_renderer_info"),a=b.getParameter(37446),a=a.replace(/[ :]/g,"_"))}catch(c){}return a});g.w(mW,g.C);mW.prototype.B=function(){null!=this.j&&this.app.getVideoData()!==this.j&&aM(this.j)&&R0a(this.app,this.j,void 0,void 0,this.u)}; +mW.prototype.qa=function(){this.j=null;g.C.prototype.qa.call(this)};g.w(g.nW,FO);g.k=g.nW.prototype;g.k.isView=function(){return!0}; +g.k.QO=function(){var a=this.mediaElement.getCurrentTime();if(ae?this.Eg("next_player_future"):(this.D=d,this.currentVideoDuration=d-c,this.B=Gva(a,c,d,!0),this.C=Gva(a,e,h,!1),a=this.u.getVideoData().clientPlaybackNonce,this.j.xa("gaplessPrep",{cpn:a}),ZQa(this.j,this.B),this.j.setMediaElement(VQa(b,c,d,!this.j.getVideoData().isAd())), +pW(this,2),bRa(this))))}else this.Eg("no-elem")}; +g.k.kx=function(a){var b=a===aRa(this).LX,c=b?this.B.j:this.B.u;b=b?this.C.j:this.C.u;if(c.isActive&&!b.isActive){var d=this.D;lI(a.Ig(),d-.01)&&(pW(this,4),c.isActive=!1,c.rE=c.rE||c.isActive,this.u.xa("sbh",{}),b.isActive=!0,b.rE=b.rE||b.isActive);a=this.C.u;this.C.j.isActive&&a.isActive&&(pW(this,5),0!==this.T&&(this.j.getVideoData().QR=!0,this.j.setLoopRange({startTimeMs:0,endTimeMs:1E3*this.currentVideoDuration})))}}; +g.k.nW=function(){4<=this.status.status&&6>this.status.status&&this.Eg("player-reload-after-handoff")}; +g.k.Eg=function(a,b){b=void 0===b?{}:b;if(!this.isDisposed()&&6!==this.status.status){var c=4<=this.status.status&&"player-reload-after-handoff"!==a;this.status={status:Infinity,error:a};if(this.j&&this.u){var d=this.u.getVideoData().clientPlaybackNonce;this.j.Kd(new PK("dai.transitionfailure",Object.assign(b,{cpn:d,transitionTimeMs:this.fm,msg:a})));a=this.j;a.videoData.fb=!1;c&&IY(a);a.Fa&&XWa(a.Fa)}this.rp.reject(void 0);this.dispose()}}; +g.k.qa=function(){$Qa(this);this.j.unsubscribe("newelementrequired",this.nW,this);if(this.B){var a=this.B.u;this.B.j.Ed.unsubscribe("updateend",this.kx,this);a.Ed.unsubscribe("updateend",this.kx,this)}g.C.prototype.qa.call(this)}; +g.k.yd=function(a){g.YN(a,128)&&this.Eg("player-error-event")};g.w(rW,g.C);rW.prototype.clearQueue=function(){this.C&&this.C.reject("Queue cleared");sW(this)}; +rW.prototype.vv=function(){return!this.j}; +rW.prototype.qa=function(){sW(this);g.C.prototype.qa.call(this)};g.w(lRa,g.dE);g.k=lRa.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:hRa()?3:b?2:c?1:d?5:e?7:f?8:0}; +g.k.cm=function(a){this.fullscreen!==a&&(this.fullscreen=a,this.Bg())}; +g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.Bg())}; +g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.Bg())}; +g.k.Uz=function(a){this.pictureInPicture!==a&&(this.pictureInPicture=a,this.Bg())}; +g.k.wh=function(){return this.j}; g.k.isFullscreen=function(){return 0!==this.fullscreen}; +g.k.Ay=function(){return this.fullscreen}; +g.k.zg=function(){return this.u}; g.k.isInline=function(){return this.inline}; -g.k.isBackground=function(){return Wva()}; -g.k.ff=function(){this.V("visibilitychange");var a=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B);a!==this.F&&this.V("visibilitystatechange");this.F=a}; -g.k.ca=function(){Zva(this.D);g.O.prototype.ca.call(this)};g.u(vY,g.C);g.k=vY.prototype; -g.k.CM=function(a){var b,c,d,e;if(a=this.C.get(a))if(this.api.V("serverstitchedvideochange",a.Hc),a.cpn&&(null===(c=null===(b=a.playerResponse)||void 0===b?void 0:b.videoDetails)||void 0===c?0:c.videoId)){for(var f,h,l=0;l=a.pw?a.pw:void 0;return{Pz:{lK:f?KRa(this,f):[],S1:h,Qr:d,RX:b,T9:Se(l.split(";")[0]),U9:l.split(";")[1]||""}}}; +g.k.Im=function(a,b,c,d,e){var f=Number(c.split(";")[0]),h=3===d;a=GRa(this,a,b,d,c);this.Qa&&this.va.xa("sdai",{gdu:1,seg:b,itag:f,pb:""+!!a});if(!a)return KW(this,b,h),null;a.locations||(a.locations=new Map);if(!a.locations.has(f)){var l,m,n=null==(l=a.videoData.getPlayerResponse())?void 0:null==(m=l.streamingData)?void 0:m.adaptiveFormats;if(!n)return this.va.xa("sdai",{gdu:"noadpfmts",seg:b,itag:f}),KW(this,b,h),null;l=n.find(function(z){return z.itag===f}); +if(!l||!l.url){var p=a.videoData.videoId;a=[];d=g.t(n);for(var q=d.next();!q.done;q=d.next())a.push(q.value.itag);this.va.xa("sdai",{gdu:"nofmt",seg:b,vid:p,itag:f,fullitag:c,itags:a.join(",")});KW(this,b,h);return null}a.locations.set(f,new g.DF(l.url,!0))}n=a.locations.get(f);if(!n)return this.va.xa("sdai",{gdu:"nourl",seg:b,itag:f}),KW(this,b,h),null;n=new IG(n);this.Wc&&(n.get("dvc")?this.va.xa("sdai",{dvc:n.get("dvc")||""}):n.set("dvc","webm"));var r;(e=null==(r=JW(this,b-1,d,e))?void 0:r.Qr)&& +n.set("daistate",e);a.pw&&b>=a.pw&&n.set("skipsq",""+a.pw);(e=this.va.getVideoData().clientPlaybackNonce)&&n.set("cpn",e);r=[];a.Am&&(r=KRa(this,a.Am),0d?(this.kI(a,c,!0),this.va.seekTo(d),!0):!1}; +g.k.kI=function(a,b,c){c=void 0===c?!1:c;if(a=IW(this,a,b)){var d=a.Am;if(d){this.va.xa("sdai",{skipadonsq:b,sts:c,abid:d,acpn:a.cpn,avid:a.videoData.videoId});c=this.ea.get(d);if(!c)return;c=g.t(c);for(d=c.next();!d.done;d=c.next())d.value.pw=b}this.u=a.cpn;HRa(this)}}; +g.k.TO=function(){for(var a=g.t(this.T),b=a.next();!b.done;b=a.next())b.value.pw=NaN;HRa(this);this.va.xa("sdai",{rsac:"resetSkipAd",sac:this.u});this.u=""}; +g.k.kE=aa(38); +g.k.fO=function(a,b,c,d,e,f,h,l,m){m&&(h?this.Xa.set(a,{Qr:m,YA:l}):this.Aa.set(a,{Qr:m,YA:l}));if(h){if(d.length&&e.length)for(this.u&&this.u===d[0]&&this.va.xa("sdai",{skipfail:1,sq:a,acpn:this.u}),a=b+this.aq(),h=0;h=b+a)b=h.end;else{if(l=!1,h?bthis.C;)(c=this.data.shift())&&OY(this,c,!0);MY(this)}; -NY.prototype.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); -c&&(OY(this,c,b),g.pb(this.data,function(d){return d.key===a}),MY(this))}; -NY.prototype.ca=function(){var a=this;g.C.prototype.ca.call(this);this.data.forEach(function(b){OY(a,b,!0)}); -this.data=[]};PY.prototype.add=function(a){this.u=(this.u+1)%this.data.length;this.data[this.u]=a}; -PY.prototype.forEach=function(a){for(var b=this.u+1;b=c||cthis.C&&(this.C=c,g.Sb(this.u)||(this.u={},this.D.stop(),this.B.stop())),this.u[b]=a,this.B.Sb())}}; -iZ.prototype.F=function(){for(var a=g.q(Object.keys(this.u)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.V;for(var d=this.C,e=this.u[c].match(wd),f=[],h=g.q(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+md(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=a.size||(a.forEach(function(c,d){var e=qC(b.B)?d:c,f=new Uint8Array(qC(b.B)?c:d);qC(b.B)&&mxa(f);var h=g.sf(f,4);mxa(f);f=g.sf(f,4);b.u[h]?b.u[h].status=e:b.u[f]?b.u[f].status=e:b.u[h]={type:"",status:e}}),this.ea("Key statuses changed: "+ixa(this,",")),kZ(this,"onkeystatuschange"),this.status="kc",this.V("keystatuseschange",this))}; -g.k.error=function(a,b,c,d){this.na()||this.V("licenseerror",a,b,c,d);b&&this.dispose()}; -g.k.shouldRetry=function(a,b){return this.fa&&this.I?!1:!a&&this.requestNumber===b.requestNumber}; -g.k.ca=function(){g.O.prototype.ca.call(this)}; -g.k.sb=function(){var a={requestedKeyIds:this.aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.C&&(a.keyStatuses=this.u);return a}; -g.k.Te=function(){var a=this.F.join();if(mZ(this)){var b=[],c;for(c in this.u)"usable"!==this.u[c].status&&b.push(this.u[c].type);a+="/UKS."+b}return a+="/"+this.cryptoPeriodIndex}; -g.k.ea=function(){}; -g.k.Ld=function(){return this.url}; -var k2={},fxa=(k2.widevine="DRM_SYSTEM_WIDEVINE",k2.fairplay="DRM_SYSTEM_FAIRPLAY",k2.playready="DRM_SYSTEM_PLAYREADY",k2);g.u(oZ,g.C);g.k=oZ.prototype;g.k.NL=function(a){if(this.F){var b=a.messageType||"license-request";this.F(new Uint8Array(a.message),b)}}; -g.k.xl=function(){this.K&&this.K(this.u.keyStatuses)}; -g.k.fG=function(a){this.F&&this.F(a.message,"license-request")}; -g.k.eG=function(a){if(this.C){if(this.B){var b=this.B.error.code;a=this.B.error.u}else b=a.errorCode,a=a.systemCode;this.C("t.prefixedKeyError;c."+b+";sc."+a)}}; -g.k.dG=function(){this.I&&this.I()}; -g.k.update=function(a){var b=this;if(this.u)return this.u.update(a).then(null,Eo(function(c){pxa(b,"t.update",c)})); -this.B?this.B.update(a):this.element.addKey?this.element.addKey(this.R.u,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.R.u,a,this.initData,this.sessionId);return Ys()}; -g.k.ca=function(){this.u&&this.u.close();this.element=null;g.C.prototype.ca.call(this)};g.u(pZ,g.C);g.k=pZ.prototype;g.k.createSession=function(a,b){var c=a.initData;if(this.u.keySystemAccess){b&&b("createsession");var d=this.B.createSession();tC(this.u)&&(c=sxa(c,this.u.Bh));b&&b("genreq");c=d.generateRequest(a.contentType,c);var e=new oZ(null,null,null,d,null);c.then(function(){b&&b("genreqsuccess")},Eo(function(f){pxa(e,"t.generateRequest",f)})); -return e}if(pC(this.u))return uxa(this,c);if(sC(this.u))return txa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.u.u,c):this.element.webkitGenerateKeyRequest(this.u.u,c);return this.D=new oZ(this.element,this.u,c,null,null)}; -g.k.QL=function(a){var b=rZ(this,a);b&&b.fG(a)}; -g.k.PL=function(a){var b=rZ(this,a);b&&b.eG(a)}; -g.k.OL=function(a){var b=rZ(this,a);b&&b.dG(a)}; -g.k.ca=function(){g.C.prototype.ca.call(this);delete this.element};g.u(sZ,g.C); -sZ.prototype.init=function(){return We(this,function b(){var c=this,d,e;return xa(b,function(f){if(1==f.u)return g.ug(c.u,{position:"absolute",width:"1px",height:"1px",display:"block"}),c.u.src=c.C.D,document.body.appendChild(c.u),c.F.N(c.u,"encrypted",c.I),d=[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}],sa(f,navigator.requestMediaKeySystemAccess("com.youtube.fairplay",d),2);e=f.B;c.C.keySystemAccess= -e;c.B=new pZ(c.u,c.C);g.D(c,c.B);qZ(c.B);f.u=0})})}; -sZ.prototype.I=function(a){var b=this;if(!this.na()){var c=new Uint8Array(a.initData);a=new zy(c,a.initDataType);var d=Lwa(c).replace("skd://","https://"),e={},f=this.B.createSession(a,function(){b.ea()}); -f&&(g.D(this,f),this.D.push(f),Wwa(f,function(h){nxa(h,f.u,d,e,"fairplay")},function(){b.ea()},function(){},function(){}))}}; -sZ.prototype.ea=function(){}; -sZ.prototype.ca=function(){this.D=[];this.u&&this.u.parentNode&&this.u.parentNode.removeChild(this.u);g.C.prototype.ca.call(this)};g.u(tZ,hZ);tZ.prototype.F=function(a){var b=(0,g.N)(),c;if(!(c=this.D)){a:{c=a.cryptoPeriodIndex;if(!isNaN(c))for(var d=g.q(this.C.values),e=d.next();!e.done;e=d.next())if(1>=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}c=!1}c=!c}c?c=0:(c=a.u,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30)));this.u.push({time:b+c,info:a});this.B.Sb(c)};uZ.prototype.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; -uZ.prototype.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; -uZ.prototype.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; -uZ.prototype.findIndex=function(a){return g.gb(this.keys,function(b){return g.Ab(a,b)})};g.u(wZ,g.O);g.k=wZ.prototype;g.k.RL=function(a){vZ(this,"onecpt");a.initData&&yxa(this,new Uint8Array(a.initData),a.initDataType)}; -g.k.BP=function(a){vZ(this,"onndky");yxa(this,a.initData,a.contentType)}; -g.k.SB=function(a){this.C.push(a);yZ(this)}; -g.k.createSession=function(a){this.B.get(a.initData);this.Y=!0;var b=new lZ(this.videoData,this.W,a,this.drmSessionId);this.B.set(a.initData,b);b.subscribe("ctmp",this.FF,this);b.subscribe("hdentitled",this.RF,this);b.subscribe("keystatuseschange",this.xl,this);b.subscribe("licenseerror",this.yv,this);b.subscribe("newlicense",this.YF,this);b.subscribe("newsession",this.aG,this);b.subscribe("sessionready",this.nG,this);b.subscribe("fairplay_next_need_key_info",this.OF,this);Ywa(b,this.D)}; -g.k.YF=function(a){this.na()||(this.ea(),vZ(this,"onnelcswhb"),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.V("heartbeatparams",a)))}; -g.k.aG=function(){this.na()||(this.ea(),vZ(this,"newlcssn"),this.C.shift(),this.Y=!1,yZ(this))}; -g.k.nG=function(){if(pC(this.u)&&(this.ea(),vZ(this,"onsnrdy"),this.Ja--,0===this.Ja)){var a=this.X;a.element.msSetMediaKeys(a.C)}}; -g.k.xl=function(a){this.na()||(!this.ma&&this.videoData.ba("html5_log_drm_metrics_on_key_statuses")&&(Dxa(this),this.ma=!0),this.ea(),vZ(this,"onksch"),Cxa(this,hxa(a,this.ha)),this.V("keystatuseschange",a))}; -g.k.RF=function(){this.na()||this.fa||!rC(this.u)||(this.ea(),vZ(this,"onhdet"),this.Aa=CCa,this.V("hdproberequired"),this.V("qualitychange"))}; -g.k.FF=function(a,b){this.na()||this.V("ctmp",a,b)}; -g.k.OF=function(a,b){this.na()||this.V("fairplay_next_need_key_info",a,b)}; -g.k.yv=function(a,b,c,d){this.na()||(this.videoData.ba("html5_log_drm_metrics_on_error")&&Dxa(this),this.V("licenseerror",a,b,c,d))}; -g.k.co=function(a){return(void 0===a?0:a)&&this.Aa?this.Aa:this.K}; -g.k.ca=function(){this.u.keySystemAccess&&this.element.setMediaKeys(null);this.element=null;this.C=[];for(var a=g.q(this.B.values),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.FF,this),b.unsubscribe("hdentitled",this.RF,this),b.unsubscribe("keystatuseschange",this.xl,this),b.unsubscribe("licenseerror",this.yv,this),b.unsubscribe("newlicense",this.YF,this),b.unsubscribe("newsession",this.aG,this),b.unsubscribe("sessionready",this.nG,this),b.unsubscribe("fairplay_next_need_key_info", -this.OF,this),b.dispose();a=this.B;a.keys=[];a.values=[];g.O.prototype.ca.call(this)}; -g.k.sb=function(){for(var a={systemInfo:this.u.sb(),sessions:[]},b=g.q(this.B.values),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.sb());return a}; -g.k.Te=function(){return 0>=this.B.values.length?"no session":this.B.values[0].Te()+(this.F?"/KR":"")}; -g.k.ea=function(){};g.u(AZ,g.O); -AZ.prototype.handleError=function(a,b){var c=this;Hxa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!DZ(this,a.errorCode,a.details))&&!Kxa(this,a,b))if(Ixa(a)&&this.videoData.La&&this.videoData.La.B)BZ(this,a.errorCode,a.details),EZ(this,"highrepfallback","1",{BA:!0}),!this.videoData.ba("html5_hr_logging_killswitch")&&/^hr/.test(this.videoData.clientPlaybackNonce)&&btoa&&EZ(this,"afmts",btoa(this.videoData.adaptiveFormats),{BA:!0}), -Ola(this.videoData),this.V("highrepfallback");else if(a.u){var d=this.Ba?this.Ba.K.F:null;if(Ixa(a)&&d&&d.isLocked())var e="FORMAT_UNAVAILABLE";else if(!this.Sa.I&&"auth"===a.errorCode&&"429"===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}this.V("playererror",a.errorCode,e,g.vB(a.details),f)}else d=/^pp/.test(this.videoData.clientPlaybackNonce),BZ(this,a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(d="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+ -"&t="+(0,g.N)(),(new cF(d,"manifest",function(h){c.F=!0;EZ(c,"pathprobe",h)},function(h){BZ(c,h.errorCode,h.details)})).send())}; -AZ.prototype.ca=function(){this.Ba=null;this.setMediaElement(null);g.O.prototype.ca.call(this)}; -AZ.prototype.setMediaElement=function(a){this.da=a}; -AZ.prototype.ea=function(){};GZ.prototype.setPlaybackRate=function(a){this.playbackRate=a}; -GZ.prototype.ba=function(a){return g.Q(this.W.experiments,a)};g.u(JZ,g.C);JZ.prototype.lc=function(a){cya(this);this.playerState=a.state;0<=this.B&&g.GK(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; -JZ.prototype.onError=function(a){"player.fatalexception"!==a&&(a.match(fDa)?this.networkErrorCount++:this.nonNetworkErrorCount++)}; -JZ.prototype.send=function(){if(!(this.C||0>this.u)){cya(this);var a=g.rY(this.provider)-this.u,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.U(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.U(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.U(this.playerState,16)||g.U(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.U(this.playerState,1)&& -g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.U(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.U(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");var d=ZI(this.provider.videoData);c="LIVE_STREAM_MODE_UNKNOWN";"live"===d?c="LIVE_STREAM_MODE_LIVE":"dvr"===d&&(c="LIVE_STREAM_MODE_DVR");d=dya(this.provider);var e=0>this.B?a:this.B-this.u;a=this.provider.W.Ta+36E5<(0,g.N)();b={started:0<=this.B,stateAtSend:b, -joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.WI(this.provider.videoData),isGapless:this.provider.videoData.Lh};!a&&this.provider.ba("html5_health_to_gel")&&g.Nq("html5PlayerHealthEvent",b);this.provider.ba("html5_health_to_qoe")&&(b.muted=a,this.I(g.vB(b)));this.C=!0; -this.dispose()}}; -JZ.prototype.ca=function(){this.C||this.send();g.C.prototype.ca.call(this)}; -var fDa=/\bnet\b/;g.u(g.NZ,g.C);g.k=g.NZ.prototype;g.k.OK=function(){var a=g.rY(this.provider);OZ(this,a)}; -g.k.rq=function(){return this.ia}; -g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.na()&&(a=0<=a?a:g.rY(this.provider),-1<["PL","B","S"].indexOf(this.Pc)&&(!g.Sb(this.u)||a>=this.C+30)&&(g.MZ(this,a,"vps",[this.Pc]),this.C=a),!g.Sb(this.u)))if(7E3===this.sequenceNumber&&g.Is(Error("Sent over 7000 pings")),7E3<=this.sequenceNumber)this.u={};else{PZ(this,a);var b=a,c=this.provider.C(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Ga,h=e&&!this.Ya;if(d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.fu(),this.u.qoealert=["1"],this.ha=!0)}"B"!==a||"PL"!==this.Pc&&"PB"!==this.Pc||(this.Y=!0);this.C=c}"B"=== -a&&"PL"===this.Pc||this.provider.videoData.nk?PZ(this,c):OZ(this,c);"PL"===a&&this.Nb.Sb();g.MZ(this,c,"vps",[a]);this.Pc=a;this.C=this.ma=c;this.P=!0}a=b.getData();g.U(b,128)&&a&&this.Er(c,a.errorCode,a.cH);(g.U(b,2)||g.U(b,128))&&this.reportStats(c);b.Hb()&&!this.D&&(0<=this.B&&(this.u.user_intent=[this.B.toString()]),this.D=!0);QZ(this)}; -g.k.wl=ba(20);g.k.vl=ba(23);g.k.Zh=ba(16);g.k.getPlayerState=function(a){if(g.U(a,128))return"ER";if(g.U(a,512))return"SU";if(g.U(a,16)||g.U(a,32))return"S";var b=gDa[JM(a)];g.wD(this.provider.W)&&"B"===b&&3===this.provider.getVisibilityState()&&(b="SU");"B"===b&&g.U(a,4)&&(b="PB");return b}; -g.k.ca=function(){g.C.prototype.ca.call(this);window.clearInterval(this.Aa)}; -g.k.Na=function(a,b,c){var d=this.u.ctmp||[],e=-1!==this.Zb.indexOf(a);e||this.Zb.push(a);if(!c||!e){/[^a-zA-Z0-9;.!_-]/.test(b)&&(b=b.replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"));if(!c&&!/^t[.]/.test(b)){var f=1E3*g.rY(this.provider);b="t."+f.toFixed()+";"+b}hDa(a,b);d.push(a+":"+b);this.u.ctmp=d;QZ(this);return f}}; -g.k.Fr=function(a,b,c){this.F={NR:Number(this.Na("glrem","nst."+a.toFixed()+";rem."+b.toFixed()+";ca."+ +c)),xF:a,FR:b,isAd:c}}; -g.k.Yo=function(a,b,c){g.MZ(this,g.rY(this.provider),"ad_playback",[a,b,c])}; -g.k.cn=function(a,b,c,d,e,f){1===e&&this.reportStats();this.adCpn=a;this.K=b;this.adFormat=f;a=g.rY(this.provider);b=this.provider.u();1===e&&g.MZ(this,a,"vps",[this.Pc]);f=this.u.xvt||[];f.push("t."+a.toFixed(3)+";m."+b.toFixed(3)+";g.2;tt."+e+";np.0;c."+c+";d."+d);this.u.xvt=f;0===e&&(this.reportStats(),this.K=this.adCpn="",this.adFormat=void 0)}; -var hDa=g.Ka,l2={},gDa=(l2[5]="N",l2[-1]="N",l2[3]="B",l2[0]="EN",l2[2]="PA",l2[1]="PL",l2);jya.prototype.update=function(){if(this.K){var a=this.provider.u()||0,b=g.rY(this.provider);if(a!==this.u||oya(this,a,b)){var c;if(!(c=ab-this.lastUpdateTime+2||oya(this,a,b))){var d=this.provider.De();c=d.volume;var e=c!==this.P;d=d.muted;d!==this.R?(this.R=d,c=!0):(!e||0<=this.D||(this.P=c,this.D=b),c=b-this.D,0<=this.D&&2=this.provider.videoData.yh){if(this.C&&this.provider.videoData.yh){var a=$Z(this,"delayplay");a.ub=!0;a.send();this.X=!0}sya(this)}}; -g.k.lc=function(a){this.na()||(g.U(a.state,2)?(this.currentPlayerState="paused",g.GK(a,2)&&this.C&&d_(this).send()):g.U(a.state,8)?(this.currentPlayerState="playing",this.C&&isNaN(this.B)&&a_(this,!1)):this.currentPlayerState="paused",this.D&&g.U(a.state,128)&&(c_(this,"error-100"),g.Io(this.D)))}; -g.k.ca=function(){g.C.prototype.ca.call(this);g.Io(this.B);this.B=NaN;mya(this.u);g.Io(this.D)}; -g.k.sb=function(){return XZ($Z(this,"playback"))}; -g.k.rp=function(){this.provider.videoData.qd.eventLabel=kJ(this.provider.videoData);this.provider.videoData.qd.playerStyle=this.provider.W.playerStyle;this.provider.videoData.Wo&&(this.provider.videoData.qd.feature="pyv");this.provider.videoData.qd.vid=this.provider.videoData.videoId;var a=this.provider.videoData.qd;var b=this.provider.videoData;b=b.isAd()||!!b.Wo;a.isAd=b}; -g.k.Yf=function(a){var b=$Z(this,"engage");b.K=a;return pya(b,yya(this.provider))};xya.prototype.isEmpty=function(){return this.endTime===this.startTime};e_.prototype.ba=function(a){return g.Q(this.W.experiments,a)}; -var zya={other:1,none:2,wifi:3,cellular:7};g.u(g.f_,g.C);g.k=g.f_.prototype;g.k.lc=function(a){var b;if(g.GK(a,1024)||g.GK(a,2048)||g.GK(a,512)||g.GK(a,4)){if(this.B){var c=this.B;0<=c.B||(c.u=-1,c.delay.stop())}this.qoe&&(c=this.qoe,c.D||(c.B=-1))}this.provider.videoData.enableServerStitchedDai&&this.C?null===(b=this.D.get(this.C))||void 0===b?void 0:b.lc(a):this.u&&this.u.lc(a);this.qoe&&this.qoe.lc(a);this.B&&this.B.lc(a)}; -g.k.ie=function(){var a;this.provider.videoData.enableServerStitchedDai&&this.C?null===(a=this.D.get(this.C))||void 0===a?void 0:a.ie():this.u&&this.u.ie()}; -g.k.onError=function(a,b){if(this.qoe)this.qoe.onError(a,b);if(this.B)this.B.onError(a)}; -g.k.wl=ba(19);g.k.Na=function(a,b,c){this.qoe&&this.qoe.Na(a,b,c)}; -g.k.Fr=function(a,b,c){this.qoe&&this.qoe.Fr(a,b,c)}; -g.k.Dr=function(a){this.qoe&&this.qoe.Dr(a)}; -g.k.Yo=function(a,b,c){this.qoe&&this.qoe.Yo(a,b,c)}; -g.k.vl=ba(22);g.k.Zh=ba(15);g.k.rq=function(){if(this.qoe)return this.qoe.rq()}; -g.k.sb=function(){var a;if(this.provider.videoData.enableServerStitchedDai&&this.C)null===(a=this.D.get(this.C))||void 0===a?void 0:a.sb();else if(this.u)return this.u.sb();return{}}; -g.k.Yf=function(a){return this.u?this.u.Yf(a):function(){}}; -g.k.rp=function(){this.u&&this.u.rp()};Fya.prototype.Lc=function(){return this.La.Lc()};g.u(j_,g.O);j_.prototype.Tj=function(){return this.K}; -j_.prototype.Fh=function(){return Math.max(this.R()-Jya(this,!0),this.videoData.Kc())}; -j_.prototype.ea=function(){};g.u(o_,g.C);o_.prototype.setMediaElement=function(a){(this.da=a)&&this.C.Sb()}; -o_.prototype.lc=function(a){this.playerState=a.state}; -o_.prototype.X=function(){var a=this;if(this.da&&!this.playerState.isError()){var b=this.da,c=b.getCurrentTime(),d=8===this.playerState.state&&c>this.u,e=Bma(this.playerState),f=this.visibility.isBackground()||this.playerState.isSuspended();p_(this,this.fa,e&&!f,d,"qoe.slowseek",function(){},"timeout"); -e=e&&isFinite(this.u)&&0c-this.D;f=this.videoData.isAd()&&d&&!e&&f;p_(this,this.ia,f,!f,"ad.rebuftimeout",function(){return a.V("skipslowad")},"skip_slow_ad"); -this.D=c;this.C.start()}}; -o_.prototype.sb=function(a){a=a.sb();this.u&&(a.stt=this.u.toFixed(3));this.Ba&&Object.assign(a,this.Ba.sb());this.da&&Object.assign(a,this.da.sb());return a}; -m_.prototype.reset=function(){this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -m_.prototype.sb=function(){var a={},b=(0,g.N)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.B&&(a.wtd=(b-this.B).toFixed());this.u&&(a.wssd=(b-this.u).toFixed());return a};g.u(r_,g.O);g.k=r_.prototype;g.k.hi=function(a){t_(this);this.videoData=a;this.K=this.u=null;this.C=this.Ga=this.timestampOffset=0;this.ia=!0;this.I.dispose();this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);this.I.setMediaElement(this.da);this.I.Ba=this.Ba}; -g.k.setMediaElement=function(a){g.ut(this.Aa);(this.da=a)?(Yya(this),q_(this)):t_(this);this.I.setMediaElement(a)}; -g.k.lc=function(a){this.I.lc(a);this.ba("html5_exponential_memory_for_sticky")&&(a.state.Hb()?this.Y.Sb():this.Y.stop());var b;if(b=this.da)b=8===a.hk.state&&HM(a.state)&&g.IM(a.state)&&this.policy.D;if(b){a=this.da.getCurrentTime();b=this.da.Gf();var c=this.ba("manifestless_post_live_ufph")||this.ba("manifestless_post_live")?Xz(b,Math.max(a-3.5,0)):Xz(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.Qa-c)||(this.V("ctmp","seekover","b."+Wz(b, -"_")+";cmt."+a),this.Qa=c,this.seekTo(c,{Gq:!0})))}}; -g.k.getCurrentTime=function(){return!isNaN(this.B)&&isFinite(this.B)?this.B:this.da&&Wya(this)?this.da.getCurrentTime()+this.timestampOffset:this.C||0}; -g.k.Mi=function(){return this.getCurrentTime()-this.yc()}; -g.k.Fh=function(){return this.u?this.u.Fh():Infinity}; -g.k.isAtLiveHead=function(a){if(!this.u)return!1;void 0===a&&(a=this.getCurrentTime());return l_(this.u,a)}; -g.k.Tj=function(){return!!this.u&&this.u.Tj()}; -g.k.seekTo=function(a,b){var c=void 0===b?{}:b,d=void 0===c.bI?!1:c.bI,e=void 0===c.cI?0:c.cI,f=void 0===c.Gq?!1:c.Gq;c=void 0===c.OA?0:c.OA;var h=a,l=!isFinite(h)||(this.u?l_(this.u,h):h>=this.Oc())||!g.eJ(this.videoData);l||this.V("ctmp","seeknotallowed",h+";"+this.Oc());if(!l)return this.D&&(this.D=null,Tya(this)),vm(this.getCurrentTime());this.ea();if(a===this.B&&this.P)return this.ea(),this.F;this.P&&t_(this);this.F||(this.F=new py);a&&!isFinite(a)&&s_(this,!1);h=a;(v_(this)&&!(this.da&&0this.B;)(c=this.data.shift())&&TW(this,c,!0);RW(this)}; +g.k.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); +c&&(TW(this,c,b),g.yb(this.data,function(d){return d.key===a}),RW(this))}; +g.k.Ef=function(){var a;if(a=void 0===a?!1:a)for(var b=g.t(this.data),c=b.next();!c.done;c=b.next())TW(this,c.value,a);this.data=[];RW(this)}; +g.k.qa=function(){var a=this;g.C.prototype.qa.call(this);this.data.forEach(function(b){TW(a,b,!0)}); +this.data=[]};g.w(UW,g.C);UW.prototype.QF=function(a){if(a)return this.u.get(a)}; +UW.prototype.qa=function(){this.j.Ef();this.u.Ef();g.C.prototype.qa.call(this)};g.w(VW,g.lq);VW.prototype.ma=function(a){var b=g.ya.apply(1,arguments);if(this.D.has(a))return this.D.get(a).push(b),!0;var c=!1;try{for(b=[b],this.D.set(a,b);b.length;)c=g.lq.prototype.ma.call.apply(g.lq.prototype.ma,[this,a].concat(g.u(b.shift())))}finally{this.D.delete(a)}return c};g.w(jSa,g.C);jSa.prototype.qa=function(){g.C.prototype.qa.call(this);this.j=null;this.u&&this.u.disconnect()};g.cdb=Nd(function(){var a=window.AudioContext||window.webkitAudioContext;try{return new a}catch(b){return b.name}});var h4;h4={};g.WW=(h4.STOP_EVENT_PROPAGATION="html5-stop-propagation",h4.IV_DRAWER_ENABLED="ytp-iv-drawer-enabled",h4.IV_DRAWER_OPEN="ytp-iv-drawer-open",h4.MAIN_VIDEO="html5-main-video",h4.VIDEO_CONTAINER="html5-video-container",h4.VIDEO_CONTAINER_TRANSITIONING="html5-video-container-transitioning",h4.HOUSE_BRAND="house-brand",h4);g.w(mSa,g.U);g.k=mSa.prototype;g.k.Dr=function(){g.Rp(this.element,g.ya.apply(0,arguments))}; +g.k.rj=function(){this.kc&&(this.kc.removeEventListener("focus",this.MN),g.xf(this.kc),this.kc=null)}; +g.k.jL=function(){this.isDisposed();var a=this.app.V();a.wm||this.Dr("tag-pool-enabled");a.J&&this.Dr(g.WW.HOUSE_BRAND);"gvn"===a.playerStyle&&(this.Dr("ytp-gvn"),this.element.style.backgroundColor="transparent");a.Dc&&(this.YK=g.pC("yt-dom-content-change",this.resize,this));this.S(window,"orientationchange",this.resize,this);this.S(window,"resize",this.resize,this)}; +g.k.SD=function(a){g.kK(this.app.V());this.mG=!a;XW(this)}; +g.k.resize=function(){if(this.kc){var a=this.Ij();if(!a.Bf()){var b=!g.Ie(a,this.Ez.getSize()),c=rSa(this);b&&(this.Ez.width=a.width,this.Ez.height=a.height);a=this.app.V();(c||b||a.Dc)&&this.app.Ta.ma("resize",this.getPlayerSize())}}}; +g.k.Gs=function(a,b){this.updateVideoData(b)}; +g.k.updateVideoData=function(a){if(this.kc){var b=this.app.V();nB&&(this.kc.setAttribute("x-webkit-airplay","allow"),a.title?this.kc.setAttribute("title",a.title):this.kc.removeAttribute("title"));Cza(a)?this.kc.setAttribute("disableremoteplayback",""):this.kc.removeAttribute("disableremoteplayback");this.kc.setAttribute("controlslist","nodownload");b.Xo&&a.videoId&&(this.kc.poster=a.wg("default.jpg"))}b=g.DM(a,"yt:bgcolor");this.kB.style.backgroundColor=b?b:"";this.qN=nz(g.DM(a,"yt:stretch"));this.rN= +nz(g.DM(a,"yt:crop"),!0);g.Up(this.element,"ytp-dni",a.D);this.resize()}; +g.k.setGlobalCrop=function(a){this.gM=nz(a,!0);this.resize()}; +g.k.setCenterCrop=function(a){this.QS=a;this.resize()}; +g.k.cm=function(){}; +g.k.getPlayerSize=function(){var a=this.app.V(),b=this.app.Ta.isFullscreen();if(b&&Xy())return new g.He(window.outerWidth,window.outerHeight);if(b||a.Vn){if(window.matchMedia){a="(width: "+window.innerWidth+"px) and (height: "+window.innerHeight+"px)";this.LC&&this.LC.media===a||(this.LC=window.matchMedia(a));var c=this.LC&&this.LC.matches}if(c)return new g.He(window.innerWidth,window.innerHeight)}else if(!isNaN(this.FB.width)&&!isNaN(this.FB.height))return this.FB.clone();return new g.He(this.element.clientWidth, +this.element.clientHeight)}; +g.k.Ij=function(){var a=this.app.V().K("enable_desktop_player_underlay"),b=this.getPlayerSize(),c=g.gJ(this.app.V().experiments,"player_underlay_min_player_width");return a&&this.zO&&b.width>c?new g.He(b.width*g.gJ(this.app.V().experiments,"player_underlay_video_width_fraction"),b.height):b}; +g.k.getVideoAspectRatio=function(){return isNaN(this.qN)?oSa(this):this.qN}; +g.k.getVideoContentRect=function(a){var b=this.Ij();a=pSa(this,b,this.getVideoAspectRatio(),a);return new g.Em((b.width-a.width)/2,(b.height-a.height)/2,a.width,a.height)}; +g.k.Wz=function(a){this.zO=a;this.resize()}; +g.k.uG=function(){return this.vH}; +g.k.onMutedAutoplayChange=function(){XW(this)}; +g.k.setInternalSize=function(a){g.Ie(this.FB,a)||(this.FB=a,this.resize())}; +g.k.qa=function(){this.YK&&g.qC(this.YK);this.rj();g.U.prototype.qa.call(this)};g.k=sSa.prototype;g.k.click=function(a,b){this.elements.has(a);this.j.has(a);var c=g.FE();c&&a.visualElement&&g.kP(c,a.visualElement,b)}; +g.k.sb=function(a,b,c,d){var e=this;d=void 0===d?!1:d;this.elements.has(a);this.elements.add(a);c=fta(c);a.visualElement=c;var f=g.FE(),h=g.EE();f&&h&&g.my(g.bP)(void 0,f,h,c);g.bb(b,function(){tSa(e,a)}); +d&&this.u.add(a)}; +g.k.Zf=function(a,b,c){var d=this;c=void 0===c?!1:c;this.elements.has(a);this.elements.add(a);g.bb(b,function(){tSa(d,a)}); +c&&this.u.add(a)}; +g.k.fL=function(a,b){this.clientPlaybackNonce!==b&&(this.clientPlaybackNonce=b,pP().wk(a),uSa(this))}; +g.k.og=function(a,b){this.elements.has(a);b&&(a.visualElement=g.BE(b))}; +g.k.Dk=function(a){return this.elements.has(a)};vSa.prototype.setPlaybackRate=function(a){this.playbackRate=Math.max(1,a)}; +vSa.prototype.getPlaybackRate=function(){return this.playbackRate};zSa.prototype.seek=function(a,b){a!==this.j&&(this.seekCount=0);this.j=a;var c=this.videoTrack.u,d=this.audioTrack.u,e=this.audioTrack.Vb,f=CSa(this,this.videoTrack,a,this.videoTrack.Vb,b);b=CSa(this,this.audioTrack,this.policy.uf?a:f,e,b);a=Math.max(a,f,b);this.C=!0;this.Sa.isManifestless&&(ASa(this.videoTrack,c),ASa(this.audioTrack,d));return a}; +zSa.prototype.hh=function(){return this.C}; +var BSa=2/24;HSa.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.M)()};g.w(JSa,g.dE);g.k=JSa.prototype; +g.k.VN=function(a,b,c,d){if(this.C&&d){d=[];var e=[],f=[],h=void 0,l=0;b&&(d=b.j,e=b.u,f=b.C,h=b.B,l=b.YA);this.C.fO(a.Ma,a.startTime,this.u,d,e,f,c,l,h)}if(c){if(b&&!this.ya.has(a.Ma)){c=a.startTime;d=[];for(e=0;ethis.policy.ya&&(null==(c=this.j)?0:KH(c.info))&&(null==(d=this.nextVideo)||!KH(d.info))&&(this.T=!0)}};$Sa.prototype.Vq=function(a){this.timestampOffset=a};lTa.prototype.dispose=function(){this.oa=!0}; +lTa.prototype.isDisposed=function(){return this.oa}; +g.w(xX,Error);ATa.prototype.skip=function(a){this.offset+=a}; +ATa.prototype.Yp=function(){return this.offset};g.k=ETa.prototype;g.k.bU=function(){return this.u}; +g.k.vk=function(){this.u=[];BX(this);DTa(this)}; +g.k.lw=function(a){this.Qa=this.u.shift().info;a.info.equals(this.Qa)}; +g.k.Om=function(){return g.Yl(this.u,function(a){return a.info})}; +g.k.Ek=function(){return!!this.I.info.audio}; +g.k.getDuration=function(){return this.I.index.ys()};var WTa=0;g.k=EX.prototype;g.k.gs=function(){this.oa||(this.oa=this.callbacks.gs?this.callbacks.gs():1);return this.oa}; +g.k.wG=function(){return this.Hk?1!==this.gs():!1}; +g.k.Mv=function(){this.Qa=this.now();this.callbacks.Mv()}; +g.k.nt=function(a,b){$Ta(this,a,b);50>a-this.C&&HX(this)||aUa(this,a,b);this.callbacks.nt(a,b)}; +g.k.Jq=function(){this.callbacks.Jq()}; +g.k.qv=function(){return this.u>this.kH&&cUa(this,this.u)}; +g.k.now=function(){return(0,g.M)()};KX.prototype.feed=function(a){MF(this.j,a);this.gf()}; +KX.prototype.gf=function(){if(this.C){if(!this.j.totalLength)return;var a=this.j.split(this.B-this.u),b=a.oC;a=a.Wk;this.callbacks.aO(this.C,b,this.u,this.B);this.u+=b.totalLength;this.j=a;this.u===this.B&&(this.C=this.B=this.u=void 0)}for(;;){var c=0;a=g.t(jUa(this.j,c));b=a.next().value;c=a.next().value;c=g.t(jUa(this.j,c));a=c.next().value;c=c.next().value;if(0>b||0>a)break;if(!(c+a<=this.j.totalLength)){if(!(this.callbacks.aO&&c+1<=this.j.totalLength))break;c=this.j.split(c).Wk;this.callbacks.aO(b, +c,0,a)&&(this.C=b,this.u=c.totalLength,this.B=a,this.j=new LF([]));break}a=this.j.split(c).Wk.split(a);c=a.Wk;this.callbacks.yz(b,a.oC);this.j=c}}; +KX.prototype.dispose=function(){this.j=new LF};g.k=LX.prototype;g.k.JL=function(){return 0}; +g.k.RF=function(){return null}; +g.k.OT=function(){return null}; +g.k.Os=function(){return 1<=this.state}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.onStateChange=function(){}; +g.k.qc=function(a){var b=this.state;this.state=a;this.onStateChange(b);this.callback&&this.callback(this,b)}; +g.k.qz=function(a){a&&this.state=this.xhr.HEADERS_RECEIVED}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.B}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&!!this.B}; +g.k.nq=function(){return 0this.status&&!!this.u}; +g.k.nq=function(){return!!this.j.totalLength}; +g.k.jw=function(){var a=this.j;this.j=new LF;return a}; +g.k.pH=function(){return this.j}; +g.k.isDisposed=function(){return this.I}; +g.k.abort=function(){this.hp&&this.hp.cancel().catch(function(){}); +this.B&&this.B.abort();this.I=!0}; +g.k.Jt=function(){return!0}; +g.k.GH=function(){return this.J}; +g.k.zf=function(){return this.errorMessage};g.k=qUa.prototype;g.k.onDone=function(){if(!this.isDisposed){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.j=!0;this.callbacks.Jq()}}; +g.k.wz=function(){2===this.xhr.readyState&&this.callbacks.Mv()}; +g.k.Ie=function(a){this.isDisposed||(this.status=this.xhr.status,this.j||(this.u=a.loaded),this.callbacks.nt((0,g.M)(),a.loaded))}; +g.k.Zu=function(){return 2<=this.xhr.readyState}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.DD(Error("Could not read XHR header "+a)),""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.u}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&this.j&&!!this.u}; +g.k.nq=function(){return this.j&&!!this.response&&!!this.response.byteLength}; +g.k.jw=function(){var a=this.response;this.response=void 0;return new LF([new Uint8Array(a)])}; +g.k.pH=function(){return new LF([new Uint8Array(this.response)])}; +g.k.abort=function(){this.isDisposed=!0;this.xhr.abort()}; +g.k.Jt=function(){return!1}; +g.k.GH=function(){return!1}; +g.k.zf=function(){return""};g.w(MX,g.C);g.k=MX.prototype;g.k.G8=function(){if(!this.isDisposed()&&!this.D){var a=(0,g.M)(),b=!1;HX(this.timing)?(a=this.timing.ea,YTa(this.timing),this.timing.ea-a>=.8*this.policy.Nd?(this.u++,b=this.u>=this.policy.wm):this.u=0):(b=this.timing,b.Hk&&iUa(b,b.now()),a-=b.T,this.policy.zm&&01E3*b);0this.state)return!1;if(this.Zd&&this.Zd.Le.length)return!0;var a;return(null==(a=this.xhr)?0:a.nq())?!0:!1}; +g.k.Rv=function(){this.Sm(!1);return this.Zd?this.Zd.Rv():[]}; +g.k.Sm=function(a){try{if(a||this.xhr.Zu()&&this.xhr.nq()&&!yUa(this)&&!this.Bz){if(!this.Zd){var b;this.xhr.Jt()||this.uj?b=this.info.C:b=this.xhr.Kl();this.Zd=new fW(this.policy,this.info.gb,b)}this.xhr.nq()&&(this.uj?this.uj.feed(this.xhr.jw()):gW(this.Zd,this.xhr.jw(),a&&!this.xhr.nq()))}}catch(c){this.uj?xUa(this,c):g.DD(c)}}; +g.k.yz=function(a,b){switch(a){case 21:a=b.split(1).Wk;gW(this.Zd,a,!1);break;case 22:this.xY=!0;gW(this.Zd,new LF([]),!0);break;case 43:if(a=nL(new hL(b),1))this.info.Bk(this.Me,a),this.yY=!0;break;case 45:this.policy.Rk&&(b=KLa(new hL(b)),a=b.XH,b=b.YH,a&&b&&(this.FK=a/b))}}; +g.k.aO=function(a,b,c){if(21!==a)return!1;if(!c){if(1===b.totalLength)return!0;b=b.split(1).Wk}gW(this.Zd,b,!1);return!0}; +g.k.Kl=function(){return this.xhr.Kl()}; +g.k.JL=function(){return this.Wx}; +g.k.gs=function(){return this.wG()?2:1}; +g.k.wG=function(){if(!this.policy.I.dk||!isNaN(this.info.Tg)&&0this.info.gb[0].Ma?!1:!0}; +g.k.bM=function(){return+this.xhr.getResponseHeader("X-Segment-Lmt")||0}; +g.k.RF=function(){this.xhr&&(this.Po=Number(this.xhr.getResponseHeader("X-Head-Seqnum")));return this.Po}; +g.k.OT=function(){this.xhr&&(this.kq=Number(this.xhr.getResponseHeader("X-Head-Time-Millis")));return this.kq}; +g.k.Ye=function(){return this.Bd.Ye()};g.w(bX,LX);g.k=bX.prototype;g.k.onStateChange=function(){this.isDisposed()&&(jW(this.eg,this.formatId),this.j.dispose())}; +g.k.Vp=function(){var a=HQa(this.eg,this.formatId),b;var c=(null==(b=this.eg.Xc.get(this.formatId))?void 0:b.bytesReceived)||0;var d;b=(null==(d=this.eg.Xc.get(this.formatId))?void 0:d.Qx)||0;return{expected:a,received:c,bytesShifted:b,sliceLength:IQa(this.eg,this.formatId),isEnded:this.eg.Qh(this.formatId)}}; +g.k.JT=function(){return 0}; +g.k.qv=function(){return!0}; +g.k.Vj=function(){return this.eg.Vj(this.formatId)}; +g.k.Rv=function(){return[]}; +g.k.Nk=function(){return this.eg.Nk(this.formatId)}; +g.k.Ye=function(){return this.lastError}; +g.k.As=function(){return 0};g.k=zUa.prototype;g.k.lw=function(a){this.C.lw(a);var b;null!=(b=this.T)&&(b.j=fTa(b,b.ze,b.Az,b.j,a));this.dc=Math.max(this.dc,a.info.j.info.dc||0)}; +g.k.getDuration=function(){return this.j.index.ys()}; +g.k.vk=function(){dX(this);this.C.vk()}; +g.k.VL=function(){return this.C}; +g.k.isRequestPending=function(a){return this.B.length?a===this.B[this.B.length-1].info.gb[0].Ma:!1}; +g.k.Vq=function(a){var b;null==(b=this.T)||b.Vq(a)};g.w($X,g.C); +$X.prototype.Fs=function(a){var b=a.info.gb[0].j,c=a.Ye();if(GF(b.u.j)){var d=g.hg(a.zf(),3);this.Fa.xa("dldbrerr",{em:d||"none"})}d=a.info.gb[0].Ma;var e=LSa(this.j,a.info.gb[0].C,d);"net.badstatus"===c&&(this.I+=1);if(a.canRetry()){if(!(3<=a.info.j.u&&this.u&&a.info.Im()&&"net.badstatus"===a.Ye()&&this.u.Fs(e,d))){d=(b.info.video&&1b.SG||0b.tN)){this.Bd.iE(!1);this.NO=(0,g.M)();var c;null==(c=this.ID)||c.stop()}}}; +g.k.eD=function(a){this.callbacks.eD(a)}; +g.k.dO=function(a){this.yX=!0;this.info.j.Bk(this.Me,a.redirectUrl)}; +g.k.hD=function(a){this.callbacks.hD(a)}; +g.k.ZC=function(a){if(this.policy.C){var b=a.videoId,c=a.formatId,d=iVa({videoId:b,itag:c.itag,jj:c.jj,xtags:c.xtags}),e=a.mimeType||"",f,h,l=new TG((null==(f=a.LU)?void 0:f.first)||0,(null==(h=a.LU)?void 0:h.eV)||0),m,n;f=new TG((null==(m=a.indexRange)?void 0:m.first)||0,(null==(n=a.indexRange)?void 0:n.eV)||0);this.Sa.I.get(d)||(a=this.Sa,d=a.j[c.itag],c=JI({lmt:""+c.jj,itag:""+c.itag,xtags:c.xtags,type:e},null),EI(a,new BH(d.T,c,l,f),b));this.policy.C&&this.callbacks.ZC(b)}}; +g.k.fD=function(a){a.XH&&a.YH&&this.callbacks.fD(a)}; +g.k.canRetry=function(){this.isDisposed();return this.Bd.canRetry(!1)}; +g.k.dispose=function(){if(!this.isDisposed()){g.C.prototype.dispose.call(this);this.Bd.dispose();var a;null==(a=this.ID)||a.dispose();this.qc(-1)}}; +g.k.qc=function(a){this.state=a;qY(this.callbacks,this)}; +g.k.uv=function(){return this.info.uv()}; +g.k.Kv=function(a,b,c,d){d&&(this.clipId=d);this.eg.Kv(a,b,c,d)}; +g.k.Iq=function(a){this.eg.Iq(a);qY(this.callbacks,this)}; +g.k.Vj=function(a){return this.eg.Vj(a)}; +g.k.Om=function(a){return this.eg.Om(a)}; +g.k.Nk=function(a){return this.eg.Nk(a)}; +g.k.Up=function(){return this.eg.Up()}; +g.k.gs=function(){return 1}; +g.k.aG=function(){return this.Dh.requestNumber}; +g.k.hs=function(){return this.clipId}; +g.k.UV=function(){this.WA()}; +g.k.WA=function(){var a;null==(a=this.xhr)||a.abort();IX(this.Dh)}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.YU=function(){return 3===this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.ZU=function(){return 4===this.state}; +g.k.Os=function(){return 1<=this.state}; +g.k.As=function(){return this.Bd.As()}; +g.k.IT=function(){return this.info.data.EK}; +g.k.rU=function(){}; +g.k.Ye=function(){return this.Bd.Ye()}; +g.k.Vp=function(){var a=uUa(this.Bd);Object.assign(a,PVa(this.info));a.req="sabr";a.rn=this.aG();var b;if(null==(b=this.xhr)?0:b.status)a.rc=this.policy.Eq?this.xhr.status:this.xhr.status.toString();var c;(b=null==(c=this.xhr)?void 0:c.zf())&&(a.msg=b);this.NO&&(c=OVa(this,this.NO-this.Dh.j),a.letm=c.u4,a.mrbps=c.SG,a.mram=c.tN);return a};gY.prototype.uv=function(){return 1===this.requestType}; +gY.prototype.ML=function(){var a;return(null==(a=this.callbacks)?void 0:a.ML())||0};g.w(hY,g.C);hY.prototype.encrypt=function(a){(0,g.M)();if(this.u)var b=this.u;else this.B?(b=new QJ(this.B,this.j.j),g.E(this,b),this.u=b):this.u=new PJ(this.j.j),b=this.u;return b.encrypt(a,this.iv)}; +hY.prototype.decrypt=function(a,b){(0,g.M)();return(new PJ(this.j.j)).decrypt(a,b)};bWa.prototype.decrypt=function(a){var b=this,c,d,e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(b.j.length&&!b.j[0].isEncrypted)return m.return();b.u=!0;b.Mk.Vc("omd_s");c=new Uint8Array(16);HJ()?d=new OJ(a):e=new PJ(a);case 2:if(!b.j.length||!b.j[0].isEncrypted){m.Ka(3);break}f=b.j.shift();if(!d){h=e.decrypt(QF(f.buffer),c);m.Ka(4);break}return g.y(m,d.decrypt(QF(f.buffer),c),5);case 5:h=m.u;case 4:l=h;for(var n=0;nc&&d.u.pop();EUa(b);b.u&&cf||f!==h)&&b.xa("sbu_mismatch",{b:jI(e),c:b.currentTime,s:dH(d)})},0))}this.gf()}; +g.k.v5=function(a){if(this.Wa){var b=RX(a===this.Wa.j?this.audioTrack:this.videoTrack);if(a=a.ZL())for(var c=0;c=c||cthis.B&&(this.B=c,g.hd(this.j)||(this.j={},this.C.stop(),this.u.stop())),this.j[b]=a,g.Jp(this.u))}}; +AY.prototype.D=function(){for(var a=g.t(Object.keys(this.j)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.ma;for(var d=this.B,e=this.j[c].match(Si),f=[],h=g.t(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+g.Ke(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}}c=!1}c?(c=a.j,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30))):c=0;this.ma("log_qoe",{wvagt:"delay."+c,cpi:a.cryptoPeriodIndex,reqlen:this.j.length}); +0>=c?nXa(this,a):(this.j.push({time:b+c,info:a}),g.Jp(this.u,c))}}; +BY.prototype.qa=function(){this.j=[];zY.prototype.qa.call(this)};var q4={},uXa=(q4.DRM_TRACK_TYPE_AUDIO="AUDIO",q4.DRM_TRACK_TYPE_SD="SD",q4.DRM_TRACK_TYPE_HD="HD",q4.DRM_TRACK_TYPE_UHD1="UHD1",q4);g.w(rXa,g.C);rXa.prototype.RD=function(a,b){this.onSuccess=a;this.onError=b};g.w(wXa,g.dE);g.k=wXa.prototype;g.k.ep=function(a){var b=this;this.isDisposed()||0>=a.size||(a.forEach(function(c,d){var e=aJ(b.u)?d:c;d=new Uint8Array(aJ(b.u)?c:d);aJ(b.u)&&MXa(d);c=g.gg(d,4);MXa(d);d=g.gg(d,4);b.j[c]?b.j[c].status=e:b.j[d]?b.j[d].status=e:b.j[c]={type:"",status:e}}),HXa(this,","),CY(this,{onkeystatuschange:1}),this.status="kc",this.ma("keystatuseschange",this))}; +g.k.error=function(a,b,c,d){this.isDisposed()||(this.ma("licenseerror",a,b,c,d),"drm.provision"===a&&(a=(Date.now()-this.I)/1E3,this.I=NaN,this.ma("ctmp","provf",{et:a.toFixed(3)})));QK(b)&&this.dispose()}; +g.k.shouldRetry=function(a,b){return this.Ga&&this.J?!1:!a&&this.requestNumber===b.requestNumber}; +g.k.qa=function(){this.j={};g.dE.prototype.qa.call(this)}; +g.k.lc=function(){var a={ctype:this.ea.contentType||"",length:this.ea.initData.length,requestedKeyIds:this.Aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.B&&(a.keyStatuses=this.j);return a}; +g.k.rh=function(){var a=this.C.join();if(DY(this)){var b=new Set,c;for(c in this.j)"usable"!==this.j[c].status&&b.add(this.j[c].type);a+="/UKS."+Array.from(b)}return a+="/"+this.cryptoPeriodIndex}; +g.k.Ze=function(){return this.url};g.w(EY,g.C);g.k=EY.prototype;g.k.RD=function(a,b,c,d){this.D=a;this.B=b;this.I=c;this.J=d}; +g.k.K0=function(a){if(this.D){var b=a.messageType||"license-request";this.D(new Uint8Array(a.message),b)}}; +g.k.ep=function(){this.J&&this.J(this.j.keyStatuses)}; +g.k.vW=function(a){this.D&&this.D(a.message,"license-request")}; +g.k.uW=function(a){if(this.B){if(this.u){var b=this.u.error.code;a=this.u.error.systemCode}else b=a.errorCode,a=a.systemCode;this.B("t.prefixedKeyError;c."+b+";sc."+a,b,a)}}; +g.k.tW=function(){this.I&&this.I()}; +g.k.update=function(a){var b=this;if(this.j)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emeupd",this.j.update).call(this.j,a):this.j.update(a)).then(null,XI(function(c){OXa(b,"t.update",c)})); +this.u?this.u.update(a):this.element.addKey?this.element.addKey(this.T.keySystem,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.T.keySystem,a,this.initData,this.sessionId);return Oy()}; +g.k.qa=function(){this.j&&this.j.close();this.element=null;g.C.prototype.qa.call(this)};g.w(FY,g.C);g.k=FY.prototype;g.k.attach=function(){var a=this;if(this.j.keySystemAccess)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emenew",this.j.keySystemAccess.createMediaKeys).call(this.j.keySystemAccess):this.j.keySystemAccess.createMediaKeys()).then(function(b){a.isDisposed()||(a.u=b,qJ.isActive()&&qJ.ww()?qJ.Dw("emeset",a.element.setMediaKeys).call(a.element,b):a.element.setMediaKeys(b))}); +$I(this.j)?this.B=new (ZI())(this.j.keySystem):bJ(this.j)?(this.B=new (ZI())(this.j.keySystem),this.element.webkitSetMediaKeys(this.B)):(Kz(this.D,this.element,["keymessage","webkitkeymessage"],this.N0),Kz(this.D,this.element,["keyerror","webkitkeyerror"],this.M0),Kz(this.D,this.element,["keyadded","webkitkeyadded"],this.L0));return null}; +g.k.setServerCertificate=function(){return this.u.setServerCertificate?"widevine"===this.j.flavor&&this.j.rl?this.u.setServerCertificate(this.j.rl):dJ(this.j)&&this.j.Ya?this.u.setServerCertificate(this.j.Ya):null:null}; +g.k.createSession=function(a,b){var c=a.initData;if(this.j.keySystemAccess){b&&b("createsession");var d=this.u.createSession();cJ(this.j)?c=PXa(c,this.j.Ya):dJ(this.j)&&(c=mXa(c)||new Uint8Array(0));b&&b("genreq");a=qJ.isActive()&&qJ.ww()?qJ.Dw("emegen",d.generateRequest).call(d,a.contentType,c):d.generateRequest(a.contentType,c);var e=new EY(null,null,null,d,null);a.then(function(){b&&b("genreqsuccess")},XI(function(f){OXa(e,"t.generateRequest",f)})); +return e}if($I(this.j))return RXa(this,c);if(bJ(this.j))return QXa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.j.keySystem,c):this.element.webkitGenerateKeyRequest(this.j.keySystem,c);return this.C=new EY(this.element,this.j,c,null,null)}; +g.k.N0=function(a){var b=SXa(this,a);b&&b.vW(a)}; +g.k.M0=function(a){var b=SXa(this,a);b&&b.uW(a)}; +g.k.L0=function(a){var b=SXa(this,a);b&&b.tW(a)}; +g.k.getMetrics=function(){if(this.u&&this.u.getMetrics)try{var a=this.u.getMetrics()}catch(b){}return a}; +g.k.qa=function(){this.B=this.u=null;var a;null==(a=this.C)||a.dispose();a=g.t(Object.values(this.I));for(var b=a.next();!b.done;b=a.next())b.value.dispose();this.I={};g.C.prototype.qa.call(this);delete this.element};g.k=GY.prototype;g.k.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; +g.k.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; +g.k.Ef=function(){this.keys=[];this.values=[]}; +g.k.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; +g.k.findIndex=function(a){return g.ob(this.keys,function(b){return g.Mb(a,b)})};g.w(VXa,g.dE);g.k=VXa.prototype;g.k.Y5=function(a){this.Ri({onecpt:1});a.initData&&YXa(this,new Uint8Array(a.initData),a.initDataType)}; +g.k.v6=function(a){this.Ri({onndky:1});YXa(this,a.initData,a.contentType)}; +g.k.vz=function(a){this.Ri({onneedkeyinfo:1});this.Y.K("html5_eme_loader_sync")&&(this.J.get(a.initData)||this.J.set(a.initData,a));XXa(this,a)}; +g.k.wS=function(a){this.B.push(a);HY(this)}; +g.k.createSession=function(a){var b=$Xa(this)?yTa(a):g.gg(a.initData);this.u.get(b);this.ya=!0;a=new wXa(this.videoData,this.Y,a,this.drmSessionId);this.u.set(b,a);a.subscribe("ctmp",this.XV,this);a.subscribe("keystatuseschange",this.ep,this);a.subscribe("licenseerror",this.bH,this);a.subscribe("newlicense",this.pW,this);a.subscribe("newsession",this.qW,this);a.subscribe("sessionready",this.EW,this);a.subscribe("fairplay_next_need_key_info",this.hW,this);this.Y.K("html5_enable_vp9_fairplay")&&a.subscribe("qualitychange", +this.bQ,this);zXa(a,this.C)}; +g.k.pW=function(a){this.isDisposed()||(this.Ri({onnelcswhb:1}),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.ma("heartbeatparams",a)))}; +g.k.qW=function(){this.isDisposed()||(this.Ri({newlcssn:1}),this.B.shift(),this.ya=!1,HY(this))}; +g.k.EW=function(){if($I(this.j)&&(this.Ri({onsnrdy:1}),this.Ja--,0===this.Ja)){var a=this.Z;a.element.msSetMediaKeys(a.B)}}; +g.k.ep=function(a){if(!this.isDisposed()){!this.Ga&&this.videoData.K("html5_log_drm_metrics_on_key_statuses")&&(aYa(this),this.Ga=!0);this.Ri({onksch:1});var b=this.bQ;if(!DY(a)&&g.oB&&"com.microsoft.playready"===a.u.keySystem&&navigator.requestMediaKeySystemAccess)var c="large";else{c=[];var d=!0;if(DY(a))for(var e=g.t(Object.keys(a.j)),f=e.next();!f.done;f=e.next())f=f.value,"usable"===a.j[f].status&&c.push(a.j[f].type),"unknown"!==a.j[f].status&&(d=!1);if(!DY(a)||d)c=a.C;c=GXa(c)}b.call(this,c); +this.ma("keystatuseschange",a)}}; +g.k.XV=function(a,b){this.isDisposed()||this.ma("ctmp",a,b)}; +g.k.hW=function(a,b){this.isDisposed()||this.ma("fairplay_next_need_key_info",a,b)}; +g.k.bH=function(a,b,c,d){this.isDisposed()||(this.videoData.K("html5_log_drm_metrics_on_error")&&aYa(this),this.ma("licenseerror",a,b,c,d))}; +g.k.Su=function(){return this.T}; +g.k.bQ=function(a){var b=g.kF("auto",a,!1,"l");if(this.videoData.hm){if(this.T.equals(b))return}else if(Jta(this.T,a))return;this.T=b;this.ma("qualitychange");this.Ri({updtlq:a})}; +g.k.qa=function(){this.j.keySystemAccess&&this.element&&this.element.setMediaKeys(null);this.element=null;this.B=[];for(var a=g.t(this.u.values()),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.XV,this),b.unsubscribe("keystatuseschange",this.ep,this),b.unsubscribe("licenseerror",this.bH,this),b.unsubscribe("newlicense",this.pW,this),b.unsubscribe("newsession",this.qW,this),b.unsubscribe("sessionready",this.EW,this),b.unsubscribe("fairplay_next_need_key_info",this.hW,this),this.Y.K("html5_enable_vp9_fairplay")&& +b.unsubscribe("qualitychange",this.bQ,this),b.dispose();this.u.clear();this.I.Ef();this.J.Ef();this.heartbeatParams=null;g.dE.prototype.qa.call(this)}; +g.k.lc=function(){for(var a={systemInfo:this.j.lc(),sessions:[]},b=g.t(this.u.values()),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.lc());return a}; +g.k.rh=function(){return 0>=this.u.size?"no session":""+this.u.values().next().value.rh()+(this.D?"/KR":"")}; +g.k.Ri=function(a,b){b=void 0===b?!1:b;this.isDisposed()||(OK(a),(this.Y.Rd()||b)&&this.ma("ctmp","drmlog",a))};g.w(JY,g.C);JY.prototype.yG=function(){return this.B}; +JY.prototype.handleError=function(a){var b=this;fYa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!eYa(this,a.errorCode,a.details))&&!jYa(this,a)){if(this.J&&"yt"!==this.j.Ja&&hYa(this,a)&&this.videoData.jo&&(0,g.M)()/1E3>this.videoData.jo&&"hm"===this.j.Ja){var c=Object.assign({e:a.errorCode},a.details);c.stalesigexp="1";c.expire=this.videoData.jo;c.init=this.videoData.uY/1E3;c.now=(0,g.M)()/1E3;c.systelapsed=((0,g.M)()-this.videoData.uY)/ +1E3;a=new PK(a.errorCode,c,2);this.va.Ng(a.errorCode,2,"SIGNATURE_EXPIRED",OK(a.details))}if(QK(a.severity)){var d;c=null==(d=this.va.Fa)?void 0:d.ue.B;if(this.j.K("html5_use_network_error_code_enums"))if(gYa(a)&&c&&c.isLocked())var e="FORMAT_UNAVAILABLE";else{if(!this.j.J&&"auth"===a.errorCode&&429===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}}else gYa(a)&&c&&c.isLocked()?e="FORMAT_UNAVAILABLE":this.j.J||"auth"!==a.errorCode||"429"!==a.details.rc||(e="TOO_MANY_REQUESTS",f="6");this.va.Ng(a.errorCode, +a.severity,e,OK(a.details),f)}else this.va.ma("nonfatalerror",a),d=/^pp/.test(this.videoData.clientPlaybackNonce),this.Kd(a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(a="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+"&t="+(0,g.M)(),$V(a,"manifest",function(h){b.I=!0;b.xa("pathprobe",h)},function(h){b.Kd(h.errorCode,h.details)}))}}; +JY.prototype.xa=function(a,b){this.va.zc.xa(a,b)}; +JY.prototype.Kd=function(a,b){b=OK(b);this.va.zc.Kd(a,b)};mYa.prototype.K=function(a){return this.Y.K(a)};g.w(LY,g.C);LY.prototype.yd=function(a){EYa(this);this.playerState=a.state;0<=this.u&&g.YN(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; +LY.prototype.onError=function(a){if("player.fatalexception"!==a||this.provider.K("html5_exception_to_health"))a.match(edb)?this.networkErrorCount++:this.nonNetworkErrorCount++}; +LY.prototype.send=function(){if(!(this.B||0>this.j)){EYa(this);var a=g.uW(this.provider)-this.j,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.S(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.S(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.S(this.playerState,16)||g.S(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.S(this.playerState,1)&& +g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.S(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.S(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");c=$_a[CM(this.provider.videoData)];a:switch(this.provider.Y.playerCanaryState){case "canary":var d="HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";break a;case "holdback":d="HTML5_PLAYER_CANARY_TYPE_CONTROL";break a;default:d="HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}var e= +0>this.u?a:this.u-this.j;a=this.provider.Y.Jf+36E5<(0,g.M)();b={started:0<=this.u,stateAtSend:b,joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.AM(this.provider.videoData),isGapless:this.provider.videoData.fb,isServerStitchedDai:this.provider.videoData.enableServerStitchedDai}; +a||g.rA("html5PlayerHealthEvent",b);this.B=!0;this.dispose()}}; +LY.prototype.qa=function(){this.B||this.send();g.C.prototype.qa.call(this)}; +var edb=/\bnet\b/;var HYa=window;var FYa=/[?&]cpn=/;g.w(g.NY,g.C);g.k=g.NY.prototype;g.k.K3=function(){var a=g.uW(this.provider);LYa(this,a)}; +g.k.VB=function(){return this.ya}; +g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.isDisposed()&&(a=0<=a?a:g.uW(this.provider),-1<["PL","B","S"].indexOf(this.Te)&&(!g.hd(this.j)||a>=this.C+30)&&(g.MY(this,a,"vps",[this.Te]),this.C=a),!g.hd(this.j))){7E3===this.sequenceNumber&&g.DD(Error("Sent over 7000 pings"));if(!(7E3<=this.sequenceNumber)){OYa(this,a);var b=a,c=this.provider.va.hC(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Pb,h=e&&!this.jc;d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.va.YC(),this.j.qoealert=["1"],this.Ya=!0)),"B"!==a||"PL"!==this.Te&&"PB"!==this.Te||(this.Z=!0),this.C=c),"PL"===this.Te&&("B"===a||"S"===a)||this.provider.Y.Rd()?OYa(this,c):(this.fb||"PL"!==a||(this.fb= +!0,NYa(this,c,this.provider.va.eC())),LYa(this,c)),"PL"===a&&g.Jp(this.Oc),g.MY(this,c,"vps",[a]),this.Te=a,this.C=this.ib=c,this.D=!0);a=b.getData();g.S(b,128)&&a&&(a.EH=a.EH||"",SYa(this,c,a.errorCode,a.AF,a.EH));(g.S(b,2)||g.S(b,128))&&this.reportStats(c);b.bd()&&!this.I&&(0<=this.u&&(this.j.user_intent=[this.u.toString()]),this.I=!0);QYa(this)}; +g.k.iD=function(a){var b=g.uW(this.provider);g.MY(this,b,"vfs",[a.j.id,a.u,this.uc,a.reason]);this.uc=a.j.id;var c=this.provider.va.getPlayerSize();if(0b-this.Wo+2||aZa(this,a,b))){c=this.provider.va.getVolume();var d=c!==this.ea,e=this.provider.va.isMuted()?1:0;e!==this.T?(this.T=e,c=!0):(!d||0<=this.C||(this.ea=c,this.C=b),c=b-this.C,0<=this.C&&2=this.provider.videoData.Pb;a&&(this.u&&this.provider.videoData.Pb&&(a=UY(this,"delayplay"),a.vf=!0,a.send(),this.oa=!0),jZa(this))}; +g.k.yd=function(a){if(!this.isDisposed())if(g.S(a.state,2)||g.S(a.state,512))this.I="paused",(g.YN(a,2)||g.YN(a,512))&&this.u&&(XY(this),YY(this).send(),this.D=NaN);else if(g.S(a.state,8)){this.I="playing";var b=this.u&&isNaN(this.C)?VY(this):NaN;!isNaN(b)&&(0>XN(a,64)||0>XN(a,512))&&(a=oZa(this,!1),a.D=b,a.send())}else this.I="paused"}; +g.k.qa=function(){g.C.prototype.qa.call(this);XY(this);ZYa(this.j)}; +g.k.lc=function(){return dZa(UY(this,"playback"))}; +g.k.kA=function(){this.provider.videoData.ea.eventLabel=PM(this.provider.videoData);this.provider.videoData.ea.playerStyle=this.provider.Y.playerStyle;this.provider.videoData.Ui&&(this.provider.videoData.ea.feature="pyv");this.provider.videoData.ea.vid=this.provider.videoData.videoId;var a=this.provider.videoData.ea;var b=this.provider.videoData;b=b.isAd()||!!b.Ui;a.isAd=b}; +g.k.Gj=function(a){var b=UY(this,"engage");b.T=a;return eZa(b,tZa(this.provider))};rZa.prototype.Bf=function(){return this.endTime===this.startTime};sZa.prototype.K=function(a){return this.Y.K(a)}; +var uZa={other:1,none:2,wifi:3,cellular:7};g.w(g.ZY,g.C);g.k=g.ZY.prototype;g.k.yd=function(a){if(g.YN(a,1024)||g.YN(a,512)||g.YN(a,4)){var b=this.B;0<=b.u||(b.j=-1,b.delay.stop());this.qoe&&(b=this.qoe,b.I||(b.u=-1))}if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var c;null==(c=this.u.get(this.Ci))||c.yd(a)}else this.j&&this.j.yd(a);this.qoe&&this.qoe.yd(a);this.B.yd(a)}; +g.k.Ie=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.Ie()}else this.j&&this.j.Ie()}; +g.k.Kd=function(a,b){this.qoe&&TYa(this.qoe,a,b);this.B.onError(a)}; +g.k.iD=function(a){this.qoe&&this.qoe.iD(a)}; +g.k.VC=function(a){this.qoe&&this.qoe.VC(a)}; +g.k.onPlaybackRateChange=function(a){if(this.qoe)this.qoe.onPlaybackRateChange(a)}; +g.k.jt=aa(42);g.k.xa=function(a,b,c){this.qoe&&this.qoe.xa(a,b,c)}; +g.k.CD=function(a,b,c){this.qoe&&this.qoe.CD(a,b,c)}; +g.k.Hz=function(a,b,c){this.qoe&&this.qoe.Hz(a,b,c)}; +g.k.vn=aa(15);g.k.VB=function(){if(this.qoe)return this.qoe.VB()}; +g.k.lc=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.lc()}else if(this.j)return this.j.lc();return{}}; +g.k.Gj=function(a){return this.j?this.j.Gj(a):function(){}}; +g.k.kA=function(){this.j&&this.j.kA()};g.w($Y,g.C);g.k=$Y.prototype;g.k.ye=function(a,b){this.On();b&&2E3<=this.j.array.length&&this.CB("captions",1E4);b=this.j;if(1b.array.length)b.array=b.array.concat(a),b.array.sort(b.j);else{a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,!b.array.length||0a&&this.C.start()))}; +g.k.tL=function(a){var b=[];if(!a.length)return b;for(var c=0;ca&&(a=(a-this.u)/this.oa(),this.C.start(a)))}}; +g.k.RU=function(){if(this.started&&!this.isDisposed()){this.C.stop();var a=this.D();g.S(a,32)&&this.Z.start();for(var b=g.S(this.D(),2)?0x8000000000000:1E3*this.T(),c=g.S(a,2),d=[],e=[],f=g.t(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(this.wL(e));f=e=null;c?(a=FZa(this.j,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=GZa(this.j)):a=this.u<=b&&SO(a)?EZa(this.j,this.u,b):FZa(this.j,b); +d=d.concat(this.tL(a));e&&(d=d.concat(this.wL(e)));f&&(d=d.concat(this.tL(f)));this.u=b;JZa(this,d)}}; +g.k.qa=function(){this.B=[];this.j.array=[];g.C.prototype.qa.call(this)}; +g.oW.ev($Y,{ye:"crmacr",tL:"crmncr",wL:"crmxcr",RU:"crmis",Ch:"crmrcr"});g.w(cZ,g.dE);cZ.prototype.uq=function(){return this.J}; +cZ.prototype.Wp=function(){return Math.max(this.T()-QZa(this,!0),this.videoData.Id())};g.w(hZ,g.C);hZ.prototype.yd=function(){g.Jp(this.B)}; +hZ.prototype.gf=function(){var a=this,b=this.va.qe(),c=this.va.getPlayerState();if(b&&!c.isError()){var d=b.getCurrentTime(),e=8===c.state&&d>this.j,f=g.S(c,8)&&g.S(c,16),h=this.va.Es().isBackground()||c.isSuspended();iZ(this,this.Ja,f&&!h,e,"qoe.slowseek",function(){},"timeout"); +var l=isFinite(this.j);l=f&&l&&BCa(b,this.j);var m=!d||10d+5,z=q&&n&&x;x=this.va.getVideoData();var B=.002>d&&.002>this.j,F=0<=v,G=1===b.xj();iZ(this,this.ya,B&&f&&g.QM(x)&&!h,e,"qoe.slowseek",m,"slow_seek_shorts");iZ(this,this.Aa,B&&f&&g.QM(x)&&!h&&G,e,"qoe.slowseek",m,"slow_seek_shorts_vrs");iZ(this,this.oa,B&&f&&g.QM(x)&&!h&&F,e,"qoe.slowseek",m,"slow_seek_shorts_buffer_range");iZ(this,this.I,z&&!h,q&&!n,"qoe.longrebuffer",p,"jiggle_cmt"); +iZ(this,this.J,z&&!h,q&&!n,"qoe.longrebuffer",m,"new_elem_nnr");if(l){var D=l.getCurrentTime();f=b.Vu();f=Bva(f,D);f=!l.hh()&&d===f;iZ(this,this.fb,q&&n&&f&&!h,q&&!n&&!f,"qoe.longrebuffer",function(){b.seekTo(D)},"seek_to_loader")}f={}; +p=kI(r,Math.max(d-3.5,0));z=0<=p&&d>r.end(p)-1.1;B=0<=p&&p+1B;f.close2edge=z;f.gapsize=B;f.buflen=r.length;iZ(this,this.T,q&&n&&!h,q&&!n,"qoe.longrebuffer",function(){},"timeout",f); +r=c.isSuspended();r=g.rb(this.va.zn,"ad")&&!r;iZ(this,this.D,r,!r,"qoe.start15s",function(){a.va.jg("ad")},"ads_preroll_timeout"); +r=.5>d-this.C;v=x.isAd()&&q&&!n&&r;q=function(){var L=a.va,P=L.Nf.Rc();(!P||!L.videoData.isAd()||P.getVideoData().Nc!==L.getVideoData().Nc)&&L.videoData.mf||L.Ng("ad.rebuftimeout",2,"RETRYABLE_ERROR","skipslad.vid."+L.videoData.videoId)}; +iZ(this,this.Qa,v,!v,"ad.rebuftimeout",q,"skip_slow_ad");n=x.isAd()&&n&&lI(b.Nh(),d+5)&&r;iZ(this,this.Xa,n,!n,"ad.rebuftimeout",q,"skip_slow_ad_buf");iZ(this,this.Ya,g.RO(c)&&g.S(c,64)&&!h,e,"qoe.start15s",function(){},"timeout"); +iZ(this,this.ea,!!l&&!l.Wa&&g.RO(c),e,"qoe.start15s",m,"newElemMse");this.C=d;this.B.start()}}; +hZ.prototype.Kd=function(a,b,c){b=this.lc(b);b.wn=c;b.wdup=this.u[a]?"1":"0";this.va.Kd(new PK(a,b));this.u[a]=!0}; +hZ.prototype.lc=function(a){a=Object.assign(this.va.lc(!0),a.lc());this.j&&(a.stt=this.j.toFixed(3));delete a.uga;delete a.euri;delete a.referrer;delete a.fexp;delete a.vm;return a}; +fZ.prototype.reset=function(){this.j=this.u=this.B=this.startTimestamp=0;this.C=!1}; +fZ.prototype.lc=function(){var a={},b=(0,g.M)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.u&&(a.wtd=(b-this.u).toFixed());this.j&&(a.wssd=(b-this.j).toFixed());return a};g.w(XZa,g.C);g.k=XZa.prototype;g.k.setMediaElement=function(a){g.Lz(this.Qa);(this.mediaElement=a)?(i_a(this),jZ(this)):kZ(this)}; +g.k.yd=function(a){this.Z.yd(a);this.K("html5_exponential_memory_for_sticky")&&(a.state.bd()?g.Jp(this.oa):this.oa.stop());if(this.mediaElement)if(8===a.Hv.state&&SO(a.state)&&g.TO(a.state)){a=this.mediaElement.getCurrentTime();var b=this.mediaElement.Nh();var c=this.K("manifestless_post_live_ufph")||this.K("manifestless_post_live")?kI(b,Math.max(a-3.5,0)):kI(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.fb-c)||(this.va.xa("seekover",{b:jI(b, +"_"),cmt:a}),this.fb=c,this.seekTo(c,{bv:!0,Je:"seektimeline_postLiveDisc"})))}else(null==(b=a.state)?0:8===b.state)&&this.Y.K("embeds_enable_muted_autoplay")&&!this.Ya&&0=this.pe())||!g.GM(this.videoData))||this.va.xa("seeknotallowed",{st:v,mst:this.pe()});if(!m)return this.B&&(this.B=null,e_a(this)),Qf(this.getCurrentTime());if(.005>Math.abs(a-this.u)&&this.T)return this.D;h&&(v=a,(this.Y.Rd()||this.K("html5_log_seek_reasons"))&& +this.va.xa("seekreason",{reason:h,tgt:v}));this.T&&kZ(this);this.D||(this.D=new aK);a&&!isFinite(a)&&$Za(this,!1);if(h=!c)h=a,h=this.videoData.isLivePlayback&&this.videoData.C&&!this.videoData.C.j&&!(this.mediaElement&&0e.videoData.endSeconds&&isFinite(f)&&J_a(e);fb.start&&J_a(this.va);return this.D}; +g.k.pe=function(a){if(!this.videoData.isLivePlayback)return j0a(this.va);var b;if(aN(this.videoData)&&(null==(b=this.mediaElement)?0:b.Ip())&&this.videoData.j)return a=this.getCurrentTime(),Yza(1E3*this.Pf(a))+a;if(jM(this.videoData)&&this.videoData.rd&&this.videoData.j)return this.videoData.j.pe()+this.timestampOffset;if(this.videoData.C&&this.videoData.C.j){if(!a&&this.j)return this.j.Wp();a=j0a(this.va);this.policy.j&&this.mediaElement&&(a=Math.max(a,DCa(this.mediaElement)));return a+this.timestampOffset}return this.mediaElement? +Zy()?Yza(this.mediaElement.RE().getTime()):GO(this.mediaElement)+this.timestampOffset||this.timestampOffset:this.timestampOffset}; +g.k.Id=function(){var a=this.videoData?this.videoData.Id()+this.timestampOffset:this.timestampOffset;if(aN(this.videoData)&&this.videoData.j){var b,c=Number(null==(b=this.videoData.progressBarStartPosition)?void 0:b.utcTimeMillis)/1E3;b=this.getCurrentTime();b=this.Pf(b)-b;if(!isNaN(c)&&!isNaN(b))return Math.max(a,c-b)}return a}; +g.k.CL=function(){this.D||this.seekTo(this.C,{Je:"seektimeline_forceResumeTime_singleMediaSourceTransition"})}; +g.k.vG=function(){return this.T&&!isFinite(this.u)}; +g.k.qa=function(){a_a(this,null);this.Z.dispose();g.C.prototype.qa.call(this)}; +g.k.lc=function(){var a={};this.Fa&&Object.assign(a,this.Fa.lc());this.mediaElement&&Object.assign(a,this.mediaElement.lc());return a}; +g.k.gO=function(a){this.timestampOffset=a}; +g.k.getStreamTimeOffset=function(){return jM(this.videoData)?0:this.videoData.j?this.videoData.j.getStreamTimeOffset():0}; +g.k.Jd=function(){return this.timestampOffset}; +g.k.Pf=function(a){return this.videoData.j.Pf(a-this.timestampOffset)}; +g.k.Tu=function(){if(!this.mediaElement)return 0;if(HM(this.videoData)){var a=DCa(this.mediaElement)+this.timestampOffset-this.Id(),b=this.pe()-this.Id();return Math.max(0,Math.min(1,a/b))}return this.mediaElement.Tu()}; +g.k.bD=function(a){this.I&&(this.I.j=a.audio.index)}; +g.k.K=function(a){return this.Y&&this.Y.K(a)};lZ.prototype.Os=function(){return this.started}; +lZ.prototype.start=function(){this.started=!0}; +lZ.prototype.reset=function(){this.finished=this.started=!1};var o_a=!1;g.w(g.pZ,g.dE);g.k=g.pZ.prototype;g.k.qa=function(){this.oX();this.BH.stop();window.clearInterval(this.rH);kRa(this.Bg);this.visibility.unsubscribe("visibilitystatechange",this.Bg);xZa(this.zc);g.Za(this.zc);uZ(this);g.Ap.Em(this.Wv);this.rj();this.Df=null;g.Za(this.videoData);g.Za(this.Gl);g.$a(this.a5);this.Pp=null;g.dE.prototype.qa.call(this)}; +g.k.Hz=function(a,b,c,d){this.zc.Hz(a,b,c);this.K("html5_log_media_perf_info")&&this.xa("adloudness",{ld:d.toFixed(3),cpn:a})}; +g.k.KL=function(){var a;return null==(a=this.Fa)?void 0:a.KL()}; +g.k.NL=function(){var a;return null==(a=this.Fa)?void 0:a.NL()}; +g.k.OL=function(){var a;return null==(a=this.Fa)?void 0:a.OL()}; +g.k.LL=function(){var a;return null==(a=this.Fa)?void 0:a.LL()}; +g.k.Pl=function(){return this.videoData.Pl()}; g.k.getVideoData=function(){return this.videoData}; -g.k.T=function(){return this.W}; -g.k.Zc=function(){return this.da}; -g.k.vx=function(){if(this.videoData.Uc()){var a=this.Ac;0=a.start);return a}; -g.k.Tj=function(){return this.Kb.Tj()}; -g.k.Hb=function(){return this.playerState.Hb()}; +g.k.sendAbandonmentPing=function(){g.S(this.getPlayerState(),128)||(this.ma("internalAbandon"),this.aP(!0),xZa(this.zc),g.Za(this.zc),g.Ap.Em(this.Wv));var a;null==(a=this.Y.Rk)||a.flush()}; +g.k.jr=function(){wZa(this.zc)}; +g.k.Ng=function(a,b,c,d,e,f){var h,l;g.ad(Jcb,c)?h=c:c?l=c:h="GENERIC_WITHOUT_LINK";d=(d||"")+(";a6s."+FR());b={errorCode:a,errorDetail:e,errorMessage:l||g.$T[h]||"",uL:h,Gm:f||"",EH:d,AF:b,cpn:this.videoData.clientPlaybackNonce};this.videoData.errorCode=a;tZ(this,"dataloaderror");this.pc(LO(this.playerState,128,b));g.Ap.Em(this.Wv);uZ(this);this.Dn()}; +g.k.jg=function(a){this.zn=this.zn.filter(function(b){return a!==b}); +this.Lq.Os()&&E_a(this)}; +g.k.Mo=function(){var a;(a=!!this.zn.length)||(a=this.Xi.j.array[0],a=!!a&&-0x8000000000000>=a.start);return a}; +g.k.uq=function(){return this.xd.uq()}; +g.k.bd=function(){return this.playerState.bd()}; +g.k.BC=function(){return this.playerState.BC()&&this.videoData.Tn}; g.k.getPlayerState=function(){return this.playerState}; g.k.getPlayerType=function(){return this.playerType}; -g.k.getPreferredQuality=function(){if(this.Id){var a=this.Id;a=a.videoData.yw.compose(a.videoData.bC);a=HC(a)}else a="auto";return a}; -g.k.wq=ba(12);g.k.isGapless=function(){return!!this.da&&this.da.isView()}; -g.k.setMediaElement=function(a){this.ea();if(this.da&&a.Pa()===this.da.Pa()&&(a.isView()||this.da.isView())){if(a.isView()||!this.da.isView())g.ut(this.xp),this.da=a,gAa(this),this.Kb.setMediaElement(this.da),this.Ac.setMediaElement(this.da)}else{this.da&&this.Pf();if(!this.playerState.isError()){var b=DM(this.playerState,512);g.U(b,8)&&!g.U(b,2)&&(b=CM(b,1));a.isView()&&(b=DM(b,64));this.vb(b)}this.da=a;this.da.setLoop(this.loop);this.da.setPlaybackRate(this.playbackRate);gAa(this);this.Kb.setMediaElement(this.da); -this.Ac.setMediaElement(this.da)}}; -g.k.Pf=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.ea();if(this.da){var c=this.getCurrentTime();0c.u.length)c.u=c.u.concat(a),c.u.sort(c.B);else{a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,!c.u.length||0this.da.getCurrentTime()&&this.Ba)return;break;case "resize":oAa(this);this.videoData.Oa&&"auto"===this.videoData.Oa.Ma().quality&&this.V("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.YB&&g.U(this.playerState,8)&&!g.U(this.playerState,1024)&&0===this.getCurrentTime()&&g.Ur){e0(this,"safari_autoplay_disabled");return}}if(this.da&&this.da.We()===b){this.V("videoelementevent",a);b=this.playerState;if(!g.U(b,128)){c=this.Sp; -e=this.da;var f=this.W.experiments;d=b.state;e=e?e:a.target;var h=e.getCurrentTime();if(!g.U(b,64)||"ended"!==a.type&&"pause"!==a.type){var l=e.Yi()||1Math.abs(h-e.getDuration());h="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.U(b,4)&&!g_(c,h);if("pause"===a.type&&e.Yi()||l&&h)0a-this.wu)){var b=this.da.Ze();this.wu=a;b!==this.Ze()&&(a=this.visibility,a.C!==b&&(a.C=b,a.ff()),Z_(this));this.V("airplayactivechange")}}; -g.k.du=function(a){if(this.Ba){var b=this.Ba,c=b.R,d=b.I;c.V("ctmp","sdai","adfetchdone_to_"+a,!1);a||isNaN(c.F)||(a=c.F,zA(c.P,c.D,a,d),zA(c.aa,c.D,a,d),c.V("ctmp","sdai","joinad_rollbk2_seg_"+c.D+"_rbt_"+a.toFixed(3)+"_lt_"+d.toFixed(3),!1));c.B=4;KF(b)}}; -g.k.sc=function(a){var b=this;a=void 0===a?!1:a;if(this.da&&this.videoData){Rya(this.Kb,this.Hb());var c=this.getCurrentTime();this.Ba&&(g.U(this.playerState,4)&&g.eJ(this.videoData)||gia(this.Ba,c));5Math.abs(l-f)?(b.Na("setended","ct."+f+";bh."+h+";dur."+l+";live."+ +m),m&&b.ba("html5_set_ended_in_pfx_live_cfl")||(b.da.sm()?(b.ea(),b.seekTo(0)):sY(b))):(g.IM(b.playerState)||s0(b,"progress_fix"),b.vb(CM(b.playerState,1)))):(l&&!m&&!n&&0m-1&&b.Na("misspg", -"t:"+f.toFixed(2)+";d:"+m.toFixed(2)+";r:"+l.toFixed(2)+";bh:"+h.toFixed(2))),g.U(b.playerState,4)&&g.IM(b.playerState)&&5FK(b,8)||g.GK(b,1024))&&this.Mm.stop();!g.GK(b,8)||this.videoData.Rg||g.U(b.state,1024)||this.Mm.start();g.U(b.state,8)&&0>FK(b,16)&&!g.U(b.state,32)&&!g.U(b.state,2)&&this.playVideo();g.U(b.state,2)&&fJ(this.videoData)&&(this.gi(this.getCurrentTime()),this.sc(!0));g.GK(b,2)&&this.oA(!0);g.GK(b,128)&&this.fi();this.videoData.ra&&this.videoData.isLivePlayback&&!this.iI&&(0>FK(b,8)?(a=this.videoData.ra,a.D&&a.D.stop()):g.GK(b,8)&&this.videoData.ra.resume()); -this.Kb.lc(b);this.Jb.lc(b);if(c&&!this.na())try{for(var e=g.q(this.Iv),f=e.next();!f.done;f=e.next()){var h=f.value;this.Vf.lc(h);this.V("statechange",h)}}finally{this.Iv.length=0}}}; -g.k.fu=function(){this.videoData.isLivePlayback||this.V("connectionissue")}; -g.k.yv=function(a,b,c,d){a:{var e=this.Ac;d=void 0===d?"LICENSE":d;c=c.substr(0,256);if("drm.keyerror"===a&&this.Jc&&1e.C)a="drm.sessionlimitexhausted",b=!1;else if(e.videoData.ba("html5_drm_fallback_to_playready_on_retry")&&"drm.keyerror"===a&&2>e.D&&(e.D++,e.V("removedrmplaybackmanager"),1=e.B.values.length){var f="ns;";e.P||(f+="nr;");e=f+="ql."+e.C.length}else e=jxa(e.B.values[0]);d.drmp=e}g.Ua(c,(null===(a=this.Ba)||void 0===a?void 0:a.sb())||{});g.Ua(c,(null===(b=this.da)||void 0===b?void 0:b.sb())||{})}this.Jb.onError("qoe.start15s",g.vB(c));this.V("loadsofttimeout")}}; -g.k.DQ=function(){g.U(this.playerState,128)||this.mediaSource&&CB(this.mediaSource)||(this.Jb.onError("qoe.restart",g.vB({detail:"bufferattach"})),this.EH++,nY(this))}; -g.k.gi=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,c0(this))}; -g.k.oA=function(a){var b=this;a=void 0===a?!1:a;if(!this.Ln){WE("att_s","player_att")||ZE("att_s","player_att");var c=new ysa(this.videoData,this.ba("web_player_inline_botguard"));if("c1a"in c.u&&!oT(c)&&(ZE("att_wb","player_att"),2===this.Np&&.01>Math.random()&&g.Is(Error("Botguard not available after 2 attempts")),!a&&5>this.Np)){this.fx.Sb();this.Np++;return}if("c1b"in c.u){var d=Cya(this.Jb);d&&Bsa(c).then(function(e){e&&!b.Ln&&d?(ZE("att_f","player_att"),d(e),b.Ln=!0):ZE("att_e","player_att")}, -function(){ZE("att_e","player_att")})}else(a=zsa(c))?(ZE("att_f","player_att"),Bya(this.Jb,a),this.Ln=!0):ZE("att_e","player_att")}}; -g.k.Oc=function(a){return this.Kb.Oc(void 0===a?!1:a)}; -g.k.Kc=function(){return this.Kb.Kc()}; -g.k.yc=function(){return this.Kb?this.Kb.yc():0}; -g.k.getStreamTimeOffset=function(){return this.Kb?this.Kb.getStreamTimeOffset():0}; -g.k.setPlaybackRate=function(a){var b=this.videoData.La&&this.videoData.La.videoInfos&&32this.mediaElement.getCurrentTime()&&this.Fa)return;break;case "resize":i0a(this);this.videoData.u&&"auto"===this.videoData.u.video.quality&&this.ma("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.DS&&g.S(this.playerState,8)&&!g.S(this.playerState,1024)&&0===this.getCurrentTime()&&g.BA){vZ(this,"safari_autoplay_disabled");return}}if(this.mediaElement&&this.mediaElement.Qf()===b){this.ma("videoelementevent",a);b=this.playerState;c=this.videoData.clientPlaybackNonce; +if(!g.S(b,128)){d=this.gB;var e=this.mediaElement,f=this.Y.experiments,h=b.state;e=e?e:a.target;var l=e.getCurrentTime();if(!g.S(b,64)||"ended"!==a.type&&"pause"!==a.type){var m=e.Qh()||1Math.abs(l-e.getDuration()),n="pause"===a.type&&e.Qh();l="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.S(b,4)&&!aZ(d,l);if(n||m&&l)0a-this.AG||(this.AG=a,b!==this.wh()&&(a=this.visibility,a.j!==b&&(a.j=b,a.Bg()),this.xa("airplay",{rbld:b}),KY(this)),this.ma("airplayactivechange"))}; +g.k.kC=function(a){if(this.Fa){var b=this.Fa,c=b.B,d=b.currentTime,e=Date.now()-c.ea;c.ea=NaN;c.xa("sdai",{adfetchdone:a,d:e});a&&!isNaN(c.D)&&3!==c.u&&VWa(c.Fa,d,c.D,c.B);c.J=NaN;iX(c,4,3===c.u?"adfps":"adf");xY(b)}}; +g.k.yc=function(a){var b=this;a=void 0===a?!1:a;if(this.mediaElement&&this.videoData){b_a(this.xd,this.bd());var c=this.getCurrentTime();this.Fa&&(g.S(this.playerState,4)&&g.GM(this.videoData)||iXa(this.Fa,c));5Math.abs(m-h)?(b.xa("setended",{ct:h,bh:l,dur:m,live:n}),b.mediaElement.xs()?b.seekTo(0,{Je:"videoplayer_loop"}):vW(b)):(g.TO(b.playerState)||f0a(b,"progress_fix"),b.pc(MO(b.playerState,1)))):(m&&!n&&!p&&0n-1&&b.xa("misspg",{t:h.toFixed(2),d:n.toFixed(2), +r:m.toFixed(2),bh:l.toFixed(2)})),g.QO(b.playerState)&&g.TO(b.playerState)&&5XN(b,8)||g.YN(b,1024))&&this.Bv.stop();!g.YN(b,8)||this.videoData.kb||g.S(b.state,1024)||this.Bv.start();g.S(b.state,8)&&0>XN(b,16)&&!g.S(b.state,32)&&!g.S(b.state,2)&&this.playVideo();g.S(b.state,2)&&HM(this.videoData)&&(this.Sk(this.getCurrentTime()),this.yc(!0));g.YN(b,2)&&this.aP(!0);g.YN(b,128)&&this.Dn();this.videoData.j&&this.videoData.isLivePlayback&&!this.FY&&(0>XN(b,8)?(a=this.videoData.j,a.C&&a.C.stop()): +g.YN(b,8)&&this.videoData.j.resume());this.xd.yd(b);this.zc.yd(b);if(c&&!this.isDisposed())try{for(var e=g.t(this.uH),f=e.next();!f.done;f=e.next()){var h=f.value;this.Xi.yd(h);this.ma("statechange",h)}}finally{this.uH.length=0}}}; +g.k.YC=function(){this.videoData.isLivePlayback||this.K("html5_disable_connection_issue_event")||this.ma("connectionissue")}; +g.k.cO=function(){this.vb.tick("qoes")}; +g.k.CL=function(){this.xd.CL()}; +g.k.bH=function(a,b,c,d){a:{var e=this.Gl;d=void 0===d?"LICENSE":d;c=c.substr(0,256);var f=QK(b);"drm.keyerror"===a&&this.oe&&1e.D&&(a="drm.sessionlimitexhausted",f=!1);if(f)if(e.videoData.u&&e.videoData.u.video.isHdr())kYa(e,a);else{if(e.va.Ng(a,b,d,c),bYa(e,{detail:c}))break a}else e.Kd(a,{detail:c});"drm.sessionlimitexhausted"===a&&(e.xa("retrydrm",{sessionLimitExhausted:1}),e.D++,e0a(e.va))}}; +g.k.h6=function(){var a=this,b=g.gJ(this.Y.experiments,"html5_license_constraint_delay"),c=hz();b&&c?(b=new g.Ip(function(){wZ(a);tZ(a)},b),g.E(this,b),b.start()):(wZ(this),tZ(this))}; +g.k.aD=function(a){this.ma("heartbeatparams",a)}; +g.k.ep=function(a){this.xa("keystatuses",IXa(a));var b="auto",c=!1;this.videoData.u&&(b=this.videoData.u.video.quality,c=this.videoData.u.video.isHdr());if(this.K("html5_drm_check_all_key_error_states")){var d=JXa(b,c);d=DY(a)?KXa(a,d):a.C.includes(d)}else{a:{b=JXa(b,c);for(d in a.j)if("output-restricted"===a.j[d].status){var e=a.j[d].type;if(""===b||"AUDIO"===e||b===e){d=!0;break a}}d=!1}d=!d}if(this.K("html5_enable_vp9_fairplay")){if(c)if(a.T){var f;if(null==(f=this.oe)?0:dJ(f.j))if(null==(c=this.oe))c= +0;else{b=f=void 0;e=g.t(c.u.values());for(var h=e.next();!h.done;h=e.next())h=h.value,f||(f=LXa(h,"SD")),b||(b=LXa(h,"AUDIO"));c.Ri({sd:f,audio:b});c="output-restricted"===f||"output-restricted"===b}else c=!d;if(c){this.xa("drm",{dshdr:1});kYa(this.Gl);return}}else{this.videoData.WI||(this.videoData.WI=!0,this.xa("drm",{dphdr:1}),IY(this,!0));return}var l;if(null==(l=this.oe)?0:dJ(l.j))return}else if(l=a.T&&d,c&&!l){kYa(this.Gl);return}d||KXa(a,"AUDIO")&&KXa(a,"SD")||(a=IXa(a),this.UO?(this.ma("drmoutputrestricted"), +this.K("html5_report_fatal_drm_restricted_error_killswitch")||this.Ng("drm.keyerror",2,void 0,"info."+a)):(this.UO=!0,this.Kd(new PK("qoe.restart",Object.assign({},{retrydrm:1},a))),nZ(this),e0a(this)))}; +g.k.j6=function(){if(!this.videoData.kb&&this.mediaElement&&!this.isBackground()){var a="0";0=b.u.size){var c="ns;";b.ea||(c+="nr;");b=c+="ql."+b.B.length}else b=IXa(b.u.values().next().value),b=OK(b);a.drmp=b}var d;Object.assign(a,(null==(d=this.Fa)?void 0:d.lc())||{});var e;Object.assign(a,(null==(e=this.mediaElement)?void 0:e.lc())||{});this.zc.Kd("qoe.start15s",OK(a));this.ma("loadsofttimeout")}}; +g.k.Sk=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,tZ(this))}; +g.k.aP=function(a){var b=this;a=void 0===a?!1:a;if(!this.ZE){aF("att_s","player_att")||fF("att_s",void 0,"player_att");var c=new g.AJa(this.videoData);if("c1a"in c.j&&!g.fS.isInitialized()&&(fF("att_wb",void 0,"player_att"),2===this.xK&&.01>Math.random()&&g.DD(Error("Botguard not available after 2 attempts")),!a&&5>this.xK)){g.Jp(this.yK);this.xK++;return}if("c1b"in c.j){var d=zZa(this.zc);d&&DJa(c).then(function(e){e&&!b.ZE&&d?(fF("att_f",void 0,"player_att"),d(e),b.ZE=!0):fF("att_e",void 0,"player_att")}, +function(){fF("att_e",void 0,"player_att")})}else(a=g.BJa(c))?(fF("att_f",void 0,"player_att"),yZa(this.zc,a),this.ZE=!0):fF("att_e",void 0,"player_att")}}; +g.k.pe=function(a){return this.xd.pe(void 0===a?!1:a)}; +g.k.Id=function(){return this.xd.Id()}; +g.k.Jd=function(){return this.xd?this.xd.Jd():0}; +g.k.getStreamTimeOffset=function(){return this.xd?this.xd.getStreamTimeOffset():0}; +g.k.aq=function(){var a=0;this.Y.K("web_player_ss_media_time_offset")&&(a=0===this.getStreamTimeOffset()?this.Jd():this.getStreamTimeOffset());return a}; +g.k.setPlaybackRate=function(a){var b;this.playbackRate!==a&&pYa(this.Ji,null==(b=this.videoData.C)?void 0:b.videoInfos)&&nZ(this);this.playbackRate=a;this.mediaElement&&this.mediaElement.setPlaybackRate(a)}; g.k.getPlaybackRate=function(){return this.playbackRate}; -g.k.getPlaybackQuality=function(){var a="unknown";if(this.videoData.Oa&&(a=this.videoData.Oa.Ma().quality,"auto"===a&&this.da)){var b=xK(this);b&&0=c,b.dis=this.da.Aq("display"));(a=a?(0,g.SZ)():null)&&(b.gpu=a);b.cgr=!0;b.debug_playbackQuality=this.u.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; -g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.T().experiments.experimentIds.join(", ")},b=LT(this).getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; -g.k.getPresentingPlayerType=function(){return 1===this.Y?1:v0(this)?3:g.Z(this).getPlayerType()}; -g.k.getAppState=function(){return this.Y}; -g.k.Jz=function(a){switch(a.type){case "loadedmetadata":WE("fvb",this.eb.timerName)||this.eb.tick("fvb");ZE("fvb","video_to_ad");this.kc.start();break;case "loadstart":WE("gv",this.eb.timerName)||this.eb.tick("gv");ZE("gv","video_to_ad");break;case "progress":case "timeupdate":!WE("l2s",this.eb.timerName)&&2<=eA(a.target.Gf())&&this.eb.tick("l2s");break;case "playing":g.OD&&this.kc.start();if(g.wD(this.W))a=!1;else{var b=g.PT(this.C);a="none"===this.da.Aq("display")||0===ke(this.da.Co());var c=bZ(this.template), -d=this.D.getVideoData(),e=KD(this.W)||g.qD(this.W);d=AI(d);b=!c||b||e||d||this.W.ke;a=a&&!b}a&&(this.D.Na("hidden","1",!0),this.getVideoData().pj||(this.ba("html5_new_elem_on_hidden")?(this.getVideoData().pj=1,this.XF(null),this.D.playVideo()):bBa(this,"hidden",!0)))}}; -g.k.eP=function(a,b){this.u.xa("onLoadProgress",b)}; -g.k.GQ=function(){this.u.V("playbackstalledatstart")}; -g.k.xr=function(a,b){var c=D0(this,a);b=R0(this,c.getCurrentTime(),c);this.u.xa("onVideoProgress",b)}; -g.k.PO=function(){this.u.xa("onDompaused")}; -g.k.WP=function(){this.u.V("progresssync")}; -g.k.mO=function(a){if(1===this.getPresentingPlayerType()){g.GK(a,1)&&!g.U(a.state,64)&&E0(this).isLivePlayback&&this.B.isAtLiveHead()&&1=+c),b.dis=this.mediaElement.getStyle("display"));(a=a?(0,g.PY)():null)&&(b.gpu=a);b.debug_playbackQuality=this.Ta.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; +g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.V().experiments.experimentIds.join(", ")},b=this.Cb().getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; +g.k.getPresentingPlayerType=function(a){if(1===this.appState)return 1;if(HZ(this))return 3;var b;return a&&(null==(b=this.Ke)?0:zRa(b,this.getCurrentTime()))?2:g.qS(this).getPlayerType()}; +g.k.Cb=function(a){return 3===this.getPresentingPlayerType()?JS(this.hd).Te:g.qS(this,a).getPlayerState()}; +g.k.getAppState=function(){return this.appState}; +g.k.iO=function(a){switch(a.type){case "loadedmetadata":this.UH.start();a=g.t(this.Mz);for(var b=a.next();!b.done;b=a.next())b=b.value,V0a(this,b.id,b.R9,b.Q9,void 0,!1);this.Mz=[];break;case "loadstart":this.vb.Mt("gv");break;case "progress":case "timeupdate":2<=nI(a.target.Nh())&&this.vb.Mt("l2s");break;case "playing":g.HK&&this.UH.start();if(g.tK(this.Y))a=!1;else{b=g.LS(this.wb());a="none"===this.mediaElement.getStyle("display")||0===Je(this.mediaElement.getSize());var c=YW(this.template),d=this.Kb.getVideoData(), +e=g.nK(this.Y)||g.oK(this.Y);d=uM(d);b=!c||b||e||d||this.Y.Ld;a=a&&!b}a&&(this.Kb.xa("hidden",{},!0),this.getVideoData().Dc||(this.getVideoData().Dc=1,this.oW(),this.Kb.playVideo()))}}; +g.k.onLoadProgress=function(a,b){this.Ta.Na("onLoadProgress",b)}; +g.k.y7=function(){this.Ta.ma("playbackstalledatstart")}; +g.k.onVideoProgress=function(a,b){a=GZ(this,a);b=QZ(this,a.getCurrentTime(),a);this.Ta.Na("onVideoProgress",b)}; +g.k.onAutoplayBlocked=function(){this.Ta.Na("onAutoplayBlocked")}; +g.k.P6=function(){this.Ta.ma("progresssync")}; +g.k.y5=function(a){if(1===this.getPresentingPlayerType()){g.YN(a,1)&&!g.S(a.state,64)&&this.Hd().isLivePlayback&&this.zb.isAtLiveHead()&&1=1E3*(this.getDuration()-1)){J0a(this);return}A0a(this)}if(g.S(a.state,128)){var b=a.state;this.cancelPlayback(5);b=b.getData();JSON.stringify({errorData:b,debugInfo:this.getDebugText(!0)});this.Ta.Na("onError",TJa(b.errorCode));this.Ta.Na("onDetailedError",{errorCode:b.errorCode, +errorDetail:b.errorDetail,message:b.errorMessage,messageKey:b.uL,cpn:b.cpn});6048E5<(0,g.M)()-this.Y.Jf&&this.Ta.Na("onReloadRequired")}b={};if(a.state.bd()&&!g.TO(a.state)&&!aF("pbresume","ad_to_video")&&aF("_start","ad_to_video")){var c=this.getVideoData();b.clientPlaybackNonce=c.clientPlaybackNonce;c.videoId&&(b.videoId=c.videoId);bF(b,"ad_to_video");eF("pbresume",void 0,"ad_to_video");eMa(this.hd)}this.Ta.ma("applicationplayerstatechange",a)}}; +g.k.JW=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("presentingplayerstatechange",a)}; +g.k.Hi=function(a){EZ(this,UO(a.state));g.S(a.state,1024)&&this.Ta.isMutedByMutedAutoplay()&&(tS(this,{muted:!1,volume:this.ji.volume},!1),OZ(this,!1))}; +g.k.u5=function(a,b,c){"newdata"===a&&t0a(this);b=c.clipConfig;"dataloaded"===a&&b&&null!=b.startTimeMs&&null!=b.endTimeMs&&this.setLoopRange({startTimeMs:Math.floor(Number(b.startTimeMs)),endTimeMs:Math.floor(Number(b.endTimeMs)),postId:b.postId,type:"clips"})}; +g.k.VC=function(){this.Ta.Na("onPlaybackAudioChange",this.Ta.getAudioTrack().Jc.name)}; +g.k.iD=function(a){var b=this.Kb.getVideoData();a===b&&this.Ta.Na("onPlaybackQualityChange",a.u.video.quality)}; +g.k.onVideoDataChange=function(a,b,c){b===this.zb&&(this.Y.Zi=c.oauthToken);if(b===this.zb&&(this.getVideoData().enableServerStitchedDai&&!this.Ke?this.Ke=new g.zW(this.Ta,this.Y,this.zb):!this.getVideoData().enableServerStitchedDai&&this.Ke&&(this.Ke.dispose(),this.Ke=null),YM(this.getVideoData())&&"newdata"===a)){this.Sv.Ef();var d=oRa(this.Sv,1,0,this.getDuration(1),void 0,{video_id:this.getVideoData().videoId});var e=this.Sv;d.B===e&&(0===e.segments.length&&(e.j=d),e.segments.push(d));this.Og= +new LW(this.Ta,this.Sv,this.zb)}if("newdata"===a)LT(this.hd,2),this.Ta.ma("videoplayerreset",b);else{if(!this.mediaElement)return;"dataloaded"===a&&(this.Kb===this.zb?(rK(c.B,c.RY),this.zb.getPlayerState().isError()||(d=HZ(this),this.Hd().isLoaded(),d&&this.mp(6),E0a(this),cMa(this.hd)||D0a(this))):E0a(this));if(1===b.getPlayerType()&&(this.Y.Ya&&c1a(this),this.getVideoData().isLivePlayback&&!this.Y.Eo&&this.Eg("html5.unsupportedlive",2,"DEVICE_FALLBACK"),c.isLoaded())){if(Lza(c)||this.getVideoData().uA){d= +this.Lx;var f=this.getVideoData();e=this.zb;kS(d,"part2viewed",1,0x8000000000000,e);kS(d,"engagedview",Math.max(1,1E3*f.Pb),0x8000000000000,e);f.isLivePlayback||(f=1E3*f.lengthSeconds,kS(d,"videoplaytime25",.25*f,f,e),kS(d,"videoplaytime50",.5*f,f,e),kS(d,"videoplaytime75",.75*f,f,e),kS(d,"videoplaytime100",f,0x8000000000000,e),kS(d,"conversionview",f,0x8000000000000,e),kS(d,"videoplaybackstart",1,f,e),kS(d,"videoplayback2s",2E3,f,e),kS(d,"videoplayback10s",1E4,f,e))}if(c.hasProgressBarBoundaries()){var h; +d=Number(null==(h=this.getVideoData().progressBarEndPosition)?void 0:h.utcTimeMillis)/1E3;!isNaN(d)&&(h=this.Pf())&&(h-=this.getCurrentTime(),h=1E3*(d-h),d=this.CH.progressEndBoundary,(null==d?void 0:d.start)!==h&&(d&&this.MH([d]),h=new g.XD(h,0x7ffffffffffff,{id:"progressEndBoundary",namespace:"appprogressboundary"}),this.zb.addCueRange(h),this.CH.progressEndBoundary=h))}}this.Ta.ma("videodatachange",a,c,b.getPlayerType())}this.Ta.Na("onVideoDataChange",{type:a,playertype:b.getPlayerType()});this.ZH(); +(a=c.Nz)?this.Ls.fL(a,c.clientPlaybackNonce):uSa(this.Ls)}; +g.k.iF=function(){JZ(this,null);this.Ta.Na("onPlaylistUpdate")}; +g.k.TV=function(a){var b=a.getId(),c=this.Hd(),d=!this.isInline();if(!c.inlineMetricEnabled&&!this.Y.experiments.ob("enable_player_logging_lr_home_infeed_ads")||d){if("part2viewed"===b){if(c.pQ&&g.ZB(c.pQ),c.cN&&WZ(this,c.cN),c.zx)for(var e={CPN:this.getVideoData().clientPlaybackNonce},f=g.t(c.zx),h=f.next();!h.done;h=f.next())WZ(this,g.xp(h.value,e))}else"conversionview"===b?this.zb.kA():"engagedview"===b&&c.Ui&&(e={CPN:this.getVideoData().clientPlaybackNonce},g.ZB(g.xp(c.Ui,e)));c.qQ&&(e=a.getId(), +e=ty(c.qQ,{label:e}),g.ZB(e));switch(b){case "videoplaytime25":c.bZ&&WZ(this,c.bZ);c.yN&&XZ(this,c.yN);c.sQ&&g.ZB(c.sQ);break;case "videoplaytime50":c.cZ&&WZ(this,c.cZ);c.vO&&XZ(this,c.vO);c.xQ&&g.ZB(c.xQ);break;case "videoplaytime75":c.oQ&&WZ(this,c.oQ);c.FO&&XZ(this,c.FO);c.yQ&&g.ZB(c.yQ);break;case "videoplaytime100":c.aZ&&WZ(this,c.aZ),c.jN&&XZ(this,c.jN),c.rQ&&g.ZB(c.rQ)}(e=this.getVideoData().uA)&&Q0a(this,e,a.getId())&&Q0a(this,e,a.getId()+"gaia")}if(c.inlineMetricEnabled&&!d)switch(b){case "videoplaybackstart":var l, +m=null==(l=c.Ax)?void 0:l.j;m&&WZ(this,m);break;case "videoplayback2s":(l=null==(m=c.Ax)?void 0:m.B)&&WZ(this,l);break;case "videoplayback10s":var n;(l=null==(n=c.Ax)?void 0:n.u)&&WZ(this,l)}this.zb.removeCueRange(a)}; +g.k.O6=function(a){delete this.CH[a.getId()];this.zb.removeCueRange(a);a:{a=this.getVideoData();var b,c,d,e,f,h,l,m,n,p,q=(null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:null==(d=c.singleColumnWatchNextResults)?void 0:null==(e=d.autoplay)?void 0:null==(f=e.autoplay)?void 0:f.sets)||(null==(h=a.jd)?void 0:null==(l=h.contents)?void 0:null==(m=l.twoColumnWatchNextResults)?void 0:null==(n=m.autoplay)?void 0:null==(p=n.autoplay)?void 0:p.sets);if(q)for(b=g.t(q),c=b.next();!c.done;c=b.next())if(c=c.value, +e=d=void 0,c=c.autoplayVideo||(null==(d=c.autoplayVideoRenderer)?void 0:null==(e=d.autoplayEndpointRenderer)?void 0:e.endpoint),d=g.K(c,g.oM),f=e=void 0,null!=c&&(null==(e=d)?void 0:e.videoId)===a.videoId&&(null==(f=d)?0:f.continuePlayback)){a=c;break a}a=null}(b=g.K(a,g.oM))&&this.Ta.Na("onPlayVideo",{sessionData:{autonav:"1",itct:null==a?void 0:a.clickTrackingParams},videoId:b.videoId,watchEndpoint:b})}; +g.k.mp=function(a){a!==this.appState&&(2===a&&1===this.getPresentingPlayerType()&&(EZ(this,-1),EZ(this,5)),this.appState=a,this.Ta.ma("appstatechange",a))}; +g.k.Eg=function(a,b,c,d,e){this.zb.Ng(a,b,c,d,e)}; +g.k.Uq=function(a,b){this.zb.handleError(new PK(a,b))}; +g.k.isAtLiveHead=function(a,b){b=void 0===b?!1:b;var c=g.qS(this,a);if(!c)return!1;a=FZ(this,c);c=GZ(this,c);return a!==c?a.isAtLiveHead(QZ(this,c.getCurrentTime(),c),!0):a.isAtLiveHead(void 0,b)}; +g.k.us=function(){var a=g.qS(this);return a?FZ(this,a).us():0}; +g.k.seekTo=function(a,b,c,d){b=!1!==b;if(d=g.qS(this,d))2===this.appState&&MZ(this),this.mf(d)?PZ(this)?this.Ke.seekTo(a,b,c):this.kd.seekTo(a,b,c):d.seekTo(a,{vY:!b,wY:c,Je:"application"})}; g.k.seekBy=function(a,b,c,d){this.seekTo(this.getCurrentTime()+a,b,c,d)}; -g.k.LL=function(){this.u.xa("SEEK_COMPLETE")}; -g.k.wQ=function(a,b){var c=a.getVideoData();if(1===this.Y||2===this.Y)c.startSeconds=b;2===this.Y?L0(this):(this.u.xa("SEEK_TO",b),!this.ba("hoffle_api")&&this.F&&uT(this.F,c.videoId))}; -g.k.cO=function(){this.u.V("airplayactivechange")}; -g.k.dO=function(){this.u.V("airplayavailabilitychange")}; -g.k.tO=function(){this.u.V("beginseeking")}; -g.k.SO=function(){this.u.V("endseeking")}; -g.k.getStoryboardFormat=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().getStoryboardFormat():null}; -g.k.tg=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().tg():null}; -g.k.cd=function(a){if(a=a||this.D){a=a.getVideoData();if(this.I)a=a===this.I.u.getVideoData();else a:{var b=this.te;if(a===b.B.getVideoData()&&b.u.length)a=!0;else{b=g.q(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Hc===c.value.Hc){a=!0;break a}a=!1}}if(a)return!0}return!1}; -g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.cd();a=new g.rI(this.W,a);d&&(a.Hc=d);!g.Q(this.W.experiments,"html5_report_dai_ad_playback_killswitch")&&2===b&&this.B&&this.B.Yo(a.clientPlaybackNonce,a.Xo||"",a.breakType||0);SAa(this,a,b,c)}; -g.k.clearQueue=function(){this.ea();this.Ga.clearQueue()}; -g.k.loadVideoByPlayerVars=function(a,b,c,d,e){var f=!1,h=new g.rI(this.W,a);if(!this.ba("web_player_load_video_context_killswitch")&&e){for(;h.bk.length&&h.bk[0].isExpired();)h.bk.shift();for(var l=g.q(h.bk),m=l.next();!m.done;m=l.next())e.B(m.value)&&(f=!0);h.bk.push(e)}c||(a&&gU(a)?(FD(this.W)&&!this.R&&(a.fetch=0),H0(this,a)):this.playlist&&H0(this,null),a&&this.setIsExternalPlaylist(a.external_list),FD(this.W)&&!this.R&&I0(this));a=KY(this,h,b,d);f&&(f=("loadvideo.1;emsg."+h.bk.join()).replace(/[;:,]/g, -"_"),this.B.Rd("player.fatalexception","GENERIC_WITH_LINK_AND_CPN",f,void 0));return a}; -g.k.preloadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;c=void 0===c?NaN:c;e=void 0===e?"":e;d=bD(a);d=V0(b,d,e);this.kb.get(d)?this.ea():this.D&&this.D.di.started&&d===V0(this.D.getPlayerType(),this.D.getVideoData().videoId,this.D.getVideoData().Hc)?this.ea():(a=new g.rI(this.W,a),e&&(a.Hc=e),UAa(this,a,b,c))}; -g.k.setMinimized=function(a){this.visibility.setMinimized(a);a=this.C;a=a.J.T().showMiniplayerUiWhenMinimized?a.Vc.get("miniplayer"):void 0;a&&(this.visibility.u?a.load():a.unload());this.u.V("minimized")}; +g.k.xz=function(){this.Ta.Na("SEEK_COMPLETE")}; +g.k.n7=function(a,b){var c=a.getVideoData();if(1===this.appState||2===this.appState)c.startSeconds=b;2===this.appState?g.S(a.getPlayerState(),512)||MZ(this):this.Ta.Na("SEEK_TO",b)}; +g.k.onAirPlayActiveChange=function(){this.Ta.ma("airplayactivechange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayActiveChange",this.Ta.wh())}; +g.k.onAirPlayAvailabilityChange=function(){this.Ta.ma("airplayavailabilitychange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayAvailabilityChange",this.Ta.vC())}; +g.k.showAirplayPicker=function(){var a;null==(a=this.Kb)||a.Dt()}; +g.k.EN=function(){this.Ta.ma("beginseeking")}; +g.k.JN=function(){this.Ta.ma("endseeking")}; +g.k.getStoryboardFormat=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().getStoryboardFormat():null}; +g.k.Hj=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().Hj():null}; +g.k.mf=function(a){a=a||this.Kb;var b=!1;if(a){a=a.getVideoData();if(PZ(this))a=a===this.Ke.va.getVideoData();else a:if(b=this.kd,a===b.j.getVideoData()&&b.u.length)a=!0;else{b=g.t(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Nc===c.value.Nc){a=!0;break a}a=!1}b=a}return b}; +g.k.Kx=function(a,b,c,d,e,f,h){var l=PZ(this),m;null==(m=g.qS(this))||m.xa("appattl",{sstm:this.Ke?1:0,ssenable:this.getVideoData().enableServerStitchedDai,susstm:l});return l?wRa(this.Ke,a,b,c,d,e,f,h):WRa(this.kd,a,c,d,e,f)}; +g.k.rC=function(a,b,c,d,e,f,h){PZ(this)&&wRa(this.Ke,a,b,c,d,e,f,h);return""}; +g.k.kt=function(a){var b;null==(b=this.Ke)||b.kt(a)}; +g.k.Fu=function(a,b){a=void 0===a?-1:a;b=void 0===b?Infinity:b;PZ(this)||eSa(this.kd,a,b)}; +g.k.jA=function(a,b,c){if(PZ(this)){var d=this.Ke,e=d.Oc.get(a);e?(void 0===c&&(c=e.Dd),e.durationMs=b,e.Dd=c):d.KC("Invalid_timelinePlaybackId_"+a+"_specified")}else{d=this.kd;e=null;for(var f=g.t(d.u),h=f.next();!h.done;h=f.next())if(h=h.value,h.Nc===a){e=h;break}e?(void 0===c&&(c=e.Dd),dSa(d,e,b,c)):MW(d,"InvalidTimelinePlaybackId timelinePlaybackId="+a)}}; +g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.mf();a=new g.$L(this.Y,a);d&&(a.Nc=d);R0a(this,a,b,c)}; +g.k.queueNextVideo=function(a,b,c,d,e){c=void 0===c?NaN:c;a.prefer_gapless=!0;if((a=this.preloadVideoByPlayerVars(a,void 0===b?1:b,c,void 0===d?"":d,void 0===e?"":e))&&g.QM(a)&&!a.Xl){var f;null==(f=g.qS(this))||f.xa("sgap",{pcpn:a.clientPlaybackNonce});f=this.SY;f.j!==a&&(f.j=a,f.u=1,a.isLoaded()?f.B():f.j.subscribe("dataloaded",f.B,f))}}; +g.k.yF=function(a,b,c,d){var e=this;c=void 0===c?0:c;d=void 0===d?0:d;var f=g.qS(this);f&&(FZ(this,f).FY=!0);dRa(this.ir,a,b,c,d).then(function(){e.Ta.Na("onQueuedVideoLoaded")},function(){})}; +g.k.vv=function(){return this.ir.vv()}; +g.k.clearQueue=function(){this.ir.clearQueue()}; +g.k.loadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;var f=!1,h=new g.$L(this.Y,a);g.GK(this.Y)&&!h.Xl&&yT(this.vb);var l,m=null!=(l=h.Qa)?l:"";this.vb.timerName=m;this.vb.di("pl_i");this.K("web_player_early_cpn")&&h.clientPlaybackNonce&&this.vb.info("cpn",h.clientPlaybackNonce);if(this.K("html5_enable_short_gapless")){l=gRa(this.ir,h,b);if(null==l){EZ(this,-1);h=this.ir;h.app.setLoopRange(null);h.app.getVideoData().ZI=!0;var n;null==(n=h.j)||vZa(n.zc);h.app.seekTo(fRa(h));if(!h.app.Cb(b).bd()){var p; +null==(p=g.qS(h.app))||p.playVideo(!0)}h.I();return!0}this.ir.clearQueue();var q;null==(q=g.qS(this))||q.xa("sgap",{f:l})}if(e){for(;h.Sl.length&&h.Sl[0].isExpired();)h.Sl.shift();n=h.Sl.length-1;f=0Math.random()&&g.Nq("autoplayTriggered",{intentional:this.Ig});this.ng=!1;this.u.xa("onPlaybackStartExternal");g.Q(this.W.experiments,"mweb_client_log_screen_associated")||a();SE("player_att",["att_f","att_e"]);if(this.ba("web_player_inline_botguard")){var c=this.getVideoData().botguardData;c&&(this.ba("web_player_botguard_inline_skip_config_killswitch")&& -(so("BG_I",c.interpreterScript),so("BG_IU",c.interpreterUrl),so("BG_P",c.program)),g.HD(this.W)?rp(function(){M0(b)}):M0(this))}}; -g.k.IL=function(){this.u.V("internalAbandon");this.ba("html5_ad_module_cleanup_killswitch")||S0(this)}; -g.k.KF=function(a){a=a.u;!isNaN(a)&&0Math.random()&&g.rA("autoplayTriggered",{intentional:this.QU});this.pV=!1;eMa(this.hd);this.K("web_player_defer_ad")&&D0a(this);this.Ta.Na("onPlaybackStartExternal");(this.Y.K("mweb_client_log_screen_associated"),this.Y.K("kids_web_client_log_screen_associated")&&uK(this.Y))||a();var c={};this.getVideoData().T&&(c.cttAuthInfo={token:this.getVideoData().T, +videoId:this.getVideoData().videoId});cF("player_att",c);if(this.getVideoData().botguardData||this.K("fetch_att_independently"))g.DK(this.Y)||"MWEB"===g.rJ(this.Y)?g.gA(g.iA(),function(){NZ(b)}):NZ(this); +this.ZH()}; +g.k.PN=function(){this.Ta.ma("internalAbandon");RZ(this)}; +g.k.onApiChange=function(){this.Y.I&&this.Kb?this.Ta.Na("onApiChange",this.Kb.getPlayerType()):this.Ta.Na("onApiChange")}; +g.k.q6=function(){var a=this.mediaElement;a={volume:g.ze(Math.floor(100*a.getVolume()),0,100),muted:a.VF()};a.muted||OZ(this,!1);this.ji=g.md(a);this.Ta.Na("onVolumeChange",a)}; +g.k.mutedAutoplay=function(){var a=this.getVideoData().videoId;isNaN(this.xN)&&(this.xN=this.getVideoData().startSeconds);a&&(this.loadVideoByPlayerVars({video_id:a,playmuted:!0,start:this.xN}),this.Ta.Na("onMutedAutoplayStarts"))}; +g.k.onFullscreenChange=function(){var a=Z0a(this);this.cm(a?1:0);a1a(this,!!a)}; +g.k.cm=function(a){var b=!!a,c=!!this.Ay()!==b;this.visibility.cm(a);this.template.cm(b);this.K("html5_media_fullscreen")&&!b&&this.mediaElement&&Z0a(this)===this.mediaElement.ub()&&this.mediaElement.AB();this.template.resize();c&&this.vb.tick("fsc");c&&(this.Ta.ma("fullscreentoggled",b),a=this.Hd(),b={fullscreen:b,videoId:a.eJ||a.videoId,time:this.getCurrentTime()},this.Ta.getPlaylistId()&&(b.listId=this.Ta.getPlaylistId()),this.Ta.Na("onFullscreenChange",b))}; g.k.isFullscreen=function(){return this.visibility.isFullscreen()}; -g.k.lQ=function(){this.D&&(0!==this.visibility.fullscreen&&1!==this.visibility.fullscreen||B0(this,Z0(this)?1:0),this.W.yn&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.da&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.da.iq())}; -g.k.dP=function(a){3!==this.getPresentingPlayerType()&&this.u.V("liveviewshift",a)}; -g.k.playVideo=function(a){this.ea();if(a=g.Z(this,a))2===this.Y?L0(this):(null!=this.X&&this.X.fb&&this.X.start(),g.U(a.getPlayerState(),2)?this.seekTo(0):a.playVideo())}; -g.k.pauseVideo=function(a){(a=g.Z(this,a))&&a.pauseVideo()}; -g.k.stopVideo=function(){this.ea();var a=this.B.getVideoData(),b=new g.rI(this.W,{video_id:a.gB||a.videoId,oauth_token:a.oauthToken});b.li=g.Vb(a.li);this.cancelPlayback(6);X0(this,b,1);null!=this.X&&this.X.stop()}; -g.k.cancelPlayback=function(a,b){this.ea();Hq(this.za);this.za=0;var c=g.Z(this,b);if(c)if(1===this.Y||2===this.Y)this.ea();else{c===this.D&&(this.ea(),rU(this.C,a));var d=c.getVideoData();if(this.F&&qJ(d)&&d.videoId)if(this.ba("hoffle_api")){var e=this.F;d=d.videoId;if(2===Zx(d)){var f=qT(e,d);f&&f!==e.player&&qJ(f.getVideoData())&&(f.Bi(),RI(f.getVideoData(),!1),by(d,3),rT(e))}}else uT(this.F,d.videoId);1===b&&(g.Q(this.W.experiments,"html5_stop_video_in_cancel_playback")&&c.stopVideo(),S0(this)); -c.fi();VT(this,"cuerangesremoved",c.Lk());c.Vf.reset();this.Ga&&c.isGapless()&&(c.Pf(!0),c.setMediaElement(this.da))}else this.ea()}; -g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.Z(this,b))&&this.W.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; -g.k.Yf=function(a){var b=g.Z(this,void 0);return b&&this.W.enabledEngageTypes.has(a.toString())?b.Yf(a):null}; -g.k.updatePlaylist=function(){FD(this.W)?I0(this):g.Q(this.W.experiments,"embeds_wexit_list_ajax_migration")&&g.nD(this.W)&&J0(this);this.u.xa("onPlaylistUpdate")}; -g.k.setSizeStyle=function(a,b){this.wi=a;this.ce=b;this.u.V("sizestylechange",a,b);this.template.resize()}; -g.k.isWidescreen=function(){return this.ce}; +g.k.Ay=function(){return this.visibility.Ay()}; +g.k.b7=function(){this.Kb&&(0!==this.Ay()&&1!==this.Ay()||this.cm(Z0a(this)?1:0),this.Y.lm&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.mediaElement&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.mediaElement.AB())}; +g.k.i6=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("liveviewshift",a)}; +g.k.playVideo=function(a){if(a=g.qS(this,a))2===this.appState?(g.GK(this.Y)&&yT(this.vb),MZ(this)):g.S(a.getPlayerState(),2)?this.seekTo(0):a.playVideo()}; +g.k.pauseVideo=function(a){(a=g.qS(this,a))&&a.pauseVideo()}; +g.k.stopVideo=function(){var a=this.zb.getVideoData(),b=new g.$L(this.Y,{video_id:a.eJ||a.videoId,oauth_token:a.oauthToken});b.Z=g.md(a.Z);this.cancelPlayback(6);UZ(this,b,1)}; +g.k.cancelPlayback=function(a,b){var c=g.qS(this,b);c&&(2===b&&1===c.getPlayerType()&&Zza(this.Hd())?c.xa("canclpb",{r:"no_adpb_ssdai"}):(this.Y.Rd()&&c.xa("canclpb",{r:a}),1!==this.appState&&2!==this.appState&&(c===this.Kb&<(this.hd,a),1===b&&(c.stopVideo(),RZ(this)),c.Dn(void 0,6!==a),DZ(this,"cuerangesremoved",c.Hm()),c.Xi.reset(),this.ir&&c.isGapless()&&(c.rj(!0),c.setMediaElement(this.mediaElement)))))}; +g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.qS(this,b))&&this.Y.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; +g.k.Gj=function(a){var b=g.qS(this);return b&&this.Y.enabledEngageTypes.has(a.toString())?b.Gj(a):null}; +g.k.updatePlaylist=function(){BK(this.Y)?KZ(this):g.fK(this.Y)&&F0a(this);this.Ta.Na("onPlaylistUpdate")}; +g.k.setSizeStyle=function(a,b){this.QX=a;this.RM=b;this.Ta.ma("sizestylechange",a,b);this.template.resize()}; +g.k.wv=function(){return this.RM}; +g.k.zg=function(){return this.visibility.zg()}; g.k.isInline=function(){return this.visibility.isInline()}; -g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return g.MT(this.C).getAdState();if(!this.cd()){var a=sU(this.C);if(a)return a.getAdState()}return-1}; -g.k.kQ=function(a){var b=this.template.getVideoContentRect();kg(this.Jg,b)||(this.Jg=b,this.D&&g0(this.D),this.B&&this.B!==this.D&&g0(this.B),1===this.visibility.fullscreen&&this.Ya&&aBa(this,!0));this.ke&&g.je(this.ke,a)||(this.u.V("appresize",a),this.ke=a)}; -g.k.He=function(){return this.u.He()}; -g.k.AQ=function(){2===this.getPresentingPlayerType()&&this.te.isManifestless()&&!this.ba("web_player_manifestless_ad_signature_expiration_killswitch")?uwa(this.te):bBa(this,"signature",void 0,!0)}; -g.k.XF=function(){this.Pf();x0(this)}; -g.k.jQ=function(a){mY(a,this.da.tm())}; -g.k.JL=function(a){this.F&&this.F.u(a)}; -g.k.FO=function(){this.u.xa("CONNECTION_ISSUE")}; -g.k.tr=function(a){this.u.V("heartbeatparams",a)}; -g.k.Zc=function(){return this.da}; -g.k.setBlackout=function(a){this.W.ke=a;this.D&&(this.D.sn(),this.W.X&&eBa(this))}; -g.k.setAccountLinkState=function(a){var b=g.Z(this);b&&(b.getVideoData().In=a,b.sn())}; -g.k.updateAccountLinkingConfig=function(a){var b=g.Z(this);if(b){var c=b.getVideoData();c.accountLinkingConfig&&(c.accountLinkingConfig.linked=a);this.u.V("videodatachange","dataupdated",c,b.getPlayerType())}}; -g.k.EP=function(){var a=g.Z(this);if(a){var b=!UT(this.u);(a.Ay=b)||a.Mm.stop();if(a.videoData.ra)if(b)a.videoData.ra.resume();else{var c=a.videoData.ra;c.D&&c.D.stop()}g.Q(a.W.experiments,"html5_suspend_loader")&&a.Ba&&(b?a.Ba.resume():m0(a,!0));g.Q(a.W.experiments,"html5_fludd_suspend")&&(g.U(a.playerState,2)||b?g.U(a.playerState,512)&&b&&a.vb(DM(a.playerState,512)):a.vb(CM(a.playerState,512)));a=a.Jb;a.qoe&&(a=a.qoe,g.MZ(a,g.rY(a.provider),"stream",[b?"A":"I"]))}}; -g.k.gP=function(){this.u.xa("onLoadedMetadata")}; -g.k.RO=function(){this.u.xa("onDrmOutputRestricted")}; -g.k.ex=function(){void 0!==navigator.mediaCapabilities&&(QB=!0);g.Q(this.W.experiments,"html5_disable_subtract_cuepoint_offset")&&(Uy=!0);g.Q(this.W.experiments,"html5_log_opus_oboe_killswitch")&&(Hv=!1);g.Q(this.W.experiments,"html5_skip_empty_load")&&(UCa=!0);XCa=g.Q(this.W.experiments,"html5_ios_force_seek_to_zero_on_stop");VCa=g.Q(this.W.experiments,"html5_ios7_force_play_on_stall");WCa=g.Q(this.W.experiments,"html5_ios4_seek_above_zero");g.Q(this.W.experiments,"html5_mediastream_applies_timestamp_offset")&& -(Qy=!0);g.Q(this.W.experiments,"html5_dont_override_default_sample_desc_index")&&(pv=!0)}; -g.k.ca=function(){this.C.dispose();this.te.dispose();this.I&&this.I.dispose();this.B.dispose();this.Pf();g.gg(g.Lb(this.Oe),this.playlist);Hq(this.za);this.za=0;g.C.prototype.ca.call(this)}; -g.k.ea=function(){}; -g.k.ba=function(a){return g.Q(this.W.experiments,a)}; +g.k.Ty=function(){return this.visibility.Ty()}; +g.k.Ry=function(){return this.visibility.Ry()}; +g.k.PM=function(){return this.QX}; +g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return JS(this.hd).getAdState();if(!this.mf()){var a=MT(this.wb());if(a)return a.getAdState()}return-1}; +g.k.a7=function(a){var b=this.template.getVideoContentRect();Fm(this.iV,b)||(this.iV=b,this.Kb&&wZ(this.Kb),this.zb&&this.zb!==this.Kb&&wZ(this.zb),1===this.Ay()&&this.kD&&a1a(this,!0));this.YM&&g.Ie(this.YM,a)||(this.Ta.ma("appresize",a),this.YM=a)}; +g.k.yh=function(){return this.Ta.yh()}; +g.k.t7=function(){2===this.getPresentingPlayerType()&&this.kd.isManifestless()?cSa(this.kd):(this.Ke&&(DRa(this.Ke),RZ(this)),z0a(this,"signature"))}; +g.k.oW=function(){this.rj();CZ(this)}; +g.k.w6=function(a){"manifest.net.badstatus"===a.errorCode&&a.details.rc===(this.Y.experiments.ob("html5_use_network_error_code_enums")?401:"401")&&this.Ta.Na("onPlayerRequestAuthFailed")}; +g.k.YC=function(){this.Ta.Na("CONNECTION_ISSUE")}; +g.k.aD=function(a){this.Ta.ma("heartbeatparams",a)}; +g.k.RH=function(a){this.Ta.Na("onAutonavChangeRequest",1!==a)}; +g.k.qe=function(){return this.mediaElement}; +g.k.setBlackout=function(a){this.Y.Ld=a;this.Kb&&(this.Kb.jr(),this.Y.Ya&&c1a(this))}; +g.k.y6=function(){var a=g.qS(this);if(a){var b=!this.Ta.AC();(a.uU=b)||a.Bv.stop();if(a.videoData.j)if(b)a.videoData.j.resume();else{var c=a.videoData.j;c.C&&c.C.stop()}a.Fa&&(b?a.Fa.resume():zZ(a,!0));g.S(a.playerState,2)||b?g.S(a.playerState,512)&&b&&a.pc(NO(a.playerState,512)):a.pc(MO(a.playerState,512));a=a.zc;a.qoe&&(a=a.qoe,g.MY(a,g.uW(a.provider),"stream",[b?"A":"I"]))}}; +g.k.onLoadedMetadata=function(){this.Ta.Na("onLoadedMetadata")}; +g.k.onDrmOutputRestricted=function(){this.Ta.Na("onDrmOutputRestricted")}; +g.k.wK=function(){Lcb=this.K("html5_use_async_stopVideo");Mcb=this.K("html5_pause_for_async_stopVideo");Kcb=this.K("html5_not_reset_media_source");CCa=this.K("html5_rebase_video_to_ad_timeline");xI=this.K("html5_not_reset_media_source");fcb=this.K("html5_not_reset_media_source");rI=this.K("html5_retain_source_buffer_appends_for_debugging");ecb=this.K("html5_source_buffer_wrapper_reorder");this.K("html5_mediastream_applies_timestamp_offset")&&(CX=!0);var a=g.gJ(this.Y.experiments,"html5_cobalt_override_quic"); +a&&kW("QUIC",+(0r.start&&dE;E++)if(x=(x<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(w.charAt(E)),4==E%5){for(var G="",K=0;6>K;K++)G="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(x& -31)+G,x>>=5;B+=G}w=B.substr(0,4)+" "+B.substr(4,4)+" "+B.substr(8,4)}else w="";l={video_id_and_cpn:c.videoId+" / "+w,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",drm_style:p?"":"display:none",drm:p,debug_info:d,bandwidth_style:t,network_activity_style:t,network_activity_bytes:m.toFixed(0)+" KB",shader_info:r,shader_info_style:r?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1a)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":f="Optimized for Normal Latency";break;case "LOW":f="Optimized for Low Latency";break;case "ULTRALOW":f="Optimized for Ultra Low Latency";break;default:f="Unknown Latency Setting"}else f=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=f;(a=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= -", seq "+a.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=RY(h,"bandwidth");l.network_activity_samples=RY(h,"networkactivity");l.live_latency_samples=RY(h,"livelatency");l.buffer_health_samples=RY(h,"bufferhealth");FI(c,"web_player_release_debug")?(l.release_name="youtube.player.web_20201213_0_RC0",l.release_style=""):l.release_style="display:none";return l}; -g.k.getVideoUrl=function(a,b,c,d,e){return this.K&&this.K.postId?(a=this.W.getVideoUrl(a),a=Sd(a,"v"),a.replace("/watch","/clip/"+this.K.postId)):this.W.getVideoUrl(a,b,c,d,e)}; -var o2={};g.Fa("yt.player.Application.create",u0.create,void 0);g.Fa("yt.player.Application.createAlternate",u0.create,void 0);var p2=Es(),q2={Om:[{xL:/Unable to load player module/,weight:5}]};q2.Om&&(p2.Om=p2.Om.concat(q2.Om));q2.Pn&&(p2.Pn=p2.Pn.concat(q2.Pn));var lDa=g.Ja("ytcsi.tick");lDa&&lDa("pe");g.qU.ad=KS;var iBa=/#(.)(.)(.)/,hBa=/^#(?:[0-9a-f]{3}){1,2}$/i;var kBa=g.ye&&jBa();g.Va(g.f1,g.C);var mDa=[];g.k=g.f1.prototype;g.k.wa=function(a,b,c,d){Array.isArray(b)||(b&&(mDa[0]=b.toString()),b=mDa);for(var e=0;ethis.u.length)throw new N("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=this);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,b.init(),P1a(this.B,this.slot,b.Hb()),Q1a(this.B,this.slot,b.Hb())}; +g.k.wt=function(){var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=null);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,pO(this.B,this.slot,b.Hb()),b.release()}; +g.k.Qv=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("pauseLayout for a PlayerBytes layout that is not currently active",a,b):c.Qv()}; +g.k.ew=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("resumeLayout for a PlayerBytes layout that is not currently active",a,b):c.ew()}; +g.k.gD=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("onSkipRequested for a PlayerBytes layout that is not currently active",c.pd(),c.Hb(),{requestingSlot:a,requestingLayout:b}):Q5a(this,c.pd(),c.Hb(),"skipped")}; +g.k.Ft=function(){-1===this.j&&P5a(this,this.j+1)}; +g.k.A7=function(a,b){j0(this.B,a,b)}; +g.k.It=function(a,b){var c=this;this.j!==this.u.length?(a=this.u[this.j],a.Pg(a.Hb(),b),this.D=function(){c.callback.wd(c.slot,c.layout,b)}):this.callback.wd(this.slot,this.layout,b)}; +g.k.Tc=function(a,b){var c=this.u[this.j];c&&c.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);var d=this.u[this.j];d&&d.wd(a,b,c)}; +g.k.yV=function(){var a=this.u[this.j];a&&a.gG()}; +g.k.Mj=function(a){var b=this.u[this.j];b&&b.Mj(a)}; +g.k.wW=function(a){var b=this.u[this.j];b&&b.Jk(a)}; +g.k.fg=function(a,b,c){-1===this.j&&(this.callback.Tc(this.slot,this.layout),this.j++);var d=this.u[this.j];d?d.OC(a,b,c):GD("No active adapter found onLayoutError in PlayerBytesVodCompositeLayoutRenderingAdapter",void 0,void 0,{activeSubLayoutIndex:String(this.j),layoutId:this.Hb().layoutId})}; +g.k.onFullscreenToggled=function(a){var b=this.u[this.j];if(b)b.onFullscreenToggled(a)}; +g.k.Uh=function(a){var b=this.u[this.j];b&&b.Uh(a)}; +g.k.Ik=function(a){var b=this.u[this.j];b&&b.Ik(a)}; +g.k.onVolumeChange=function(){var a=this.u[this.j];if(a)a.onVolumeChange()}; +g.k.C7=function(a,b,c){Q5a(this,a,b,c)}; +g.k.B7=function(a,b){Q5a(this,a,b,"error")};g.w(a2,g.C);g.k=a2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){var a=ZZ(this.layout.Ba,"metadata_type_video_length_seconds"),b=ZZ(this.layout.Ba,"metadata_type_active_view_traffic_type");mN(this.layout.Rb)&&V4a(this.Mb.get(),this.layout.layoutId,b,a,this);Z4a(this.Oa.get(),this);this.Ks()}; +g.k.release=function(){mN(this.layout.Rb)&&W4a(this.Mb.get(),this.layout.layoutId);$4a(this.Oa.get(),this);this.wt()}; +g.k.Qv=function(){}; +g.k.ew=function(){}; +g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.fg(this.slot,a,new b0("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"):(this.Fc="rendering_start_requested",cAa(this.Xf.get(),1)?(this.vD(-1),this.Ft(a),this.Px(!1)):this.OC("ui_unstable",new b0("Failed to render media layout because ad ui unstable.", +void 0,"ADS_CLIENT_ERROR_MESSAGE_AD_UI_UNSTABLE"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"))}; +g.k.Tc=function(a,b){if(b.layoutId===this.layout.layoutId){this.Fc="rendering";this.CC=this.Ha.get().isMuted()||0===this.Ha.get().getVolume();this.md("impression");this.md("start");if(this.Ha.get().isMuted()){this.zw("mute");var c;a=(null==(c=$1(this))?void 0:c.muteCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId)}if(this.Ha.get().isFullscreen()){this.lh("fullscreen");var d;c=(null==(d=$1(this))?void 0:d.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}this.Mc.get().bP();this.vD(1); +this.kW();var e;d=(null==(e=$1(this))?void 0:e.impressionCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.OC=function(a,b,c){this.nu={AI:3,mE:"load_timeout"===a?402:400,errorMessage:b.message};this.md("error");var d;a=(null==(d=$1(this))?void 0:d.errorCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId);this.callback.fg(this.slot,this.layout,b,c)}; +g.k.gG=function(){this.XK()}; +g.k.lU=function(){if("rendering"===this.Fc){this.zw("pause");var a,b=(null==(a=$1(this))?void 0:a.pauseCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId);this.vD(2)}}; +g.k.mU=function(){if("rendering"===this.Fc){this.zw("resume");var a,b=(null==(a=$1(this))?void 0:a.resumeCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Pg=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.fg(this.slot,a,new b0("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_EXIT_LAYOUT_FAILED");else if("rendering_stop_requested"!==this.Fc){this.Fc="rendering_stop_requested";this.layoutExitReason=b;switch(b){case "normal":this.md("complete");break;case "skipped":this.md("skip"); +break;case "abandoned":N1(this.Za,"impression")&&this.md("abandon")}this.It(a,b)}}; +g.k.wd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.Fc="not_rendering",this.layoutExitReason=void 0,(a="normal"!==c||this.position+1===this.nY)&&this.Px(a),this.lW(c),this.vD(0),c){case "abandoned":if(N1(this.Za,"impression")){var d,e=(null==(d=$1(this))?void 0:d.abandonCommands)||[];this.Nb.get().Hg(e,this.layout.layoutId)}break;case "normal":d=(null==(e=$1(this))?void 0:e.completeCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId);break;case "skipped":var f;d=(null==(f=$1(this))? +void 0:f.skipCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.Cy=function(){return this.layout.layoutId}; +g.k.GL=function(){return this.nu}; +g.k.Jk=function(a){if("not_rendering"!==this.Fc){this.zX||(a=new g.WN(a.state,new g.KO),this.zX=!0);var b=2===this.Ha.get().getPresentingPlayerType();"rendering_start_requested"===this.Fc?b&&R5a(a)&&this.ZS():b?g.YN(a,2)?this.Ei():(R5a(a)?this.vD(1):g.YN(a,4)&&!g.YN(a,2)&&this.lU(),0>XN(a,4)&&!(0>XN(a,2))&&this.mU()):this.gG()}}; +g.k.TC=function(){if("rendering"===this.Fc){this.Za.md("active_view_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.SC=function(){if("rendering"===this.Fc){this.Za.md("active_view_fully_viewable_audible_half_duration");var a,b=(null==(a=$1(this))?void 0:a.activeViewFullyViewableAudibleHalfDurationCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.UC=function(){if("rendering"===this.Fc){this.Za.md("active_view_viewable");var a,b=(null==(a=$1(this))?void 0:a.activeViewViewableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.QC=function(){if("rendering"===this.Fc){this.Za.md("audio_audible");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioAudibleCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.RC=function(){if("rendering"===this.Fc){this.Za.md("audio_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Px=function(a){this.Mc.get().Px(ZZ(this.layout.Ba,"metadata_type_ad_placement_config").kind,a,this.position,this.nY,!1)}; +g.k.onFullscreenToggled=function(a){if("rendering"===this.Fc)if(a){this.lh("fullscreen");var b,c=(null==(b=$1(this))?void 0:b.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}else this.lh("end_fullscreen"),b=(null==(c=$1(this))?void 0:c.endFullscreenCommands)||[],this.Nb.get().Hg(b,this.layout.layoutId)}; +g.k.onVolumeChange=function(){if("rendering"===this.Fc)if(this.Ha.get().isMuted()){this.zw("mute");var a,b=(null==(a=$1(this))?void 0:a.muteCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}else this.zw("unmute"),a=(null==(b=$1(this))?void 0:b.unmuteCommands)||[],this.Nb.get().Hg(a,this.layout.layoutId)}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.Ul=function(){}; +g.k.lh=function(a){this.Za.lh(a,!this.CC)}; +g.k.md=function(a){this.Za.md(a,!this.CC)}; +g.k.zw=function(a){this.Za.zw(a,!this.CC)};g.w(W5a,a2);g.k=W5a.prototype;g.k.Ks=function(){}; +g.k.wt=function(){var a=this.Oa.get();a.nI===this&&(a.nI=null);this.timer.stop()}; +g.k.Ft=function(){V5a(this);j5a(this.Ha.get());this.Oa.get().nI=this;aF("pbp")||aF("pbs")||fF("pbp");aF("pbp","watch")||aF("pbs","watch")||fF("pbp",void 0,"watch");this.ZS()}; +g.k.kW=function(){Z5a(this)}; +g.k.Ei=function(){}; +g.k.Qv=function(){this.timer.stop();a2.prototype.lU.call(this)}; +g.k.ew=function(){Z5a(this);a2.prototype.mU.call(this)}; +g.k.By=function(){return ZZ(this.Hb().Ba,"METADATA_TYPE_MEDIA_BREAK_LAYOUT_DURATION_MILLISECONDS")}; +g.k.It=function(){this.timer.stop()}; +g.k.yc=function(){var a=Date.now(),b=a-this.aN;this.aN=a;this.Mi+=b;this.Mi>=this.By()?(this.Mi=this.By(),b2(this,this.Mi/1E3,!0),Y5a(this,this.Mi),this.XK()):(b2(this,this.Mi/1E3),Y5a(this,this.Mi))}; +g.k.lW=function(){}; +g.k.Mj=function(){};g.w(c2,a2);g.k=c2.prototype;g.k.Ks=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=this;this.shrunkenPlayerBytesConfig=ZZ(this.Hb().Ba,"metadata_type_shrunken_player_bytes_config")}; +g.k.wt=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=null;this.Iu&&this.wc.get().removeCueRange(this.Iu);this.Iu=void 0;this.NG.dispose();this.lz&&this.lz.dispose()}; +g.k.Ft=function(a){var b=P0(this.Ca.get()),c=Q0(this.Ca.get());if(b&&c){c=ZZ(a.Ba,"metadata_type_preload_player_vars");var d=g.gJ(this.Ca.get().F.V().experiments,"html5_preload_wait_time_secs");c&&this.lz&&this.lz.start(1E3*d)}c=ZZ(a.Ba,"metadata_type_ad_video_id");d=ZZ(a.Ba,"metadata_type_legacy_info_card_vast_extension");c&&d&&this.dg.get().F.V().Aa.add(c,{jB:d});(c=ZZ(a.Ba,"metadata_type_sodar_extension_data"))&&m5a(this.hf.get(),c);k5a(this.Ha.get(),!1);V5a(this);b?(c=this.Pe.get(),a=ZZ(a.Ba, +"metadata_type_player_vars"),c.F.loadVideoByPlayerVars(a,!1,2)):(c=this.Pe.get(),a=ZZ(a.Ba,"metadata_type_player_vars"),c.F.cueVideoByPlayerVars(a,2));this.NG.start();b||this.Pe.get().F.playVideo(2)}; +g.k.kW=function(){this.NG.stop();this.Iu="adcompletioncuerange:"+this.Hb().layoutId;this.wc.get().addCueRange(this.Iu,0x7ffffffffffff,0x8000000000000,!1,this,2,2);var a;(this.adCpn=(null==(a=this.Va.get().vg(2))?void 0:a.clientPlaybackNonce)||"")||GD("Media layout confirmed started, but ad CPN not set.");this.zd.get().Na("onAdStart",this.adCpn)}; +g.k.Ei=function(){this.XK()}; +g.k.By=function(){var a;return null==(a=this.Va.get().vg(2))?void 0:a.h8}; +g.k.PH=function(){this.Za.lh("clickthrough")}; +g.k.It=function(){this.NG.stop();this.lz&&this.lz.stop();k5a(this.Ha.get(),!0);var a;(null==(a=this.shrunkenPlayerBytesConfig)?0:a.shouldRequestShrunkenPlayerBytes)&&this.Ha.get().Wz(!1)}; +g.k.onCueRangeEnter=function(a){a!==this.Iu?GD("Received CueRangeEnter signal for unknown layout.",this.pd(),this.Hb(),{cueRangeId:a}):(this.wc.get().removeCueRange(this.Iu),this.Iu=void 0,a=ZZ(this.Hb().Ba,"metadata_type_video_length_seconds"),b2(this,a,!0),this.md("complete"))}; +g.k.lW=function(a){"abandoned"!==a&&this.zd.get().Na("onAdComplete");this.zd.get().Na("onAdEnd",this.adCpn)}; +g.k.onCueRangeExit=function(){}; +g.k.Mj=function(a){"rendering"===this.Fc&&(this.shrunkenPlayerBytesConfig&&this.shrunkenPlayerBytesConfig.shouldRequestShrunkenPlayerBytes&&a>=(this.shrunkenPlayerBytesConfig.playerProgressOffsetSeconds||0)&&this.Ha.get().Wz(!0),b2(this,a))};g.w(a6a,W1);g.k=a6a.prototype;g.k.pd=function(){return this.j.pd()}; +g.k.Hb=function(){return this.j.Hb()}; +g.k.Ks=function(){this.j.init()}; +g.k.wt=function(){this.j.release()}; +g.k.Qv=function(){this.j.Qv()}; +g.k.ew=function(){this.j.ew()}; +g.k.gD=function(a,b){GD("Unexpected onSkipRequested from PlayerBytesVodSingleLayoutRenderingAdapter. Skip should be handled by Triggers",this.pd(),this.Hb(),{requestingSlot:a,requestingLayout:b})}; +g.k.Ft=function(a){this.j.startRendering(a)}; +g.k.It=function(a,b){this.j.Pg(a,b)}; +g.k.Tc=function(a,b){this.j.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);this.j.wd(a,b,c);b.layoutId===this.Hb().layoutId&&this.Mc.get().aA()}; +g.k.yV=function(){this.j.gG()}; +g.k.Mj=function(a){this.j.Mj(a)}; +g.k.wW=function(a){this.j.Jk(a)}; +g.k.fg=function(a,b,c){this.j.OC(a,b,c)}; +g.k.onFullscreenToggled=function(a){this.j.onFullscreenToggled(a)}; +g.k.Uh=function(a){this.j.Uh(a)}; +g.k.Ik=function(a){this.j.Ik(a)}; +g.k.onVolumeChange=function(){this.j.onVolumeChange()};d2.prototype.wf=function(a,b,c,d){if(a=c6a(a,b,c,d,this.Ue,this.j,this.Oa,this.Mb,this.hf,this.Pe,this.Va,this.Ha,this.wc,this.Mc,this.zd,this.Xf,this.Nb,this.dg,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.w(e2,g.C);g.k=e2.prototype;g.k.mW=function(a){if(!this.j){var b;null==(b=this.qf)||b.get().kt(a.identifier);return!1}d6a(this,this.j,a);return!0}; +g.k.eW=function(){}; +g.k.Nj=function(a){this.j&&this.j.contentCpn!==a&&(GD("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn}),this.j=null)}; +g.k.un=function(a){this.j&&this.j.contentCpn!==a&&GD("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn},!0);this.j=null}; +g.k.qa=function(){g.C.prototype.qa.call(this);this.j=null};g.w(f2,g.C);g.k=f2.prototype;g.k.Tc=function(a,b){var c=this;if("LAYOUT_TYPE_MEDIA"===b.layoutType&&fO(b,this.B)){var d=this.Va.get().vg(2),e=this.j(b,d||void 0,this.Ca.get().F.V().experiments.ob("enable_post_ad_perception_survey_in_tvhtml5"));e?zC(this.ac.get(),"OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",function(){var f=[T2a(c.Ib.get(),e.contentCpn,e.vp,function(h){return c.u(h.slotId,"core",e,c_(c.Jb.get(),h))},e.inPlayerSlotId)]; +e.instreamAdPlayerUnderlayRenderer&&U2a(c.Ca.get())&&f.push(e6a(c,e,e.instreamAdPlayerUnderlayRenderer));return f}):GD("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Lg=function(){}; +g.k.Qj=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.wd=function(){};var M2=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=i6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot)}; +g.k.release=function(){};h2.prototype.wf=function(a,b){return new i6a(a,b)};g.k=j6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot);C1(this.Ha.get(),"ad-showing")}; +g.k.release=function(){};g.k=k6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.u=this.Ha.get().isAtLiveHead();this.j=Math.ceil(Date.now()/1E3);this.callback.Lg(this.slot)}; +g.k.BF=function(){C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");var a=this.u?Infinity:this.Ha.get().getCurrentTimeSec(1,!0)+Math.floor(Date.now()/1E3)-this.j;this.Ha.get().F.seekTo(a,void 0,void 0,1);this.callback.Mg(this.slot)}; +g.k.release=function(){};g.k=l6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.callback.Lg(this.slot)}; +g.k.BF=function(){VP(this.Ha.get());C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");this.callback.Mg(this.slot)}; +g.k.release=function(){VP(this.Ha.get())};i2.prototype.wf=function(a,b){if(BC(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new j6a(a,b,this.Ha);if(b.slotEntryTrigger instanceof Z0&&BC(b,["metadata_type_served_from_live_infra"],"SLOT_TYPE_PLAYER_BYTES"))return new k6a(a,b,this.Ha);if(BC(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new l6a(a,b,this.Ha);throw new N("Unsupported slot with type "+b.slotType+" and client metadata: "+($Z(b.Ba)+" in PlayerBytesSlotAdapterFactory."));};g.w(k2,g.C);k2.prototype.j=function(a){for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"===d.category&&e.triggeringLayoutId===a&&b.push(d)}b.length?k0(this.gJ(),b):GD("Mute requested but no registered triggers can be activated.")};g.w(l2,k2);g.k=l2.prototype;g.k.gh=function(a,b){if(b)if("skip-button"===a){a=[];for(var c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"===d.category&&e.triggeringLayoutId===b&&a.push(d)}a.length&&k0(this.gJ(),a)}else V0(this.Ca.get(),"supports_multi_step_on_desktop")?"ad-action-submit-survey"===a&&m6a(this,b):"survey-submit"===a?m6a(this,b):"survey-single-select-answer-button"===a&&m6a(this,b)}; +g.k.nM=function(a){k2.prototype.j.call(this,a)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof I0||b instanceof H0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.lM=function(){}; +g.k.kM=function(){}; +g.k.hG=function(){};g.w(m2,g.C);g.k=m2.prototype; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof C0||b instanceof D0||b instanceof f1||b instanceof g1||b instanceof y0||b instanceof h1||b instanceof v4a||b instanceof A0||b instanceof B0||b instanceof F0||b instanceof u4a||b instanceof d1))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new j2(a,b,c,d);this.Wb.set(b.triggerId,a);b instanceof +y0&&this.D.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof C0&&this.B.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof A0&&this.u.has(b.triggeringLayoutId)&&k0(this.j(),[a])}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(a){this.D.add(a.slotId);for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof y0&&a.slotId===d.trigger.triggeringSlotId&&b.push(d);0XN(a,16)){a=g.t(this.j);for(var b=a.next();!b.done;b=a.next())this.onCueRangeEnter(b.value,!0);this.j.clear()}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(a,b){a=g.t(this.Wb.values());for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.Cu.trigger;c=c.Lu;if(o6a(d)&&d.layoutId===b.layoutId){var e=1E3*this.Ha.get().getCurrentTimeSec(1,!1);d instanceof b1?d=0:(d=e+d.offsetMs,e=0x7ffffffffffff);this.wc.get().addCueRange(c,d,e,!1,this)}}}; +g.k.wd=function(a,b,c){var d=this;a={};for(var e=g.t(this.Wb.values()),f=e.next();!f.done;a={xA:a.xA,Bp:a.Bp},f=e.next())f=f.value,a.Bp=f.Cu.trigger,a.xA=f.Lu,o6a(a.Bp)&&a.Bp.layoutId===b.layoutId?P4a(this.wc.get(),a.xA):a.Bp instanceof e1&&a.Bp.layoutId===b.layoutId&&"user_cancelled"===c&&(this.wc.get().removeCueRange(a.xA),g.gA(g.iA(),function(h){return function(){d.wc.get().addCueRange(h.xA,h.Bp.j.start,h.Bp.j.end,h.Bp.visible,d)}}(a)))}; +g.k.lj=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.onVolumeChange=function(){}; +g.k.Ul=function(){};g.w(p2,g.C);g.k=p2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof G0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.sy=function(){}; +g.k.Sr=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){};g.w(q2,g.C);g.k=q2.prototype;g.k.lj=function(a,b){for(var c=[],d=g.t(this.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&k0(this.j(),c)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof w4a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){};g.w(r2,g.C);r2.prototype.qa=function(){this.hn.isDisposed()||this.hn.get().removeListener(this);g.C.prototype.qa.call(this)};g.w(s2,g.C);s2.prototype.qa=function(){this.cf.isDisposed()||this.cf.get().removeListener(this);g.C.prototype.qa.call(this)};t2.prototype.fetch=function(a){var b=a.gT;return this.fu.fetch(a.MY,{nB:void 0===a.nB?void 0:a.nB,me:b}).then(function(c){return r6a(c,b)})};g.w(u2,g.C);g.k=u2.prototype;g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.iI=function(a){s6a(this,a,1)}; +g.k.onAdUxClicked=function(a,b){v2(this,function(c){c.gh(a,b)})}; +g.k.CN=function(a){v2(this,function(b){b.lM(a)})}; +g.k.BN=function(a){v2(this,function(b){b.kM(a)})}; +g.k.o5=function(a){v2(this,function(b){b.hG(a)})};g.w(w2,g.C);g.k=w2.prototype; +g.k.Nj=function(){this.D=new sO(this,S4a(this.Ca.get()));this.B=new tO;var a=this.F.getVideoData(1);if(!a.enableServerStitchedDai){var b=this.F.getVideoData(1),c;(null==(c=this.j)?void 0:c.clientPlaybackNonce)!==b.clientPlaybackNonce&&(null!=this.j&&this.j.unsubscribe("cuepointupdated",this.HN,this),b.subscribe("cuepointupdated",this.HN,this),this.j=b)}this.sI.length=0;var d;b=(null==(d=a.j)?void 0:Xva(d,0))||[];d=g.t(b);for(b=d.next();!b.done;b=d.next())b=b.value,this.gt(b)&&GD("Unexpected a GetAdBreak to go out without player waiting", +void 0,void 0,{cuePointId:b.identifier,cuePointEvent:b.event,contentCpn:a.clientPlaybackNonce})}; +g.k.un=function(){}; +g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.YN=function(a){this.sI.push(a);for(var b=!1,c=g.t(this.listeners),d=c.next();!d.done;d=c.next())b=d.value.mW(a)||b;this.C=b}; +g.k.fW=function(a){g.Nb(this.B.j,1E3*a);for(var b=g.t(this.listeners),c=b.next();!c.done;c=b.next())c.value.eW(a)}; +g.k.gt=function(a){u6a(this,a);this.D.reduce(a);a=this.C;this.C=!1;return a}; +g.k.HN=function(a){var b=this.F.getVideoData(1).isDaiEnabled();if(b||!g.FK(this.F.V())){a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,u6a(this,c),b?this.D.reduce(c):0!==this.F.getCurrentTime(1)&&"start"===c.event&&(this.Ca.get().F.V().experiments.ob("ignore_overlapping_cue_points_on_endemic_live_html5")&&(null==this.u?0:c.startSecs+c.Sg>=this.u.startSecs&&c.startSecs<=this.u.startSecs+this.u.Sg)?GD("Latest Endemic Live Web cue point overlaps with previous cue point"):(this.u=c,this.YN(c)))}}; +g.k.qa=function(){null!=this.j&&(this.j.unsubscribe("cuepointupdated",this.HN,this),this.j=null);this.listeners.length=0;this.sI.length=0;g.C.prototype.qa.call(this)};z2.prototype.addListener=function(a){this.listeners.push(a)}; +z2.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})};g.k=w6a.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.Ha.get().addListener(this);this.Ha.get().oF.push(this)}; +g.k.release=function(){this.Ha.get().removeListener(this);g5a(this.Ha.get(),this)}; +g.k.startRendering=function(a){this.callback.Tc(this.slot,a)}; +g.k.Pg=function(a,b){this.callback.wd(this.slot,a,b)}; +g.k.Ul=function(a){switch(a.id){case "part2viewed":this.Za.md("start");break;case "videoplaytime25":this.Za.md("first_quartile");break;case "videoplaytime50":this.Za.md("midpoint");break;case "videoplaytime75":this.Za.md("third_quartile");break;case "videoplaytime100":this.Za.md("complete");break;case "engagedview":if(!T4a(this.Ca.get())){this.Za.md("progress");break}y5a(this.Za)||this.Za.md("progress");break;case "conversionview":case "videoplaybackstart":case "videoplayback2s":case "videoplayback10s":break; +default:GD("Cue Range ID unknown in DiscoveryLayoutRenderingAdapter",this.slot,this.layout)}}; +g.k.onVolumeChange=function(){}; +g.k.Ik=function(){}; +g.k.Uh=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Jk=function(){}; +g.k.Mj=function(){}; +g.k.bW=function(a){T4a(this.Ca.get())&&y5a(this.Za)&&M1(this.Za,1E3*a,!1)};x6a.prototype.wf=function(a,b,c,d){b=["metadata_type_ad_placement_config"];for(var e=g.t(K1()),f=e.next();!f.done;f=e.next())b.push(f.value);if(H1(d,{Ae:b,Rf:["LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER"]}))return new w6a(a,c,d,this.Ha,this.Oa,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlaybackTrackingLayoutRenderingAdapterFactory.");};g.k=A2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.xf.get().addListener(this);this.Ha.get().addListener(this);this.Ks();var a=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),b=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms"),c,d=null==(c=this.Va.get().Nu)?void 0:c.clientPlaybackNonce;c=this.layout.Ac.adClientDataEntry;y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:b-a,contentCpn:d,adClientData:c}});var e=this.xf.get();e=uO(e.B,a,b);null!==e&&(y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:e-a,contentCpn:d, +cueDurationChange:"DAI_CUE_DURATION_CHANGE_SHORTER",adClientData:c}}),this.qf.get().Fu(e,b))}; +g.k.release=function(){this.wt();this.xf.get().removeListener(this);this.Ha.get().removeListener(this)}; +g.k.startRendering=function(){this.Ft();this.callback.Tc(this.slot,this.layout)}; +g.k.Pg=function(a,b){this.It(b);null!==this.driftRecoveryMs&&(z6a(this,{driftRecoveryMs:this.driftRecoveryMs.toString(),breakDurationMs:Math.round(y6a(this)-ZZ(this.layout.Ba,"metadata_type_layout_enter_ms")).toString(),driftFromHeadMs:Math.round(1E3*this.Ha.get().F.us()).toString()}),this.driftRecoveryMs=null);this.callback.wd(this.slot,this.layout,b)}; +g.k.mW=function(){return!1}; +g.k.eW=function(a){var b=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),c=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms");a*=1E3;if(b<=a&&aa.width&&C2(this.C,this.layout)}; +g.k.onVolumeChange=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Jk=function(){}; +g.k.Ul=function(){}; +g.k.qa=function(){P1.prototype.qa.call(this)}; +g.k.release=function(){P1.prototype.release.call(this);this.Ha.get().removeListener(this)};w7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,{Ae:["METADATA_TYPE_VALID_INSTREAM_SURVEY_AD_RENDERER_FOR_VOD"],Rf:["LAYOUT_TYPE_SURVEY"]}))return new v7a(c,d,a,this.vc,this.u,this.Ha,this.Ca);if(H1(d, +{Ae:["metadata_type_player_bytes_layout_controls_callback_ref","metadata_type_valid_survey_text_interstitial_renderer","metadata_type_ad_placement_config"],Rf:["LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT"]}))return new F2(c,d,a,this.vc,this.Oa);if(H1(d,J5a()))return new U1(c,d,a,this.vc,this.Ha,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebDesktopMainInPlayerLayoutRenderingAdapterFactory.");};g.w(L2,g.C);g.k=L2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof O3a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d));a=this.j.has(b.triggeringLayoutId)?this.j.get(b.triggeringLayoutId):new Set;a.add(b);this.j.set(b.triggeringLayoutId,a)}; +g.k.gm=function(a){this.Wb.delete(a.triggerId);if(!(a instanceof O3a))throw new N("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.u.get(a.triggerId);b&&(b.dispose(),this.u.delete(a.triggerId));if(b=this.j.get(a.triggeringLayoutId))b.delete(a),0===b.size&&this.j.delete(a.triggeringLayoutId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.Tc=function(a,b){var c=this;if(this.j.has(b.layoutId)){b=this.j.get(b.layoutId);a={};b=g.t(b);for(var d=b.next();!d.done;a={AA:a.AA},d=b.next())a.AA=d.value,d=new g.Ip(function(e){return function(){var f=c.Wb.get(e.AA.triggerId);k0(c.B(),[f])}}(a),a.AA.durationMs),d.start(),this.u.set(a.AA.triggerId,d)}}; +g.k.wd=function(){};g.w(y7a,g.C);z7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.w(A7a,g.C);g.w(B7a,g.C);g.w(C7a,g.C);g.w(N2,T1);N2.prototype.startRendering=function(a){T1.prototype.startRendering.call(this,a);ZZ(this.layout.Ba,"metadata_ad_video_is_listed")&&(a=ZZ(this.layout.Ba,"metadata_type_ad_info_ad_metadata"),this.Bm.get().F.Na("onAdMetadataAvailable",a))};E7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.w(F7a,g.C);G7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);if(a=V1(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.j,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.w(H7a,g.C);g.w(J7a,g.C);J7a.prototype.B=function(){return this.u};g.w(K7a,FQ); +K7a.prototype.C=function(a){var b=a.content;if("shopping-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,shoppingCompanionCarouselRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:this.j.Na("updateKevlarOrC3Companion",{})}else if("action-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1); +this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,actionCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b.renderer&&(b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})),this.j.Na("updateKevlarOrC3Companion",{})}else if("image-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion", +{contentVideoId:a&&a.videoId,imageCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId}),this.j.Na("updateKevlarOrC3Companion",{})}else if("ads-engagement-panel"===b.componentType)switch(b=b.renderer,a.actionType){case 1:case 2:this.j.Na("updateEngagementPanelAction",b.addAction);this.j.Na("changeEngagementPanelVisibility", +b.expandAction);break;case 3:this.j.Na("changeEngagementPanelVisibility",b.hideAction),this.j.Na("updateEngagementPanelAction",b.removeAction)}};g.w(L7a,NQ);g.k=L7a.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);g.Hm(this.B,"stroke-dasharray","0 "+this.u);this.api.V().K("enable_dark_mode_style_endcap_timed_pie_countdown")&&(this.B.classList.add("ytp-ad-timed-pie-countdown-inner-light"),this.C.classList.add("ytp-ad-timed-pie-countdown-outer-light"));this.show()}; +g.k.clear=function(){this.hide()}; +g.k.hide=function(){PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&g.Hm(this.B,"stroke-dasharray",a.current/a.seekableEnd*this.u+" "+this.u)}};g.w(M7a,eQ);g.k=M7a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&g.K(b.actionButton,g.mM))if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)g.CD(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!=e&& +0=this.B?(this.C.hide(),this.J=!0):this.messageText&&this.messageText.isTemplated()&&(a=Math.max(0,Math.ceil((this.B-a)/1E3)),a!==this.Z&&(MQ(this.messageText,{TIME_REMAINING:String(a)}),this.Z=a)))}};g.w(a8a,eQ);g.k=a8a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,{});b.image&&b.image.thumbnail?b.headline?b.description?b.actionButton&&g.K(b.actionButton,g.mM)?(this.B.init(fN("ad-image"),b.image,c),this.u.init(fN("ad-text"),b.headline,c),this.C.init(fN("ad-text"),b.description,c),a=["ytp-ad-underlay-action-button"],this.api.V().K("use_blue_buttons_for_desktop_player_underlay")&&a.push("ytp-ad-underlay-action-button-blue"),this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb, +a),b.backgroundColor&&g.Hm(this.element,"background-color",g.nR(b.backgroundColor)),g.E(this,this.actionButton),this.actionButton.Ea(this.D),this.actionButton.init(fN("button"),g.K(b.actionButton,g.mM),c),b=g.gJ(this.api.V().experiments,"player_underlay_video_width_fraction"),this.api.V().K("place_shrunken_video_on_left_of_player")?(c=this.j,g.Sp(c,"ytp-ad-underlay-left-container"),g.Qp(c,"ytp-ad-underlay-right-container"),g.Hm(this.j,"margin-left",Math.round(100*(b+.02))+"%")):(c=this.j,g.Sp(c,"ytp-ad-underlay-right-container"), +g.Qp(c,"ytp-ad-underlay-left-container")),g.Hm(this.j,"width",Math.round(100*(1-b-.04))+"%"),this.api.uG()&&this.show(),this.api.addEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this)),this.api.addEventListener("resize",this.qU.bind(this))):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no button.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no description AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no headline AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no image."))}; +g.k.show=function(){b8a(!0);this.actionButton&&this.actionButton.show();eQ.prototype.show.call(this)}; +g.k.hide=function(){b8a(!1);this.actionButton&&this.actionButton.hide();eQ.prototype.hide.call(this)}; +g.k.clear=function(){this.api.removeEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this));this.api.removeEventListener("resize",this.qU.bind(this));this.hide()}; +g.k.onClick=function(a){eQ.prototype.onClick.call(this,a);this.actionButton&&g.zf(this.actionButton.element,a.target)&&this.api.pauseVideo()}; +g.k.CQ=function(a){"transitioning"===a?(this.j.classList.remove("ytp-ad-underlay-clickable"),this.show()):"visible"===a?this.j.classList.add("ytp-ad-underlay-clickable"):"hidden"===a&&(this.hide(),this.j.classList.remove("ytp-ad-underlay-clickable"))}; +g.k.qU=function(a){1200a)g.CD(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&g.K(b.ctaButton,g.mM))if(b.brandImage)if(b.backgroundImage&&g.K(b.backgroundImage,U0)&&g.K(b.backgroundImage,U0).landscape){this.layoutId||g.CD(Error("Missing layoutId for survey interstitial."));p8a(this.interstitial,g.K(b.backgroundImage, +U0).landscape);p8a(this.logoImage,b.brandImage);g.Af(this.text,g.gE(b.text));var e=["ytp-ad-survey-interstitial-action-button"];this.api.V().K("web_modern_buttons_bl_survey")&&e.push("ytp-ad-survey-interstitial-action-button-rounded");this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,e);g.E(this,this.actionButton);this.actionButton.Ea(this.u);this.actionButton.init(fN("button"),g.K(b.ctaButton,g.mM),c);this.actionButton.show();this.j=new cR(this.api,1E3*a); +this.j.subscribe("g",function(){d.transition.hide()}); +g.E(this,this.j);this.S(this.element,"click",function(f){var h=f.target===d.interstitial;f=d.actionButton.element.contains(f.target);if(h||f)if(d.transition.hide(),h)d.api.onAdUxClicked(d.componentType,d.layoutId)}); +this.transition.show(100)}else g.CD(Error("SurveyTextInterstitialRenderer has no landscape background image."));else g.CD(Error("SurveyTextInterstitialRenderer has no brandImage."));else g.CD(Error("SurveyTextInterstitialRenderer has no button."));else g.CD(Error("SurveyTextInterstitialRenderer has no text."));else g.CD(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; +X2.prototype.clear=function(){this.hide()}; +X2.prototype.show=function(){q8a(!0);eQ.prototype.show.call(this)}; +X2.prototype.hide=function(){q8a(!1);eQ.prototype.hide.call(this)};var idb="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.w(Y2,FQ); +Y2.prototype.C=function(a){var b=a.id,c=a.content,d=c.componentType;if(!idb.includes(d))switch(a.actionType){case 1:a=this.api;var e=this.rb,f=c.layoutId,h=c.interactionLoggingClientData,l=c instanceof aO?c.pP:!1,m=c instanceof aO||c instanceof bR?c.gI:!1;h=void 0===h?{}:h;l=void 0===l?!1:l;m=void 0===m?!1:m;switch(d){case "invideo-overlay":a=new R7a(a,f,h,e);break;case "player-overlay":a=new lR(a,f,h,e,new gU(a),m);break;case "survey":a=new W2(a,f,h,e);break;case "ad-action-interstitial":a=new M7a(a, +f,h,e,l,m);break;case "survey-interstitial":a=new X2(a,f,h,e);break;case "ad-message":a=new Z7a(a,f,h,e,new gU(a,1));break;case "player-underlay":a=new a8a(a,f,h,e);break;default:a=null}if(!a){g.DD(Error("No UI component returned from ComponentFactory for type: "+d));break}g.$c(this.u,b)?g.DD(Error("Ad UI component already registered: "+b)):this.u[b]=a;a.bind(c);c instanceof l7a?this.B?this.B.append(a.VO):g.CD(Error("Underlay view was not created but UnderlayRenderer was created")):this.D.append(a.VO); +break;case 2:b=r8a(this,a);if(null==b)break;b.bind(c);break;case 3:c=r8a(this,a),null!=c&&(g.Za(c),g.$c(this.u,b)?g.id(this.u,b):g.DD(Error("Ad UI component does not exist: "+b)))}}; +Y2.prototype.qa=function(){g.$a(Object.values(this.u));this.u={};FQ.prototype.qa.call(this)};g.w(s8a,g.CT);g.k=s8a.prototype;g.k.create=function(){try{t8a(this),this.load(),this.created=!0,t8a(this)}catch(a){GD(a instanceof Error?a:String(a))}}; +g.k.load=function(){try{v8a(this)}finally{k1(O2(this.j).Di)&&this.player.jg("ad",1)}}; +g.k.destroy=function(){var a=this.player.getVideoData(1);this.j.j.Zs.un(a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; +g.k.unload=function(){g.CT.prototype.unload.call(this);zsa(!1);try{this.player.getRootNode().classList.remove("ad-created")}catch(b){GD(b instanceof Error?b:String(b))}if(null!==this.xe){var a=this.xe;this.xe=null;a.dispose()}null!=this.u&&(a=this.u,this.u=null,a.dispose());this.fu.reset()}; +g.k.Tk=function(){return!1}; +g.k.qP=function(){return null===this.xe?!1:this.xe.qP()}; +g.k.bp=function(a){null!==this.xe&&this.xe.bp(a)}; +g.k.getAdState=function(){return this.xe?this.xe.qG:-1}; +g.k.getOptions=function(){return Object.values(hdb)}; +g.k.qh=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":return a=b,a.url?(b=BN(this.player),Object.assign(b,a.s6a),this.xe&&!b.AD_CPN&&(b.AD_CPN=this.xe.GB()),a=g.xp(a.url,b)):a=null,a;case "onAboutThisAdPopupClosed":this.Ys(b);break;case "executeCommand":a=b;a.command&&a.layoutId&&this.executeCommand(a);break;default:return null}}; +g.k.gt=function(a){var b;return!(null==(b=this.j.j.xf)||!b.get().gt(a))}; +g.k.Ys=function(a){a.isMuted&&hEa(this.xe,O2(this.j).Kj,O2(this.j).Tl,a.layoutId);this.Gx&&this.Gx.Ys()}; +g.k.executeCommand=function(a){O2(this.j).rb.executeCommand(a.command,a.layoutId)};g.BT("ad",s8a);var B8a=g.mf&&A8a();g.w(g.Z2,g.C);g.Z2.prototype.start=function(a,b,c){this.config={from:a,to:b,duration:c,startTime:(0,g.M)()};this.next()}; +g.Z2.prototype.stop=function(){this.delay.stop();this.config=void 0}; +g.Z2.prototype.next=function(){if(this.config){var a=this.config,b=a.from,c=a.to,d=a.duration;a=a.startTime;var e=(0,g.M)()-a;a=this.j;d=Ala(a,e/d);if(0==d)a=a.J;else if(1==d)a=a.T;else{e=De(a.J,a.D,d);var f=De(a.D,a.I,d);a=De(a.I,a.T,d);e=De(e,f,d);f=De(f,a,d);a=De(e,f,d)}a=g.ze(a,0,1);this.callback(b+(c-b)*a);1>a&&this.delay.start()}};g.w(g.$2,g.U);g.k=g.$2.prototype;g.k.JZ=function(){this.B&&this.scrollTo(this.j-this.containerWidth)}; +g.k.show=function(){g.U.prototype.show.call(this);F8a(this)}; +g.k.KZ=function(){this.B&&this.scrollTo(this.j+this.containerWidth)}; +g.k.Hq=function(){this.Db(this.api.jb().getPlayerSize())}; +g.k.isShortsModeEnabled=function(){return this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.I.Sb()}; +g.k.Db=function(a){var b=this.isShortsModeEnabled()?.5625:16/9,c=this.I.yg();a=a.width-(c?112:58);c=Math.ceil(a/(c?320:192));var d=(a-8*c)/c;b=Math.floor(d/b);for(var e=g.t(this.u),f=e.next();!f.done;f=e.next())f=f.value.Da("ytp-suggestion-image"),f.style.width=d+"px",f.style.height=b+"px";this.suggestions.element.style.height=b+"px";this.D=d;this.Z=b;this.containerWidth=a;this.columns=c;this.j=0;this.suggestions.element.scrollLeft=-0;g.a3(this)}; +g.k.onVideoDataChange=function(){var a=this.api.V(),b=this.api.getVideoData();this.J=b.D?!1:a.C;this.suggestionData=b.suggestions?g.Rn(b.suggestions,function(c){return c&&!c.playlistId}):[]; +H8a(this);b.D?this.title.update({title:g.lO("More videos from $DNI_RELATED_CHANNEL",{DNI_RELATED_CHANNEL:b.author})}):this.title.update({title:this.isShortsModeEnabled()?"More shorts":"More videos"})}; +g.k.scrollTo=function(a){a=g.ze(a,this.containerWidth-this.suggestionData.length*(this.D+8),0);this.T.start(this.j,a,1E3);this.j=a;g.a3(this);F8a(this)};})(_yt_player); diff --git a/test/files/videos/live-now/dash-manifest.xml b/test/files/videos/live-now/dash-manifest.xml index bcef76ae..3aea2ff3 100644 --- a/test/files/videos/live-now/dash-manifest.xml +++ b/test/files/videos/live-now/dash-manifest.xml @@ -1,2 +1,2 @@ -https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/139/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/audio%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRgIhANUgVkiALN1ltR9ktsES3Bf0NoFcgEBG0_nHUJD6OAYwAiEAjV37UvPO_JZtzggmB8uO9u_BRhNhFYzoESqXY-lMXVA%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgOthC3gdJVVBMQFTUP3vsJSEeNILmlADjjOSLQKWG6VQCIQClSFNX9uJW4I5K-0tFQTh7ae7YSIgWgZ57Eu3LDIuOFw%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/140/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/audio%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRAIgFoGJct-AdZyxVpb3CufhYcN6YkXjDywDsMN9gH5ClQACIEHJHv7bjXImaHcTs4D-PqEJpjWL01ZXtNe_fF-7jmwX/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIhAIiIAhTcUQ8cAXnTEGG1Hs6SjSZ4BuRKWbTFE_w2Zfb-AiBijSqRyZcc67CTW3S-pFpT6CMvmrpCmzcgJyvIBhmuPQ%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/133/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRAIgOZ2y66rXqHNxxYs6uju6yerh1FuXVonR7ttpQ8PgIJMCIEpresl8vDeh2Vdi2BhW2xPJhR-iEdvjiLvcjDRM8BZK/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgSLxgHzap5snHPl6PcSRtRlheZdC1ZJGJuzk4QsoKZwICIQCJxcnOsSHDTURoKUQXSq_ZrxrLjWJexk0AdpDZC16kvA%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/134/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRQIgHcJxMl9ddHnbZhpFYYV-cffSj147ud2KQC-VI8_-bt0CIQDpjopwN0btAGOJBeistiRypzb6_Mk85Ms4N9gxzlByCA%3D%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgbAEb7uk8FHPQR07qtcb7GeN6xXGW7CRn-whu4ZnKBCACIQCQr0tW8IV5AuQwehJPJJNUtxTJ-F2z6-wx4dxUwol3TA%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/135/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRAIgIvkXfBP-Gw3eO5TUe7_HYpx7ovcz_NC192mlWbdE36MCIFxFz62AZdw8kZ0gEhnKIps_iTuOiREla_vKjF29sKJF/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhAKhgsQrODntDi9g7vHfH1iTRKeZckx_Fyq4PlRXRuxv8AiEA-weFW4cozq5LN7cCpmiYGG8RhphBMI7qPAuwCb00Cug%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/160/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRgIhANwU0drpFXnBD4kf5EgTw4eyVA6gOKoWeYbZgJ2jnVBIAiEAtKpHM7_mgACO3xdH7-B2aLn75Y1K7sE9-UglThIvADc%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALdTJgcFVg-800_TEWckG2fceKxLAl_jpqBSBDoQvAOpAiEAoRJ9wjA_57ER7krwcGqufBT8onekwdMJaiDCvEEztB8%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/136/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRQIgHWOeTS5XOyVkv0gpPyqUb5Pw7Of8VIWGO9m_dqsXYOMCIQDDTyuvQFKxL03bWS20KCxxRURptMFYr6dCsmye0NNS_g%3D%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgAvjYZgpAhht0L4GNaFKmSwaI7RaUMdgWVzje_v831VgCID2A9CFJAMntF08jT7fcWGYhtNl7OtQmNpUYemHmR_oe/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/137/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRQIhAOxRNELIzZelvgiFitQ3Z3DVtjERFkpjy2_7A_mylod7AiB0DizoUYE1SRN6SQL488gWxVS2HN5nxaS1b4mB9BGDlQ%3D%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIhAMsxDPo71Eqhd93hg6SuBgrqmAwfj4ZUjj5f9EZMxNPiAiBC199bTpqF4eKgHc-xg-uVwu9UafAyawCuHFiJCJsarQ%3D%3D/ +https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/139/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/audio%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRgIhANUgVkiALN1ltR9ktsES3Bf0NoFcgEBG0_nHUJD6OAYwAiEAjV37UvPO_JZtzggmB8uO9u_BRhNhFYzoESqXY-lMXVA%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgOthC3gdJVVBMQFTUP3vsJSEeNILmlADjjOSLQKWG6VQCIQClSFNX9uJW4I5K-0tFQTh7ae7YSIgWgZ57Eu3LDIuOFw%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/140/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/audio%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRAIgFoGJct-AdZyxVpb3CufhYcN6YkXjDywDsMN9gH5ClQACIEHJHv7bjXImaHcTs4D-PqEJpjWL01ZXtNe_fF-7jmwX/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIhAIiIAhTcUQ8cAXnTEGG1Hs6SjSZ4BuRKWbTFE_w2Zfb-AiBijSqRyZcc67CTW3S-pFpT6CMvmrpCmzcgJyvIBhmuPQ%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/133/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRAIgOZ2y66rXqHNxxYs6uju6yerh1FuXVonR7ttpQ8PgIJMCIEpresl8vDeh2Vdi2BhW2xPJhR-iEdvjiLvcjDRM8BZK/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgSLxgHzap5snHPl6PcSRtRlheZdC1ZJGJuzk4QsoKZwICIQCJxcnOsSHDTURoKUQXSq_ZrxrLjWJexk0AdpDZC16kvA%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/134/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRQIgHcJxMl9ddHnbZhpFYYV-cffSj147ud2KQC-VI8_-bt0CIQDpjopwN0btAGOJBeistiRypzb6_Mk85Ms4N9gxzlByCA%3D%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgbAEb7uk8FHPQR07qtcb7GeN6xXGW7CRn-whu4ZnKBCACIQCQr0tW8IV5AuQwehJPJJNUtxTJ-F2z6-wx4dxUwol3TA%3D%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/135/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRAIgIvkXfBP-Gw3eO5TUe7_HYpx7ovcz_NC192mlWbdE36MCIFxFz62AZdw8kZ0gEhnKIps_iTuOiREla_vKjF29sKJF/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhAKhgsQrODntDi9g7vHfH1iTRKeZckx_Fyq4PlRXRuxv8AiEA-weFW4cozq5LN7cCpmiYGG8RhphBMI7qPAuwCb00Cug%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/160/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRgIhANwU0drpFXnBD4kf5EgTw4eyVA6gOKoWeYbZgJ2jnVBIAiEAtKpHM7_mgACO3xdH7-B2aLn75Y1K7sE9-UglThIvADc%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALdTJgcFVg-800_TEWckG2fceKxLAl_jpqBSBDoQvAOpAiEAoRJ9wjA_57ER7krwcGqufBT8onekwdMJaiDCvEEztB8%3D/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/136/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRQIgHWOeTS5XOyVkv0gpPyqUb5Pw7Of8VIWGO9m_dqsXYOMCIQDDTyuvQFKxL03bWS20KCxxRURptMFYr6dCsmye0NNS_g%3D%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgAvjYZgpAhht0L4GNaFKmSwaI7RaUMdgWVzje_v831VgCID2A9CFJAMntF08jT7fcWGYhtNl7OtQmNpUYemHmR_oe/https://r2---sn-hp57knss.googlevideo.com/videoplayback/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/137/source/yt_live_broadcast/requiressl/yes/vprv/1/playlist_type/DVR/ratebypass/yes/mime/video%2Fmp4/live/1/gir/yes/noclen/1/dur/5.000/keepalive/yes/sparams/expire,ei,ip,id,itag,source,requiressl,vprv,playlist_type,ratebypass,mime,live,gir,noclen,dur/sig/AOq0QJ8wRQIhAOxRNELIzZelvgiFitQ3Z3DVtjERFkpjy2_7A_mylod7AiB0DizoUYE1SRN6SQL488gWxVS2HN5nxaS1b4mB9BGDlQ%3D%3D/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mt/1608003390/mv/m/mvi/2/pl/26/lsparams/initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIhAMsxDPo71Eqhd93hg6SuBgrqmAwfj4ZUjj5f9EZMxNPiAiBC199bTpqF4eKgHc-xg-uVwu9UafAyawCuHFiJCJsarQ%3D%3D/ diff --git a/test/files/videos/live-now/expected-info.json b/test/files/videos/live-now/expected-info.json index ee60d521..6b5aa16b 100644 --- a/test/files/videos/live-now/expected-info.json +++ b/test/files/videos/live-now/expected-info.json @@ -77,7 +77,7 @@ "playableInEmbed": true, "liveStreamability": { "liveStreamabilityRenderer": { - "videoId": "5qap5aO4i9A", + "videoId": "jfKfPfyJRdk", "pollDelayMs": "15000" } }, @@ -93,7 +93,7 @@ "adaptiveFormats": [ { "itag": 137, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=137&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgD5QaF8J8caOmLruAWf1R06xDIX3JIJQmepy2F1S8WFsCIFJu3vYPgcBYnkEO8abKlDWYd0hcE7jrZSrNocFCEikV&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=137&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgD5QaF8J8caOmLruAWf1R06xDIX3JIJQmepy2F1S8WFsCIFJu3vYPgcBYnkEO8abKlDWYd0hcE7jrZSrNocFCEikV&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "mimeType": "video/mp4; codecs=\"avc1.640028\"", "bitrate": 4347250, "width": 1920, @@ -108,7 +108,7 @@ }, { "itag": 136, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=136&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgJWV8fsmBKIuoBg22DBncdGBY2yqnXJT7Kr-ISCPBYSECIE4YdnoP0dOVC0tWdfT6TBBWWhbTlnPbV5AI1Bu646Vb&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=136&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgJWV8fsmBKIuoBg22DBncdGBY2yqnXJT7Kr-ISCPBYSECIE4YdnoP0dOVC0tWdfT6TBBWWhbTlnPbV5AI1Bu646Vb&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "mimeType": "video/mp4; codecs=\"avc1.4d401f\"", "bitrate": 2326000, "width": 1280, @@ -123,7 +123,7 @@ }, { "itag": 135, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=135&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgNDIMfMLWV4FWznEFmEFLJBKKrf4cxAMkHlFjYa-gAroCIQCTBloms6YSq3r-zpp-6riREtXKUNkNT-LERQWbSZdJmw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=135&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgNDIMfMLWV4FWznEFmEFLJBKKrf4cxAMkHlFjYa-gAroCIQCTBloms6YSq3r-zpp-6riREtXKUNkNT-LERQWbSZdJmw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "mimeType": "video/mp4; codecs=\"avc1.4d401f\"", "bitrate": 1171000, "width": 854, @@ -138,7 +138,7 @@ }, { "itag": 134, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=134&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgVuAL8c2BiJjGgvXPuTFUiTy2hk_ccl55lLD3YU-hs8kCIH1Yk0uCLG7RtDMgxBTmJa9Wuk-UgE7pjuDX8rTgjU6-&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=134&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgVuAL8c2BiJjGgvXPuTFUiTy2hk_ccl55lLD3YU-hs8kCIH1Yk0uCLG7RtDMgxBTmJa9Wuk-UgE7pjuDX8rTgjU6-&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "mimeType": "video/mp4; codecs=\"avc1.4d401e\"", "bitrate": 646000, "width": 640, @@ -154,7 +154,7 @@ }, { "itag": 133, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=133&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAJmbX48_yA_r3kDTHzzXuy6HLyjL-4JmvKlP8SZP-7yUAiEAjiN-lLXj0BUPTwhxA7b5jnvIE-O_Gr1FzN9dYNUmDRA%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=133&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAJmbX48_yA_r3kDTHzzXuy6HLyjL-4JmvKlP8SZP-7yUAiEAjiN-lLXj0BUPTwhxA7b5jnvIE-O_Gr1FzN9dYNUmDRA%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "mimeType": "video/mp4; codecs=\"avc1.4d4015\"", "bitrate": 258000, "width": 426, @@ -169,7 +169,7 @@ }, { "itag": 160, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=160&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAOyt-Wl55ubsb0E_3Ks3qfiRuBtzYJF-1P4vba0s8y1TAiEA94vrOp6cEcMEhEq3aogH1BZkJWYTVTSLhwGw7S5Ysno%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=160&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAOyt-Wl55ubsb0E_3Ks3qfiRuBtzYJF-1P4vba0s8y1TAiEA94vrOp6cEcMEhEq3aogH1BZkJWYTVTSLhwGw7S5Ysno%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "mimeType": "video/mp4; codecs=\"avc1.42c00b\"", "bitrate": 124000, "width": 256, @@ -184,7 +184,7 @@ }, { "itag": 140, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=140&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=audio%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Citag%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgUJCtZjQXmi1fRp28BMYxY6CxKVe3lsWpRpCketmlzasCIQCZBqXeQjm76xL6O9s746sWsLDKr7WeTKAtcvZio3SIQw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=140&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=audio%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Citag%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgUJCtZjQXmi1fRp28BMYxY6CxKVe3lsWpRpCketmlzasCIQCZBqXeQjm76xL6O9s746sWsLDKr7WeTKAtcvZio3SIQw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "mimeType": "audio/mp4; codecs=\"mp4a.40.2\"", "bitrate": 144000, "lastModified": "1607982373152770", @@ -198,8 +198,8 @@ "audioChannels": 2 } ], - "dashManifestUrl": "https://manifest.googlevideo.com/api/manifest/dash/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/source/yt_live_broadcast/requiressl/yes/as/fmp4_audio_clear%2Cwebm_audio_clear%2Cwebm2_audio_clear%2Cfmp4_sd_hd_clear%2Cwebm2_sd_hd_clear/vprv/1/pacing/0/keepalive/yes/itag/0/playlist_type/DVR/sparams/expire%2Cei%2Cip%2Cid%2Csource%2Crequiressl%2Cas%2Cvprv%2Citag%2Cplaylist_type/sig/AOq0QJ8wRQIhAMGXHQD8ISJq9sNA7uFO4sRrxOedumWCbQZkoCS31rwIAiBPYPUaq_SlrPAmYVrbj3eMi00i-5iVvVeWjNwnyewkWQ%3D%3D", - "hlsManifestUrl": "https://manifest.googlevideo.com/api/manifest/hls_variant/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/source/yt_live_broadcast/requiressl/yes/hfr/1/playlist_duration/30/manifest_duration/30/maudio/1/vprv/1/go/1/keepalive/yes/dover/11/itag/0/playlist_type/DVR/sparams/expire%2Cei%2Cip%2Cid%2Csource%2Crequiressl%2Chfr%2Cplaylist_duration%2Cmanifest_duration%2Cmaudio%2Cvprv%2Cgo%2Citag%2Cplaylist_type/sig/AOq0QJ8wRQIhAOZItrF9LoOl9M8IvrCFOlE5jKsop36kY5nuVpX9PLg9AiBlu8XT-t8UBSxpxl51DF_9Rzsa1WRypB0A61vzRWdyJQ%3D%3D/file/index.m3u8" + "dashManifestUrl": "https://manifest.googlevideo.com/api/manifest/dash/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/source/yt_live_broadcast/requiressl/yes/as/fmp4_audio_clear%2Cwebm_audio_clear%2Cwebm2_audio_clear%2Cfmp4_sd_hd_clear%2Cwebm2_sd_hd_clear/vprv/1/pacing/0/keepalive/yes/itag/0/playlist_type/DVR/sparams/expire%2Cei%2Cip%2Cid%2Csource%2Crequiressl%2Cas%2Cvprv%2Citag%2Cplaylist_type/sig/AOq0QJ8wRQIhAMGXHQD8ISJq9sNA7uFO4sRrxOedumWCbQZkoCS31rwIAiBPYPUaq_SlrPAmYVrbj3eMi00i-5iVvVeWjNwnyewkWQ%3D%3D", + "hlsManifestUrl": "https://manifest.googlevideo.com/api/manifest/hls_variant/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/source/yt_live_broadcast/requiressl/yes/hfr/1/playlist_duration/30/manifest_duration/30/maudio/1/vprv/1/go/1/keepalive/yes/dover/11/itag/0/playlist_type/DVR/sparams/expire%2Cei%2Cip%2Cid%2Csource%2Crequiressl%2Chfr%2Cplaylist_duration%2Cmanifest_duration%2Cmaudio%2Cvprv%2Cgo%2Citag%2Cplaylist_type/sig/AOq0QJ8wRQIhAOZItrF9LoOl9M8IvrCFOlE5jKsop36kY5nuVpX9PLg9AiBlu8XT-t8UBSxpxl51DF_9Rzsa1WRypB0A61vzRWdyJQ%3D%3D/file/index.m3u8" }, "playerAds": [ { @@ -219,40 +219,40 @@ ], "playbackTracking": { "videostatsPlaybackUrl": { - "baseUrl": "https://s.youtube.com/api/stats/playback?cl=346395749&docid=5qap5aO4i9A&ei=LTHYX672O-jrj-8PnOWl6Ao&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF&delay=5&el=detailpage&len=0&of=jTrj5A7hoyvW9l8Qs9wayA&vm=CAEQARgEKiBpaGFvRkVWTjlSWVFGbThWMzd3VVFUTEthLVUtQ2cyODoyQU9HdF9PTEZxWDFmUlBUZy1CVnFvdGdfWXF0X2lCN3JjakVpRXZjeGU4T0NZeDd5bnc" + "baseUrl": "https://s.youtube.com/api/stats/playback?cl=346395749&docid=jfKfPfyJRdk&ei=LTHYX672O-jrj-8PnOWl6Ao&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF&delay=5&el=detailpage&len=0&of=jTrj5A7hoyvW9l8Qs9wayA&vm=CAEQARgEKiBpaGFvRkVWTjlSWVFGbThWMzd3VVFUTEthLVUtQ2cyODoyQU9HdF9PTEZxWDFmUlBUZy1CVnFvdGdfWXF0X2lCN3JjakVpRXZjeGU4T0NZeDd5bnc" }, "videostatsDelayplayUrl": { - "baseUrl": "https://s.youtube.com/api/stats/delayplay?cl=346395749&docid=5qap5aO4i9A&ei=LTHYX672O-jrj-8PnOWl6Ao&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF&delay=5&el=detailpage&len=0&of=jTrj5A7hoyvW9l8Qs9wayA&vm=CAEQARgEKiBpaGFvRkVWTjlSWVFGbThWMzd3VVFUTEthLVUtQ2cyODoyQU9HdF9PTEZxWDFmUlBUZy1CVnFvdGdfWXF0X2lCN3JjakVpRXZjeGU4T0NZeDd5bnc", + "baseUrl": "https://s.youtube.com/api/stats/delayplay?cl=346395749&docid=jfKfPfyJRdk&ei=LTHYX672O-jrj-8PnOWl6Ao&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF&delay=5&el=detailpage&len=0&of=jTrj5A7hoyvW9l8Qs9wayA&vm=CAEQARgEKiBpaGFvRkVWTjlSWVFGbThWMzd3VVFUTEthLVUtQ2cyODoyQU9HdF9PTEZxWDFmUlBUZy1CVnFvdGdfWXF0X2lCN3JjakVpRXZjeGU4T0NZeDd5bnc", "elapsedMediaTimeSeconds": 5 }, "videostatsWatchtimeUrl": { - "baseUrl": "https://s.youtube.com/api/stats/watchtime?cl=346395749&docid=5qap5aO4i9A&ei=LTHYX672O-jrj-8PnOWl6Ao&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF&el=detailpage&len=0&of=jTrj5A7hoyvW9l8Qs9wayA&vm=CAEQARgEKiBpaGFvRkVWTjlSWVFGbThWMzd3VVFUTEthLVUtQ2cyODoyQU9HdF9PTEZxWDFmUlBUZy1CVnFvdGdfWXF0X2lCN3JjakVpRXZjeGU4T0NZeDd5bnc" + "baseUrl": "https://s.youtube.com/api/stats/watchtime?cl=346395749&docid=jfKfPfyJRdk&ei=LTHYX672O-jrj-8PnOWl6Ao&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF&el=detailpage&len=0&of=jTrj5A7hoyvW9l8Qs9wayA&vm=CAEQARgEKiBpaGFvRkVWTjlSWVFGbThWMzd3VVFUTEthLVUtQ2cyODoyQU9HdF9PTEZxWDFmUlBUZy1CVnFvdGdfWXF0X2lCN3JjakVpRXZjeGU4T0NZeDd5bnc" }, "ptrackingUrl": { - "baseUrl": "https://www.youtube.com/ptracking?ei=LTHYX672O-jrj-8PnOWl6Ao&oid=Kmxl2Gtmc3HFCPsrnEUTjA&plid=AAW2eJRsYfMk80uF&pltype=contentlive&ptchn=SJ4gkVC6NrvII8umztf0Ow&ptk=youtube_single&video_id=5qap5aO4i9A" + "baseUrl": "https://www.youtube.com/ptracking?ei=LTHYX672O-jrj-8PnOWl6Ao&oid=Kmxl2Gtmc3HFCPsrnEUTjA&plid=AAW2eJRsYfMk80uF&pltype=contentlive&ptchn=SJ4gkVC6NrvII8umztf0Ow&ptk=youtube_single&video_id=jfKfPfyJRdk" }, "qoeUrl": { - "baseUrl": "https://s.youtube.com/api/stats/qoe?cl=346395749&docid=5qap5aO4i9A&ei=LTHYX672O-jrj-8PnOWl6Ao&event=streamingstats&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF" + "baseUrl": "https://s.youtube.com/api/stats/qoe?cl=346395749&docid=jfKfPfyJRdk&ei=LTHYX672O-jrj-8PnOWl6Ao&event=streamingstats&fexp=1714255%2C23744176%2C23804281%2C23839597%2C23877069%2C23882503%2C23884386%2C23885566%2C23890959%2C23891344%2C23917876%2C23918597%2C23932523%2C23934970%2C23940248%2C23942633%2C23944779%2C23946420%2C23948841%2C23950598%2C23951620%2C23954221%2C23961732%2C23963928%2C23964397%2C23965561%2C23968386%2C23969486%2C23969905%2C23969934%2C23970386%2C23970974%2C23971865%2C23971973%2C23972240%2C23972293%2C23972381%2C23973158%2C23973493%2C23973497%2C23973808%2C23974595%2C23975885%2C23976578%2C23980903%2C24631901&live=dvr&ns=yt&plid=AAW2eJRsYfMk80uF" }, "setAwesomeUrl": { - "baseUrl": "https://www.youtube.com/set_awesome?ei=LTHYX672O-jrj-8PnOWl6Ao&plid=AAW2eJRsYfMk80uF&video_id=5qap5aO4i9A", + "baseUrl": "https://www.youtube.com/set_awesome?ei=LTHYX672O-jrj-8PnOWl6Ao&plid=AAW2eJRsYfMk80uF&video_id=jfKfPfyJRdk", "elapsedMediaTimeSeconds": 0 }, "atrUrl": { - "baseUrl": "https://s.youtube.com/api/stats/atr?docid=5qap5aO4i9A&ei=LTHYX672O-jrj-8PnOWl6Ao&len=0&ns=yt&plid=AAW2eJRsYfMk80uF&ver=2", + "baseUrl": "https://s.youtube.com/api/stats/atr?docid=jfKfPfyJRdk&ei=LTHYX672O-jrj-8PnOWl6Ao&len=0&ns=yt&plid=AAW2eJRsYfMk80uF&ver=2", "elapsedMediaTimeSeconds": 5 }, "youtubeRemarketingUrl": { - "baseUrl": "https://www.youtube.com/pagead/viewthroughconversion/962985656/?backend=innertube&cname=1&cver=2_20201209&data=backend%3Dinnertube%3Bcname%3D1%3Bcver%3D2_20201209%3Bptype%3Df_view%3Btype%3Dview%3Butuid%3DSJ4gkVC6NrvII8umztf0Ow%3Butvid%3D5qap5aO4i9A&foc_id=SJ4gkVC6NrvII8umztf0Ow&label=followon_view&ptype=f_view&random=387979591&utuid=SJ4gkVC6NrvII8umztf0Ow", + "baseUrl": "https://www.youtube.com/pagead/viewthroughconversion/962985656/?backend=innertube&cname=1&cver=2_20201209&data=backend%3Dinnertube%3Bcname%3D1%3Bcver%3D2_20201209%3Bptype%3Df_view%3Btype%3Dview%3Butuid%3DSJ4gkVC6NrvII8umztf0Ow%3Butvid%3DjfKfPfyJRdk&foc_id=SJ4gkVC6NrvII8umztf0Ow&label=followon_view&ptype=f_view&random=387979591&utuid=SJ4gkVC6NrvII8umztf0Ow", "elapsedMediaTimeSeconds": 0 }, "googleRemarketingUrl": { - "baseUrl": "https://www.google.com/pagead/1p-user-list/962985656/?backend=innertube&cname=1&cver=2_20201209&data=backend%3Dinnertube%3Bcname%3D1%3Bcver%3D2_20201209%3Bptype%3Df_view%3Btype%3Dview%3Butuid%3DSJ4gkVC6NrvII8umztf0Ow%3Butvid%3D5qap5aO4i9A&is_vtc=0&ptype=f_view&random=141683653&utuid=SJ4gkVC6NrvII8umztf0Ow", + "baseUrl": "https://www.google.com/pagead/1p-user-list/962985656/?backend=innertube&cname=1&cver=2_20201209&data=backend%3Dinnertube%3Bcname%3D1%3Bcver%3D2_20201209%3Bptype%3Df_view%3Btype%3Dview%3Butuid%3DSJ4gkVC6NrvII8umztf0Ow%3Butvid%3DjfKfPfyJRdk&is_vtc=0&ptype=f_view&random=141683653&utuid=SJ4gkVC6NrvII8umztf0Ow", "elapsedMediaTimeSeconds": 0 } }, "videoDetails": { - "videoId": "5qap5aO4i9A", + "videoId": "jfKfPfyJRdk", "title": "lofi hip hop radio - beats to relax/study to", "lengthSeconds": "0", "isLive": true, @@ -298,27 +298,27 @@ "thumbnail": { "thumbnails": [ { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCKgBEF5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLA35C1abXfmkbu26R8RWRySBCRbzg", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCKgBEF5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLA35C1abXfmkbu26R8RWRySBCRbzg", "width": 168, "height": 94 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCMQBEG5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLCzEvX7IPcUfjh7CzL7ZVW3byhI0w", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCMQBEG5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLCzEvX7IPcUfjh7CzL7ZVW3byhI0w", "width": 196, "height": 110 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCPYBEIoBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCTSbLURUqt7bRkSTslTjIgGt7ocw", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCPYBEIoBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCTSbLURUqt7bRkSTslTjIgGt7ocw", "width": 246, "height": 138 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCNACELwBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCzQ3uAlTm1dlvwqtKuUpjXQ1fITw", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCNACELwBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCzQ3uAlTm1dlvwqtKuUpjXQ1fITw", "width": 336, "height": 188 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/maxresdefault.jpg?v=5e529f1d", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/maxresdefault.jpg?v=5e529f1d", "width": 1920, "height": 1080 } @@ -612,7 +612,7 @@ "playlistId": "WL", "actions": [ { - "addedVideoId": "5qap5aO4i9A", + "addedVideoId": "jfKfPfyJRdk", "action": "ACTION_ADD_VIDEO" } ] @@ -631,7 +631,7 @@ "actions": [ { "action": "ACTION_REMOVE_VIDEO_BY_VIDEO_ID", - "removedVideoId": "5qap5aO4i9A" + "removedVideoId": "jfKfPfyJRdk" } ] } @@ -641,7 +641,7 @@ }, "storyboards": { "playerLiveStoryboardSpecRenderer": { - "spec": "https://i.ytimg.com/sb/5qap5aO4i9A/storyboard_live_60_3x3_b0/M$M.jpg?rs=AOn4CLA8CueVeM7k2vaRhniPqVuA9T9c4Q#106#60#3#3" + "spec": "https://i.ytimg.com/sb/jfKfPfyJRdk/storyboard_live_60_3x3_b0/M$M.jpg?rs=AOn4CLA8CueVeM7k2vaRhniPqVuA9T9c4Q#106#60#3#3" } }, "microformat": { @@ -649,18 +649,18 @@ "thumbnail": { "thumbnails": [ { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/maxresdefault_live.jpg", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/maxresdefault_live.jpg", "width": 1280, "height": 720 } ] }, "embed": { - "iframeUrl": "https://www.youtube.com/embed/5qap5aO4i9A", - "flashUrl": "http://www.youtube.com/v/5qap5aO4i9A?version=3&autohide=1", + "iframeUrl": "https://www.youtube.com/embed/jfKfPfyJRdk", + "flashUrl": "http://www.youtube.com/v/jfKfPfyJRdk?version=3&autohide=1", "width": 640, "height": 360, - "flashSecureUrl": "https://www.youtube.com/v/5qap5aO4i9A?version=3&autohide=1" + "flashSecureUrl": "https://www.youtube.com/v/jfKfPfyJRdk?version=3&autohide=1" }, "title": { "simpleText": "lofi hip hop radio - beats to relax/study to" @@ -939,7 +939,7 @@ "trackingParams": "CAAQu2kiEwjuwK-jic_tAhXo9eMHHZxyCa0=", "attestation": { "playerAttestationRenderer": { - "challenge": "a=5&a2=1&b=r9PTMJRHo8MhdGcMmkXp2sCg-OA&c=1608003886&d=1&e=5qap5aO4i9A&c3a=23&c1a=1&c6a=1&hh=Wk3uENllnEM2kqTbJ48CnOO8MfczulmD1Yx1sdoZfNw", + "challenge": "a=5&a2=1&b=r9PTMJRHo8MhdGcMmkXp2sCg-OA&c=1608003886&d=1&e=jfKfPfyJRdk&c3a=23&c1a=1&c6a=1&hh=Wk3uENllnEM2kqTbJ48CnOO8MfczulmD1Yx1sdoZfNw", "botguardData": { "program": "RPiFmx56JegqeZdOeyzn8fTEXD2Qh/AKCIcLjOx5MGGj6ufPnFZUFat5mXOEVG/6CO8abHIP9Pvn4QZ6j6v31w2/BZeX6Ua//BTHQXs5Gz90vIztd59StZWftEznvI+B97GBOHu3Ttk5dupHvFNRySvTUAf3c9zAgcau5T/aGcZXhRdQeNgSJn1GLot8tiP9Xw3WYxg9MhvAXbfudbRyxOhELKqdN3E1amKHr364aqbPvs0EyaHtMrk1lrLXGZz60p50xFjGbPFT7y62Bt5xwdSzzcdud7DX0S0oarkrmS0sqTKUT2BP9oxh6HlLnoVL8d991MBtaIxHrdVIOpMHMmRuNN008ZkzyzbK0mf9Z/THMpj4qR9exS8ASEs5CTo486TYMgaLdA3/Z7FsrNDODbYg51zJp6XBb1lkNdjHFsxoXmvmYaY5Rm++MtXm8r6o9SySbrZTRSBA6ZjpjuaSCMPinrdVnvLt5NEicp6uTcIZGns0rKp70cU2wZ5wV5M+JpsXuygGxE7kWiOuBduuf4qMsfSan7y7NlvAVkEqve1oXd8dwpENXYQ7NTewfwdHsfcIFjCLCbZx4GXBBGBb8m8ljViYthktlBwkeU7baHJyW8HuCQPKABNpDiuMR3PkqI60sQMQagMKrt6vcwwg9yfhNx1b61onaSCYhPf6Cacwo1eu2VGF/dG7laGmrBx9yi/aEHBvTKm/VlEfgtJLgRB6MP3vXLVbFCY1ItXf6RVOq/nVq8joVsTL28W1ox2Naqz/JIGY2V4+3Lt+fTq62Z+Y7qwG4efM70d/HDck+32e6rS1JP68t7VnLNH2OaxnSbSUFtbAMGrTqE45dn2N7XesjN9FKyeeMTUNn/9xzW8aXdcH9dJA1eCmzWqob+2mVbi/zlVBT1U7bc2JHgS9zW6R01Avh568p6GPC0ojvDe7wRD4Erpy16S266p9IubxXkW0TbmoKcctYTL35P433iv1MIBvp6xOyNiILKpcBQ3+zGp0D1ixPjNTSDc1nSnYcUy6aRFiq6z9nnXegrHL8B7S4dwyvAfpFTEcYxXVMyKqDqnqvJBHfdxDPRQP9RVwCmdqWn0w7TmJS9z1VoqvK/+OZyVfsJ6fJvw5Aa3C1BnO/3fWA6u7smnTXK5BxkrQDQm0u8r9xbVrCQJnCPxagC2wDs+5KRVMUF5cHwUYAQLq6UoWdORgYKuYX3FIDKnIoZ2jA3+HwxjJfZEfj4vj3Zh4OObo/c/surbal+u6RXiCPOhmCC5rJ/YVomHhS1hGYS7CxLhQN8xBDV721sqeh6pjhUupWjeGdhlZ8nPJlZiusS+RhMlaPz4t20HoZLmmeyAf1n5IA/Re06Jbn0AaECMLYPraauPHMUZ19uSa1Tj7mj9qBhXv02Wl3NEaTXPB+njeun5USWzs3gz9EMygXnwRoPSj5Xyfxld1XBNTf7N2rPr3CYEWOBDbO0xT1b9cj0QmKQtlIRJquM8HwChPYSwJeBmfcZ8rEUPLLK5/o99eHEBY4s8Hb/TkgYYkRSNJvctDX2wlPppVe24J2vjtIgWJs1eXUzWuT3fyM0SBaIeWGdIKpOOL54dynUFkX9lUCK+Sa7RAwu7dt0DwikNUl1fImcqd/XTi2ya49MbRf2rgGAHPRGSNJpruJEq2LVcClP6q7me5F5pKbupjxvmGYpMLfBjjdWrnwN1gJ6OlNYmPAyg/1hbc9E+Wqq/wyV/1l1fkGEKkKfv00M4fRr2NyhLS2dYS+pbeU19qSogSIc2kMWbi8yNgAVOxK20UNzmlgQKH9njpaFehC9lM/tG1vvB0UR4AglfnGxZwsnqi7iKKbg3JXvhsJpR7nNGVmqLMW+nj5aBa0UCq5qYDwbRhcAWqG8ISqJ2Wc9b4a255r9Vy/jC4Na3vtM9+ihEte8Ha//cpgCqOScYl4TLTPMB6nuMuQ9FP4ugLiN8SrBX/2krdL95YOuVfxhGG844aZr9sNNZ1z/VSy84nqKOu8ie+u5LP3u7vTBDSidPHLOaoCm0GxqD2Jkh3Z5XGv+Dnt63KNgJi36ffGIRVGesgTaiT7QjcwxIq9YuzVZ+m6jpdiqr8w6UrcIazi/8DsaoUR+raoI0O6xY1egx4uGRJtjTOmCZNM0NOxLpE7E7ezXGb7TTyOwnvpv5VHraRcblv5kN8I4kQrgPURJGXkOPdVq4BhE9dOLWGlbysNqY5UUBOujilK0rfjwUbXTLa5ODAZUi0Wz1dsiyI+HXmVCV0AvIiR85a26GUIzHnVLTgHyzmruLD2YtZxpXtLlurKN5EumdeEdU8i10NHny8KHlfkQ+n1LEde8DW2qI5nFxwJwLJuBhDOWKbBrzIphSwTIhW2/BavWR1c4Ni3Sjl2qGsP5AS/JvAkfXeQWAZOD6su1AjwoPeFX5T6FVak5qM4Rgl2TXKqBPiuCDcmqfxT6Dz3cj4VpnsaXf553ikpFkXVZq06V2qHhs9WOG/alVtv8f4OPAILERHBXMxFg8Px+xU8ocImUk5QEVK6crDA3fI6ajwZ+6ZE0pEjVCablDwHLi9Fzd3fan6HF7XHWT4jqkRGEF/SYBvUl3HWsZEnWoLbYpnirszk7eeloMIF5B3ZFkENwQ0sGTn5Ecy0Z67N5vYgDbkfuVvD2mPAvNCjRYhxyZ1igc2dAkta6C8FEqQu0mRBedsfRekbPMybS52Ju3Uh9qCWzEMTwxXAwSNd3wvoC7Nioe0a5QO05EMyvb75V0gqXEC2C44pWIBY+KQ/Ut3xRaEH2ez4SkwH2mvvMc0pssZOByhliSBaG7TtfrOGyfJiA+mtLj+aSz2kclvXkCO9Ax/7dUTrColS24pzA81K2QM+x8a0Uo+Ywwdx4rPVf11r+JTqirDiEEH7uC7UBhOTsxxJeBBLfjefOmMGxKAiwrVnqUTptCpqGcF+5R9djp3Car3MuxnoTTCreJ2IinKW9K1qHbY3Ua3O8MdexYYbPWLjUJK8WDG8Pby6bmajj1QWW9alz/W3GhQEix+eZQNRmaMSLuZv8uxrScrJrvUAGY+MQXtSIdvxMdEXjQyIXeRoB688IOppBnGHXysC9N/HdRlSV2bZAvSy1wktYWiLywUXh12FXm7ZAfd/CGNND0NMm4mY/JHamX5m2vdhOSM2wy+Y1YenR1E4ugdPJ+FzoKvzr0AX8A7Hohu7qUnCFoUenUCXz+RoCNLTwrzBBZWc2SBfWAuih0BwCsHglntpDcTO4QsHqPYgJ7Yib8CgXqC2yiIAI9vhjSqWqO6WCd28sACo+YHqaKAv06DbMX0y2f2xUdCrLTBltr7Xjj0QiNyylt9XZhSyJDjmY4l19QjftDg9ieRzdh6zrwvckbEwkiA/s8HJusQa74qvKMNb6TWYWCFKXoczE2vjB1LHxWWoctTQMMxgcC5KJgz5oXMmLGx+U15KiG5ni9LzIhAzFJmKa/nAJFVijhkqKyJ2krHkwz1IgzPK+1j4hd86UuinKqCyfKjh08/vQQ9qBp99aCopz9Ow6rvIqRmH72GXpYJlKhNXTgpSjGifINDcqNe8816E031YmoQP7VGBu6dJCW+gaPQD50E4MkYtqQ9XY8OAw6WVo9aXu1go2oOnpu1maM2KA6l9laZPJizn0Yjcal6H25+sS4q0DPUzbeCyHaS1dxVGa78ArqMKSKimCAwnRY2lNubQjsKR4kwGp0UMv0LqfFmH2X60Li6+UJcePOfcaFtsWKS5zMI/7Qv+gLjYQEqQfb8Os+T54lEN4GV6gVxConLyMJTeLwEwUCChhF95NFQQb5zdCsuGbwKIsUBQKHRg8ZBcTTAMVTTrEqT7JUKso9mSIjeUp+o6GB41KtIs2cIVJk8I1U6rq8j+LYqPS3w0lnKG/+Xn0P35iK5CMcjDkVNXwPVULDXvA4qC3pRqgUVh39KDePE0Xlz5PQ8KEXzpc4kmWqmDgprJ9aECIvrMBHrSll6LdMJnqbXnJ6qgFKewiICYtuQqoE8/Phi5FnOeyteh6F6ZQq0J82wG2TYGUd1Jdnj3+XGt6aZXlKZCjXlzfr/eaKSFyVLd4V4TvSpZV0S6A40eEMxv3jnr/Bmrj/mJFUtyJZZ3ADvdJB5o/68qIRIyCC2cvYJAWwqno5izhosiTd5WEEpSaYr73nDqB9o5EHMJW5nqS9q7kgtLDpPwrrKoo/VbXZdqNvuLaddd6Iro6BYhrjB2cgRUn9N2phkIM/+612Dg1IMdSvvPXlhPUI0LwNzU7lvtHkioWt2KgvX0oaeSsdiQqebdwL0ZGdIH/QtIqndd/jcV75eANs7B7I64MayUk0KiZ7PWeKHlsG3dCUZEX817txoxmrW5q3g/MZJE6p8BQrS4/PC2FSPqZU+59UNWiTfxkOdzhmPhPErDYD/uECrdW7Jnn1InL99KedRNW5gdv8p2vxzLAIwMs8MbeAlCmGAQeTgvyLfpRxN/bxueaE8MZb0upVEXl7yR62tLi64r/ux6svBB2sW6FY+ZSXrM5En363uFwdKyvK+W/eIcYZXnuz/hkXW1PVtyQCj8FerDgpP/CgUSR/j5DiE5c6IK62Ub747J83vsGakJxCpVv22aQVAE+oCUiw7ZycI0gQL6S8mtLHZg/2VrFZsrssZy7B/ud3sQ7RqgzgddDzmyhAoTfLJu0yl/FTFWOLTc445Wco/1xO2pLm0cV5Xl8rAcgIQb29vPi30vgnTTznpdDLia3Y366wJmMyF/wF8FElviwiaeoi6PxI//8wIwgiU+j4KBOzRjDol3FhBj+8aMm7n86oUKI215+T+dBB8LjHGdNAj1Pk84EtTbi0BcaigJZEdrBITX/mgM3nzGEIx/P9FE9SY+s9ZmzQ+2SPmVP5x20dg+dLdky0QTq+L/GBvolgNE6lcn51NXOe4C12zkpe1wS4rzSNKkDkF+KtyFNwUGS6RMrLZmqDRQwDSSpqtB5m+SdiFRfl5cjC5SRSbWPiT/rjOOEnhi5cMYiBjQvtpYr7QcGme2ZA8jOkgrg15mLqKy7URodsE3ap38ozIHwruHATdWMLEz7uDCgY06fq3v89JguQR/zdLMOJMkHyWaSFU8XzChtbUrIm9Qk82VRjcAFr24wBS9Q4fsMfaA42Oo+K1SHF/U0T+3aARKvCgJDaMGKr/lOcffMCxUKpCh8HzM/m1Bsys/IeC6pk+2ifcJuNTz9BFstuCqHYYq/QrGrY/iwbZS8deqjrni9/VO6b5NrPKTx0Q8fqLQ09TPKMhkXrIrGxIr6X0avRrd5gkx3voFl1BuMzw0BLQVGQE3//7uLOEyfcqWrTQMWNETR6tP/r6/RYA0n3jw5wA4U+jEl3Xy6UTl947iZCiYYZbginTkTVXp0rtpKtouCiQFE2g5evWyMbQbnRroVJfMpvttukqpzUmISat5I1r3+UMR/GpCSYeqc5K87ms9W+nAEDrZ6SBz5ugs6gYIkKis/PDvvUyVvGrkilD1xZ2AQyyk9cSalVV6El0fAXIcjkJBsUt2rikQ+Os6VG4Z1IkpuSpmt3CeBpgENttH2RPD9+kynRP7kO+UnxwKJk/v8vUp8pUkht99Se3D8/V5AmxwRDBOMB73iSsOjviCikW3fivK4w5d2iy3y83TDGgdnhTXVgCddUanmbKDpDV7uCSipkQvZ64UjL58Jm7WoY8DTEDCcTkr+Z0L+En+gYpuNHzl2m1D9+fq6d3XYIlheB0YR7e5D2hiQD0kKlRP121JcNLRT27bKmYd8oY/E7Y+oaVPbqQS9v2JMR9FJi8oIK1w7YPN/gjEpcsa4YsYoP6nC+nVUDYYNxZNw5Q0DEtczJ97cD/e3tCC/NmCTRNsd+oy4mxhnC4LX/mBkGb9vHKiIQwuTTS6YZNIaY8dYd1y4AVP6Tm1WxpZ9kz8+Df2HSGqsGKDfbVP9+FZLzelepi7gV8j3k/SNPmbHPzWYXB6jh3LwwFGN/uR3CMBdPszCySeuP0qCcG65bBz2hLhes5pS9Ef1tISp0bLmGDH3pvClTJEeB194/p29mswg7nuqeacbiWg56C3Nz7HOMPZ0C9zpUJZsnDdAlOc9SAZ40rW4fYYxdlBTWyUlYgskIhRENRyOrPqGJ919BaQeDMbmrfFX+Io6PtG1cWc6edqxsoPKbLLMdXRttgpLCNUnJPToGDcUpUFqIfnBYtlUeqI2vSEZg90ayK98/nMNSJOO8ah/X3dR5nvRmt+hMkq+Mee8hKH4zNTe6GTKp7wvc4mS9t0MVKi9YroP+Y/OUtwAycpdrkOsCq1q5WTrrbaZFCopXGtkSf/DrhutsJMJJlzB2LhO4audR/nDIB5ZtQml1lQV5IQEzK36PVnoFohgC9nA9N8JF51129ngtVO3yFsgp+5cKd2q7dfDYAoRjkDluX+rLinpXVAnqNDDGk13/mrCgNLxjQv9XTEtMpCRRawmdn6SqT+AAWtAQ90q9xB04lvyixJh/GGJUqd01190pw3yjUJkY2nwrsOWn2nFz+GfHvEmSOYlz8ZQ9hgOD9/LIxih6k8zA2Kv77siRPDxby1srkgFhSMD8f9vyxQqORTQMx1PWsZetCunLTcGKSym1kUw4ZYAWSDf+bfXgPodOHDdWsa3Clv5rxey2p2i796jaGs74NR0SBzGc2WZu+wdbDukeAeMJQnKEfJeongLOxv9gUiiKOlKZafKvfeGsMm0/R0HeXMDT24rieiEZ9CLXpLhYVKc9Wc5lRRx3/yCXnKnxKLcErq3ICg4FTJmkptAeqfphR/LEvyAskip5mPDVTB4laTo82SxUhmcOmbWqLdLY5b+Ape/0psPKn1JiSwrVSVRMuAFoGh5RA5P577lJebwCppVJylOixrMSQckGaSL+UUoBPkRpVaJZPO82UrydkIhg86d7TKgonUrkGfZkXLhttf0PwXPiih3o9lYD0vP8OVUlLnaskqvvQWJbRx4rAo/+Fk4QJBBwgJbBvqEwhSIopzF6QsWsHcehTC7A8p2coEX3aROzCc7gLZEkPRs7ElE56Kfe0y4fgaQecEa8bmaR5ktDUPpbAYwnGoljDgwEeJV8m7gycTADUc3hvE5F8g+rGqitwsXnbTT11iNoG9Rudy8v2/txD4spSAyKYA2ghjArRjx/mInvtq+2+bIxletkt+wYpAF9bedi4M3+H4mhJERJo0B45JC6AKuHbGlvglzgq66q9+Pz793lZOz/vzh4GrRkGAb786U7cByVXcQncsHu9Cy/2TMaaLdSLqne72/trTDq1vPQCfRHiKOmsO1jB0rBd5GzNh9G+AXZwKpmfmE9NQWM0l5wfG6jbrQbyakDAV9wEAEogfkiYjhQCAAxZA3IKhLISt8jKzxB971yA5obSEYJSgeSZeCSxWOO3peN5OehPKnzjx99qmk11rrTG9mlbO2PZWr0TVRbeyPrfGT9EdKlxS7zyjCfHx479bo4akalfG52cK5jSzfMU5acwrOwsR+D8bQ+myQXQ7CPTTCu5mmhFYjIvkyFb1r9eTPgkvoOCFTFkbsst42iP+h5QvDvpxwT4sNKkmHqIwFET9NOIqGhIp5l9ZDh7jq+hDV9iDQrq586adsyzteE6F7Hw6Er2lINaO/cIanzCUogO6aKO6lBeXbfH6nCpcb1BrlV0VzZoxCmt8R+fq6d6DW5vkmB3KSNBP4dbvVLmVr31AkMVxwPLBW68ewtBPX3iTD69zBTNPr4UNV4gKSmevHxzUP7jbWslyQJI1HnwGOfI8w38NbURSP2mSw37RoW3Xc1Fx4zFXkvNqwisYQ563NoHcsw0AOVYOTzHbGQSTAI9ZzlBSRhkruhxQpUpDYnos01Azxz0q89tqrG8HJj4P+KiTEoDdFcsBvNmCUEW6H8Irll8hlaZSa6G3PxkkOTDAKASj/9lNO2/D96lkxEdPkKGXceZfb5YyD93xSjXj3ZgBmO7g4R7x8uspJOhbPS2sNoCR1yzmjmnPELEiuu34EJojHkjJmUsJpwU+/Dje6F/FnJqvbXOfqgAm80/B5eY7ozt88MnLyyHTcQJ3ys0JxWwIwYSY9am2Fh65nH5pC1CxQ9K4WnFvMBO+nlyolIyP+emmjHcEQ+dfYPoyNrrsErUKR4mkWNhclYoC1xNs9zRt/0Pc8gGOMcGeGUwWh/9ZpRDPHIC1Z+PUQm4DdPd3oQNW9nNYC7xmvCYgaU7etDKKlrlVOv0l4Bv9Zw0WHQT0F4CQvlXGZJBFXbLFmYLHOuLscZ1YfjRLcsgrObHkkYpBLRefY+sF8N4IeiIxO9DUAKjUpRaUTO95dVbOxEFy6t/y6rQFFAp1FgGndzUVo3O9jfHo3CXK0l3MqKqRpF/SHtEGRlDWPPoku08oOOuS4zR5fWhKxYHSYrohLdttInig+IZa9jcC5N+Xt0QslY+73nnrQFtI5VVQ9Yx7twuFpg9FjlMOSsHkfNtuDAEotJiW5VLq1gq10lhOWHVopSOGUm6kOraZg6GJx39e66lxx99JgtwiVAyLtE8ZRsZ1ru4J1j9k/qmlR7LBsJUH/Ul7GQr/3XLSxCuzU/g7iEvHfqcAtmlpeAFb9lMWJox3fSf84Nz6LT1TpvtlMUepbaQMRU87v0CvyFpLzdrwPD/B0HmISMkiTxRQyUmTtcFjG/6t2diWnPvjzPA1V5EwMaS1q/vhdNi5+0HLmNmIxubwli2Ad3783+dBjPmBJNoVYWI/GZnDSkcD9nu5v4yukOowjWL+xGBAT+60P1OOvJIFKQWQw1yr0F7/zn/a4uXqD8h/KCb+yVzjxwj5kPg5I8yrpepxU+oM2/ojxkDwj6kW1porTHw5qTtGbgHDDOrMhnd21vFWoRUF06IIHH5KrfZtKxGvaXBG2vnxTMYmq0JExQAXWkdKDzUFjmDOHri5zjkSLXzoZwRYHpQYSwjgV+hJSfm+JmeYceHrWv09zfzz5HFXhIaZweyHrDjtwB+G1chK60yIOd7NFCislYFdimvSTlB4YPCZQxWc7ajxST9bBqeTSsi1ucjIlweECIBza4qE50gMiqYSARuskXeBUVHfu9trSqtSNqdA6wQp/iOf8LoEeOBJKEOopdeUhzaWTC57NxZQ9YDc9yXZConjlco6j5WtsEGGUgIADgJaPsNel6K+zqQbcy9V7s0htRQjsZOfJN3TmqcRQmJxF9U4BzkPAunU43feOqQE3rfUByKfUMd/I3DY5OJkB3+hGmZuOI2tXVyS2O8Zh1QGJp7JPjN4PLcP4tGLm/ZWehHhGN8ysf9rVsH70VtlLPziGF7BJs343Iiy6W+2xH959mawk2892TMcfxbxBYqQhQVOZ4zPo2TeGcbXlF/MpybHOodFmG4+mJKzpves02soZMZkPkB4jvXsmnbFgeOkX47WyLwcR4znFxWzu/TiuX4Onxe6g/wnRL8C7Ey1FWs8X7TD9Xl7nYKyGlsmqHWitcrE93s/DHM4ckA8rHJFlNFV2/+4y2WH3HilF8ra+WwHFl+St2OeDokLflZT8cFznPcBU5hlX/5OBYjchDT745X3XlFN6z1z2F3R0t0RFiks0RziFJlm/TmIu8bz3f+1vdCUt+aj1j7wS1zNtcLZa2JIvdWBIKUXvFaPFqzKwMkCihokdivUSjD3JMOmferET+NdUqQ4SR7NfJjvalZxDCs95K66Ekz8lG91dgsydcDLXYVePvUs5KFozKKKyDU9mBxfJKBfiNNFVrb+WjhQdo848Menagl7AuwHllrOeyVYnQJ6lduVVBUez4U88kyR7VMG5tZGmIYESE77v0qfPcOpoYUYfTFNlAnU3rpzxFn2q/vQ/62kZgw0+BCeRDeD5XdoZd6o4oTlLOA5mUdsCx0lcEJAdMkfmlexh4ahSg6C5pS9Yq6nNoumVcZzpgd8ABznOMQVHT7lpr5sh1leRLzm03KFEKuSl1RHoRiaoCD0c+5MgbfIq2z9uDntw6rqD8sm3mY/DodK3aPra97yhAFLK2rBJ3NlKQH4d069HqXr08q1G77sNjdXKv4c7fOFu82K6nMjqv9h0i9+ezAzaJfFVqqmU9JK6SRnDWLbaciHjzOrbm+LcsOm2G+EJgjU0RfSKvq6r9q7hxPBLjsddvezldJq4zZUbk7MQoPnOWZ/BfnHtfn2GKvQQfhpjN+ZMDTuPw6sLPTAgb4eFq+wXxHoWAGkh3jjtnP7ZB81RP/hoylZbChLruhD48gibMpXc1/rfu/nWFBQ==", "interpreterUrl": "//www.google.com/js/bg/YaMN4Oy8AhH-iW3da0J-Nuczn6meMMc-yumwdmwIUIQ.js" @@ -1005,13 +1005,13 @@ "clickTrackingParams": "CEsQ8FsiEwjuwK-jic_tAhXo9eMHHZxyCa0=", "commandMetadata": { "webCommandMetadata": { - "url": "https://www.google.com/get/videoqualityreport/?v=5qap5aO4i9A", + "url": "https://www.google.com/get/videoqualityreport/?v=jfKfPfyJRdk", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } }, "urlEndpoint": { - "url": "https://www.google.com/get/videoqualityreport/?v=5qap5aO4i9A", + "url": "https://www.google.com/get/videoqualityreport/?v=jfKfPfyJRdk", "target": "TARGET_NEW_WINDOW" } }, @@ -1596,10 +1596,10 @@ "baseUrl": "https://www.youtube.com/pagead/adview?ai=CBBDJLjHYX8yAAffUo9kPrLO2wAfq9Z3BYMu51ZKPDbCQHxABIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABjtzKyAKoAwSqBM4DT9BYDRiTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_LImwf6FbOK_mb-iDBk5bDQrs1XABajL68GPsFPW6S16DKSsDYopLHdw2k_hmnIXwB2xRU9MX6YIXkIuu7jLFihGX1uV__Pd_JAqoRELNuxvJIOxL3TuPpp2gKDom8RTlghAlztTVNgu2zgoOhnv2YkfWhZHmnpWjaphrqv8-b25FroIR90xlhqcYJ2JF0jbmxiAWlx4L8JpIFCggiEAMYAUjIslSgBlSAB9qjtbcBkAcEqAeECKgHqNIbqAe2B6gH4M8bqAfp1BuoB7bXG6gH8NkbqAeBxhuoB5jOG6gHq8UbqAfj2RuSCAtIWTEtczRzYU13Y6gIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGKELRsA5NgdGohS6CxsIARABGAYgASgBMAFAAUgBYABoAXACeAGIAQCwE-qhlgq4E____________wGwFAHAFcmAgECoFgGgFwE&sigh=N6hw_BcUaSo&cid=CAASFeRooz830ksvsMNUlkw7OLhhffyjRA&ad_cpn=[AD_CPN]" }, { - "baseUrl": "https://ad.doubleclick.net/ddm/trackimp/N1224663.1355339GOOGLE.COMDDMBID/B23710068.290053122;dc_trk_aid=483424144;dc_trk_cid=142615993;dc_dbm_token=AD1EzRQAAAA5CjIKDAgAFQAAAAAdAAAAABIMCAAVAAAAAB0AAAAAIhIIpceC_CaoAtOp0QKwAtLI6wVAOxDIiJoBEl_gsOp99G7719xQIfUSOQ==;ord=2680831681;dc_lat=;dc_rdid=;tag_for_child_directed_treatment=;tfua=;dc_rui=1;dc_exteid=18058962334645945356;dc_av=536;dc_sk=1;dc_ctype=84;dc_ref=http://www.youtube.com/video/5qap5aO4i9A;dc_pubid=2;dc_btype=23?" + "baseUrl": "https://ad.doubleclick.net/ddm/trackimp/N1224663.1355339GOOGLE.COMDDMBID/B23710068.290053122;dc_trk_aid=483424144;dc_trk_cid=142615993;dc_dbm_token=AD1EzRQAAAA5CjIKDAgAFQAAAAAdAAAAABIMCAAVAAAAAB0AAAAAIhIIpceC_CaoAtOp0QKwAtLI6wVAOxDIiJoBEl_gsOp99G7719xQIfUSOQ==;ord=2680831681;dc_lat=;dc_rdid=;tag_for_child_directed_treatment=;tfua=;dc_rui=1;dc_exteid=18058962334645945356;dc_av=536;dc_sk=1;dc_ctype=84;dc_ref=http://www.youtube.com/video/jfKfPfyJRdk;dc_pubid=2;dc_btype=23?" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=2&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=2&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "errorPings": [ @@ -1607,7 +1607,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CE8PfLjHYX8yAAffUo9kPrLO2wAfq9Z3BYMu51ZKPDbCQHxABIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABjtzKyAKoAwSqBM4DT9BYDRiTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_LImwf6FbOK_mb-iDBk5bDQrs1XABajL68GPsFPW6S16DKSsDYopLHdw2k_hmnIXwB2xRU9MX6YIXkIuu7jLFihGX1uV__Pd_JAqoRELNuxvJIOxL3TuPpp2gKDom8RTlghAlztTVNgu2zgoOhnv2YkfWhZHmnpWjaphrqv8-b25FroIR90xlhqcYJ2JF0jbmxoAZUgAfao7W3AZAHBKgHhAioB6jSG6gHtgeoB-DPG6gH6dQbqAe21xuoB_DZG6gHgcYbqAeYzhuoB-PZG5IIC0hZMS1zNHNhTXdjqAgB0ggFCIBBEAHyCB9jYS15dC1ob3N0LXB1Yi03OTkwNDczMjIzNjUxNzE0yAkYoQtGwDk2B0aiFLoLGwgBEAEYBiABKAEwAUABSAFgAGgBcAJ4AYgBALAT6qGWCrgT____________AbAUAcAVyYCAQKgWAaAXAQ&sigh=Xb2dQtQepUQ&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=videoplayfailed[ERRORCODE]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=5&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&blocking_error=[BLOCKING_ERROR]&error_msg=[ERROR_MSG]&ima_error=[IMA_ERROR]&internal_id=[INTERNAL_ID]&error_code=[YT_ERROR_CODE]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=5&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&blocking_error=[BLOCKING_ERROR]&error_msg=[ERROR_MSG]&ima_error=[IMA_ERROR]&internal_id=[INTERNAL_ID]&error_code=[YT_ERROR_CODE]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "mutePings": [ @@ -1655,7 +1655,7 @@ "baseUrl": "https://ade.googlesyndication.com/ddm/activity_ext/dc_pubid=2;dc_exteid=18058962334645945356;met=1;ecn1=1;etm1=0;eid1=1208655;acvw=[VIEWABILITY];gv=[GOOGLE_VIEWABILITY]?" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "closePings": [ @@ -1677,13 +1677,13 @@ "offsetMilliseconds": 30000 }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=8&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1", + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=8&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1", "offsetMilliseconds": 30000 } ], "clickthroughPings": [ { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=6&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=6&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "fullscreenPings": [ @@ -1705,7 +1705,7 @@ "baseUrl": "https://ade.googlesyndication.com/ddm/activity_ext/dc_pubid=2;dc_exteid=18058962334645945356;met=1;ecn1=1;etm1=0;eid1=200000;acvw=[VIEWABILITY];gv=[GOOGLE_VIEWABILITY]?" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=11&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=11&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "endFullscreenPings": [ @@ -1732,7 +1732,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CE8PfLjHYX8yAAffUo9kPrLO2wAfq9Z3BYMu51ZKPDbCQHxABIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABjtzKyAKoAwSqBM4DT9BYDRiTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_LImwf6FbOK_mb-iDBk5bDQrs1XABajL68GPsFPW6S16DKSsDYopLHdw2k_hmnIXwB2xRU9MX6YIXkIuu7jLFihGX1uV__Pd_JAqoRELNuxvJIOxL3TuPpp2gKDom8RTlghAlztTVNgu2zgoOhnv2YkfWhZHmnpWjaphrqv8-b25FroIR90xlhqcYJ2JF0jbmxoAZUgAfao7W3AZAHBKgHhAioB6jSG6gHtgeoB-DPG6gH6dQbqAe21xuoB_DZG6gHgcYbqAeYzhuoB-PZG5IIC0hZMS1zNHNhTXdjqAgB0ggFCIBBEAHyCB9jYS15dC1ob3N0LXB1Yi03OTkwNDczMjIzNjUxNzE0yAkYoQtGwDk2B0aiFLoLGwgBEAEYBiABKAEwAUABSAFgAGgBcAJ4AYgBALAT6qGWCrgT____________AbAUAcAVyYCAQKgWAaAXAQ&sigh=Xb2dQtQepUQ&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=video_abandon&ad_mt=[AD_MT]&ad_tos=[AD_TOS]&ad_wat=[AD_WAT]&final=[FINAL]&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=10&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=10&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "activeViewFullyViewableAudibleHalfDurationPings": [ @@ -1783,7 +1783,7 @@ "baseUrl": "https://ade.googlesyndication.com/ddm/activity_ext/dc_pubid=2;dc_exteid=18058962334645945356;met=1;ecn1=1;etm1=0;eid1=13;acvw=[VIEWABILITY];gv=[GOOGLE_VIEWABILITY]?" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=3&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=3&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ] }, @@ -1818,7 +1818,7 @@ "thumbnail": { "thumbnails": [ { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/mqdefault_live.jpg", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/mqdefault_live.jpg", "width": 320, "height": 180 } @@ -1866,7 +1866,7 @@ "baseUrl": "https://ade.googlesyndication.com/ddm/activity_ext/dc_pubid=2;dc_exteid=18058962334645945356;met=1;ecn1=1;etm1=0;eid1=1208655;acvw=[VIEWABILITY];gv=[GOOGLE_VIEWABILITY]?" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=0&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C450742279371&ad_len=30000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=HY1-s4saMwc&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "pingingEndpoint": { @@ -2300,7 +2300,7 @@ "baseUrl": "https://www.youtube.com/pagead/adview?ai=CMJNSLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGIBdvJn5MqoAZUgAeshY9qkAcEqAeECKgHqNIbqAe2B6gH4M8bqAfp1BuoB7bXG6gH8NkbqAeBxhuoB5jOG6gHq8UbqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=0XNVmtpq6eA&cid=CAASFeRooz830ksvsMNUlkw7OLhhffyjRA&ad_cpn=[AD_CPN]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=2&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=2&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "errorPings": [ @@ -2308,7 +2308,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CY3dhLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGgBlSAB6yFj2qQBwSoB4QIqAeo0huoB7YHqAfgzxuoB-nUG6gHttcbqAfw2RuoB4HGG6gHmM4bqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=O3232tmbzno&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=videoplayfailed[ERRORCODE]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=5&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&blocking_error=[BLOCKING_ERROR]&error_msg=[ERROR_MSG]&ima_error=[IMA_ERROR]&internal_id=[INTERNAL_ID]&error_code=[YT_ERROR_CODE]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=5&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&blocking_error=[BLOCKING_ERROR]&error_msg=[ERROR_MSG]&ima_error=[IMA_ERROR]&internal_id=[INTERNAL_ID]&error_code=[YT_ERROR_CODE]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "mutePings": [ @@ -2341,7 +2341,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CY3dhLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGgBlSAB6yFj2qQBwSoB4QIqAeo0huoB7YHqAfgzxuoB-nUG6gHttcbqAfw2RuoB4HGG6gHmM4bqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=O3232tmbzno&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=videoskipped&ad_mt=[AD_MT]&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "closePings": [ @@ -2363,13 +2363,13 @@ "offsetMilliseconds": 30000 }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=8&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1", + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=8&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1", "offsetMilliseconds": 30000 } ], "clickthroughPings": [ { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=6&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=6&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "fullscreenPings": [ @@ -2382,7 +2382,7 @@ "baseUrl": "https://www.youtube.com/pcs/activeview?xai=AKAOjssJiHSIZqIL4WB_BgsWWKEepaiydQC5_1sGIupk-fuBdCv4urVGKLmjWwruXJrKO5JV_L3QCyqzV6xzy-lrkzz_bDKel8r981R15Bs&sig=Cg0ArKJSzPfVYT4GXLzGEAE&id=lidarv&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=11&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=11&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "endFullscreenPings": [ @@ -2400,7 +2400,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CY3dhLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGgBlSAB6yFj2qQBwSoB4QIqAeo0huoB7YHqAfgzxuoB-nUG6gHttcbqAfw2RuoB4HGG6gHmM4bqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=O3232tmbzno&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=video_abandon&ad_mt=[AD_MT]&ad_tos=[AD_TOS]&ad_wat=[AD_WAT]&final=[FINAL]&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=10&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=10&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "activeViewFullyViewableAudibleHalfDurationPings": [ @@ -2413,7 +2413,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CY3dhLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGgBlSAB6yFj2qQBwSoB4QIqAeo0huoB7YHqAfgzxuoB-nUG6gHttcbqAfw2RuoB4HGG6gHmM4bqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=O3232tmbzno&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=videoplaytime100&ad_mt=[AD_MT]&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=3&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=3&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ] }, @@ -2453,7 +2453,7 @@ "thumbnail": { "thumbnails": [ { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/mqdefault_live.jpg", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/mqdefault_live.jpg", "width": 320, "height": 180 } @@ -2498,7 +2498,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CY3dhLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGgBlSAB6yFj2qQBwSoB4QIqAeo0huoB7YHqAfgzxuoB-nUG6gHttcbqAfw2RuoB4HGG6gHmM4bqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=O3232tmbzno&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=videoskipped&ad_mt=[AD_MT]&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "pingingEndpoint": { @@ -3089,7 +3089,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CY3dhLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGgBlSAB6yFj2qQBwSoB4QIqAeo0huoB7YHqAfgzxuoB-nUG6gHttcbqAfw2RuoB4HGG6gHmM4bqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=O3232tmbzno&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=video_abandon&ad_mt=[AD_MT]&ad_tos=[AD_TOS]&ad_wat=[AD_WAT]&final=[FINAL]&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=10&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=10&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "pingingEndpoint": { @@ -3144,7 +3144,7 @@ "baseUrl": "https://www.youtube.com/pagead/conversion/?ai=CY3dhLjHYX8yAAffUo9kPrLO2wAfN3c_MYJfZ26bADLCQHxACIABgycapi8Ck2A-CARdjYS1wdWItNjIxOTgxMTc0NzA0OTM3MaABvPrwlQOoAwSqBMEDT9BYDRuTPKL70hkWEZCoAk5QlOWVdM8gauYv8U1cVTBIQh3LKDnIFMYoTD_1GIHBenLkkUflYrXoXypssrfhekak_BM0foVFVmxq1a8f4-Kx597jR8H-qLKgMxLLlJIuVuoI5iNeEy3ikSNnB1mtSAViRHYVuYG2TuMbl5fN5xV8vEKITEEQMIQGm-_dMEEAw3RbNe2VImbEgIPfSoPN7UTuw5GwyEAX84jRgh5WTGTz4buQnlikWtTKSpS8j3nG1C0_tdVV-8jWeXTD1PKVk6c-RjdrWdcOQnDyuU4AKbgxGhw06YvQfdt3GcjdcsRe6xlY7OWCHJQsXasOWo2bT76Y8DhU1woFa-n-_4Ql5KMfWo9LPNb35XbY_xEegTUiL1td9VfQu4Cd7eDayxzzNqD7Fy-bliNxUaKuwh_TIp64UtyVU_mf8iBm7ySwrPKMi2juIJMIYg4GPJuR1kfJSCfboGfEd_in_uykIYkC2-FX9DD5YHDnIh64jERhhJD2uar8PSrKAl8SEUZtxwdLO-f0Thbqp50JDnyfRctFj6t8RvLw6wglKZr7RHskpKcH_76h2qpFFGbxQsIllG58iDGgBlSAB6yFj2qQBwSoB4QIqAeo0huoB7YHqAfgzxuoB-nUG6gHttcbqAfw2RuoB4HGG6gHmM4bqAfj2RuSCAtRMktjSjhYRnljWagIAdIIBQiAQRAB8ggfY2EteXQtaG9zdC1wdWItNzk5MDQ3MzIyMzY1MTcxNMgJGMgJjwHICZABoQtGwDk2B0aiFLoLGwgBEAEYBSABKAEwAUABSAFgAGgBcAJ4AYgBALgT____________AbAUAcAVyYCAQJAWAaAXAQ&sigh=O3232tmbzno&cid=CAASEeRoo5KvOfBhq4IoikMGV51k&label=videoskipped&ad_mt=[AD_MT]&acvw=[VIEWABILITY]&gv=[GOOGLE_VIEWABILITY]" }, { - "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=5qap5aO4i9A&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" + "baseUrl": "https://www.youtube.com/api/stats/ads?ver=2&ns=1&event=7&device=1&content_v=jfKfPfyJRdk&el=detailpage&ei=LTHYX672O-jrj-8PnOWl6Ao&devicever=2.20201211.09.00&bti=9477942&format=15_2_1&break_type=1&conn=[CONN]&cpn=[CPN]&lact=[LACT]&m_pos=0&mt=[MT]&p_h=[P_H]&p_w=[P_W]&rwt=[RWT]&sdkv=h.3.0.0&slot_pos=1&slot_len=2&vis=[VIS]&vol=[VOL]&wt=[WT]&ad_cpn=[AD_CPN]&ad_id=%2C429577923735&ad_len=280000&ad_mt=[AD_MT]&ad_sys=YT%3AAdSense-Viral%2CAdSense-Viral&ad_v=Q2KcJ8XFycY&i_x=[I_X]&i_y=[I_Y]&aqi=LjHYX8yAAffUo9kPrLO2wAc&live=1&ad_rmp=1&sli=1&slfs=1" } ], "pingingEndpoint": { @@ -3439,7 +3439,7 @@ "clickTrackingParams": "CKQBEPqGBCITCOW5r6OJz-0CFesHswAd29oMfw==", "commandMetadata": { "webCommandMetadata": { - "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253D5qap5aO4i9A&hl=en&ec=66426", + "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253DjfKfPfyJRdk&hl=en&ec=66426", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } @@ -3449,13 +3449,13 @@ "clickTrackingParams": "CKQBEPqGBCITCOW5r6OJz-0CFesHswAd29oMfw==", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=5qap5aO4i9A", + "url": "/watch?v=jfKfPfyJRdk", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { - "videoId": "5qap5aO4i9A" + "videoId": "jfKfPfyJRdk" } }, "idamTag": "66426" @@ -3544,7 +3544,7 @@ "clickTrackingParams": "CKIBEPmGBCITCOW5r6OJz-0CFesHswAd29oMfw==", "commandMetadata": { "webCommandMetadata": { - "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253D5qap5aO4i9A&hl=en&ec=66425", + "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253DjfKfPfyJRdk&hl=en&ec=66425", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } @@ -3554,13 +3554,13 @@ "clickTrackingParams": "CKIBEPmGBCITCOW5r6OJz-0CFesHswAd29oMfw==", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=5qap5aO4i9A", + "url": "/watch?v=jfKfPfyJRdk", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { - "videoId": "5qap5aO4i9A" + "videoId": "jfKfPfyJRdk" } }, "idamTag": "66425" @@ -3688,7 +3688,7 @@ "clickTrackingParams": "CJ4BEPuGBCITCOW5r6OJz-0CFesHswAd29oMfw==", "commandMetadata": { "webCommandMetadata": { - "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253D5qap5aO4i9A&hl=en&ec=66427", + "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253DjfKfPfyJRdk&hl=en&ec=66427", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } @@ -3698,13 +3698,13 @@ "clickTrackingParams": "CJ4BEPuGBCITCOW5r6OJz-0CFesHswAd29oMfw==", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=5qap5aO4i9A", + "url": "/watch?v=jfKfPfyJRdk", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { - "videoId": "5qap5aO4i9A" + "videoId": "jfKfPfyJRdk" } }, "idamTag": "66427" @@ -3776,7 +3776,7 @@ "clickTrackingParams": "CJwBEPBbIhMI5bmvo4nP7QIV6wezAB3b2gx_", "commandMetadata": { "webCommandMetadata": { - "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3Dhttps%253A%252F%252Fwww.youtube.com%252Fwatch%253Fv%253D5qap5aO4i9A%2526hl%253Den&hl=en", + "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3Dhttps%253A%252F%252Fwww.youtube.com%252Fwatch%253Fv%253DjfKfPfyJRdk%2526hl%253Den&hl=en", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } @@ -3814,7 +3814,7 @@ } }, "updatedMetadataEndpoint": { - "videoId": "5qap5aO4i9A" + "videoId": "jfKfPfyJRdk" } }, "sentimentBar": { @@ -3957,7 +3957,7 @@ "clickTrackingParams": "CJkBEPBbIhMI5bmvo4nP7QIV6wezAB3b2gx_", "commandMetadata": { "webCommandMetadata": { - "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3Dhttps%253A%252F%252Fwww.youtube.com%252Fwatch%253Fv%253D5qap5aO4i9A%2526hl%253Den&hl=en", + "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3Dhttps%253A%252F%252Fwww.youtube.com%252Fwatch%253Fv%253DjfKfPfyJRdk%2526hl%253Den&hl=en", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } @@ -4316,7 +4316,7 @@ "clickTrackingParams": "CJYBEP2GBCITCOW5r6OJz-0CFesHswAd29oMfzIJc3Vic2NyaWJl", "commandMetadata": { "webCommandMetadata": { - "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253D5qap5aO4i9A%26continue_action%3DQUFFLUhqbGtTbXRtSXVKX3BJWUh6QXY3Smp1SDR2ekRQd3xBQ3Jtc0ttbFpVUlhCeFlNOHUtdUpwMEdDdDlWSE5oYjZVVUZNSFUtaEMwQnlvb2lxYUo2NEFwdW14NU0tUmxvUDlxam14WkdvRDdOU0RORU1ma2hmVUtsZkF5cmRaNTU1YXVfWkRESm9HTjdhNy16Qk5abzZVTE90allLQmtHS25KeTJwOEoycS1vb1NnTldpRHNPTFJuc240WWloNjNaSkdnY3MxZVViaHd2RjhLVVhNYmFrZTl1SG12UUFCX2ZuWWNCdk0wX3gtNTZKOTkwWHB6VzlpVk1QMl9wX3BVUnFB&hl=en&ec=66429", + "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3D%252Fwatch%253Fv%253DjfKfPfyJRdk%26continue_action%3DQUFFLUhqbGtTbXRtSXVKX3BJWUh6QXY3Smp1SDR2ekRQd3xBQ3Jtc0ttbFpVUlhCeFlNOHUtdUpwMEdDdDlWSE5oYjZVVUZNSFUtaEMwQnlvb2lxYUo2NEFwdW14NU0tUmxvUDlxam14WkdvRDdOU0RORU1ma2hmVUtsZkF5cmRaNTU1YXVfWkRESm9HTjdhNy16Qk5abzZVTE90allLQmtHS25KeTJwOEoycS1vb1NnTldpRHNPTFJuc240WWloNjNaSkdnY3MxZVViaHd2RjhLVVhNYmFrZTl1SG12UUFCX2ZuWWNCdk0wX3gtNTZKOTkwWHB6VzlpVk1QMl9wX3BVUnFB&hl=en&ec=66429", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } @@ -4326,13 +4326,13 @@ "clickTrackingParams": "CJYBEP2GBCITCOW5r6OJz-0CFesHswAd29oMfw==", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=5qap5aO4i9A", + "url": "/watch?v=jfKfPfyJRdk", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { - "videoId": "5qap5aO4i9A" + "videoId": "jfKfPfyJRdk" } }, "continueAction": "QUFFLUhqbGtTbXRtSXVKX3BJWUh6QXY3Smp1SDR2ekRQd3xBQ3Jtc0ttbFpVUlhCeFlNOHUtdUpwMEdDdDlWSE5oYjZVVUZNSFUtaEMwQnlvb2lxYUo2NEFwdW14NU0tUmxvUDlxam14WkdvRDdOU0RORU1ma2hmVUtsZkF5cmRaNTU1YXVfWkRESm9HTjdhNy16Qk5abzZVTE90allLQmtHS25KeTJwOEoycS1vb1NnTldpRHNPTFJuc240WWloNjNaSkdnY3MxZVViaHd2RjhLVVhNYmFrZTl1SG12UUFCX2ZuWWNCdk0wX3gtNTZKOTkwWHB6VzlpVk1QMl9wX3BVUnFB", @@ -4756,7 +4756,7 @@ }, { "compactRadioRenderer": { - "playlistId": "RD5qap5aO4i9A", + "playlistId": "RDjfKfPfyJRdk", "thumbnail": { "thumbnails": [ { @@ -4778,14 +4778,14 @@ "clickTrackingParams": "CIwBEKMwGAEiEwjlua-jic_tAhXrB7MAHdvaDH8yCmxpc3Rfb3RoZXKaAQUIDBD4HQ==", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=-FlxM_0S2lA&list=RD5qap5aO4i9A&start_radio=1", + "url": "/watch?v=-FlxM_0S2lA&list=RDjfKfPfyJRdk&start_radio=1", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { "videoId": "-FlxM_0S2lA", - "playlistId": "RD5qap5aO4i9A", + "playlistId": "RDjfKfPfyJRdk", "params": "OALAAQHCAws1cWFwNWFPNGk5QQ%3D%3D", "continuePlayback": true } @@ -4801,14 +4801,14 @@ "clickTrackingParams": "CIwBEKMwGAEiEwjlua-jic_tAhXrB7MAHdvaDH8yCmxpc3Rfb3RoZXKaAQUIDBD4HQ==", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=s8qWpCMgecs&list=RD5qap5aO4i9A&start_radio=1", + "url": "/watch?v=s8qWpCMgecs&list=RDjfKfPfyJRdk&start_radio=1", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { "videoId": "s8qWpCMgecs", - "playlistId": "RD5qap5aO4i9A", + "playlistId": "RDjfKfPfyJRdk", "params": "OALAAQE%3D" } }, @@ -4837,7 +4837,7 @@ } ] }, - "shareUrl": "https://www.youtube.com/watch?v=-FlxM_0S2lA&playnext=1&list=RD5qap5aO4i9A", + "shareUrl": "https://www.youtube.com/watch?v=-FlxM_0S2lA&playnext=1&list=RDjfKfPfyJRdk", "thumbnailOverlays": [ { "thumbnailOverlaySidePanelRenderer": { @@ -11381,7 +11381,7 @@ "serviceEndpoint": { "clickTrackingParams": "CCgQl98BIhMI5bmvo4nP7QIV6wezAB3b2gx_", "popoutLiveChatEndpoint": { - "url": "https://www.youtube.com/live_chat?is_popout=1&v=5qap5aO4i9A" + "url": "https://www.youtube.com/live_chat?is_popout=1&v=jfKfPfyJRdk" } }, "trackingParams": "CCgQl98BIhMI5bmvo4nP7QIV6wezAB3b2gx_" @@ -11567,13 +11567,13 @@ "clickTrackingParams": "CAAQg2ciEwjlua-jic_tAhXrB7MAHdvaDH8=", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=5qap5aO4i9A", + "url": "/watch?v=jfKfPfyJRdk", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { - "videoId": "5qap5aO4i9A" + "videoId": "jfKfPfyJRdk" } }, "trackingParams": "CAAQg2ciEwjlua-jic_tAhXrB7MAHdvaDH8=", @@ -11697,7 +11697,7 @@ }, { "endScreenPlaylistRenderer": { - "playlistId": "RD5qap5aO4i9A", + "playlistId": "RDjfKfPfyJRdk", "title": { "simpleText": "Mix - lofi hip hop radio - beats to relax/study to" }, @@ -11739,14 +11739,14 @@ "clickTrackingParams": "CCYQvk4YASITCOW5r6OJz-0CFesHswAd29oMfzIJZW5kc2NyZWVumgEFCAIQ-B0=", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=s8qWpCMgecs&list=RD5qap5aO4i9A&start_radio=1", + "url": "/watch?v=s8qWpCMgecs&list=RDjfKfPfyJRdk&start_radio=1", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { "videoId": "s8qWpCMgecs", - "playlistId": "RD5qap5aO4i9A", + "playlistId": "RDjfKfPfyJRdk", "params": "wAEBwgMLNXFhcDVhTzRpOUE%3D", "continuePlayback": true } @@ -13482,7 +13482,7 @@ "clickTrackingParams": "CAcQ1IAEGAMiEwjlua-jic_tAhXrB7MAHdvaDH8=", "commandMetadata": { "webCommandMetadata": { - "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3Dhttps%253A%252F%252Fwww.youtube.com%252Fwatch%253Fv%253D5qap5aO4i9A%2526hl%253Den&hl=en&ec=65620", + "url": "https://accounts.google.com/ServiceLogin?service=youtube&uilel=3&passive=true&continue=https%3A%2F%2Fwww.youtube.com%2Fsignin%3Faction_handle_signin%3Dtrue%26app%3Ddesktop%26hl%3Den%26next%3Dhttps%253A%252F%252Fwww.youtube.com%252Fwatch%253Fv%253DjfKfPfyJRdk%2526hl%253Den&hl=en&ec=65620", "webPageType": "WEB_PAGE_TYPE_UNKNOWN", "rootVe": 83769 } @@ -14021,7 +14021,7 @@ "bitrate": 2500000, "audioBitrate": 256, "itag": 96, - "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/96/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D137/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAJTz_ykyKi5lGVoG6AfOLegXqDBtGreQvw_qiyU6RztGAiEA7BJ67lwlJNdXrFR4UFhL7lsPEApLRoVlkbSf1P6w85U%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgKZPka5o_CFEAgKdJDmcpizCQsA8fWpP0TKiJsferS1cCIHQFRByYfqh0vfuVy9J79hwSavNxj6r8HjmMsbWKGyMn/playlist/index.m3u8", + "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/96/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D137/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAJTz_ykyKi5lGVoG6AfOLegXqDBtGreQvw_qiyU6RztGAiEA7BJ67lwlJNdXrFR4UFhL7lsPEApLRoVlkbSf1P6w85U%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgKZPka5o_CFEAgKdJDmcpizCQsA8fWpP0TKiJsferS1cCIHQFRByYfqh0vfuVy9J79hwSavNxj6r8HjmMsbWKGyMn/playlist/index.m3u8", "hasVideo": true, "hasAudio": true, "container": "ts", @@ -14038,7 +14038,7 @@ "bitrate": 1500000, "audioBitrate": 256, "itag": 95, - "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/95/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D136/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAIUZOGH2KpjMqLi2UlBjXSnA5rVnBuW4x3QsYUY6VSAiAiEA65uuZfRSkXcI_Jt6loYxIKbArSYIbBM3RwPILg0xz0Q%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALdw5wnL4pzZTbysVr9hd_7JS7w63ypguzRiR31L681AAiEAoKdqUZOW2PT7v-PFcgbgkXLya8D82qZrZQhNvVmp83k%3D/playlist/index.m3u8", + "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/95/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D136/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAIUZOGH2KpjMqLi2UlBjXSnA5rVnBuW4x3QsYUY6VSAiAiEA65uuZfRSkXcI_Jt6loYxIKbArSYIbBM3RwPILg0xz0Q%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALdw5wnL4pzZTbysVr9hd_7JS7w63ypguzRiR31L681AAiEAoKdqUZOW2PT7v-PFcgbgkXLya8D82qZrZQhNvVmp83k%3D/playlist/index.m3u8", "hasVideo": true, "hasAudio": true, "container": "ts", @@ -14055,7 +14055,7 @@ "bitrate": 800000, "audioBitrate": 128, "itag": 94, - "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/94/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D135/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAItPK5WNzVIgxGejzhV29x2CCXOO4U7uIJQPPdNuy-IAAiEAqeZVS1tGhuwy8dfyKi0EfhPrNIOKlJZ_P18vk6OAzlM%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgRhiAOj-8TOvGTJJ2rpVHgwTOaZIZD5_msWsrFs8FpzQCIH6vtYTIp8HQGFp8QFVKHUqxCbyAOZuUwu9SKB9UWePn/playlist/index.m3u8", + "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/94/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D135/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAItPK5WNzVIgxGejzhV29x2CCXOO4U7uIJQPPdNuy-IAAiEAqeZVS1tGhuwy8dfyKi0EfhPrNIOKlJZ_P18vk6OAzlM%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgRhiAOj-8TOvGTJJ2rpVHgwTOaZIZD5_msWsrFs8FpzQCIH6vtYTIp8HQGFp8QFVKHUqxCbyAOZuUwu9SKB9UWePn/playlist/index.m3u8", "hasVideo": true, "hasAudio": true, "container": "ts", @@ -14072,7 +14072,7 @@ "bitrate": 500000, "audioBitrate": 128, "itag": 93, - "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/93/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D134/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRQIgJqZo31danQauB-XVmdQ-XRlQCQ8roVvzBw8IjO8wbEkCIQCdZ13-0r_5wdS0D5n7Z-6Qji23pND47j0__kPSznbmLg%3D%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgfEs2MKaoNXDe8-GA4n1zho6c4NHVfL1xf-H8RealY3kCIAbolVSFnh31Cf9P_5tAzoyeWYCo43gTllhjAmwjAjiH/playlist/index.m3u8", + "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/93/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D134/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRQIgJqZo31danQauB-XVmdQ-XRlQCQ8roVvzBw8IjO8wbEkCIQCdZ13-0r_5wdS0D5n7Z-6Qji23pND47j0__kPSznbmLg%3D%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgfEs2MKaoNXDe8-GA4n1zho6c4NHVfL1xf-H8RealY3kCIAbolVSFnh31Cf9P_5tAzoyeWYCo43gTllhjAmwjAjiH/playlist/index.m3u8", "hasVideo": true, "hasAudio": true, "container": "ts", @@ -14089,7 +14089,7 @@ "bitrate": 150000, "audioBitrate": 48, "itag": 92, - "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/92/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D133/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgRrvg-1KNKaXSxLVz32UGc0zoENwo2yVDObOU8UzDu9ECIF17yiA1Fve-W6aGAoGpOT0N5an7s4SqZQ70s0jdDJxk/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgLw_ox2Q0907FLBpOsebXtjTMze9rOVCL-0I6i1wgj-cCIQDAMkH6OhXHcjUlFKeYtgPAoPDrO_DSe31TLLGXsx9CPg%3D%3D/playlist/index.m3u8", + "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/92/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D133/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgRrvg-1KNKaXSxLVz32UGc0zoENwo2yVDObOU8UzDu9ECIF17yiA1Fve-W6aGAoGpOT0N5an7s4SqZQ70s0jdDJxk/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgLw_ox2Q0907FLBpOsebXtjTMze9rOVCL-0I6i1wgj-cCIQDAMkH6OhXHcjUlFKeYtgPAoPDrO_DSe31TLLGXsx9CPg%3D%3D/playlist/index.m3u8", "hasVideo": true, "hasAudio": true, "container": "ts", @@ -14106,7 +14106,7 @@ "bitrate": 100000, "audioBitrate": 48, "itag": 91, - "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/91/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D160/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgTsggeD588MSDZqFEBUMbb53OVFsNsqiYhApx_QMBcsQCIEnrNKdamzUZUGuFTfxxY4a72YR-lEdufTvCFrO6lFi4/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALc2ARL7m6UdGFLcxkV3rSOUMP8pBxd4fpR0KPPFWIDNAiEA1M0Kxg1CiSb9--l7TEXqFfD_OBX59dId5tRAWIW9Mdo%3D/playlist/index.m3u8", + "url": "https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/91/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D160/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgTsggeD588MSDZqFEBUMbb53OVFsNsqiYhApx_QMBcsQCIEnrNKdamzUZUGuFTfxxY4a72YR-lEdufTvCFrO6lFi4/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALc2ARL7m6UdGFLcxkV3rSOUMP8pBxd4fpR0KPPFWIDNAiEA1M0Kxg1CiSb9--l7TEXqFfD_OBX59dId5tRAWIW9Mdo%3D/playlist/index.m3u8", "hasVideo": true, "hasAudio": true, "container": "ts", @@ -14123,7 +14123,7 @@ "bitrate": 4347250, "audioBitrate": null, "itag": 137, - "url": "https://manifest.googlevideo.com/api/manifest/dash/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/source/yt_live_broadcast/requiressl/yes/as/fmp4_audio_clear%2Cwebm_audio_clear%2Cwebm2_audio_clear%2Cfmp4_sd_hd_clear%2Cwebm2_sd_hd_clear/vprv/1/pacing/0/keepalive/yes/itag/0/playlist_type/DVR/sparams/expire%2Cei%2Cip%2Cid%2Csource%2Crequiressl%2Cas%2Cvprv%2Citag%2Cplaylist_type/sig/AOq0QJ8wRQIhAMGXHQD8ISJq9sNA7uFO4sRrxOedumWCbQZkoCS31rwIAiBPYPUaq_SlrPAmYVrbj3eMi00i-5iVvVeWjNwnyewkWQ%3D%3D", + "url": "https://manifest.googlevideo.com/api/manifest/dash/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/source/yt_live_broadcast/requiressl/yes/as/fmp4_audio_clear%2Cwebm_audio_clear%2Cwebm2_audio_clear%2Cfmp4_sd_hd_clear%2Cwebm2_sd_hd_clear/vprv/1/pacing/0/keepalive/yes/itag/0/playlist_type/DVR/sparams/expire%2Cei%2Cip%2Cid%2Csource%2Crequiressl%2Cas%2Cvprv%2Citag%2Cplaylist_type/sig/AOq0QJ8wRQIhAMGXHQD8ISJq9sNA7uFO4sRrxOedumWCbQZkoCS31rwIAiBPYPUaq_SlrPAmYVrbj3eMi00i-5iVvVeWjNwnyewkWQ%3D%3D", "width": 1920, "height": 1080, "fps": 30, @@ -14143,7 +14143,7 @@ "bitrate": 4347250, "audioBitrate": null, "itag": 137, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=137&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgD5QaF8J8caOmLruAWf1R06xDIX3JIJQmepy2F1S8WFsCIFJu3vYPgcBYnkEO8abKlDWYd0hcE7jrZSrNocFCEikV&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=137&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgD5QaF8J8caOmLruAWf1R06xDIX3JIJQmepy2F1S8WFsCIFJu3vYPgcBYnkEO8abKlDWYd0hcE7jrZSrNocFCEikV&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "width": 1920, "height": 1080, "lastModified": "1607982373152768", @@ -14168,7 +14168,7 @@ "bitrate": 2326000, "audioBitrate": null, "itag": 136, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=136&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgJWV8fsmBKIuoBg22DBncdGBY2yqnXJT7Kr-ISCPBYSECIE4YdnoP0dOVC0tWdfT6TBBWWhbTlnPbV5AI1Bu646Vb&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=136&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgJWV8fsmBKIuoBg22DBncdGBY2yqnXJT7Kr-ISCPBYSECIE4YdnoP0dOVC0tWdfT6TBBWWhbTlnPbV5AI1Bu646Vb&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "width": 1280, "height": 720, "lastModified": "1607982373152767", @@ -14193,7 +14193,7 @@ "bitrate": 1171000, "audioBitrate": null, "itag": 135, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=135&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgNDIMfMLWV4FWznEFmEFLJBKKrf4cxAMkHlFjYa-gAroCIQCTBloms6YSq3r-zpp-6riREtXKUNkNT-LERQWbSZdJmw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=135&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgNDIMfMLWV4FWznEFmEFLJBKKrf4cxAMkHlFjYa-gAroCIQCTBloms6YSq3r-zpp-6riREtXKUNkNT-LERQWbSZdJmw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "width": 854, "height": 480, "lastModified": "1607982373152766", @@ -14218,7 +14218,7 @@ "bitrate": 646000, "audioBitrate": null, "itag": 134, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=134&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgVuAL8c2BiJjGgvXPuTFUiTy2hk_ccl55lLD3YU-hs8kCIH1Yk0uCLG7RtDMgxBTmJa9Wuk-UgE7pjuDX8rTgjU6-&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=134&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRAIgVuAL8c2BiJjGgvXPuTFUiTy2hk_ccl55lLD3YU-hs8kCIH1Yk0uCLG7RtDMgxBTmJa9Wuk-UgE7pjuDX8rTgjU6-&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "width": 640, "height": 360, "lastModified": "1607982373152765", @@ -14244,7 +14244,7 @@ "bitrate": 258000, "audioBitrate": null, "itag": 133, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=133&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAJmbX48_yA_r3kDTHzzXuy6HLyjL-4JmvKlP8SZP-7yUAiEAjiN-lLXj0BUPTwhxA7b5jnvIE-O_Gr1FzN9dYNUmDRA%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=133&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAJmbX48_yA_r3kDTHzzXuy6HLyjL-4JmvKlP8SZP-7yUAiEAjiN-lLXj0BUPTwhxA7b5jnvIE-O_Gr1FzN9dYNUmDRA%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "width": 426, "height": 240, "lastModified": "1607982373152764", @@ -14269,7 +14269,7 @@ "bitrate": 124000, "audioBitrate": null, "itag": 160, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=160&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAOyt-Wl55ubsb0E_3Ks3qfiRuBtzYJF-1P4vba0s8y1TAiEA94vrOp6cEcMEhEq3aogH1BZkJWYTVTSLhwGw7S5Ysno%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=160&aitags=133%2C134%2C135%2C136%2C137%2C160&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=video%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Caitags%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRgIhAOyt-Wl55ubsb0E_3Ks3qfiRuBtzYJF-1P4vba0s8y1TAiEA94vrOp6cEcMEhEq3aogH1BZkJWYTVTSLhwGw7S5Ysno%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "width": 256, "height": 144, "lastModified": "1607982373152772", @@ -14294,7 +14294,7 @@ "bitrate": 144000, "audioBitrate": 128, "itag": 140, - "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=5qap5aO4i9A.0&itag=140&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=audio%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Citag%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgUJCtZjQXmi1fRp28BMYxY6CxKVe3lsWpRpCketmlzasCIQCZBqXeQjm76xL6O9s746sWsLDKr7WeTKAtcvZio3SIQw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", + "url": "https://r2---sn-hp57knss.googlevideo.com/videoplayback?expire=1608025486&ei=LTHYX-DIOsCOj-8PmJiSwAo&ip=0.0.0.0&id=jfKfPfyJRdk.0&itag=140&source=yt_live_broadcast&requiressl=yes&mh=30&mm=44%2C26&mn=sn-hp57knss%2Csn-q4fl6n7y&ms=lva%2Conr&mv=m&mvi=2&pl=26&initcwndbps=956250&vprv=1&live=1&hang=1&noclen=1&mime=audio%2Fmp4&ns=cTqWUEmJNI5wZ_BTF4e7tOEF&gir=yes&mt=1608003390&fvip=2&keepalive=yes&c=WEB&n=1BwPqa0-7eqgRNVID&sparams=expire%2Cei%2Cip%2Cid%2Citag%2Csource%2Crequiressl%2Cvprv%2Clive%2Chang%2Cnoclen%2Cmime%2Cns%2Cgir&sig=AOq0QJ8wRQIgUJCtZjQXmi1fRp28BMYxY6CxKVe3lsWpRpCketmlzasCIQCZBqXeQjm76xL6O9s746sWsLDKr7WeTKAtcvZio3SIQw%3D%3D&lsparams=mh%2Cmm%2Cmn%2Cms%2Cmv%2Cmvi%2Cpl%2Cinitcwndbps&lsig=AG3C_xAwRQIhAJn6K4menhqujrxqllB_J7529eh7E8Xwc7mTMwC29AfZAiA5eswJC_zaWnN66lhLp80Pw0dMTI1taKmDcB-BKU4t3w%3D%3D&ratebypass=yes", "lastModified": "1607982373152770", "quality": "tiny", "projectionType": "RECTANGULAR", @@ -14969,38 +14969,38 @@ "thumbnail": { "thumbnails": [ { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCKgBEF5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLA35C1abXfmkbu26R8RWRySBCRbzg", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCKgBEF5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLA35C1abXfmkbu26R8RWRySBCRbzg", "width": 168, "height": 94 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCMQBEG5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLCzEvX7IPcUfjh7CzL7ZVW3byhI0w", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEiCMQBEG5IWvKriqkDFQgBFQAAAAAYASUAAMhCPQCAokN4AQ==&rs=AOn4CLCzEvX7IPcUfjh7CzL7ZVW3byhI0w", "width": 196, "height": 110 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCPYBEIoBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCTSbLURUqt7bRkSTslTjIgGt7ocw", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCPYBEIoBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCTSbLURUqt7bRkSTslTjIgGt7ocw", "width": 246, "height": 138 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCNACELwBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCzQ3uAlTm1dlvwqtKuUpjXQ1fITw", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=CJDg4P4F-oaymwEjCNACELwBSFryq4qpAxUIARUAAAAAGAElAADIQj0AgKJDeAE=&rs=AOn4CLCzQ3uAlTm1dlvwqtKuUpjXQ1fITw", "width": 336, "height": 188 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/maxresdefault.jpg?v=5e529f1d", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/maxresdefault.jpg?v=5e529f1d", "width": 1920, "height": 1080 } ] }, "embed": { - "iframeUrl": "https://www.youtube.com/embed/5qap5aO4i9A", - "flashUrl": "http://www.youtube.com/v/5qap5aO4i9A?version=3&autohide=1", + "iframeUrl": "https://www.youtube.com/embed/jfKfPfyJRdk", + "flashUrl": "http://www.youtube.com/v/jfKfPfyJRdk?version=3&autohide=1", "width": 640, "height": 360, - "flashSecureUrl": "https://www.youtube.com/v/5qap5aO4i9A?version=3&autohide=1" + "flashSecureUrl": "https://www.youtube.com/v/jfKfPfyJRdk?version=3&autohide=1" }, "title": "lofi hip hop radio - beats to relax/study to", "description": { @@ -15272,7 +15272,7 @@ "startTimestamp": "2020-02-22T20:14:45+00:00" }, "uploadDate": "2020-02-22", - "videoId": "5qap5aO4i9A", + "videoId": "jfKfPfyJRdk", "isLive": true, "keywords": [ "lo-fi", @@ -15352,7 +15352,7 @@ "likes": 3803872, "dislikes": 74579, "age_restricted": false, - "video_url": "https://www.youtube.com/watch?v=5qap5aO4i9A" + "video_url": "https://www.youtube.com/watch?v=jfKfPfyJRdk" }, "full": true } \ No newline at end of file diff --git a/test/files/videos/live-now/hls-manifest.m3u8 b/test/files/videos/live-now/hls-manifest.m3u8 index 9b2f79d8..8d550f7a 100644 --- a/test/files/videos/live-now/hls-manifest.m3u8 +++ b/test/files/videos/live-now/hls-manifest.m3u8 @@ -1,14 +1,14 @@ #EXTM3U #EXT-X-INDEPENDENT-SEGMENTS #EXT-X-STREAM-INF:BANDWIDTH=197400,CODECS="mp4a.40.5,avc1.42c00b",RESOLUTION=256x144,FRAME-RATE=30,VIDEO-RANGE=SDR,CLOSED-CAPTIONS=NONE -https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/91/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D160/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgTsggeD588MSDZqFEBUMbb53OVFsNsqiYhApx_QMBcsQCIEnrNKdamzUZUGuFTfxxY4a72YR-lEdufTvCFrO6lFi4/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALc2ARL7m6UdGFLcxkV3rSOUMP8pBxd4fpR0KPPFWIDNAiEA1M0Kxg1CiSb9--l7TEXqFfD_OBX59dId5tRAWIW9Mdo%3D/playlist/index.m3u8 +https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/91/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D160/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgTsggeD588MSDZqFEBUMbb53OVFsNsqiYhApx_QMBcsQCIEnrNKdamzUZUGuFTfxxY4a72YR-lEdufTvCFrO6lFi4/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALc2ARL7m6UdGFLcxkV3rSOUMP8pBxd4fpR0KPPFWIDNAiEA1M0Kxg1CiSb9--l7TEXqFfD_OBX59dId5tRAWIW9Mdo%3D/playlist/index.m3u8 #EXT-X-STREAM-INF:BANDWIDTH=338100,CODECS="mp4a.40.5,avc1.4d4015",RESOLUTION=426x240,FRAME-RATE=30,VIDEO-RANGE=SDR,CLOSED-CAPTIONS=NONE -https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/92/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D133/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgRrvg-1KNKaXSxLVz32UGc0zoENwo2yVDObOU8UzDu9ECIF17yiA1Fve-W6aGAoGpOT0N5an7s4SqZQ70s0jdDJxk/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgLw_ox2Q0907FLBpOsebXtjTMze9rOVCL-0I6i1wgj-cCIQDAMkH6OhXHcjUlFKeYtgPAoPDrO_DSe31TLLGXsx9CPg%3D%3D/playlist/index.m3u8 +https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/92/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D139/sgovp/gir%3Dyes%3Bitag%3D133/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRAIgRrvg-1KNKaXSxLVz32UGc0zoENwo2yVDObOU8UzDu9ECIF17yiA1Fve-W6aGAoGpOT0N5an7s4SqZQ70s0jdDJxk/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRQIgLw_ox2Q0907FLBpOsebXtjTMze9rOVCL-0I6i1wgj-cCIQDAMkH6OhXHcjUlFKeYtgPAoPDrO_DSe31TLLGXsx9CPg%3D%3D/playlist/index.m3u8 #EXT-X-STREAM-INF:BANDWIDTH=829500,CODECS="mp4a.40.2,avc1.4d401e",RESOLUTION=640x360,FRAME-RATE=30,VIDEO-RANGE=SDR,CLOSED-CAPTIONS=NONE -https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/93/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D134/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRQIgJqZo31danQauB-XVmdQ-XRlQCQ8roVvzBw8IjO8wbEkCIQCdZ13-0r_5wdS0D5n7Z-6Qji23pND47j0__kPSznbmLg%3D%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgfEs2MKaoNXDe8-GA4n1zho6c4NHVfL1xf-H8RealY3kCIAbolVSFnh31Cf9P_5tAzoyeWYCo43gTllhjAmwjAjiH/playlist/index.m3u8 +https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/93/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D134/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRQIgJqZo31danQauB-XVmdQ-XRlQCQ8roVvzBw8IjO8wbEkCIQCdZ13-0r_5wdS0D5n7Z-6Qji23pND47j0__kPSznbmLg%3D%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgfEs2MKaoNXDe8-GA4n1zho6c4NHVfL1xf-H8RealY3kCIAbolVSFnh31Cf9P_5tAzoyeWYCo43gTllhjAmwjAjiH/playlist/index.m3u8 #EXT-X-STREAM-INF:BANDWIDTH=1380750,CODECS="mp4a.40.2,avc1.4d401f",RESOLUTION=854x480,FRAME-RATE=30,VIDEO-RANGE=SDR,CLOSED-CAPTIONS=NONE -https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/94/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D135/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAItPK5WNzVIgxGejzhV29x2CCXOO4U7uIJQPPdNuy-IAAiEAqeZVS1tGhuwy8dfyKi0EfhPrNIOKlJZ_P18vk6OAzlM%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgRhiAOj-8TOvGTJJ2rpVHgwTOaZIZD5_msWsrFs8FpzQCIH6vtYTIp8HQGFp8QFVKHUqxCbyAOZuUwu9SKB9UWePn/playlist/index.m3u8 +https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/94/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D135/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAItPK5WNzVIgxGejzhV29x2CCXOO4U7uIJQPPdNuy-IAAiEAqeZVS1tGhuwy8dfyKi0EfhPrNIOKlJZ_P18vk6OAzlM%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgRhiAOj-8TOvGTJJ2rpVHgwTOaZIZD5_msWsrFs8FpzQCIH6vtYTIp8HQGFp8QFVKHUqxCbyAOZuUwu9SKB9UWePn/playlist/index.m3u8 #EXT-X-STREAM-INF:BANDWIDTH=2593500,CODECS="mp4a.40.2,avc1.4d401f",RESOLUTION=1280x720,FRAME-RATE=30,VIDEO-RANGE=SDR,CLOSED-CAPTIONS=NONE -https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/95/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D136/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAIUZOGH2KpjMqLi2UlBjXSnA5rVnBuW4x3QsYUY6VSAiAiEA65uuZfRSkXcI_Jt6loYxIKbArSYIbBM3RwPILg0xz0Q%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALdw5wnL4pzZTbysVr9hd_7JS7w63ypguzRiR31L681AAiEAoKdqUZOW2PT7v-PFcgbgkXLya8D82qZrZQhNvVmp83k%3D/playlist/index.m3u8 +https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/95/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D136/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAIUZOGH2KpjMqLi2UlBjXSnA5rVnBuW4x3QsYUY6VSAiAiEA65uuZfRSkXcI_Jt6loYxIKbArSYIbBM3RwPILg0xz0Q%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRgIhALdw5wnL4pzZTbysVr9hd_7JS7w63ypguzRiR31L681AAiEAoKdqUZOW2PT7v-PFcgbgkXLya8D82qZrZQhNvVmp83k%3D/playlist/index.m3u8 #EXT-X-STREAM-INF:BANDWIDTH=4715812,CODECS="mp4a.40.2,avc1.640028",RESOLUTION=1920x1080,FRAME-RATE=30,VIDEO-RANGE=SDR,CLOSED-CAPTIONS=NONE -https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/5qap5aO4i9A.0/itag/96/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D137/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAJTz_ykyKi5lGVoG6AfOLegXqDBtGreQvw_qiyU6RztGAiEA7BJ67lwlJNdXrFR4UFhL7lsPEApLRoVlkbSf1P6w85U%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgKZPka5o_CFEAgKdJDmcpizCQsA8fWpP0TKiJsferS1cCIHQFRByYfqh0vfuVy9J79hwSavNxj6r8HjmMsbWKGyMn/playlist/index.m3u8 +https://manifest.googlevideo.com/api/manifest/hls_playlist/expire/1608025486/ei/LTHYX-DIOsCOj-8PmJiSwAo/ip/0.0.0.0/id/jfKfPfyJRdk.0/itag/96/source/yt_live_broadcast/requiressl/yes/ratebypass/yes/live/1/goi/160/sgoap/gir%3Dyes%3Bitag%3D140/sgovp/gir%3Dyes%3Bitag%3D137/hls_chunk_host/r2---sn-hp57knss.googlevideo.com/playlist_duration/30/manifest_duration/30/vprv/1/playlist_type/DVR/initcwndbps/7650/mh/30/mm/44/mn/sn-hp57knss/ms/lva/mv/m/mvi/2/pl/26/dover/11/keepalive/yes/mt/1608003390/sparams/expire,ei,ip,id,itag,source,requiressl,ratebypass,live,goi,sgoap,sgovp,playlist_duration,manifest_duration,vprv,playlist_type/sig/AOq0QJ8wRgIhAJTz_ykyKi5lGVoG6AfOLegXqDBtGreQvw_qiyU6RztGAiEA7BJ67lwlJNdXrFR4UFhL7lsPEApLRoVlkbSf1P6w85U%3D/lsparams/hls_chunk_host,initcwndbps,mh,mm,mn,ms,mv,mvi,pl/lsig/AG3C_xAwRAIgKZPka5o_CFEAgKdJDmcpizCQsA8fWpP0TKiJsferS1cCIHQFRByYfqh0vfuVy9J79hwSavNxj6r8HjmMsbWKGyMn/playlist/index.m3u8 diff --git a/test/files/videos/live-now/player_ias.vflset.js b/test/files/videos/live-now/player_ias.vflset.js index 8e63698b..aab05559 100644 --- a/test/files/videos/live-now/player_ias.vflset.js +++ b/test/files/videos/live-now/player_ias.vflset.js @@ -1,8750 +1,12277 @@ var _yt_player={};(function(g){var window=this;/* + (The MIT License) + + Copyright (C) 2014 by Vitaly Puzrin + + 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. + + ----------------------------------------------------------------------------- + Ported from zlib, which is under the following license + https://github.com/madler/zlib/blob/master/zlib.h + + zlib.h -- interface of the 'zlib' general purpose compression library + version 1.2.8, April 28th, 2013 + Copyright (C) 1995-2013 Jean-loup Gailly and Mark Adler + This software is provided 'as-is', without any express or implied + warranty. In no event will the authors be held liable for any damages + arising from the use of this software. + Permission is granted to anyone to use this software for any purpose, + including commercial applications, and to alter it and redistribute it + freely, subject to the following restrictions: + 1. The origin of this software must not be misrepresented; you must not + claim that you wrote the original software. If you use this software + in a product, an acknowledgment in the product documentation would be + appreciated but is not required. + 2. Altered source versions must be plainly marked as such, and must not be + misrepresented as being the original software. + 3. This notice may not be removed or altered from any source distribution. + Jean-loup Gailly Mark Adler + jloup@gzip.org madler@alumni.caltech.edu + The data format used by the zlib library is described by RFCs (Request for + Comments) 1950 to 1952 in the files http://tools.ietf.org/html/rfc1950 + (zlib format), rfc1951 (deflate format) and rfc1952 (gzip format). +*/ +/* + + + The MIT License (MIT) + + Copyright (c) 2015-present Dan Abramov + + 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. +*/ +/* + Copyright The Closure Library Authors. SPDX-License-Identifier: Apache-2.0 */ -var ba,da,aaa,ha,ka,la,pa,qa,ra,sa,ta,ua,baa,caa,va,wa,daa,xa,za,Aa,Ba,Ca,Da,Ea,Ia,Ga,La,Ma,gaa,haa,Xa,Ya,Za,iaa,jaa,$a,kaa,bb,cb,laa,maa,eb,lb,naa,sb,tb,oaa,yb,vb,paa,wb,qaa,raa,saa,Hb,Jb,Kb,Ob,Qb,Rb,$b,bc,ec,fc,ic,jc,vaa,lc,nc,oc,xc,yc,Bc,Gc,Mc,Nc,Sc,Pc,zaa,Caa,Daa,Eaa,Wc,Xc,Zc,Yc,ad,dd,Faa,Gaa,cd,Haa,ld,md,nd,qd,sd,td,Jaa,ud,vd,zd,Ad,Bd,Cd,Dd,Ed,Fd,Gd,Ld,Nd,Od,Qd,Sd,Td,Laa,Ud,Vd,Wd,Xd,Yd,Zd,fe,he,ke,oe,pe,ve,we,ze,xe,Be,Ee,De,Ce,Qaa,me,Se,Oe,Pe,Ue,Te,le,Ve,We,Saa,$e,bf,Ze,df,ef,ff,gf,hf,jf,kf, -nf,Taa,uf,qf,Hf,Uaa,Lf,Nf,Pf,Vaa,Qf,Sf,Tf,Vf,Wf,Xf,Yf,Zf,ag,$f,bg,cg,Yaa,$aa,aba,cba,hg,ig,kg,mg,ng,dba,og,eba,pg,fba,qg,tg,zg,Ag,Dg,gba,Gg,Fg,Hg,hba,Qg,Rg,Sg,iba,Tg,Ug,Vg,Wg,Xg,Yg,Zg,jba,$g,ah,bh,kba,lba,ch,eh,dh,gh,hh,kh,ih,nba,jh,lh,mh,oh,nh,oba,ph,qba,pba,rba,sh,sba,uh,vh,wh,th,yh,tba,zh,uba,vba,Ch,xba,Dh,Eh,Fh,yba,Hh,Jh,Mh,Qh,Sh,Ph,Oh,Th,zba,Uh,Vh,Wh,Xh,Bba,bi,ci,di,ei,Dba,fi,gi,hi,ii,ji,Eba,li,mi,ni,oi,pi,qi,si,ti,ui,xi,yi,ri,zi,Ai,Bi,Fba,Ci,Di,Gba,Ei,Fi,Hba,Hi,Iba,Ii,Ji,Ki,Jba,Li,Mi,Oi,Si, -Ti,Ui,Vi,Wi,Ni,Pi,Lba,Xi,Yi,$i,Zi,Mba,Nba,Oba,aj,bj,cj,dj,Sba,Tba,Uba,ej,gj,Vba,Wba,Xba,ij,jj,Yba,kj,Zba,$ba,lj,mj,nj,aca,pj,qj,rj,sj,tj,uj,vj,wj,xj,yj,zj,bca,cca,Aj,dca,Cj,Bj,Fj,Gj,Ej,eca,ica,hca,Ij,jca,kca,lca,nca,mca,oca,Jj,Oj,Qj,Rj,Sj,qca,Uj,Vj,rca,sca,Wj,Xj,Yj,Zj,tca,ak,bk,vca,ck,wca,dk,fk,ek,gk,hk,jk,yca,kk,xca,lk,zca,nk,Aca,Bca,pk,rk,sk,tk,uk,qk,xk,yk,vk,Cca,Eca,Fca,Ak,Bk,Ck,Dk,Gca,Ek,Fk,Gk,Hk,Ik,Jk,Kk,Lk,Ok,Nk,Ica,Jca,Pk,Rk,Mk,Qk,Hca,Sk,Tk,Lca,Mca,Nca,Oca,Xk,Yk,Zk,Pca,Uk,$k,al,Kca,Qca,Rca, -Sca,dl,bl,el,gl,Xca,Tca,kl,ll,pl,ql,rl,sl,oj,Yca,tl,ul,Zca,$ca,ada,bda,cda,wl,xl,yl,zl,Al,Bl,fda,gda,Cl,Dl,Fl,Hl,ida,Il,Jl,Kl,Ll,Nl,Pl,jda,Ml,Vl,Wl,Sl,Zl,Yl,lda,Ql,Ol,bm,cm,dm,em,gm,nda,hm,im,oda,nm,pm,rm,sm,um,vm,wm,ym,pda,qda,Am,Cm,Dm,zm,Bm,qm,xm,sda,Gm,Em,Fm,Im,rda,Hm,Mm,Pm,Om,Um,Vm,Xm,vda,Wm,Zm,an,$m,tda,dn,fn,yda,hn,jn,ln,mn,nn,on,un,zda,wn,xn,Bda,yn,zn,Gda,Cda,Gn,Lda,Hn,In,Nda,Ln,Mn,Nn,On,Oda,$n,ao,bo,co,fo,go,ho,io,ko,lo,oo,po,qo,Rda,Sda,so,to,xo,uo,yo,Ao,Bo,zo,Tda,Eo,M,Ho,Ro,Qo,Wda,Xda,To, -Wo,Xo,Yo,Zo,Zda,$da,fp,gp,hp,aea,np,op,pp,rp,tp,qp,wp,zp,yp,xp,Bp,Hp,Gp,bea,eea,dea,Sp,Tp,Up,Vp,Wp,Xp,Yp,bq,$p,cq,dq,eq,hq,gq,hea,jq,iea,nq,mq,kea,oq,pq,lea,tq,mea,nea,rq,uq,oea,zq,Aq,Bq,Dq,pea,Iq,Hq,Cq,Jq,Kq,qea,rea,Rq,sea,tea,Sq,Uq,Vq,Tq,Wq,Xq,Yq,Zq,$q,ar,br,cr,er,fr,hr,ir,jr,lr,mr,nr,pr,rr,sr,dr,vr,wr,xr,Tr,yr,vea,Vr,Wr,wea,yea,xea,Rr,Xr,zea,Zr,uea,Aea,Sr,$r,Bea,as,Yr,Cea,bs,cs,ds,fs,gs,Dea,js,ks,ls,ms,os,ns,Eea,Fea,Gea,Hea,ps,qs,ts,vs,us,Jea,Iea,ws,ys,xs,As,Bs,Kea,Lea,Es,Gs,Fs,Mea,Pea,Ns,Os,Qea, -Qs,Ss,Us,Ts,Ws,Xs,Ys,$s,Zs,Sea,ct,dt,et,ft,kt,lt,it,Vea,Tea,mt,pt,qt,Xea,nt,ot,rt,tt,vt,wt,At,xt,Ct,Bt,Dt,Yea,Ht,It,Kt,$ea,Mt,Nt,Ot,Qt,afa,St,Ut,Vt,Zt,$t,bfa,Wt,cfa,hu,qu,ou,dfa,vu,uu,xu,tu,wu,yu,Au,Bu,zu,Cu,Du,Eu,Fu,Iu,Gu,ffa,Ju,Ku,Lu,Mu,Nu,gfa,Hu,Ou,Pu,Qu,Ru,Su,Tu,Uu,Vu,Wu,Xu,Yu,Zu,hfa,$u,ifa,av,bv,dv,fv,jfa,gv,kv,iv,ev,lv,hv,jv,mv,nv,ov,kfa,qv,rv,yv,lfa,uv,Av,Cv,Fv,Ev,wv,Bv,zv,mfa,Gv,Iv,Jv,nfa,Kv,Lv,tv,vv,xv,Dv,Mv,Nv,Ov,Pv,Qv,Rv,Sv,Tv,Uv,Vv,Wv,Xv,Yv,Zv,$v,bw,dw,cw,ew,fw,gw,iw,jw,lw,nw,ow,qw,ufa, -rw,tw,uw,vw,xw,yw,zw,Aw,ww,xfa,Bw,Cw,Dw,Ew,Fw,yfa,Gw,Hw,Iw,zfa,Afa,Bfa,Kw,Lw,Cfa,Nw,Dfa,Mw,Ow,Qw,Rw,Sw,Uw,Vw,Ww,Zw,$w,Xw,dx,ex,fx,gx,hx,ix,jx,bx,Mx,Nx,Px,Qx,Sx,Tx,Ux,Wx,Xx,Yx,Zx,$x,ay,by,Efa,cy,Ffa,hy,iy,Gfa,jy,Ifa,Jfa,Kfa,Lfa,my,Mfa,Nfa,Ofa,Pfa,ny,Qfa,Rfa,oy,Sfa,fy,ky,ly,Hfa,py,Tfa,Ufa,sy,uy,ty,Vfa,qy,ry,Wfa,Xfa,vy,wy,yy,Yfa,Zfa,$fa,aga,zy,Ay,By,Cy,Dy,Ey,Fy,Gy,Ny,Jy,cga,Py,Ky,Ly,Iy,My,Hy,Oy,Ty,Sy,Ry,Vy,Wy,ega,fga,Yy,Zy,gga,bz,hz,fz,kz,cz,lz,$y,nz,dz,az,jz,oz,pz,qz,sz,rz,tz,vz,wz,xz,Az,Bz,Cz,zz,Ez, -Hz,Iz,lga,Fz,oga,Gz,Qz,Sz,Rz,Lz,mga,pga,Tz,Uz,Mz,jga,Vz,Wz,Xz,cA,qga,dA,eA,fA,gA,hA,iA,jA,lA,kA,mA,nA,rA,tA,uA,vA,wA,yA,zA,CA,sA,pA,oA,qA,DA,EA,FA,GA,BA,xA,AA,HA,IA,JA,KA,MA,LA,NA,tga,ez,Oz,Nz,PA,gz,QA,RA,Xy,OA,SA,TA,VA,UA,vga,WA,XA,YA,ZA,$A,bB,aB,cB,wga,dB,eB,fB,gB,hB,xga,yga,Cga,Dga,zga,Aga,Bga,iB,jB,Ega,Fga,Gga,lB,mB,nB,Hga,oB,qB,rB,sB,tB,uB,wB,xB,yB,zB,AB,Iga,CB,BB,EB,DB,FB,GB,Jga,HB,JB,Lga,KB,Mga,Nga,LB,MB,Oga,Pga,Qga,NB,Rga,RB,OB,UB,Sga,Tga,VB,Uga,WB,XB,Vga,YB,ZB,Wga,Xga,Yga,SB,Zga,$B,aC,bC, -cC,dC,eC,bha,aha,gC,hC,fC,cha,dha,eha,mC,nC,pC,qC,rC,sC,tC,uC,oC,wC,fha,yC,zC,AC,iC,gha,CC,DC,EC,FC,GC,HC,IC,JC,LC,MC,KC,kha,lha,PC,OC,jha,iha,NC,QC,rga,RC,mha,SC,nha,oha,UC,WC,VC,TC,R,YC,ZC,$C,aD,bD,AD,BD,ED,FD,mD,rD,cD,vD,uD,yD,ID,KD,MD,QD,jD,RD,iD,SD,tD,xha,Aha,Bha,Cha,$D,aE,bE,cE,Dha,WD,dE,eE,VD,yha,gE,XD,YD,zha,hE,ZD,Eha,Fha,iE,Gha,jE,Hha,nE,kE,mE,lE,Iha,mz,hga,oE,pE,Jha,rE,sE,tE,yE,zE,qE,AE,xE,CE,DE,FE,EE,GE,HE,JE,KE,LE,ME,SE,OE,VE,PE,YE,WE,ZE,RE,Oha,$E,NE,bF,cF,Pha,fF,Rha,Sha,Tha,kF,Uha,jF, -lF,mF,nF,oF,pF,qF,Vha,rF,uF,Xha,vF,wF,xF,zF,BF,DF,FF,Zha,aia,bia,cia,EF,HF,JF,eia,KF,NF,fia,MF,QF,RF,LF,OF,sF,Wha,CF,Yha,gia,hia,tF,IF,AF,yF,PF,iia,jia,TF,SF,VF,WF,UF,XF,$F,kia,lia,aG,bG,gG,oia,pia,eG,mia,mG,yia,zia,rG,sG,tG,uG,vG,wG,xG,yG,zG,AG,BG,CG,DG,EG,FG,GG,HG,IG,JG,KG,LG,MG,NG,OG,PG,QG,RG,SG,TG,UG,VG,WG,XG,YG,ZG,$G,aH,bH,cH,dH,eH,fH,gH,Aia,jH,kH,lH,mH,nH,oH,pH,S,hH,qH,Bia,rH,sH,tH,uH,Cia,vH,wH,yH,Eia,zH,AH,Fia,Dia,Gia,BH,CH,Hia,DH,EH,Iia,Jia,FH,GH,Kia,Oia,HH,Lia,Nia,Mia,IH,Pia,JH,Qia,Ria,Sia, -YH,ZH,bI,aI,cI,dI,eI,fI,Uia,Via,Wia,hI,iI,lI,kI,Cla,nI,oI,jI,pI,qI,Dla,uI,yI,zI,BI,Gla,HI,JI,EI,KI,Fla,Hla,LI,NI,OI,MI,PI,Ila,DI,II,TI,Jla,Kla,Lla,Nla,UI,VI,Mla,XI,YI,ZI,aJ,bJ,GI,vI,dJ,xI,wI,fJ,SI,Ola,kJ,lJ,mJ,nJ,oJ,AI,qJ,pJ,RI,QI,rJ,cJ,CI,FI,Pla,tI,uJ,sI,gI,Qla,vJ,wJ,xJ,Rla,yJ,Sla,zJ,BJ,Tla,Ula,Wla,Vla,CJ,DJ,Xla,EJ,FJ,GJ,HJ,IJ,JJ,KJ,LJ,MJ,NJ,Yla,OJ,PJ,QJ,RJ,TJ,ama,SJ,bma,Zla,UJ,$la,VJ,cma,WJ,XJ,YJ,ZJ,$J,aK,bK,dK,cK,eK,gK,hK,ema,iK,oK,qK,kK,nK,tK,mK,vK,pK,wK,sK,rK,yK,lK,jK,zK,BK,AK,CK,DK,FK,HK,JK, -LK,MK,KK,IK,NK,PK,QK,RK,SK,TK,UK,VK,WK,XK,YK,ZK,$K,aL,bL,cL,dL,eL,fL,gL,hL,iL,jL,lL,mL,nL,oL,pL,qL,rL,sL,uL,vL,fma,wL,ima,gma,hma,jma,xL,yL,AL,BL,zL,CL,DL,kma,lma,EL,FL,mma,oma,pma,nma,HL,GL,IL,JL,KL,LL,ML,NL,OL,SL,TL,UL,VL,WL,XL,YL,qma,aM,bM,ZL,eM,cM,dM,rma,fM,sma,gM,hM,tma,iM,jM,kM,lM,nM,uma,wma,xma,qM,yma,pM,oM,vma,rM,tM,sM,uM,wM,vM,xM,zma,yM,BM,CM,DM,EM,HM,Bma,JM,LM,MM,NM,OM,PM,RM,Cma,TM,SM,Dma,Ema,UM,VM,WM,Fma,YM,XM,Gma,ZM,$M,Kma,Jma,bN,cN,aN,dN,Mma,eN,Nma,Oma,Qma,Pma,Rma,Sma,Tma,Uma,Vma,Wma, -Xma,Yma,fN,gN,Zma,$ma,ana,cna,dna,ena,fna,gna,oN,hna,ina,lN,mN,nN,pN,lna,jna,rN,qna,nna,ona,pna,rna,sN,sna,una,vna,tna,wna,tN,OK,zna,xna,vN,yna,Ana,wN,Cna,Dna,QM,mM,Bna,AN,BN,Fna,CN,DN,EN,Gna,Hna,Ina,FN,HN,Kna,IN,W,Lna,LN,Mna,Nna,ON,RN,SN,TN,UN,Pna,Qna,Rna,Sna,Tna,Una,Vna,ZN,Wna,$N,Xna,Yna,Zna,$na,aoa,dO,eO,fO,boa,gO,hO,iO,jO,kO,lO,nO,oO,pO,qO,rO,coa,sO,tO,doa,uO,eoa,foa,goa,ioa,hoa,joa,koa,loa,vO,moa,wO,noa,yO,poa,ooa,zO,AO,toa,qoa,soa,roa,BO,CO,uoa,DO,EO,voa,woa,xoa,yoa,FO,zoa,Aoa,GO,HO,JO,KO,LO, -Boa,NO,PO,Eoa,QO,RO,SO,Foa,Goa,Hoa,VO,Ioa,Joa,Koa,Loa,WO,UO,Moa,YO,Noa,ZO,$O,aP,dP,eP,fP,gP,hP,Ooa,iP,Poa,jP,kP,lP,mP,nP,oP,pP,Qoa,qP,rP,sP,tP,uP,Roa,Toa,Soa,Uoa,vP,Voa,Woa,wP,Xoa,xP,yP,zP,Yoa,Zoa,$oa,AP,CP,bpa,DP,EP,FP,GP,dpa,cpa,HP,IP,JP,KP,LP,MP,fpa,epa,NP,OP,X,PP,hpa,QP,lpa,kpa,opa,SP,ppa,TP,RP,UP,VP,XP,rpa,eQ,spa,fQ,$L,dQ,gQ,vpa,wpa,xpa,ypa,qpa,zpa,WP,Bpa,oQ,iQ,aQ,pQ,jQ,ZP,Cpa,Apa,YP,hQ,lQ,qQ,bQ,cQ,nQ,mQ,Epa,rQ,Gpa,Fpa,sQ,Y,Kpa,tQ,Lpa,Hpa,Mpa,uQ,Ppa,Npa,Upa,Rpa,Qpa,Xpa,Wpa,Ypa,aqa,$pa,dqa,fqa, -gqa,kqa,EQ,hqa,mqa,lqa,FQ,qG,nqa,HQ,nG,LQ,xia,MQ,MO,NQ,OQ,vQ,PQ,pqa,DQ,wQ,qqa,QQ,RQ,zQ,rqa,Tpa,xQ,yQ,CQ,sqa,tqa,SQ,TQ,GQ,BQ,AQ,iqa,Zpa,bqa,UQ,VQ,uqa,WQ,XQ,YQ,ZQ,$Q,aR,bR,cR,dR,iH,wqa,vqa,xqa,eqa,Spa,Opa,Jpa,Ipa,Vpa,jqa,cqa,eR,yqa,fR,kL,$P,tpa,IQ,gR,hR,zqa,Aqa,iR,Bqa,jR,kR,lR,qN,uN,Cqa,mR,Dqa,Eqa,Coa,oR,pR,Gqa,Fqa,qR,rR,sR,Doa,IO,Hqa,Iqa,uR,pG,vR,kQ,nR,Kqa,Lqa,Mqa,wR,xR,Nqa,Oqa,Pqa,Qqa,yR,zR,KQ,JQ,Rqa,AR,BR,Sqa,CR,DR,Tqa,Uqa,ER,FR,GR,HR,IR,Vqa,JR,Wqa,KR,LR,MR,NR,PR,QR,RR,TR,Xqa,SR,Yqa,Zqa,UR,ara,$qa, -VR,WR,bra,YR,cra,dra,ZR,era,fra,gra,$R,aS,bS,cS,dS,eS,hra,fS,gS,ira,hS,OR,iS,jS,kS,jra,lS,kra,mS,nS,oS,pS,qS,lra,mra,ora,qra,nra,rS,rra,sra,tra,sS,tS,uS,oqa,ura,vS,vra,wS,pra,wra,xra,yra,Ara,xS,yS,Bra,zS,Cra,Dra,AS,Era,BS,CS,DS,ES,FS,Fra,GS,Gra,Hra,Ira,Jra,IS,Kra,Lra,Mra,Nra,Pra,Ora,Qra,KS,Rra,Sra,oG,Tra,QS,Ura,Vra,SS,Wra,TS,Xra,Yra,US,VS,WS,$ra,XS,$S,asa,bsa,aT,cT,fG,csa,fsa,esa,dsa,gsa,isa,bT,dT,eT,fT,gT,hT,iT,jsa,ksa,kT,lsa,nsa,osa,msa,psa,lT,mT,ssa,rsa,Mq,Pq,usa,tsa,vsa,wsa,xsa,ysa,zsa,Bsa,oT, -Asa,Csa,pT,Dsa,Fsa,Gsa,Hsa,sT,tT,Isa,Lsa,uT,Msa,qT,Ksa,Nsa,Psa,rT,Osa,Jsa,Rsa,yT,wT,zT,xT,mna,Ssa,Tsa,Usa,Vsa,DT,CT,JT,Ena,UT,zra,gta,dU,hta,$sa,gU,kta,lta,hU,ita,jta,iU,jU,kU,qta,sta,mU,xta,pU,zta,wta,Ata,Bta,oU,yta,rU,sU,tU,uU,Wsa,vU,Cta,xU,Dta,wU,zU,Eta,CU,DU,IU,Gta,Hta,KU,JU,LU,Ita,Jta,NU,MU,Kta,PU,QU,Mta,Lta,TU,Ota,VU,RU,Pta,Qta,Rta,Nta,WU,ZU,Sta,YU,$U,bV,aV,Uta,Vta,gV,Wta,Xta,jV,Yta,aua,Zta,nV,oV,bua,rV,sV,uV,wV,cua,dua,zV,fua,yV,eua,gua,hua,CV,iua,jua,FV,GV,lua,kua,HV,IV,mua,nua,LV,pua,oua, -MV,NV,OV,qua,PV,QV,RV,SV,rua,TV,sua,UV,uua,tua,wua,vua,ZV,XV,YV,xua,yua,$V,zua,aW,bW,cW,dW,Aua,gW,Bua,iW,jW,kW,Cua,mW,nW,oW,pW,Dua,Gua,qW,Eua,Fua,rW,Kua,Lua,sW,Nua,Mua,Oua,Pua,Qua,vW,xW,yW,gX,Rua,Sua,Tua,Uua,Wua,Xua,Yua,kX,oX,$ua,ava,mX,iX,lX,qX,dva,rX,nX,Vua,cva,pX,Zua,bva,eva,fva,sX,tX,uX,vX,hva,yX,zX,AX,BX,CX,DX,iva,EX,GX,FX,HX,IX,jva,JX,kva,mva,lva,KX,LX,nva,MX,NX,ova,OX,pva,PX,qva,QX,RX,VX,UX,rva,TX,YX,sva,tva,ZX,$X,bY,uva,hV,yva,DV,vva,XX,xva,EV,wva,zva,Dva,Cva,fY,Eva,gY,Fva,hY,Gva,Hva,Iva, -Jva,kY,Ova,Rva,Pva,Lva,lY,jY,Kva,Qva,pY,Tva,Sva,qY,Wva,Yva,Zva,Xva,tY,$va,vY,fwa,yY,ewa,dwa,zY,uY,AY,bU,gwa,xY,$ha,jwa,hwa,wY,iwa,bwa,dia,CY,owa,EY,qwa,rwa,mwa,GY,swa,HY,kwa,JY,nwa,twa,IY,FY,uwa,cU,vwa,DY,xwa,NY,LY,OY,MY,PY,ywa,QY,RY,SY,TY,zwa,UY,VY,Bwa,$Y,Dwa,fK,Ewa,Fwa,cZ,bZ,aZ,Gwa,Hwa,dta,eta,Iwa,Jwa,eZ,fZ,gZ,Kwa,hZ,iZ,Lwa,Mwa,Nwa,Pwa,Owa,jZ,Qwa,Swa,Rwa,Uwa,lZ,Ywa,Vwa,Zwa,$wa,Xwa,axa,mZ,exa,cxa,dxa,hxa,ixa,jxa,kxa,lxa,kZ,mxa,gxa,bxa,nxa,oZ,oxa,Wwa,pxa,pZ,qZ,qxa,rxa,txa,uxa,rZ,sxa,sZ,tZ,uZ,wZ,wxa, -yxa,zxa,Bxa,Axa,xZ,xxa,zZ,yZ,Cxa,vZ,Dxa,AZ,DZ,Exa,Gxa,Fxa,CZ,Hxa,Ixa,Kxa,Jxa,Lxa,EZ,BZ,Mxa,Nxa,FZ,GZ,Pxa,Qxa,Rxa,Oxa,Sxa,Txa,Vxa,Xxa,Yxa,Uxa,$xa,aya,Wxa,JZ,bya,cya,dya,eya,KZ,LZ,OZ,PZ,gya,QZ,hya,iya,RZ,jya,UZ,kya,lya,nya,mya,oya,VZ,WZ,pya,XZ,YZ,ZZ,tya,a_,$Z,uya,d_,sya,vya,rya,c_,wya,b_,xya,e_,yya,fya,TZ,Aya,Bya,Cya,Dya,Eya,g_,h_,Fya,Gya,Hya,j_,Jya,l_,Kya,Lya,k_,i_,Iya,o_,n_,p_,m_,Mya,r_,Qya,u_,Rya,Oya,s_,v_,Pya,Sya,Tya,Vya,q_,Wya,Xya,Uya,t_,Yya,Nya,w_,x_,y_,$ya,bza,aza,cza,eza,dza,z_,A_,fza,B_,C_, -D_,E_,F_,G_,gza,hza,jza,kza,lza,mza,nza,oza,pza,H_,qza,rza,I_,J_,K_,L_,M_,N_,sza,O_,tza,uza,vza,wza,xza,zza,P_,Aza,Q_,Bza,Dza,Cza,Eza,Kza,Fza,Iza,Jza,Gza,Lza,Hza,Nza,R_,Pza,Qza,Rza,$_,xK,a0,vT,Uza,awa,Wza,b0,Z_,Xza,Yza,h0,d0,sY,Vza,j0,$za,k0,Qsa,g0,l0,U_,Zza,Sza,X_,o0,p0,eAa,mY,fAa,nY,Vva,n0,BY,c0,gAa,iAa,hAa,jAa,q0,Nva,Zsa,kAa,cAa,T_,lAa,r0,e0,V_,Y_,oY,Tza,s0,mAa,nAa,f0,oAa,Mva,m0,dAa,u0,wAa,rAa,dG,qAa,zAa,AAa,x0,aU,CAa,BAa,y0,fta,t0,C0,D0,EAa,E0,G0,uAa,vAa,M0,IAa,L0,v0,Q0,xAa,R0,FAa,LT,JAa,KAa, -I0,J0,H0,U0,PAa,z0,QAa,RAa,SAa,pwa,UAa,V0,P0,Uva,A0,KY,W0,X0,VAa,K0,DAa,T0,LAa,XAa,ata,AT,ZAa,O0,Z0,aBa,B0,VT,$0,bBa,cBa,a1,eBa,tAa,S0,fBa,sAa,b1,c1,Cwa,gBa,jBa,lBa,g1,h1,aa,fa,ea,eaa,Ha,Qa,faa;ba=function(a){return function(){return aa[a].apply(this,arguments)}}; -g.ca=function(a,b){return aa[a]=b}; -da=function(a){var b=0;return function(){return bb?null:"string"===typeof a?a.charAt(b):a[b]}; -eb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; -oaa=function(a){for(var b={},c=0,d=0;d>>1),n;c?n=b.call(e,a[m],m,a):n=b(d,a[m]);0b?1:ac&&g.ub(a,-(c+1),0,b)}; -g.Db=function(a,b,c){var d={};(0,g.Cb)(a,function(e,f){d[b.call(c,e,f,a)]=e}); +naa=function(a,b,c){a instanceof String&&(a=String(a));for(var d=a.length,e=0;eb?null:"string"===typeof a?a.charAt(b):a[b]}; +kb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; +yaa=function(a){for(var b=0,c=0,d={};c>>1),m=void 0;c?m=b.call(void 0,a[l],l,a):m=b(d,a[l]);0b?1:ac&&g.Gb(a,-(c+1),0,b)}; +g.Pb=function(a,b,c){var d={};(0,g.Ob)(a,function(e,f){d[b.call(c,e,f,a)]=e}); return d}; -raa=function(a){for(var b=[],c=0;c")&&(a=a.replace(sc,">"));-1!=a.indexOf('"')&&(a=a.replace(tc,"""));-1!=a.indexOf("'")&&(a=a.replace(uc,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(vc,"�"))}return a}; -yc=function(a,b){return-1!=a.toLowerCase().indexOf(b.toLowerCase())}; -g.Cc=function(a,b){for(var c=0,d=Ac(String(a)).split("."),e=Ac(String(b)).split("."),f=Math.max(d.length,e.length),h=0;0==c&&hb?1:0}; -g.Ec=function(a,b){this.C=b===Dc?a:""}; -g.Fc=function(a){return a instanceof g.Ec&&a.constructor===g.Ec?a.C:"type_error:SafeUrl"}; -Gc=function(a){a=String(a);a=a.replace(/(%0A|%0D)/g,"");var b=a.match(xaa);return b&&yaa.test(b[1])?new g.Ec(a,Dc):null}; -g.Jc=function(a){a instanceof g.Ec||(a="object"==typeof a&&a.Rj?a.Tg():String(a),a=Hc.test(a)?new g.Ec(a,Dc):Gc(a));return a||Ic}; -g.Kc=function(a,b){if(a instanceof g.Ec)return a;a="object"==typeof a&&a.Rj?a.Tg():String(a);if(b&&/^data:/i.test(a)){var c=Gc(a)||Ic;if(c.Tg()==a)return c}Hc.test(a)||(a="about:invalid#zClosurez");return new g.Ec(a,Dc)}; -Mc=function(a,b){this.u=b===Lc?a:""}; -Nc=function(a){return a instanceof Mc&&a.constructor===Mc?a.u:"type_error:SafeStyle"}; -Sc=function(a){var b="",c;for(c in a)if(Object.prototype.hasOwnProperty.call(a,c)){if(!/^[-_a-zA-Z0-9]+$/.test(c))throw Error("Name allows only [-_a-zA-Z0-9], got: "+c);var d=a[c];null!=d&&(d=Array.isArray(d)?g.Oc(d,Pc).join(" "):Pc(d),b+=c+":"+d+";")}return b?new Mc(b,Lc):Rc}; -Pc=function(a){if(a instanceof g.Ec)return'url("'+g.Fc(a).replace(/>>0;return b}; -g.rd=function(a){var b=Number(a);return 0==b&&g.pc(a)?NaN:b}; -sd=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; -td=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; -Jaa=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; -ud=function(a,b,c,d,e,f,h){var l="";a&&(l+=a+":");c&&(l+="//",b&&(l+=b+"@"),l+=c,d&&(l+=":"+d));e&&(l+=e);f&&(l+="?"+f);h&&(l+="#"+h);return l}; -vd=function(a){return a?decodeURI(a):a}; -g.xd=function(a,b){return b.match(wd)[a]||null}; -g.yd=function(a){return vd(g.xd(3,a))}; -zd=function(a){a=a.match(wd);return ud(a[1],null,a[3],a[4])}; -Ad=function(a){a=a.match(wd);return ud(null,null,null,null,a[5],a[6],a[7])}; -Bd=function(a,b){if(a)for(var c=a.split("&"),d=0;db&&(b=a.length);var c=a.indexOf("?");if(0>c||c>b){c=b;var d=""}else d=a.substring(c+1,b);return[a.substr(0,c),d,a.substr(b)]}; -Dd=function(a,b){return b?a?a+"&"+b:b:a}; -Ed=function(a,b){if(!b)return a;var c=Cd(a);c[1]=Dd(c[1],b);return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Fd=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return nd(a.substr(d,e-d))}; -Sd=function(a,b){for(var c=a.search(Pd),d=0,e,f=[];0<=(e=Od(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.substr(d));return f.join("").replace(Kaa,"$1")}; -Td=function(a,b,c){return Nd(Sd(a,b),b,c)}; -Laa=function(a,b){var c=Cd(a),d=c[1],e=[];d&&d.split("&").forEach(function(f){var h=f.indexOf("=");b.hasOwnProperty(0<=h?f.substr(0,h):f)||e.push(f)}); -c[1]=Dd(e.join("&"),g.Kd(b));return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Ud=function(){return Wc("iPhone")&&!Wc("iPod")&&!Wc("iPad")}; -Vd=function(){return Ud()||Wc("iPad")||Wc("iPod")}; -Wd=function(a){Wd[" "](a);return a}; -Xd=function(a,b){try{return Wd(a[b]),!0}catch(c){}return!1}; -Yd=function(a,b,c,d){d=d?d(b):b;return Object.prototype.hasOwnProperty.call(a,d)?a[d]:a[d]=c(b)}; -Zd=function(){var a=g.v.document;return a?a.documentMode:void 0}; -g.ae=function(a){return Yd(Maa,a,function(){return 0<=g.Cc($d,a)})}; -g.be=function(a){return Number(Naa)>=a}; -g.ce=function(a,b,c){return Math.min(Math.max(a,b),c)}; -g.de=function(a,b){var c=a%b;return 0>c*b?c+b:c}; -g.ee=function(a,b,c){return a+c*(b-a)}; -fe=function(a,b){return 1E-6>=Math.abs(a-b)}; -g.ge=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; -he=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; -g.ie=function(a,b){this.width=a;this.height=b}; -g.je=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; -ke=function(a){return a.width*a.height}; -oe=function(a){return a?new le(me(a)):ne||(ne=new le)}; -pe=function(a,b){return"string"===typeof b?a.getElementById(b):b}; -g.re=function(a,b){var c=b||document;return c.querySelectorAll&&c.querySelector?c.querySelectorAll("."+a):g.qe(document,"*",a,b)}; -g.se=function(a,b){var c=b||document;if(c.getElementsByClassName)c=c.getElementsByClassName(a)[0];else{c=document;var d=b||c;c=d.querySelectorAll&&d.querySelector&&a?d.querySelector(a?"."+a:""):g.qe(c,"*",a,b)[0]||null}return c||null}; -g.qe=function(a,b,c,d){a=d||a;b=b&&"*"!=b?String(b).toUpperCase():"";if(a.querySelectorAll&&a.querySelector&&(b||c))return a.querySelectorAll(b+(c?"."+c:""));if(c&&a.getElementsByClassName){a=a.getElementsByClassName(c);if(b){d={};for(var e=0,f=0,h;h=a[f];f++)b==h.nodeName&&(d[e++]=h);d.length=e;return d}return a}a=a.getElementsByTagName(b||"*");if(c){d={};for(f=e=0;h=a[f];f++)b=h.className,"function"==typeof b.split&&g.jb(b.split(/\s+/),c)&&(d[e++]=h);d.length=e;return d}return a}; -ve=function(a,b){g.Eb(b,function(c,d){c&&"object"==typeof c&&c.Rj&&(c=c.Tg());"style"==d?a.style.cssText=c:"class"==d?a.className=c:"for"==d?a.htmlFor=c:te.hasOwnProperty(d)?a.setAttribute(te[d],c):nc(d,"aria-")||nc(d,"data-")?a.setAttribute(d,c):a[d]=c})}; -we=function(a){a=a.document;a="CSS1Compat"==a.compatMode?a.documentElement:a.body;return new g.ie(a.clientWidth,a.clientHeight)}; -ze=function(a){var b=xe(a);a=a.parentWindow||a.defaultView;return g.ye&&g.ae("10")&&a.pageYOffset!=b.scrollTop?new g.ge(b.scrollLeft,b.scrollTop):new g.ge(a.pageXOffset||b.scrollLeft,a.pageYOffset||b.scrollTop)}; -xe=function(a){return a.scrollingElement?a.scrollingElement:g.Ae||"CSS1Compat"!=a.compatMode?a.body||a.documentElement:a.documentElement}; -Be=function(a){return a?a.parentWindow||a.defaultView:window}; -Ee=function(a,b,c){var d=arguments,e=document,f=String(d[0]),h=d[1];if(!Oaa&&h&&(h.name||h.type)){f=["<",f];h.name&&f.push(' name="',g.od(h.name),'"');if(h.type){f.push(' type="',g.od(h.type),'"');var l={};g.Zb(l,h);delete l.type;h=l}f.push(">");f=f.join("")}f=Ce(e,f);h&&("string"===typeof h?f.className=h:Array.isArray(h)?f.className=h.join(" "):ve(f,h));2a}; -Ue=function(a,b,c,d){if(!b&&!c)return null;var e=b?String(b).toUpperCase():null;return Te(a,function(f){return(!e||f.nodeName==e)&&(!c||"string"===typeof f.className&&g.jb(f.className.split(/\s+/),c))},!0,d)}; -Te=function(a,b,c,d){a&&!c&&(a=a.parentNode);for(c=0;a&&(null==d||c<=d);){if(b(a))return a;a=a.parentNode;c++}return null}; -le=function(a){this.u=a||g.v.document||document}; -Ve=function(a,b,c,d){var e=window,f="//pagead2.googlesyndication.com/bg/"+g.od(c)+".js";c=e.document;var h={};b&&(h._scs_=b);h._bgu_=f;h._bgp_=d;h._li_="v_h.3.0.0.0";(b=e.GoogleTyFxhY)&&"function"==typeof b.push||(b=e.GoogleTyFxhY=[]);b.push(h);e=oe(c).createElement("SCRIPT");e.type="text/javascript";e.async=!0;a=vaa(g.gc("//tpc.googlesyndication.com/sodar/%{path}"),{path:g.od(a)+".js"});g.kd(e,a);c.getElementsByTagName("head")[0].appendChild(e)}; -We=function(a,b){var c=void 0;return new (c||(c=Promise))(function(d,e){function f(m){try{l(b.next(m))}catch(n){e(n)}} -function h(m){try{l(b["throw"](m))}catch(n){e(n)}} -function l(m){m.done?d(m.value):(new c(function(n){n(m.value)})).then(f,h)} -l((b=b.apply(a,void 0)).next())})}; -Saa=function(a){return g.Oc(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; -g.Ye=function(a){for(var b=[],c=0,d=0;ce)b[d++]=String.fromCharCode(e);else if(191e){var f=a[c++];b[d++]=String.fromCharCode((e&31)<<6|f&63)}else if(239e){f=a[c++];var h=a[c++],l=a[c++];e=((e&7)<<18|(f&63)<<12|(h&63)<<6|l&63)-65536;b[d++]=String.fromCharCode(55296+(e>>10));b[d++]=String.fromCharCode(56320+(e&1023))}else f=a[c++],h=a[c++],b[d++]=String.fromCharCode((e&15)<<12|(f&63)<<6|h&63)}return b.join("")}; -$e=function(a,b,c){this.B=null;this.u=this.C=this.D=0;this.F=!1;a&&Ze(this,a,b,c)}; -bf=function(a,b,c){if(af.length){var d=af.pop();a&&Ze(d,a,b,c);return d}return new $e(a,b,c)}; -Ze=function(a,b,c,d){b=b.constructor===Uint8Array?b:b.constructor===ArrayBuffer?new Uint8Array(b):b.constructor===Array?new Uint8Array(b):b.constructor===String?g.cf(b):new Uint8Array(0);a.B=b;a.D=void 0!==c?c:0;a.C=void 0!==d?a.D+d:a.B.length;a.u=a.D}; -df=function(a){for(var b=128,c=0,d=0,e=0;4>e&&128<=b;e++)b=a.B[a.u++],c|=(b&127)<<7*e;128<=b&&(b=a.B[a.u++],c|=(b&127)<<28,d|=(b&127)>>4);if(128<=b)for(e=0;5>e&&128<=b;e++)b=a.B[a.u++],d|=(b&127)<<7*e+3;if(128>b){a=c>>>0;b=d>>>0;if(d=b&2147483648)a=~a+1>>>0,b=~b>>>0,0==a&&(b=b+1>>>0);a=4294967296*b+(a>>>0);return d?-a:a}a.F=!0}; -ef=function(a){var b=a.B;var c=b[a.u+0];var d=c&127;if(128>c)return a.u+=1,d;c=b[a.u+1];d|=(c&127)<<7;if(128>c)return a.u+=2,d;c=b[a.u+2];d|=(c&127)<<14;if(128>c)return a.u+=3,d;c=b[a.u+3];d|=(c&127)<<21;if(128>c)return a.u+=4,d;c=b[a.u+4];d|=(c&15)<<28;if(128>c)return a.u+=5,d>>>0;a.u+=5;128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&a.u++;return d}; -ff=function(a){this.u=bf(a,void 0,void 0);this.F=this.u.u;this.B=this.C=-1;this.D=!1}; -gf=function(a){var b=a.u;(b=b.u==b.C)||(b=a.D)||(b=a.u,b=b.F||0>b.u||b.u>b.C);if(b)return!1;a.F=a.u.u;b=ef(a.u);var c=b&7;if(0!=c&&5!=c&&1!=c&&2!=c&&3!=c&&4!=c)return a.D=!0,!1;a.C=b>>>3;a.B=c;return!0}; -hf=function(a){switch(a.B){case 0:if(0!=a.B)hf(a);else{for(a=a.u;a.B[a.u]&128;)a.u++;a.u++}break;case 1:1!=a.B?hf(a):a.u.advance(8);break;case 2:if(2!=a.B)hf(a);else{var b=ef(a.u);a.u.advance(b)}break;case 5:5!=a.B?hf(a):a.u.advance(4);break;case 3:b=a.C;do{if(!gf(a)){a.D=!0;break}if(4==a.B){a.C!=b&&(a.D=!0);break}hf(a)}while(1);break;default:a.D=!0}}; -jf=function(a){var b=ef(a.u);a=a.u;var c=a.B,d=a.u,e=d+b;b=[];for(var f="";dh)b.push(h);else if(192>h)continue;else if(224>h){var l=c[d++];b.push((h&31)<<6|l&63)}else if(240>h){l=c[d++];var m=c[d++];b.push((h&15)<<12|(l&63)<<6|m&63)}else if(248>h){l=c[d++];m=c[d++];var n=c[d++];h=(h&7)<<18|(l&63)<<12|(m&63)<<6|n&63;h-=65536;b.push((h>>10&1023)+55296,(h&1023)+56320)}8192<=b.length&&(f+=String.fromCharCode.apply(null,b),b.length=0)}c=f;if(8192>=b.length)b=String.fromCharCode.apply(null, -b);else{e="";for(f=0;fb||a.u+b>a.B.length)a.F=!0,b=new Uint8Array(0);else{var c=a.B.subarray(a.u,a.u+b);a.u+=b;b=c}return b}; -nf=function(){this.u=[]}; -g.of=function(a,b){for(;127>>=7;a.u.push(b)}; -g.pf=function(a,b){a.u.push(b>>>0&255);a.u.push(b>>>8&255);a.u.push(b>>>16&255);a.u.push(b>>>24&255)}; -g.sf=function(a,b){void 0===b&&(b=0);qf();for(var c=rf[b],d=[],e=0;e>2;f=(f&3)<<4|l>>4;l=(l&15)<<2|n>>6;n&=63;m||(n=64,h||(l=64));d.push(c[p],c[f],c[l]||"",c[n]||"")}return d.join("")}; -g.tf=function(a){for(var b=[],c=0,d=0;d>=8);b[c++]=e}return g.sf(b,3)}; -Taa=function(a){var b=[];uf(a,function(c){b.push(c)}); +Caa=function(a){for(var b=[],c=0;c")&&(a=a.replace(Laa,">"));-1!=a.indexOf('"')&&(a=a.replace(Maa,"""));-1!=a.indexOf("'")&&(a=a.replace(Naa,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(Oaa,"�"));return a}; +g.Vb=function(a,b){return-1!=a.indexOf(b)}; +ac=function(a,b){return g.Vb(a.toLowerCase(),b.toLowerCase())}; +g.ec=function(a,b){var c=0;a=cc(String(a)).split(".");b=cc(String(b)).split(".");for(var d=Math.max(a.length,b.length),e=0;0==c&&eb?1:0}; +g.hc=function(){var a=g.Ea.navigator;return a&&(a=a.userAgent)?a:""}; +mc=function(a){return ic||jc?kc?kc.brands.some(function(b){return(b=b.brand)&&g.Vb(b,a)}):!1:!1}; +nc=function(a){return g.Vb(g.hc(),a)}; +oc=function(){return ic||jc?!!kc&&0=a}; +$aa=function(a){return g.Pc?"webkit"+a:a.toLowerCase()}; +Qc=function(a,b){g.ib.call(this,a?a.type:"");this.relatedTarget=this.currentTarget=this.target=null;this.button=this.screenY=this.screenX=this.clientY=this.clientX=0;this.key="";this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.altKey=this.ctrlKey=!1;this.state=null;this.pointerId=0;this.pointerType="";this.j=null;a&&this.init(a,b)}; +Rc=function(a){return!(!a||!a[aba])}; +cba=function(a,b,c,d,e){this.listener=a;this.proxy=null;this.src=b;this.type=c;this.capture=!!d;this.ud=e;this.key=++bba;this.removed=this.cF=!1}; +Sc=function(a){a.removed=!0;a.listener=null;a.proxy=null;a.src=null;a.ud=null}; +g.Tc=function(a,b,c){for(var d in a)b.call(c,a[d],d,a)}; +g.Uc=function(a,b,c){var d={},e;for(e in a)b.call(c,a[e],e,a)&&(d[e]=a[e]);return d}; +Vc=function(a,b){var c={},d;for(d in a)c[d]=b.call(void 0,a[d],d,a);return c}; +g.Wc=function(a,b,c){for(var d in a)if(b.call(c,a[d],d,a))return!0;return!1}; +dba=function(a,b){for(var c in a)if(!b.call(void 0,a[c],c,a))return!1;return!0}; +g.Xc=function(a){for(var b in a)return b}; +eba=function(a){for(var b in a)return a[b]}; +Yc=function(a){var b=[],c=0,d;for(d in a)b[c++]=a[d];return b}; +g.Zc=function(a){var b=[],c=0,d;for(d in a)b[c++]=d;return b}; +g.$c=function(a,b){return null!==a&&b in a}; +g.ad=function(a,b){for(var c in a)if(a[c]==b)return!0;return!1}; +gd=function(a,b){for(var c in a)if(b.call(void 0,a[c],c,a))return c}; +fba=function(a,b){return(b=gd(a,b))&&a[b]}; +g.hd=function(a){for(var b in a)return!1;return!0}; +g.gba=function(a){for(var b in a)delete a[b]}; +g.id=function(a,b){b in a&&delete a[b]}; +g.jd=function(a,b,c){return null!==a&&b in a?a[b]:c}; +g.kd=function(a,b){for(var c in a)if(!(c in b)||a[c]!==b[c])return!1;for(var d in b)if(!(d in a))return!1;return!0}; +g.md=function(a){var b={},c;for(c in a)b[c]=a[c];return b}; +g.nd=function(a){if(!a||"object"!==typeof a)return a;if("function"===typeof a.clone)return a.clone();if("undefined"!==typeof Map&&a instanceof Map)return new Map(a);if("undefined"!==typeof Set&&a instanceof Set)return new Set(a);if(a instanceof Date)return new Date(a.getTime());var b=Array.isArray(a)?[]:"function"!==typeof ArrayBuffer||"function"!==typeof ArrayBuffer.isView||!ArrayBuffer.isView(a)||a instanceof DataView?{}:new a.constructor(a.length),c;for(c in a)b[c]=g.nd(a[c]);return b}; +g.od=function(a,b){for(var c,d,e=1;ea.u&&(a.u++,b.next=a.j,a.j=b)}; +Ld=function(a){return function(){return a}}; +g.Md=function(){}; +rba=function(a){var b=b||0;return function(){return a.apply(this,Array.prototype.slice.call(arguments,0,b))}}; +Nd=function(a){var b=!1,c;return function(){b||(c=a(),b=!0);return c}}; +Od=function(a){var b=a;return function(){if(b){var c=b;b=null;c()}}}; +sba=function(a,b){var c=0;return function(d){g.Ea.clearTimeout(c);var e=arguments;c=g.Ea.setTimeout(function(){a.apply(b,e)},50)}}; +Ud=function(){if(void 0===Td){var a=null,b=g.Ea.trustedTypes;if(b&&b.createPolicy){try{a=b.createPolicy("goog#html",{createHTML:Ua,createScript:Ua,createScriptURL:Ua})}catch(c){g.Ea.console&&g.Ea.console.error(c.message)}Td=a}else Td=a}return Td}; +Vd=function(a,b){this.j=a===tba&&b||"";this.u=uba}; +Wd=function(a){return a instanceof Vd&&a.constructor===Vd&&a.u===uba?a.j:"type_error:Const"}; +g.Xd=function(a){return new Vd(tba,a)}; +Yd=function(a,b){this.j=b===vba?a:"";this.Qo=!0}; +wba=function(a){return a instanceof Yd&&a.constructor===Yd?a.j:"type_error:SafeScript"}; +xba=function(a){var b=Ud();a=b?b.createScript(a):a;return new Yd(a,vba)}; +Zd=function(a,b){this.j=b===yba?a:""}; +zba=function(a){return a instanceof Zd&&a.constructor===Zd?a.j:"type_error:TrustedResourceUrl"}; +Cba=function(a,b){var c=Wd(a);if(!Aba.test(c))throw Error("Invalid TrustedResourceUrl format: "+c);a=c.replace(Bba,function(d,e){if(!Object.prototype.hasOwnProperty.call(b,e))throw Error('Found marker, "'+e+'", in format string, "'+c+'", but no valid label mapping found in args: '+JSON.stringify(b));d=b[e];return d instanceof Vd?Wd(d):encodeURIComponent(String(d))}); +return $d(a)}; +$d=function(a){var b=Ud();a=b?b.createScriptURL(a):a;return new Zd(a,yba)}; +ae=function(a,b){this.j=b===Dba?a:""}; +g.be=function(a){return a instanceof ae&&a.constructor===ae?a.j:"type_error:SafeUrl"}; +Eba=function(a){var b=a.indexOf("#");0a*b?a+b:a}; +De=function(a,b,c){return a+c*(b-a)}; +Ee=function(a,b){return 1E-6>=Math.abs(a-b)}; +g.Fe=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; +Ge=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; +g.He=function(a,b){this.width=a;this.height=b}; +g.Ie=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; +Je=function(a){return a.width*a.height}; +g.Ke=function(a){return encodeURIComponent(String(a))}; +Le=function(a){return decodeURIComponent(a.replace(/\+/g," "))}; +g.Me=function(a){return a=Ub(a)}; +g.Qe=function(a){return null==a?"":String(a)}; +Re=function(a){for(var b=0,c=0;c>>0;return b}; +Se=function(a){var b=Number(a);return 0==b&&g.Tb(a)?NaN:b}; +bca=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; +cca=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; +dca=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; +eca=function(a){var b=1;a=a.split(":");for(var c=[];0a}; +Df=function(a,b,c){if(!b&&!c)return null;var d=b?String(b).toUpperCase():null;return Cf(a,function(e){return(!d||e.nodeName==d)&&(!c||"string"===typeof e.className&&g.rb(e.className.split(/\s+/),c))},!0)}; +Cf=function(a,b,c){a&&!c&&(a=a.parentNode);for(c=0;a;){if(b(a))return a;a=a.parentNode;c++}return null}; +Te=function(a){this.j=a||g.Ea.document||document}; +Ff=function(a){"function"!==typeof g.Ea.setImmediate||g.Ea.Window&&g.Ea.Window.prototype&&!tc()&&g.Ea.Window.prototype.setImmediate==g.Ea.setImmediate?(Ef||(Ef=nca()),Ef(a)):g.Ea.setImmediate(a)}; +nca=function(){var a=g.Ea.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!nc("Presto")&&(a=function(){var e=g.qf("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.Oa)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()}, +this); +f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); +if("undefined"!==typeof a&&!qc()){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.MS;c.MS=null;e()}}; +return function(e){d.next={MS:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.Ea.setTimeout(e,0)}}; +oca=function(a){g.Ea.setTimeout(function(){throw a;},0)}; +Gf=function(){this.u=this.j=null}; +Hf=function(){this.next=this.scope=this.fn=null}; +g.Mf=function(a,b){If||pca();Lf||(If(),Lf=!0);qca.add(a,b)}; +pca=function(){if(g.Ea.Promise&&g.Ea.Promise.resolve){var a=g.Ea.Promise.resolve(void 0);If=function(){a.then(rca)}}else If=function(){Ff(rca)}}; +rca=function(){for(var a;a=qca.remove();){try{a.fn.call(a.scope)}catch(b){oca(b)}qba(sca,a)}Lf=!1}; +g.Of=function(a){this.j=0;this.J=void 0;this.C=this.u=this.B=null;this.D=this.I=!1;if(a!=g.Md)try{var b=this;a.call(void 0,function(c){Nf(b,2,c)},function(c){Nf(b,3,c)})}catch(c){Nf(this,3,c)}}; +tca=function(){this.next=this.context=this.u=this.B=this.j=null;this.C=!1}; +Pf=function(a,b,c){var d=uca.get();d.B=a;d.u=b;d.context=c;return d}; +Qf=function(a){if(a instanceof g.Of)return a;var b=new g.Of(g.Md);Nf(b,2,a);return b}; +Rf=function(a){return new g.Of(function(b,c){c(a)})}; +g.wca=function(a,b,c){vca(a,b,c,null)||g.Mf(g.Pa(b,a))}; +xca=function(a){return new g.Of(function(b,c){a.length||b(void 0);for(var d=0,e;d=a.C&&a.gx()}; +Ica=function(a,b){return a.I.has(b)?void 0:a.u.get(b)}; +Jca=function(a){for(var b=0;b "+a)}; +eg=function(){throw Error("Invalid UTF8");}; +Vca=function(a,b){b=String.fromCharCode.apply(null,b);return null==a?b:a+b}; +Yca=function(a){var b=!1;b=void 0===b?!1:b;if(Wca){if(b&&/(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])/.test(a))throw Error("Found an unpaired surrogate");a=(Xca||(Xca=new TextEncoder)).encode(a)}else{for(var c=0,d=new Uint8Array(3*a.length),e=0;ef)d[c++]=f;else{if(2048>f)d[c++]=f>>6|192;else{if(55296<=f&&57343>=f){if(56319>=f&&e=h){f=1024*(f-55296)+h-56320+65536;d[c++]=f>> +18|240;d[c++]=f>>12&63|128;d[c++]=f>>6&63|128;d[c++]=f&63|128;continue}else e--}if(b)throw Error("Found an unpaired surrogate");f=65533}d[c++]=f>>12|224;d[c++]=f>>6&63|128}d[c++]=f&63|128}}a=c===d.length?d:d.subarray(0,c)}return a}; +Zca=function(a){return Array.prototype.map.call(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; +g.gg=function(a,b){void 0===b&&(b=0);ada();b=bda[b];for(var c=Array(Math.floor(a.length/3)),d=b[64]||"",e=0,f=0;e>2];h=b[(h&3)<<4|l>>4];l=b[(l&15)<<2|m>>6];m=b[m&63];c[f++]=""+n+h+l+m}n=0;m=d;switch(a.length-e){case 2:n=a[e+1],m=b[(n&15)<<2]||d;case 1:a=a[e],c[f]=""+b[a>>2]+b[(a&3)<<4|n>>4]+m+d}return c.join("")}; +g.hg=function(a,b){if(cda&&!b)a=g.Ea.btoa(a);else{for(var c=[],d=0,e=0;e>=8);c[d++]=f}a=g.gg(c,b)}return a}; +eda=function(a){var b=[];dda(a,function(c){b.push(c)}); return b}; -g.cf=function(a){!g.ye||g.ae("10");var b=a.length,c=3*b/4;c%3?c=Math.floor(c):-1!="=.".indexOf(a[b-1])&&(c=-1!="=.".indexOf(a[b-2])?c-2:c-1);var d=new Uint8Array(c),e=0;uf(a,function(f){d[e++]=f}); -return d.subarray(0,e)}; -uf=function(a,b){function c(m){for(;d>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; -qf=function(){if(!vf){vf={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));rf[c]=d;for(var e=0;eb;b++)a.u.push(c&127|128),c>>=7;a.u.push(1)}}; -g.Cf=function(a,b,c){if(null!=c&&null!=c){g.of(a.u,8*b);a=a.u;var d=c;c=0>d;d=Math.abs(d);b=d>>>0;d=Math.floor((d-b)/4294967296);d>>>=0;c&&(d=~d>>>0,b=(~b>>>0)+1,4294967295>>7|b<<25)>>>0,b>>>=7;a.u.push(c)}}; -g.Df=function(a,b,c){if(null!=c){g.of(a.u,8*b+1);a=a.u;var d=c;d=(c=0>d?1:0)?-d:d;if(0===d)g.Bf=0<1/d?0:2147483648,g.Af=0;else if(isNaN(d))g.Bf=2147483647,g.Af=4294967295;else if(1.7976931348623157E308>>0,g.Af=0;else if(2.2250738585072014E-308>d)d/=Math.pow(2,-1074),g.Bf=(c<<31|d/4294967296)>>>0,g.Af=d>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;g.Af=4503599627370496* -d>>>0}g.pf(a,g.Af);g.pf(a,g.Bf)}}; -g.Ef=function(){}; -g.Jf=function(a,b,c,d){a.u=null;b||(b=[]);a.I=void 0;a.C=-1;a.Mf=b;a:{if(b=a.Mf.length){--b;var e=a.Mf[b];if(!(null===e||"object"!=typeof e||Array.isArray(e)||Ff&&e instanceof Uint8Array)){a.D=b-a.C;a.B=e;break a}}a.D=Number.MAX_VALUE}a.F={};if(c)for(b=0;b>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; +ada=function(){if(!rg){rg={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));bda[c]=d;for(var e=0;ea;a=Math.abs(a);var c=a>>>0;a=Math.floor((a-c)/4294967296);b&&(c=g.t(qda(c,a)),b=c.next().value,a=c.next().value,c=b);Ag=c>>>0;Bg=a>>>0}; +tda=function(a){if(16>a.length)rda(Number(a));else if(sda)a=BigInt(a),Ag=Number(a&BigInt(4294967295))>>>0,Bg=Number(a>>BigInt(32)&BigInt(4294967295));else{var b=+("-"===a[0]);Bg=Ag=0;for(var c=a.length,d=0+b,e=(c-b)%6+b;e<=c;d=e,e+=6)d=Number(a.slice(d,e)),Bg*=1E6,Ag=1E6*Ag+d,4294967296<=Ag&&(Bg+=Ag/4294967296|0,Ag%=4294967296);b&&(b=g.t(qda(Ag,Bg)),a=b.next().value,b=b.next().value,Ag=a,Bg=b)}}; +qda=function(a,b){b=~b;a?a=~a+1:b+=1;return[a,b]}; +Cg=function(a,b){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.init(a,void 0,void 0,b)}; +Eg=function(a){var b=0,c=0,d=0,e=a.u,f=a.j;do{var h=e[f++];b|=(h&127)<d&&h&128);32>4);for(d=3;32>d&&h&128;d+=7)h=e[f++],c|=(h&127)<h){a=b>>>0;h=c>>>0;if(c=h&2147483648)a=~a+1>>>0,h=~h>>>0,0==a&&(h=h+1>>>0);a=4294967296*h+(a>>>0);return c?-a:a}throw dg();}; +Dg=function(a,b){a.j=b;if(b>a.B)throw Uca(a.B,b);}; +Fg=function(a){var b=a.u,c=a.j,d=b[c++],e=d&127;if(d&128&&(d=b[c++],e|=(d&127)<<7,d&128&&(d=b[c++],e|=(d&127)<<14,d&128&&(d=b[c++],e|=(d&127)<<21,d&128&&(d=b[c++],e|=d<<28,d&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128)))))throw dg();Dg(a,c);return e}; +Gg=function(a){var b=a.u,c=a.j,d=b[c+0],e=b[c+1],f=b[c+2];b=b[c+3];a.advance(4);return(d<<0|e<<8|f<<16|b<<24)>>>0}; +Hg=function(a){var b=Gg(a),c=Gg(a);a=2*(c>>31)+1;var d=c>>>20&2047;b=4294967296*(c&1048575)+b;return 2047==d?b?NaN:Infinity*a:0==d?a*Math.pow(2,-1074)*b:a*Math.pow(2,d-1075)*(b+4503599627370496)}; +Ig=function(a){for(var b=0,c=a.j,d=c+10,e=a.u;cb)throw Error("Tried to read a negative byte length: "+b);var c=a.j,d=c+b;if(d>a.B)throw Uca(b,a.B-c);a.j=d;return c}; +wda=function(a,b){if(0==b)return wg();var c=uda(a,b);a.XE&&a.D?c=a.u.subarray(c,c+b):(a=a.u,b=c+b,c=c===b?tg():vda?a.slice(c,b):new Uint8Array(a.subarray(c,b)));return pda(c)}; +Kg=function(a,b){if(Jg.length){var c=Jg.pop();c.init(a,void 0,void 0,b);a=c}else a=new Cg(a,b);this.j=a;this.B=this.j.j;this.u=this.C=-1;xda(this,b)}; +xda=function(a,b){b=void 0===b?{}:b;a.mL=void 0===b.mL?!1:b.mL}; +yda=function(a){var b=a.j;if(b.j==b.B)return!1;a.B=a.j.j;var c=Fg(a.j)>>>0;b=c>>>3;c&=7;if(!(0<=c&&5>=c))throw Tca(c,a.B);if(1>b)throw Error("Invalid field number: "+b+" (at position "+a.B+")");a.C=b;a.u=c;return!0}; +Lg=function(a){switch(a.u){case 0:0!=a.u?Lg(a):Ig(a.j);break;case 1:a.j.advance(8);break;case 2:if(2!=a.u)Lg(a);else{var b=Fg(a.j)>>>0;a.j.advance(b)}break;case 5:a.j.advance(4);break;case 3:b=a.C;do{if(!yda(a))throw Error("Unmatched start-group tag: stream EOF");if(4==a.u){if(a.C!=b)throw Error("Unmatched end-group tag");break}Lg(a)}while(1);break;default:throw Tca(a.u,a.B);}}; +Mg=function(a,b,c){var d=a.j.B,e=Fg(a.j)>>>0,f=a.j.j+e,h=f-d;0>=h&&(a.j.B=f,c(b,a,void 0,void 0,void 0),h=f-a.j.j);if(h)throw Error("Message parsing ended unexpectedly. Expected to read "+(e+" bytes, instead read "+(e-h)+" bytes, either the data ended unexpectedly or the message misreported its own length"));a.j.j=f;a.j.B=d}; +Pg=function(a){var b=Fg(a.j)>>>0;a=a.j;var c=uda(a,b);a=a.u;if(zda){var d=a,e;(e=Ng)||(e=Ng=new TextDecoder("utf-8",{fatal:!0}));a=c+b;d=0===c&&a===d.length?d:d.subarray(c,a);try{var f=e.decode(d)}catch(n){if(void 0===Og){try{e.decode(new Uint8Array([128]))}catch(p){}try{e.decode(new Uint8Array([97])),Og=!0}catch(p){Og=!1}}!Og&&(Ng=void 0);throw n;}}else{f=c;b=f+b;c=[];for(var h=null,l,m;fl?c.push(l):224>l?f>=b?eg():(m=a[f++],194>l||128!==(m&192)?(f--,eg()):c.push((l&31)<<6|m&63)): +240>l?f>=b-1?eg():(m=a[f++],128!==(m&192)||224===l&&160>m||237===l&&160<=m||128!==((d=a[f++])&192)?(f--,eg()):c.push((l&15)<<12|(m&63)<<6|d&63)):244>=l?f>=b-2?eg():(m=a[f++],128!==(m&192)||0!==(l<<28)+(m-144)>>30||128!==((d=a[f++])&192)||128!==((e=a[f++])&192)?(f--,eg()):(l=(l&7)<<18|(m&63)<<12|(d&63)<<6|e&63,l-=65536,c.push((l>>10&1023)+55296,(l&1023)+56320))):eg(),8192<=c.length&&(h=Vca(h,c),c.length=0);f=Vca(h,c)}return f}; +Ada=function(a){var b=Fg(a.j)>>>0;return wda(a.j,b)}; +Bda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Dda=function(a){if(!a)return Cda||(Cda=new Bda(0,0));if(!/^\d+$/.test(a))return null;tda(a);return new Bda(Ag,Bg)}; +Eda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Gda=function(a){if(!a)return Fda||(Fda=new Eda(0,0));if(!/^-?\d+$/.test(a))return null;tda(a);return new Eda(Ag,Bg)}; +Zg=function(){this.j=[]}; +Hda=function(a,b,c){for(;0>>7|c<<25)>>>0,c>>>=7;a.j.push(b)}; +$g=function(a,b){for(;127>>=7;a.j.push(b)}; +Ida=function(a,b){if(0<=b)$g(a,b);else{for(var c=0;9>c;c++)a.j.push(b&127|128),b>>=7;a.j.push(1)}}; +ah=function(a,b){a.j.push(b>>>0&255);a.j.push(b>>>8&255);a.j.push(b>>>16&255);a.j.push(b>>>24&255)}; +Jda=function(){this.B=[];this.u=0;this.j=new Zg}; +bh=function(a,b){0!==b.length&&(a.B.push(b),a.u+=b.length)}; +Kda=function(a,b){ch(a,b,2);b=a.j.end();bh(a,b);b.push(a.u);return b}; +Lda=function(a,b){var c=b.pop();for(c=a.u+a.j.length()-c;127>>=7,a.u++;b.push(c);a.u++}; +Mda=function(a,b){if(b=b.uC){bh(a,a.j.end());for(var c=0;c>>0,c=Math.floor((c-b)/4294967296)>>>0,Ag=b,Bg=c,ah(a,Ag),ah(a,Bg)):(c=Dda(c),a=a.j,b=c.j,ah(a,c.u),ah(a,b)))}; +dh=function(a,b,c){ch(a,b,2);$g(a.j,c.length);bh(a,a.j.end());bh(a,c)}; +fh=function(a,b){if(eh)return a[eh]|=b;if(void 0!==a.So)return a.So|=b;Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return b}; +Oda=function(a,b){var c=gh(a);(c&b)!==b&&(Object.isFrozen(a)&&(a=Array.prototype.slice.call(a)),hh(a,c|b));return a}; +Pda=function(a,b){eh?a[eh]&&(a[eh]&=~b):void 0!==a.So&&(a.So&=~b)}; +gh=function(a){var b;eh?b=a[eh]:b=a.So;return null==b?0:b}; +hh=function(a,b){eh?a[eh]=b:void 0!==a.So?a.So=b:Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return a}; +ih=function(a){fh(a,1);return a}; +jh=function(a){return!!(gh(a)&2)}; +Qda=function(a){fh(a,16);return a}; +Rda=function(a,b){hh(b,(a|0)&-51)}; +kh=function(a,b){hh(b,(a|18)&-41)}; +Sda=function(a){return null!==a&&"object"===typeof a&&!Array.isArray(a)&&a.constructor===Object}; +lh=function(a,b,c,d){if(null==a){if(!c)throw Error();}else if("string"===typeof a)a=a?new vg(a,ug):wg();else if(a.constructor!==vg)if(sg(a))a=d?pda(a):a.length?new vg(new Uint8Array(a),ug):wg();else{if(!b)throw Error();a=void 0}return a}; +nh=function(a){mh(gh(a.Re))}; +mh=function(a){if(a&2)throw Error();}; +oh=function(a){if(null!=a&&"number"!==typeof a)throw Error("Value of float/double field must be a number|null|undefined, found "+typeof a+": "+a);return a}; +Tda=function(a){return a.displayName||a.name||"unknown type name"}; +Uda=function(a){return null==a?a:!!a}; +Vda=function(a){return a}; +Wda=function(a){return a}; +Xda=function(a){return a}; +Yda=function(a){return a}; +ph=function(a,b){if(!(a instanceof b))throw Error("Expected instanceof "+Tda(b)+" but got "+(a&&Tda(a.constructor)));return a}; +rh=function(a,b,c,d){var e=!1;if(null!=a&&"object"===typeof a&&!(e=Array.isArray(a))&&a.pN===qh)return a;if(!e)return c?d&2?(a=b[Zda])?b=a:(a=new b,fh(a.Re,18),b=b[Zda]=a):b=new b:b=void 0,b;e=c=gh(a);0===e&&(e|=d&16);e|=d&2;e!==c&&hh(a,e);return new b(a)}; +$da=function(a){var b=a.u+a.vu;0<=b&&Number.isInteger(b);return a.mq||(a.mq=a.Re[b]={})}; +Ah=function(a,b,c){return-1===b?null:b>=a.u?a.mq?a.mq[b]:void 0:c&&a.mq&&(c=a.mq[b],null!=c)?c:a.Re[b+a.vu]}; +H=function(a,b,c,d){nh(a);return Bh(a,b,c,d)}; +Bh=function(a,b,c,d){a.C&&(a.C=void 0);if(b>=a.u||d)return $da(a)[b]=c,a;a.Re[b+a.vu]=c;(c=a.mq)&&b in c&&delete c[b];return a}; +Ch=function(a,b,c){return void 0!==aea(a,b,c,!1)}; +Eh=function(a,b,c,d,e){var f=Ah(a,b,d);Array.isArray(f)||(f=Dh);var h=gh(f);h&1||ih(f);if(e)h&2||fh(f,18),c&1||Object.freeze(f);else{e=!(c&2);var l=h&2;c&1||!l?e&&h&16&&!l&&Pda(f,16):(f=ih(Array.prototype.slice.call(f)),Bh(a,b,f,d))}return f}; +bea=function(a,b){var c=Ah(a,b);var d=null==c?c:"number"===typeof c||"NaN"===c||"Infinity"===c||"-Infinity"===c?Number(c):void 0;null!=d&&d!==c&&Bh(a,b,d);return d}; +cea=function(a,b){var c=Ah(a,b),d=lh(c,!0,!0,!!(gh(a.Re)&18));null!=d&&d!==c&&Bh(a,b,d);return d}; +Fh=function(a,b,c,d,e){var f=jh(a.Re),h=Eh(a,b,e||1,d,f),l=gh(h);if(!(l&4)){Object.isFrozen(h)&&(h=ih(h.slice()),Bh(a,b,h,d));for(var m=0,n=0;mc||c>=a.length)throw Error();return a[c]}; +mea=function(a,b){ci=b;a=new a(b);ci=void 0;return a}; +oea=function(a,b){return nea(b)}; +nea=function(a){switch(typeof a){case "number":return isFinite(a)?a:String(a);case "object":if(a&&!Array.isArray(a)){if(sg(a))return gda(a);if(a instanceof vg){var b=a.j;return null==b?"":"string"===typeof b?b:a.j=gda(b)}}}return a}; +pea=function(a,b,c,d,e,f){if(null!=a){if(Array.isArray(a))a=e&&0==a.length&&gh(a)&1?void 0:f&&gh(a)&2?a:di(a,b,c,void 0!==d,e,f);else if(Sda(a)){var h={},l;for(l in a)h[l]=pea(a[l],b,c,d,e,f);a=h}else a=b(a,d);return a}}; +di=function(a,b,c,d,e,f){var h=gh(a);d=d?!!(h&16):void 0;a=Array.prototype.slice.call(a);for(var l=0;lh&&"number"!==typeof a[h]){var l=a[h++];c(b,l)}for(;hd?-2147483648:0)?-d:d,1.7976931348623157E308>>0,Ag=0;else if(2.2250738585072014E-308>d)b=d/Math.pow(2,-1074),Bg=(c|b/4294967296)>>>0,Ag=b>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;Ag=4503599627370496*d>>>0}ah(a, +Ag);ah(a,Bg)}}; +oi=function(a,b,c){b=Ah(b,c);null!=b&&("string"===typeof b&&Gda(b),null!=b&&(ch(a,c,0),"number"===typeof b?(a=a.j,rda(b),Hda(a,Ag,Bg)):(c=Gda(b),Hda(a.j,c.u,c.j))))}; +pi=function(a,b,c){a:if(b=Ah(b,c),null!=b){switch(typeof b){case "string":b=+b;break a;case "number":break a}b=void 0}null!=b&&null!=b&&(ch(a,c,0),Ida(a.j,b))}; +Lea=function(a,b,c){b=Uda(Ah(b,c));null!=b&&(ch(a,c,0),a.j.j.push(b?1:0))}; +Mea=function(a,b,c){b=Ah(b,c);null!=b&&dh(a,c,Yca(b))}; +Nea=function(a,b,c,d,e){b=Mh(b,d,c);null!=b&&(c=Kda(a,c),e(b,a),Lda(a,c))}; +Oea=function(a){return function(){var b=new Jda;Cea(this,b,li(a));bh(b,b.j.end());for(var c=new Uint8Array(b.u),d=b.B,e=d.length,f=0,h=0;hv;v+=4)r[v/4]=q[v]<<24|q[v+1]<<16|q[v+2]<<8|q[v+3];for(v=16;80>v;v++)q=r[v-3]^r[v-8]^r[v-14]^r[v-16],r[v]=(q<<1|q>>>31)&4294967295;q=e[0];var x=e[1],z=e[2],B=e[3],F=e[4];for(v=0;80>v;v++){if(40>v)if(20>v){var G=B^x&(z^B);var D=1518500249}else G=x^z^B,D=1859775393;else 60>v?(G=x&z|B&(x|z),D=2400959708):(G=x^z^B,D=3395469782);G=((q<<5|q>>>27)&4294967295)+G+F+D+r[v]&4294967295;F=B;B=z;z=(x<<30|x>>>2)&4294967295;x=q;q=G}e[0]=e[0]+q&4294967295;e[1]=e[1]+x&4294967295;e[2]= +e[2]+z&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+F&4294967295} +function c(q,r){if("string"===typeof q){q=unescape(encodeURIComponent(q));for(var v=[],x=0,z=q.length;xn?c(l,56-n):c(l,64-(n-56));for(var v=63;56<=v;v--)f[v]=r&255,r>>>=8;b(f);for(v=r=0;5>v;v++)for(var x=24;0<=x;x-=8)q[r++]=e[v]>>x&255;return q} +for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,I2:function(){for(var q=d(),r="",v=0;vc&&(c=a.length);var d=a.indexOf("?");if(0>d||d>c){d=c;var e=""}else e=a.substring(d+1,c);a=[a.slice(0,d),e,a.slice(c)];c=a[1];a[1]=b?c?c+"&"+b:b:c;return a[0]+(a[1]?"?"+a[1]:"")+a[2]}; +Xi=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return Le(a.slice(d,-1!==e?e:0))}; +mj=function(a,b){for(var c=a.search(xfa),d=0,e,f=[];0<=(e=wfa(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.slice(d));return f.join("").replace(yfa,"$1")}; +zfa=function(a,b,c){return $i(mj(a,b),b,c)}; +g.nj=function(a){g.Fd.call(this);this.headers=new Map;this.T=a||null;this.B=!1;this.ya=this.j=null;this.Z="";this.u=0;this.C="";this.D=this.Ga=this.ea=this.Aa=!1;this.J=0;this.oa=null;this.Ja="";this.La=this.I=!1}; +Bfa=function(a,b,c,d,e,f,h){var l=new g.nj;Afa.push(l);b&&l.Ra("complete",b);l.CG("ready",l.j2);f&&(l.J=Math.max(0,f));h&&(l.I=h);l.send(a,c,d,e)}; +Cfa=function(a){return g.mf&&"number"===typeof a.timeout&&void 0!==a.ontimeout}; +Efa=function(a,b){a.B=!1;a.j&&(a.D=!0,a.j.abort(),a.D=!1);a.C=b;a.u=5;Dfa(a);oj(a)}; +Dfa=function(a){a.Aa||(a.Aa=!0,a.dispatchEvent("complete"),a.dispatchEvent("error"))}; +Ffa=function(a){if(a.B&&"undefined"!=typeof pj)if(a.ya[1]&&4==g.qj(a)&&2==a.getStatus())a.getStatus();else if(a.ea&&4==g.qj(a))g.ag(a.yW,0,a);else if(a.dispatchEvent("readystatechange"),a.isComplete()){a.getStatus();a.B=!1;try{if(rj(a))a.dispatchEvent("complete"),a.dispatchEvent("success");else{a.u=6;try{var b=2a.ib()?"https://www.google.com/log?format=json&hasfast=true":"https://play.google.com/log?format=json&hasfast=true");return a.Z}; +Vfa=function(a,b){a.D=new g.Ki(1>b?1:b,3E5,.1);a.j.setInterval(a.D.getValue())}; +Xfa=function(a){Wfa(a,function(b,c){b=$i(b,"format","json");var d=!1;try{d=nf().navigator.sendBeacon(b,c.jp())}catch(e){}a.ya&&!d&&(a.ya=!1);return d})}; +Wfa=function(a,b){if(0!==a.u.length){var c=mj(Ufa(a),"format");c=vfa(c,"auth",a.La(),"authuser",a.sessionIndex||"0");for(var d=0;10>d&&a.u.length;++d){var e=a.u.slice(0,32),f=a.C.wf(e,a.J,a.I);if(!b(c,f)){++a.I;break}a.J=0;a.I=0;a.u=a.u.slice(e.length)}a.j.enabled&&a.j.stop()}}; +Yfa=function(a){g.ib.call(this,"event-logged",void 0);this.j=a}; +Sfa=function(a,b){this.B=b=void 0===b?!1:b;this.u=this.locale=null;this.j=new Ofa;H(this.j,2,a);b||(this.locale=document.documentElement.getAttribute("lang"));zj(this,new $h)}; +zj=function(a,b){I(a.j,$h,1,b);Ah(b,1)||H(b,1,1);a.B||(b=Bj(a),Ah(b,5)||H(b,5,a.locale));a.u&&(b=Bj(a),Mh(b,wj,9)||I(b,wj,9,a.u))}; +Zfa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,1,b))}; +$fa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,2,b))}; +cga=function(a,b){var c=void 0===c?aga:c;b(nf(),c).then(function(d){a.u=d;d=Bj(a);I(d,wj,9,a.u);return!0}).catch(function(){return!1})}; +Bj=function(a){a=Mh(a.j,$h,1);var b=Mh(a,xj,11);b||(b=new xj,I(a,xj,11,b));return b}; +Cj=function(a){a=Bj(a);var b=Mh(a,vj,10);b||(b=new vj,H(b,2,!1),I(a,vj,10,b));return b}; +dga=function(a,b,c){Bfa(a.url,function(d){d=d.target;rj(d)?b(g.sj(d)):c(d.getStatus())},a.requestType,a.body,a.dw,a.timeoutMillis,a.withCredentials)}; +Dj=function(a,b){g.C.call(this);this.I=a;this.Ga=b;this.C="https://play.google.com/log?format=json&hasfast=true";this.D=!1;this.oa=dga;this.j=""}; +Ej=function(a,b,c,d,e,f){a=void 0===a?-1:a;b=void 0===b?"":b;c=void 0===c?"":c;d=void 0===d?!1:d;e=void 0===e?"":e;g.C.call(this);f?b=f:(a=new Dj(a,"0"),a.j=b,g.E(this,a),""!=c&&(a.C=c),d&&(a.D=!0),e&&(a.u=e),b=a.wf());this.j=b}; +ega=function(a){switch(a){case 200:return 0;case 400:return 3;case 401:return 16;case 403:return 7;case 404:return 5;case 409:return 10;case 412:return 9;case 429:return 8;case 499:return 1;case 500:return 2;case 501:return 12;case 503:return 14;case 504:return 4;default:return 2}}; +fga=function(a){switch(a){case 0:return"OK";case 1:return"CANCELLED";case 2:return"UNKNOWN";case 3:return"INVALID_ARGUMENT";case 4:return"DEADLINE_EXCEEDED";case 5:return"NOT_FOUND";case 6:return"ALREADY_EXISTS";case 7:return"PERMISSION_DENIED";case 16:return"UNAUTHENTICATED";case 8:return"RESOURCE_EXHAUSTED";case 9:return"FAILED_PRECONDITION";case 10:return"ABORTED";case 11:return"OUT_OF_RANGE";case 12:return"UNIMPLEMENTED";case 13:return"INTERNAL";case 14:return"UNAVAILABLE";case 15:return"DATA_LOSS"; +default:return""}}; +Fj=function(a,b,c){c=void 0===c?{}:c;b=Error.call(this,b);this.message=b.message;"stack"in b&&(this.stack=b.stack);this.code=a;this.metadata=c}; +Gj=function(){var a,b,c;return null!=(c=null==(a=globalThis.performance)?void 0:null==(b=a.now)?void 0:b.call(a))?c:Date.now()}; +Hj=function(a,b){this.logger=a;this.j=b;this.startMillis=Gj()}; +Ij=function(a,b){this.logger=a;this.operation=b;this.startMillis=Gj()}; +gga=function(a,b){var c=Gj()-a.startMillis;a.logger.fN(b?"h":"m",c)}; +hga=function(){}; +iga=function(a,b){this.sf=a;a=new Dj(1654,"0");a.u="10";if(b){var c=new Qea;b=fea(c,b,Vda);a.B=b}b=new Ej(1654,"","",!1,"",a.wf());b=new g.cg(b);this.clientError=new Mca(b);this.J=new Lca(b);this.T=new Kca(b);this.I=new Nca(b);this.B=new Oca(b);this.C=new Pca(b);this.j=new Qca(b);this.D=new Rca(b);this.u=new Sca(b)}; +jga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fiec",{Xe:3,We:"rk"},{Xe:2,We:"ec"})}; +Jj=function(a,b,c){a.j.yl("/client_streamz/bg/fiec",b,c)}; +kga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fil",{Xe:3,We:"rk"})}; +lga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fsc",{Xe:3,We:"rk"})}; +mga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fsl",{Xe:3,We:"rk"})}; +pga=function(a){function b(){c-=d;c-=e;c^=e>>>13;d-=e;d-=c;d^=c<<8;e-=c;e-=d;e^=d>>>13;c-=d;c-=e;c^=e>>>12;d-=e;d-=c;d^=c<<16;e-=c;e-=d;e^=d>>>5;c-=d;c-=e;c^=e>>>3;d-=e;d-=c;d^=c<<10;e-=c;e-=d;e^=d>>>15} +a=nga(a);for(var c=2654435769,d=2654435769,e=314159265,f=a.length,h=f,l=0;12<=h;h-=12,l+=12)c+=Kj(a,l),d+=Kj(a,l+4),e+=Kj(a,l+8),b();e+=f;switch(h){case 11:e+=a[l+10]<<24;case 10:e+=a[l+9]<<16;case 9:e+=a[l+8]<<8;case 8:d+=a[l+7]<<24;case 7:d+=a[l+6]<<16;case 6:d+=a[l+5]<<8;case 5:d+=a[l+4];case 4:c+=a[l+3]<<24;case 3:c+=a[l+2]<<16;case 2:c+=a[l+1]<<8;case 1:c+=a[l+0]}b();return oga.toString(e)}; +nga=function(a){for(var b=[],c=0;ca.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; -g.Eg=function(a){var b=me(a),c=new g.ge(0,0);var d=b?me(b):document;d=!g.ye||g.be(9)||"CSS1Compat"==oe(d).u.compatMode?d.documentElement:d.body;if(a==d)return c;a=Dg(a);b=ze(oe(b).u);c.x=a.left+b.x;c.y=a.top+b.y;return c}; -Gg=function(a,b){var c=new g.ge(0,0),d=Be(me(a));if(!Xd(d,"parent"))return c;var e=a;do{var f=d==b?g.Eg(e):Fg(e);c.x+=f.x;c.y+=f.y}while(d&&d!=b&&d!=d.parent&&(e=d.frameElement)&&(d=d.parent));return c}; -g.Jg=function(a,b){var c=Hg(a),d=Hg(b);return new g.ge(c.x-d.x,c.y-d.y)}; -Fg=function(a){a=Dg(a);return new g.ge(a.left,a.top)}; -Hg=function(a){if(1==a.nodeType)return Fg(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.ge(a.clientX,a.clientY)}; -g.Kg=function(a,b,c){if(b instanceof g.ie)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Bg(b,!0);a.style.height=g.Bg(c,!0)}; -g.Bg=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; -g.Lg=function(a){var b=hba;if("none"!=Ag(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; -hba=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Ae&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Dg(a),new g.ie(a.right-a.left,a.bottom-a.top)):new g.ie(b,c)}; -g.Mg=function(a,b){a.style.display=b?"":"none"}; -Qg=function(){if(Ng&&!bg(Og)){var a="."+Pg.domain;try{for(;2b)throw Error("Bad port number "+b);a.C=b}else a.C=null}; +Fk=function(a,b,c){b instanceof Hk?(a.u=b,Uga(a.u,a.J)):(c||(b=Ik(b,Vga)),a.u=new Hk(b,a.J))}; +g.Jk=function(a,b,c){a.u.set(b,c)}; +g.Kk=function(a){return a instanceof g.Bk?a.clone():new g.Bk(a)}; +Gk=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; +Ik=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,Wga),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; +Wga=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; +Hk=function(a,b){this.u=this.j=null;this.B=a||null;this.C=!!b}; +Ok=function(a){a.j||(a.j=new Map,a.u=0,a.B&&Vi(a.B,function(b,c){a.add(Le(b),c)}))}; +Xga=function(a,b){Ok(a);b=Pk(a,b);return a.j.has(b)}; +g.Yga=function(a,b,c){a.remove(b);0>7,a.error.code].concat(g.fg(b)))}; +kl=function(a,b,c){dl.call(this,a);this.I=b;this.clientState=c;this.B="S";this.u="q"}; +el=function(a){return new Promise(function(b){return void setTimeout(b,a)})}; +ll=function(a,b){return Promise.race([a,el(12E4).then(b)])}; +ml=function(a){this.j=void 0;this.C=new g.Wj;this.state=1;this.B=0;this.u=void 0;this.Qu=a.Qu;this.jW=a.jW;this.onError=a.onError;this.logger=a.k8a?new hga:new iga(a.sf,a.WS);this.DH=!!a.DH}; +qha=function(a,b){var c=oha(a);return new ml({sf:a,Qu:c,onError:b,WS:void 0})}; +rha=function(a,b,c){var d=window.webpocb;if(!d)throw new cl(4,Error("PMD:Undefined"));d=d(yg(Gh(b,1)));if(!(d instanceof Function))throw new cl(16,Error("APF:Failed"));return new gl(a.logger,c,d,Th(Zh(b,3),0),1E3*Th(Zh(b,2),0))}; +sha=function(a){var b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B;return g.A(function(F){switch(F.j){case 1:b=void 0,c=a.isReady()?6E4:1E3,d=new g.Ki(c,6E5,.25,2),e=1;case 2:if(!(2>=e)){F.Ka(4);break}g.pa(F,5);a.state=3;a.B=e-1;return g.y(F,a.u&&1===e?a.u:a.EF(e),7);case 7:return f=F.u,a.u=void 0,a.state=4,h=new Hj(a.logger,"b"),g.y(F,Cga(f),8);case 8:return l=new Xj({challenge:f}),a.state=5,g.y(F,ll(l.snapshot({}),function(){return Promise.reject(new cl(15,"MDA:Timeout"))}),9); +case 9:return m=F.u,h.done(),a.state=6,g.y(F,ll(a.logger.gN("g",e,Jga(a.Qu,m)),function(){return Promise.reject(new cl(10,"BWB:Timeout"))}),10); +case 10:n=F.u;a.state=7;p=new Hj(a.logger,"i");if(g.ai(n,4)){l.dispose();var G=new il(a.logger,g.ai(n,4),1E3*Th(Zh(n,2),0))}else Th(Zh(n,3),0)?G=rha(a,n,l):(l.dispose(),G=new hl(a.logger,yg(Gh(n,1)),1E3*Th(Zh(n,2),0)));q=G;p.done();v=r=void 0;null==(v=(r=a).jW)||v.call(r,yg(Gh(n,1)));a.state=8;return F.return(q);case 5:x=g.sa(F);b=x instanceof cl?x:x instanceof Fj?new cl(11,x):new cl(12,x);a.logger.JC(b.code);B=z=void 0;null==(B=(z=a).onError)||B.call(z,b);a:{if(x instanceof Fj)switch(x.code){case 2:case 13:case 14:case 4:break; +default:G=!1;break a}G=!0}if(!G)throw b;return g.y(F,el(d.getValue()),11);case 11:g.Li(d);case 3:e++;F.Ka(2);break;case 4:throw b;}})}; +tha=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:return b=void 0,g.pa(e,4),g.y(e,sha(a),6);case 6:b=e.u;g.ra(e,5);break;case 4:c=g.sa(e);if(a.j){a.logger.JC(13);e.Ka(0);break}a.logger.JC(14);c instanceof cl||(c=new cl(14,c instanceof Error?c:Error(String(c))));b=new jl(a.logger,c,!a.DH);case 5:return d=void 0,null==(d=a.j)||d.dispose(),a.j=b,a.C.resolve(),g.y(e,a.j.D.promise,1)}})}; +uha=function(a){try{var b=!0;if(globalThis.sessionStorage){var c;null!=(c=globalThis.sessionStorage.getItem)&&c.call||(a.logger.ez("r"),b=!1);var d;null!=(d=globalThis.sessionStorage.setItem)&&d.call||(a.logger.ez("w"),b=!1);var e;null!=(e=globalThis.sessionStorage.removeItem)&&e.call||(a.logger.ez("d"),b=!1)}else a.logger.ez("n"),b=!1;if(b){a.logger.ez("a");var f=Array.from({length:83}).map(function(){return 9*Math.random()|0}).join(""),h=new Ij(a.logger,"m"),l=globalThis.sessionStorage.getItem("nWC1Uzs7EI"); +b=!!l;gga(h,b);var m=Date.now();if(l){var n=Number(l.substring(0,l.indexOf("l")));n?(a.logger.DG("a"),a.logger.rV(m-n)):a.logger.DG("c")}else a.logger.DG("n");f=m+"l"+f;if(b&&.5>Math.random()){var p=new Ij(a.logger,"d");globalThis.sessionStorage.removeItem("nWC1Uzs7EI");p.done();var q=new Ij(a.logger,"a");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);q.done()}else{var r=new Ij(a.logger,b?"w":"i");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);r.done()}}}catch(v){a.logger.qV()}}; +vha=function(a){var b={};g.Ob(a,function(c){var d=c.event,e=b[d];b.hasOwnProperty(d)?null!==e&&(c.equals(e)||(b[d]=null)):b[d]=c}); +xaa(a,function(c){return null===b[c.event]})}; +nl=function(){this.Xd=0;this.j=!1;this.u=-1;this.hv=!1;this.Tj=0}; +ol=function(){this.u=null;this.j=!1}; +pl=function(a){ol.call(this);this.C=a}; +ql=function(){ol.call(this)}; +rl=function(){ol.call(this)}; +sl=function(){this.j={};this.u=!0;this.B={}}; +tl=function(a,b,c){a.j[b]||(a.j[b]=new pl(c));return a.j[b]}; +wha=function(a){a.j.queryid||(a.j.queryid=new rl)}; +ul=function(a,b,c){(a=a.j[b])&&a.B(c)}; +vl=function(a,b){if(g.$c(a.B,b))return a.B[b];if(a=a.j[b])return a.getValue()}; +wl=function(a){var b={},c=g.Uc(a.j,function(d){return d.j}); +g.Tc(c,function(d,e){d=void 0!==a.B[e]?String(a.B[e]):d.j&&null!==d.u?String(d.u):"";0e?encodeURIComponent(oh(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; -oba=function(a){var b=1,c;for(c in a.B)b=c.length>b?c.length:b;return 3997-b-a.C.length-1}; -ph=function(a,b){this.u=a;this.depth=b}; -qba=function(){function a(l,m){return null==l?m:l} -var b=ih(),c=Math.max(b.length-1,0),d=kh(b);b=d.u;var e=d.B,f=d.C,h=[];f&&h.push(new ph([f.url,f.Sy?2:0],a(f.depth,1)));e&&e!=f&&h.push(new ph([e.url,2],0));b.url&&b!=f&&h.push(new ph([b.url,0],a(b.depth,c)));d=g.Oc(h,function(l,m){return h.slice(0,h.length-m)}); -!b.url||(f||e)&&b!=f||(e=$aa(b.url))&&d.push([new ph([e,1],a(b.depth,c))]);d.push([]);return g.Oc(d,function(l){return pba(c,l)})}; -pba=function(a,b){g.qh(b,function(e){return 0<=e.depth}); -var c=g.rh(b,function(e,f){return Math.max(e,f.depth)},-1),d=raa(c+2); -d[0]=a;g.Cb(b,function(e){return d[e.depth+1]=e.u}); +Wl=function(a,b,c,d,e){if(null==a)return"";b=b||"&";c=c||",$";"string"==typeof c&&(c=c.split(""));if(a instanceof Array){if(d=d||0,de?encodeURIComponent(Pha(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; +Qha=function(a){var b=1,c;for(c in a.u)b=c.length>b?c.length:b;return 3997-b-a.B.length-1}; +Xl=function(a,b){this.j=a;this.depth=b}; +Sha=function(){function a(l,m){return null==l?m:l} +var b=Tl(),c=Math.max(b.length-1,0),d=Oha(b);b=d.j;var e=d.u,f=d.B,h=[];f&&h.push(new Xl([f.url,f.MM?2:0],a(f.depth,1)));e&&e!=f&&h.push(new Xl([e.url,2],0));b.url&&b!=f&&h.push(new Xl([b.url,0],a(b.depth,c)));d=g.Yl(h,function(l,m){return h.slice(0,h.length-m)}); +!b.url||(f||e)&&b!=f||(e=Gha(b.url))&&d.push([new Xl([e,1],a(b.depth,c))]);d.push([]);return g.Yl(d,function(l){return Rha(c,l)})}; +Rha=function(a,b){g.Zl(b,function(e){return 0<=e.depth}); +var c=$l(b,function(e,f){return Math.max(e,f.depth)},-1),d=Caa(c+2); +d[0]=a;g.Ob(b,function(e){return d[e.depth+1]=e.j}); return d}; -rba=function(){var a=qba();return g.Oc(a,function(b){return nh(b)})}; -sh=function(){this.B=new hh;this.u=dh()?new eh:new ch}; -sba=function(){th();var a=fh.document;return!!(a&&a.body&&a.body.getBoundingClientRect&&"function"===typeof fh.setInterval&&"function"===typeof fh.clearInterval&&"function"===typeof fh.setTimeout&&"function"===typeof fh.clearTimeout)}; -uh=function(a){th();var b=Qg()||fh;b.google_image_requests||(b.google_image_requests=[]);var c=b.document.createElement("img");c.src=a;b.google_image_requests.push(c)}; -vh=function(){th();return rba()}; -wh=function(){}; -th=function(){return wh.getInstance().getContext()}; -yh=function(a){g.Jf(this,a,null,null)}; -tba=function(a){this.D=a;this.u=-1;this.B=this.C=0}; -zh=function(a,b){return function(c){for(var d=[],e=0;eMath.random())}; -Jh=function(a){a&&Ih&&Gh()&&(Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; -Mh=function(){var a=Kh;this.F=Lh;this.D="jserror";this.C=!0;this.u=null;this.I=this.B;this.Za=void 0===a?null:a}; -Qh=function(a,b,c,d){return zh(Ch.getInstance().u.u,function(){try{if(a.Za&&a.Za.u){var e=a.Za.start(b.toString(),3);var f=c();a.Za.end(e)}else f=c()}catch(m){var h=a.C;try{Jh(e);var l=new Oh(Ph(m));h=a.I(b,l,void 0,d)}catch(n){a.B(217,n)}if(!h)throw m;}return f})()}; -Sh=function(a,b,c){var d=Rh;return zh(Ch.getInstance().u.u,function(e){for(var f=[],h=0;hd?500:h}; -bi=function(a,b,c){var d=new hg(0,0,0,0);this.time=a;this.volume=null;this.C=b;this.u=d;this.B=c}; -ci=function(a,b,c,d,e,f,h,l){this.D=a;this.K=b;this.C=c;this.I=d;this.u=e;this.F=f;this.B=h;this.R=l}; -di=function(a){for(var b=0,c=a,d=0;a&&a!=a.parent;)a=a.parent,d++,bg(a)&&(c=a,b=d);return{Df:c,level:b}}; -ei=function(a){var b=a!==a.top,c=a.top===di(a).Df,d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),Jb(Cba,function(h){return"function"===typeof f[h]})||(e=1)); -return{Vh:f,compatibility:e,YR:d}}; -Dba=function(a){return(a=a.document)&&"function"===typeof a.elementFromPoint}; -fi=function(a,b,c,d){var e=void 0===e?!1:e;c=Sh(d,c,void 0);Yf(a,b,c,{capture:e})}; -gi=function(a,b){var c=Math.pow(10,b);return Math.floor(a*c)/c}; -hi=function(a){return new hg(a.top,a.right,a.bottom,a.left)}; -ii=function(a){var b=a.top||0,c=a.left||0;return new hg(b,c+(a.width||0),b+(a.height||0),c)}; -ji=function(a){return null!=a&&0<=a&&1>=a}; -Eba=function(){var a=g.Vc;return a?ki("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return yc(a,b)})||yc(a,"OMI/")&&!yc(a,"XiaoMi/")?!0:yc(a,"Presto")&&yc(a,"Linux")&&!yc(a,"X11")&&!yc(a,"Android")&&!yc(a,"Mobi"):!1}; -li=function(){this.C=!bg(fh.top);this.isMobileDevice=$f()||ag();var a=ih();this.domain=0c.height?n>r?(e=n,f=p):(e=r,f=t):nb.C?!1:a.Bb.B?!1:typeof a.utypeof b.u?!1:a.uMath.random())}; +lia=function(a){a&&jm&&hm()&&(jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; +mia=function(){var a=km;this.j=lm;this.tT="jserror";this.sP=!0;this.sK=null;this.u=this.iN;this.Gc=void 0===a?null:a}; +nia=function(a,b,c){var d=mm;return em(fm().j.j,function(){try{if(d.Gc&&d.Gc.j){var e=d.Gc.start(a.toString(),3);var f=b();d.Gc.end(e)}else f=b()}catch(l){var h=d.sP;try{lia(e),h=d.u(a,new nm(om(l)),void 0,c)}catch(m){d.iN(217,m)}if(!h)throw l;}return f})()}; +pm=function(a,b,c,d){return em(fm().j.j,function(){var e=g.ya.apply(0,arguments);return nia(a,function(){return b.apply(c,e)},d)})}; +om=function(a){var b=a.toString();a.name&&-1==b.indexOf(a.name)&&(b+=": "+a.name);a.message&&-1==b.indexOf(a.message)&&(b+=": "+a.message);if(a.stack){a=a.stack;var c=b;try{-1==a.indexOf(c)&&(a=c+"\n"+a);for(var d;a!=d;)d=a,a=a.replace(/((https?:\/..*\/)[^\/:]*:\d+(?:.|\n)*)\2/,"$1");b=a.replace(/\n */g,"\n")}catch(e){b=c}}return b}; +nm=function(a){hia.call(this,Error(a),{message:a})}; +oia=function(){Bl&&"undefined"!=typeof Bl.google_measure_js_timing&&(Bl.google_measure_js_timing||km.disable())}; +pia=function(a){mm.sK=function(b){g.Ob(a,function(c){c(b)})}}; +qia=function(a,b){return nia(a,b)}; +qm=function(a,b){return pm(a,b)}; +rm=function(a,b,c,d){mm.iN(a,b,c,d)}; +sm=function(){return Date.now()-ria}; +sia=function(){var a=fm().B,b=0<=tm?sm()-tm:-1,c=um?sm()-vm:-1,d=0<=wm?sm()-wm:-1;if(947190542==a)return 100;if(79463069==a)return 200;a=[2E3,4E3];var e=[250,500,1E3];rm(637,Error(),.001);var f=b;-1!=c&&cd?500:h}; +xm=function(a,b,c,d){this.top=a;this.right=b;this.bottom=c;this.left=d}; +ym=function(a){return a.right-a.left}; +zm=function(a,b){return a==b?!0:a&&b?a.top==b.top&&a.right==b.right&&a.bottom==b.bottom&&a.left==b.left:!1}; +Am=function(a,b,c){b instanceof g.Fe?(a.left+=b.x,a.right+=b.x,a.top+=b.y,a.bottom+=b.y):(a.left+=b,a.right+=b,"number"===typeof c&&(a.top+=c,a.bottom+=c));return a}; +Bm=function(a,b,c){var d=new xm(0,0,0,0);this.time=a;this.volume=null;this.B=b;this.j=d;this.u=c}; +Cm=function(a,b,c,d,e,f,h,l){this.C=a;this.J=b;this.B=c;this.I=d;this.j=e;this.D=f;this.u=h;this.T=l}; +uia=function(a){var b=a!==a.top,c=a.top===Kha(a),d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),dba(tia,function(h){return"function"===typeof f[h]})||(e=1)); +return{jn:f,compatibility:e,f9:d}}; +via=function(){var a=window.document;return a&&"function"===typeof a.elementFromPoint}; +wia=function(a,b,c){a&&null!==b&&b!=b.top&&(b=b.top);try{return(void 0===c?0:c)?(new g.He(b.innerWidth,b.innerHeight)).round():hca(b||window).round()}catch(d){return new g.He(-12245933,-12245933)}}; +Dm=function(a,b,c){try{a&&(b=b.top);var d=wia(a,b,c),e=d.height,f=d.width;if(-12245933===f)return new xm(f,f,f,f);var h=jca(Ve(b.document).j),l=h.x,m=h.y;return new xm(m,l+f,m+e,l)}catch(n){return new xm(-12245933,-12245933,-12245933,-12245933)}}; +g.Em=function(a,b,c,d){this.left=a;this.top=b;this.width=c;this.height=d}; +Fm=function(a,b){return a==b?!0:a&&b?a.left==b.left&&a.width==b.width&&a.top==b.top&&a.height==b.height:!1}; +g.Hm=function(a,b,c){if("string"===typeof b)(b=Gm(a,b))&&(a.style[b]=c);else for(var d in b){c=a;var e=b[d],f=Gm(c,d);f&&(c.style[f]=e)}}; +Gm=function(a,b){var c=xia[b];if(!c){var d=bca(b);c=d;void 0===a.style[d]&&(d=(g.Pc?"Webkit":Im?"Moz":g.mf?"ms":null)+dca(d),void 0!==a.style[d]&&(c=d));xia[b]=c}return c}; +g.Jm=function(a,b){var c=a.style[bca(b)];return"undefined"!==typeof c?c:a.style[Gm(a,b)]||""}; +Km=function(a,b){var c=Ue(a);return c.defaultView&&c.defaultView.getComputedStyle&&(a=c.defaultView.getComputedStyle(a,null))?a[b]||a.getPropertyValue(b)||"":""}; +Lm=function(a,b){return Km(a,b)||(a.currentStyle?a.currentStyle[b]:null)||a.style&&a.style[b]}; +g.Nm=function(a,b,c){if(b instanceof g.Fe){var d=b.x;b=b.y}else d=b,b=c;a.style.left=g.Mm(d,!1);a.style.top=g.Mm(b,!1)}; +Om=function(a){try{return a.getBoundingClientRect()}catch(b){return{left:0,top:0,right:0,bottom:0}}}; +yia=function(a){if(g.mf&&!g.Oc(8))return a.offsetParent;var b=Ue(a),c=Lm(a,"position"),d="fixed"==c||"absolute"==c;for(a=a.parentNode;a&&a!=b;a=a.parentNode)if(11==a.nodeType&&a.host&&(a=a.host),c=Lm(a,"position"),d=d&&"static"==c&&a!=b.documentElement&&a!=b.body,!d&&(a.scrollWidth>a.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; +g.Pm=function(a){var b=Ue(a),c=new g.Fe(0,0);var d=b?Ue(b):document;d=!g.mf||g.Oc(9)||"CSS1Compat"==Ve(d).j.compatMode?d.documentElement:d.body;if(a==d)return c;a=Om(a);b=jca(Ve(b).j);c.x=a.left+b.x;c.y=a.top+b.y;return c}; +Aia=function(a,b){var c=new g.Fe(0,0),d=nf(Ue(a));if(!Hc(d,"parent"))return c;do{var e=d==b?g.Pm(a):zia(a);c.x+=e.x;c.y+=e.y}while(d&&d!=b&&d!=d.parent&&(a=d.frameElement)&&(d=d.parent));return c}; +g.Qm=function(a,b){a=Bia(a);b=Bia(b);return new g.Fe(a.x-b.x,a.y-b.y)}; +zia=function(a){a=Om(a);return new g.Fe(a.left,a.top)}; +Bia=function(a){if(1==a.nodeType)return zia(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.Fe(a.clientX,a.clientY)}; +g.Rm=function(a,b,c){if(b instanceof g.He)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Mm(b,!0);a.style.height=g.Mm(c,!0)}; +g.Mm=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; +g.Sm=function(a){var b=Cia;if("none"!=Lm(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; +Cia=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Pc&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Om(a),new g.He(a.right-a.left,a.bottom-a.top)):new g.He(b,c)}; +g.Tm=function(a,b){a.style.display=b?"":"none"}; +Um=function(a,b){b=Math.pow(10,b);return Math.floor(a*b)/b}; +Dia=function(a){return new xm(a.top,a.right,a.bottom,a.left)}; +Eia=function(a){var b=a.top||0,c=a.left||0;return new xm(b,c+(a.width||0),b+(a.height||0),c)}; +Vm=function(a){return null!=a&&0<=a&&1>=a}; +Fia=function(){var a=g.hc();return a?Wm("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return ac(a,b)})||ac(a,"OMI/")&&!ac(a,"XiaoMi/")?!0:ac(a,"Presto")&&ac(a,"Linux")&&!ac(a,"X11")&&!ac(a,"Android")&&!ac(a,"Mobi"):!1}; +Gia=function(){this.B=!Rl(Bl.top);this.isMobileDevice=Ql()||Dha();var a=Tl();this.domain=0c.height?m>p?(d=m,e=n):(d=p,e=q):mb.B?!1:a.ub.u?!1:typeof a.jtypeof b.j?!1:a.jc++;){if(a===b)return!0;try{if(a=g.Le(a)||a){var d=me(a),e=d&&Be(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; -Nba=function(a,b,c){if(!a||!b)return!1;b=ig(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;var d=Qg();bg(d.top)&&d.top&&d.top.document&&(d=d.top);if(!Dba(d))return!1;a=d.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=me(c))&&b.defaultView&&b.defaultView.frameElement)&&Mba(b,a);d=a===c;a=!d&&a&&Te(a,function(e){return e===c}); +Tia=function(){if(xn&&"unreleased"!==xn)return xn}; +Uia=function(a){var b=void 0===b?4E3:b;a=a.toString();if(!/&v=[^&]+/.test(a)){var c=Tia();a=c?a+"&v="+encodeURIComponent(c):a}b=a=a.substring(0,b);cm();Uha(b)}; +Via=function(){this.j=0}; +Wia=function(a,b,c){(0,g.Ob)(a.B,function(d){var e=a.j;if(!d.j&&(d.B(b,c),d.C())){d.j=!0;var f=d.u(),h=new un;h.add("id","av-js");h.add("type","verif");h.add("vtype",d.D);d=am(Via);h.add("i",d.j++);h.add("adk",e);vn(h,f);e=new Ria(h);Uia(e)}})}; +yn=function(){this.u=this.B=this.C=this.j=0}; +zn=function(a){this.u=a=void 0===a?Xia:a;this.j=g.Yl(this.u,function(){return new yn})}; +An=function(a,b){return Yia(a,function(c){return c.j},void 0===b?!0:b)}; +Cn=function(a,b){return Bn(a,b,function(c){return c.j})}; +Zia=function(a,b){return Yia(a,function(c){return c.B},void 0===b?!0:b)}; +Dn=function(a,b){return Bn(a,b,function(c){return c.B})}; +En=function(a,b){return Bn(a,b,function(c){return c.u})}; +$ia=function(a){g.Ob(a.j,function(b){b.u=0})}; +Yia=function(a,b,c){a=g.Yl(a.j,function(d){return b(d)}); +return c?a:aja(a)}; +Bn=function(a,b,c){var d=g.ob(a.u,function(e){return b<=e}); +return-1==d?0:c(a.j[d])}; +aja=function(a){return g.Yl(a,function(b,c,d){return 0c++;){if(a===b)return!0;try{if(a=g.yf(a)||a){var d=Ue(a),e=d&&nf(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; +cja=function(a,b,c){if(!a||!b)return!1;b=Am(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;Rl(window.top)&&window.top&&window.top.document&&(window=window.top);if(!via())return!1;a=window.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=Ue(c))&&b.defaultView&&b.defaultView.frameElement)&&bja(b,a);var d=a===c;a=!d&&a&&Cf(a,function(e){return e===c}); return!(b||d||a)}; -Oba=function(a,b,c,d){return li.getInstance().C?!1:0>=a.Ee()||0>=a.getHeight()?!0:c&&d?Uh(208,function(){return Nba(a,b,c)}):!1}; -aj=function(a,b,c){g.C.call(this);this.position=Pba.clone();this.Nu=this.Tt();this.ez=-2;this.oS=Date.now();this.RH=-1;this.lastUpdateTime=b;this.zu=null;this.vt=!1;this.vv=null;this.opacity=-1;this.requestSource=c;this.dI=this.fz=g.Ka;this.Uf=new lba;this.Uf.jl=a;this.Uf.u=a;this.qo=!1;this.jm={Az:null,yz:null};this.BH=!0;this.Zr=null;this.ko=this.nL=!1;Ch.getInstance().I++;this.Je=this.iy();this.QH=-1;this.Ec=null;this.jL=!1;a=this.xb=new Yg;Zg(a,"od",Qba);Zg(a,"opac",Bh).u=!0;Zg(a,"sbeos",Bh).u= -!0;Zg(a,"prf",Bh).u=!0;Zg(a,"mwt",Bh).u=!0;Zg(a,"iogeo",Bh);(a=this.Uf.jl)&&a.getAttribute&&!/-[a-z]/.test("googleAvInapp")&&(Rba&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+td()):a.getAttribute("data-"+td()))&&(li.getInstance().B=!0);1==this.requestSource?$g(this.xb,"od",1):$g(this.xb,"od",0)}; -bj=function(a,b){if(b!=a.ko){a.ko=b;var c=li.getInstance();b?c.I++:0c?0:a}; -Sba=function(a,b,c){if(a.Ec){a.Ec.Ck();var d=a.Ec.K,e=d.D,f=e.u;if(null!=d.I){var h=d.C;a.vv=new g.ge(h.left-f.left,h.top-f.top)}f=a.dw()?Math.max(d.u,d.F):d.u;h={};null!==e.volume&&(h.volume=e.volume);e=a.lD(d);a.zu=d;a.oa(f,b,c,!1,h,e,d.R)}}; -Tba=function(a){if(a.vt&&a.Zr){var b=1==ah(a.xb,"od"),c=li.getInstance().u,d=a.Zr,e=a.Ec?a.Ec.getName():"ns",f=new g.ie(c.Ee(),c.getHeight());c=a.dw();a={dS:e,vv:a.vv,HS:f,dw:c,xc:a.Je.xc,FS:b};if(b=d.B){b.Ck();e=b.K;f=e.D.u;var h=null,l=null;null!=e.I&&f&&(h=e.C,h=new g.ge(h.left-f.left,h.top-f.top),l=new g.ie(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.u,e.F):e.u;c={dS:b.getName(),vv:h,HS:l,dw:c,FS:!1,xc:e}}else c=null;c&&Jba(d,a,c)}}; -Uba=function(a,b,c){b&&(a.fz=b);c&&(a.dI=c)}; -ej=function(){}; -gj=function(a){if(a instanceof ej)return a;if("function"==typeof a.wj)return a.wj(!1);if(g.Na(a)){var b=0,c=new ej;c.next=function(){for(;;){if(b>=a.length)throw fj;if(b in a)return a[b++];b++}}; -return c}throw Error("Not implemented");}; -g.hj=function(a,b,c){if(g.Na(a))try{g.Cb(a,b,c)}catch(d){if(d!==fj)throw d;}else{a=gj(a);try{for(;;)b.call(c,a.next(),void 0,a)}catch(d){if(d!==fj)throw d;}}}; -Vba=function(a){if(g.Na(a))return g.rb(a);a=gj(a);var b=[];g.hj(a,function(c){b.push(c)}); -return b}; -Wba=function(){this.D=this.u=this.C=this.B=this.F=0}; -Xba=function(a){var b={};b=(b.ptlt=g.A()-a.F,b);var c=a.B;c&&(b.pnk=c);(c=a.C)&&(b.pnc=c);(c=a.D)&&(b.pnmm=c);(a=a.u)&&(b.pns=a);return b}; -ij=function(){Tg.call(this);this.fullscreen=!1;this.volume=void 0;this.paused=!1;this.mediaTime=-1}; -jj=function(a){return ji(a.volume)&&.1<=a.volume}; -Yba=function(){var a={};this.B=(a.vs=[1,0],a.vw=[0,1],a.am=[2,2],a.a=[4,4],a.f=[8,8],a.bm=[16,16],a.b=[32,32],a.avw=[0,64],a.avs=[64,0],a.pv=[256,256],a.gdr=[0,512],a.p=[0,1024],a.r=[0,2048],a.m=[0,4096],a.um=[0,8192],a.ef=[0,16384],a.s=[0,32768],a.pmx=[0,16777216],a);this.u={};for(var b in this.B)0Math.max(1E4,a.D/3)?0:c);var d=a.aa(a)||{};d=void 0!==d.currentTime?d.currentTime:a.X;var e=d-a.X,f=0;0<=e?(a.Y+=c,a.ma+=Math.max(c-e,0),f=Math.min(e,a.Y)):a.Aa+=Math.abs(e);0!=e&&(a.Y=0);-1==a.Ja&&0=a.D/2:0=a.ia:!1:!1}; -dca=function(a){var b=gi(a.Je.xc,2),c=a.ze.C,d=a.Je,e=yj(a),f=xj(e.D),h=xj(e.I),l=xj(d.volume),m=gi(e.K,2),n=gi(e.Y,2),p=gi(d.xc,2),r=gi(e.aa,2),t=gi(e.ha,2);d=gi(d.jg,2);a=a.Pk().clone();a.round();e=Yi(e,!1);return{GS:b,Hq:c,Ou:f,Ku:h,Op:l,Pu:m,Lu:n,xc:p,Qu:r,Mu:t,jg:d,position:a,ov:e}}; -Cj=function(a,b){Bj(a.u,b,function(){return{GS:0,Hq:void 0,Ou:-1,Ku:-1,Op:-1,Pu:-1,Lu:-1,xc:-1,Qu:-1,Mu:-1,jg:-1,position:void 0,ov:[]}}); -a.u[b]=dca(a)}; -Bj=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; -dk=function(a){a=void 0===a?fh:a;Ai.call(this,new qi(a,2))}; -fk=function(){var a=ek();qi.call(this,fh.top,a,"geo")}; -ek=function(){Ch.getInstance();var a=li.getInstance();return a.C||a.B?0:2}; -gk=function(){}; -hk=function(){this.done=!1;this.u={qJ:0,OB:0,s5:0,KC:0,Ey:-1,NJ:0,MJ:0,OJ:0};this.F=null;this.I=!1;this.B=null;this.K=0;this.C=new pi(this)}; -jk=function(){var a=ik;a.I||(a.I=!0,xca(a,function(b){for(var c=[],d=0;dg.Mb(Dca).length?null:(0,g.rh)(b,function(c,d){var e=d.toLowerCase().split("=");if(2!=e.length||void 0===zk[e[0]]||!zk[e[0]](e[1]))throw Error("Entry ("+e[0]+", "+e[1]+") is invalid.");c[e[0]]=e[1];return c},{})}catch(c){return null}}; -Fca=function(a,b){if(void 0==a.u)return 0;switch(a.F){case "mtos":return a.B?Ui(b.u,a.u):Ui(b.B,a.u);case "tos":return a.B?Si(b.u,a.u):Si(b.B,a.u)}return 0}; -Ak=function(a,b,c,d){qj.call(this,b,d);this.K=a;this.I=c}; -Bk=function(a){qj.call(this,"fully_viewable_audible_half_duration_impression",a)}; -Ck=function(a,b){qj.call(this,a,b)}; -Dk=function(){this.B=this.D=this.I=this.F=this.C=this.u=""}; -Gca=function(){}; -Ek=function(a,b,c,d,e){var f={};if(void 0!==a)if(null!=b)for(var h in b){var l=b[h];h in Object.prototype||null!=l&&(f[h]="function"===typeof l?l(a):a[l])}else g.Zb(f,a);void 0!==c&&g.Zb(f,c);a=Fi(Ei(new Di,f));0String(Function.prototype.toString).indexOf("[native code]")?!1:0<=String(a).indexOf("[native code]")&&!0||!1}; -gl=function(a){return!!(1<>>0]|=f<>>0).toString(16)+"&"}); -c=105;g.Cb(Vca,function(d){var e="false";try{e=d(fh)}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -g.Cb(Wca,function(d){var e="";try{e=g.tf(d(fh))}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -return a.slice(0,-1)}; -Tca=function(){if(!hl){var a=function(){il=!0;fh.document.removeEventListener("webdriver-evaluate",a,!0)}; -fh.document.addEventListener("webdriver-evaluate",a,!0);var b=function(){jl=!0;fh.document.removeEventListener("webdriver-evaluate-response",b,!0)}; -fh.document.addEventListener("webdriver-evaluate-response",b,!0);hl=!0}}; -kl=function(){this.B=-1}; -ll=function(){this.B=64;this.u=Array(4);this.F=Array(this.B);this.D=this.C=0;this.reset()}; -pl=function(a,b,c){c||(c=0);var d=Array(16);if("string"===typeof b)for(var e=0;16>e;++e)d[e]=b.charCodeAt(c++)|b.charCodeAt(c++)<<8|b.charCodeAt(c++)<<16|b.charCodeAt(c++)<<24;else for(e=0;16>e;++e)d[e]=b[c++]|b[c++]<<8|b[c++]<<16|b[c++]<<24;b=a.u[0];c=a.u[1];e=a.u[2];var f=a.u[3];var h=b+(f^c&(e^f))+d[0]+3614090360&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[1]+3905402710&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[2]+606105819&4294967295;e=f+(h<<17&4294967295|h>>>15); -h=c+(b^e&(f^b))+d[3]+3250441966&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[4]+4118548399&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[5]+1200080426&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[6]+2821735955&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[7]+4249261313&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[8]+1770035416&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[9]+2336552879&4294967295;f=b+(h<<12&4294967295| -h>>>20);h=e+(c^f&(b^c))+d[10]+4294925233&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[11]+2304563134&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[12]+1804603682&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[13]+4254626195&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[14]+2792965006&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[15]+1236535329&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(e^f&(c^e))+d[1]+4129170786&4294967295;b=c+(h<< -5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[6]+3225465664&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[11]+643717713&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[0]+3921069994&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[5]+3593408605&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[10]+38016083&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[15]+3634488961&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[4]+3889429448&4294967295;c= -e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[9]+568446438&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[14]+3275163606&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[3]+4107603335&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[8]+1163531501&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[13]+2850285829&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[2]+4243563512&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[7]+1735328473&4294967295; -e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[12]+2368359562&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(c^e^f)+d[5]+4294588738&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[8]+2272392833&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[11]+1839030562&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[14]+4259657740&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[1]+2763975236&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[4]+1272893353&4294967295;f=b+(h<<11&4294967295| -h>>>21);h=e+(f^b^c)+d[7]+4139469664&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[10]+3200236656&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[13]+681279174&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[0]+3936430074&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[3]+3572445317&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[6]+76029189&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[9]+3654602809&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[12]+ -3873151461&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[15]+530742520&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[2]+3299628645&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(e^(c|~f))+d[0]+4096336452&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[7]+1126891415&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[14]+2878612391&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[5]+4237533241&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[12]+1700485571& -4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[3]+2399980690&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[10]+4293915773&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[1]+2240044497&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[8]+1873313359&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[15]+4264355552&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[6]+2734768916&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[13]+1309151649& -4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[4]+4149444226&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[11]+3174756917&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[2]+718787259&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[9]+3951481745&4294967295;a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+(e+(h<<21&4294967295|h>>>11))&4294967295;a.u[2]=a.u[2]+e&4294967295;a.u[3]=a.u[3]+f&4294967295}; -ql=function(){this.B=null}; -rl=function(a){return function(b){var c=new ll;c.update(b+a);return Saa(c.digest()).slice(-8)}}; -sl=function(a,b){this.B=a;this.C=b}; -oj=function(a,b,c){var d=a.u(c);if("function"===typeof d){var e={};e=(e.sv="884",e.cb="j",e.e=Yca(b),e);var f=Fj(c,b,oi());g.Zb(e,f);c.tI[b]=f;a=2==c.Oi()?Iba(e).join("&"):a.C.u(e).u;try{return d(c.mf,a,b),0}catch(h){return 2}}else return 1}; -Yca=function(a){var b=yk(a)?"custom_metric_viewable":a;a=Qb(Dj,function(c){return c==b}); -return wk[a]}; -tl=function(a,b,c){sl.call(this,a,b);this.D=c}; -ul=function(){Sk.call(this);this.I=null;this.F=!1;this.R={};this.C=new ql}; -Zca=function(a,b,c){c=c.opt_configurable_tracking_events;null!=a.B&&Array.isArray(c)&&Lca(a,c,b)}; -$ca=function(a,b,c){var d=Rj(Tj,b);d||(d=c.opt_nativeTime||-1,d=Tk(a,b,Yk(a),d),c.opt_osdId&&(d.Qo=c.opt_osdId));return d}; -ada=function(a,b,c){var d=Rj(Tj,b);d||(d=Tk(a,b,"n",c.opt_nativeTime||-1));return d}; -bda=function(a,b){var c=Rj(Tj,b);c||(c=Tk(a,b,"h",-1));return c}; -cda=function(a){Ch.getInstance();switch(Yk(a)){case "b":return"ytads.bulleit.triggerExternalActivityEvent";case "n":return"ima.bridge.triggerExternalActivityEvent";case "h":case "m":case "ml":return"ima.common.triggerExternalActivityEvent"}return null}; -wl=function(a,b,c,d){c=void 0===c?{}:c;var e={};g.Zb(e,{opt_adElement:void 0,opt_fullscreen:void 0},c);if(e.opt_bounds)return a.C.u(xk("ol",d));if(void 0!==d)if(void 0!==vk(d))if(Vk)b=xk("ue",d);else if(Oca(a),"i"==Wk)b=xk("i",d),b["if"]=0;else if(b=a.Xt(b,e))if(a.D&&3==b.pe)b="stopped";else{b:{"i"==Wk&&(b.qo=!0,a.pA());c=e.opt_fullscreen;void 0!==c&&bj(b,!!c);var f;if(c=!li.getInstance().B)(c=yc(g.Vc,"CrKey")||yc(g.Vc,"PlayStation")||yc(g.Vc,"Roku")||Eba()||yc(g.Vc,"Xbox"))||(c=g.Vc,c=yc(c,"AppleTV")|| -yc(c,"Apple TV")||yc(c,"CFNetwork")||yc(c,"tvOS")),c||(c=g.Vc,c=yc(c,"sdk_google_atv_x86")||yc(c,"Android TV")),c=!c;c&&(th(),c=0===gh(Pg));if(f=c){switch(b.Oi()){case 1:$k(a,b,"pv");break;case 2:a.fA(b)}Xk("pv")}c=d.toLowerCase();if(f=!f)f=ah(Ch.getInstance().xb,"ssmol")&&"loaded"===c?!1:g.jb(dda,c);if(f&&0==b.pe){"i"!=Wk&&(ik.done=!1);f=void 0!==e?e.opt_nativeTime:void 0;ai=f="number"===typeof f?f:Xh();b.vt=!0;var h=oi();b.pe=1;b.Le={};b.Le.start=!1;b.Le.firstquartile=!1;b.Le.midpoint=!1;b.Le.thirdquartile= -!1;b.Le.complete=!1;b.Le.resume=!1;b.Le.pause=!1;b.Le.skip=!1;b.Le.mute=!1;b.Le.unmute=!1;b.Le.viewable_impression=!1;b.Le.measurable_impression=!1;b.Le.fully_viewable_audible_half_duration_impression=!1;b.Le.fullscreen=!1;b.Le.exitfullscreen=!1;b.Dx=0;h||(b.Xf().R=f);kk(ik,[b],!h)}(f=b.qn[c])&&kj(b.ze,f);g.jb(eda,c)&&(b.hH=!0,wj(b));switch(b.Oi()){case 1:var l=yk(c)?a.K.custom_metric_viewable:a.K[c];break;case 2:l=a.X[c]}if(l&&(d=l.call(a,b,e,d),void 0!==d)){e=xk(void 0,c);g.Zb(e,d);d=e;break b}d= -void 0}3==b.pe&&(a.D?b.Ec&&b.Ec.Xq():a.cq(b));b=d}else b=xk("nf",d);else b=void 0;else Vk?b=xk("ue"):(b=a.Xt(b,e))?(d=xk(),g.Zb(d,Ej(b,!0,!1,!1)),b=d):b=xk("nf");return"string"===typeof b?a.D&&"stopped"===b?vl:a.C.u(void 0):a.C.u(b)}; -xl=function(a){return Ch.getInstance(),"h"!=Yk(a)&&Yk(a),!1}; -yl=function(a){var b={};return b.viewability=a.u,b.googleViewability=a.C,b.moatInit=a.F,b.moatViewability=a.I,b.integralAdsViewability=a.D,b.doubleVerifyViewability=a.B,b}; -zl=function(a,b,c){c=void 0===c?{}:c;a=wl(ul.getInstance(),b,c,a);return yl(a)}; -Al=function(a,b){b=void 0===b?!1:b;var c=ul.getInstance().Xt(a,{});c?vj(c):b&&(c=ul.getInstance().Hr(null,Xh(),!1,a),c.pe=3,Wj([c]))}; -Bl=function(a){if(!a)return"";a=a.split("#")[0].split("?")[0];a=a.toLowerCase();0==a.indexOf("//")&&(a=window.location.protocol+a);/^[\w\-]*:\/\//.test(a)||(a=window.location.href);var b=a.substring(a.indexOf("://")+3),c=b.indexOf("/");-1!=c&&(b=b.substring(0,c));c=a.substring(0,a.indexOf("://"));if(!c)throw Error("URI is missing protocol: "+a);if("http"!==c&&"https"!==c&&"chrome-extension"!==c&&"moz-extension"!==c&&"file"!==c&&"android-app"!==c&&"chrome-search"!==c&&"chrome-untrusted"!==c&&"chrome"!== -c&&"app"!==c&&"devtools"!==c)throw Error("Invalid URI scheme in origin: "+c);a="";var d=b.indexOf(":");if(-1!=d){var e=b.substring(d+1);b=b.substring(0,d);if("http"===c&&"80"!==e||"https"===c&&"443"!==e)a=":"+e}return c+"://"+b+a}; -fda=function(){function a(){e[0]=1732584193;e[1]=4023233417;e[2]=2562383102;e[3]=271733878;e[4]=3285377520;p=n=0} -function b(r){for(var t=h,w=0;64>w;w+=4)t[w/4]=r[w]<<24|r[w+1]<<16|r[w+2]<<8|r[w+3];for(w=16;80>w;w++)r=t[w-3]^t[w-8]^t[w-14]^t[w-16],t[w]=(r<<1|r>>>31)&4294967295;r=e[0];var y=e[1],x=e[2],B=e[3],E=e[4];for(w=0;80>w;w++){if(40>w)if(20>w){var G=B^y&(x^B);var K=1518500249}else G=y^x^B,K=1859775393;else 60>w?(G=y&x|B&(y|x),K=2400959708):(G=y^x^B,K=3395469782);G=((r<<5|r>>>27)&4294967295)+G+E+K+t[w]&4294967295;E=B;B=x;x=(y<<30|y>>>2)&4294967295;y=r;r=G}e[0]=e[0]+r&4294967295;e[1]=e[1]+y&4294967295;e[2]= -e[2]+x&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+E&4294967295} -function c(r,t){if("string"===typeof r){r=unescape(encodeURIComponent(r));for(var w=[],y=0,x=r.length;yn?c(l,56-n):c(l,64-(n-56));for(var w=63;56<=w;w--)f[w]=t&255,t>>>=8;b(f);for(w=t=0;5>w;w++)for(var y=24;0<=y;y-=8)r[t++]=e[w]>>y&255;return r} -for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,UJ:function(){for(var r=d(),t="",w=0;wc.keyCode||void 0!=c.returnValue)){a:{var f=!1;if(0==c.keyCode)try{c.keyCode=-1;break a}catch(m){f=!0}if(f||void 0==c.returnValue)c.returnValue=!0}c=[];for(f=d.currentTarget;f;f=f.parentNode)c.push(f);f=a.type;for(var h=c.length-1;!d.u&&0<=h;h--){d.currentTarget=c[h];var l=Zl(c[h],f,!0,d);e=e&&l}for(h=0;!d.u&&ha.B&&(a.B++,b.next=a.u,a.u=b)}; -em=function(a){g.v.setTimeout(function(){throw a;},0)}; -gm=function(a){a=mda(a);"function"!==typeof g.v.setImmediate||g.v.Window&&g.v.Window.prototype&&!Wc("Edge")&&g.v.Window.prototype.setImmediate==g.v.setImmediate?(fm||(fm=nda()),fm(a)):g.v.setImmediate(a)}; -nda=function(){var a=g.v.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!Wc("Presto")&&(a=function(){var e=g.Fe("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.z)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()},this); -f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); -if("undefined"!==typeof a&&!Wc("Trident")&&!Wc("MSIE")){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.hC;c.hC=null;e()}}; -return function(e){d.next={hC:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.v.setTimeout(e,0)}}; -hm=function(){this.B=this.u=null}; -im=function(){this.next=this.scope=this.u=null}; -g.mm=function(a,b){jm||oda();km||(jm(),km=!0);lm.add(a,b)}; -oda=function(){if(g.v.Promise&&g.v.Promise.resolve){var a=g.v.Promise.resolve(void 0);jm=function(){a.then(nm)}}else jm=function(){gm(nm)}}; -nm=function(){for(var a;a=lm.remove();){try{a.u.call(a.scope)}catch(b){em(b)}dm(om,a)}km=!1}; -pm=function(a){if(!a)return!1;try{return!!a.$goog_Thenable}catch(b){return!1}}; -rm=function(a){this.Ka=0;this.Fl=void 0;this.On=this.Dk=this.Wm=null;this.cu=this.Px=!1;if(a!=g.Ka)try{var b=this;a.call(void 0,function(c){qm(b,2,c)},function(c){qm(b,3,c)})}catch(c){qm(this,3,c)}}; -sm=function(){this.next=this.context=this.onRejected=this.C=this.u=null;this.B=!1}; -um=function(a,b,c){var d=tm.get();d.C=a;d.onRejected=b;d.context=c;return d}; -vm=function(a){if(a instanceof rm)return a;var b=new rm(g.Ka);qm(b,2,a);return b}; -wm=function(a){return new rm(function(b,c){c(a)})}; -ym=function(a,b,c){xm(a,b,c,null)||g.mm(g.Ta(b,a))}; -pda=function(a){return new rm(function(b,c){a.length||b(void 0);for(var d=0,e;db)throw Error("Bad port number "+b);a.D=b}else a.D=null}; -Um=function(a,b,c){b instanceof Wm?(a.C=b,tda(a.C,a.K)):(c||(b=Xm(b,uda)),a.C=new Wm(b,a.K))}; -g.Ym=function(a){return a instanceof g.Qm?a.clone():new g.Qm(a,void 0)}; -Vm=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; -Xm=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,vda),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; -vda=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; -Wm=function(a,b){this.B=this.u=null;this.C=a||null;this.D=!!b}; -Zm=function(a){a.u||(a.u=new g.Nm,a.B=0,a.C&&Bd(a.C,function(b,c){a.add(nd(b),c)}))}; -an=function(a,b){Zm(a);b=$m(a,b);return Om(a.u.B,b)}; -g.bn=function(a,b,c){a.remove(b);0e;e++)d[e]=b.charCodeAt(c)<<24|b.charCodeAt(c+1)<<16|b.charCodeAt(c+2)<<8|b.charCodeAt(c+3),c+=4;else for(e=0;16>e;e++)d[e]=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4;for(e=16;80>e;e++){var f=d[e-3]^d[e-8]^d[e-14]^d[e-16];d[e]=(f<<1|f>>>31)&4294967295}b=a.u[0];c=a.u[1];var h=a.u[2],l=a.u[3],m=a.u[4];for(e=0;80>e;e++){if(40>e)if(20>e){f=l^c&(h^l);var n=1518500249}else f=c^h^l,n=1859775393;else 60>e?(f=c&h|l&(c|h),n=2400959708): -(f=c^h^l,n=3395469782);f=(b<<5|b>>>27)+f+m+n+d[e]&4294967295;m=l;l=h;h=(c<<30|c>>>2)&4294967295;c=b;b=f}a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+c&4294967295;a.u[2]=a.u[2]+h&4294967295;a.u[3]=a.u[3]+l&4294967295;a.u[4]=a.u[4]+m&4294967295}; -nn=function(a){return"string"==typeof a.className?a.className:a.getAttribute&&a.getAttribute("class")||""}; -on=function(a){return a.classList?a.classList:nn(a).match(/\S+/g)||[]}; -g.pn=function(a,b){"string"==typeof a.className?a.className=b:a.setAttribute&&a.setAttribute("class",b)}; -g.qn=function(a,b){return a.classList?a.classList.contains(b):g.jb(on(a),b)}; -g.I=function(a,b){if(a.classList)a.classList.add(b);else if(!g.qn(a,b)){var c=nn(a);g.pn(a,c+(0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; -Gda=function(a){if(!a)return Rc;var b=document.createElement("div").style,c=Cda(a);g.Cb(c,function(d){var e=g.Ae&&d in Dda?d:d.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");nc(e,"--")||nc(e,"var")||(d=zn(Eda,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[d])||"",d=Bda(d),null!=d&&zn(Fda,b,b.setProperty?"setProperty":"setAttribute",[e,d]))}); -return Haa(b.cssText||"")}; -Cda=function(a){g.Na(a)?a=g.rb(a):(a=g.Mb(a),g.ob(a,"cssText"));return a}; -g.Bn=function(a){var b,c=b=0,d=!1;a=a.split(Hda);for(var e=0;eg.A()}; -g.Zn=function(a){this.u=a}; -Oda=function(){}; +dja=function(a,b,c,d){return Xm().B?!1:0>=ym(a)||0>=a.getHeight()?!0:c&&d?qia(208,function(){return cja(a,b,c)}):!1}; +Kn=function(a,b,c){g.C.call(this);this.position=eja.clone();this.LG=this.XF();this.eN=-2;this.u9=Date.now();this.lY=-1;this.Wo=b;this.BG=null;this.wB=!1;this.XG=null;this.opacity=-1;this.requestSource=c;this.A9=!1;this.kN=function(){}; +this.BY=function(){}; +this.Cj=new Aha;this.Cj.Ss=a;this.Cj.j=a;this.Ms=!1;this.Ju={wN:null,vN:null};this.PX=!0;this.ZD=null;this.Oy=this.r4=!1;fm().I++;this.Ah=this.XL();this.hY=-1;this.nf=null;this.hasCompleted=this.o4=!1;this.Cc=new sl;zha(this.Cc);fja(this);1==this.requestSource?ul(this.Cc,"od",1):ul(this.Cc,"od",0)}; +fja=function(a){a=a.Cj.Ss;var b;if(b=a&&a.getAttribute)b=/-[a-z]/.test("googleAvInapp")?!1:gja&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+cca()):!!a.getAttribute("data-"+cca());b&&(Xm().u=!0)}; +Ln=function(a,b){b!=a.Oy&&(a.Oy=b,a=Xm(),b?a.I++:0c?0:a}; +jja=function(a,b,c){if(a.nf){a.nf.Hr();var d=a.nf.J,e=d.C,f=e.j;if(null!=d.I){var h=d.B;a.XG=new g.Fe(h.left-f.left,h.top-f.top)}f=a.hI()?Math.max(d.j,d.D):d.j;h={};null!==e.volume&&(h.volume=e.volume);e=a.VT(d);a.BG=d;a.Pa(f,b,c,!1,h,e,d.T)}}; +kja=function(a){if(a.wB&&a.ZD){var b=1==vl(a.Cc,"od"),c=Xm().j,d=a.ZD,e=a.nf?a.nf.getName():"ns",f=new g.He(ym(c),c.getHeight());c=a.hI();a={j9:e,XG:a.XG,W9:f,hI:c,Xd:a.Ah.Xd,P9:b};if(b=d.u){b.Hr();e=b.J;f=e.C.j;var h=null,l=null;null!=e.I&&f&&(h=e.B,h=new g.Fe(h.left-f.left,h.top-f.top),l=new g.He(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.j,e.D):e.j;c={j9:b.getName(),XG:h,W9:l,hI:c,P9:!1,Xd:e}}else c=null;c&&Wia(d,a,c)}}; +lja=function(a,b,c){b&&(a.kN=b);c&&(a.BY=c)}; +g.Mn=function(){}; +g.Nn=function(a){return{value:a,done:!1}}; +mja=function(){this.C=this.j=this.B=this.u=this.D=0}; +nja=function(a){var b={};var c=g.Ra()-a.D;b=(b.ptlt=c,b);(c=a.u)&&(b.pnk=c);(c=a.B)&&(b.pnc=c);(c=a.C)&&(b.pnmm=c);(a=a.j)&&(b.pns=a);return b}; +oja=function(){nl.call(this);this.fullscreen=!1;this.volume=void 0;this.B=!1;this.mediaTime=-1}; +On=function(a){return Vm(a.volume)&&0=this.u.length){for(var c=this.u,d=0;d>1,a[d].getKey()>c.getKey())a[b]=a[d],b=d;else break;a[b]=c}; -g.no=function(){lo.call(this)}; -oo=function(){}; -po=function(a){g.Jf(this,a,Qda,null)}; -qo=function(a){g.Jf(this,a,null,null)}; -Rda=function(a,b){for(;gf(b)&&4!=b.B;)switch(b.C){case 1:var c=kf(b);g.Mf(a,1,c);break;case 2:c=kf(b);g.Mf(a,2,c);break;case 3:c=kf(b);g.Mf(a,3,c);break;case 4:c=kf(b);g.Mf(a,4,c);break;case 5:c=ef(b.u);g.Mf(a,5,c);break;default:hf(b)}return a}; -Sda=function(a){a=a.split("");var b=[a,"continue",function(c,d){for(var e=64,f=[];++e-f.length-32;)switch(e){case 58:e=96;continue;case 91:e=44;break;case 65:e=47;continue;case 46:e=153;case 123:e-=58;default:f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}, -a,-1200248212,262068875,404102954,-460285145,null,179465532,-1669371385,a,-490898646,function(c,d){for(d=(d%c.length+c.length)%c.length;d--;)c.unshift(c.pop())}, -628191186,null,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(d,1)}, --824641148,2119880155,function(c){c.reverse()}, -1440092226,1303924481,-197075122,1501939637,865495029,-1026578168,function(c){for(var d=c.length;d;)c.push(c.splice(--d,1)[0])}, --1683749005,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(0,1,c.splice(d,1,c[0])[0])}, --191802705,-870332615,-1920825481,-327446973,1960953908,function(c,d){c.push(d)}, -791473723,-802486607,283062326,-134195793,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(-d).reverse().forEach(function(e){c.unshift(e)})}, --1264016128,function(c,d){d=(d%c.length+c.length)%c.length;var e=c[0];c[0]=c[d];c[d]=e}, --80833027,-1733582932,1879123177,null,"unRRLXb",-197075122,function(c,d){for(var e=64,f=[];++e-f.length-32;){switch(e){case 58:e-=14;case 91:case 92:case 93:continue;case 123:e=47;case 94:case 95:case 96:continue;case 46:e=95}f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}]; -b[8]=b;b[15]=b;b[45]=b;b[41](b[45],b[21]);b[28](b[34],b[43]);b[39](b[3],b[47]);b[39](b[15],b[44]);b[21](b[44],b[0]);b[19](b[25],b[16]);b[34](b[40],b[9]);b[9](b[5],b[48]);b[28](b[12]);b[1](b[5],b[39]);b[1](b[12],b[32]);b[1](b[12],b[40]);b[37](b[20],b[27]);b[0](b[43]);b[1](b[17],b[2]);b[1](b[12],b[34]);b[1](b[12],b[36]);b[23](b[12]);b[1](b[5],b[33]);b[22](b[24],b[35]);b[44](b[39],b[16]);b[20](b[15],b[8]);b[32](b[0],b[14]);b[46](b[19],b[36]);b[17](b[19],b[9]);b[45](b[32],b[41]);b[29](b[44],b[14]);b[48](b[2]); -b[7](b[37],b[16]);b[21](b[44],b[38]);b[31](b[32],b[30]);b[42](b[13],b[20]);b[19](b[2],b[8]);b[45](b[13],b[0]);b[28](b[2],b[26]);b[43](b[37]);b[43](b[18],b[14]);b[43](b[37],b[4]);b[43](b[6],b[33]);return a.join("")}; -so=function(a){var b=arguments;1f&&(c=a.substring(f,e),c=c.replace(Uda,""),c=c.replace(Vda,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else Wda(a,b,c)}; -Wda=function(a,b,c){c=void 0===c?null:c;var d=To(a),e=document.getElementById(d),f=e&&Bo(e),h=e&&!f;f?b&&b():(b&&(f=g.No(d,b),b=""+g.Sa(b),Uo[b]=f),h||(e=Xda(a,d,function(){Bo(e)||(Ao(e,"loaded","true"),g.Po(d),g.Go(g.Ta(Ro,d),0))},c)))}; -Xda=function(a,b,c,d){d=void 0===d?null:d;var e=g.Fe("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; -e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; -d&&e.setAttribute("nonce",d);g.kd(e,g.sg(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; -To=function(a){var b=document.createElement("a");g.jd(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+qd(a)}; -Wo=function(){var a=document;if("visibilityState"in a)return a.visibilityState;var b=Vo+"VisibilityState";if(b in a)return a[b]}; -Xo=function(a,b){var c;ki(a,function(d){c=b[d];return!!c}); -return c}; -Yo=function(a){this.type="";this.state=this.source=this.data=this.currentTarget=this.relatedTarget=this.target=null;this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.ctrlKey=this.altKey=!1;this.rotation=this.clientY=this.clientX=0;this.scale=1;this.changedTouches=this.touches=null;try{if(a=a||window.event){this.event=a;for(var b in a)b in Yda||(this[b]=a[b]);this.scale=a.scale;this.rotation=a.rotation;var c=a.target||a.srcElement;c&&3==c.nodeType&&(c=c.parentNode);this.target=c;var d=a.relatedTarget; -if(d)try{d=d.nodeName?d:null}catch(e){d=null}else"mouseover"==this.type?d=a.fromElement:"mouseout"==this.type&&(d=a.toElement);this.relatedTarget=d;this.clientX=void 0!=a.clientX?a.clientX:a.pageX;this.clientY=void 0!=a.clientY?a.clientY:a.pageY;this.keyCode=a.keyCode?a.keyCode:a.which;this.charCode=a.charCode||("keypress"==this.type?this.keyCode:0);this.altKey=a.altKey;this.ctrlKey=a.ctrlKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.u=a.pageX;this.B=a.pageY}}catch(e){}}; -Zo=function(a){if(document.body&&document.documentElement){var b=document.body.scrollTop+document.documentElement.scrollTop;a.u=a.clientX+(document.body.scrollLeft+document.documentElement.scrollLeft);a.B=a.clientY+b}}; -Zda=function(a,b,c,d){d=void 0===d?{}:d;a.addEventListener&&("mouseenter"!=b||"onmouseenter"in document?"mouseleave"!=b||"onmouseenter"in document?"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"):b="mouseout":b="mouseover");return Qb($o,function(e){var f="boolean"===typeof e[4]&&e[4]==!!d,h=g.Pa(e[4])&&g.Pa(d)&&g.Ub(e[4],d);return!!e.length&&e[0]==a&&e[1]==b&&e[2]==c&&(f||h)})}; -g.cp=function(a,b,c,d){d=void 0===d?{}:d;if(!a||!a.addEventListener&&!a.attachEvent)return"";var e=Zda(a,b,c,d);if(e)return e;e=++ap.count+"";var f=!("mouseenter"!=b&&"mouseleave"!=b||!a.addEventListener||"onmouseenter"in document);var h=f?function(l){l=new Yo(l);if(!Te(l.relatedTarget,function(m){return m==a},!0))return l.currentTarget=a,l.type=b,c.call(a,l)}:function(l){l=new Yo(l); -l.currentTarget=a;return c.call(a,l)}; -h=Eo(h);a.addEventListener?("mouseenter"==b&&f?b="mouseover":"mouseleave"==b&&f?b="mouseout":"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"),bp()||"boolean"===typeof d?a.addEventListener(b,h,d):a.addEventListener(b,h,!!d.capture)):a.attachEvent("on"+b,h);$o[e]=[a,b,c,h,d];return e}; -$da=function(a,b){var c=document.body||document;return g.cp(c,"click",function(d){var e=Te(d.target,function(f){return f===c||b(f)},!0); -e&&e!==c&&!e.disabled&&(d.currentTarget=e,a.call(e,d))})}; -g.dp=function(a){a&&("string"==typeof a&&(a=[a]),g.Cb(a,function(b){if(b in $o){var c=$o[b],d=c[0],e=c[1],f=c[3];c=c[4];d.removeEventListener?bp()||"boolean"===typeof c?d.removeEventListener(e,f,c):d.removeEventListener(e,f,!!c.capture):d.detachEvent&&d.detachEvent("on"+e,f);delete $o[b]}}))}; -g.ep=function(a){a=a||window.event;a=a.target||a.srcElement;3==a.nodeType&&(a=a.parentNode);return a}; -fp=function(a){a=a||window.event;var b;a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path;return b&&b.length?b[0]:g.ep(a)}; -gp=function(a){a=a||window.event;var b=a.relatedTarget;b||("mouseover"==a.type?b=a.fromElement:"mouseout"==a.type&&(b=a.toElement));return b}; -hp=function(a){a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));return new g.ge(b,c)}; -g.ip=function(a){a=a||window.event;a.returnValue=!1;a.preventDefault&&a.preventDefault()}; -g.kp=function(a){a=a||window.event;return!1===a.returnValue||a.WD&&a.WD()}; -g.lp=function(a){a=a||window.event;return a.keyCode?a.keyCode:a.which}; -aea=function(a){return $da(a,function(b){return g.qn(b,"ytp-ad-has-logging-urls")})}; -g.mp=function(a,b,c){var d=void 0===d?{}:d;var e;return e=g.cp(a,b,function(){g.dp(e);c.apply(a,arguments)},d)}; -np=function(a){for(var b in $o)$o[b][0]==a&&g.dp(b)}; -op=function(a){this.P=a;this.u=null;this.D=0;this.I=null;this.F=0;this.B=[];for(a=0;4>a;a++)this.B.push(0);this.C=0;this.R=g.cp(window,"mousemove",(0,g.z)(this.Y,this));this.X=Ho((0,g.z)(this.K,this),25)}; -pp=function(){}; -rp=function(a,b){return qp(a,0,b)}; -g.sp=function(a,b){return qp(a,1,b)}; -tp=function(){pp.apply(this,arguments)}; -g.up=function(){return!!g.Ja("yt.scheduler.instance")}; -qp=function(a,b,c){isNaN(c)&&(c=void 0);var d=g.Ja("yt.scheduler.instance.addJob");return d?d(a,b,c):void 0===c?(a(),NaN):g.Go(a,c||0)}; -g.vp=function(a){if(!isNaN(a)){var b=g.Ja("yt.scheduler.instance.cancelJob");b?b(a):g.Io(a)}}; -wp=function(a){var b=g.Ja("yt.scheduler.instance.setPriorityThreshold");b&&b(a)}; -zp=function(){var a={},b=void 0===a.eL?!0:a.eL;a=void 0===a.yR?!1:a.yR;if(null==g.Ja("_lact",window)){var c=parseInt(g.L("LACT"),10);c=isFinite(c)?g.A()-Math.max(c,0):-1;g.Fa("_lact",c,window);g.Fa("_fact",c,window);-1==c&&xp();g.cp(document,"keydown",xp);g.cp(document,"keyup",xp);g.cp(document,"mousedown",xp);g.cp(document,"mouseup",xp);b&&(a?g.cp(window,"touchmove",function(){yp("touchmove",200)},{passive:!0}):(g.cp(window,"resize",function(){yp("resize",200)}),g.cp(window,"scroll",function(){yp("scroll", -200)}))); -new op(function(){yp("mouse",100)}); -g.cp(document,"touchstart",xp,{passive:!0});g.cp(document,"touchend",xp,{passive:!0})}}; -yp=function(a,b){Ap[a]||(Ap[a]=!0,g.sp(function(){xp();Ap[a]=!1},b))}; -xp=function(){null==g.Ja("_lact",window)&&(zp(),g.Ja("_lact",window));var a=g.A();g.Fa("_lact",a,window);-1==g.Ja("_fact",window)&&g.Fa("_fact",a,window);(a=g.Ja("ytglobal.ytUtilActivityCallback_"))&&a()}; -Bp=function(){var a=g.Ja("_lact",window),b;null==a?b=-1:b=Math.max(g.A()-a,0);return b}; -Hp=function(a){a=void 0===a?!1:a;return new rm(function(b){g.Io(Cp);g.Io(Dp);Dp=0;Ep&&Ep.isReady()?(bea(b,a),Fp.clear()):(Gp(),b())})}; -Gp=function(){g.vo("web_gel_timeout_cap")&&!Dp&&(Dp=g.Go(Hp,6E4));g.Io(Cp);var a=g.L("LOGGING_BATCH_TIMEOUT",g.wo("web_gel_debounce_ms",1E4));g.vo("shorten_initial_gel_batch_timeout")&&Ip&&(a=cea);Cp=g.Go(Hp,a)}; -bea=function(a,b){var c=Ep;b=void 0===b?!1:b;for(var d=Math.round((0,g.N)()),e=Fp.size,f=g.q(Fp),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;var m=l.next().value;l=g.Wb(g.Jp(c.Tf||g.Kp()));l.events=m;(m=Lp[h])&&dea(l,h,m);delete Lp[h];eea(l,d);g.Mp(c,"log_event",l,{retry:!0,onSuccess:function(){e--;e||a();Np=Math.round((0,g.N)()-d)}, -onError:function(){e--;e||a()}, -JS:b});Ip=!1}}; -eea=function(a,b){a.requestTimeMs=String(b);g.vo("unsplit_gel_payloads_in_logs")&&(a.unsplitGelPayloadsInLogs=!0);var c=g.L("EVENT_ID",void 0);if(c){var d=g.L("BATCH_CLIENT_COUNTER",void 0)||0;!d&&g.vo("web_client_counter_random_seed")&&(d=Math.floor(Math.random()*Op/2));d++;d>Op&&(d=1);so("BATCH_CLIENT_COUNTER",d);c={serializedEventId:c,clientCounter:String(d)};a.serializedClientEventId=c;Pp&&Np&&g.vo("log_gel_rtt_web")&&(a.previousBatchInfo={serializedClientEventId:Pp,roundtripMs:String(Np)});Pp= -c;Np=0}}; -dea=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; -Sp=function(a,b,c,d){d=void 0===d?{}:d;var e={};e.eventTimeMs=Math.round(d.timestamp||(0,g.N)());e[a]=b;a=Bp();e.context={lastActivityMs:String(d.timestamp||!isFinite(a)?-1:a)};g.vo("log_sequence_info_on_gel_web")&&d.pk&&(a=e.context,b=d.pk,Qp[b]=b in Qp?Qp[b]+1:0,a.sequence={index:Qp[b],groupKey:b},d.YJ&&delete Qp[d.pk]);d=d.Fi;a="";d&&(a={},d.videoId?a.videoId=d.videoId:d.playlistId&&(a.playlistId=d.playlistId),Lp[d.token]=a,a=d.token);d=Fp.get(a)||[];Fp.set(a,d);d.push(e);c&&(Ep=new c);c=g.wo("web_logging_max_batch")|| -100;e=(0,g.N)();d.length>=c?Hp(!0):10<=e-Rp&&(Gp(),Rp=e)}; -Tp=function(){return g.Ja("yt.ads.biscotti.lastId_")||""}; -Up=function(a){g.Fa("yt.ads.biscotti.lastId_",a,void 0)}; -Vp=function(a){for(var b=a.split("&"),c={},d=0,e=b.length;dMath.max(1E4,a.B/3)?0:b);var c=a.J(a)||{};c=void 0!==c.currentTime?c.currentTime:a.Z;var d=c-a.Z,e=0;0<=d?(a.oa+=b,a.Ja+=Math.max(b-d,0),e=Math.min(d,a.oa)):a.Qa+=Math.abs(d);0!=d&&(a.oa=0);-1==a.Xa&&0=a.B/2:0=a.Ga:!1:!1}; +Bja=function(a){var b=Um(a.Ah.Xd,2),c=a.Rg.B,d=a.Ah,e=ho(a),f=go(e.C),h=go(e.I),l=go(d.volume),m=Um(e.J,2),n=Um(e.oa,2),p=Um(d.Xd,2),q=Um(e.ya,2),r=Um(e.Ga,2);d=Um(d.Tj,2);a=a.Bs().clone();a.round();e=Gn(e,!1);return{V9:b,sC:c,PG:f,IG:h,cB:l,QG:m,JG:n,Xd:p,TG:q,KG:r,Tj:d,position:a,VG:e}}; +Dja=function(a,b){Cja(a.j,b,function(){return{V9:0,sC:void 0,PG:-1,IG:-1,cB:-1,QG:-1,JG:-1,Xd:-1,TG:-1,KG:-1,Tj:-1,position:void 0,VG:[]}}); +a.j[b]=Bja(a)}; +Cja=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; +vo=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +wo=function(){var a=bka();an.call(this,Bl.top,a,"geo")}; +bka=function(){fm();var a=Xm();return a.B||a.u?0:2}; +cka=function(){}; +xo=function(){this.done=!1;this.j={E1:0,tS:0,n8a:0,mT:0,AM:-1,w2:0,v2:0,z2:0,i9:0};this.D=null;this.I=!1;this.B=null;this.J=0;this.u=new $m(this)}; +zo=function(){var a=yo;a.I||(a.I=!0,dka(a,function(){return a.C.apply(a,g.u(g.ya.apply(0,arguments)))}),a.C())}; +eka=function(){am(cka);var a=am(qo);null!=a.j&&a.j.j?Jia(a.j.j):Xm().update(Bl)}; +Ao=function(a,b,c){if(!a.done&&(a.u.cancel(),0!=b.length)){a.B=null;try{eka();var d=sm();fm().D=d;if(null!=am(qo).j)for(var e=0;eg.Zc(oka).length?null:$l(b,function(c,d){d=d.toLowerCase().split("=");if(2!=d.length||void 0===pka[d[0]]||!pka[d[0]](d[1]))throw Error("Entry ("+d[0]+", "+d[1]+") is invalid.");c[d[0]]=d[1];return c},{})}catch(c){return null}}; +rka=function(a,b){if(void 0==a.j)return 0;switch(a.D){case "mtos":return a.u?Dn(b.j,a.j):Dn(b.u,a.j);case "tos":return a.u?Cn(b.j,a.j):Cn(b.u,a.j)}return 0}; +Uo=function(a,b,c,d){Yn.call(this,b,d);this.J=a;this.T=c}; +Vo=function(){}; +Wo=function(a){Yn.call(this,"fully_viewable_audible_half_duration_impression",a)}; +Xo=function(a){this.j=a}; +Yo=function(a,b){Yn.call(this,a,b)}; +Zo=function(a){Zn.call(this,"measurable_impression",a)}; +$o=function(){Xo.apply(this,arguments)}; +ap=function(a,b,c){bo.call(this,a,b,c)}; +bp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +cp=function(a,b,c){bo.call(this,a,b,c)}; +dp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +ep=function(){an.call(this,Bl,2,"mraid");this.Ja=0;this.oa=this.ya=!1;this.J=null;this.u=uia(this.B);this.C.j=new xm(0,0,0,0);this.La=!1}; +fp=function(a,b,c){a.zt("addEventListener",b,c)}; +vka=function(a){fm().C=!!a.zt("isViewable");fp(a,"viewableChange",ska);"loading"===a.zt("getState")?fp(a,"ready",tka):uka(a)}; +uka=function(a){"string"===typeof a.u.jn.AFMA_LIDAR?(a.ya=!0,wka(a)):(a.u.compatibility=3,a.J="nc",a.fail("w"))}; +wka=function(a){a.oa=!1;var b=1==vl(fm().Cc,"rmmt"),c=!!a.zt("isViewable");(b?!c:1)&&cm().setTimeout(qm(524,function(){a.oa||(xka(a),rm(540,Error()),a.J="mt",a.fail("w"))}),500); +yka(a);fp(a,a.u.jn.AFMA_LIDAR,zka)}; +yka=function(a){var b=1==vl(fm().Cc,"sneio"),c=void 0!==a.u.jn.AFMA_LIDAR_EXP_1,d=void 0!==a.u.jn.AFMA_LIDAR_EXP_2;(b=b&&d)&&(a.u.jn.AFMA_LIDAR_EXP_2=!0);c&&(a.u.jn.AFMA_LIDAR_EXP_1=!b)}; +xka=function(a){a.zt("removeEventListener",a.u.jn.AFMA_LIDAR,zka);a.ya=!1}; +Aka=function(a,b){if("loading"===a.zt("getState"))return new g.He(-1,-1);b=a.zt(b);if(!b)return new g.He(-1,-1);a=parseInt(b.width,10);b=parseInt(b.height,10);return isNaN(a)||isNaN(b)?new g.He(-1,-1):new g.He(a,b)}; +tka=function(){try{var a=am(ep);a.zt("removeEventListener","ready",tka);uka(a)}catch(b){rm(541,b)}}; +zka=function(a,b){try{var c=am(ep);c.oa=!0;var d=a?new xm(a.y,a.x+a.width,a.y+a.height,a.x):new xm(0,0,0,0);var e=sm(),f=Zm();var h=new Bm(e,f,c);h.j=d;h.volume=b;c.Hs(h)}catch(l){rm(542,l)}}; +ska=function(a){var b=fm(),c=am(ep);a&&!b.C&&(b.C=!0,c.La=!0,c.J&&c.fail("w",!0))}; +gp=function(){this.isInitialized=!1;this.j=this.u=null;var a={};this.J=(a.start=this.Y3,a.firstquartile=this.T3,a.midpoint=this.V3,a.thirdquartile=this.Z3,a.complete=this.Q3,a.error=this.R3,a.pause=this.tO,a.resume=this.tX,a.skip=this.X3,a.viewable_impression=this.Jo,a.mute=this.hA,a.unmute=this.hA,a.fullscreen=this.U3,a.exitfullscreen=this.S3,a.fully_viewable_audible_half_duration_impression=this.Jo,a.measurable_impression=this.Jo,a.abandon=this.tO,a.engagedview=this.Jo,a.impression=this.Jo,a.creativeview= +this.Jo,a.progress=this.hA,a.custom_metric_viewable=this.Jo,a.bufferstart=this.tO,a.bufferfinish=this.tX,a.audio_measurable=this.Jo,a.audio_audible=this.Jo,a);a={};this.T=(a.overlay_resize=this.W3,a.abandon=this.pM,a.close=this.pM,a.collapse=this.pM,a.overlay_unmeasurable_impression=function(b){return ko(b,"overlay_unmeasurable_impression",Zm())},a.overlay_viewable_immediate_impression=function(b){return ko(b,"overlay_viewable_immediate_impression",Zm())},a.overlay_unviewable_impression=function(b){return ko(b, +"overlay_unviewable_impression",Zm())},a.overlay_viewable_end_of_session_impression=function(b){return ko(b,"overlay_viewable_end_of_session_impression",Zm())},a); +fm().u=3;Bka(this);this.B=!1}; +hp=function(a,b,c,d){b=a.ED(null,d,!0,b);b.C=c;Vja([b],a.B);return b}; +Cka=function(a,b,c){vha(b);var d=a.j;g.Ob(b,function(e){var f=g.Yl(e.criteria,function(h){var l=qka(h);if(null==l)h=null;else if(h=new nka,null!=l.visible&&(h.j=l.visible/100),null!=l.audible&&(h.u=1==l.audible),null!=l.time){var m="mtos"==l.timetype?"mtos":"tos",n=Haa(l.time,"%")?"%":"ms";l=parseInt(l.time,10);"%"==n&&(l/=100);h.setTime(l,n,m)}return h}); +Wm(f,function(h){return null==h})||zja(c,new Uo(e.id,e.event,f,d))})}; +Dka=function(){var a=[],b=fm();a.push(am(wo));vl(b.Cc,"mvp_lv")&&a.push(am(ep));b=[new bp,new dp];b.push(new ro(a));b.push(new vo(Bl));return b}; +Eka=function(a){if(!a.isInitialized){a.isInitialized=!0;try{var b=sm(),c=fm(),d=Xm();tm=b;c.B=79463069;"o"!==a.u&&(ika=Kha(Bl));if(Vha()){yo.j.tS=0;yo.j.AM=sm()-b;var e=Dka(),f=am(qo);f.u=e;Xja(f,function(){ip()})?yo.done||(fka(),bn(f.j.j,a),zo()):d.B?ip():zo()}else jp=!0}catch(h){throw oo.reset(),h; +}}}; +lp=function(a){yo.u.cancel();kp=a;yo.done=!0}; +mp=function(a){if(a.u)return a.u;var b=am(qo).j;if(b)switch(b.getName()){case "nis":a.u="n";break;case "gsv":a.u="m"}a.u||(a.u="h");return a.u}; +np=function(a,b,c){if(null==a.j)return b.nA|=4,!1;a=Fka(a.j,c,b);b.nA|=a;return 0==a}; +ip=function(){var a=[new vo(Bl)],b=am(qo);b.u=a;Xja(b,function(){lp("i")})?yo.done||(fka(),zo()):lp("i")}; +Gka=function(a,b){if(!a.Pb){var c=ko(a,"start",Zm());c=a.uO.j(c).j;var d={id:"lidarv"};d.r=b;d.sv="951";null!==Co&&(d.v=Co);Vi(c,function(e,f){return d[e]="mtos"==e||"tos"==e?f:encodeURIComponent(f)}); +b=jka();Vi(b,function(e,f){return d[e]=encodeURIComponent(f)}); +b="//pagead2.googlesyndication.com/pagead/gen_204?"+wn(vn(new un,d));Uia(b);a.Pb=!0}}; +op=function(a,b,c){Ao(yo,[a],!Zm());Dja(a,c);4!=c&&Cja(a.ya,c,a.XF);return ko(a,b,Zm())}; +Bka=function(a){hka(function(){var b=Hka();null!=a.u&&(b.sdk=a.u);var c=am(qo);null!=c.j&&(b.avms=c.j.getName());return b})}; +Ika=function(a,b,c,d){if(a.B)var e=no(oo,b);else e=Rja(oo,c),null!==e&&e.Zh!==b&&(a.rB(e),e=null);e||(b=a.ED(c,sm(),!1,b),0==oo.u.length&&(fm().B=79463069),Wja([b]),e=b,e.C=mp(a),d&&(e.Ya=d));return e}; +Jka=function(a){g.Ob(oo.j,function(b){3==b.Gi&&a.rB(b)})}; +Kka=function(a,b){var c=a[b];void 0!==c&&0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; +vla=function(a){if(!a)return le;var b=document.createElement("div").style;rla(a).forEach(function(c){var d=g.Pc&&c in sla?c:c.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");Rb(d,"--")||Rb(d,"var")||(c=qla(tla,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[c])||"",c=ola(c),null!=c&&qla(ula,b,b.setProperty?"setProperty":"setAttribute",[d,c]))}); +return Wba(g.Xd("Output of CSS sanitizer"),b.cssText||"")}; +rla=function(a){g.Ia(a)?a=g.Bb(a):(a=g.Zc(a),g.wb(a,"cssText"));return a}; +g.fq=function(a){var b,c=b=0,d=!1;a=a.split(wla);for(var e=0;e=c)return 0;if(1<=c)return 1;for(var d=0,e=1,f=0,h=0;8>h;h++){f=hq(a,c);var l=(hq(a,c+1E-6)-f)/1E-6;if(1E-6>Math.abs(f-b))return c;if(1E-6>Math.abs(l))break;else fh;h++)fg.Ra()}; +g.pq=function(a){this.j=a}; +Gla=function(){}; +qq=function(){}; +rq=function(a){this.j=a}; +sq=function(){var a=null;try{a=window.localStorage||null}catch(b){}this.j=a}; +Hla=function(){var a=null;try{a=window.sessionStorage||null}catch(b){}this.j=a}; +uq=function(a,b){this.u=a;this.j=null;if(g.mf&&!g.Oc(9)){tq||(tq=new g.Zp);this.j=tq.get(a);this.j||(b?this.j=document.getElementById(b):(this.j=document.createElement("userdata"),this.j.addBehavior("#default#userData"),document.body.appendChild(this.j)),tq.set(a,this.j));try{this.j.load(this.u)}catch(c){this.j=null}}}; +vq=function(a){return"_"+encodeURIComponent(a).replace(/[.!~*'()%]/g,function(b){return Ila[b]})}; +wq=function(a){try{a.j.save(a.u)}catch(b){throw"Storage mechanism: Quota exceeded";}}; +xq=function(a,b){this.u=a;this.j=b+"::"}; +g.yq=function(a){var b=new sq;return b.isAvailable()?a?new xq(b,a):b:null}; +Lq=function(a,b){this.j=a;this.u=b}; +Mq=function(a){this.j=[];if(a)a:{if(a instanceof Mq){var b=a.Xp();a=a.Ml();if(0>=this.j.length){for(var c=this.j,d=0;df?1:2048>f?2:65536>f?3:4}var l=new Oq.Nw(e);for(b=c=0;cf?l[c++]=f:(2048>f?l[c++]=192|f>>>6:(65536>f?l[c++]=224|f>>>12:(l[c++]=240|f>>>18,l[c++]=128|f>>>12&63),l[c++]=128|f>>> +6&63),l[c++]=128|f&63);return l}; +Pq=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +Qq=function(a,b,c,d,e){this.XX=a;this.b3=b;this.Z2=c;this.O2=d;this.J4=e;this.BU=a&&a.length}; +Rq=function(a,b){this.nT=a;this.jz=0;this.Ht=b}; +Sq=function(a,b){a.hg[a.pending++]=b&255;a.hg[a.pending++]=b>>>8&255}; +Tq=function(a,b,c){a.Kh>16-c?(a.Vi|=b<>16-a.Kh,a.Kh+=c-16):(a.Vi|=b<>>=1,c<<=1;while(0<--b);return c>>>1}; +Mla=function(a,b,c){var d=Array(16),e=0,f;for(f=1;15>=f;f++)d[f]=e=e+c[f-1]<<1;for(c=0;c<=b;c++)e=a[2*c+1],0!==e&&(a[2*c]=Lla(d[e]++,e))}; +Nla=function(a){var b;for(b=0;286>b;b++)a.Ej[2*b]=0;for(b=0;30>b;b++)a.Pu[2*b]=0;for(b=0;19>b;b++)a.Ai[2*b]=0;a.Ej[512]=1;a.Kq=a.cA=0;a.Rl=a.matches=0}; +Ola=function(a){8e?Zq[e]:Zq[256+(e>>>7)];Uq(a,h,c);l=$q[h];0!==l&&(e-=ar[h],Tq(a,e,l))}}while(da.lq;){var m=a.xg[++a.lq]=2>l?++l:0;c[2*m]=1;a.depth[m]=0;a.Kq--;e&&(a.cA-=d[2*m+1])}b.jz=l;for(h=a.lq>>1;1<=h;h--)Vq(a,c,h);m=f;do h=a.xg[1],a.xg[1]=a.xg[a.lq--],Vq(a,c,1),d=a.xg[1],a.xg[--a.Ky]=h,a.xg[--a.Ky]=d,c[2*m]=c[2*h]+c[2*d],a.depth[m]=(a.depth[h]>=a.depth[d]?a.depth[h]:a.depth[d])+1,c[2*h+1]=c[2*d+1]=m,a.xg[1]=m++,Vq(a,c,1);while(2<= +a.lq);a.xg[--a.Ky]=a.xg[1];h=b.nT;m=b.jz;d=b.Ht.XX;e=b.Ht.BU;f=b.Ht.b3;var n=b.Ht.Z2,p=b.Ht.J4,q,r=0;for(q=0;15>=q;q++)a.Jp[q]=0;h[2*a.xg[a.Ky]+1]=0;for(b=a.Ky+1;573>b;b++){var v=a.xg[b];q=h[2*h[2*v+1]+1]+1;q>p&&(q=p,r++);h[2*v+1]=q;if(!(v>m)){a.Jp[q]++;var x=0;v>=n&&(x=f[v-n]);var z=h[2*v];a.Kq+=z*(q+x);e&&(a.cA+=z*(d[2*v+1]+x))}}if(0!==r){do{for(q=p-1;0===a.Jp[q];)q--;a.Jp[q]--;a.Jp[q+1]+=2;a.Jp[p]--;r-=2}while(0m||(h[2*d+1]!==q&&(a.Kq+=(q- +h[2*d+1])*h[2*d],h[2*d+1]=q),v--)}Mla(c,l,a.Jp)}; +Sla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);b[2*(c+1)+1]=65535;for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];++h=h?a.Ai[34]++:a.Ai[36]++,h=0,e=n,0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4))}}; +Tla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];if(!(++h=h?(Uq(a,17,a.Ai),Tq(a,h-3,3)):(Uq(a,18,a.Ai),Tq(a,h-11,7));h=0;e=n;0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4)}}}; +Ula=function(a){var b=4093624447,c;for(c=0;31>=c;c++,b>>>=1)if(b&1&&0!==a.Ej[2*c])return 0;if(0!==a.Ej[18]||0!==a.Ej[20]||0!==a.Ej[26])return 1;for(c=32;256>c;c++)if(0!==a.Ej[2*c])return 1;return 0}; +cr=function(a,b,c){a.hg[a.pB+2*a.Rl]=b>>>8&255;a.hg[a.pB+2*a.Rl+1]=b&255;a.hg[a.UM+a.Rl]=c&255;a.Rl++;0===b?a.Ej[2*c]++:(a.matches++,b--,a.Ej[2*(Wq[c]+256+1)]++,a.Pu[2*(256>b?Zq[b]:Zq[256+(b>>>7)])]++);return a.Rl===a.IC-1}; +er=function(a,b){a.msg=dr[b];return b}; +fr=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +gr=function(a){var b=a.state,c=b.pending;c>a.le&&(c=a.le);0!==c&&(Oq.Mx(a.Sj,b.hg,b.oD,c,a.pz),a.pz+=c,b.oD+=c,a.LP+=c,a.le-=c,b.pending-=c,0===b.pending&&(b.oD=0))}; +jr=function(a,b){var c=0<=a.qk?a.qk:-1,d=a.xb-a.qk,e=0;if(0>>3;var h=a.cA+3+7>>>3;h<=f&&(f=h)}else f=h=d+5;if(d+4<=f&&-1!==c)Tq(a,b?1:0,3),Pla(a,c,d);else if(4===a.strategy||h===f)Tq(a,2+(b?1:0),3),Rla(a,hr,ir);else{Tq(a,4+(b?1:0),3);c=a.zG.jz+1;d=a.rF.jz+1;e+=1;Tq(a,c-257,5);Tq(a,d-1,5);Tq(a,e-4,4);for(f=0;f>>8&255;a.hg[a.pending++]=b&255}; +Wla=function(a,b){var c=a.zV,d=a.xb,e=a.Ok,f=a.PV,h=a.xb>a.Oi-262?a.xb-(a.Oi-262):0,l=a.window,m=a.Qt,n=a.gp,p=a.xb+258,q=l[d+e-1],r=l[d+e];a.Ok>=a.hU&&(c>>=2);f>a.Yb&&(f=a.Yb);do{var v=b;if(l[v+e]===r&&l[v+e-1]===q&&l[v]===l[d]&&l[++v]===l[d+1]){d+=2;for(v++;l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&de){a.gz=b;e=v;if(v>=f)break;q=l[d+e-1];r=l[d+e]}}}while((b=n[b&m])>h&&0!== +--c);return e<=a.Yb?e:a.Yb}; +or=function(a){var b=a.Oi,c;do{var d=a.YY-a.Yb-a.xb;if(a.xb>=b+(b-262)){Oq.Mx(a.window,a.window,b,b,0);a.gz-=b;a.xb-=b;a.qk-=b;var e=c=a.lG;do{var f=a.head[--e];a.head[e]=f>=b?f-b:0}while(--c);e=c=b;do f=a.gp[--e],a.gp[e]=f>=b?f-b:0;while(--c);d+=b}if(0===a.Sd.Ti)break;e=a.Sd;c=a.window;f=a.xb+a.Yb;var h=e.Ti;h>d&&(h=d);0===h?c=0:(e.Ti-=h,Oq.Mx(c,e.input,e.Gv,h,f),1===e.state.wrap?e.Cd=mr(e.Cd,c,h,f):2===e.state.wrap&&(e.Cd=nr(e.Cd,c,h,f)),e.Gv+=h,e.yw+=h,c=h);a.Yb+=c;if(3<=a.Yb+a.Ph)for(d=a.xb-a.Ph, +a.Yd=a.window[d],a.Yd=(a.Yd<a.Yb+a.Ph););}while(262>a.Yb&&0!==a.Sd.Ti)}; +pr=function(a,b){for(var c;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +qr=function(a,b){for(var c,d;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<=a.Fe&&(1===a.strategy||3===a.Fe&&4096a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Xla=function(a,b){for(var c,d,e,f=a.window;;){if(258>=a.Yb){or(a);if(258>=a.Yb&&0===b)return 1;if(0===a.Yb)break}a.Fe=0;if(3<=a.Yb&&0a.Yb&&(a.Fe=a.Yb)}3<=a.Fe?(c=cr(a,1,a.Fe-3),a.Yb-=a.Fe,a.xb+=a.Fe,a.Fe=0):(c=cr(a,0,a.window[a.xb]),a.Yb--,a.xb++);if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4=== +b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Yla=function(a,b){for(var c;;){if(0===a.Yb&&(or(a),0===a.Yb)){if(0===b)return 1;break}a.Fe=0;c=cr(a,0,a.window[a.xb]);a.Yb--;a.xb++;if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +rr=function(a,b,c,d,e){this.y3=a;this.I4=b;this.X4=c;this.H4=d;this.func=e}; +Zla=function(){this.Sd=null;this.status=0;this.hg=null;this.wrap=this.pending=this.oD=this.Vl=0;this.Ad=null;this.Qm=0;this.method=8;this.Zy=-1;this.Qt=this.gQ=this.Oi=0;this.window=null;this.YY=0;this.head=this.gp=null;this.PV=this.hU=this.strategy=this.level=this.hN=this.zV=this.Ok=this.Yb=this.gz=this.xb=this.Cv=this.ZW=this.Fe=this.qk=this.jq=this.iq=this.uM=this.lG=this.Yd=0;this.Ej=new Oq.Cp(1146);this.Pu=new Oq.Cp(122);this.Ai=new Oq.Cp(78);fr(this.Ej);fr(this.Pu);fr(this.Ai);this.GS=this.rF= +this.zG=null;this.Jp=new Oq.Cp(16);this.xg=new Oq.Cp(573);fr(this.xg);this.Ky=this.lq=0;this.depth=new Oq.Cp(573);fr(this.depth);this.Kh=this.Vi=this.Ph=this.matches=this.cA=this.Kq=this.pB=this.Rl=this.IC=this.UM=0}; +$la=function(a,b){if(!a||!a.state||5b)return a?er(a,-2):-2;var c=a.state;if(!a.Sj||!a.input&&0!==a.Ti||666===c.status&&4!==b)return er(a,0===a.le?-5:-2);c.Sd=a;var d=c.Zy;c.Zy=b;if(42===c.status)if(2===c.wrap)a.Cd=0,kr(c,31),kr(c,139),kr(c,8),c.Ad?(kr(c,(c.Ad.text?1:0)+(c.Ad.Is?2:0)+(c.Ad.Ur?4:0)+(c.Ad.name?8:0)+(c.Ad.comment?16:0)),kr(c,c.Ad.time&255),kr(c,c.Ad.time>>8&255),kr(c,c.Ad.time>>16&255),kr(c,c.Ad.time>>24&255),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,c.Ad.os&255),c.Ad.Ur&& +c.Ad.Ur.length&&(kr(c,c.Ad.Ur.length&255),kr(c,c.Ad.Ur.length>>8&255)),c.Ad.Is&&(a.Cd=nr(a.Cd,c.hg,c.pending,0)),c.Qm=0,c.status=69):(kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,3),c.status=113);else{var e=8+(c.gQ-8<<4)<<8;e|=(2<=c.strategy||2>c.level?0:6>c.level?1:6===c.level?2:3)<<6;0!==c.xb&&(e|=32);c.status=113;lr(c,e+(31-e%31));0!==c.xb&&(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));a.Cd=1}if(69===c.status)if(c.Ad.Ur){for(e=c.pending;c.Qm<(c.Ad.Ur.length& +65535)&&(c.pending!==c.Vl||(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending!==c.Vl));)kr(c,c.Ad.Ur[c.Qm]&255),c.Qm++;c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));c.Qm===c.Ad.Ur.length&&(c.Qm=0,c.status=73)}else c.status=73;if(73===c.status)if(c.Ad.name){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){var f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.Qm=0,c.status=91)}else c.status=91;if(91===c.status)if(c.Ad.comment){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.status=103)}else c.status=103;103===c.status&& +(c.Ad.Is?(c.pending+2>c.Vl&&gr(a),c.pending+2<=c.Vl&&(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),a.Cd=0,c.status=113)):c.status=113);if(0!==c.pending){if(gr(a),0===a.le)return c.Zy=-1,0}else if(0===a.Ti&&(b<<1)-(4>=8,c.Kh-=8)):5!==b&&(Tq(c,0,3),Pla(c,0,0),3===b&&(fr(c.head),0===c.Yb&&(c.xb=0,c.qk=0,c.Ph=0))),gr(a),0===a.le))return c.Zy=-1,0}if(4!==b)return 0;if(0>=c.wrap)return 1;2===c.wrap?(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),kr(c,a.Cd>>16&255),kr(c,a.Cd>>24&255),kr(c,a.yw&255),kr(c,a.yw>>8&255),kr(c,a.yw>>16&255),kr(c,a.yw>>24&255)):(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));gr(a);0a.Rt&&(a.Rt+=16);this.err=0;this.msg="";this.ended=!1;this.chunks=[];this.Sd=new ama;this.Sd.le=0;var b=this.Sd;var c=a.level,d=a.method,e=a.Rt,f=a.O4,h=a.strategy;if(b){var l=1;-1===c&&(c=6);0>e?(l=0,e=-e):15f||9e||15c||9h||4c.wrap&&(c.wrap=-c.wrap);c.status=c.wrap?42:113;b.Cd=2===c.wrap?0:1;c.Zy=0;if(!bma){d=Array(16);for(f=h=0;28>f;f++)for(Yq[f]=h,e=0;e< +1<f;f++)for(ar[f]=h,e=0;e<1<<$q[f];e++)Zq[h++]=f;for(h>>=7;30>f;f++)for(ar[f]=h<<7,e=0;e<1<<$q[f]-7;e++)Zq[256+h++]=f;for(e=0;15>=e;e++)d[e]=0;for(e=0;143>=e;)hr[2*e+1]=8,e++,d[8]++;for(;255>=e;)hr[2*e+1]=9,e++,d[9]++;for(;279>=e;)hr[2*e+1]=7,e++,d[7]++;for(;287>=e;)hr[2*e+1]=8,e++,d[8]++;Mla(hr,287,d);for(e=0;30>e;e++)ir[2*e+1]=5,ir[2*e]=Lla(e,5);cma=new Qq(hr,Xq,257,286,15);dma=new Qq(ir,$q,0,30,15);ema=new Qq([],fma,0,19,7);bma=!0}c.zG=new Rq(c.Ej,cma); +c.rF=new Rq(c.Pu,dma);c.GS=new Rq(c.Ai,ema);c.Vi=0;c.Kh=0;Nla(c);c=0}else c=er(b,-2);0===c&&(b=b.state,b.YY=2*b.Oi,fr(b.head),b.hN=sr[b.level].I4,b.hU=sr[b.level].y3,b.PV=sr[b.level].X4,b.zV=sr[b.level].H4,b.xb=0,b.qk=0,b.Yb=0,b.Ph=0,b.Fe=b.Ok=2,b.Cv=0,b.Yd=0);b=c}}else b=-2;if(0!==b)throw Error(dr[b]);a.header&&(b=this.Sd)&&b.state&&2===b.state.wrap&&(b.state.Ad=a.header);if(a.sB){var n;"string"===typeof a.sB?n=Kla(a.sB):"[object ArrayBuffer]"===gma.call(a.sB)?n=new Uint8Array(a.sB):n=a.sB;a=this.Sd; +f=n;h=f.length;if(a&&a.state)if(n=a.state,b=n.wrap,2===b||1===b&&42!==n.status||n.Yb)b=-2;else{1===b&&(a.Cd=mr(a.Cd,f,h,0));n.wrap=0;h>=n.Oi&&(0===b&&(fr(n.head),n.xb=0,n.qk=0,n.Ph=0),c=new Oq.Nw(n.Oi),Oq.Mx(c,f,h-n.Oi,n.Oi,0),f=c,h=n.Oi);c=a.Ti;d=a.Gv;e=a.input;a.Ti=h;a.Gv=0;a.input=f;for(or(n);3<=n.Yb;){f=n.xb;h=n.Yb-2;do n.Yd=(n.Yd<=c[19]?(0,c[87])(c[Math.pow(2,2)-138- -218],c[79]):(0,c[76])(c[29],c[28]),c[26]!==14763-Math.pow(1,1)-14772&&(6>=c[24]&&((0,c[48])((0,c[184-108*Math.pow(1,4)])(c[70],c[24]),c[32],c[68],c[84]),1)||((0,c[47])((0,c[43])(),c[49],c[745+-27*Math.pow(5,2)]),c[47])((0,c[69])(),c[9],c[84])),-3>c[27]&&(0>=c[83]||((0,c[32])(c[46],c[82]),null))&&(0,c[1])(c[88]),-2!==c[50]&&(-6 +c[74]?((0,c[16+Math.pow(8,3)-513])((0,c[81])(c[69],c[34]),c[54],c[24],c[91]),c[64])((0,c[25])(c[42],c[22]),c[54],c[30],c[34]):(0,c[10])((0,c[54])(c[85],c[12]),(0,c[25])(c[42],c[8]),c[new Date("1969-12-31T18:46:04.000-05:15")/1E3],(0,c[82])(c[49],c[30]),c[82],c[20],c[28])),3=c[92]&&(0,c[15])((0,c[35])(c[36],c[20]),c[11],c[29])}catch(d){(0,c[60])(c[92],c[93])}try{1>c[45]?((0,c[60])(c[2],c[93]),c[60])(c[91],c[93]):((0,c[88])(c[93],c[86]),c[11])(c[57])}catch(d){(0,c[85])((0,c[80])(),c[56],c[0])}}catch(d){return"enhanced_except_j5gB8Of-_w8_"+a}return b.join("")}; +g.zr=function(a){this.name=a}; +Ar=function(a){J.call(this,a)}; +Br=function(a){J.call(this,a)}; +Cr=function(a){J.call(this,a)}; +Dr=function(a){J.call(this,a)}; +Er=function(a){J.call(this,a)}; +Fr=function(a){J.call(this,a)}; +Gr=function(a){J.call(this,a)}; +Hr=function(a){J.call(this,a)}; +Ir=function(a){J.call(this,a,-1,rma)}; +Jr=function(a){J.call(this,a,-1,sma)}; +Kr=function(a){J.call(this,a)}; +Lr=function(a){J.call(this,a)}; +Mr=function(a){J.call(this,a)}; +Nr=function(a){J.call(this,a)}; +Or=function(a){J.call(this,a)}; +Pr=function(a){J.call(this,a)}; +Qr=function(a){J.call(this,a)}; +Rr=function(a){J.call(this,a)}; +Sr=function(a){J.call(this,a)}; +Tr=function(a){J.call(this,a,-1,tma)}; +Ur=function(a){J.call(this,a,-1,uma)}; +Vr=function(a){J.call(this,a)}; +Wr=function(a){J.call(this,a)}; +Xr=function(a){J.call(this,a)}; +Yr=function(a){J.call(this,a)}; +Zr=function(a){J.call(this,a)}; +$r=function(a){J.call(this,a)}; +as=function(a){J.call(this,a,-1,vma)}; +bs=function(a){J.call(this,a)}; +cs=function(a){J.call(this,a,-1,wma)}; +ds=function(a){J.call(this,a)}; +es=function(a){J.call(this,a)}; +fs=function(a){J.call(this,a)}; +gs=function(a){J.call(this,a)}; +hs=function(a){J.call(this,a)}; +is=function(a){J.call(this,a)}; +js=function(a){J.call(this,a)}; +ks=function(a){J.call(this,a)}; +ls=function(a){J.call(this,a)}; +ms=function(a){J.call(this,a)}; +ns=function(a){J.call(this,a)}; +os=function(a){J.call(this,a)}; +ps=function(a){J.call(this,a)}; +qs=function(a){J.call(this,a)}; +rs=function(a){J.call(this,a)}; +ts=function(a){J.call(this,a,-1,xma)}; +us=function(a){J.call(this,a)}; +vs=function(a){J.call(this,a)}; +ws=function(a){J.call(this,a)}; +xs=function(a){J.call(this,a)}; +ys=function(a){J.call(this,a)}; +zs=function(a){J.call(this,a)}; +As=function(a){J.call(this,a,-1,yma)}; +Bs=function(a){J.call(this,a)}; +Cs=function(a){J.call(this,a)}; +Ds=function(a){J.call(this,a)}; +Es=function(a){J.call(this,a,-1,zma)}; +Fs=function(a){J.call(this,a)}; +Gs=function(a){J.call(this,a)}; +Hs=function(a){J.call(this,a)}; +Is=function(a){J.call(this,a,-1,Ama)}; +Js=function(a){J.call(this,a)}; +Ks=function(a){J.call(this,a)}; +Bma=function(a,b){return H(a,1,b)}; +Ls=function(a){J.call(this,a,-1,Cma)}; +Ms=function(a){J.call(this,a,-1,Dma)}; +Ns=function(a){J.call(this,a)}; +Os=function(a){J.call(this,a)}; +Ps=function(a){J.call(this,a)}; +Qs=function(a){J.call(this,a)}; +Rs=function(a){J.call(this,a)}; +Ss=function(a){J.call(this,a)}; +Ts=function(a){J.call(this,a)}; +Fma=function(a){J.call(this,a,-1,Ema)}; +g.Us=function(a){J.call(this,a,-1,Gma)}; +Vs=function(a){J.call(this,a)}; +Ws=function(a){J.call(this,a,-1,Hma)}; +Xs=function(a){J.call(this,a,-1,Ima)}; +Ys=function(a){J.call(this,a)}; +pt=function(a){J.call(this,a,-1,Jma)}; +rt=function(a){J.call(this,a,-1,Kma)}; +tt=function(a){J.call(this,a)}; +ut=function(a){J.call(this,a)}; +vt=function(a){J.call(this,a)}; +wt=function(a){J.call(this,a)}; +xt=function(a){J.call(this,a)}; +zt=function(a){J.call(this,a)}; +At=function(a){J.call(this,a,-1,Lma)}; +Bt=function(a){J.call(this,a)}; +Ct=function(a){J.call(this,a)}; +Dt=function(a){J.call(this,a)}; +Et=function(a){J.call(this,a)}; +Ft=function(a){J.call(this,a)}; +Gt=function(a){J.call(this,a)}; +Ht=function(a){J.call(this,a)}; +It=function(a){J.call(this,a)}; +Jt=function(a){J.call(this,a)}; +Kt=function(a){J.call(this,a,-1,Mma)}; +Lt=function(a){J.call(this,a,-1,Nma)}; +Mt=function(a){J.call(this,a,-1,Oma)}; +Nt=function(a){J.call(this,a)}; +Ot=function(a){J.call(this,a,-1,Pma)}; +Pt=function(a){J.call(this,a)}; +Qt=function(a){J.call(this,a,-1,Qma)}; +Rt=function(a){J.call(this,a,-1,Rma)}; +St=function(a){J.call(this,a,-1,Sma)}; +Tt=function(a){J.call(this,a)}; +Ut=function(a){J.call(this,a)}; +Vt=function(a){J.call(this,a,-1,Tma)}; +Wt=function(a){J.call(this,a)}; +Xt=function(a){J.call(this,a)}; +Yt=function(a){J.call(this,a)}; +Zt=function(a){J.call(this,a)}; +$t=function(a){J.call(this,a)}; +au=function(a){J.call(this,a)}; +bu=function(a){J.call(this,a)}; +cu=function(a){J.call(this,a)}; +du=function(a){J.call(this,a)}; +eu=function(a){J.call(this,a)}; +fu=function(a){J.call(this,a)}; +gu=function(a){J.call(this,a)}; +hu=function(a){J.call(this,a)}; +iu=function(a){J.call(this,a)}; +ju=function(a){J.call(this,a)}; +ku=function(a){J.call(this,a)}; +lu=function(a){J.call(this,a)}; +mu=function(a){J.call(this,a)}; +nu=function(a){J.call(this,a)}; +ou=function(a){J.call(this,a)}; +pu=function(a){J.call(this,a)}; +qu=function(a){J.call(this,a)}; +ru=function(a){J.call(this,a)}; +tu=function(a){J.call(this,a,-1,Uma)}; +uu=function(a){J.call(this,a,-1,Vma)}; +vu=function(a){J.call(this,a,-1,Wma)}; +wu=function(a){J.call(this,a)}; +xu=function(a){J.call(this,a)}; +yu=function(a){J.call(this,a)}; +zu=function(a){J.call(this,a)}; +Au=function(a){J.call(this,a)}; +Bu=function(a){J.call(this,a)}; +Cu=function(a){J.call(this,a)}; +Du=function(a){J.call(this,a)}; +Eu=function(a){J.call(this,a)}; +Fu=function(a){J.call(this,a)}; +Gu=function(a){J.call(this,a)}; +Hu=function(a){J.call(this,a)}; +Iu=function(a){J.call(this,a)}; +Ju=function(a){J.call(this,a)}; +Ku=function(a){J.call(this,a,-1,Xma)}; +Lu=function(a){J.call(this,a)}; +Mu=function(a){J.call(this,a,-1,Yma)}; +Nu=function(a){J.call(this,a)}; +Ou=function(a){J.call(this,a,-1,Zma)}; +Pu=function(a){J.call(this,a,-1,$ma)}; +Qu=function(a){J.call(this,a,-1,ana)}; +Ru=function(a){J.call(this,a)}; +Su=function(a){J.call(this,a)}; +Tu=function(a){J.call(this,a)}; +Uu=function(a){J.call(this,a)}; +Vu=function(a){J.call(this,a,-1,bna)}; +Wu=function(a){J.call(this,a)}; +Xu=function(a){J.call(this,a)}; +Yu=function(a){J.call(this,a,-1,cna)}; +Zu=function(a){J.call(this,a)}; +$u=function(a){J.call(this,a,-1,dna)}; +av=function(a){J.call(this,a)}; +bv=function(a){J.call(this,a)}; +cv=function(a){J.call(this,a)}; +dv=function(a){J.call(this,a)}; +ev=function(a){J.call(this,a)}; +fv=function(a){J.call(this,a,-1,ena)}; +gv=function(a){J.call(this,a)}; +hv=function(a){J.call(this,a,-1,fna)}; +iv=function(a){J.call(this,a)}; +jv=function(a){J.call(this,a,-1,gna)}; +kv=function(a){J.call(this,a)}; +lv=function(a){J.call(this,a)}; +mv=function(a){J.call(this,a,-1,hna)}; +nv=function(a){J.call(this,a)}; +ov=function(a){J.call(this,a,-1,ina)}; +pv=function(a){J.call(this,a)}; +qv=function(a){J.call(this,a)}; +rv=function(a){J.call(this,a)}; +tv=function(a){J.call(this,a)}; +uv=function(a){J.call(this,a,-1,jna)}; +vv=function(a){J.call(this,a,-1,kna)}; +wv=function(a){J.call(this,a)}; +xv=function(a){J.call(this,a)}; +yv=function(a){J.call(this,a)}; +zv=function(a){J.call(this,a)}; +Av=function(a){J.call(this,a)}; +Bv=function(a){J.call(this,a)}; +Cv=function(a){J.call(this,a)}; +Dv=function(a){J.call(this,a)}; +Ev=function(a){J.call(this,a)}; +Fv=function(a){J.call(this,a)}; +Gv=function(a){J.call(this,a)}; +Hv=function(a){J.call(this,a)}; +Iv=function(a){J.call(this,a,-1,lna)}; +Jv=function(a){J.call(this,a)}; +Kv=function(a){J.call(this,a,-1,mna)}; +Lv=function(a){J.call(this,a)}; +Mv=function(a){J.call(this,a)}; +Nv=function(a){J.call(this,a)}; +Ov=function(a){J.call(this,a)}; +Pv=function(a){J.call(this,a)}; +Qv=function(a){J.call(this,a)}; +Rv=function(a){J.call(this,a)}; +Sv=function(a){J.call(this,a)}; +Tv=function(a){J.call(this,a)}; +Uv=function(a){J.call(this,a)}; +Vv=function(a){J.call(this,a)}; +Wv=function(a){J.call(this,a)}; +Xv=function(a){J.call(this,a)}; +Yv=function(a){J.call(this,a)}; +Zv=function(a){J.call(this,a)}; +$v=function(a){J.call(this,a)}; +aw=function(a){J.call(this,a)}; +bw=function(a){J.call(this,a)}; +cw=function(a){J.call(this,a)}; +dw=function(a){J.call(this,a)}; +ew=function(a){J.call(this,a)}; +fw=function(a){J.call(this,a)}; +gw=function(a){J.call(this,a)}; +hw=function(a){J.call(this,a)}; +iw=function(a){J.call(this,a)}; +jw=function(a){J.call(this,a)}; +kw=function(a){J.call(this,a)}; +lw=function(a){J.call(this,a)}; +mw=function(a){J.call(this,a)}; +nw=function(a){J.call(this,a)}; +ow=function(a){J.call(this,a)}; +pw=function(a){J.call(this,a,-1,nna)}; +qw=function(a){J.call(this,a)}; +rw=function(a){J.call(this,a)}; +tw=function(a){J.call(this,a,-1,ona)}; +uw=function(a){J.call(this,a)}; +vw=function(a){J.call(this,a)}; +ww=function(a){J.call(this,a)}; +xw=function(a){J.call(this,a)}; +yw=function(a){J.call(this,a)}; +Aw=function(a){J.call(this,a)}; +Fw=function(a){J.call(this,a)}; +Gw=function(a){J.call(this,a)}; +Hw=function(a){J.call(this,a)}; +Iw=function(a){J.call(this,a)}; +Jw=function(a){J.call(this,a)}; +Kw=function(a){J.call(this,a)}; +Lw=function(a){J.call(this,a)}; +Mw=function(a){J.call(this,a)}; +Nw=function(a){J.call(this,a)}; +Ow=function(a){J.call(this,a,-1,pna)}; +Pw=function(a){J.call(this,a)}; +Qw=function(a){J.call(this,a)}; +Rw=function(a){J.call(this,a)}; +Sw=function(a){J.call(this,a)}; +Tw=function(a){J.call(this,a)}; +Uw=function(a){J.call(this,a)}; +Vw=function(a){J.call(this,a)}; +Ww=function(a){J.call(this,a)}; +Xw=function(a){J.call(this,a)}; +Yw=function(a){J.call(this,a)}; +Zw=function(a){J.call(this,a)}; +$w=function(a){J.call(this,a)}; +ax=function(a){J.call(this,a)}; +bx=function(a){J.call(this,a)}; +cx=function(a){J.call(this,a)}; +dx=function(a){J.call(this,a)}; +ex=function(a){J.call(this,a)}; +fx=function(a){J.call(this,a)}; +gx=function(a){J.call(this,a)}; +hx=function(a){J.call(this,a)}; +ix=function(a){J.call(this,a)}; +jx=function(a){J.call(this,a)}; +kx=function(a){J.call(this,a)}; +lx=function(a){J.call(this,a)}; +mx=function(a){J.call(this,a)}; +nx=function(a){J.call(this,a)}; +ox=function(a){J.call(this,a)}; +px=function(a){J.call(this,a,-1,qna)}; +qx=function(a){J.call(this,a)}; +rna=function(a,b){I(a,Tv,1,b)}; +rx=function(a){J.call(this,a)}; +sna=function(a,b){return I(a,Tv,1,b)}; +sx=function(a){J.call(this,a,-1,tna)}; +una=function(a,b){return I(a,Tv,2,b)}; +tx=function(a){J.call(this,a)}; +ux=function(a){J.call(this,a)}; +vx=function(a){J.call(this,a)}; +wx=function(a){J.call(this,a)}; +xx=function(a){J.call(this,a)}; +yx=function(a){J.call(this,a)}; +zx=function(a){var b=new yx;return H(b,1,a)}; +Ax=function(a,b){return H(a,2,b)}; +Bx=function(a){J.call(this,a,-1,vna)}; +Cx=function(a){J.call(this,a)}; +Dx=function(a){J.call(this,a,-1,wna)}; +Ex=function(a,b){Sh(a,68,yx,b)}; +Fx=function(a){J.call(this,a)}; +Gx=function(a){J.call(this,a)}; +Hx=function(a){J.call(this,a,-1,xna)}; +Ix=function(a){J.call(this,a,-1,yna)}; +Jx=function(a){J.call(this,a)}; +Kx=function(a){J.call(this,a)}; +Lx=function(a){J.call(this,a,-1,zna)}; +Mx=function(a){J.call(this,a)}; +Nx=function(a){J.call(this,a,-1,Ana)}; +Ox=function(a){J.call(this,a)}; +Px=function(a){J.call(this,a)}; +Qx=function(a){J.call(this,a,-1,Bna)}; +Rx=function(a){J.call(this,a)}; +Sx=function(a){J.call(this,a)}; +Tx=function(a){J.call(this,a,-1,Cna)}; +Ux=function(a){J.call(this,a,-1,Dna)}; +Vx=function(a){J.call(this,a)}; +Wx=function(a){J.call(this,a)}; +Xx=function(a){J.call(this,a)}; +Yx=function(a){J.call(this,a)}; +Zx=function(a){J.call(this,a,475)}; +$x=function(a){J.call(this,a)}; +ay=function(a){J.call(this,a)}; +by=function(a){J.call(this,a,-1,Ena)}; +Fna=function(){return g.Ga("yt.ads.biscotti.lastId_")||""}; +Gna=function(a){g.Fa("yt.ads.biscotti.lastId_",a)}; +dy=function(){var a=arguments;1h.status)?h.json().then(m,function(){m(null)}):m(null)}}); -b.PF&&0m.status,t=500<=m.status&&600>m.status;if(n||r||t)p=lea(a,c,m,b.U4);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};r=b.context||g.v;n?b.onSuccess&&b.onSuccess.call(r,m,p):b.onError&&b.onError.call(r,m,p);b.Zf&&b.Zf.call(r,m,p)}},b.method,d,b.headers,b.responseType, -b.withCredentials); -if(b.Bg&&0m.status,r=500<=m.status&&600>m.status;if(n||q||r)p=Zna(a,c,m,b.convertToSafeHtml);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};q=b.context||g.Ea;n?b.onSuccess&&b.onSuccess.call(q,m,p):b.onError&&b.onError.call(q,m,p);b.onFinish&&b.onFinish.call(q,m, +p)}},b.method,d,b.headers,b.responseType,b.withCredentials); +d=b.timeout||0;if(b.onTimeout&&0=m||403===Ay(p.xhr))return Rf(new Jy("Request retried too many times","net.retryexhausted",p.xhr,p));p=Math.pow(2,c-m+1)*n;var q=0a;a++)this.u.push(0);this.B=0;this.oa=g.Ez(window,"mousemove",(0,g.Oa)(this.ea,this));this.T=g.Dy((0,g.Oa)(this.Z,this),25)}; +Jz=function(a){g.C.call(this);this.T=[];this.Pb=a||this}; +Kz=function(a,b,c,d){for(var e=0;eMath.random()&&g.Fo(new g.tr("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.tr("innertube xhrclient not ready",b,c,d),M(a),a.sampleWeight=0,a;var e={headers:{"Content-Type":"application/json"},method:"POST",tc:c,HG:"JSON",Bg:function(){d.Bg()}, -PF:d.Bg,onSuccess:function(l,m){if(d.onSuccess)d.onSuccess(m)}, -k5:function(l){if(d.onSuccess)d.onSuccess(l)}, -onError:function(l,m){if(d.onError)d.onError(m)}, -j5:function(l){if(d.onError)d.onError(l)}, -timeout:d.timeout,withCredentials:!0};c="";var f=a.Tf.RD;f&&(c=f);f=oea(a.Tf.TD||!1,c,d);Object.assign(e.headers,f);e.headers.Authorization&&!c&&(e.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.Tf.innertubeApiVersion+"/"+b;f={alt:"json"};a.Tf.SD&&e.headers.Authorization||(f.key=a.Tf.innertubeApiKey);var h=g.aq(""+c+b,f);js().then(function(){try{g.vo("use_fetch_for_op_xhr")?kea(h,e):g.vo("networkless_gel")&&d.retry?(e.method="POST",!d.JS&&g.vo("nwl_send_fast_on_unload")?Kea(h,e):As(h, -e)):(e.method="POST",e.tc||(e.tc={}),g.qq(h,e))}catch(l){if("InvalidAccessError"==l.name)g.Fo(Error("An extension is blocking network request."));else throw l;}})}; -g.Nq=function(a,b,c){c=void 0===c?{}:c;var d=g.Cs;g.L("ytLoggingEventsDefaultDisabled",!1)&&g.Cs==g.Cs&&(d=null);Sp(a,b,d,c)}; -Lea=function(){this.Pn=[];this.Om=[]}; -Es=function(){Ds||(Ds=new Lea);return Ds}; -Gs=function(a,b,c,d){c+="."+a;a=Fs(b);d[c]=a;return c.length+a.length}; -Fs=function(a){return("string"===typeof a?a:String(JSON.stringify(a))).substr(0,500)}; -Mea=function(a){g.Hs(a)}; -g.Is=function(a){g.Hs(a,"WARNING")}; -g.Hs=function(a,b){var c=void 0===c?{}:c;c.name=g.L("INNERTUBE_CONTEXT_CLIENT_NAME",1);c.version=g.L("INNERTUBE_CONTEXT_CLIENT_VERSION",void 0);var d=c||{};c=void 0===b?"ERROR":b;c=void 0===c?"ERROR":c;var e=void 0===e?!1:e;if(a){if(g.vo("console_log_js_exceptions")){var f=[];f.push("Name: "+a.name);f.push("Message: "+a.message);a.hasOwnProperty("params")&&f.push("Error Params: "+JSON.stringify(a.params));f.push("File name: "+a.fileName);f.push("Stacktrace: "+a.stack);window.console.log(f.join("\n"), -a)}if((!g.vo("web_yterr_killswitch")||window&&window.yterr||e)&&!(5<=Js)&&0!==a.sampleWeight){var h=Vaa(a);e=h.message||"Unknown Error";f=h.name||"UnknownError";var l=h.stack||a.u||"Not available";if(l.startsWith(f+": "+e)){var m=l.split("\n");m.shift();l=m.join("\n")}m=h.lineNumber||"Not available";h=h.fileName||"Not available";if(a.hasOwnProperty("args")&&a.args&&a.args.length)for(var n=0,p=0;p=l||403===jq(n.xhr)?wm(new Ts("Request retried too many times","net.retryexhausted",n.xhr)):f(m).then(function(){return e(Us(a,b),l-1,Math.pow(2,c-l+1)*m)})})} -function f(h){return new rm(function(l){setTimeout(l,h)})} -return e(Us(a,b),c-1,d)}; -Ts=function(a,b,c){Ya.call(this,a+", errorCode="+b);this.errorCode=b;this.xhr=c;this.name="PromiseAjaxError"}; -Ws=function(){this.Ka=0;this.u=null}; -Xs=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=2;b.u=void 0===a?null:a;return b}; -Ys=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=1;b.u=void 0===a?null:a;return b}; -$s=function(a){Ya.call(this,a.message||a.description||a.name);this.isMissing=a instanceof Zs;this.isTimeout=a instanceof Ts&&"net.timeout"==a.errorCode;this.isCanceled=a instanceof Hm}; -Zs=function(){Ya.call(this,"Biscotti ID is missing from server")}; -Sea=function(){if(g.vo("disable_biscotti_fetch_on_html5_clients"))return wm(Error("Fetching biscotti ID is disabled."));if(g.vo("condition_biscotti_fetch_on_consent_cookie_html5_clients")&&!Qs())return wm(Error("User has not consented - not fetching biscotti id."));if("1"===g.Nb(g.L("PLAYER_CONFIG",{}),"args","privembed"))return wm(Error("Biscotti ID is not available in private embed mode"));at||(at=Cm(Us("//googleads.g.doubleclick.net/pagead/id",bt).then(ct),function(a){return dt(2,a)})); -return at}; -ct=function(a){a=a.responseText;if(!nc(a,")]}'"))throw new Zs;a=JSON.parse(a.substr(4));if(1<(a.type||1))throw new Zs;a=a.id;Up(a);at=Ys(a);et(18E5,2);return a}; -dt=function(a,b){var c=new $s(b);Up("");at=Xs(c);0b;b++){c=g.A();for(var d=0;d"',style:"display:none"}),me(a).body.appendChild(a)));else if(e)rq(a,b,"POST",e,d);else if(g.L("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)rq(a,b,"GET","",d);else{b:{try{var f=new jaa({url:a});if(f.C&&f.B||f.D){var h=vd(g.xd(5,a));var l=!(!h||!h.endsWith("/aclk")|| -"1"!==Qd(a,"ri"));break b}}catch(m){}l=!1}l?ou(a)?(b&&b(),c=!0):c=!1:c=!1;c||dfa(a,b)}}; -qu=function(a,b,c){c=void 0===c?"":c;ou(a,c)?b&&b():g.pu(a,b,void 0,void 0,c)}; -ou=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; -dfa=function(a,b){var c=new Image,d=""+efa++;ru[d]=c;c.onload=c.onerror=function(){b&&ru[d]&&b();delete ru[d]}; -c.src=a}; -vu=function(a,b){for(var c=[],d=1;da.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(97>d||122=a.B.byteLength}; -yv=function(a,b,c){var d=new qv(c);if(!tv(d,a))return!1;d=uv(d);if(!vv(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.u;var e=wv(d,!0);d=a+(d.start+d.u-b)+e;d=9d;d++)c=256*c+Ev(a);return c}d=128;for(var e=0;6>e&&d>c;e++)c=256*c+Ev(a),d*=128;return b?c-d:c}; -Bv=function(a){var b=wv(a,!0);a.u+=b}; -zv=function(a){var b=a.u;a.u=0;var c=!1;try{vv(a,440786851)&&(a.u=0,vv(a,408125543)&&(c=!0))}catch(d){if(d instanceof RangeError)a.u=0,c=!1,g.Fo(d);else throw d;}a.u=b;return c}; -mfa=function(a){if(!vv(a,440786851,!0))return null;var b=a.u;wv(a,!1);var c=wv(a,!0)+a.u-b;a.u=b+c;if(!vv(a,408125543,!1))return null;wv(a,!0);if(!vv(a,357149030,!0))return null;var d=a.u;wv(a,!1);var e=wv(a,!0)+a.u-d;a.u=d+e;if(!vv(a,374648427,!0))return null;var f=a.u;wv(a,!1);var h=wv(a,!0)+a.u-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295);l.set(new Uint8Array(a.B.buffer, -a.B.byteOffset+d,e),c+12);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+f,h),c+12+e);return l}; -Gv=function(a){var b=a.u,c={HA:1E6,IA:1E9,duration:0,mA:0,Pr:0};if(!vv(a,408125543))return a.u=b,null;c.mA=wv(a,!0);c.Pr=a.start+a.u;if(vv(a,357149030))for(var d=uv(a);!rv(d);){var e=wv(d,!1);2807729===e?c.HA=Av(d):2807730===e?c.IA=Av(d):17545===e?c.duration=Cv(d):Bv(d)}else return a.u=b,null;a.u=b;return c}; -Iv=function(a,b,c){var d=a.u,e=[];if(!vv(a,475249515))return a.u=d,null;for(var f=uv(a);vv(f,187);){var h=uv(f);if(vv(h,179)){var l=Av(h);if(vv(h,183)){h=uv(h);for(var m=b;vv(h,241);)m=Av(h)+b;e.push({im:m,nt:l})}}}if(0c&&(c=a.totalLength-b);a.focus(b);if(!Qv(a,b,c)){var d=a.B,e=a.C;a.focus(b+c-1);e=new Uint8Array(a.C+a.u[a.B].length-e);for(var f=0,h=d;h<=a.B;h++)e.set(a.u[h],f),f+=a.u[h].length;a.u.splice(d,a.B-d+1,e);Pv(a);a.focus(b)}d=a.u[a.B];return new DataView(d.buffer,d.byteOffset+b-a.C,c)}; -Tv=function(a,b,c){a=Sv(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; -Uv=function(a){a=Tv(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ch)c=!1;else{for(f=h-1;0<=f;f--)c.B.setUint8(c.u+f,d&255),d>>>=8;c.u=e;c=!0}else c=!1;return c}; -ew=function(a){g.aw(a.info.u.info)||a.info.u.info.Zd();if(a.B&&6==a.info.type)return a.B.kh;if(g.aw(a.info.u.info)){var b=Yv(a);var c=0;b=ov(b,1936286840);b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=lv(d.value),c+=d.lw[0]/d.ow;c=c||NaN;if(!(0<=c))a:{c=Yv(a);b=a.info.u.u;for(var e=d=0,f=0;hv(c,d);){var h=iv(c,d);if(1836476516===h.type)e=ev(h);else if(1836019558===h.type){!e&&b&&(e=fv(b));if(!e){c=NaN;break a}var l=gv(h.data,h.dataOffset,1953653094),m=e,n=gv(l.data,l.dataOffset,1952868452);l=gv(l.data, -l.dataOffset,1953658222);var p=Wu(n);Wu(n);p&2&&Wu(n);n=p&8?Wu(n):0;var r=Wu(l),t=r&1;p=r&4;var w=r&256,y=r&512,x=r&1024;r&=2048;var B=Xu(l);t&&Wu(l);p&&Wu(l);for(var E=t=0;E=b.NB||1<=d.u)if(a=Mw(a),c=Lw(c,xw(a)),c.B+c.u<=d.B+d.u)return!0;return!1}; -Dfa=function(a,b){var c=b?Mw(a):a.u;return new Ew(c)}; -Mw=function(a){a.C||(a.C=Aw(a.D));return a.C}; -Ow=function(a){return 1=1.3*Math.floor(16*l/9)||d>=1.3*l)return e;e=h}return"tiny"}; -dx=function(a,b,c,d,e,f,h,l,m){this.id=a;this.mimeType=b;this.audio=void 0===c?null:c;this.video=void 0===d?null:d;this.u=void 0===e?null:e;this.Ud=void 0===f?null:f;this.captionTrack=void 0===m?null:m;this.D=!0;this.B=null;this.containerType=bx(b);this.zb=h||0;this.C=l||0;this.Db=cx[this.Yb()]||""}; -ex=function(a){return 0a.Xb())a.segments=[];else{var c=eb(a.segments,function(d){return d.qb>=b},a); -0=c+d)break}return new Qw(e)}; -Wx=function(){void 0===Vx&&(Vx=g.jo());return Vx}; -Xx=function(){var a=Wx();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; -Yx=function(a){var b=Wx();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; -Zx=function(a){return Xx()[a]||0}; -$x=function(){var a=Xx();return Object.keys(a)}; -ay=function(a){var b=Xx();return Object.keys(b).filter(function(c){return b[c]===a})}; -by=function(a,b,c){c=void 0===c?!1:c;var d=Xx();if(c&&Object.keys(d).pop()!==a)delete d[a];else if(b===d[a])return;0!==b?d[a]=b:delete d[a];Yx(d)}; -Efa=function(a){var b=Xx();b=Object.assign({},b);a=Object.assign({},a);for(var c in b)a[c]?(4!==b[c]&&(b[c]=a[c]),delete a[c]):3!==b[c]&&2!==b[c]&&(b[c]=4);Object.assign(b,a);Yx(b);JSON.stringify(b);return b}; -cy=function(a){return!!a&&1===Zx(a)}; -Ffa=function(){var a=Wx();if(!a)return!1;try{return null!==a.get("yt-player-lv-id")}catch(b){return!1}}; -hy=function(){return We(this,function b(){var c,d,e,f;return xa(b,function(h){if(1==h.u){c=Wx();if(!c)return h["return"](Promise.reject("No LocalStorage"));if(dy){h.u=2;return}d=Kq().u(ey);var l=Object.assign({},d);delete l.Authorization;var m=Dl();if(m){var n=new ln;n.update(g.L("INNERTUBE_API_KEY",void 0));n.update(m);l.hash=g.sf(n.digest(),3)}m=new ln;m.update(JSON.stringify(l,Object.keys(l).sort()));l=m.digest();m="";for(n=0;nc;){var t=p.shift(); -if(t!==a){n-=m[t]||0;delete m[t];var w=IDBKeyRange.bound(t+"|",t+"~");r.push(Sr(l,"index")["delete"](w));r.push(Sr(l,"media")["delete"](w));by(t,0)}}return qs.all(r).then(function(){})})}))})})}; -Kfa=function(a,b){return We(this,function d(){var e,f;return xa(d,function(h){if(1==h.u)return sa(h,hy(),2);e=h.B;f={offlineVideoData:b};return sa(h,Tr(e,"metadata",f,a),0)})})}; -Lfa=function(a,b){var c=Math.floor(Date.now()/1E3);We(this,function e(){var f,h;return xa(e,function(l){if(1==l.u)return JSON.stringify(b.offlineState),f={timestampSecs:c,player:b},sa(l,hy(),2);h=l.B;return sa(l,Tr(h,"playerdata",f,a),0)})})}; -my=function(a,b,c,d,e){return We(this,function h(){var l,m,n,p;return xa(h,function(r){switch(r.u){case 1:return l=Zx(a),4===l?r["return"](Promise.resolve(4)):sa(r,hy(),2);case 2:return m=r.B,r.C=3,sa(r,yr(m,["index","media"],"readwrite",function(t){if(void 0!==d&&void 0!==e){var w=""+a+"|"+b.id+"|"+d;w=Rr(Sr(t,"media"),e,w)}else w=qs.resolve(void 0);var y=ly(a,b.isVideo()),x=ly(a,!b.isVideo()),B={fmts:c};y=Rr(Sr(t,"index"),B,y);var E=ky(c);t=E?Sr(t,"index").get(x):qs.resolve(void 0);return qs.all([t, -w,y]).then(function(G){G=g.q(G).next().value;var K=Zx(a);4!==K&&E&&void 0!==G&&ky(G.fmts)&&(K=1,by(a,K));return K})}),5); -case 5:return r["return"](r.B);case 3:n=ua(r);p=Zx(a);if(4===p)return r["return"](p);by(a,4);throw n;}})})}; -Mfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index"],"readonly",function(f){return iy(f,a)}))})})}; -Nfa=function(a,b,c){return We(this,function e(){var f;return xa(e,function(h){if(1==h.u)return sa(h,hy(),2);f=h.B;return h["return"](yr(f,["media"],"readonly",function(l){var m=""+a+"|"+b+"|"+c;return Sr(l,"media").get(m)}))})})}; -Ofa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](d.get("playerdata",a))})})}; -Pfa=function(a){return We(this,function c(){var d,e,f,h;return xa(c,function(l){return 1==l.u?sa(l,hy(),2):3!=l.u?(d=l.B,e=[],f=[],h=[],sa(l,yr(d,["metadata"],"readonly",function(m){return Xr(Sr(m,"metadata"),{},function(n){var p,r,t=n.getKey(),w=null===(p=n.getValue())||void 0===p?void 0:p.offlineVideoData;if(!w)return n["continue"]();if(t===a){if(t=null===(r=w.thumbnail)||void 0===r?void 0:r.thumbnails){t=g.q(t);for(var y=t.next();!y.done;y=t.next())y=y.value,y.url&&e.push(y.url)}f.push.apply(f, -g.ma(ny(w)))}else h.push.apply(h,g.ma(ny(w)));return n["continue"]()})}),3)):l["return"](e.concat(f.filter(function(m){return!h.includes(m)})))})})}; -ny=function(a){var b,c,d,e=null===(d=null===(c=null===(b=a.channel)||void 0===b?void 0:b.offlineChannelData)||void 0===c?void 0:c.thumbnail)||void 0===d?void 0:d.thumbnails;if(!e)return[];a=[];e=g.q(e);for(var f=e.next();!f.done;f=e.next())f=f.value,f.url&&a.push(f.url);return a}; -Qfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index","metadata"],"readonly",function(f){return oy(f,a)}))})})}; -Rfa=function(){return We(this,function b(){var c;return xa(b,function(d){if(1==d.u)return sa(d,hy(),2);c=d.B;return d["return"](yr(c,["index","metadata"],"readonly",function(e){return qs.all($x().map(function(f){return oy(e,f)}))}))})})}; -oy=function(a,b){var c=Sr(a,"metadata").get(b);return iy(a,b).then(function(d){var e={videoId:b,totalSize:0,downloadedSize:0,status:Zx(b),videoData:null};if(d.length){d=Yp(d);d=g.q(d);for(var f=d.next();!f.done;f=d.next())f=f.value,e.totalSize+=+f.mket*+f.avbr,e.downloadedSize+=f.hasOwnProperty("dlt")?(+f.dlt||0)*+f.avbr:+f.mket*+f.avbr}return c.then(function(h){e.videoData=(null===h||void 0===h?void 0:h.offlineVideoData)||null;return e})})}; -Sfa=function(a){return We(this,function c(){return xa(c,function(d){by(a,0);return d["return"](jy(a,!0))})})}; -fy=function(){return We(this,function b(){var c;return xa(b,function(d){c=Wx();if(!c)return d["return"](Promise.reject("No LocalStorage"));c.remove("yt-player-lv-id");var e=Wx();e&&e.remove("yt-player-lv");return sa(d,Gfa(),0)})})}; -ky=function(a){return!!a&&-1===a.indexOf("dlt")}; -ly=function(a,b){return""+a+"|"+(b?"v":"a")}; -Hfa=function(){}; -py=function(){var a=this;this.u=this.B=iaa;this.promise=new rm(function(b,c){a.B=b;a.u=c})}; -Tfa=function(a,b){this.K=a;this.u=b;this.F=a.qL;this.I=new Uint8Array(this.F);this.D=this.C=0;this.B=null;this.R=[];this.X=this.Y=null;this.P=new py}; -Ufa=function(a){var b=qy(a);b=my(a.K.C,a.u.info,b);ry(a,b)}; -sy=function(a){return!!a.B&&a.B.F}; -uy=function(a,b){if(!sy(a)){if(1==b.info.type)a.Y=Fu(0,b.u.getLength());else if(2==b.info.type){if(!a.B||1!=a.B.type)return;a.X=Fu(a.D*a.F+a.C,b.u.getLength())}else if(3==b.info.type){if(3==a.B.type&&!Lu(a.B,b.info)&&(a.R=[],b.info.B!=Nu(a.B)||0!=b.info.C))return;if(b.info.D)a.R.map(function(c){return ty(a,c)}),a.R=[]; -else{a.R.push(b);a.B=b.info;return}}a.B=b.info;ty(a,b);Vfa(a)}}; -ty=function(a,b){for(var c=0,d=Tv(b.u);c=e)break;var f=c.getUint32(d+4);if(1836019574===f)d+=8;else{if(1886614376===f){f=a.subarray(d,d+e);var h=new Uint8Array(b.length+f.length);h.set(b);h.set(f,b.length);b=h}d+=e}}return b}; -Zfa=function(a){a=ov(a,1886614376);g.Cb(a,function(b){return!b.B}); -return g.Oc(a,function(b){return new Uint8Array(b.data.buffer,b.offset+b.data.byteOffset,b.size)})}; -$fa=function(a){var b=g.rh(a,function(e,f){return e+f.length},0),c=new Uint8Array(b),d=0; -g.Cb(a,function(e){c.set(e,d);d+=e.length}); +hpa=function(a){return new Promise(function(b,c){gpa(a,b,c)})}; +HA=function(a){return new g.FA(new EA(function(b,c){gpa(a,b,c)}))}; +IA=function(a,b){return new g.FA(new EA(function(c,d){function e(){var f=a?b(a):null;f?f.then(function(h){a=h;e()},d):c()} +e()}))}; +ipa=function(a,b){this.request=a;this.cursor=b}; +JA=function(a){return HA(a).then(function(b){return b?new ipa(a,b):null})}; +jpa=function(a,b){this.j=a;this.options=b;this.transactionCount=0;this.B=Math.round((0,g.M)());this.u=!1}; +g.LA=function(a,b,c){a=a.j.createObjectStore(b,c);return new KA(a)}; +MA=function(a,b){a.j.objectStoreNames.contains(b)&&a.j.deleteObjectStore(b)}; +g.PA=function(a,b,c){return g.NA(a,[b],{mode:"readwrite",Ub:!0},function(d){return g.OA(d.objectStore(b),c)})}; +g.NA=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x,z;return g.A(function(B){switch(B.j){case 1:var F={mode:"readonly",Ub:!1,tag:"IDB_TRANSACTION_TAG_UNKNOWN"};"string"===typeof c?F.mode=c:Object.assign(F,c);e=F;a.transactionCount++;f=e.Ub?3:1;h=0;case 2:if(l){B.Ka(3);break}h++;m=Math.round((0,g.M)());g.pa(B,4);n=a.j.transaction(b,e.mode);F=new QA(n);F=kpa(F,d);return g.y(B,F,6);case 6:return p=B.u,q=Math.round((0,g.M)()),lpa(a,m,q,h,void 0,b.join(),e),B.return(p);case 4:r=g.sa(B);v=Math.round((0,g.M)()); +x=CA(r,a.j.name,b.join(),a.j.version);if((z=x instanceof g.yA&&!x.j)||h>=f)lpa(a,m,v,h,x,b.join(),e),l=x;B.Ka(2);break;case 3:return B.return(Promise.reject(l))}})}; +lpa=function(a,b,c,d,e,f,h){b=c-b;e?(e instanceof g.yA&&("QUOTA_EXCEEDED"===e.type||"QUOTA_MAYBE_EXCEEDED"===e.type)&&vA("QUOTA_EXCEEDED",{dbName:xA(a.j.name),objectStoreNames:f,transactionCount:a.transactionCount,transactionMode:h.mode}),e instanceof g.yA&&"UNKNOWN_ABORT"===e.type&&(c-=a.B,0>c&&c>=Math.pow(2,31)&&(c=0),vA("TRANSACTION_UNEXPECTEDLY_ABORTED",{objectStoreNames:f,transactionDuration:b,transactionCount:a.transactionCount,dbDuration:c}),a.u=!0),mpa(a,!1,d,f,b,h.tag),uA(e)):mpa(a,!0,d, +f,b,h.tag)}; +mpa=function(a,b,c,d,e,f){vA("TRANSACTION_ENDED",{objectStoreNames:d,connectionHasUnknownAbortedTransaction:a.u,duration:e,isSuccessful:b,tryCount:c,tag:void 0===f?"IDB_TRANSACTION_TAG_UNKNOWN":f})}; +KA=function(a){this.j=a}; +g.RA=function(a,b,c){a.j.createIndex(b,c,{unique:!1})}; +npa=function(a,b){return g.fB(a,{query:b},function(c){return c.delete().then(function(){return c.continue()})}).then(function(){})}; +opa=function(a,b,c){var d=[];return g.fB(a,{query:b},function(e){if(!(void 0!==c&&d.length>=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +qpa=function(a){return"getAllKeys"in IDBObjectStore.prototype?HA(a.j.getAllKeys(void 0,void 0)):ppa(a)}; +ppa=function(a){var b=[];return g.rpa(a,{query:void 0},function(c){b.push(c.ZF());return c.continue()}).then(function(){return b})}; +g.OA=function(a,b,c){return HA(a.j.put(b,c))}; +g.fB=function(a,b,c){a=a.j.openCursor(b.query,b.direction);return gB(a).then(function(d){return IA(d,c)})}; +g.rpa=function(a,b,c){var d=b.query;b=b.direction;a="openKeyCursor"in IDBObjectStore.prototype?a.j.openKeyCursor(d,b):a.j.openCursor(d,b);return JA(a).then(function(e){return IA(e,c)})}; +QA=function(a){var b=this;this.j=a;this.B=new Map;this.u=!1;this.done=new Promise(function(c,d){b.j.addEventListener("complete",function(){c()}); +b.j.addEventListener("error",function(e){e.currentTarget===e.target&&d(b.j.error)}); +b.j.addEventListener("abort",function(){var e=b.j.error;if(e)d(e);else if(!b.u){e=g.yA;for(var f=b.j.objectStoreNames,h=[],l=0;l=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +g.hB=function(a,b,c){a=a.j.openCursor(void 0===b.query?null:b.query,void 0===b.direction?"next":b.direction);return gB(a).then(function(d){return IA(d,c)})}; +upa=function(a,b){this.request=a;this.cursor=b}; +gB=function(a){return HA(a).then(function(b){return b?new upa(a,b):null})}; +vpa=function(a,b,c){return new Promise(function(d,e){function f(){r||(r=new jpa(h.result,{closed:q}));return r} +var h=void 0!==b?self.indexedDB.open(a,b):self.indexedDB.open(a);var l=c.blocked,m=c.blocking,n=c.q9,p=c.upgrade,q=c.closed,r;h.addEventListener("upgradeneeded",function(v){try{if(null===v.newVersion)throw Error("Invariant: newVersion on IDbVersionChangeEvent is null");if(null===h.transaction)throw Error("Invariant: transaction on IDbOpenDbRequest is null");v.dataLoss&&"none"!==v.dataLoss&&vA("IDB_DATA_CORRUPTED",{reason:v.dataLossMessage||"unknown reason",dbName:xA(a)});var x=f(),z=new QA(h.transaction); +p&&p(x,function(B){return v.oldVersion=B},z); +z.done.catch(function(B){e(B)})}catch(B){e(B)}}); +h.addEventListener("success",function(){var v=h.result;m&&v.addEventListener("versionchange",function(){m(f())}); +v.addEventListener("close",function(){vA("IDB_UNEXPECTEDLY_CLOSED",{dbName:xA(a),dbVersion:v.version});n&&n()}); +d(f())}); +h.addEventListener("error",function(){e(h.error)}); +l&&h.addEventListener("blocked",function(){l()})})}; +wpa=function(a,b,c){c=void 0===c?{}:c;return vpa(a,b,c)}; +iB=function(a,b){b=void 0===b?{}:b;var c,d,e,f;return g.A(function(h){if(1==h.j)return g.pa(h,2),c=self.indexedDB.deleteDatabase(a),d=b,(e=d.blocked)&&c.addEventListener("blocked",function(){e()}),g.y(h,hpa(c),4); +if(2!=h.j)return g.ra(h,0);f=g.sa(h);throw CA(f,a,"",-1);})}; +jB=function(a,b){this.name=a;this.options=b;this.B=!0;this.D=this.C=0}; +xpa=function(a,b){return new g.yA("INCOMPATIBLE_DB_VERSION",{dbName:a.name,oldVersion:a.options.version,newVersion:b})}; +g.kB=function(a,b){if(!b)throw g.DA("openWithToken",xA(a.name));return a.open()}; +ypa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,g.kB(lB,b),2);c=d.u;return d.return(g.NA(c,["databases"],{Ub:!0,mode:"readwrite"},function(e){var f=e.objectStore("databases");return f.get(a.actualName).then(function(h){if(h?a.actualName!==h.actualName||a.publicName!==h.publicName||a.userIdentifier!==h.userIdentifier:1)return g.OA(f,a).then(function(){})})}))})}; +mB=function(a,b){var c;return g.A(function(d){if(1==d.j)return a?g.y(d,g.kB(lB,b),2):d.return();c=d.u;return d.return(c.delete("databases",a))})}; +zpa=function(a,b){var c,d;return g.A(function(e){return 1==e.j?(c=[],g.y(e,g.kB(lB,b),2)):3!=e.j?(d=e.u,g.y(e,g.NA(d,["databases"],{Ub:!0,mode:"readonly"},function(f){c.length=0;return g.fB(f.objectStore("databases"),{},function(h){a(h.getValue())&&c.push(h.getValue());return h.continue()})}),3)):e.return(c)})}; +Apa=function(a,b){return zpa(function(c){return c.publicName===a&&void 0!==c.userIdentifier},b)}; +Bpa=function(){var a,b,c,d;return g.A(function(e){switch(e.j){case 1:a=nA();if(null==(b=a)?0:b.hasSucceededOnce)return e.return(!0);if(nB&&az()&&!bz()||g.oB)return e.return(!1);try{if(c=self,!(c.indexedDB&&c.IDBIndex&&c.IDBKeyRange&&c.IDBObjectStore))return e.return(!1)}catch(f){return e.return(!1)}if(!("IDBTransaction"in self&&"objectStoreNames"in IDBTransaction.prototype))return e.return(!1);g.pa(e,2);d={actualName:"yt-idb-test-do-not-use",publicName:"yt-idb-test-do-not-use",userIdentifier:void 0}; +return g.y(e,ypa(d,pB),4);case 4:return g.y(e,mB("yt-idb-test-do-not-use",pB),5);case 5:return e.return(!0);case 2:return g.sa(e),e.return(!1)}})}; +Cpa=function(){if(void 0!==qB)return qB;tA=!0;return qB=Bpa().then(function(a){tA=!1;var b;if(null!=(b=mA())&&b.j){var c;b={hasSucceededOnce:(null==(c=nA())?void 0:c.hasSucceededOnce)||a};var d;null==(d=mA())||d.set("LAST_RESULT_ENTRY_KEY",b,2592E3,!0)}return a})}; +rB=function(){return g.Ga("ytglobal.idbToken_")||void 0}; +g.sB=function(){var a=rB();return a?Promise.resolve(a):Cpa().then(function(b){(b=b?pB:void 0)&&g.Fa("ytglobal.idbToken_",b);return b})}; +Dpa=function(a){if(!g.dA())throw a=new g.yA("AUTH_INVALID",{dbName:a}),uA(a),a;var b=g.cA();return{actualName:a+":"+b,publicName:a,userIdentifier:b}}; +Epa=function(a,b,c,d){var e,f,h,l,m,n;return g.A(function(p){switch(p.j){case 1:return f=null!=(e=Error().stack)?e:"",g.y(p,g.sB(),2);case 2:h=p.u;if(!h)throw l=g.DA("openDbImpl",a,b),g.gy("ytidb_async_stack_killswitch")||(l.stack=l.stack+"\n"+f.substring(f.indexOf("\n")+1)),uA(l),l;wA(a);m=c?{actualName:a,publicName:a,userIdentifier:void 0}:Dpa(a);g.pa(p,3);return g.y(p,ypa(m,h),5);case 5:return g.y(p,wpa(m.actualName,b,d),6);case 6:return p.return(p.u);case 3:return n=g.sa(p),g.pa(p,7),g.y(p,mB(m.actualName, +h),9);case 9:g.ra(p,8);break;case 7:g.sa(p);case 8:throw n;}})}; +Fpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!1,c)}; +Gpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!0,c)}; +Hpa=function(a,b){b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);d=Dpa(a);return g.y(e,iB(d.actualName,b),3)}return g.y(e,mB(d.actualName,c),0)})}; +Ipa=function(a,b,c){a=a.map(function(d){return g.A(function(e){return 1==e.j?g.y(e,iB(d.actualName,b),2):g.y(e,mB(d.actualName,c),0)})}); +return Promise.all(a).then(function(){})}; +Jpa=function(a){var b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);return g.y(e,Apa(a,c),3)}d=e.u;return g.y(e,Ipa(d,b,c),0)})}; +Kpa=function(a,b){b=void 0===b?{}:b;var c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){c=d.u;if(!c)return d.return();wA(a);return g.y(d,iB(a,b),3)}return g.y(d,mB(a,c),0)})}; +tB=function(a,b){jB.call(this,a,b);this.options=b;wA(a)}; +Lpa=function(a,b){var c;return function(){c||(c=new tB(a,b));return c}}; +g.uB=function(a,b){return Lpa(a,b)}; +vB=function(a){return g.kB(Mpa(),a)}; +Npa=function(a,b,c,d){var e,f,h;return g.A(function(l){switch(l.j){case 1:return e={config:a,hashData:b,timestamp:void 0!==d?d:(0,g.M)()},g.y(l,vB(c),2);case 2:return f=l.u,g.y(l,f.clear("hotConfigStore"),3);case 3:return g.y(l,g.PA(f,"hotConfigStore",e),4);case 4:return h=l.u,l.return(h)}})}; +Opa=function(a,b,c,d,e){var f,h,l;return g.A(function(m){switch(m.j){case 1:return f={config:a,hashData:b,configData:c,timestamp:void 0!==e?e:(0,g.M)()},g.y(m,vB(d),2);case 2:return h=m.u,g.y(m,h.clear("coldConfigStore"),3);case 3:return g.y(m,g.PA(h,"coldConfigStore",f),4);case 4:return l=m.u,m.return(l)}})}; +Ppa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["coldConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("coldConfigStore").index("coldTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Qpa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["hotConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("hotConfigStore").index("hotTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Rpa=function(){return g.A(function(a){return g.y(a,Jpa("ytGcfConfig"),0)})}; +CB=function(){var a=this;this.D=!1;this.B=this.C=0;this.Ne={F7a:function(){a.D=!0}, +Y6a:function(){return a.j}, +u8a:function(b){wB(a,b)}, +q8a:function(b){xB(a,b)}, +q3:function(){return a.coldHashData}, +r3:function(){return a.hotHashData}, +j7a:function(){return a.u}, +d7a:function(){return yB()}, +f7a:function(){return zB()}, +e7a:function(){return g.Ga("yt.gcf.config.coldHashData")}, +g7a:function(){return g.Ga("yt.gcf.config.hotHashData")}, +J8a:function(){Spa(a)}, +l8a:function(){AB(a,"hotHash");BB(a,"coldHash");delete CB.instance}, +s8a:function(b){a.B=b}, +a7a:function(){return a.B}}}; +Tpa=function(){CB.instance||(CB.instance=new CB);return CB.instance}; +Upa=function(a){var b;g.A(function(c){if(1==c.j)return g.gy("gcf_config_store_enabled")||g.gy("delete_gcf_config_db")?g.gy("gcf_config_store_enabled")?g.y(c,g.sB(),3):c.Ka(2):c.return();2!=c.j&&((b=c.u)&&g.dA()&&!g.gy("delete_gcf_config_db")?(a.D=!0,Spa(a)):(xB(a,g.ey("RAW_COLD_CONFIG_GROUP")),BB(a,g.ey("SERIALIZED_COLD_HASH_DATA")),DB(a,a.j.configData),wB(a,g.ey("RAW_HOT_CONFIG_GROUP")),AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"))));return g.gy("delete_gcf_config_db")?g.y(c,Rpa(),0):c.Ka(0)})}; +Vpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.u)return l.return(zB());if(!a.D)return b=g.DA("getHotConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getHotConfig token error");ny(e);l.Ka(2);break}return g.y(l,Qpa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return wB(a,f.config),AB(a,f.hashData),l.return(zB());case 2:wB(a,g.ey("RAW_HOT_CONFIG_GROUP"));AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"));if(!(c&&a.u&&a.hotHashData)){l.Ka(4); +break}return g.y(l,Npa(a.u,a.hotHashData,c,d),4);case 4:return a.u?l.return(zB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Wpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.j)return l.return(yB());if(!a.D)return b=g.DA("getColdConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getColdConfig");ny(e);l.Ka(2);break}return g.y(l,Ppa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return xB(a,f.config),DB(a,f.configData),BB(a,f.hashData),l.return(yB());case 2:xB(a,g.ey("RAW_COLD_CONFIG_GROUP"));BB(a,g.ey("SERIALIZED_COLD_HASH_DATA"));DB(a,a.j.configData); +if(!(c&&a.j&&a.coldHashData&&a.configData)){l.Ka(4);break}return g.y(l,Opa(a.j,a.coldHashData,a.configData,c,d),4);case 4:return a.j?l.return(yB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Spa=function(a){if(!a.u||!a.j){if(!rB()){var b=g.DA("scheduleGetConfigs");ny(b)}a.C||(a.C=g.Ap.xi(function(){return g.A(function(c){if(1==c.j)return g.y(c,Vpa(a),2);if(3!=c.j)return g.y(c,Wpa(a),3);a.C&&(a.C=0);g.oa(c)})},100))}}; +Xpa=function(a,b,c){var d,e,f;return g.A(function(h){if(1==h.j){if(!g.gy("update_log_event_config"))return h.Ka(0);c&&wB(a,c);AB(a,b);return(d=rB())?c?h.Ka(4):g.y(h,Qpa(d),5):h.Ka(0)}4!=h.j&&(e=h.u,c=null==(f=e)?void 0:f.config);return g.y(h,Npa(c,b,d),0)})}; +Ypa=function(a,b,c){var d,e,f,h;return g.A(function(l){if(1==l.j){if(!g.gy("update_log_event_config"))return l.Ka(0);BB(a,b);return(d=rB())?c?l.Ka(4):g.y(l,Ppa(d),5):l.Ka(0)}4!=l.j&&(e=l.u,c=null==(f=e)?void 0:f.config);if(!c)return l.Ka(0);h=c.configData;return g.y(l,Opa(c,b,h,d),0)})}; +wB=function(a,b){a.u=b;g.Fa("yt.gcf.config.hotConfigGroup",a.u)}; +xB=function(a,b){a.j=b;g.Fa("yt.gcf.config.coldConfigGroup",a.j)}; +AB=function(a,b){a.hotHashData=b;g.Fa("yt.gcf.config.hotHashData",a.hotHashData)}; +BB=function(a,b){a.coldHashData=b;g.Fa("yt.gcf.config.coldHashData",a.coldHashData)}; +DB=function(a,b){a.configData=b;g.Fa("yt.gcf.config.coldConfigData",a.configData)}; +zB=function(){return g.Ga("yt.gcf.config.hotConfigGroup")}; +yB=function(){return g.Ga("yt.gcf.config.coldConfigGroup")}; +Zpa=function(){return"INNERTUBE_API_KEY"in cy&&"INNERTUBE_API_VERSION"in cy}; +g.EB=function(){return{innertubeApiKey:g.ey("INNERTUBE_API_KEY"),innertubeApiVersion:g.ey("INNERTUBE_API_VERSION"),pG:g.ey("INNERTUBE_CONTEXT_CLIENT_CONFIG_INFO"),CM:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME","WEB"),NU:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",1),innertubeContextClientVersion:g.ey("INNERTUBE_CONTEXT_CLIENT_VERSION"),EM:g.ey("INNERTUBE_CONTEXT_HL"),DM:g.ey("INNERTUBE_CONTEXT_GL"),OU:g.ey("INNERTUBE_HOST_OVERRIDE")||"",PU:!!g.ey("INNERTUBE_USE_THIRD_PARTY_AUTH",!1),FM:!!g.ey("INNERTUBE_OMIT_API_KEY_WHEN_AUTH_HEADER_IS_PRESENT", +!1),appInstallData:g.ey("SERIALIZED_CLIENT_CONFIG_DATA")}}; +g.FB=function(a){var b={client:{hl:a.EM,gl:a.DM,clientName:a.CM,clientVersion:a.innertubeContextClientVersion,configInfo:a.pG}};navigator.userAgent&&(b.client.userAgent=String(navigator.userAgent));var c=g.Ea.devicePixelRatio;c&&1!=c&&(b.client.screenDensityFloat=String(c));c=iy();""!==c&&(b.client.experimentsToken=c);c=jy();0=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.u.getLength())throw Error();return Vv(a.u,a.offset++)}; -Dy=function(a,b){b=void 0===b?!1:b;var c=Cy(a);if(1===c){c=-1;for(var d=0;7>d;d++){var e=Cy(a);-1===c&&255!==e&&(c=0);-1e&&d>c;e++)c=256*c+Cy(a),d*=128;return b?c:c-d}; -Ey=function(a,b,c){g.O.call(this);var d=this;this.D=a;this.B=[];this.u=null;this.Y=-1;this.R=0;this.ia=NaN;this.P=0;this.C=b;this.Ta=c;this.F=NaN;this.Aa=0;this.Ja=-1;this.I=this.X=this.Ga=this.aa=this.ha=this.K=this.fa=null;this.D.C&&(this.I=new Tfa(this.D,this.C),this.I.P.promise.then(function(e){d.I=null;1==e&&d.V("localmediachange",e)},function(){d.I=null; -d.V("localmediachange",4)}),Ufa(this.I)); -this.Qa=!1;this.ma=0}; -Fy=function(a){return a.B.length?a.B[0]:null}; -Gy=function(a){return a.B.length?a.B[a.B.length-1]:null}; -Ny=function(a,b,c){if(a.ha){if(a.D.Ms){var d=a.ha;var e=c.info;d=d.B!=e.B&&e.B!=d.B+1||d.type!=e.type||fe(d.K,e.K)&&d.B===e.B?!1:Mu(d,e)}else d=Mu(a.ha,c.info);d||(a.F=NaN,a.Aa=0,a.Ja=-1)}a.ha=c.info;a.C=c.info.u;0==c.info.C?Hy(a):!a.C.tf()&&a.K&&Pu(c.info,a.K);a.u?(c=$v(a.u,c),a.u=c):a.u=c;a:{c=g.aw(a.u.info.u.info);if(3!=a.u.info.type){if(!a.u.info.D)break a;6==a.u.info.type?Iy(a,b,a.u):Jy(a,a.u);a.u=null}for(;a.u;){d=a.u.u.getLength();if(0>=a.Y&&0==a.R){var f=a.u.u,h=-1;e=-1;if(c){for(var l=0;l+ -8e&&(h=-1)}else{f=new By(f);for(m=l=!1;;){n=f.offset;var p=f;try{var r=Dy(p,!0),t=Dy(p,!1);var w=r;var y=t}catch(B){y=w=-1}p=w;var x=y;if(0>p)break;if(408125543!==p)if(524531317===p)l=!0,0<=x&&(e=f.offset+x,m=!0);else{if(l&&(160===p||163===p)&&(0>h&&(h=n),m))break;163===p&&(h=Math.max(0,h),e=f.offset+x);if(160===p){0>h&&(e=h=f.offset+x);break}f.skip(x)}}0>h&&(e=-1)}if(0>h)break;a.Y=h;a.R= -e-h}if(a.Y>d)break;a.Y?(d=Ky(a,a.Y),d.C&&!a.C.tf()&&Ly(a,d),Iy(a,b,d),My(a,d),a.Y=0):a.R&&(d=Ky(a,0>a.R?Infinity:a.R),a.R-=d.u.getLength(),My(a,d))}}a.u&&a.u.info.D&&(My(a,a.u),a.u=null)}; -Jy=function(a,b){!a.C.tf()&&0==b.info.C&&(g.aw(b.info.u.info)||b.info.u.info.Zd())&&gw(b);if(1==b.info.type)try{Ly(a,b),Oy(a,b)}catch(d){M(d);var c=Ou(b.info);c.hms="1";a.V("error",c||{})}b.info.u.gu(b);a.I&&uy(a.I,b)}; -cga=function(a){var b=a.B.reduce(function(c,d){return c+d.u.getLength()},0); -a.u&&(b+=a.u.u.getLength());return b}; -Py=function(a){return g.Oc(a.B,function(b){return b.info})}; -Ky=function(a,b){var c=a.u,d=Math.min(b,c.u.getLength());if(d==c.u.getLength())return a.u=null,c;c.u.getLength();d=Math.min(d,c.info.rb);var e=c.u.split(d),f=e.iu;e=e.ln;var h=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C,d,!1,!1);f=new Xv(h,f,c.C);c=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C+d,c.info.rb-d,c.info.F,c.info.D);c=new Xv(c,e,!1);c=[f,c];a.u=c[1];return c[0]}; -Ly=function(a,b){b.u.getLength();var c=Yv(b);if(!a.D.sB&&gx(b.info.u.info)&&"bt2020"===b.info.u.info.Ma().primaries){var d=new qv(c);tv(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.u,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.u.info;fx(d)&&!gx(d)&&(d=Yv(b),zv(new qv(d)),yv([408125543,374648427,174,224],21936,d));b.info.u.info.isVideo()&&(d=b.info.u,d.info&&d.info.video&&4==d.info.video.projectionType&&!d.C&&(g.aw(d.info)?d.C=jfa(c):d.info.Zd()&&(d.C=lfa(c)))); -b.info.u.info.Zd()&&b.info.isVideo()&&(c=Yv(b),zv(new qv(c)),yv([408125543,374648427,174,224],30320,c)&&yv([408125543,374648427,174,224],21432,c));if(a.D.Cn&&b.info.u.info.Zd()){c=Yv(b);var e=new qv(c);if(tv(e,[408125543,374648427,174,29637])){d=wv(e,!0);e=e.start+e.u;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=Xu(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.u,e))}}if(b=a.fa&&!!a.fa.C.K)if(b=c.info.isVideo())b=fw(c),h=a.fa,Qy?(l=1/b,b=Ry(a,b)>=Ry(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&a.C.tf()&&c.info.B==c.info.u.index.Xb()&& -(b=a.fa,Qy?(l=fw(c),h=1/l,l=Ry(a,l),b=Ry(b)+h-l):b=b.getDuration()-a.getDuration(),b=1+b/c.info.duration,dv(Yv(c),b))}else{h=!1;a.K||(gw(c),c.B&&(a.K=c.B,h=!0,Pu(c.info,c.B),e=c.info.u.info,d=Yv(c),g.aw(e)?nv(d,1701671783):e.Zd()&&yv([408125543],307544935,d)));if(d=e=ew(c))d=c.info.u.info.Zd()&&160==Vv(c.u,0);if(d)a.P+=e,a.F=l+e;else{if(a.D.DB){if(l=f=a.Ta(bw(c),1),0<=a.F&&6!=c.info.type){f-=a.F;var n=f-a.Aa;d=c.info.B;var p=c.info.K,r=a.aa?a.aa.B:-1,t=a.aa?a.aa.K:-1,w=a.aa?a.aa.duration:-1;m=a.D.Hg&& -f>a.D.Hg;var y=a.D.sf&&n>a.D.sf;1E-4m&&d>a.Ja)&&p&&(d=Math.max(.95,Math.min(1.05,(e-(y-f))/e)),dv(Yv(c),d),d=ew(c),n=e-d,e=d))); -a.Aa=f+n}}else isNaN(a.F)?f=c.info.startTime:f=a.F,l=f;cw(c,l)?(isNaN(a.ia)&&(a.ia=l),a.P+=e,a.F=l+e):(l=Ou(c.info),l.smst="1",a.V("error",l||{}))}if(h&&a.K){h=Sy(a,!0);Qu(c.info,h);a.u&&Qu(a.u.info,h);b=g.q(b.info.u);for(l=b.next();!l.done;l=b.next())Qu(l.value,h);(c.info.D||a.u&&a.u.info.D)&&6!=c.info.type||(a.X=h,a.V("placeholderinfo",h),Ty(a))}}Oy(a,c);a.ma&&dw(c,a.ma);a.aa=c.info}; -My=function(a,b){if(b.info.D){a.Ga=b.info;if(a.K){var c=Sy(a,!1);a.V("segmentinfo",c);a.X||Ty(a);a.X=null}Hy(a)}a.I&&uy(a.I,b);if(c=Gy(a))if(c=$v(c,b,a.D.Ls)){a.B.pop();a.B.push(c);return}a.B.push(b)}; -Hy=function(a){a.u=null;a.Y=-1;a.R=0;a.K=null;a.ia=NaN;a.P=0;a.X=null}; -Oy=function(a,b){if(a.C.info.Ud){if(b.info.u.info.Zd()){var c=new qv(Yv(b));if(tv(c,[408125543,374648427,174,28032,25152,20533,18402])){var d=wv(c,!0);c=16!==d?null:Dv(c,d)}else c=null;d="webm"}else b.info.X=Zfa(Yv(b)),c=$fa(b.info.X),d="cenc";c&&c.length&&(c=new zy(c,d),c.Zd=b.info.u.info.Zd(),b.B&&b.B.cryptoPeriodIndex&&(c.cryptoPeriodIndex=b.B.cryptoPeriodIndex),a.D.Ps&&b.B&&b.B.D&&(c.u=b.B.D),a.V("needkeyinfo",c))}}; -Ty=function(a){var b=a.K,c;b.data["Cuepoint-Type"]?c=new yu(Uy?Number(b.data["Cuepoint-Playhead-Time-Sec"])||0:-(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0),Number(b.data["Cuepoint-Total-Duration-Sec"])||0,b.data["Cuepoint-Context"],b.data["Cuepoint-Identifier"]||"",dga[b.data["Cuepoint-Event"]||""]||"unknown",1E3*(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0)):c=null;c&&(c.startSecs+=a.ia,a.V("cuepoint",c,b.u))}; -Sy=function(a,b){var c=a.K;if(c.data["Stitched-Video-Id"]||c.data["Stitched-Video-Duration-Us"]||c.data["Stitched-Video-Start-Frame-Index"]||c.data["Serialized-State"]){var d=c.data["Stitched-Video-Id"]?c.data["Stitched-Video-Id"].split(",").slice(0,-1):[];var e=[];if(c.data["Stitched-Video-Duration-Us"])for(var f=g.q(c.data["Stitched-Video-Duration-Us"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push((Number(h.value)||0)/1E6);e=[];if(c.data["Stitched-Video-Start-Frame-Index"])for(f= -g.q(c.data["Stitched-Video-Start-Frame-Index"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push(Number(h.value)||0);d=new aga(d,c.data["Serialized-State"]?c.data["Serialized-State"]:"")}return new Cu(c.u,a.ia,b?c.kh:a.P,c.ingestionTime,"sq/"+c.u,void 0,void 0,b,d)}; -Ry=function(a,b){b=void 0===b?0:b;var c=b?Math.round(a.ma*b)/b:a.ma;a.C.K&&c&&(c+=a.C.K.u);return c+a.getDuration()}; -Vy=function(a,b){0>b||(a.B.forEach(function(c){return dw(c,b)}),a.ma=b)}; -Wy=function(a,b,c){var d=this;this.fl=a;this.ie=b;this.loaded=this.status=0;this.error="";a=Eu(this.fl.get("range")||"");if(!a)throw Error("bad range");this.range=a;this.u=new Mv;ega(this).then(c,function(e){d.error=""+e||"unknown_err";c()})}; -ega=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w,y,x,B;return xa(c,function(E){if(1==E.u){d.status=200;e=d.fl.get("docid");f=nd(d.fl.get("fmtid")||"");h=+(d.fl.get("csz")||0);if(!e||!f||!h)throw Error("Invalid local URL");l=d.range;m=Math.floor(l.start/h);n=Math.floor(l.end/h);p=m}if(5!=E.u)return p<=n?E=sa(E,Nfa(e,f,p),5):(E.u=0,E=void 0),E;r=E.B;if(void 0===r)throw Error("invariant: data is undefined");t=p*h;w=(p+1)*h;y=Math.max(0,l.start-t);x=Math.min(l.end+1,w)-(y+t);B= -new Uint8Array(r.buffer,y,x);d.u.append(B);d.loaded+=x;d.loadedf?(a.C+=e,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=lz(a)?d+b:d+Math.max(b,c);a.P=d}; -jz=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; -oz=function(){return!("function"!==typeof window.fetch||!window.ReadableStream)}; -pz=function(a){if(a.nq())return!1;a=a.qe("content-type");return"audio/mp4"===a||"video/mp4"===a||"video/webm"===a}; -qz=function(a,b,c,d,e,f){var h=void 0===f?{}:f;f=void 0===h.method?"GET":h.method;var l=h.headers,m=h.body;h=void 0===h.credentials?"include":h.credentials;this.aa=b;this.Y=c;this.fa=d;this.policy=e;this.status=0;this.response=void 0;this.X=!1;this.B=0;this.R=NaN;this.aborted=this.I=this.P=!1;this.errorMessage="";this.method=f;this.headers=l;this.body=m;this.credentials=h;this.u=new Mv;this.id=iga++;this.D=window.AbortController?new AbortController:void 0;this.start(a);this.startTime=Date.now()}; -sz=function(a){a.C.read().then(function(b){if(!a.na()){var c;window.performance&&window.performance.now&&(c=window.performance.now());var d=Date.now(),e=b.value?b.value:void 0;a.F&&(a.u.append(a.F),a.F=void 0);b.done?(a.C=void 0,a.onDone()):(a.B+=e.length,rz(a)?a.u.append(e):a.F=e,a.aa(d,a.B,c),sz(a))}},function(b){a.onError(b)}).then(void 0,M)}; -rz=function(a){var b=a.qe("content-type");b="audio/mp4"===b||"video/mp4"===b;return a.policy.B&&a.policy.rf&&pz(a)&&b}; -tz=function(a,b,c,d){var e=this;this.status=0;this.na=this.B=!1;this.u=NaN;this.xhr=new XMLHttpRequest;this.xhr.open("GET",a);this.xhr.responseType="arraybuffer";this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){2===e.xhr.readyState&&e.F()}; -this.C=c;this.D=b;this.F=d;a=Eo(function(f){e.onDone(f)}); -this.xhr.addEventListener("load",a,!1);this.xhr.addEventListener("error",a,!1);this.xhr.send();this.xhr.addEventListener("progress",Eo(function(f){e.ie(f)}),!1)}; -vz=function(){this.C=this.u=0;this.B=Array.from({length:uz.length}).fill(0)}; -wz=function(){}; -xz=function(a){this.name=a;this.startTimeMs=(0,g.N)();this.u=!1}; -Az=function(a,b){var c=this;return yz?function(d){for(var e=[],f=0;fb||(a in Dz||(Dz[a]=new vz),Dz[a].iH(b,c))}; -Ez=function(a,b){var c="";49=d.getLength()&&(c=Tv(d),c=Su(c),c=ow(c)?c:"")}if(c){d=Fz(a);(0,g.N)();d.started=0;d.B=0;d.u=0;d=a.info;var e=a.B;g.Pw(d.B,e,c);d.requestId=e.get("req_id");return 4}c=b.Uu();if((d=!!a.info.range&&a.info.range.length)&&d!==c||b.bA())return a.Yg="net.closed",6;Mz(a,!0);if(a.u.FD&&!d&&a.le&&(d=a.le.u,d.length&&!Zv(d[0])))return a.Yg= -"net.closed",6;e=wy(a)?b.qe("X-Bandwidth-Est"):0;if(d=wy(a)?b.qe("X-Bandwidth-Est3"):0)a.vH=!0,a.u.rB&&(e=d);d=a.timing;var f=e?parseInt(e,10):0;e=g.A();if(!d.ma){d.ma=!0;if(!d.aj){e=e>d.u&&4E12>e?e:g.A();kz(d,e,c);hz(d,e,c);var h=bz(d);if(2===h&&f)fz(d,d.B/f,d.B);else if(2===h||1===h)f=(e-d.u)/1E3,(f<=d.schedule.P.u||!d.schedule.P.u)&&!d.Aa&&lz(d)&&fz(d,f,c),lz(d)&&Nz(d.schedule,c,d.C);Oz(d.schedule,(e-d.u)/1E3||.05,d.B,d.aa,d.Ng,d.Fm)}d.deactivate()}c=Fz(a);(0,g.N)();c.started=0;c.B=0;c.u=0;a.info.B.B= -0;(0,g.N)()c.indexOf("googlevideo.com")||(nga({primary:c}),Pz=(0,g.N)());return 5}; -Gz=function(a){if("net.timeout"===a.Yg){var b=a.timing,c=g.A();if(!b.aj){c=c>b.u&&4E12>c?c:g.A();kz(b,c,1024*b.Y);var d=(c-b.u)/1E3;2!==bz(b)&&(lz(b)?(b.C+=(c-b.D)/1E3,Nz(b.schedule,b.B,b.C)):(dz(b)||b.aj||ez(b.schedule,d),b.fa=c));Oz(b.schedule,d,b.B,b.aa,b.Ng,b.Fm);gz(b.schedule,(c-b.D)/1E3,0)}}"net.nocontent"!=a.Yg&&("net.timeout"===a.Yg||"net.connect"===a.Yg?(b=Fz(a),b.B+=1):(b=Fz(a),b.u+=1),a.info.B.B++);yy(a,6)}; -Qz=function(a){a.na();var b=Fz(a);return 100>b.B&&b.u=c)}; -mga=function(a){var b=(0,g.z)(a.hR,a),c=(0,g.z)(a.jR,a),d=(0,g.z)(a.iR,a);if(yw(a.B.og))return new Wy(a.B,c,b);var e=a.B.Ld();return a.u.fa&&(a.u.yB&&!isNaN(a.info.wf)&&a.info.wf>a.u.yI?0:oz())?new qz(e,c,b,d,a.u.D):new tz(e,c,b,d)}; -pga=function(a){a.le&&a.le.F?(a=a.le.F,a=new Iu(a.type,a.u,a.range,"getEmptyStubAfter_"+a.R,a.B,a.startTime+a.duration,0,a.C+a.rb,0,!1)):(a=a.info.u[0],a=new Iu(a.type,a.u,a.range,"getEmptyStubBefore_"+a.R,a.B,a.startTime,0,a.C,0,!1));return a}; -Tz=function(a){return 1>a.state?!1:a.le&&a.le.u.length||a.Ab.Mh()?!0:!1}; -Uz=function(a){Mz(a,!1);return a.le?a.le.u:[]}; -Mz=function(a,b){if(b||a.Ab.Dm()&&a.Ab.Mh()&&!Lz(a)&&!a.Oo){if(!a.le){if(a.Ab.tj())a.info.range&&(c=a.info.range.length);else var c=a.Ab.Uu();a.le=new Wfa(a.info.u,c)}for(;a.Ab.Mh();)a:{c=a.le;var d=a.Ab.Vu(),e=b&&!a.Ab.Mh();c.D&&(Ov(c.D,d),d=c.D,c.D=null);for(var f=0,h=0,l=g.q(c.B),m=l.next();!m.done;m=l.next())if(m=m.value,m.range&&f+m.rb<=c.C)f+=m.rb;else{d.getLength();if(Ju(m)&&!e&&c.C+d.getLength()-ha.info.u[0].B)return!1}return!0}; -Vz=function(a,b){return{start:function(c){return a[c]}, -end:function(c){return b[c]}, -length:a.length}}; -Wz=function(a,b,c){b=void 0===b?",":b;c=void 0===c?a?a.length:0:c;var d=[];if(a)for(c=Math.max(a.length-c,0);c=b)return c}catch(d){}return-1}; -cA=function(a,b){return 0<=Xz(a,b)}; -qga=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.start(c):NaN}; -dA=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.end(c):NaN}; -eA=function(a){return a&&a.length?a.end(a.length-1):NaN}; -fA=function(a,b){var c=dA(a,b);return 0<=c?c-b:0}; -gA=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return Vz(d,e)}; -hA=function(a,b,c){this.aa=a;this.u=b;this.D=[];this.C=new Ey(a,b,c);this.B=this.K=null;this.ma=0;this.zb=b.info.zb;this.ia=0;this.R=b.po();this.I=-1;this.za=b.po();this.F=this.R;this.P=!1;this.Y=-1;this.ha=null;this.fa=0;this.X=!1}; -iA=function(a,b){b&&Qy&&Vy(a.C,b.ly());a.K=b}; -jA=function(a){return a.K&&a.K.Pt()}; -lA=function(a){for(;a.D.length&&5==a.D[0].state;){var b=a.D.shift();kA(a,b);b=b.timing;a.ma=(b.D-b.u)/1E3}a.D.length&&Tz(a.D[0])&&!a.D[0].info.Ng()&&kA(a,a.D[0])}; -kA=function(a,b){if(Tz(b)){if(Uz(b).length){b.I=!0;var c=b.le;var d=c.u;c.u=[];c.F=g.db(d).info;c=d}else c=[];c=g.q(c);for(d=c.next();!d.done;d=c.next())mA(a,b,d.value)}}; -mA=function(a,b,c){switch(c.info.type){case 1:case 2:Jy(a.C,c);break;case 4:var d=c.info.u.HE(c);c=c.info;var e=a.B;e&&e.u==c.u&&e.type==c.type&&(c.range&&e.range?e.range.start==c.range.start&&e.range.end==c.range.end:e.range==c.range)&&e.B==c.B&&e.C==c.C&&e.rb==c.rb&&(a.B=g.db(d).info);d=g.q(d);for(c=d.next();!c.done;c=d.next())mA(a,b,c.value);break;case 3:Ny(a.C,b,c);break;case 6:Ny(a.C,b,c),a.B=c.info}}; -nA=function(a,b){var c=b.info;c.u.info.zb>=a.zb&&(a.zb=c.u.info.zb)}; -rA=function(a,b,c){c=void 0===c?!1:c;if(a.K){var d=a.K.Se(),e=dA(d,b),f=NaN,h=jA(a);h&&(f=dA(d,h.u.index.Xe(h.B)));if(e==f&&a.B&&a.B.rb&&oA(pA(a),0))return b}a=qA(a,b,c);return 0<=a?a:NaN}; -tA=function(a,b){a.u.Fe();var c=qA(a,b);if(0<=c)return c;c=a.C;c.I?(c=c.I,c=c.B&&3==c.B.type?c.B.startTime:0):c=Infinity;b=Math.min(b,c);a.B=a.u.Kj(b).u[0];sA(a)&&a.K&&a.K.abort();a.ia=0;return a.B.startTime}; -uA=function(a){a.R=!0;a.F=!0;a.I=-1;tA(a,Infinity)}; -vA=function(a){var b=0;g.Cb(a.D,function(c){var d=b;c=c.le&&c.le.length?Xfa(c.le):Uw(c.info);b=d+c},a); -return b+=cga(a.C)}; -wA=function(a,b){if(!a.K)return 0;var c=jA(a);if(c&&c.F)return c.I;c=a.K.Se(!0);return fA(c,b)}; -yA=function(a){xA(a);a=a.C;a.B=[];Hy(a)}; -zA=function(a,b,c,d){xA(a);for(var e=a.C,f=!1,h=e.B.length-1;0<=h;h--){var l=e.B[h];l.info.B>=b&&(e.B.pop(),e.F-=ew(l),f=!0)}f&&(e.ha=0c?tA(a,d):a.B=a.u.ql(b-1,!1).u[0]}; -CA=function(a,b){var c;for(c=0;ce.C&&d.C+d.rb<=e.C+e.rb})?a.B=d:Ku(b.info.u[0])?a.B=pga(b):a.B=null}}; -sA=function(a){var b;!(b=!a.aa.Js&&"f"===a.u.info.Db)&&(b=a.aa.zh)&&(b=a.C,b=!!b.I&&sy(b.I));if(b)return!0;b=jA(a);if(!b)return!1;var c=b.F&&b.D;return a.za&&0=a.Y:c}; -pA=function(a){var b=[],c=jA(a);c&&b.push(c);b=g.qb(b,Py(a.C));g.Cb(a.D,function(d){g.Cb(d.info.u,function(e){d.I&&(b=g.Ke(b,function(f){return!(f.u!=e.u?0:f.range&&e.range?f.range.start+f.C>=e.range.start+e.C&&f.range.start+f.C+f.rb<=e.range.start+e.C+e.rb:f.B==e.B&&f.C>=e.C&&(f.C+f.rb<=e.C+e.rb||e.D))})); -(Ku(e)||4==e.type)&&b.push(e)})}); -a.B&&!ffa(a.B,g.db(b),a.B.u.tf())&&b.push(a.B);return b}; -oA=function(a,b){if(!a.length)return!1;for(var c=b+1;c=b){b=f;break a}}b=e}return 0>b?NaN:oA(a,c?b:0)?a[b].startTime:NaN}; -DA=function(a){return ki(a.D,function(b){return 3<=b.state})}; -EA=function(a){return!(!a.B||a.B.u==a.u)}; -FA=function(a){return EA(a)&&a.u.Fe()&&a.B.u.info.zbb&&a.I=l)if(l=e.shift(),h=(h=m.exec(l))?+h[1]/1E3:0)l=(l=n.exec(l))?+l[1]:0,l+=1; -else return;c.push(new Cu(p,f,h,NaN,"sq/"+(p+1)));f+=h;l--}a.index.append(c)}}; -Fga=function(a,b){this.experimentIds=a?a.split(","):[];this.flags=Vp(b||"");var c={};g.Cb(this.experimentIds,function(d){c[d]=!0}); -this.experiments=c}; -g.Q=function(a,b){return"true"===a.flags[b]}; -g.P=function(a,b){return Number(a.flags[b])||0}; -g.kB=function(a,b){var c=a.flags[b];return c?c.toString():""}; -Gga=function(a,b,c,d){this.displayName=a;this.vssId=b;this.languageCode=c;this.kind=void 0===d?"":d}; -lB=function(a,b,c){this.name=a;this.id=b;this.isDefault=c}; -mB=function(){var a=g.Ja("yt.player.utils.videoElement_");a||(a=g.Fe("VIDEO"),g.Fa("yt.player.utils.videoElement_",a,void 0));return a}; -nB=function(a){var b=mB();return!!(b&&b.canPlayType&&b.canPlayType(a))}; -Hga=function(a){try{var b=oB('video/mp4; codecs="avc1.42001E"')||oB('video/webm; codecs="vp9"');return(oB('audio/mp4; codecs="mp4a.40.2"')||oB('audio/webm; codecs="opus"'))&&(b||!a)||nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')?null:"fmt.noneavailable"}catch(c){return"html5.missingapi"}}; -oB=function(a){if(/opus/.test(a)&&(g.pB&&!In("38")||g.pB&&dr("crkey")))return!1;if(window.MediaSource&&window.MediaSource.isTypeSupported)return window.MediaSource.isTypeSupported(a);if(/webm/.test(a)&&!jr())return!1;'audio/mp4; codecs="mp4a.40.2"'===a&&(a='video/mp4; codecs="avc1.4d401f"');return!!nB(a)}; -qB=function(){return"pictureInPictureEnabled"in window.document&&!!window.document.pictureInPictureEnabled}; -rB=function(){var a=mB();return!!a.webkitSupportsPresentationMode&&"function"===typeof a.webkitSetPresentationMode}; -sB=function(){var a=mB();try{var b=a.muted;a.muted=!b;return a.muted!==b}catch(c){}return!1}; -tB=function(a,b,c,d){g.O.call(this);var e=this;this.Rc=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.CD={error:function(){!e.na()&&e.isActive&&e.V("error",e)}, -updateend:function(){!e.na()&&e.isActive&&e.V("updateend",e)}}; -vt(this.Rc,this.CD);this.zs=this.isActive}; -uB=function(a,b,c){this.errorCode=a;this.u=b;this.details=c||{}}; -g.vB=function(a){var b;for(b in a)if(a.hasOwnProperty(b)){var c=(""+a[b]).replace(/[:,=]/g,"_");var d=(d?d+";":"")+b+"."+c}return d||""}; -wB=function(a){var b=void 0===b?!1:b;if(a instanceof uB)return a;a=a&&a instanceof Error?a:Error(""+a);b?g.Hs(a):g.Is(a);return new uB(b?"player.fatalexception":"player.exception",b,{name:""+a.name,message:""+a.message})}; -xB=function(a,b,c,d,e){var f;g.O.call(this);var h=this;this.jc=a;this.de=b;this.id=c;this.containerType=d;this.isVideo=e;this.iE=this.yu=this.Zy=null;this.appendWindowStart=this.timestampOffset=0;this.cC=Vz([],[]);this.Xs=!1;this.Oj=function(l){return h.V(l.type,h)}; -if(null===(f=this.jc)||void 0===f?0:f.addEventListener)this.jc.addEventListener("updateend",this.Oj),this.jc.addEventListener("error",this.Oj)}; -yB=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; -zB=function(a,b){this.u=a;this.B=void 0===b?!1:b;this.C=!1}; -AB=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaSource=a;this.de=b;this.isView=c;this.C=0;this.callback=null;this.events=new rt(this);g.D(this,this.events);this.Tq=new zB(this.mediaSource?window.URL.createObjectURL(this.mediaSource):this.de.webkitMediaSourceURL,!0);a=this.mediaSource||this.de;tt(this.events,a,["sourceopen","webkitsourceopen"],this.FQ);tt(this.events,a,["sourceclose","webkitsourceclose"],this.EQ)}; -Iga=function(a,b){BB(a)?g.mm(function(){return b(a)}):a.callback=b}; -CB=function(a){return!!a.u||!!a.B}; -BB=function(a){try{return"open"===DB(a)}catch(b){return!1}}; -EB=function(a){try{return"closed"===DB(a)}catch(b){return!0}}; -DB=function(a){if(a.mediaSource)return a.mediaSource.readyState;switch(a.de.webkitSourceState){case a.de.SOURCE_OPEN:return"open";case a.de.SOURCE_ENDED:return"ended";default:return"closed"}}; -FB=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; -GB=function(a,b,c,d){if(!a.u||!a.B)return null;var e=a.u.isView()?a.u.Rc:a.u,f=a.B.isView()?a.B.Rc:a.B,h=new AB(a.mediaSource,a.de,!0);h.Tq=a.Tq;e=new tB(e,b,c,d);b=new tB(f,b,c,d);h.u=e;h.B=b;g.D(h,e);g.D(h,b);BB(a)||a.u.ip(a.u.yc());return h}; -Jga=function(a,b){return HB(function(c,d){return g.Vs(c,d,4,1E3)},a,b)}; -g.IB=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=Su(new Uint8Array(a.response))):b=a.responseText;return!b||2048=a.K}; -XB=function(a){var b=a.K;isFinite(b)&&(WB(a)?a.refresh():(b=Math.max(0,a.Y+b-(0,g.N)()),a.D||(a.D=new g.F(a.refresh,b,a),g.D(a,a.D)),a.D.start(b)))}; -Vga=function(a){a=a.u;for(var b in a){var c=a[b].index;if(c.Uc())return c.Xb()+1}return 0}; -YB=function(a){return a.Nm&&a.B?a.Nm-a.B:0}; -ZB=function(a){if(!isNaN(a.X))return a.X;var b=a.u,c;for(c in b){var d=b[c].index;if(d.Uc()){b=0;for(c=d.Eh();c<=d.Xb();c++)b+=d.getDuration(c);b/=d.fo();b=.5*Math.round(b/.5);d.fo()>a.ma&&(a.X=b);return b}if(a.isLive&&(d=b[c],d.kh))return d.kh}return NaN}; -Wga=function(a,b){var c=Rb(a.u,function(e){return e.index.Uc()}); -if(!c)return NaN;c=c.index;var d=c.Gh(b);return c.Xe(d)==b?b:d=c||(c=new yu(a.u.Ce.startSecs-(a.R.Dc&&!isNaN(a.I)?a.I:0),c,a.u.Ce.context,a.u.Ce.identifier,"stop",a.u.Ce.u+1E3*b.duration),a.V("ctmp","cuepointdiscontinuity","segNum."+b.qb,!1),a.Y(c,b.qb))}}; -bC=function(a,b){a.C=null;a.K=!1;0=f&&a.Da.I?(a.I++,fC(a,"iterativeSeeking","inprogress;count."+a.I+";target."+ -a.D+";actual."+f+";duration."+h+";isVideo."+c,!1),a.seek(a.D)):(fC(a,"iterativeSeeking","incomplete;count."+a.I+";target."+a.D+";actual."+f,!1),a.I=0,a.B.F=!1,a.u.F=!1,a.V("seekplayerrequired",f+.1,!0)))}})}; -aha=function(a,b,c){if(!a.C)return-1;c=(c?a.B:a.u).u.index;var d=c.Gh(a.D);return(bB(c,a.F.Hd)||b.qb==a.F.Hd)&&d=navigator.hardwareConcurrency&&(d=e);(e=g.P(a.experiments,"html5_av1_thresh_hcc"))&&4=c)}; -JC=function(a,b,c){this.videoInfos=a;this.audioTracks=[];this.u=b||null;this.B=c||null;if(this.u)for(a=new Set,b=g.q(this.u),c=b.next();!c.done;c=b.next())if(c=c.value,c.u&&!a.has(c.u.id)){var d=new CC(c.id,c.u);a.add(c.u.id);this.audioTracks.push(d)}}; -LC=function(a,b,c,d){var e=[],f={};if(LB(c)){for(var h in c.u)d=c.u[h],f[d.info.Db]=[d.info];return f}for(var l in c.u){h=c.u[l];var m=h.info.Yb();if(""==h.info.Db)e.push(m),e.push("unkn");else if("304"!=m&&"266"!=m||!a.fa)if(a.ia&&"h"==h.info.Db&&h.info.video&&1080y}; -a.u&&e("lth."+w+".uth."+y);n=n.filter(function(B){return x(B.Ma().Fc)}); -p=p.filter(function(B){return!x(B.Ma().Fc)})}t=["1", -m];r=[].concat(n,p).filter(function(B){return B})}if(r.length&&!a.C){OC(r,d,t); -if(a.u){a=[];m=g.q(r);for(c=m.next();!c.done;c=m.next())a.push(c.value.Yb());e("hbdfmt."+a.join("."))}return Ys(new JC(r,d,PC(l,"",b)))}r=dha(a);r=g.fb(r,h);if(!r)return a.u&&e("novideo"),Xs();a.Ub&&"1"==r&&l[m]&&(c=NC(l["1"]),NC(l[m])>c&&(r=m));"9"==r&&l.h&&(m=NC(l["9"]),NC(l.h)>1.5*m&&(r="h"));a.u&&e("vfmly."+MC(r));m=l[r];if(!m.length)return a.u&&e("novfmly."+MC(r)),Xs();OC(m,d);return Ys(new JC(m,d,PC(l,r,b)))}; -PC=function(a,b,c){var d=a.h;"f"==b&&(d=a[b]);var e=a.a;b=a[b]!=d;a=a[c]!=e;return d&&e&&(b||a)?(OC(d,e),new JC(d,e)):null}; -OC=function(a,b,c){c=void 0===c?[]:c;g.zb(a,function(d,e){var f=e.Ma().height*e.Ma().width-d.Ma().height*d.Ma().width;if(!f&&c&&0c&&(b=a.I&&(a.X||iC(a,jC.FRAMERATE))?g.Ke(b,function(d){return 32oqa||h=rqa&&(SB++,g.gy("abandon_compression_after_N_slow_zips")?RB===g.hy("compression_disable_point")&&SB>sqa&&(PB=!1):PB=!1);tqa(f);if(uqa(l,b)||!g.gy("only_compress_gel_if_smaller"))c.headers||(c.headers={}),c.headers["Content-Encoding"]="gzip",c.postBody=l,c.postParams=void 0}d(a, +c)}catch(n){ny(n),d(a,c)}else d(a,c)}; +vqa=function(a){var b=void 0===b?!1:b;var c=(0,g.M)(),d={startTime:c,ticks:{},infos:{}};if(PB){if(!a.body)return a;try{var e="string"===typeof a.body?a.body:JSON.stringify(a.body),f=QB(e);if(f>oqa||f=rqa)if(SB++,g.gy("abandon_compression_after_N_slow_zips")){b=SB/RB;var m=sqa/g.hy("compression_disable_point"); +0=m&&(PB=!1)}else PB=!1;tqa(d)}a.headers=Object.assign({},{"Content-Encoding":"gzip"},a.headers||{});a.body=h;return a}catch(n){return ny(n),a}}else return a}; +uqa=function(a,b){if(!window.Blob)return!0;var c=a.lengtha.xH)return p.return();a.potentialEsfErrorCounter++;if(void 0===(null==(n=b)?void 0:n.id)){p.Ka(8);break}return b.sendCountNumber(f.get("dhmu",h.toString())));this.Ns=h;this.Ya="3"===this.controlsType||this.u||R(!1,a.use_media_volume); -this.X=sB();this.tu=g.gD;this.An=R(!1,b&&e?b.embedOptOutDeprecation:a.opt_out_deprecation);this.pfpChazalUi=R(!1,(b&&e?b.pfpChazalUi:a.pfp_chazal_ui)&&!this.ba("embeds_pfp_chazal_ui_killswitch"));var m;b?void 0!==b.hideInfo&&(m=!b.hideInfo):m=a.showinfo;this.En=g.hD(this)&&!this.An||R(!iD(this)&&!jD(this)&&!this.I,m);this.Bn=b?!!b.mobileIphoneSupportsInlinePlayback:R(!1,a.playsinline);m=this.u&&kD&&null!=lD&&0=lD;h=b?b.useNativeControls:a.use_native_controls;f=this.u&&!this.ba("embeds_enable_mobile_custom_controls"); -h=mD(this)||!m&&R(f,h)?"3":"1";f=b?b.controlsType:a.controls;this.controlsType="0"!==f&&0!==f?h:"0";this.Oe=this.u;this.color=YC("red",b&&e?b.progressBarColor:a.color,vha);this.Bt="3"===this.controlsType||R(!1,b&&e?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Ga=!this.B;this.Fn=(h=!this.Ga&&!jD(this)&&!this.R&&!this.I&&!iD(this))&&!this.Bt&&"1"===this.controlsType;this.Nb=g.nD(this)&&h&&"0"===this.controlsType&&!this.Fn;this.tv=this.Mt=m;this.Gn=oD&&!g.ae(601)?!1:!0;this.Ms= -this.B||!1;this.Qa=jD(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=$C("",b&&e?b.widgetReferrer:a.widget_referrer);var n;b&&e?b.disableCastApi&&(n=!1):n=a.enablecastapi;n=!this.C||R(!0,n);m=!0;b&&b.disableMdxCast&&(m=!1);this.Ig=n&&m&&"1"===this.controlsType&&!this.u&&(jD(this)||g.nD(this)||g.pD(this))&&!g.qD(this)&&!rD(this);this.qv=qB()||rB();n=b?!!b.supportsAutoplayOverride:R(!1,a.autoplayoverride);this.Sl=!this.u&&!dr("nintendo wiiu")&&!dr("nintendo 3ds")|| -n;n=b?!!b.enableMutedAutoplay:R(!1,a.mutedautoplay);m=this.ba("embeds_enable_muted_autoplay")&&g.hD(this);this.Tl=n&&m&&this.X&&!mD(this);n=(jD(this)||iD(this))&&"blazer"===this.playerStyle;this.Jg=b?!!b.disableFullscreen:!R(!0,a.fs);this.za=!this.Jg&&(n||nt());this.yn=this.ba("uniplayer_block_pip")&&(er()&&In(58)&&!rr()||or);n=g.hD(this)&&!this.An;var p;b?void 0!==b.disableRelatedVideos&&(p=!b.disableRelatedVideos):p=a.rel;this.ub=n||R(!this.I,p);this.Dn=R(!1,b&&e?b.enableContentOwnerRelatedVideos: -a.co_rel);this.F=rr()&&0=lD?"_top":"_blank";this.Ne=g.pD(this);this.Ql=R("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":p="bl";break;case "gmail":p="gm";break;case "books":p="gb";break;case "docs":p="gd";break;case "duo":p="gu";break;case "google-live":p="gl";break;case "google-one":p="go";break;case "play":p="gp";break;case "chat":p="hc";break;case "hangouts-meet":p="hm";break;case "photos-edu":case "picasaweb":p="pw";break;default:p= -"yt"}this.Y=p;this.ye=$C("",b&&e?b.authorizedUserIndex:a.authuser);var r;b?void 0!==b.disableWatchLater&&(r=!b.disableWatchLater):r=a.showwatchlater;this.Ll=(this.B&&!this.ma||!!this.ye)&&R(!this.R,this.C?r:void 0);this.Hg=b?!!b.disableKeyboardControls:R(!1,a.disablekb);this.loop=R(!1,a.loop);this.pageId=$C("",a.pageid);this.uu=R(!0,a.canplaylive);this.Zi=R(!1,a.livemonitor);this.disableSharing=R(this.I,b?b.disableSharing:a.ss);(r=a.video_container_override)?(p=r.split("x"),2!==p.length?r=null:(r= -Number(p[0]),p=Number(p[1]),r=isNaN(r)||isNaN(p)||0>=r*p?null:new g.ie(r,p))):r=null;this.Hn=r;this.mute=b?!!b.startMuted:R(!1,a.mute);this.Rl=!this.mute&&R("0"!==this.controlsType,a.store_user_volume);r=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:YC(void 0,r,sD);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":$C("",a.cc_lang_pref);r=YC(2,b&&e?b.captionsLanguageLoadPolicy:a.cc_load_policy,sD);"3"===this.controlsType&&2===r&&(r= -3);this.zj=r;this.Lg=b?b.hl||"en_US":$C("en_US",a.hl);this.region=b?b.contentRegion||"US":$C("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":$C("en",a.host_language);this.Is=!this.ma&&Math.random()Math.random();this.xi=a.onesie_hot_config?new nha(a.onesie_hot_config):void 0;this.isTectonic=!!a.isTectonic;this.lu=c;this.fd=new UC;g.D(this,this.fd)}; -BD=function(a,b){return!a.I&&er()&&In(55)&&"3"===a.controlsType&&!b}; -g.CD=function(a){a=tD(a.P);return"www.youtube-nocookie.com"===a?"www.youtube.com":a}; -g.DD=function(a){return g.qD(a)?"music.youtube.com":g.CD(a)}; -ED=function(a,b,c){return a.protocol+"://i1.ytimg.com/vi/"+b+"/"+(c||"hqdefault.jpg")}; -FD=function(a){return jD(a)&&!g.xD(a)}; -mD=function(a){return oD&&!a.Bn||dr("nintendo wiiu")||dr("nintendo 3ds")?!0:!1}; -rD=function(a){return"area120-boutique"===a.playerStyle}; -g.qD=function(a){return"music-embed"===a.playerStyle}; -g.wD=function(a){return/^TVHTML5/.test(a.deviceParams.c)?!0:"TV"===a.deviceParams.cplatform}; -cD=function(a){return"TVHTML5_SIMPLY_EMBEDDED_PLAYER"===a.deviceParams.c}; -vD=function(a){return"CHROMECAST ULTRA/STEAK"===a.deviceParams.cmodel||"CHROMECAST/STEAK"===a.deviceParams.cmodel}; -g.GD=function(){return 1b)return!0;return!1}; -bE=function(a,b){return new QC(a.X,a.B,b||a.F.reason)}; -cE=function(a){return a.F.isLocked()}; -Dha=function(a){return 0(0,g.N)()-a.aa,c=a.D&&3*ZD(a,a.D.info)a.u.Ga,m=f<=a.u.Ga?hx(e):fx(e);if(!h||l||m)c[f]=e}return c}; -VD=function(a,b){a.F=b;var c=a.R.videoInfos;if(!cE(a)){var d=(0,g.N)()-6E4;c=g.Ke(c,function(p){if(p.zb>this.u.zb)return!1;p=this.K.u[p.id];var r=p.info.Db;return this.u.Us&&this.Aa.has(r)||p.X>d?!1:4b.u)&&(e=e.filter(function(p){return!!p&&!!p.video&&!!p.B})); -if(!yB()&&0n.video.width?(g.nb(e,c),c--):ZD(a,f)*a.u.u>ZD(a,n)&&(g.nb(e,c-1),c--)}c=e[e.length-1];a.Ub=!!a.B&&!!a.B.info&&a.B.info.Db!=c.Db;a.C=e;zfa(a.u,c)}; -yha=function(a,b){if(b)a.I=a.K.u[b];else{var c=g.fb(a.R.u,function(d){return!!d.u&&d.u.isDefault}); -c=c||a.R.u[0];a.I=a.K.u[c.id]}XD(a)}; -gE=function(a,b){for(var c=0;c+1d}; -XD=function(a){if(!a.I||!a.u.C&&!a.u.Dn)if(!a.I||!a.I.info.u)if(a.I=a.K.u[a.R.u[0].id],1a.F.u:gE(a,a.I);b&&(a.I=a.K.u[g.db(a.R.u).id])}}; -YD=function(a){a.u.Tl&&(a.za=a.za||new g.F(function(){a.u.Tl&&a.B&&!aE(a)&&1===Math.floor(10*Math.random())?$D(a,a.B):a.za.start()},6E4),a.za.Sb()); -if(!a.D||!a.u.C&&!a.u.Dn)if(cE(a))a.D=360>=a.F.u?a.K.u[a.C[0].id]:a.K.u[g.db(a.C).id];else{for(var b=Math.min(a.P,a.C.length-1),c=XA(a.ma),d=ZD(a,a.I.info),e=c/a.u.B-d;0=c);b++);a.D=a.K.u[a.C[b].id];a.P=b}}; -zha=function(a){var b=a.u.B,c=XA(a.ma)/b-ZD(a,a.I.info);b=g.gb(a.C,function(d){return ZD(this,d)b&&(b=0);a.P=b;a.D=a.K.u[a.C[b].id]}; -hE=function(a,b){a.u.Ga=mC(b,{},a.R);VD(a,a.F);dE(a);a.Y=a.D!=a.B}; -ZD=function(a,b){if(!a.ia[b.id]){var c=a.K.u[b.id].index.kD(a.ha,15);c=b.C&&a.B&&a.B.index.Uc()?c||b.C:c||b.zb;a.ia[b.id]=c}c=a.ia[b.id];a.u.Nb&&b.video&&b.video.Fc>a.u.Nb&&(c*=1.5);return c}; -Eha=function(a,b){var c=Rb(a.K.u,function(d){return d.info.Yb()==b}); -if(!c)throw Error("Itag "+b+" from server not known.");return c}; -Fha=function(a){var b=[];if("m"==a.F.reason||"s"==a.F.reason)return b;var c=!1;if(Nga(a.K)){for(var d=Math.max(0,a.P-2);d=c)a.X=NaN;else{var d=RA(a.ha),e=b.index.Qf;c=Math.max(1,d/c);a.X=Math.round(1E3*Math.max(((c-1)*e+a.u.R)/c,e-a.u.Cc))}}}; -Hha=function(a,b){var c=g.A()/1E3,d=c-a.I,e=c-a.R,f=e>=a.u.En,h=!1;if(f){var l=0;!isNaN(b)&&b>a.K&&(l=b-a.K,a.K=b);l/e=a.u.Cc&&!a.D;if(!f&&!c&&kE(a,b))return NaN;c&&(a.D=!0);a:{d=h;c=g.A()/1E3-(a.fa.u()||0)-a.P.B-a.u.R;f=a.C.startTime;c=f+c;if(d){if(isNaN(b)){lE(a,NaN,"n",b);f=NaN;break a}d=b-a.u.kc;db)return!0;var c=a.Xb();return bb)return 1;c=a.Xb();return b=a?!1:!0}; +yqa=function(a){var b;a=null==a?void 0:null==(b=a.error)?void 0:b.code;return!(400!==a&&415!==a)}; +Aqa=function(){if(XB)return XB();var a={};XB=g.uB("LogsDatabaseV2",{Fq:(a.LogsRequestsStore={Cm:2},a),shared:!1,upgrade:function(b,c,d){c(2)&&g.LA(b,"LogsRequestsStore",{keyPath:"id",autoIncrement:!0});c(3);c(5)&&(d=d.objectStore("LogsRequestsStore"),d.j.indexNames.contains("newRequest")&&d.j.deleteIndex("newRequest"),g.RA(d,"newRequestV2",["status","interface","timestamp"]));c(7)&&MA(b,"sapisid");c(9)&&MA(b,"SWHealthLog")}, +version:9});return XB()}; +YB=function(a){return g.kB(Aqa(),a)}; +Cqa=function(a,b){var c,d,e,f;return g.A(function(h){if(1==h.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_WRITE"},ticks:{}},g.y(h,YB(b),2);if(3!=h.j)return d=h.u,e=Object.assign({},a,{options:JSON.parse(JSON.stringify(a.options)),interface:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0)}),g.y(h,g.PA(d,"LogsRequestsStore",e),3);f=h.u;c.ticks.tc=(0,g.M)();Bqa(c);return h.return(f)})}; +Dqa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_READ"},ticks:{}},g.y(n,YB(b),2);if(3!=n.j)return d=n.u,e=g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0),f=[a,e,0],h=[a,e,(0,g.M)()],l=IDBKeyRange.bound(f,h),m=void 0,g.y(n,g.NA(d,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(p){return g.hB(p.objectStore("LogsRequestsStore").index("newRequestV2"),{query:l,direction:"prev"},function(q){q.getValue()&&(m= +q.getValue(),"NEW"===a&&(m.status="QUEUED",q.update(m)))})}),3); +c.ticks.tc=(0,g.M)();Bqa(c);return n.return(m)})}; +Eqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(g.NA(c,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){var f=e.objectStore("LogsRequestsStore");return f.get(a).then(function(h){if(h)return h.status="QUEUED",g.OA(f,h).then(function(){return h})})}))})}; +Fqa=function(a,b,c,d){c=void 0===c?!0:c;var e;return g.A(function(f){if(1==f.j)return g.y(f,YB(b),2);e=f.u;return f.return(g.NA(e,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(h){var l=h.objectStore("LogsRequestsStore");return l.get(a).then(function(m){return m?(m.status="NEW",c&&(m.sendCount+=1),void 0!==d&&(m.options.compress=d),g.OA(l,m).then(function(){return m})):g.FA.resolve(void 0)})}))})}; +Gqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(c.delete("LogsRequestsStore",a))})}; +Hqa=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,YB(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("LogsRequestsStore"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Iqa=function(){g.A(function(a){return g.y(a,Jpa("LogsDatabaseV2"),0)})}; +Bqa=function(a){g.gy("nwl_csi_killswitch")||OB("networkless_performance",a,{sampleRate:1})}; +Kqa=function(a){return g.kB(Jqa(),a)}; +Lqa=function(a){var b,c;g.A(function(d){if(1==d.j)return g.y(d,Kqa(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["SWHealthLog"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("SWHealthLog"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Mqa=function(a){var b;return g.A(function(c){if(1==c.j)return g.y(c,Kqa(a),2);b=c.u;return g.y(c,b.clear("SWHealthLog"),0)})}; +g.ZB=function(a,b,c,d,e,f){e=void 0===e?"":e;f=void 0===f?!1:f;if(a)if(c&&!g.Yy()){if(a){a=g.be(g.he(a));if("about:invalid#zClosurez"===a||a.startsWith("data"))a="";else{var h=void 0===h?{}:h;a=a.replace(/&/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'");h.g8a&&(a=a.replace(/(^|[\r\n\t ]) /g,"$1 "));h.f8a&&(a=a.replace(/(\r\n|\n|\r)/g,"
"));h.h8a&&(a=a.replace(/(\t+)/g,'$1'));h=g.we(a);a=g.Ke(g.Mi(g.ve(h).toString()))}g.Tb(a)|| +(h=pf("IFRAME",{src:'javascript:""',style:"display:none"}),Ue(h).body.appendChild(h))}}else if(e)Gy(a,b,"POST",e,d);else if(g.ey("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)Gy(a,b,"GET","",d,void 0,f);else{b:{try{var l=new Xka({url:a});if(l.B&&l.u||l.C){var m=Ri(g.Ti(5,a));var n=!(!m||!m.endsWith("/aclk")||"1"!==lj(a,"ri"));break b}}catch(p){}n=!1}n?Nqa(a)?(b&&b(),h=!0):h=!1:h=!1;h||Oqa(a,b)}}; +Nqa=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; +Oqa=function(a,b){var c=new Image,d=""+Pqa++;$B[d]=c;c.onload=c.onerror=function(){b&&$B[d]&&b();delete $B[d]}; +c.src=a}; +aC=function(){this.j=new Map;this.u=!1}; +bC=function(){if(!aC.instance){var a=g.Ga("yt.networkRequestMonitor.instance")||new aC;g.Fa("yt.networkRequestMonitor.instance",a);aC.instance=a}return aC.instance}; +dC=function(){cC||(cC=new lA("yt.offline"));return cC}; +Qqa=function(a){if(g.gy("offline_error_handling")){var b=dC().get("errors",!0)||{};b[a.message]={name:a.name,stack:a.stack};a.level&&(b[a.message].level=a.level);dC().set("errors",b,2592E3,!0)}}; +eC=function(){g.Fd.call(this);var a=this;this.u=!1;this.j=dla();this.j.Ra("networkstatus-online",function(){if(a.u&&g.gy("offline_error_handling")){var b=dC().get("errors",!0);if(b){for(var c in b)if(b[c]){var d=new g.bA(c,"sent via offline_errors");d.name=b[c].name;d.stack=b[c].stack;d.level=b[c].level;g.ly(d)}dC().set("errors",{},2592E3,!0)}}})}; +Rqa=function(){if(!eC.instance){var a=g.Ga("yt.networkStatusManager.instance")||new eC;g.Fa("yt.networkStatusManager.instance",a);eC.instance=a}return eC.instance}; +g.fC=function(a){a=void 0===a?{}:a;g.Fd.call(this);var b=this;this.j=this.C=0;this.u=Rqa();var c=g.Ga("yt.networkStatusManager.instance.listen").bind(this.u);c&&(a.FH?(this.FH=a.FH,c("networkstatus-online",function(){Sqa(b,"publicytnetworkstatus-online")}),c("networkstatus-offline",function(){Sqa(b,"publicytnetworkstatus-offline")})):(c("networkstatus-online",function(){b.dispatchEvent("publicytnetworkstatus-online")}),c("networkstatus-offline",function(){b.dispatchEvent("publicytnetworkstatus-offline")})))}; +Sqa=function(a,b){a.FH?a.j?(g.Ap.Em(a.C),a.C=g.Ap.xi(function(){a.B!==b&&(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)())},a.FH-((0,g.M)()-a.j))):(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)()):a.dispatchEvent(b)}; +hC=function(){var a=VB.call;gC||(gC=new g.fC({R7a:!0,H6a:!0}));a.call(VB,this,{ih:{h2:Hqa,ly:Gqa,XT:Dqa,C4:Eqa,SO:Fqa,set:Cqa},Zg:gC,handleError:function(b,c,d){var e,f=null==d?void 0:null==(e=d.error)?void 0:e.code;if(400===f||415===f){var h;ny(new g.bA(b.message,c,null==d?void 0:null==(h=d.error)?void 0:h.code),void 0,void 0,void 0,!0)}else g.ly(b)}, +Iy:ny,Qq:Tqa,now:g.M,ZY:Qqa,cn:g.iA(),lO:"publicytnetworkstatus-online",zN:"publicytnetworkstatus-offline",wF:!0,hF:.1,xH:g.hy("potential_esf_error_limit",10),ob:g.gy,uB:!(g.dA()&&"www.youtube-nocookie.com"!==g.Ui(document.location.toString()))});this.u=new g.Wj;g.gy("networkless_immediately_drop_all_requests")&&Iqa();Kpa("LogsDatabaseV2")}; +iC=function(){var a=g.Ga("yt.networklessRequestController.instance");a||(a=new hC,g.Fa("yt.networklessRequestController.instance",a),g.gy("networkless_logging")&&g.sB().then(function(b){a.yf=b;wqa(a);a.u.resolve();a.wF&&Math.random()<=a.hF&&a.yf&&Lqa(a.yf);g.gy("networkless_immediately_drop_sw_health_store")&&Uqa(a)})); +return a}; +Uqa=function(a){var b;g.A(function(c){if(!a.yf)throw b=g.DA("clearSWHealthLogsDb"),b;return c.return(Mqa(a.yf).catch(function(d){a.handleError(d)}))})}; +Tqa=function(a,b,c){g.gy("use_cfr_monitor")&&Vqa(a,b);if(g.gy("use_request_time_ms_header"))b.headers&&(b.headers["X-Goog-Request-Time"]=JSON.stringify(Math.round((0,g.M)())));else{var d;if(null==(d=b.postParams)?0:d.requestTimeMs)b.postParams.requestTimeMs=Math.round((0,g.M)())}c&&0===Object.keys(b).length?g.ZB(a):b.compress?b.postBody?("string"!==typeof b.postBody&&(b.postBody=JSON.stringify(b.postBody)),TB(a,b.postBody,b,g.Hy)):TB(a,JSON.stringify(b.postParams),b,Iy):g.Hy(a,b)}; +Vqa=function(a,b){var c=b.onError?b.onError:function(){}; +b.onError=function(e,f){bC().requestComplete(a,!1);c(e,f)}; +var d=b.onSuccess?b.onSuccess:function(){}; +b.onSuccess=function(e,f){bC().requestComplete(a,!0);d(e,f)}}; +g.jC=function(a){this.config_=null;a?this.config_=a:Zpa()&&(this.config_=g.EB())}; +g.kC=function(a,b,c,d){function e(p){try{if((void 0===p?0:p)&&d.retry&&!d.KV.bypassNetworkless)f.method="POST",d.KV.writeThenSend?iC().writeThenSend(n,f):iC().sendAndWrite(n,f);else if(d.compress)if(f.postBody){var q=f.postBody;"string"!==typeof q&&(q=JSON.stringify(f.postBody));TB(n,q,f,g.Hy)}else TB(n,JSON.stringify(f.postParams),f,Iy);else g.gy("web_all_payloads_via_jspb")?g.Hy(n,f):Iy(n,f)}catch(r){if("InvalidAccessError"==r.name)ny(Error("An extension is blocking network request."));else throw r; +}} +!g.ey("VISITOR_DATA")&&"visitor_id"!==b&&.01>Math.random()&&ny(new g.bA("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.bA("innertube xhrclient not ready",b,c,d),g.ly(a),a;var f={headers:d.headers||{},method:"POST",postParams:c,postBody:d.postBody,postBodyFormat:d.postBodyFormat||"JSON",onTimeout:function(){d.onTimeout()}, +onFetchTimeout:d.onTimeout,onSuccess:function(p,q){if(d.onSuccess)d.onSuccess(q)}, +onFetchSuccess:function(p){if(d.onSuccess)d.onSuccess(p)}, +onError:function(p,q){if(d.onError)d.onError(q)}, +onFetchError:function(p){if(d.onError)d.onError(p)}, +timeout:d.timeout,withCredentials:!0,compress:d.compress};f.headers["Content-Type"]||(f.headers["Content-Type"]="application/json");c="";var h=a.config_.OU;h&&(c=h);var l=a.config_.PU||!1;h=kqa(l,c,d);Object.assign(f.headers,h);(h=f.headers.Authorization)&&!c&&l&&(f.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.config_.innertubeApiVersion+"/"+b;l={alt:"json"};var m=a.config_.FM&&h;m=m&&h.startsWith("Bearer");m||(l.key=a.config_.innertubeApiKey);var n=ty(""+c+b,l);g.Ga("ytNetworklessLoggingInitializationOptions")&& +Wqa.isNwlInitialized?Cpa().then(function(p){e(p)}):e(!1)}; +g.pC=function(a,b,c){var d=g.lC();if(d&&b){var e=d.subscribe(a,function(){var f=arguments;var h=function(){mC[e]&&b.apply&&"function"==typeof b.apply&&b.apply(c||window,f)}; +try{g.nC[a]?h():g.Cy(h,0)}catch(l){g.ly(l)}},c); +mC[e]=!0;oC[a]||(oC[a]=[]);oC[a].push(e);return e}return 0}; +Xqa=function(a){var b=g.pC("LOGGED_IN",function(c){a.apply(void 0,arguments);g.qC(b)})}; +g.qC=function(a){var b=g.lC();b&&("number"===typeof a?a=[a]:"string"===typeof a&&(a=[parseInt(a,10)]),g.Ob(a,function(c){b.unsubscribeByKey(c);delete mC[c]}))}; +g.rC=function(a,b){var c=g.lC();return c?c.publish.apply(c,arguments):!1}; +Zqa=function(a){var b=g.lC();if(b)if(b.clear(a),a)Yqa(a);else for(var c in oC)Yqa(c)}; +g.lC=function(){return g.Ea.ytPubsubPubsubInstance}; +Yqa=function(a){oC[a]&&(a=oC[a],g.Ob(a,function(b){mC[b]&&delete mC[b]}),a.length=0)}; +g.sC=function(a,b,c){c=void 0===c?null:c;if(window.spf&&spf.script){c="";if(a){var d=a.indexOf("jsbin/"),e=a.lastIndexOf(".js"),f=d+6;-1f&&(c=a.substring(f,e),c=c.replace($qa,""),c=c.replace(ara,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else bra(a,b,c)}; +bra=function(a,b,c){c=void 0===c?null:c;var d=cra(a),e=document.getElementById(d),f=e&&yoa(e),h=e&&!f;f?b&&b():(b&&(f=g.pC(d,b),b=""+g.Na(b),dra[b]=f),h||(e=era(a,d,function(){yoa(e)||(xoa(e,"loaded","true"),g.rC(d),g.Cy(g.Pa(Zqa,d),0))},c)))}; +era=function(a,b,c,d){d=void 0===d?null:d;var e=g.qf("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; +e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; +d&&e.setAttribute("nonce",d);g.fk(e,g.wr(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; +cra=function(a){var b=document.createElement("a");g.xe(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+Re(a)}; +vC=function(a){var b=g.ya.apply(1,arguments);if(!tC(a)||b.some(function(d){return!tC(d)}))throw Error("Only objects may be merged."); +b=g.t(b);for(var c=b.next();!c.done;c=b.next())uC(a,c.value);return a}; +uC=function(a,b){for(var c in b)if(tC(b[c])){if(c in a&&!tC(a[c]))throw Error("Cannot merge an object into a non-object.");c in a||(a[c]={});uC(a[c],b[c])}else if(wC(b[c])){if(c in a&&!wC(a[c]))throw Error("Cannot merge an array into a non-array.");c in a||(a[c]=[]);fra(a[c],b[c])}else a[c]=b[c];return a}; +fra=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next())c=c.value,tC(c)?a.push(uC({},c)):wC(c)?a.push(fra([],c)):a.push(c);return a}; +tC=function(a){return"object"===typeof a&&!Array.isArray(a)}; +wC=function(a){return"object"===typeof a&&Array.isArray(a)}; +xC=function(a,b,c,d,e,f,h){g.C.call(this);this.Ca=a;this.ac=b;this.Ib=c;this.Wd=d;this.Va=e;this.u=f;this.j=h}; +ira=function(a,b,c){var d,e=(null!=(d=c.adSlots)?d:[]).map(function(f){return g.K(f,gra)}); +c.dA?(a.Ca.get().F.V().K("h5_check_forecasting_renderer_for_throttled_midroll")?(d=c.qo.filter(function(f){var h;return null!=(null==(h=f.renderer)?void 0:h.clientForecastingAdRenderer)}),0!==d.length?yC(a.j,d,e,b.slotId,c.ssdaiAdsConfig):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId)):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId),hra(a.u,b)):yC(a.j,c.qo,e,b.slotId,c.ssdaiAdsConfig)}; +kra=function(a,b,c,d,e,f){var h=a.Va.get().vg(1);zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return jra(a.Wd.get(),c,d,e,h.clientPlaybackNonce,h.bT,h.daiEnabled,h,f)},b)}; +BC=function(a,b,c){if(c&&c!==a.slotType)return!1;b=g.t(b);for(c=b.next();!c.done;c=b.next())if(!AC(a.Ba,c.value))return!1;return!0}; +CC=function(){return""}; +lra=function(a,b){switch(a){case "TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL":return 0;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED":return 1;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED":return 2;case "TRIGGER_CATEGORY_SLOT_EXPIRATION":return 3;case "TRIGGER_CATEGORY_SLOT_FULFILLMENT":return 4;case "TRIGGER_CATEGORY_SLOT_ENTRY":return 5;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED":return 6;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED":return 7;default:return b(a),8}}; +N=function(a,b,c,d){d=void 0===d?!1:d;cb.call(this,a);this.lk=c;this.pu=d;this.args=[];b&&this.args.push(b)}; +DC=function(a,b,c){this.er=b;this.triggerType="TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED";this.triggerId=c||a(this.triggerType)}; +mra=function(a){if("JavaException"===a.name)return!0;a=a.stack;return a.includes("chrome://")||a.includes("chrome-extension://")||a.includes("moz-extension://")}; +nra=function(){this.Ir=[];this.Dq=[]}; +FC=function(){if(!EC){var a=EC=new nra;a.Dq.length=0;a.Ir.length=0;ora(a,pra)}return EC}; +ora=function(a,b){b.Dq&&a.Dq.push.apply(a.Dq,b.Dq);b.Ir&&a.Ir.push.apply(a.Ir,b.Ir)}; +qra=function(a){function b(){return a.charCodeAt(d++)} +var c=a.length,d=0;do{var e=GC(b);if(Infinity===e)break;var f=e>>3;switch(e&7){case 0:e=GC(b);if(2===f)return e;break;case 1:if(2===f)return;d+=8;break;case 2:e=GC(b);if(2===f)return a.substr(d,e);d+=e;break;case 5:if(2===f)return;d+=4;break;default:return}}while(db)return c;b=a();c|=(b&127)<<7;if(128>b)return c;b=a();c|=(b&127)<<14;if(128>b)return c;b=a();return 128>b?c|(b&127)<<21:Infinity}; +rra=function(a,b,c,d){if(a)if(Array.isArray(a)){var e=d;for(d=0;d=d.length&&WC(b)===d[0])return d;for(var e=[],f=0;f=a?fD||(fD=gD(function(){hD({writeThenSend:!0},g.gy("flush_only_full_queue")?b:void 0,c);fD=void 0},0)):10<=e-f&&(zra(c),c?dD.B=e:eD.B=e)}; +Ara=function(a,b){if("log_event"===a.endpoint){$C(a);var c=aD(a),d=new Map;d.set(c,[a.payload]);b&&(cD=new b);return new g.Of(function(e,f){cD&&cD.isReady()?iD(d,cD,e,f,{bypassNetworkless:!0},!0):e()})}}; +Bra=function(a,b){if("log_event"===a.endpoint){$C(void 0,a);var c=aD(a,!0),d=new Map;d.set(c,[a.payload.toJSON()]);b&&(cD=new b);return new g.Of(function(e){cD&&cD.isReady()?jD(d,cD,e,{bypassNetworkless:!0},!0):e()})}}; +aD=function(a,b){var c="";if(a.dangerousLogToVisitorSession)c="visitorOnlyApprovedKey";else if(a.cttAuthInfo){if(void 0===b?0:b){b=a.cttAuthInfo.token;c=a.cttAuthInfo;var d=new ay;c.videoId?d.setVideoId(c.videoId):c.playlistId&&Kh(d,2,kD,c.playlistId);lD[b]=d}else b=a.cttAuthInfo,c={},b.videoId?c.videoId=b.videoId:b.playlistId&&(c.playlistId=b.playlistId),mD[a.cttAuthInfo.token]=c;c=a.cttAuthInfo.token}return c}; +hD=function(a,b,c){a=void 0===a?{}:a;c=void 0===c?!1:c;new g.Of(function(d,e){c?(nD(dD.u),nD(dD.j),dD.j=0):(nD(eD.u),nD(eD.j),eD.j=0);if(cD&&cD.isReady()){var f=a,h=c,l=cD;f=void 0===f?{}:f;h=void 0===h?!1:h;var m=new Map,n=new Map;if(void 0!==b)h?(e=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),m.set(b,e),jD(m,l,d,f)):(m=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),n.set(b,m),iD(n,l,d,e,f));else if(h){e=g.t(Object.keys(bD));for(h=e.next();!h.done;h=e.next())n=h.value,h=ZC().extractMatchingEntries({isJspb:!0, +cttAuthInfo:n}),0Mra&&(a=1);dy("BATCH_CLIENT_COUNTER",a);return a}; +Era=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; +Jra=function(a,b,c){if(c.Ce())var d=1;else if(c.getPlaylistId())d=2;else return;I(a,ay,4,c);a=a.getContext()||new rt;c=Mh(a,pt,3)||new pt;var e=new Ys;e.setToken(b);H(e,1,d);Sh(c,12,Ys,e);I(a,pt,3,c)}; +Ira=function(a){for(var b=[],c=0;cMath.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.bA(a);if(a.args)for(var f=g.t(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign({},h,d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.slotType:"");c&&(d.layout=c?"layout: "+c.layoutType:"");e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.DD(a)}}; +HD=function(a,b,c,d,e,f,h,l){g.C.call(this);this.ac=a;this.Wd=b;this.mK=c;this.Ca=d;this.j=e;this.Va=f;this.Ha=h;this.Mc=l}; +Asa=function(a){for(var b=Array(a),c=0;ce)return new N("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},"ADS_CLIENT_ERROR_MESSAGE_AD_PLACEMENT_END_SHOULD_GREATER_THAN_START",e===b&&a-500<=e);d={Cn:new iq(a,e),zD:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Rp=new iq(a,e)}return d; +default:return new N("AdPlacementKind not supported in convertToRange.",{kind:e,adPlacementConfig:a})}}; +Tsa=function(a){var b=1E3*a.startSecs;return new iq(b,b+1E3*a.Sg)}; +iE=function(a){return g.Ga("ytcsi."+(a||"")+"data_")||Usa(a)}; +jE=function(){var a=iE();a.info||(a.info={});return a.info}; +kE=function(a){a=iE(a);a.metadata||(a.metadata={});return a.metadata}; +lE=function(a){a=iE(a);a.tick||(a.tick={});return a.tick}; +mE=function(a){a=iE(a);if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}else a.gel={gelTicks:{},gelInfos:{}};return a.gel}; +nE=function(a){a=mE(a);a.gelInfos||(a.gelInfos={});return a.gelInfos}; +oE=function(a){var b=iE(a).nonce;b||(b=g.KD(16),iE(a).nonce=b);return b}; +Usa=function(a){var b={tick:{},info:{}};g.Fa("ytcsi."+(a||"")+"data_",b);return b}; +pE=function(){var a=g.Ga("ytcsi.debug");a||(a=[],g.Fa("ytcsi.debug",a),g.Fa("ytcsi.reference",{}));return a}; +qE=function(a){a=a||"";var b=Vsa();if(b[a])return b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);return b[a]=d}; +Wsa=function(a){a=a||"";var b=Vsa();b[a]&&delete b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);b[a]=d}; +Vsa=function(){var a=g.Ga("ytcsi.reference");if(a)return a;pE();return g.Ga("ytcsi.reference")}; +rE=function(a){return Xsa[a]||"LATENCY_ACTION_UNKNOWN"}; +bta=function(a,b,c){c=mE(c);if(c.gelInfos)c.gelInfos[a]=!0;else{var d={};c.gelInfos=(d[a]=!0,d)}if(a.match("_rid")){var e=a.split("_rid")[0];a="REQUEST_ID"}if(a in Ysa){c=Ysa[a];g.rb(Zsa,c)&&(b=!!b);a in $sa&&"string"===typeof b&&(b=$sa[a]+b.toUpperCase());a=b;b=c.split(".");for(var f=d={},h=0;h1E5*Math.random()&&(c=new g.bA("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.DD(c)),!0):!1}; +cta=function(){this.timing={};this.clearResourceTimings=function(){}; this.webkitClearResourceTimings=function(){}; this.mozClearResourceTimings=function(){}; this.msClearResourceTimings=function(){}; this.oClearResourceTimings=function(){}}; -rE=function(a){var b=qE(a);if(b.aft)return b.aft;a=g.L((a||"")+"TIMING_AFT_KEYS",["ol"]);for(var c=a.length,d=0;d1E5*Math.random()&&(c=new g.tr("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.Is(c)),!0):!1}; -KE=function(a){return!!g.L("FORCE_CSI_ON_GEL",!1)||g.vo("csi_on_gel")||!!yE(a).useGel}; -LE=function(a){a=yE(a);if(!("gel"in a))a.gel={gelTicks:{},gelInfos:{}};else if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}return a.gel}; -ME=function(a){xE(a);Lha();tE(!1,a);a||(g.L("TIMING_ACTION")&&so("PREVIOUS_ACTION",g.L("TIMING_ACTION")),so("TIMING_ACTION",""))}; -SE=function(a,b,c,d){d=d?d:a;NE(d);var e=d||"",f=EE();f[e]&&delete f[e];var h=DE(),l={timerName:e,info:{},tick:{},span:{}};h.push(l);f[e]=l;FE(d||"").info.actionType=a;ME(d);yE(d).useGel=!0;so(d+"TIMING_AFT_KEYS",b);so(d+"TIMING_ACTION",a);OE("yt_sts","c",d);PE("_start",c,d);if(KE(d)){a={actionType:QE[to((d||"")+"TIMING_ACTION")]||"LATENCY_ACTION_UNKNOWN",previousAction:QE[to("PREVIOUS_ACTION")]||"LATENCY_ACTION_UNKNOWN"};if(b=g.Rt())a.clientScreenNonce=b;b=AE(d);HE().info(a,b)}g.Fa("ytglobal.timing"+ -(d||"")+"ready_",!0,void 0);RE(d)}; -OE=function(a,b,c){if(null!==b)if(zE(c)[a]=b,KE(c)){var d=b;b=LE(c);if(b.gelInfos)b.gelInfos["info_"+a]=!0;else{var e={};b.gelInfos=(e["info_"+a]=!0,e)}if(a.match("_rid")){var f=a.split("_rid")[0];a="REQUEST_ID"}if(a in TE){b=TE[a];g.jb(Mha,b)&&(d=!!d);a in UE&&"string"===typeof d&&(d=UE[a]+d.toUpperCase());a=d;d=b.split(".");for(var h=e={},l=0;lc)break}return d}; -kF=function(a,b){for(var c=[],d=g.q(a.u),e=d.next();!e.done&&!(e=e.value,e.contains(b)&&c.push(e),e.start>b);e=d.next());return c}; -Uha=function(a){return a.u.slice(jF(a,0x7ffffffffffff),a.u.length)}; -jF=function(a,b){var c=yb(a.u,function(d){return b-d.start||1}); -return 0>c?-(c+1):c}; -lF=function(a,b){for(var c=NaN,d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,e.contains(b)&&(isNaN(c)||e.endb&&(isNaN(c)||e.start=a.u.sI&&!a.u.Zb||!a.u.nB&&0=a.u.AI)return!1;d=b.B;if(!d)return!0;if(!Ow(d.u.B))return!1; -4==d.type&&d.u.Fe()&&(b.B=g.db(d.u.Yv(d)),d=b.B);if(!d.F&&!d.u.ek(d))return!1;var e=a.F.he||a.F.I;if(a.F.isManifestless&&e){e=b.u.index.Xb();var f=c.u.index.Xb();e=Math.min(e,f);if(0=e)return b.Y=e,c.Y=e,!1}if(d.u.info.audio&&4==d.type)return!1;if(FA(b)&&!a.u.ma)return!0;if(d.F||vA(b)&&vA(b)+vA(c)>a.u.Ob)return!1;e=!b.F&&!c.F;f=b==a.B&&a.ha;if(!(c=!!(c.B&&!c.B.F&&c.B.Ia}return c?!1:(b=b.K)&&b.isLocked()?!1:!0}; -FF=function(a,b,c){if(DF(a,b,c))if(c=Zha(a,b,c),a.u.EB&&a.F.isManifestless&&!b.R&&0>c.u[0].B)a.dd("invalidsq",Hu(c.u[0]));else{if(a.ub){var d=a.R;var e=c.u[0].B;d=0>e&&!isNaN(d.D)?d.D:e;e=a.R;var f=0>d&&!isNaN(e.F)?e.F:c.u[0].K;if(e=$ha(a.ub.te,f,d,c.u[0].u.info.id))d="decurl_itag_"+c.u[0].u.info.Yb()+"_sg_"+d+"_st_"+f.toFixed(3)+".",a.dd("sdai",d),c.F=e}a.u.Ns&&-1!=c.u[0].B&&c.u[0].Bd.B&&(c=Ou(d),c.pr=""+b.D.length,a.X.C&&(c.sk="1"),a.dd("nosq",d.R+";"+g.vB(c))),d=h.Ok(d));a.ha&&d.u.forEach(function(l){l.type=6}); -return d}; -aia=function(a,b,c){if(!EA(b)||!b.u.Fe())return!1;var d=Math.min(15,.5*CF(a,b,!0));return FA(b)||c<=d||a.K.Y}; -bia=function(a,b,c){b=a.u.Sm(a,b);if(b.range&&1d&&(b=a.u.Sm(a,b.range.length-c.rb))}return b}; -cia=function(a,b){var c=Uw(b),d=a.aa,e=Math.min(2.5,PA(d.B));d=WA(d);var f=Ju(b.u[0]),h=yw(b.B.u),l=a.u.zh,m;a.Qc?m={Ng:f,aj:h,Fm:l,dj:a.Qc,qb:b.u[0].B,wf:b.wf}:m={Ng:f,aj:h,Fm:l};return new Yy(a.fa,c,c-e*d,m)}; -EF=function(a,b){Ku(b.u[b.u.length-1])&&HF(a,Cha(a.K,b.u[0].u));var c=cia(a,b);a.u.sH&&(c.F=[]);var d={dm:Math.max(0,b.u[0].K-a.I)};a.u.wi&&Sw(b)&&b.u[0].u.info.video&&(d.BG=Fha(a.K));a.ha&&(d.ds=!0);return new Hz(a.u,b,c,a.Qa,function(e){a:{var f=e.info.u[0].u,h=f.info.video?a.B:a.D;if(!(2<=e.state)||4<=e.state||!e.Ab.tj()||e.mk||!(!a.C||a.ma||3f.D&&(f.D=NaN,f.F=NaN),f.u&&f.u.qb===h.u[0].B)if(m=f.u.Ce.event,"start"===m||"continue"===m){if(1===f.B||5===f.B)f.D=h.u[0].B,f.F=h.u[0].K,f.B=2,f.V("ctmp","sdai", -"joinad_sg_"+f.D+"_st_"+f.F.toFixed(3),!1),dia(l.te,f.u.Ce)}else f.B=5;else 1===f.B&&(f.B=5)}else if(a.u.fa&&Tz(e)&&!(4<=e.state)&&!JF(a,e)&&!e.isFailed()){e=void 0;break a}e.isFailed()&&(f=e.info.u[0].u,h=e.Yg,yw(f.B.u)&&(l=g.tf(e.Ab.Qm()||""),a.dd("dldbrerr",l||"none")),Qz(e)?(l=(f.info.video&&1(0,g.N)()||(e=Vw(e.info,!1,a.u.Rl))&&EF(a,e))}}}e=void 0}return e},d)}; -HF=function(a,b){b&&a.V("videoformatchange",b);a.u.NH&&a.K.Ob&&a.V("audioformatchange",bE(a.K,"a"))}; -JF=function(a,b){var c=b.info.u[0].u,d=c.info.video?a.B:a.D;eia(a,d,b);b.info.Ng()&&!Rw(b.info)&&(g.Cb(Uz(b),function(e){Jy(d.C,e)}),a.V("metadata",c)); -lA(d);return!!Fy(d.C)}; -eia=function(a,b,c){if(a.F.isManifestless&&b){b.R&&(c.na(),4<=c.state||c.Ab.tj()||Tz(c),b.R=!1);c.ay()&&a.Ya.C(1,c.ay());b=c.eF();c=c.gD();a=a.F;for(var d in a.u){var e=a.u[d].index;e.Ai&&(b&&(e.D=Math.max(e.D,b)),c&&(e.u=Math.max(e.u||0,c)))}}}; -KF=function(a){a.Oe.Sb()}; -NF=function(a){var b=a.C.u,c=a.C.B;if(fia(a)){if(a.u.Is){if(!b.qm()){var d=Fy(a.D.C);d&&LF(a,b,d)}c.qm()||(b=Fy(a.B.C))&&LF(a,c,b)}a.Ga||(a.Ga=(0,g.N)())}else{if(a.Ga){d=(0,g.N)()-a.Ga;var e=wA(a.D,a.I),f=wA(a.B,a.I);a.dd("appendpause","dur."+d.toFixed()+";abuf."+((1E3*e).toFixed()+";vbuf.")+(1E3*f).toFixed());a.Ga=0}if(a.P){d=a.P;e=a.D;f=eA(a.C.B.Se());if(d.F)d=Hha(d,f);else{if(f=Fy(e.C)){var h=f.B;h&&h.C&&h.B&&(e=e.D.length?e.D[0]:null)&&2<=e.state&&!e.isFailed()&&0==e.info.wf&&e.Ab.tj()&&(d.F= -e,d.P=h,d.C=f.info,d.I=g.A()/1E3,d.R=d.I,d.K=d.C.startTime)}d=NaN}d&&a.V("seekplayerrequired",d,!0)}d=!1;MF(a,a.B,c)&&(d=!0,e=a.Ja,e.D||(e.D=g.A(),e.tick("vda"),ZE("vda","video_to_ad"),e.C&&wp(4)));if(a.C&&!EB(a.C)&&(MF(a,a.D,b)&&(d=a.Ja,d.C||(d.C=g.A(),d.tick("ada"),ZE("ada","video_to_ad"),d.D&&wp(4)),d=!0),!a.na()&&a.C)){!a.u.aa&&sA(a.B)&&sA(a.D)&&BB(a.C)&&!a.C.Kf()&&(e=jA(a.D).u,e==a.F.u[e.info.id]&&(e=a.C,BB(e)&&(e.mediaSource?e.mediaSource.endOfStream():e.de.webkitSourceEndOfStream(e.de.EOS_NO_ERROR)), -OA(a.fa)));e=a.u.KI;f=a.u.GC;d||!(0c*(10-e)/XA(b)}(b=!b)||(b=a.B,b=0a.I||360(e?e.B:-1);e=!!f}if(e)return!1;e=d.info;f=jA(b);!f||f.D||Lu(f,e)||c.abort();!c.qq()||yB()?c.WA(e.u.info.containerType,e.u.info.mimeType):e.u.info.containerType!=c.qq()&&a.dd("ctu","ct."+yB()+";prev_c."+c.qq()+";curr_c."+e.u.info.containerType);f=e.u.K;a.u.Mt&&f&&(e=0+f.duration,f=-f.u,0==c.Nt()&&e==c.Yx()||c.qA(0,e),f!=c.yc()&&(c.ip(f), -Qy&&Vy(a.D.C,c.ly())));if(a.F.C&&0==d.info.C&&(g.aw(d.info.u.info)||a.u.gE)){if(null==c.qm()){e=jA(b);if(!(f=!e||e.u!=d.info.u)){b:if(e=e.X,f=d.info.X,e.length!==f.length)e=!1;else{for(var h=0;he)){a:if(a.u.Oe&&(!d.info.C||d.info.D)&&a.dd("sba",c.sb({as:Hu(d.info)})),e=d.C?d.info.u.u:null,f=Tv(d.u),d.C&&(f=new Uint8Array(f.buffer,0,f.byteOffset+f.length)),e=OF(a,c,f,d.info,e),"s"==e)a.kc=0,a=!0;else{a.u.ut||(PF(a,b),c.abort(),yA(b));if("i"==e||"x"==e)QF(a,"checked",e,d.info);else{if("q"== -e&&(d.info.isVideo()?(e=a.u,e.I=Math.floor(.8*e.I),e.X=Math.floor(.8*e.X),e.F=Math.floor(.8*e.F)):(e=a.u,e.K=Math.floor(.8*e.K),e.Ub=Math.floor(.8*e.Ub),e.F=Math.floor(.8*e.F)),!c.Kf()&&!a.C.isView&&c.us(Math.min(a.I,d.info.startTime),!0,5))){a=!1;break a}a.V("reattachrequired")}a=!1}e=!a}if(e)return!1;b.C.B.shift();nA(b,d);return!0}; -QF=function(a,b,c,d){var e="fmt.unplayable",f=!0;"x"==c||"m"==c?(e="fmt.unparseable",d.u.F=e,d.u.info.video&&!aE(a.K)&&$D(a.K,d.u)):"i"==c&&(15>a.kc?(a.kc++,e="html5.invalidstate",f=!1):e="fmt.unplayable");d=Ou(d);d.mrs=DB(a.C);d.origin=b;d.reason=c;AF(a,f,e,d)}; -RF=function(a,b,c){var d=a.F,e=!1,f;for(f in d.u){var h=jx(d.u[f].info.mimeType)||d.u[f].info.isVideo();c==h&&(h=d.u[f].index,bB(h,b.qb)||(h.ME(b),e=!0))}bha(a.X,b,c,e);c&&(a=a.R,a.R.Ya&&(c=a.u&&a.C&&a.u.qb==a.C.qb-1,c=a.u&&c&&"stop"!=a.u.Ce.event&&"predictStart"!=a.u.Ce.event,a.C&&a.C.qbc&&a.dd("bwcapped","1",!0), -c=Math.max(c,15),d=Math.min(d,c));return d}; -Yha=function(a){if(!a.ce)return Infinity;var b=g.Ke(a.ce.Lk(),function(d){return"ad"==d.namespace}); -b=g.q(b);for(var c=b.next();!c.done;c=b.next())if(c=c.value,c.start/1E3>a.I)return c.start/1E3;return Infinity}; -gia=function(a,b){if(a.C&&a.C.B){b-=!isNaN(a.ia)&&a.u.Dc?a.ia:0;a.I!=b&&a.resume();if(a.X.C&&!EB(a.C)){var c=a.I<=b&&b=b&&tF(a,d.startTime,!1)}); -return c&&c.startTime=zE()&&0c.duration?d:c},{duration:0}))&&0=b)}; +oF=function(a,b,c){this.videoInfos=a;this.j=b;this.audioTracks=[];if(this.j){a=new Set;null==c||c({ainfolen:this.j.length});b=g.t(this.j);for(var d=b.next();!d.done;d=b.next())if(d=d.value,!d.Jc||a.has(d.Jc.id)){var e=void 0,f=void 0,h=void 0;null==(h=c)||h({atkerr:!!d.Jc,itag:d.itag,xtag:d.u,lang:(null==(e=d.Jc)?void 0:e.name)||"",langid:(null==(f=d.Jc)?void 0:f.id)||""})}else e=new g.hF(d.id,d.Jc),a.add(d.Jc.id),this.audioTracks.push(e);null==c||c({atklen:this.audioTracks.length})}}; +pF=function(){g.C.apply(this,arguments);this.j=null}; +Nta=function(a,b,c,d,e,f){if(a.j)return a.j;var h={},l=new Set,m={};if(qF(d)){for(var n in d.j)d.j.hasOwnProperty(n)&&(a=d.j[n],m[a.info.Lb]=[a.info]);return m}n=Kta(b,d,h);f&&e({aftsrt:rF(n)});for(var p={},q=g.t(Object.keys(n)),r=q.next();!r.done;r=q.next()){r=r.value;for(var v=g.t(n[r]),x=v.next();!x.done;x=v.next()){x=x.value;var z=x.itag,B=void 0,F=r+"_"+((null==(B=x.video)?void 0:B.fps)||0);p.hasOwnProperty(F)?!0===p[F]?m[r].push(x):h[z]=p[F]:(B=sF(b,x,c,d.isLive,l),!0!==B?(h[z]=B,"disablevp9hfr"=== +B&&(p[F]="disablevp9hfr")):(m[r]=m[r]||[],m[r].push(x),p[F]=!0))}}f&&e({bfflt:rF(m)});for(var G in m)m.hasOwnProperty(G)&&(d=G,m[d]&&m[d][0].Xg()&&(m[d]=m[d],m[d]=Lta(b,m[d],h),m[d]=Mta(m[d],h)));f&&e(h);b=g.t(l.values());for(d=b.next();!d.done;d=b.next())(d=c.u.get(d.value))&&--d.uX;f&&e({aftflt:rF(m)});a.j=g.Uc(m,function(D){return!!D.length}); +return a.j}; +Pta=function(a,b,c,d,e,f,h){if(b.Vd&&h&&1p&&(e=c));"9"===e&&n.h&&vF(n.h)>vF(n["9"])&&(e="h");b.jc&&d.isLive&&"("===e&&n.H&&1440>vF(n["("])&&(e="H");l&&f({vfmly:wF(e)});b=n[e];if(!b.length)return l&&f({novfmly:wF(e)}),Ny();uF(b);return Oy(new oF(b, +a,m))}; +Rta=function(a,b){var c=b.J&&!(!a.mac3&&!a.MAC3),d=b.T&&!(!a.meac3&&!a.MEAC3);return b.Aa&&!(!a.m&&!a.M)||c||d}; +wF=function(a){switch(a){case "*":return"v8e";case "(":return"v9e";case "(h":return"v9he";default:return a}}; +rF=function(a){var b=[],c;for(c in a)if(a.hasOwnProperty(c)){var d=c;b.push(wF(d));d=g.t(a[d]);for(var e=d.next();!e.done;e=d.next())b.push(e.value.itag)}return b.join(".")}; +Qta=function(a,b,c,d,e,f){var h={},l={};g.Tc(b,function(m,n){m=m.filter(function(p){var q=p.itag;if(!p.Pd)return l[q]="noenc",!1;if(f.uc&&"(h"===p.Lb&&f.Tb)return l[q]="lichdr",!1;if("("===p.Lb||"(h"===p.Lb){if(a.B&&c&&"widevine"===c.flavor){var r=p.mimeType+"; experimental=allowed";(r=!!p.Pd[c.flavor]&&!!c.j[r])||(l[q]=p.Pd[c.flavor]?"unspt":"noflv");return r}if(!xF(a,yF.CRYPTOBLOCKFORMAT)&&!a.ya||a.Z)return l[q]=a.Z?"disvp":"vpsub",!1}return c&&p.Pd[c.flavor]&&c.j[p.mimeType]?!0:(l[q]=c?p.Pd[c.flavor]? +"unspt":"noflv":"nosys",!1)}); +m.length&&(h[n]=m)}); +d&&Object.entries(l).length&&e(l);return h}; +Mta=function(a,b){var c=$l(a,function(d,e){return 32c&&(a=a.filter(function(d){if(32e.length||(e[0]in iG&&(h.clientName=iG[e[0]]),e[1]in jG&&(h.platform=jG[e[1]]),h.applicationState=l,h.clientVersion=2a.ea)return"max"+a.ea;if(a.Pb&&"h"===b.Lb&&b.video&&1080a.td())a.segments=[];else{var c=kb(a.segments,function(d){return d.Ma>=b},a); +0c&&(c=a.totalLength-b);a.focus(b);if(!PF(a,b,c)){var d=a.u,e=a.B;a.focus(b+c-1);e=new Uint8Array(a.B+a.j[a.u].length-e);for(var f=0,h=d;h<=a.u;h++)e.set(a.j[h],f),f+=a.j[h].length;a.j.splice(d,a.u-d+1,e);OF(a);a.focus(b)}d=a.j[a.u];return new DataView(d.buffer,d.byteOffset+b-a.B,c)}; +QF=function(a,b,c){a=hua(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; +iua=function(a){a=QF(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ce&&bf)VF[e++]=f;else{if(224>f)f=(f&31)<<6|a[b++]&63;else if(240>f)f=(f&15)<<12|(a[b++]&63)<<6|a[b++]&63;else{if(1024===e+1){--b;break}f=(f&7)<<18|(a[b++]&63)<<12|(a[b++]&63)<<6|a[b++]&63;f-=65536;VF[e++]=55296|f>>10;f=56320|f&1023}VF[e++]=f}}f=String.fromCharCode.apply(String,VF); +1024>e&&(f=f.substr(0,e));c.push(f)}return c.join("")}; +YF=function(a,b){var c;if(null==(c=XF)?0:c.encodeInto)return b=XF.encodeInto(a,b),b.reade?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296===(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return c}; +lua=function(a){if(XF)return XF.encode(a);var b=new Uint8Array(Math.ceil(1.2*a.length)),c=YF(a,b);b.lengthc&&(b=b.subarray(0,c));return b}; +ZF=function(a,b,c,d,e){e=void 0===e?!1:e;this.data=a;this.offset=b;this.size=c;this.type=d;this.j=(this.u=e)?0:8;this.dataOffset=this.offset+this.j}; +$F=function(a){var b=a.data.getUint8(a.offset+a.j);a.j+=1;return b}; +aG=function(a){var b=a.data.getUint16(a.offset+a.j);a.j+=2;return b}; +bG=function(a){var b=a.data.getInt32(a.offset+a.j);a.j+=4;return b}; +cG=function(a){var b=a.data.getUint32(a.offset+a.j);a.j+=4;return b}; +dG=function(a){var b=a.data;var c=a.offset+a.j;b=4294967296*b.getUint32(c)+b.getUint32(c+4);a.j+=8;return b}; +eG=function(a,b){b=void 0===b?NaN:b;if(isNaN(b))var c=a.size;else for(c=a.j;ca.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(48>d||122d;d++)c[d]=a.getInt8(b.offset+16+d);return c}; +uG=function(a,b){this.j=a;this.pos=0;this.start=b||0}; +vG=function(a){return a.pos>=a.j.byteLength}; +AG=function(a,b,c){var d=new uG(c);if(!wG(d,a))return!1;d=xG(d);if(!yG(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.pos;var e=zG(d,!0);d=a+(d.start+d.pos-b)+e;d=9b;b++)c=256*c+FG(a);return c}for(var d=128,e=0;6>e&&d>c;e++)c=256*c+FG(a),d*=128;return b?c-d:c}; +CG=function(a){var b=zG(a,!0);a.pos+=b}; +Eua=function(a){if(!yG(a,440786851,!0))return null;var b=a.pos;zG(a,!1);var c=zG(a,!0)+a.pos-b;a.pos=b+c;if(!yG(a,408125543,!1))return null;zG(a,!0);if(!yG(a,357149030,!0))return null;var d=a.pos;zG(a,!1);var e=zG(a,!0)+a.pos-d;a.pos=d+e;if(!yG(a,374648427,!0))return null;var f=a.pos;zG(a,!1);var h=zG(a,!0)+a.pos-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295); +l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+d,e),c+12);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+f,h),c+12+e);return l}; +GG=function(a){var b=a.pos;a.pos=0;var c=1E6;wG(a,[408125543,357149030,2807729])&&(c=BG(a));a.pos=b;return c}; +Fua=function(a,b){var c=a.pos;a.pos=0;if(160!==a.j.getUint8(a.pos)&&!HG(a)||!yG(a,160))return a.pos=c,NaN;zG(a,!0);var d=a.pos;if(!yG(a,161))return a.pos=c,NaN;zG(a,!0);FG(a);var e=FG(a)<<8|FG(a);a.pos=d;if(!yG(a,155))return a.pos=c,NaN;d=BG(a);a.pos=c;return(e+d)*b/1E9}; +HG=function(a){if(!Gua(a)||!yG(a,524531317))return!1;zG(a,!0);return!0}; +Gua=function(a){if(a.Xm()){if(!yG(a,408125543))return!1;zG(a,!0)}return!0}; +wG=function(a,b){for(var c=0;cd.timedOut&&1>d.j)return!1;d=d.timedOut+d.j;a=NG(a,b);c=LG(c,FF(a));return c.timedOut+c.j+ +(b.Sn&&!c.C)b.Qg?1E3*Math.pow(b.Yi,c-b.Qg):0;return 0===b?!0:a.J+b<(0,g.M)()}; +Mua=function(a,b,c){a.j.set(b,c);a.B.set(b,c);a.C&&a.C.set(b,c)}; +RG=function(a,b,c,d){this.T=a;this.initRange=c;this.indexRange=d;this.j=null;this.C=!1;this.J=0;this.D=this.B=null;this.info=b;this.u=new MG(a)}; +SG=function(a,b,c){return Nua(a.info,b,c)}; +TG=function(a,b){this.start=a;this.end=b;this.length=b-a+1}; +UG=function(a){a=a.split("-");var b=Number(a[0]),c=Number(a[1]);if(!isNaN(b)&&!isNaN(c)&&2===a.length&&(a=new TG(b,c),!isNaN(a.start)&&!isNaN(a.end)&&!isNaN(a.length)&&0=b.range.start+b.Ob&&a.range.start+a.Ob+a.u<=b.range.start+b.Ob+b.u:a.Ma===b.Ma&&a.Ob>=b.Ob&&(a.Ob+a.u<=b.Ob+b.u||b.bf)}; +Yua=function(a,b){return a.j!==b.j?!1:4===a.type&&3===b.type&&a.j.Jg()?(a=a.j.Jz(a),Wm(a,function(c){return Yua(c,b)})):a.Ma===b.Ma&&!!b.u&&b.Ob+b.u>a.Ob&&b.Ob+b.u<=a.Ob+a.u}; +eH=function(a,b){var c=b.Ma;a.D="updateWithSegmentInfo";a.Ma=c;if(a.startTime!==b.startTime||a.duration!==b.duration)a.startTime=b.startTime,a.duration=b.duration,Pua(a)}; +fH=function(a,b){var c=this;this.gb=a;this.J=this.u=null;this.D=this.Tg=NaN;this.I=this.requestId=null;this.Ne={v7a:function(){return c.range}}; +this.j=a[0].j.u;this.B=b||"";this.gb[0].range&&0Math.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.tr(a);if(a.args)for(var f=g.q(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign(Object.assign({},h),d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.ab:"");c&&(d.layout=oH(c));e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.Is(a)}}; -hH=function(a,b,c,d){var e=a.kind;d=d?!1:!a.hideCueRangeMarker;switch(e){case "AD_PLACEMENT_KIND_START":return d={gh:new Gn(-0x8000000000000,-0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(-0x8000000000000,-0x8000000000000)),d;case "AD_PLACEMENT_KIND_END":return d={gh:new Gn(0x7ffffffffffff,0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(Math.max(0,b-c),0x8000000000000)),d;case "AD_PLACEMENT_KIND_MILLISECONDS":e=a.adTimeOffset;e.offsetStartMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing start milliseconds."); -e.offsetEndMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing end milliseconds.");a=Number(e.offsetStartMilliseconds);e=Number(e.offsetEndMilliseconds);-1===e&&(e=b);if(Number.isNaN(a)||Number.isNaN(e)||a>e)return new gH("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},e===b&&a-500<=e);d={gh:new Gn(a,e),Ov:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Wn=new Gn(a,e)}return d;default:return new gH("AdPlacementKind not supported in convertToRange.", -{kind:e,adPlacementConfig:a})}}; -qH=function(a,b,c,d,e,f){g.C.call(this);this.tb=a;this.uc=b;this.Tw=c;this.Ca=d;this.u=e;this.Da=f}; -Bia=function(a,b,c){var d=[];a=g.q(a);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.renderer.invideoOverlayAdRenderer||e.renderer.adBreakServiceRenderer&&jH(e);"AD_PLACEMENT_KIND_MILLISECONDS"===e.config.adPlacementConfig.kind&&f&&(f=hH(e.config.adPlacementConfig,0x7ffffffffffff),f instanceof gH||d.push({range:f.gh,renderer:e.renderer.invideoOverlayAdRenderer?"overlay":"ABSR"}))}d.sort(function(h,l){return h.range.start-l.range.start}); -a=!1;for(e=0;ed[e+1].range.start){a=!0;break}a&&(d=d.map(function(h){return h.renderer+"|s:"+h.range.start+("|e:"+h.range.end)}).join(","),S("Conflicting renderers.",void 0,void 0,{detail:d, -cpn:b,videoId:c}))}; -rH=function(a,b,c,d){this.C=a;this.Ce=null;this.B=b;this.u=0;this.daiEnabled=void 0===c?!1:c;this.visible=!0;this.D=void 0===d?!1:d}; -sH=function(a,b,c,d,e){g.eF.call(this,b.start,b.end,{id:d,namespace:"ad",priority:e,visible:c});this.u=a.kind||"AD_PLACEMENT_KIND_UNKNOWN";this.B=!1;this.C=null}; -tH=function(a){return"AD_PLACEMENT_KIND_START"==a.u}; -uH=function(a){return"AD_PLACEMENT_KIND_MILLISECONDS"==a.u}; -Cia=function(a){return a.end-a.start}; -vH=function(a,b,c){c=void 0===c?!1:c;switch(a.kind){case "AD_PLACEMENT_KIND_START":return new Gn(-0x8000000000000,-0x8000000000000);case "AD_PLACEMENT_KIND_END":return c?new Gn(Math.max(0,b.C-b.u),0x7ffffffffffff):new Gn(0x7ffffffffffff,0x8000000000000);case "AD_PLACEMENT_KIND_MILLISECONDS":var d=a.adTimeOffset;a=parseInt(d.offsetStartMilliseconds,10);d=parseInt(d.offsetEndMilliseconds,10);-1===d&&(d=b.C);if(c&&(d=a,a=Math.max(0,a-b.u),a==d))break;return new Gn(a,d);case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":d= -b.Ce;a=1E3*d.startSecs;if(c){if(a=h)if(h=b.shift(),f=(f=l.exec(h))?+f[1]/1E3:0)h=(h=m.exec(h))?+h[1]:0,h+=1;else return;c.push(new JF(n,e,f,NaN,"sq/"+(n+1)));e+=f;h--}a.index.append(c)}}; +sH=function(a,b,c){this.info=a;this.j=b;this.B=c;this.u=null;this.D=-1;this.timestampOffset=0;this.I=!1;this.C=this.info.j.Vy()&&!this.info.Ob}; +tH=function(a){return hua(a.j)}; +mva=function(a,b){if(1!==a.info.j.info.containerType||a.info.Ob||!a.info.bf)return!0;a=tH(a);for(var c=0,d=0;c+4e)b=!1;else{for(d=e-1;0<=d;d--)c.j.setUint8(c.pos+d,b&255),b>>>=8;c.pos=a;b=!0}else b=!1;return b}; +xH=function(a,b){b=void 0===b?!1:b;var c=qva(a);a=b?0:a.info.I;return c||a}; +qva=function(a){g.vH(a.info.j.info)||a.info.j.info.Ee();if(a.u&&6===a.info.type)return a.u.Xj;if(g.vH(a.info.j.info)){var b=tH(a);var c=0;b=g.tG(b,1936286840);b=g.t(b);for(var d=b.next();!d.done;d=b.next())d=wua(d.value),c+=d.CP[0]/d.Nt;c=c||NaN;if(!(0<=c))a:{c=tH(a);b=a.info.j.j;for(var e=d=0,f=0;oG(c,d);){var h=pG(c,d);if(1836476516===h.type)e=g.lG(h);else if(1836019558===h.type){!e&&b&&(e=mG(b));if(!e){c=NaN;break a}var l=nG(h.data,h.dataOffset,1953653094),m=e,n=nG(l.data,l.dataOffset,1952868452); +l=nG(l.data,l.dataOffset,1953658222);var p=bG(n);bG(n);p&2&&bG(n);n=p&8?bG(n):0;var q=bG(l),r=q&1;p=q&4;var v=q&256,x=q&512,z=q&1024;q&=2048;var B=cG(l);r&&bG(l);p&&bG(l);for(var F=r=0;F=1.3*Math.floor(16*f/9)||a>=1.3*f)return b;b=e}return"tiny"}; +IH=function(a,b,c){c=void 0===c?{}:c;this.id=a;this.mimeType=b;0=b)return c}catch(d){}return-1}; +lI=function(a,b){return 0<=kI(a,b)}; +Bva=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.start(b):NaN}; +mI=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.end(b):NaN}; +nI=function(a){return a&&a.length?a.end(a.length-1):NaN}; +oI=function(a,b){a=mI(a,b);return 0<=a?a-b:0}; +pI=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return iI(d,e)}; +qI=function(a,b,c,d){g.dE.call(this);var e=this;this.Ed=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.tU={error:function(){!e.isDisposed()&&e.isActive&&e.ma("error",e)}, +updateend:function(){!e.isDisposed()&&e.isActive&&e.ma("updateend",e)}}; +g.eE(this.Ed,this.tU);this.rE=this.isActive}; +sI=function(a,b,c,d,e,f){g.dE.call(this);var h=this;this.Vb=a;this.Dg=b;this.id=c;this.containerType=d;this.Lb=e;this.Xg=f;this.XM=this.FC=this.Cf=null;this.jF=!1;this.appendWindowStart=this.timestampOffset=0;this.GK=iI([],[]);this.iB=!1;this.Kz=rI?[]:void 0;this.ud=function(m){return h.ma(m.type,h)}; +var l;if(null==(l=this.Vb)?0:l.addEventListener)this.Vb.addEventListener("updateend",this.ud),this.Vb.addEventListener("error",this.ud)}; +Cva=function(a,b){b.isEncrypted()&&(a.XM=a.FC);3===b.type&&(a.Cf=b)}; +tI=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; +uI=function(a,b){this.j=a;this.u=void 0===b?!1:b;this.B=!1}; +vI=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaElement=a;this.Wa=b;this.isView=c;this.I=0;this.C=!1;this.D=!0;this.T=0;this.callback=null;this.Wa||(this.Dg=this.mediaElement.ub());this.events=new g.bI(this);g.E(this,this.events);this.B=new uI(this.Wa?window.URL.createObjectURL(this.Wa):this.Dg.webkitMediaSourceURL,!0);a=this.Wa||this.Dg;Kz(this.events,a,["sourceopen","webkitsourceopen"],this.x7);Kz(this.events,a,["sourceclose","webkitsourceclose"],this.w7);this.J={updateend:this.O_}}; +Dva=function(){return!!(window.MediaSource||window.WebKitMediaSource||window.HTMLMediaElement&&HTMLMediaElement.prototype.webkitSourceAddId)}; +Eva=function(a,b){wI(a)?g.Mf(function(){b(a)}):a.callback=b}; +Fva=function(a,b,c){if(xI){var d;yI(a.mediaElement,{l:"mswssb",sr:null==(d=a.mediaElement.va)?void 0:zI(d)},!1);g.eE(b,a.J,a);g.eE(c,a.J,a)}a.j=b;a.u=c;g.E(a,b);g.E(a,c)}; +AI=function(a){return!!a.j||!!a.u}; +wI=function(a){try{return"open"===BI(a)}catch(b){return!1}}; +BI=function(a){if(a.Wa)return a.Wa.readyState;switch(a.Dg.webkitSourceState){case a.Dg.SOURCE_OPEN:return"open";case a.Dg.SOURCE_ENDED:return"ended";default:return"closed"}}; +CI=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; +Gva=function(a,b,c,d){if(!a.j||!a.u)return null;var e=a.j.isView()?a.j.Ed:a.j,f=a.u.isView()?a.u.Ed:a.u,h=new vI(a.mediaElement,a.Wa,!0);h.B=a.B;Fva(h,new qI(e,b,c,d),new qI(f,b,c,d));wI(a)||a.j.Vq(a.j.Jd());return h}; +Hva=function(a){var b;null==(b=a.j)||b.Tx();var c;null==(c=a.u)||c.Tx();a.D=!1}; +Iva=function(a){return DI(function(b,c){return g.Ly(b,c,4,1E3)},a,{format:"RAW", +method:"GET",withCredentials:!0})}; +g.Jva=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=UF(new Uint8Array(a.response))):b=a.responseText;return!b||2048a.T&&a.isLivePlayback;a.Ja=Number(kH(c,a.D+":earliestMediaSequence"))||0;if(d=Date.parse(cva(kH(c,a.D+":mpdResponseTime"))))a.Z=(Date.now()-d)/1E3;a.isLive&&0>=c.getElementsByTagName("SegmentTimeline").length||g.Zl(c.getElementsByTagName("Period"),a.c8,a);a.state=2;a.ma("loaded");bwa(a)}return a}).Zj(function(c){if(c instanceof Jy){var d=c.xhr; +a.Kg=d.status}a.state=3;a.ma("loaderror");return Rf(d)})}; +dwa=function(a,b,c){return cwa(new FI(a,b,c),a)}; +LI=function(a){return a.isLive&&(0,g.M)()-a.Aa>=a.T}; +bwa=function(a){var b=a.T;isFinite(b)&&(LI(a)?a.refresh():(b=Math.max(0,a.Aa+b-(0,g.M)()),a.C||(a.C=new g.Ip(a.refresh,b,a),g.E(a,a.C)),a.C.start(b)))}; +ewa=function(a){a=a.j;for(var b in a){var c=a[b].index;if(c.isLoaded())return c.td()+1}return 0}; +MI=function(a){return a.Ld?a.Ld-(a.J||a.timestampOffset):0}; +NI=function(a){return a.jc?a.jc-(a.J||a.timestampOffset):0}; +OI=function(a){if(!isNaN(a.ya))return a.ya;var b=a.j,c;for(c in b){var d=b[c].index;if(d.isLoaded()){b=0;for(c=d.Lm();c<=d.td();c++)b+=d.getDuration(c);b/=d.Fy();b=.5*Math.round(b/.5);10(0,g.M)()-1E3*a))return 0;a=g.Qz("yt-player-quality");if("string"===typeof a){if(a=g.jF[a],0a.previousQuality)return 1;if(a.quality=navigator.hardwareConcurrency&&(a=480);b.coreCount=navigator.hardwareConcurrency;hoa()&&(b.isArm=1,a=240);if(c){var e,f;if(d=null==(e=c.videoInfos.find(function(h){return KH(h)}))?void 0:null==(f=e.j)?void 0:f.powerEfficient)a=8192,b.isEfficient=1; +c=c.videoInfos[0].video;e=Math.min(UI("1",c.fps),UI("1",30));b.perfCap=e;a=Math.min(a,e);c.isHdr()&&!d&&(b.hdr=1,a*=.75)}else c=UI("1",30),b.perfCap30=c,a=Math.min(a,c),c=UI("1",60),b.perfCap60=c,a=Math.min(a,c);return b.av1Threshold=a}; +XI=function(a){return a?function(){try{return a.apply(this,arguments)}catch(b){g.CD(b)}}:a}; +YI=function(a,b,c,d){this.flavor=a;this.keySystem=b;this.u=c;this.experiments=d;this.j={};this.Ya=this.keySystemAccess=null;this.nx=this.ox=-1;this.rl=null;this.B=!!d&&d.ob("edge_nonprefixed_eme")}; +$I=function(a){return a.B?!1:!a.keySystemAccess&&!!ZI()&&"com.microsoft.playready"===a.keySystem}; +aJ=function(a){return"com.microsoft.playready"===a.keySystem}; +bJ=function(a){return!a.keySystemAccess&&!!ZI()&&"com.apple.fps.1_0"===a.keySystem}; +cJ=function(a){return"com.youtube.fairplay"===a.keySystem}; +dJ=function(a){return"com.youtube.fairplay.sbdl"===a.keySystem}; +g.eJ=function(a){return"fairplay"===a.flavor}; +ZI=function(){var a=window,b=a.MSMediaKeys;az()&&!b&&(b=a.WebKitMediaKeys);return b&&b.isTypeSupported?b:null}; +hJ=function(a){if(!navigator.requestMediaKeySystemAccess)return!1;if(g.eI&&!g.Yy())return kq("45");if(g.oB||g.mf)return a.ob("edge_nonprefixed_eme");if(g.fJ)return kq("47");if(g.BA){if(a.ob("html5_enable_safari_fairplay"))return!1;if(a=g.gJ(a,"html5_safari_desktop_eme_min_version"))return kq(a)}return!0}; +uwa=function(a,b,c,d){var e=Zy(),f=(c=e||c&&az())?["com.youtube.fairplay"]:["com.widevine.alpha"];b&&f.unshift("com.youtube.widevine.l3");e&&d&&f.unshift("com.youtube.fairplay.sbdl");return c?f:a?[].concat(g.u(f),g.u(iJ.playready)):[].concat(g.u(iJ.playready),g.u(f))}; +kJ=function(){this.B=this.j=0;this.u=Array.from({length:jJ.length}).fill(0)}; +vwa=function(a){if(0===a.j)return null;for(var b=a.j.toString()+"."+Math.round(a.B).toString(),c=0;c=f&&f>d&&!0===Vta(a,e,c)&&(d=f)}return d}; +g.vJ=function(a,b){b=void 0===b?!1:b;return uJ()&&a.isTypeSupported('audio/mp4; codecs="mp4a.40.2"')||!b&&a.canPlayType(cI(),"application/x-mpegURL")?!0:!1}; +Qwa=function(a){Pwa(function(){for(var b=g.t(Object.keys(yF)),c=b.next();!c.done;c=b.next())xF(a,yF[c.value])})}; +xF=function(a,b){b.name in a.I||(a.I[b.name]=Rwa(a,b));return a.I[b.name]}; +Rwa=function(a,b){if(a.C)return!!a.C[b.name];if(b===yF.BITRATE&&a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=2000000')&&!a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=20000000'))return!1;if(b===yF.AV1_CODECS)return a.isTypeSupported("video/mp4; codecs="+b.valid)&&!a.isTypeSupported("video/mp4; codecs="+b.Vm);if(b.video){var c='video/webm; codecs="vp9"';a.isTypeSupported(c)||(c='video/mp4; codecs="avc1.4d401e"')}else c='audio/webm; codecs="opus"', +a.isTypeSupported(c)||(c='audio/mp4; codecs="mp4a.40.2"');return a.isTypeSupported(c+"; "+b.name+"="+b.valid)&&!a.isTypeSupported(c+"; "+b.name+"="+b.Vm)}; +Swa=function(a){a.T=!1;a.j=!0}; +Twa=function(a){a.B||(a.B=!0,a.j=!0)}; +Uwa=function(a,b){var c=0;a.u.has(b)&&(c=a.u.get(b).d3);a.u.set(b,{d3:c+1,uX:Math.pow(2,c+1)});a.j=!0}; +wJ=function(){var a=this;this.queue=[];this.C=0;this.j=this.u=!1;this.B=function(){a.u=!1;a.gf()}}; +Vwa=function(a){a.j||(Pwa(function(){a.gf()}),a.j=!0)}; +xJ=function(){g.dE.call(this);this.items={}}; +yJ=function(a){return window.Int32Array?new Int32Array(a):Array(a)}; +EJ=function(a){this.counter=[0,0,0,0];this.u=new Uint8Array(16);this.j=16;if(!Wwa){var b,c=new Uint8Array(256),d=new Uint8Array(256);var e=1;for(b=0;256>b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);zJ=new Uint8Array(256);AJ=yJ(256);BJ=yJ(256);CJ=yJ(256);DJ=yJ(256);for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;zJ[f]=e;b=e<<1^(e>>7&&283);var h=b^e;AJ[f]=b<<24|e<<16|e<<8|h;BJ[f]=h<<24|AJ[f]>>>8;CJ[f]=e<<24|BJ[f]>>>8;DJ[f]=e<<24|CJ[f]>>>8}Wwa=!0}e=yJ(44);for(c=0;4>c;c++)e[c]= +a[4*c]<<24|a[4*c+1]<<16|a[4*c+2]<<8|a[4*c+3];for(d=1;44>c;c++)a=e[c-1],c%4||(a=(zJ[a>>16&255]^d)<<24|zJ[a>>8&255]<<16|zJ[a&255]<<8|zJ[a>>>24],d=d<<1^(d>>7&&283)),e[c]=e[c-4]^a;this.key=e}; +Xwa=function(a){for(var b=a.key,c=a.counter[0]^b[0],d=a.counter[1]^b[1],e=a.counter[2]^b[2],f=a.counter[3]^b[3],h=3;0<=h&&!(a.counter[h]=-~a.counter[h]);h--);for(var l,m,n=4;40>n;)h=AJ[c>>>24]^BJ[d>>16&255]^CJ[e>>8&255]^DJ[f&255]^b[n++],l=AJ[d>>>24]^BJ[e>>16&255]^CJ[f>>8&255]^DJ[c&255]^b[n++],m=AJ[e>>>24]^BJ[f>>16&255]^CJ[c>>8&255]^DJ[d&255]^b[n++],f=AJ[f>>>24]^BJ[c>>16&255]^CJ[d>>8&255]^DJ[e&255]^b[n++],c=h,d=l,e=m;a=a.u;h=b[40];a[0]=zJ[c>>>24]^h>>>24;a[1]=zJ[d>>16&255]^h>>16&255;a[2]=zJ[e>>8&255]^ +h>>8&255;a[3]=zJ[f&255]^h&255;h=b[41];a[4]=zJ[d>>>24]^h>>>24;a[5]=zJ[e>>16&255]^h>>16&255;a[6]=zJ[f>>8&255]^h>>8&255;a[7]=zJ[c&255]^h&255;h=b[42];a[8]=zJ[e>>>24]^h>>>24;a[9]=zJ[f>>16&255]^h>>16&255;a[10]=zJ[c>>8&255]^h>>8&255;a[11]=zJ[d&255]^h&255;h=b[43];a[12]=zJ[f>>>24]^h>>>24;a[13]=zJ[c>>16&255]^h>>16&255;a[14]=zJ[d>>8&255]^h>>8&255;a[15]=zJ[e&255]^h&255}; +HJ=function(){if(!FJ&&!g.oB){if(GJ)return GJ;var a;GJ=null==(a=window.crypto)?void 0:a.subtle;var b,c,d;if((null==(b=GJ)?0:b.importKey)&&(null==(c=GJ)?0:c.sign)&&(null==(d=GJ)?0:d.encrypt))return GJ;GJ=void 0}}; +IJ=function(a,b){g.C.call(this);var c=this;this.j=a;this.cipher=this.j.AES128CTRCipher_create(b.byteOffset);g.bb(this,function(){c.j.AES128CTRCipher_release(c.cipher)})}; +g.JJ=function(a){this.C=a}; +g.KJ=function(a){this.u=a}; +LJ=function(a,b){this.j=a;this.D=b}; +MJ=function(a){this.D=new Uint8Array(64);this.B=new Uint8Array(64);this.C=0;this.I=new Uint8Array(64);this.u=0;this.D.set(a);this.B.set(a);for(a=0;64>a;a++)this.D[a]^=92,this.B[a]^=54;this.reset()}; +Ywa=function(a,b,c){for(var d=a.J,e=a.j[0],f=a.j[1],h=a.j[2],l=a.j[3],m=a.j[4],n=a.j[5],p=a.j[6],q=a.j[7],r,v,x,z=0;64>z;)16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=q+NJ[z]+x+((m>>>6|m<<26)^(m>>>11|m<<21)^(m>>>25|m<<7))+(m&n^~m&p),v=((e>>>2|e<<30)^(e>>>13|e<<19)^(e>>>22|e<<10))+(e&f^e&h^f&h),q=r+v,l+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r= +d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=p+NJ[z]+x+((l>>>6|l<<26)^(l>>>11|l<<21)^(l>>>25|l<<7))+(l&m^~l&n),v=((q>>>2|q<<30)^(q>>>13|q<<19)^(q>>>22|q<<10))+(q&e^q&f^e&f),p=r+v,h+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=n+NJ[z]+x+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^ +~h&m),v=((p>>>2|p<<30)^(p>>>13|p<<19)^(p>>>22|p<<10))+(p&q^p&e^q&e),n=r+v,f+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=m+NJ[z]+x+((f>>>6|f<<26)^(f>>>11|f<<21)^(f>>>25|f<<7))+(f&h^~f&l),v=((n>>>2|n<<30)^(n>>>13|n<<19)^(n>>>22|n<<10))+(n&p^n&q^p&q),x=q,q=l,l=x,x=p,p=h,h=x,x=n,n=f,f=x,m=e+r,e=r+v,z++;a.j[0]=e+a.j[0]|0;a.j[1]=f+a.j[1]|0;a.j[2]=h+a.j[2]|0;a.j[3]= +l+a.j[3]|0;a.j[4]=m+a.j[4]|0;a.j[5]=n+a.j[5]|0;a.j[6]=p+a.j[6]|0;a.j[7]=q+a.j[7]|0}; +$wa=function(a){var b=new Uint8Array(32),c=64-a.u;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.j[c]>>>24,b[4*c+1]=a.j[c]>>>16&255,b[4*c+2]=a.j[c]>>>8&255,b[4*c+3]=a.j[c]&255;Zwa(a);return b}; +Zwa=function(a){a.j=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.J=[];a.J.length=64;a.C=0;a.u=0}; +axa=function(a){this.j=a}; +bxa=function(a,b,c){a=new MJ(a.j);a.update(b);a.update(c);b=$wa(a);a.update(a.D);a.update(b);b=$wa(a);a.reset();return b}; +cxa=function(a){this.u=a}; +dxa=function(a,b,c,d){var e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(a.j){m.Ka(2);break}e=a;return g.y(m,d.importKey("raw",a.u,{name:"HMAC",hash:"SHA-256"},!1,["sign"]),3);case 3:e.j=m.u;case 2:return f=new Uint8Array(b.length+c.length),f.set(b),f.set(c,b.length),h={name:"HMAC",hash:"SHA-256"},g.y(m,d.sign(h,a.j,f),4);case 4:return l=m.u,m.return(new Uint8Array(l))}})}; +exa=function(a,b,c){a.B||(a.B=new axa(a.u));return bxa(a.B,b,c)}; +fxa=function(a,b,c){var d,e;return g.A(function(f){if(1==f.j){d=HJ();if(!d)return f.return(exa(a,b,c));g.pa(f,3);return g.y(f,dxa(a,b,c,d),5)}if(3!=f.j)return f.return(f.u);e=g.sa(f);g.DD(e);FJ=!0;return f.return(exa(a,b,c))})}; +OJ=function(){g.JJ.apply(this,arguments)}; +PJ=function(){g.KJ.apply(this,arguments)}; +QJ=function(a,b){if(b.buffer!==a.memory.buffer){var c=new Uint8Array(a.memory.buffer,a.malloc(b.byteLength),b.byteLength);c.set(b)}LJ.call(this,a,c||b);this.u=new Set;this.C=!1;c&&this.u.add(c.byteOffset)}; +gxa=function(a,b,c){this.encryptedClientKey=b;this.D=c;this.j=new Uint8Array(a.buffer,0,16);this.B=new Uint8Array(a.buffer,16)}; +hxa=function(a){a.u||(a.u=new OJ(a.j));return a.u}; +RJ=function(a){try{return ig(a)}catch(b){return null}}; +ixa=function(a,b){if(!b&&a)try{b=JSON.parse(a)}catch(e){}if(b){a=b.clientKey?RJ(b.clientKey):null;var c=b.encryptedClientKey?RJ(b.encryptedClientKey):null,d=b.keyExpiresInSeconds?1E3*Number(b.keyExpiresInSeconds)+(0,g.M)():null;a&&c&&d&&(this.j=new gxa(a,c,d));b.onesieUstreamerConfig&&(this.onesieUstreamerConfig=RJ(b.onesieUstreamerConfig)||void 0);this.baseUrl=b.baseUrl}}; +SJ=function(a){this.j=this.u=0;this.alpha=Math.exp(Math.log(.5)/a)}; +TJ=function(a,b,c,d){c=void 0===c?.5:c;d=void 0===d?0:d;this.resolution=b;this.u=0;this.B=!1;this.D=!0;this.j=Math.round(a*this.resolution);this.values=Array(this.j);for(a=0;a=jK;f=b?b.useNativeControls:a.use_native_controls;this.T=g.fK(this)&&this.u;d=this.u&&!this.T;f=g.kK(this)|| +!h&&jz(d,f)?"3":"1";d=b?b.controlsType:a.controls;this.controlsType="0"!==d&&0!==d?f:"0";this.ph=this.u;this.color=kz("red",b?b.progressBarColor:a.color,wxa);this.jo="3"===this.controlsType||jz(!1,b?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Dc=!this.C;this.qm=(f=!this.Dc&&!hK(this)&&!this.oa&&!this.J&&!gK(this))&&!this.jo&&"1"===this.controlsType;this.rd=g.lK(this)&&f&&"0"===this.controlsType&&!this.qm;this.Xo=this.oo=h;this.Lc=("3"===this.controlsType||this.u||jz(!1,a.use_media_volume))&& +!this.T;this.wm=cz&&!g.Nc(601)?!1:!0;this.Vn=this.C||!1;this.Oc=hK(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=mz("",b?b.widgetReferrer:a.widget_referrer);var l;b?b.disableCastApi&&(l=!1):l=a.enablecastapi;l=!this.I||jz(!0,l);h=!0;b&&b.disableMdxCast&&(h=!1);this.dj=this.K("enable_cast_for_web_unplugged")&&g.mK(this)&&h||this.K("enable_cast_on_music_web")&&g.nK(this)&&h||l&&h&&"1"===this.controlsType&&!this.u&&(hK(this)||g.lK(this)||"profilepage"===this.Ga)&& +!g.oK(this);this.Vo=!!window.document.pictureInPictureEnabled||gI();l=b?!!b.supportsAutoplayOverride:jz(!1,a.autoplayoverride);this.bl=!(this.u&&(!g.fK(this)||!this.K("embeds_web_enable_mobile_autoplay")))&&!Wy("nintendo wiiu")||l;l=b?!!b.enableMutedAutoplay:jz(!1,a.mutedautoplay);this.Uo=this.K("embeds_enable_muted_autoplay")&&g.fK(this);this.Qg=l&&!1;l=(hK(this)||gK(this))&&"blazer"===this.playerStyle;this.hj=b?!!b.disableFullscreen:!jz(!0,a.fs);this.Tb=!this.hj&&(l||g.yz());this.lm=this.K("uniplayer_block_pip")&& +(Xy()&&kq(58)&&!gz()||nB);l=g.fK(this)&&!this.ll;var m;b?void 0!==b.disableRelatedVideos&&(m=!b.disableRelatedVideos):m=a.rel;this.Wc=l||jz(!this.J,m);this.ul=jz(!1,b?b.enableContentOwnerRelatedVideos:a.co_rel);this.ea=gz()&&0=jK?"_top":"_blank";this.Wf="profilepage"===this.Ga;this.Xk=jz("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":m="bl";break;case "gmail":m="gm";break;case "gac":m="ga";break;case "books":m="gb";break;case "docs":m= +"gd";break;case "duo":m="gu";break;case "google-live":m="gl";break;case "google-one":m="go";break;case "play":m="gp";break;case "chat":m="hc";break;case "hangouts-meet":m="hm";break;case "photos-edu":case "picasaweb":m="pw";break;default:m="yt"}this.Ja=m;this.authUser=mz("",b?b.authorizedUserIndex:a.authuser);this.uc=g.fK(this)&&(this.fb||!eoa()||this.tb);var n;b?void 0!==b.disableWatchLater&&(n=!b.disableWatchLater):n=a.showwatchlater;this.hm=((m=!this.uc)||!!this.authUser&&m)&&jz(!this.oa,this.I? +n:void 0);this.aj=b?b.isMobileDevice||!!b.disableKeyboardControls:jz(!1,a.disablekb);this.loop=jz(!1,a.loop);this.pageId=mz("",b?b.initialDelegatedSessionId:a.pageid);this.Eo=jz(!0,a.canplaylive);this.Xb=jz(!1,a.livemonitor);this.disableSharing=jz(this.J,b?b.disableSharing:a.ss);(n=b&&this.K("fill_video_container_size_override_from_wpcc")?b.videoContainerOverride:a.video_container_override)?(m=n.split("x"),2!==m.length?n=null:(n=Number(m[0]),m=Number(m[1]),n=isNaN(n)||isNaN(m)||0>=n*m?null:new g.He(n, +m))):n=null;this.xm=n;this.mute=b?!!b.startMuted:jz(!1,a.mute);this.storeUserVolume=!this.mute&&jz("0"!==this.controlsType,b?b.storeUserVolume:a.store_user_volume);n=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:kz(void 0,n,pK);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":mz("",a.cc_lang_pref);n=kz(2,b?b.captionsLanguageLoadPolicy:a.cc_load_policy,pK);"3"===this.controlsType&&2===n&&(n=3);this.Pb=n;this.Si=b?b.hl||"en_US":mz("en_US", +a.hl);this.region=b?b.contentRegion||"US":mz("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":mz("en",a.host_language);this.Qn=!this.fb&&Math.random()Math.random();this.Qk=a.onesie_hot_config||(null==b?0:b.onesieHotConfig)?new ixa(a.onesie_hot_config,null==b?void 0:b.onesieHotConfig):void 0;this.isTectonic=b?!!b.isTectonic:!!a.isTectonic;this.playerCanaryState=c;this.vf=new pxa;g.E(this,this.vf);this.mm=jz(!1,a.force_gvi);this.datasyncId=(null==b?void 0:b.datasyncId)||g.ey("DATASYNC_ID");this.Zn=g.ey("LOGGED_IN",!1);this.Yi=(null==b?void 0:b.allowWoffleManagement)|| +!1;this.jm=0;this.livingRoomPoTokenId=null==b?void 0:b.livingRoomPoTokenId;this.K("html5_high_res_logging_always")?this.If=!0:this.If=100*Math.random()<(g.gJ(this.experiments,"html5_unrestricted_layer_high_res_logging_percent")||g.gJ(this.experiments,"html5_high_res_logging_percent"));this.K("html5_ping_queue")&&(this.Rk=new wJ)}; +g.wK=function(a){var b;if(null==(b=a.webPlayerContextConfig)||!b.embedsEnableLiteUx||a.fb||a.J)return"EMBEDDED_PLAYER_LITE_MODE_NONE";a=g.gJ(a.experiments,"embeds_web_lite_mode");return void 0===a?"EMBEDDED_PLAYER_LITE_MODE_UNKNOWN":0<=a&&ar.width*r.height*r.fps)r=x}}}else m.push(x)}B=n.reduce(function(K,H){return H.Te().isEncrypted()&& -K},!0)?l:null; -d=Math.max(d,g.P(a.experiments,"html5_hls_initial_bitrate"));h=r||{};n.push(HH(m,c,e,"93",void 0===h.width?0:h.width,void 0===h.height?0:h.height,void 0===h.fps?0:h.fps,f,"auto",d,B,t));return CH(a.D,n,BD(a,b))}; -HH=function(a,b,c,d,e,f,h,l,m,n,p,r){for(var t=0,w="",y=g.q(a),x=y.next();!x.done;x=y.next())x=x.value,w||(w=x.itag),x.audioChannels&&x.audioChannels>t&&(t=x.audioChannels,w=x.itag);d=new dx(d,"application/x-mpegURL",new Ww(0,t,null,w),new Zw(e,f,h,null,void 0,m,void 0,r),void 0,p);a=new Hia(a,b,c);a.D=n?n:1369843;return new GH(d,a,l)}; -Lia=function(a){a=g.q(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; -Nia=function(a,b){for(var c=g.q(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Ud===b.Ud&&!e.audioChannels)return d}return""}; -Mia=function(a){for(var b=new Set,c=g.q(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.q(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.q(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; -IH=function(a,b){this.Oa=a;this.u=b}; -Pia=function(a,b,c,d){var e=[];c=g.q(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new vw(h.url,!0);if(h.s){var l=h.sp,m=iw(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.q(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=Mx(h.type,h.quality,h.itag,h.width,h.height);e.push(new IH(h,f))}}return CH(a.D,e,BD(a,b))}; -JH=function(a,b){this.Oa=a;this.u=b}; -Qia=function(a){var b=[];g.Cb(a,function(c){if(c&&c.url){var d=Mx(c.type,"medium","0");b.push(new JH(d,c.url))}}); -return b}; -Ria=function(a,b,c){c=Qia(c);return CH(a.D,c,BD(a,b))}; -Sia=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.ustreamerConfig=SC(a.ustreamerConfig))}; -g.KH=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.u=a.is_servable||!1;this.isTranslateable=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null}; -g.LH=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; -YH=function(a){for(var b={},c=g.q(Object.keys(XH)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[XH[d]];e&&(b[d]=e)}return b}; -ZH=function(a,b){for(var c={},d=g.q(Object.keys(XH)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.pw(f)&&(c[XH[e]]=f)}return c}; -bI=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); +a.u=b.concat(c)}; +Ixa=function(a){this.itag=a.itag;this.url=a.url;this.codecs=a.codecs;this.width=a.width;this.height=a.height;this.fps=a.fps;this.bitrate=a.bitrate;var b;this.u=(null==(b=a.audioItag)?void 0:b.split(","))||[];this.pA=a.pA;this.Pd=a.Pd||"";this.Jc=a.Jc;this.audioChannels=a.audioChannels;this.j=""}; +Jxa=function(a,b,c,d){b=void 0===b?!1:b;c=void 0===c?!0:c;d=void 0===d?{}:d;var e={};a=g.t(a);for(var f=a.next();!f.done;f=a.next()){f=f.value;if(b&&MediaSource&&MediaSource.isTypeSupported){var h=f.type;f.audio_channels&&(h=h+"; channels="+f.audio_channels);if(!MediaSource.isTypeSupported(h)){d[f.itag]="tpus";continue}}if(c||!f.drm_families||"smpte2084"!==f.eotf&&"arib-std-b67"!==f.eotf){h=void 0;var l={bt709:"SDR",bt2020:"SDR",smpte2084:"PQ","arib-std-b67":"HLG"},m=f.type.match(/codecs="([^"]*)"/); +m=m?m[1]:"";f.audio_track_id&&(h=new g.aI(f.name,f.audio_track_id,!!f.is_default));var n=f.eotf;f=new Ixa({itag:f.itag,url:f.url,codecs:m,width:Number(f.width),height:Number(f.height),fps:Number(f.fps),bitrate:Number(f.bitrate),audioItag:f.audio_itag,pA:n?l[n]:void 0,Pd:f.drm_families,Jc:h,audioChannels:Number(f.audio_channels)});e[f.itag]=e[f.itag]||[];e[f.itag].push(f)}else d[f.itag]="enchdr"}return e}; +VK=function(a,b,c){this.j=a;this.B=b;this.expiration=c;this.u=null}; +Kxa=function(a,b){if(!(nB||az()||Zy()))return null;a=Jxa(b,a.K("html5_filter_fmp4_in_hls"));if(!a)return null;b=[];for(var c={},d=g.t(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.t(a[e.value]);for(var f=e.next();!f.done;f=e.next()){var h=f.value;h.Jc&&(f=h.Jc.getId(),c[f]||(h=new g.hF(f,h.Jc),c[f]=h,b.push(h)))}}return 0x.width*x.height*x.fps)x=G}else r.push(G)}else l[F]="disdrmhfr";v.reduce(function(P, +T){return T.rh().isEncrypted()&&P},!0)&&(q=p); +e=Math.max(e,0);p=x||{};n=void 0===p.fps?0:p.fps;x=void 0===p.width?0:p.width;p=void 0===p.height?0:p.height;B=a.K("html5_native_audio_track_switching");v.push(Oxa(r,c,d,f,"93",x,p,n,m,"auto",e,q,z,B));Object.entries(l).length&&h(l);return TK(a.D,v,xK(a,b))}; +Oxa=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){for(var x=0,z="",B=g.t(a),F=B.next();!F.done;F=B.next())F=F.value,z||(z=F.itag),F.audioChannels&&F.audioChannels>x&&(x=F.audioChannels,z=F.itag);e=new IH(e,"application/x-mpegURL",{audio:new CH(0,x),video:new EH(f,h,l,null,void 0,n,void 0,r),Pd:q,JV:z});a=new Exa(a,b,c?[c]:[],d,!!v);a.C=p?p:1369843;return new VK(e,a,m)}; +Lxa=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; +Nxa=function(a,b){for(var c=g.t(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Pd===b.Pd&&!e.audioChannels)return d}return""}; +Mxa=function(a){for(var b=new Set,c=g.t(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.t(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.t(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; +WK=function(a,b){this.j=a;this.u=b}; +Qxa=function(a,b,c,d){var e=[];c=g.t(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new g.DF(h.url,!0);if(h.s){var l=h.sp,m=Yta(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.t(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=$H(h.type,h.quality,h.itag,h.width,h.height);e.push(new WK(h,f))}}return TK(a.D,e,xK(a,b))}; +XK=function(a,b){this.j=a;this.u=b}; +Rxa=function(a,b,c){var d=[];c=g.t(c);for(var e=c.next();!e.done;e=c.next())if((e=e.value)&&e.url){var f=$H(e.type,"medium","0");d.push(new XK(f,e.url))}return TK(a.D,d,xK(a,b))}; +Sxa=function(a,b){var c=[],d=$H(b.type,"auto",b.itag);c.push(new XK(d,b.url));return TK(a.D,c,!1)}; +Uxa=function(a){return a&&Txa[a]?Txa[a]:null}; +Vxa=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.sE=RJ(a.ustreamerConfig)||void 0)}; +Wxa=function(a,b){var c;if(b=null==b?void 0:null==(c=b.watchEndpointSupportedOnesieConfig)?void 0:c.html5PlaybackOnesieConfig)a.LW=new Vxa(b)}; +g.YK=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.j=a.is_servable||!1;this.u=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null;this.xtags=a.xtags||"";this.captionId=a.captionId||""}; +g.$K=function(a){var b={languageCode:a.languageCode,languageName:a.languageName,displayName:g.ZK(a),kind:a.kind,name:a.name,id:a.id,is_servable:a.j,is_default:a.isDefault,is_translateable:a.u,vss_id:a.vssId};a.xtags&&(b.xtags=a.xtags);a.captionId&&(b.captionId=a.captionId);a.translationLanguage&&(b.translationLanguage=a.translationLanguage);return b}; +g.aL=function(a){return a.translationLanguage?a.translationLanguage.languageCode:a.languageCode}; +g.ZK=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; +$xa=function(a,b,c,d){a||(a=b&&Xxa.hasOwnProperty(b)&&Yxa.hasOwnProperty(b)?Yxa[b]+"_"+Xxa[b]:void 0);b=a;if(!b)return null;a=b.match(Zxa);if(!a||5!==a.length)return null;if(a=b.match(Zxa)){var e=Number(a[3]),f=[7,8,10,5,6];a=!(1===Number(a[1])&&8===e)&&0<=f.indexOf(e)}else a=!1;return c||d||a?b:null}; +bL=function(a,b){for(var c={},d=g.t(Object.keys(aya)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.UD(f)&&(c[aya[e]]=f)}return c}; +cL=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); a.sort(function(l,m){return l.width-m.width||l.height-m.height}); -for(var c=g.q(Object.keys($H)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=$H[e];for(var f=g.q(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=aI(h.url);g.pw(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=aI(a.url),g.pw(a)&&(b["maxresdefault.jpg"]=a));return b}; -aI=function(a){return a.startsWith("//")?"https:"+a:a}; -cI=function(a){if(a=a.colorInfo)if(a=a.transferCharacteristics)return Tia[a];return null}; -dI=function(a){return a&&a.baseUrl||""}; -eI=function(a){a=g.Zp(a);for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; -fI=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;var c=b.playerAttestationRenderer.challenge;null!=c&&(a.rh=c)}; -Uia=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.q(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=gI(d.baseUrl);if(!e)return;d=new g.KH({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.T(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.nx=b.audioTracks||[];a.fC=b.defaultAudioTrackIndex||0;a.gC=b.translationLanguages?g.Oc(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.T(f.languageName)}}): +for(var c=g.t(Object.keys(bya)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=bya[e];for(var f=g.t(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=cya(h.url);g.UD(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=cya(a.url),g.UD(a)&&(b["maxresdefault.jpg"]=a));return b}; +cya=function(a){return a.startsWith("//")?"https:"+a:a}; +dL=function(a){return a&&a.baseUrl||""}; +eL=function(a){a=g.sy(a);for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; +dya=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;b=b.playerAttestationRenderer.challenge;null!=b&&(a.pk=b)}; +fya=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.t(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=eya(d.baseUrl);if(!e)return;d=new g.YK({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.gE(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.KK=b.audioTracks||[];a.LS=b.defaultAudioTrackIndex||0;a.LK=b.translationLanguages?g.Yl(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.gE(f.languageName)}}): []; -a.gt=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; -Via=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.interstitials.map(function(l){var m=l.unserializedPlayerResponse;if(m)return{is_yto_interstitial:!0,raw_player_response:m};if(l=l.playerVars)return Object.assign({is_yto_interstitial:!0},Xp(l))}); -e=g.q(e);for(var f=e.next();!f.done;f=e.next())switch(f=f.value,d.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:f,yp:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:f,yp:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var h=Number(d.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:h,playerVars:f, -yp:0===h?5:7})}}}; -Wia=function(a,b){var c=b.find(function(d){return!(!d||!d.tooltipRenderer)}); -c&&(a.tooltipRenderer=c.tooltipRenderer)}; -hI=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; -iI=function(a){g.O.call(this);this.u=null;this.C=new g.no;this.u=null;this.I=new Set;this.crossOrigin=a||""}; -lI=function(a,b,c){c=jI(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=Math.floor(b/(d.columns*d.rows)),!d.Uc(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),g.mo(d.C,f,{oE:f,mF:e}))}kI(a)}; -kI=function(a){if(!a.u&&!a.C.isEmpty()){var b=a.C.remove();a.u=Cla(a,b)}}; -Cla=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.oE].Ld(b.mF);c.onload=function(){var d=b.oE,e=b.mF;null!==a.u&&(a.u.onload=null,a.u=null);d=a.levels[d];d.loaded.add(e);kI(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.fy()-1);e=[e,d];a.V("l",e[0],e[1])}; +a.lX=[];if(b.recommendedTranslationTargetIndices)for(c=g.t(b.recommendedTranslationTargetIndices),d=c.next();!d.done;d=c.next())a.lX.push(d.value);a.gF=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; +iya=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next()){c=c.value;var d=c.interstitials.map(function(h){var l=g.K(h,gya);if(l)return{is_yto_interstitial:!0,raw_player_response:l};if(h=g.K(h,hya))return Object.assign({is_yto_interstitial:!0},qy(h))}); +d=g.t(d);for(var e=d.next();!e.done;e=d.next())switch(e=e.value,c.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:e,In:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:e,In:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var f=Number(c.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:f,playerVars:e, +In:0===f?5:7})}}}; +jya=function(a,b){if(b=b.find(function(c){return!(!c||!c.tooltipRenderer)}))a.tooltipRenderer=b.tooltipRenderer}; +kya=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; +fL=function(){var a=lya;var b=void 0===b?[]:b;var c=void 0===c?[]:c;b=ima.apply(null,[jma.apply(null,g.u(b))].concat(g.u(c)));this.store=lma(a,void 0,b)}; +g.gL=function(a,b,c){for(var d=Object.assign({},a),e=g.t(Object.keys(b)),f=e.next();!f.done;f=e.next()){f=f.value;var h=a[f],l=b[f];if(void 0===l)delete d[f];else if(void 0===h)d[f]=l;else if(Array.isArray(l)&&Array.isArray(h))d[f]=c?[].concat(g.u(h),g.u(l)):l;else if(!Array.isArray(l)&&g.Ja(l)&&!Array.isArray(h)&&g.Ja(h))d[f]=g.gL(h,l,c);else if(typeof l===typeof h)d[f]=l;else return b=new g.bA("Attempted to merge fields of differing types.",{name:"DeepMergeError",key:f,Y7a:h,updateValue:l}),g.CD(b), +a}return d}; +hL=function(a){this.j=a;this.pos=0;this.u=-1}; +iL=function(a){var b=RF(a.j,a.pos);++a.pos;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=RF(a.j,a.pos),++a.pos,d*=128,c+=(b&127)*d;return c}; +jL=function(a,b){var c=a.u;for(a.u=-1;a.pos+1<=a.j.totalLength;){0>c&&(c=iL(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.u=c;break}c=-1;switch(e){case 0:iL(a);break;case 1:a.pos+=8;break;case 2:d=iL(a);a.pos+=d;break;case 5:a.pos+=4}}return!1}; +kL=function(a,b){if(jL(a,b))return iL(a)}; +lL=function(a,b){if(jL(a,b))return!!iL(a)}; +mL=function(a,b){if(jL(a,b)){b=iL(a);var c=QF(a.j,a.pos,b);a.pos+=b;return c}}; +nL=function(a,b){if(a=mL(a,b))return g.WF(a)}; +oL=function(a,b,c){if(a=mL(a,b))return c(new hL(new LF([a])))}; +mya=function(a,b,c){for(var d=[],e;e=mL(a,b);)d.push(c(new hL(new LF([e]))));return d.length?d:void 0}; +pL=function(a,b){a=a instanceof Uint8Array?new LF([a]):a;return b(new hL(a))}; +nya=function(a,b){a=void 0===a?4096:a;this.u=b;this.pos=0;this.B=[];b=void 0;if(this.u)try{var c=this.u.exports.malloc(a);b=new Uint8Array(this.u.exports.memory.buffer,c,a)}catch(d){}b||(b=new Uint8Array(a));this.j=b;this.view=new DataView(this.j.buffer,this.j.byteOffset,this.j.byteLength)}; +qL=function(a,b){var c=a.pos+b;if(!(a.j.length>=c)){for(b=2*a.j.length;bd;d++)a.view.setUint8(a.pos,c&127|128),c>>=7,a.pos+=1;b=Math.floor(b/268435456)}for(qL(a,4);127>=7,a.pos+=1;a.view.setUint8(a.pos,b);a.pos+=1}; +sL=function(a,b,c){oya?rL(a,8*b+c):rL(a,b<<3|c)}; +tL=function(a,b,c){void 0!==c&&(sL(a,b,0),rL(a,c))}; +uL=function(a,b,c){void 0!==c&&tL(a,b,c?1:0)}; +vL=function(a,b,c){void 0!==c&&(sL(a,b,2),b=c.length,rL(a,b),qL(a,b),a.j.set(c,a.pos),a.pos+=b)}; +wL=function(a,b,c){void 0!==c&&(pya(a,b,Math.ceil(Math.log2(4*c.length+2)/7)),qL(a,1.2*c.length),b=YF(c,a.j.subarray(a.pos)),a.pos+b>a.j.length&&(qL(a,b),b=YF(c,a.j.subarray(a.pos))),a.pos+=b,qya(a))}; +pya=function(a,b,c){c=void 0===c?2:c;sL(a,b,2);a.B.push(a.pos);a.B.push(c);a.pos+=c}; +qya=function(a){for(var b=a.B.pop(),c=a.B.pop(),d=a.pos-c-b;b--;){var e=b?128:0;a.view.setUint8(c++,d&127|e);d>>=7}}; +xL=function(a,b,c,d,e){c&&(pya(a,b,void 0===e?3:e),d(a,c),qya(a))}; +rya=function(a){a.u&&a.j.buffer!==a.u.exports.memory.buffer&&(a.j=new Uint8Array(a.u.exports.memory.buffer,a.j.byteOffset,a.j.byteLength),a.view=new DataView(a.j.buffer,a.j.byteOffset,a.j.byteLength));return new Uint8Array(a.j.buffer,a.j.byteOffset,a.pos)}; +g.yL=function(a,b,c){c=new nya(4096,c);b(c,a);return rya(c)}; +g.zL=function(a){var b=new hL(new LF([ig(decodeURIComponent(a))]));a=nL(b,2);b=kL(b,4);var c=sya[b];if("undefined"===typeof c)throw a=new g.bA("Failed to recognize field number",{name:"EntityKeyHelperError",T6a:b}),g.CD(a),a;return{U2:b,entityType:c,entityId:a}}; +g.AL=function(a,b){var c=new nya;vL(c,2,lua(a));a=tya[b];if("undefined"===typeof a)throw b=new g.bA("Failed to recognize entity type",{name:"EntityKeyHelperError",entityType:b}),g.CD(b),b;tL(c,4,a);tL(c,5,1);b=rya(c);return encodeURIComponent(g.gg(b))}; +BL=function(a,b,c,d){if(void 0===d)return d=Object.assign({},a[b]||{}),c=(delete d[c],d),d={},Object.assign({},a,(d[b]=c,d));var e={},f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +uya=function(a,b,c,d,e){var f=a[b];if(null==f||!f[c])return a;d=g.gL(f[c],d,"REPEATED_FIELDS_MERGE_OPTION_APPEND"===e);e={};f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +vya=function(a,b){a=void 0===a?{}:a;switch(b.type){case "ENTITY_LOADED":return b.payload.reduce(function(d,e){var f,h=null==(f=e.options)?void 0:f.persistenceOption;if(h&&"ENTITY_PERSISTENCE_OPTION_UNKNOWN"!==h&&"ENTITY_PERSISTENCE_OPTION_INMEMORY_AND_PERSIST"!==h)return d;if(!e.entityKey)return g.CD(Error("Missing entity key")),d;if("ENTITY_MUTATION_TYPE_REPLACE"===e.type){if(!e.payload)return g.CD(new g.bA("REPLACE entity mutation is missing a payload",{entityKey:e.entityKey})),d;var l=g.Xc(e.payload); +return BL(d,l,e.entityKey,e.payload[l])}if("ENTITY_MUTATION_TYPE_DELETE"===e.type){e=e.entityKey;try{var m=g.zL(e).entityType;l=BL(d,m,e)}catch(q){if(q instanceof Error)g.CD(new g.bA("Failed to deserialize entity key",{entityKey:e,mO:q.message})),l=d;else throw q;}return l}if("ENTITY_MUTATION_TYPE_UPDATE"===e.type){if(!e.payload)return g.CD(new g.bA("UPDATE entity mutation is missing a payload",{entityKey:e.entityKey})),d;l=g.Xc(e.payload);var n,p;return uya(d,l,e.entityKey,e.payload[l],null==(n= +e.fieldMask)?void 0:null==(p=n.mergeOptions)?void 0:p.repeatedFieldsMergeOption)}return d},a); +case "REPLACE_ENTITY":var c=b.payload;return BL(a,c.entityType,c.key,c.T2);case "REPLACE_ENTITIES":return Object.keys(b.payload).reduce(function(d,e){var f=b.payload[e];return Object.keys(f).reduce(function(h,l){return BL(h,e,l,f[l])},d)},a); +case "UPDATE_ENTITY":return c=b.payload,uya(a,c.entityType,c.key,c.T2,c.T7a);default:return a}}; +CL=function(a,b,c){return a[b]?a[b][c]||null:null}; +DL=function(a,b){this.type=a||"";this.id=b||""}; +g.EL=function(a){return new DL(a.substr(0,2),a.substr(2))}; +g.FL=function(a,b){this.u=a;this.author="";this.yB=null;this.playlistLength=0;this.j=this.sessionData=null;this.Z={};this.title="";if(b){this.author=b.author||b.playlist_author||"";this.title=b.playlist_title||"";if(a=b.session_data)this.sessionData=oy(a,"&");var c;this.j=(null==(c=b.thumbnail_ids)?void 0:c.split(",")[0])||null;this.Z=bL(b,"playlist_");this.videoId=b.video_id||void 0;if(c=b.list)switch(b.listType){case "user_uploads":this.playlistId=(new DL("UU","PLAYER_"+c)).toString();break;default:if(a= +b.playlist_length)this.playlistLength=Number(a)||0;this.playlistId=g.EL(c).toString();if(b=b.video)this.videoId=(b[0]||null).video_id||void 0}else b.playlist&&(this.playlistLength=b.playlist.toString().split(",").length)}}; +g.GL=function(a,b){this.j=a;this.Fr=this.author="";this.yB=null;this.isUpcoming=this.isLivePlayback=!1;this.lengthSeconds=0;this.zv=this.lengthText="";this.sessionData=null;this.Z={};this.title="";if(b){this.ariaLabel=b.aria_label||void 0;this.author=b.author||"";this.Fr=b.Fr||"";if(a=b.endscreen_autoplay_session_data)this.yB=oy(a,"&");this.zB=b.zB;this.isLivePlayback="1"===b.live_playback;this.isUpcoming=!!b.isUpcoming;if(a=b.length_seconds)this.lengthSeconds="string"===typeof a?Number(a):a;this.lengthText= +b.lengthText||"";this.zv=b.zv||"";this.publishedTimeText=b.publishedTimeText||void 0;if(a=b.session_data)this.sessionData=oy(a,"&");this.shortViewCount=b.short_view_count_text||void 0;this.Z=bL(b);this.title=b.title||"";this.videoId=b.docid||b.video_id||b.videoId||b.id||void 0;this.watchUrl=b.watchUrl||void 0}}; +wya=function(a){var b,c,d=null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:c.twoColumnWatchNextResults,e,f,h,l,m;a=null==(e=a.jd)?void 0:null==(f=e.playerOverlays)?void 0:null==(h=f.playerOverlayRenderer)?void 0:null==(l=h.endScreen)?void 0:null==(m=l.watchNextEndScreenRenderer)?void 0:m.results;if(!a){var n,p;a=null==d?void 0:null==(n=d.endScreen)?void 0:null==(p=n.endScreen)?void 0:p.results}return a}; +g.IL=function(a){var b,c,d;a=g.K(null==(b=a.jd)?void 0:null==(c=b.playerOverlays)?void 0:null==(d=c.playerOverlayRenderer)?void 0:d.decoratedPlayerBarRenderer,HL);return g.K(null==a?void 0:a.playerBar,xya)}; +yya=function(a){this.j=a.playback_progress_0s_url;this.B=a.playback_progress_2s_url;this.u=a.playback_progress_10s_url}; +Aya=function(a,b){var c=g.Ga("ytDebugData.callbacks");c||(c={},g.Fa("ytDebugData.callbacks",c));if(g.gy("web_dd_iu")||zya.includes(a))c[a]=b}; +JL=function(a){this.j=new oq(a)}; +Bya=function(){if(void 0===KL){try{window.localStorage.removeItem("yt-player-lv")}catch(b){}a:{try{var a=!!self.localStorage}catch(b){a=!1}if(a&&(a=g.yq(g.cA()+"::yt-player"))){KL=new JL(a);break a}KL=void 0}}return KL}; +g.LL=function(){var a=Bya();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; +g.Cya=function(a){var b=Bya();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; +g.ML=function(a){return g.LL()[a]||0}; +g.NL=function(a,b){var c=g.LL();b!==c[a]&&(0!==b?c[a]=b:delete c[a],g.Cya(c))}; +g.OL=function(a){return g.A(function(b){return b.return(g.kB(Dya(),a))})}; +QL=function(a,b,c,d,e,f,h,l){var m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:return m=g.ML(a),4===m?x.return(4):g.y(x,g.sB(),2);case 2:n=x.u;if(!n)throw g.DA("wiac");if(!l||void 0===h){x.Ka(3);break}return g.y(x,Eya(l,h),4);case 4:h=x.u;case 3:return p=c.lastModified||"0",g.y(x,g.OL(n),5);case 5:return q=x.u,g.pa(x,6),PL++,g.y(x,g.NA(q,["index","media"],{mode:"readwrite",tag:"IDB_TRANSACTION_TAG_WIAC",Ub:!0},function(z){if(void 0!==f&&void 0!==h){var B=""+a+"|"+b.id+"|"+p+"|"+String(f).padStart(10, +"0");B=g.OA(z.objectStore("media"),h,B)}else B=g.FA.resolve(void 0);var F=Fya(a,b.Xg()),G=Fya(a,!b.Xg()),D={fmts:Gya(d),format:c||{}};F=g.OA(z.objectStore("index"),D,F);var L=-1===d.downloadedEndTime;D=L?z.objectStore("index").get(G):g.FA.resolve(void 0);var P={fmts:"music",format:{}};z=L&&e&&!b.Xg()?g.OA(z.objectStore("index"),P,G):g.FA.resolve(void 0);return g.FA.all([z,D,B,F]).then(function(T){T=g.t(T);T.next();T=T.next().value;PL--;var fa=g.ML(a);if(4!==fa&&L&&e||void 0!==T&&g.Hya(T.fmts))fa= +1,g.NL(a,fa);return fa})}),8); +case 8:return x.return(x.u);case 6:r=g.sa(x);PL--;v=g.ML(a);if(4===v)return x.return(v);g.NL(a,4);throw r;}})}; +g.Iya=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){b=d.u;if(!b)throw g.DA("ri");return g.y(d,g.OL(b),3)}c=d.u;return d.return(g.NA(c,["index"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRI"},function(e){var f=IDBKeyRange.bound(a+"|",a+"~");return e.objectStore("index").getAll(f).then(function(h){return h.map(function(l){return l?l.format:{}})})}))})}; +Lya=function(a,b,c,d,e){var f,h,l;return g.A(function(m){if(1==m.j)return g.y(m,g.sB(),2);if(3!=m.j){f=m.u;if(!f)throw g.DA("rc");return g.y(m,g.OL(f),3)}h=m.u;l=g.NA(h,["media"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRM",Ub:Jya},function(n){var p=""+a+"|"+b+"|"+c+"|"+String(d).padStart(10,"0");return n.objectStore("media").get(p)}); +return e?m.return(l.then(function(n){if(void 0===n)throw Error("No data from indexDb");return Kya(e,n)}).catch(function(n){throw new g.bA("Error while reading chunk: "+n.name+", "+n.message); +})):m.return(l)})}; +g.Hya=function(a){return a?"music"===a?!0:a.includes("dlt=-1")||!a.includes("dlt="):!1}; +Fya=function(a,b){return""+a+"|"+(b?"v":"a")}; +Gya=function(a){var b={};return py((b.dlt=a.downloadedEndTime.toString(),b.mket=a.maxKnownEndTime.toString(),b.avbr=a.averageByteRate.toString(),b))}; +Nya=function(a){var b={},c={};a=g.t(a);for(var d=a.next();!d.done;d=a.next()){var e=d.value,f=e.split("|");e.match(g.Mya)?(d=Number(f.pop()),isNaN(d)?c[e]="?":(f=f.join("|"),(e=b[f])?(f=e[e.length-1],d===f.end+1?f.end=d:e.push({start:d,end:d})):b[f]=[{start:d,end:d}])):c[e]="?"}a=g.t(Object.keys(b));for(d=a.next();!d.done;d=a.next())d=d.value,c[d]=b[d].map(function(h){return h.start+"-"+h.end}).join(","); +return c}; +RL=function(a){g.dE.call(this);this.j=null;this.B=new Jla;this.j=null;this.I=new Set;this.crossOrigin=a||""}; +Oya=function(a,b,c){for(c=SL(a,c);0<=c;){var d=a.levels[c];if(d.isLoaded(TL(d,b))&&(d=g.UL(d,b)))return d;c--}return g.UL(a.levels[0],b)}; +Qya=function(a,b,c){c=SL(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=TL(d,b),!d.isLoaded(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),d.B.Ph(f,{mV:f,HV:e}))}Pya(a)}; +Pya=function(a){if(!a.j&&!a.B.Bf()){var b=a.B.remove();a.j=Rya(a,b)}}; +Rya=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.mV].Ze(b.HV);c.onload=function(){var d=b.mV,e=b.HV;null!==a.j&&(a.j.onload=null,a.j=null);d=a.levels[d];d.loaded.add(e);Pya(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.NE()-1);e=[e,d];a.ma("l",e[0],e[1])}; return c}; -g.mI=function(a,b,c,d){this.level=a;this.F=b;this.loaded=new Set;this.level=a;this.F=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.C=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.u=Math.floor(Number(a[5]));this.D=a[6];this.signature=a[7];this.videoLength=d}; -nI=function(a,b,c,d,e){d=void 0===d?!1:d;e=void 0===e?!1:e;iI.call(this,c);this.isLive=d;this.K=!!e;this.levels=this.B(a,b);this.D=new Map;1=b)return a.D.set(b,d),d;a.D.set(b,c-1);return c-1}; -pI=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.mI.call(this,a,b,c,0);this.B=null;this.I=d?3:0}; -qI=function(a,b,c,d){nI.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;ab&&(yB()||g.Q(d.experiments,"html5_format_hybridization"))&&(n.B.supportsChangeType=+yB(),n.I=b);2160<=b&&(n.Aa=!0);kC()&&(n.B.serveVp9OverAv1IfHigherRes= -0,n.Ub=!1);n.ax=m;m=g.hs||sr()&&!m?!1:!0;n.X=m;n.za=g.Q(d.experiments,"html5_format_hybridization");hr()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(n.D=!0,n.F=!0);a.mn&&(n.mn=a.mn);a.Nl&&(n.Nl=a.Nl);a.isLivePlayback&&(d=a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_dai"),m=!a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_non_dai"),n.P=d||m);return a.mq=n}; -Gla=function(a){a.Bh||a.ra&&KB(a.ra);var b={};a.ra&&(b=LC(BI(a),a.Sa.D,a.ra,function(c){return a.V("ctmp","fmtflt",c)})); -b=new yH(b,a.Sa.experiments,a.CH,Fla(a));g.D(a,b);a.Mq=!1;a.Pd=!0;Eia(b,function(c){for(var d=g.q(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Bh=a.Bh;e.At=a.At;e.zt=a.zt;break;case "widevine":e.Ap=a.Ap}a.Vo=c;if(0b)return!1}return!LI(a)||"ULTRALOW"!=a.latencyClass&&21530001!=MI(a)?window.AbortController?a.ba("html5_streaming_xhr")||a.ba("html5_streaming_xhr_manifestless")&&LI(a)?!0:!1:!1:!0}; -OI=function(a){return YA({hasSubfragmentedFmp4:a.hasSubfragmentedFmp4,Ui:a.Ui,defraggedFromSubfragments:a.defraggedFromSubfragments,isManifestless:LI(a),DA:NI(a)})}; -MI=function(a){return a.isLowLatencyLiveStream&&void 0!=a.ra&&5<=ZB(a.ra)?21530001:a.liveExperimentalContentId}; -PI=function(a){return hr()&&KI(a)?!1:!AC()||a.HC?!0:!1}; -Ila=function(a){a.Pd=!0;a.Xl=!1;if(!a.Og&&QI(a))Mfa(a.videoId).then(function(d){a:{var e=HI(a,a.adaptiveFormats);if(e)if(d=HI(a,d)){if(0l&&(l=n.Te().audio.u);2=a.La.videoInfos.length)&&(c=ix(a.La.videoInfos[0]),c!=("fairplay"==a.md.flavor)))for(d=g.q(a.Vo),e=d.next();!e.done;e=d.next())if(e=e.value,c==("fairplay"==e.flavor)){a.md=e;break}}; -VI=function(a,b){a.lk=b;UI(a,new JC(g.Oc(a.lk,function(c){return c.Te()})))}; -Mla=function(a){var b={cpn:a.clientPlaybackNonce,c:a.Sa.deviceParams.c,cver:a.Sa.deviceParams.cver};a.Ev&&(b.ptk=a.Ev,b.oid=a.zG,b.ptchn=a.yG,b.pltype=a.AG);return b}; -g.WI=function(a){return EI(a)&&a.Bh?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.Oa&&a.Oa.Ud||null}; -XI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.T(b.text):a.paidContentOverlayText}; -YI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?g.rd(b.durationMs):a.paidContentOverlayDurationMs}; -ZI=function(a){var b="";if(a.dz)return a.dz;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":"live");return b}; -g.$I=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; -aJ=function(a){return!!(a.Og||a.adaptiveFormats||a.xs||a.mp||a.hlsvp)}; -bJ=function(a){var b=g.jb(a.Of,"ypc");a.ypcPreview&&(b=!1);return a.isValid()&&!a.Pd&&(aJ(a)||g.jb(a.Of,"heartbeat")||b)}; -GI=function(a,b){var c=Yp(a),d={};if(b)for(var e=g.q(b.split(",")),f=e.next();!f.done;f=e.next())(f=f.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(d[f[1]]={width:f[2],height:f[3]});e=g.q(c);for(f=e.next();!f.done;f=e.next()){f=f.value;var h=d[f.itag];h&&(f.width=h.width,f.height=h.height)}return c}; -vI=function(a,b){a.showShareButton=!!b;if(b){var c=b.buttonRenderer&&b.buttonRenderer.navigationEndpoint;c&&(a.Xr=!!c.copyTextEndpoint)}}; -dJ=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.Qg=c);if(a.Qg){if(c=a.Qg.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.Qg.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;null!=d?(a.Gj=d,a.qc=!0):(a.Gj="",a.qc=!1);if(d=c.defaultThumbnail)a.li=bI(d);(d=c.videoDetails&& -c.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer)&&wI(a,b,d);if(d=c.videoDetails&&c.videoDetails.musicEmbeddedPlayerOverlayVideoDetailsRenderer)a.Ux=d.title,a.Tx=d.byline,d.musicVideoType&&(a.musicVideoType=d.musicVideoType);a.Ll=!!c.addToWatchLaterButton;vI(a,c.shareButton);c.playButton&&c.playButton.buttonRenderer&&c.playButton.buttonRenderer.navigationEndpoint&&(d=c.playButton.buttonRenderer.navigationEndpoint,d.watchEndpoint&&(d=d.watchEndpoint,d.watchEndpointSupportedOnesieConfig&&d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig&& -(a.Cv=new Sia(d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig))));c.videoDurationSeconds&&(a.lengthSeconds=g.rd(c.videoDurationSeconds));a.ba("web_player_include_innertube_commands")&&c.webPlayerActionsPorting&&hI(a,c.webPlayerActionsPorting);if(a.ba("embeds_wexit_list_ajax_migration")&&c.playlist&&c.playlist.playlistPanelRenderer){c=c.playlist.playlistPanelRenderer;d=[];var e=Number(c.currentIndex);if(c.contents)for(var f=0,h=c.contents.length;f(b?parseInt(b[1],10):NaN);c=a.Sa;c=("TVHTML5_CAST"===c.deviceParams.c||"TVHTML5"===c.deviceParams.c&&(c.deviceParams.cver.startsWith("6.20130725")||c.deviceParams.cver.startsWith("6.20130726")))&&"MUSIC"===a.Sa.deviceParams.ctheme; -var d;if(d=!a.tn)c||(c=a.Sa,c="TVHTML5"===c.deviceParams.c&&c.deviceParams.cver.startsWith("7")),d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.ba("cast_prefer_audio_only_for_atv_and_uploads")||a.ba("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.tn=!0);return!a.Sa.deviceHasDisplay||a.tn&&a.Sa.C}; -qJ=function(a){return pJ(a)&&!!a.adaptiveFormats}; -pJ=function(a){return!!(a.ba("hoffle_save")&&a.Vn&&a.Sa.C)}; -RI=function(a,b){if(a.Vn!=b&&(a.Vn=b)&&a.ra){var c=a.ra,d;for(d in c.u){var e=c.u[d];e.D=!1;e.u=null}}}; -QI=function(a){return!(!(a.ba("hoffle_load")&&a.adaptiveFormats&&cy(a.videoId))||a.Vn)}; -rJ=function(a){if(!a.ra||!a.Oa||!a.pd)return!1;var b=a.ra.u;return!!b[a.Oa.id]&&yw(b[a.Oa.id].B.u)&&!!b[a.pd.id]&&yw(b[a.pd.id].B.u)}; -cJ=function(a){return(a=a.fq)&&a.showError?a.showError:!1}; -CI=function(a){return a.ba("disable_rqs")?!1:FI(a,"html5_high_res_logging")}; -FI=function(a,b){return a.ba(b)?!0:(a.fflags||"").includes(b+"=true")}; -Pla=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; -tI=function(a,b){var c=b.video_masthead_ad_quartile_urls;c&&(a.Mv=c.quartile_0_url,a.Vz=c.quartile_25_url,a.Xz=c.quartile_50_url,a.Zz=c.quartile_75_url,a.Tz=c.quartile_100_url,a.Nv=c.quartile_0_urls,a.Wz=c.quartile_25_urls,a.Yz=c.quartile_50_urls,a.aA=c.quartile_75_urls,a.Uz=c.quartile_100_urls)}; -uJ=function(a){return a?AC()?!0:sJ&&5>tJ?!1:!0:!1}; -sI=function(a){var b={};a=g.q(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; -gI=function(a){if(a){if(rw(a))return a;a=tw(a);if(rw(a,!0))return a}return""}; -Qla=function(){this.url=null;this.height=this.width=0;this.adInfoRenderer=this.impressionTrackingUrls=this.clickTrackingUrls=null}; -vJ=function(){this.contentVideoId=null;this.macros={};this.imageCompanionAdRenderer=this.iframeCompanionRenderer=null}; -wJ=function(a){this.u=a}; -xJ=function(a){var b=a.u.getVideoData(1);a.u.xa("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})}; -Rla=function(a){var b=new wJ(a.J);return{nK:function(){return b}}}; -yJ=function(a,b){this.u=a;this.Ob=b||{};this.K=String(Math.floor(1E9*Math.random()));this.R={};this.P=0}; -Sla=function(a){switch(a){case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression";case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression"; -case "viewable_impression":return"adviewableimpression";default:return null}}; -zJ=function(){g.O.call(this);var a=this;this.u={};g.eg(this,function(){return Object.keys(a.u).forEach(function(b){return delete a.u[b]})})}; -BJ=function(){if(null===AJ){AJ=new zJ;ul.getInstance().u="b";var a=ul.getInstance(),b="h"==Yk(a)||"b"==Yk(a),c=!(Ch.getInstance(),!1);b&&c&&(a.F=!0,a.I=new ica)}return AJ}; -Tla=function(a,b,c){a.u[b]=c}; -Ula=function(a){this.C=a;this.B={};this.u=ag()?500:g.wD(a.T())?1E3:2500}; -Wla=function(a,b){if(!b.length)return null;var c=b.filter(function(d){if(!d.mimeType)return!1;d.mimeType in a.B||(a.B[d.mimeType]=a.C.canPlayType(d.mimeType));return a.B[d.mimeType]?!!d.mimeType&&"application/x-mpegurl"==d.mimeType.toLowerCase()||!!d.mimeType&&"application/dash+xml"==d.mimeType.toLowerCase()||"PROGRESSIVE"==d.delivery:!1}); -return Vla(a,c)}; -Vla=function(a,b){for(var c=null,d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.minBitrate,h=e.maxBitrate;f>a.u||ha.u||(!c||f>c.maxBitrate?c=e:c&&f==c.maxBitrate&&hc.maxBitrate&&(c=e));return c}; -CJ=function(a,b){this.u=a;this.F=b;this.B=b.length;this.adBreakLengthSeconds=b.reduce(function(e,f){return e+f},0); -for(var c=0,d=a+1;d=a.B}; -HJ=function(){yJ.apply(this,arguments)}; -IJ=function(){this.B=[];this.D=null;this.C=0}; -JJ=function(a,b){b&&a.B.push(b)}; -KJ=function(a){if(!a)return[];var b=[];a=g.q(a);for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.loggingUrls){c=g.q(c.loggingUrls);for(var d=c.next();!d.done;d=c.next())b.push({baseUrl:d.value.baseUrl})}return b}; -LJ=function(a){if(!a)return[];var b=[];a.forEach(function(c){c.command.loggingUrls.forEach(function(d){b.push({baseUrl:d.baseUrl,offsetMilliseconds:c.adVideoOffset.milliseconds})})}); +g.VL=function(a,b,c,d){this.level=a;this.D=b;this.loaded=new Set;this.level=a;this.D=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.frameCount=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.j=Math.floor(Number(a[5]));this.B=a[6];this.C=a[7];this.videoLength=d}; +TL=function(a,b){return Math.floor(b/(a.columns*a.rows))}; +g.UL=function(a,b){b>=a.BJ()&&a.ix();var c=TL(a,b),d=a.columns*a.rows,e=b%d;b=e%a.columns;e=Math.floor(e/a.columns);var f=a.ix()+1-d*c;if(f=b)return a.C.set(b,d),d;a.C.set(b,c-1);return c-1}; +XL=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.VL.call(this,a,b,c,0);this.u=null;this.I=d?2:0}; +YL=function(a,b,c,d){WL.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;adM?!1:!0,a.isLivePlayback=!0;else if(bc.isLive){qn.livestream="1";a.allowLiveDvr=bc.isLiveDvrEnabled?uJ()?!0:dz&&5>dM?!1:!0:!1;a.Ga=27;bc.isLowLatencyLiveStream&&(a.isLowLatencyLiveStream=!0);var Bw=bc.latencyClass;Bw&&(a.latencyClass= +fza[Bw]||"UNKNOWN");var Ml=bc.liveChunkReadahead;Ml&&(a.liveChunkReadahead=Ml);var Di=pn&&pn.livePlayerConfig;if(Di){Di.hasSubfragmentedFmp4&&(a.hasSubfragmentedFmp4=!0);Di.hasSubfragmentedWebm&&(a.Oo=!0);Di.defraggedFromSubfragments&&(a.defraggedFromSubfragments=!0);var Ko=Di.liveExperimentalContentId;Ko&&(a.liveExperimentalContentId=Number(Ko));var Nk=Di.isLiveHeadPlayable;a.K("html5_live_head_playable")&&null!=Nk&&(a.isLiveHeadPlayable=Nk)}Jo=!0}else bc.isUpcoming&&(Jo=!0);Jo&&(a.isLivePlayback= +!0,qn.adformat&&"8"!==qn.adformat.split("_")[1]||a.Ja.push("heartbeat"),a.Uo=!0)}var Lo=bc.isPrivate;void 0!==Lo&&(a.isPrivate=jz(a.isPrivate,Lo))}if(la){var Mo=bc||null,mt=!1,Nl=la.errorScreen;mt=Nl&&(Nl.playerLegacyDesktopYpcOfferRenderer||Nl.playerLegacyDesktopYpcTrailerRenderer||Nl.ypcTrailerRenderer)?!0:Mo&&Mo.isUpcoming?!0:["OK","LIVE_STREAM_OFFLINE","FULLSCREEN_ONLY"].includes(la.status);if(!mt){a.errorCode=Uxa(la.errorCode)||"auth";var No=Nl&&Nl.playerErrorMessageRenderer;if(No){a.playerErrorMessageRenderer= +No;var nt=No.reason;nt&&(a.errorReason=g.gE(nt));var Kq=No.subreason;Kq&&(a.Gm=g.gE(Kq),a.qx=Kq)}else a.errorReason=la.reason||null;var Ba=la.status;if("LOGIN_REQUIRED"===Ba)a.errorDetail="1";else if("CONTENT_CHECK_REQUIRED"===Ba)a.errorDetail="2";else if("AGE_CHECK_REQUIRED"===Ba){var Ei=la.errorScreen,Oo=Ei&&Ei.playerKavRenderer;a.errorDetail=Oo&&Oo.kavUrl?"4":"3"}else a.errorDetail=la.isBlockedInRestrictedMode?"5":"0"}}var Po=a.playerResponse.interstitialPods;Po&&iya(a,Po);a.Xa&&a.eventId&&(a.Xa= +uy(a.Xa,{ei:a.eventId}));var SA=a.playerResponse.captions;SA&&SA.playerCaptionsTracklistRenderer&&fya(a,SA.playerCaptionsTracklistRenderer);a.clipConfig=a.playerResponse.clipConfig;a.clipConfig&&null!=a.clipConfig.startTimeMs&&(a.TM=.001*Number(a.clipConfig.startTimeMs));a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting&&kya(a,a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting)}Wya(a, +b);b.queue_info&&(a.queueInfo=b.queue_info);var OH=b.hlsdvr;null!=OH&&(a.allowLiveDvr="1"==OH?uJ()?!0:dz&&5>dM?!1:!0:!1);a.adQueryId=b.ad_query_id||null;a.Lw||(a.Lw=b.encoded_ad_safety_reason||null);a.MR=b.agcid||null;a.iQ=b.ad_id||null;a.mQ=b.ad_sys||null;a.MJ=b.encoded_ad_playback_context||null;a.Xk=jz(a.Xk,b.infringe||b.muted);a.XR=b.authkey;a.authUser=b.authuser;a.mutedAutoplay=jz(a.mutedAutoplay,b&&b.playmuted)&&a.K("embeds_enable_muted_autoplay");var Qo=b.length_seconds;Qo&&(a.lengthSeconds= +"string"===typeof Qo?Se(Qo):Qo);var TA=!a.isAd()&&!a.bl&&g.qz(g.wK(a.B));if(TA){var ot=a.lengthSeconds;switch(g.wK(a.B)){case "EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT":30ot&&10c&&(tI()||d.K("html5_format_hybridization"))&&(q.u.supportsChangeType=+tI(),q.C=c);2160<=c&&(q.Ja=!0);rwa()&&(q.u.serveVp9OverAv1IfHigherRes= +0,q.Wc=!1);q.tK=m;q.fb=g.oB||hz()&&!m?!1:!0;q.oa=d.K("html5_format_hybridization");q.jc=d.K("html5_disable_encrypted_vp9_live_non_2k_4k");Zy()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(q.J=!0,q.T=!0);a.fb&&a.isAd()&&(a.sA&&(q.ya=a.sA),a.rA&&(q.I=a.rA));q.Ya=a.isLivePlayback&&a.Pl()&&a.B.K("html5_drm_live_audio_51");q.Tb=a.WI;return a.jm=q}; +yza=function(a){eF("drm_pb_s",void 0,a.Qa);a.Ya||a.j&&tF(a.j);var b={};a.j&&(b=Nta(a.Tw,vM(a),a.B.D,a.j,function(c){return a.ma("ctmp","fmtflt",c)},!0)); +b=new nJ(b,a.B,a.PR,xza(a),function(c,d){a.xa(c,d)}); +g.E(a,b);a.Rn=!1;a.La=!0;Fwa(b,function(c){eF("drm_pb_f",void 0,a.Qa);for(var d=g.t(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Ya=a.Ya;e.ox=a.ox;e.nx=a.nx;break;case "widevine":e.rl=a.rl}a.Un=c;if(0p&&(p=v.rh().audio.numChannels)}2=a.C.videoInfos.length)&&(b=LH(a.C.videoInfos[0]),b!=("fairplay"==a.J.flavor)))for(c=g.t(a.Un),d=c.next();!d.done;d=c.next())if(d=d.value,b==("fairplay"==d.flavor)){a.J=d;break}}; +zM=function(a,b){a.Nd=b;Iza(a,new oF(g.Yl(a.Nd,function(c){return c.rh()})))}; +Jza=function(a){var b={cpn:a.clientPlaybackNonce,c:a.B.j.c,cver:a.B.j.cver};a.xx&&(b.ptk=a.xx,b.oid=a.KX,b.ptchn=a.xX,b.pltype=a.fY,a.lx&&(b.m=a.lx));return b}; +g.AM=function(a){return eM(a)&&a.Ya?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.u&&a.u.Pd||null}; +Kza=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.gE(b.text):a.paidContentOverlayText}; +BM=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?Se(b.durationMs):a.paidContentOverlayDurationMs}; +CM=function(a){var b="";if(a.eK)return a.eK;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":a.isPremiere?"lp":a.rd?"window":"live");a.Se&&(b="post");return b}; +g.DM=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; +Lza=function(a){return!!a.Ui||!!a.cN||!!a.zx||!!a.Ax||a.nS||a.ea.focEnabled||a.ea.rmktEnabled}; +EM=function(a){return!!(a.tb||a.Jf||a.ol||a.hlsvp||a.Yu())}; +aM=function(a){if(a.K("html5_onesie")&&a.errorCode)return!1;var b=g.rb(a.Ja,"ypc");a.ypcPreview&&(b=!1);return a.De()&&!a.La&&(EM(a)||g.rb(a.Ja,"heartbeat")||b)}; +gM=function(a,b){a=ry(a);var c={};if(b){b=g.t(b.split(","));for(var d=b.next();!d.done;d=b.next())(d=d.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(c[d[1]]={width:d[2],height:d[3]})}b=g.t(a);for(d=b.next();!d.done;d=b.next()){d=d.value;var e=c[d.itag];e&&(d.width=e.width,d.height=e.height)}return a}; +pza=function(a,b){a.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")||(a.showShareButton=!!b);var c,d,e=(null==(c=g.K(b,g.mM))?void 0:c.navigationEndpoint)||(null==(d=g.K(b,g.mM))?void 0:d.command);e&&(a.ao=!!g.K(e,Mza))}; +Vya=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.kf=c);if(a.kf){a.embeddedPlayerConfig=a.kf.embeddedPlayerConfig||null;if(c=a.kf.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.kf.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")|| +(null!=d?(a.Wc=d,a.D=!0):(a.Wc="",a.D=!1));if(d=c.defaultThumbnail)a.Z=cL(d),a.sampledThumbnailColor=d.sampledThumbnailColor;(d=g.K(null==c?void 0:c.videoDetails,Nza))&&tza(a,b,d);d=g.K(null==c?void 0:c.videoDetails,g.Oza);a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")||(a.Qk=!!c.addToWatchLaterButton);pza(a,c.shareButton);if(null==d?0:d.musicVideoType)a.musicVideoType=d.musicVideoType;var e,f,h,l,m;if(d=g.K(null==(e=a.kf)?void 0:null==(f=e.embedPreview)?void 0:null==(h= +f.thumbnailPreviewRenderer)?void 0:null==(l=h.playButton)?void 0:null==(m=l.buttonRenderer)?void 0:m.navigationEndpoint,g.oM))Wxa(a,d),a.videoId=d.videoId||a.videoId;c.videoDurationSeconds&&(a.lengthSeconds=Se(c.videoDurationSeconds));c.webPlayerActionsPorting&&kya(a,c.webPlayerActionsPorting);if(e=g.K(null==c?void 0:c.playlist,Pza)){a.bl=!0;f=[];h=Number(e.currentIndex);if(e.contents)for(l=0,m=e.contents.length;l(b?parseInt(b[1],10):NaN);c=a.B;c=("TVHTML5_CAST"===g.rJ(c)||"TVHTML5"===g.rJ(c)&&(c.j.cver.startsWith("6.20130725")||c.j.cver.startsWith("6.20130726")))&&"MUSIC"===a.B.j.ctheme;var d;if(d=!a.hj)c||(c=a.B,c="TVHTML5"===g.rJ(c)&&c.j.cver.startsWith("7")), +d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.K("cast_prefer_audio_only_for_atv_and_uploads")||a.K("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.hj=!0);return a.B.deviceIsAudioOnly||a.hj&&a.B.I}; +Yza=function(a){return isNaN(a)?0:Math.max((Date.now()-a)/1E3-30,0)}; +WM=function(a){return!(!a.xm||!a.B.I)&&a.Yu()}; +Zza=function(a){return a.enablePreroll&&a.enableServerStitchedDai}; +XM=function(a){if(a.mS||a.cotn||!a.j||a.j.isOtf)return!1;if(a.K("html5_use_sabr_requests_for_debugging"))return!0;var b=!a.j.fd&&!a.Pl(),c=b&&xM&&a.K("html5_enable_sabr_vod_streaming_xhr");b=b&&!xM&&a.K("html5_enable_sabr_vod_non_streaming_xhr");(c=c||b)&&!a.Cx&&a.xa("sabr",{loc:"m"});return c&&!!a.Cx}; +YM=function(a){return a.lS&&XM(a)}; +hza=function(a){var b;if(b=!!a.cotn)b=a.videoId,b=!!b&&1===g.ML(b);return b&&!a.xm}; +g.ZM=function(a){if(!a.j||!a.u||!a.I)return!1;var b=a.j.j;return!!b[a.u.id]&&GF(b[a.u.id].u.j)&&!!b[a.I.id]&&GF(b[a.I.id].u.j)}; +$M=function(a){return a.yx?["OK","LIVE_STREAM_OFFLINE"].includes(a.yx.status):!0}; +Qza=function(a){return(a=a.ym)&&a.showError?a.showError:!1}; +fM=function(a,b){return a.K(b)?!0:(a.fflags||"").includes(b+"=true")}; +$za=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; +$ya=function(a,b){b.inlineMetricEnabled&&(a.inlineMetricEnabled=!0);b.playback_progress_0s_url&&(a.Ax=new yya(b));if(b=b.video_masthead_ad_quartile_urls)a.cN=b.quartile_0_url,a.bZ=b.quartile_25_url,a.cZ=b.quartile_50_url,a.oQ=b.quartile_75_url,a.aZ=b.quartile_100_url,a.zx=b.quartile_0_urls,a.yN=b.quartile_25_urls,a.vO=b.quartile_50_urls,a.FO=b.quartile_75_urls,a.jN=b.quartile_100_urls}; +Zya=function(a){var b={};a=g.t(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; +eya=function(a){if(a){if(Lsa(a))return a;a=Msa(a);if(Lsa(a,!0))return a}return""}; +g.aAa=function(a){return a.captionsLanguagePreference||a.B.captionsLanguagePreference||g.DM(a,"yt:cc_default_lang")||a.B.Si}; +aN=function(a){return!(!a.isLivePlayback||!a.hasProgressBarBoundaries())}; +g.qM=function(a){var b;return a.Ow||(null==(b=a.suggestions)?void 0:b[0])||null}; +bN=function(a,b){this.j=a;this.oa=b||{};this.J=String(Math.floor(1E9*Math.random()));this.I={};this.Z=this.ea=0}; +bAa=function(a){return cN(a)&&1==a.getPlayerState(2)}; +cN=function(a){a=a.Rc();return void 0!==a&&2==a.getPlayerType()}; +dN=function(a){a=a.V();return sK(a)&&!g.FK(a)&&"desktop-polymer"==a.playerStyle}; +eN=function(a,b){var c=a.V();g.kK(c)||"3"!=c.controlsType||a.jb().SD(b)}; +gN=function(a,b,c,d,e,f){c=void 0===c?{}:c;this.componentType=a;this.renderer=void 0===b?null:b;this.macros=c;this.layoutId=d;this.interactionLoggingClientData=e;this.j=f;this.id=fN(a)}; +fN=function(a){return a+(":"+(Nq.getInstance().j++).toString(36))}; +hN=function(a){this.Y=a}; +cAa=function(a,b){if(0===b||1===b&&(a.Y.u&&g.BA?0:a.Y.u||g.FK(a.Y)||g.tK(a.Y)||uK(a.Y)||!g.BA))return!0;a=g.kf("video-ads");return null!=a&&"none"!==Km(a,"display")}; +dAa=function(a){switch(a){case "audio_audible":return"adaudioaudible";case "audio_measurable":return"adaudiomeasurable";case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression"; +case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression";case "viewable_impression":return"adviewableimpression";default:return null}}; +iN=function(){g.dE.call(this);var a=this;this.j={};g.bb(this,function(){for(var b=g.t(Object.keys(a.j)),c=b.next();!c.done;c=b.next())delete a.j[c.value]})}; +kN=function(){if(null===jN){jN=new iN;am(tp).u="b";var a=am(tp),b="h"==mp(a)||"b"==mp(a),c=!(fm(),!1);b&&c&&(a.D=!0,a.I=new Kja)}return jN}; +eAa=function(a,b,c){a.j[b]=c}; +fAa=function(){}; +lN=function(a,b,c){this.j=a;this.D=b;this.B=c;this.u=b.length;this.adBreakLengthSeconds=b.reduce(function(d,e){return d+e},0); +c=0;for(a+=1;a=c*a.D.mB||d)&&pK(a,"first_quartile");(b>=c*a.D.AB||d)&&pK(a,"midpoint");(b>=c*a.D.CB||d)&&pK(a,"third_quartile")}; -tK=function(a,b,c,d){if(null==a.F){if(cd||d>c)return;pK(a,b)}; -mK=function(a,b,c){if(0l.D&&l.Ye()}}; -lL=function(a){if(a.I&&a.R){a.R=!1;a=g.q(a.I.listeners);for(var b=a.next();!b.done;b=a.next()){var c=b.value;if(c.u){b=c.u;c.u=void 0;c.B=void 0;c=c.C();kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.df(b)}else S("Received AdNotify terminated event when no slot is active")}}}; -mL=function(a,b){BK.call(this,"ads-engagement-panel",a,b)}; -nL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e)}; -oL=function(a,b,c,d){BK.call(this,"invideo-overlay",a,b,c,d);this.u=d}; -pL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -qL=function(a,b){BK.call(this,"persisting-overlay",a,b)}; -rL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -sL=function(){BK.call(this,"ad-attribution-bar");this.adPodPositionInfoString=null;this.adPodPosition=0;this.adPodLength=1;this.adBreakLengthSeconds=0;this.adBadgeText=null;this.adBreakRemainingLengthSeconds=0;this.adBreakEndSeconds=null;this.adVideoId=""}; -g.tL=function(a,b){for(var c={},d=g.q(Object.keys(b)),e=d.next();!e.done;c={Ow:c.Ow},e=d.next())e=e.value,c.Ow=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.Ow}}(c)); +dBa=function(a,b,c){b.CPN=AN(function(){var d;(d=a.getVideoData(1))?d=d.clientPlaybackNonce:(g.DD(Error("Video data is null.")),d=null);return d}); +b.AD_MT=AN(function(){return Math.round(Math.max(0,1E3*(null!=c?c:a.getCurrentTime(2,!1)))).toString()}); +b.MT=AN(function(){return Math.round(Math.max(0,1E3*a.getCurrentTime(1,!1))).toString()}); +b.P_H=AN(function(){return a.jb().Ij().height.toString()}); +b.P_W=AN(function(){return a.jb().Ij().width.toString()}); +b.PV_H=AN(function(){return a.jb().getVideoContentRect().height.toString()}); +b.PV_W=AN(function(){return a.jb().getVideoContentRect().width.toString()})}; +fBa=function(a){a.CONN=AN(Ld("0"));a.WT=AN(function(){return Date.now().toString()})}; +DBa=function(a){var b=Object.assign({},{});b.MIDROLL_POS=zN(a)?AN(Ld(Math.round(a.j.start/1E3).toString())):AN(Ld("0"));return b}; +EBa=function(a){var b={};b.SLOT_POS=AN(Ld(a.B.j.toString()));return b}; +FBa=function(a){var b=a&&g.Vb(a,"load_timeout")?"402":"400",c={};return c.YT_ERROR_CODE=(3).toString(),c.ERRORCODE=b,c.ERROR_MSG=a,c}; +CN=function(a){for(var b={},c=g.t(GBa),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d];e&&(b[d]=e.toString())}return b}; +DN=function(){var a={};Object.assign.apply(Object,[a].concat(g.u(g.ya.apply(0,arguments))));return a}; +EN=function(){}; +HBa=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x;g.A(function(z){switch(z.j){case 1:e=!!b.scrubReferrer;f=g.xp(b.baseUrl,CBa(c,e,d));h={};if(!b.headers){z.Ka(2);break}l=g.t(b.headers);m=l.next();case 3:if(m.done){z.Ka(5);break}n=m.value;switch(n.headerType){case "VISITOR_ID":g.ey("VISITOR_DATA")&&(h["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));break;case "EOM_VISITOR_ID":g.ey("EOM_VISITOR_DATA")&&(h["X-Goog-EOM-Visitor-Id"]=g.ey("EOM_VISITOR_DATA"));break;case "USER_AUTH":return z.Ka(6);case "PLUS_PAGE_ID":(p= +a.B())&&(h["X-Goog-PageId"]=p);break;case "AUTH_USER":q=a.u();a.K("move_vss_away_from_login_info_cookie")&&q&&(h["X-Goog-AuthUser"]=q,h["X-Yt-Auth-Test"]="test");break;case "ATTRIBUTION_REPORTING_ELIGIBLE":h["Attribution-Reporting-Eligible"]="event-source"}z.Ka(4);break;case 6:r=a.j();if(!r.j){v=r.getValue();z.Ka(8);break}return g.y(z,r.j,9);case 9:v=z.u;case 8:(x=v)&&(h.Authorization="Bearer "+x);z.Ka(4);break;case 4:m=l.next();z.Ka(3);break;case 5:"X-Goog-EOM-Visitor-Id"in h&&"X-Goog-Visitor-Id"in +h&&delete h["X-Goog-Visitor-Id"];case 2:g.ZB(f,void 0,e,0!==Object.keys(h).length?h:void 0,"",!0),g.oa(z)}})}; +FN=function(a){this.Dl=a}; +JBa=function(a,b){var c=void 0===c?!0:c;var d=g.ey("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.Ui(window.location.href);e&&d.push(e);e=g.Ui(a);if(g.rb(d,e)||!e&&Rb(a,"/"))if(g.gy("autoescape_tempdata_url")&&(d=document.createElement("a"),g.xe(d,a),a=d.href),a&&(a=tfa(a),d=a.indexOf("#"),a=0>d?a:a.slice(0,d)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.FE()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c*a.j.YI||d)&&MN(a,"first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"midpoint");(b>=c*a.j.aK||d)&&MN(a,"third_quartile")}; +QBa=function(a,b,c,d){d=void 0===d?!1:d;(b>=c*a.j.YI||d)&&MN(a,"unmuted_first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"unmuted_midpoint");(b>=c*a.j.aK||d)&&MN(a,"unmuted_third_quartile")}; +QN=function(a,b,c,d){if(null==a.B){if(cd||d>c)return;MN(a,b)}; +NBa=function(a,b,c){if(0m.D&&m.Ei()}}; +ZBa=function(a,b){if(a.I&&a.ea){a.ea=!1;var c=a.u.j;if(gO(c)){var d=c.slot;c=c.layout;b=XBa(b);a=g.t(a.I.listeners);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=d,h=c,l=b;jO(e.j(),f,h,l);YBa(e.j(),f)}}else g.DD(Error("adMessageRenderer is not augmented on termination"))}}; +XBa=function(a){switch(a){case "adabandonedreset":return"user_cancelled";case "adended":return"normal";case "aderror":return"error";case void 0:return g.DD(Error("AdNotify abandoned")),"abandoned";default:return g.DD(Error("Unexpected eventType for adNotify exit")),"abandoned"}}; +g.kO=function(a,b,c){void 0===c?delete a[b.name]:a[b.name]=c}; +g.lO=function(a,b){for(var c={},d=g.t(Object.keys(b)),e=d.next();!e.done;c={II:c.II},e=d.next())e=e.value,c.II=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.II}}(c)); +return a}; +mO=function(a,b,c,d){this.j=a;this.C=b;this.u=BN(c);this.B=d}; +$Ba=function(a){for(var b={},c=g.t(Object.keys(a.u)),d=c.next();!d.done;d=c.next())d=d.value,b[d]=a.u[d].toString();return Object.assign(b,a.C)}; +aCa=function(a,b,c,d){new mO(a,b,c,d)}; +nO=function(a,b,c,d,e,f,h,l,m){ZN.call(this,a,b,c,d,e,1);var n=this;this.tG=!0;this.I=m;this.u=b;this.C=f;this.ea=new Jz(this);g.E(this,this.ea);this.D=new g.Ip(function(){n.Lo("load_timeout")},1E4); +g.E(this,this.D);this.T=h}; +bCa=function(a){if(a.T&&(a.F.V().experiments.ob("enable_topsoil_wta_for_halftime")||a.F.V().experiments.ob("enable_topsoil_wta_for_halftime_live_infra"))){var b=a.u.B,c=b.C,d=b.B,e=b.j;b=b.D;if(void 0===c)g.CD(Error("Expected ad break start time when a DAI ad starts"));else if(void 0===d)g.CD(Error("Expected ad break end time when a DAI ad starts"));else return e=b.slice(0,e).reduce(function(f,h){return f+h},0),Math.min(Math.max((d-c)/1E3-e,0),a.u.u)}}; +qO=function(a,b){if(null!==a.I){var c=cCa(a);a=g.t(a.I.listeners);for(var d=a.next();!d.done;d=a.next()){d=d.value;var e=c;var f=b,h=!1;d.j||"aderror"!==f||(dCa(d,e,[],!1),eCa(d.B(),d.u),fCa(d.B(),d.u),gCa(d.B(),d.u),h=!0);if(d.j&&d.j.layoutId===e){switch(f){case "adabandoned":e="abandoned";break;case "aderror":e="error";break;default:e="normal"}jO(d.B(),d.u,d.j,e);if(h){e=d.B();h=d.u;oO(e.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",h);e=g.t(e.Fd);for(f=e.next();!f.done;f=e.next())f.value.Rj(h);YBa(d.B(), +d.u)}d.Ca.get().F.V().K("html5_send_layout_unscheduled_signal_for_externally_managed")&&d.C&&pO(d.B(),d.u,d.j);d.u=null;d.j=null;d.C=!1}}}}; +rO=function(a){return(a=a.F.getVideoData(2))?a.clientPlaybackNonce:""}; +cCa=function(a){if(a=a.u.j.elementId)return a;g.CD(Error("No elementId on VideoAd InstreamVideoAdRenderer"));return""}; +hCa=function(a){function b(h,l){h=a.j8;var m=Object.assign({},{});m.FINAL=AN(Ld("1"));m.SLOT_POS=AN(Ld("0"));return DN(h,CN(m),l)} +function c(h){return null==h?{create:function(){return null}}:{create:function(l,m,n){var p=b(l,m); +m=a.PP(l,p);l=h(l,p,m,n);g.E(l,m);return l}}} +var d=c(function(h,l,m){return new bO(a.F,h,l,m,a.DB,a.xe)}),e=c(function(h,l,m){return new iO(a.F,h,l,m,a.DB,a.xe,a.Tm,a.zq)}),f=c(function(h,l,m){return new eO(a.F,h,l,m,a.DB,a.xe)}); +this.F1=new VBa({create:function(h,l){var m=DN(b(h,l),CN(EBa(h)));l=a.PP(h,m);h=new nO(a.F,h,m,l,a.DB,a.xe,a.daiEnabled,function(){return new aCa(a.xe,m,a.F,a.Wl)},a.Aq,a.Di); +g.E(h,l);return h}},d,e,f)}; +sO=function(a,b){this.u=a;this.j={};this.B=void 0===b?!1:b}; +iCa=function(a,b){var c=a.startSecs+a.Sg;c=0>=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}b=Math.max(a.startSecs,0);return{B2:new iq(b,c),j4:new PD(b,c-b,a.context,a.identifier,a.event,a.j)}}; +tO=function(){this.j=[]}; +uO=function(a,b,c){var d=g.Jb(a.j,b);if(0<=d)return b;b=-d-1;return b>=a.j.length||a.j[b]>c?null:a.j[b]}; +jCa=function(){this.j=new tO}; +vO=function(a){this.j=a}; +kCa=function(a){a=[a,a.C].filter(function(d){return!!d}); +for(var b=g.t(a),c=b.next();!c.done;c=b.next())c.value.u=!0;return a}; +lCa=function(a,b,c){this.B=a;this.u=b;this.j=c;a.getCurrentTime()}; +mCa=function(a,b,c){a.j&&wO({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; +nCa=function(a,b){a.j&&wO({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.T1}})}; +oCa=function(a,b){wO({daiStateTrigger:{errorType:a,contentCpn:b}})}; +wO=function(a){g.rA("adsClientStateChange",a)}; +xO=function(a){this.F=a;this.adVideoId=this.j=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.u=this.cg=!1;this.adFormat=null;this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="VIDEO_STREAM_TYPE_VOD"}; +qCa=function(a,b,c,d,e,f){f();var h=a.F.getVideoData(1),l=a.F.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId,a.j=h.T);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=d?f():(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=e?"VIDEO_STREAM_TYPE_LIVE":"VIDEO_STREAM_TYPE_VOD","unknown_type"!==a.actionType&&(a.cg=!0,aF("_start",a.actionType)&&pCa(a)))}; +rCa=function(a,b){a=g.t(b);for(b=a.next();!b.done;b=a.next())if((b=b.value.renderer)&&(b.instreamVideoAdRenderer||b.linearAdSequenceRenderer||b.sandwichedLinearAdRenderer||b.instreamSurveyAdRenderer)){eF("ad_i");bF({isMonetized:!0});break}}; +pCa=function(a){if(a.cg)if(a.F.K("html5_no_video_to_ad_on_preroll_reset")&&"AD_PLACEMENT_KIND_START"===a.B&&"video_to_ad"===a.actionType)$E("video_to_ad");else if(a.F.K("web_csi_via_jspb")){var b=new Bx;b=H(b,8,2);var c=new Dx;c=H(c,21,sCa(a.B));c=H(c,7,4);b=I(c,Bx,22,b);b=H(b,53,a.videoStreamType);"ad_to_video"===a.actionType?(a.contentCpn&&H(b,76,a.contentCpn),a.videoId&&H(b,78,a.videoId)):(a.adCpn&&H(b,76,a.adCpn),a.adVideoId&&H(b,78,a.adVideoId));a.adFormat&&H(b,12,a.adFormat);a.contentCpn&&H(b, +8,a.contentCpn);a.videoId&&b.setVideoId(a.videoId);a.adCpn&&H(b,28,a.adCpn);a.adVideoId&&H(b,20,a.adVideoId);g.my(VE)(b,a.actionType)}else b={adBreakType:tCa(a.B),playerType:"LATENCY_PLAYER_HTML5",playerInfo:{preloadType:"LATENCY_PLAYER_PRELOAD_TYPE_PREBUFFER"},videoStreamType:a.videoStreamType},"ad_to_video"===a.actionType?(a.contentCpn&&(b.targetCpn=a.contentCpn),a.videoId&&(b.targetVideoId=a.videoId)):(a.adCpn&&(b.targetCpn=a.adCpn),a.adVideoId&&(b.targetVideoId=a.adVideoId)),a.adFormat&&(b.adType= +a.adFormat),a.contentCpn&&(b.clientPlaybackNonce=a.contentCpn),a.videoId&&(b.videoId=a.videoId),a.adCpn&&(b.adClientPlaybackNonce=a.adCpn),a.adVideoId&&(b.adVideoId=a.adVideoId),bF(b,a.actionType)}; +tCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"LATENCY_AD_BREAK_TYPE_PREROLL";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"LATENCY_AD_BREAK_TYPE_MIDROLL";case "AD_PLACEMENT_KIND_END":return"LATENCY_AD_BREAK_TYPE_POSTROLL";default:return"LATENCY_AD_BREAK_TYPE_UNKNOWN"}}; +sCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return 1;case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return 2;case "AD_PLACEMENT_KIND_END":return 3;default:return 0}}; +g.vCa=function(a){return(a=uCa[a.toString()])?a:"LICENSE"}; +g.zO=function(a){g.yO?a=a.keyCode:(a=a||window.event,a=a.keyCode?a.keyCode:a.which);return a}; +AO=function(a){if(g.yO)a=new g.Fe(a.pageX,a.pageY);else{a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));a=new g.Fe(b,c)}return a}; +g.BO=function(a){return g.yO?a.target:Ioa(a)}; +CO=function(a){if(g.yO)var b=a.composedPath()[0];else a=a||window.event,a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path,b=b&&b.length?b[0]:Ioa(a);return b}; +g.DO=function(a){g.yO?a=a.defaultPrevented:(a=a||window.event,a=!1===a.returnValue||a.UU&&a.UU());return a}; +wCa=function(a,b){if(g.yO){var c=function(){var d=g.ya.apply(0,arguments);a.removeEventListener("playing",c);b.apply(null,g.u(d))}; +a.addEventListener("playing",c)}else g.Loa(a,"playing",b)}; +g.EO=function(a){g.yO?a.preventDefault():Joa(a)}; +FO=function(){g.C.call(this);this.xM=!1;this.B=null;this.T=this.J=!1;this.D=new g.Fd;this.va=null;g.E(this,this.D)}; +GO=function(a){a=a.dC();return 1>a.length?NaN:a.end(a.length-1)}; +xCa=function(a){!a.u&&Dva()&&(a.C?a.C.then(function(){return xCa(a)}):a.Qf()||(a.u=a.zs()))}; +yCa=function(a){a.u&&(a.u.dispose(),a.u=void 0)}; +yI=function(a,b,c){var d;(null==(d=a.va)?0:d.Rd())&&a.va.xa("rms",b,void 0===c?!1:c)}; +zCa=function(a,b,c){a.Ip()||a.getCurrentTime()>b||10d.length||(d[0]in tDa&&(f.clientName=tDa[d[0]]),d[1]in uDa&&(f.platform=uDa[d[1]]),f.applicationState=h,f.clientVersion=2=d.B&&(d.u=d.B,d.Za.stop());e=d.u/1E3;d.F&&d.F.sc(e);GL(d,{current:e,duration:d.B/1E3})}); -g.D(this,this.Za);this.u=0;this.C=null;g.eg(this,function(){d.C=null}); -this.D=0}; -GL=function(a,b){a.I.xa("onAdPlaybackProgress",b);a.C=b}; -IL=function(a){BK.call(this,"survey",a)}; -JL=function(a,b,c,d,e,f,h){HK.call(this,a,b,c,d,e,1);var l=this;this.D=b;this.C=new rt;g.D(this,this.C);this.C.N(this.J,"resize",function(){450>g.cG(l.J).getPlayerSize().width&&(g.ut(l.C),l.oe())}); -this.K=0;this.I=h(this,function(){return""+(Date.now()-l.K)}); -if(this.u=g.wD(a.T())?new HL(1E3*b.B,a,f):null)g.D(this,this.u),this.C.N(a,"onAdPlaybackProgress",function(m){m.current===m.duration&&(m=l.D.u,(m=m.questions&&m.questions[0])?(m=(m=m.instreamSurveyAdMultiSelectQuestionRenderer||m.instreamSurveyAdSingleSelectQuestionRenderer)&&m.surveyAdQuestionCommon,zL(l.I.u,m&&m.timeoutCommands)):g.Hs(Error("Expected a survey question in InstreamSurveyAdRenderer.")))})}; -KL=function(a,b){BK.call(this,"survey-interstitial",a,b)}; -LL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e,1);this.u=b}; -ML=function(a){BK.call(this,"ad-text-interstitial",a)}; -NL=function(a,b,c,d,e,f){HK.call(this,a,b,c,d,e);this.C=b;this.u=b.u.durationMilliseconds||0;this.Za=null;this.D=f}; -OL=function(a,b){var c=void 0===c?!0:c;var d=g.L("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.yd(window.location.href);e&&d.push(e);e=g.yd(a);if(g.jb(d,e)||!e&&nc(a,"/"))if(g.vo("autoescape_tempdata_url")&&(d=document.createElement("a"),g.jd(d,a),a=d.href),a&&(d=Ad(a),e=d.indexOf("#"),d=0>e?d:d.substr(0,e)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.Rt()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}var d=Math.max(a.startSecs,0);return{PJ:new Gn(d,c),hL:new yu(d,c-d,a.context,a.identifier,a.event,a.u)}}; -gM=function(){this.u=[]}; -hM=function(a,b,c){var d=g.xb(a.u,b);if(0<=d)return b;b=-d-1;return b>=a.u.length||a.u[b]>c?null:a.u[b]}; -tma=function(a){this.B=new gM;this.u=new fM(a.QJ,a.DR,a.tR)}; -iM=function(){yJ.apply(this,arguments)}; -jM=function(a){iM.call(this,a);g.Oc((a.image&&a.image.thumbnail?a.image.thumbnail.thumbnails:null)||[],function(b){return new g.ie(b.width,b.height)})}; -kM=function(a){this.u=a}; -lM=function(a){a=[a,a.C].filter(function(d){return!!d}); -for(var b=g.q(a),c=b.next();!c.done;c=b.next())c.value.deactivate();return a}; -nM=function(a,b){var c=a.u;g.mm(function(){return mM(c,b,1)})}; -uma=function(a,b,c){this.C=a;this.u=b;this.B=c;this.D=a.getCurrentTime()}; -wma=function(a,b){var c=void 0===c?Date.now():c;if(a.B)for(var d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=c,h=a.u;oM({cuepointTrigger:{type:"CUEPOINT_TYPE_AD",event:vma(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:f,contentCpn:h}});"unknown"===e.event&&pM("DAI_ERROR_TYPE_CUEPOINT_WITH_INVALID_EVENT",a.u);e=e.startSecs+e.u/1E3;e>a.D&&a.C.getCurrentTime()>e&&pM("DAI_ERROR_TYPE_LATE_CUEPOINT", -a.u)}}; -xma=function(a,b,c){a.B&&oM({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; -qM=function(a,b){a.B&&oM({driftRecoveryInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,driftRecoveryMs:b.driftRecoveryMs.toString(),breakDurationMs:Math.round(b.pE-b.CG).toString(),driftFromHeadMs:Math.round(1E3*a.C.Ni()).toString()}})}; -yma=function(a,b){a.B&&oM({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.zJ}})}; -pM=function(a,b){oM({daiStateTrigger:{errorType:a,contentCpn:b}})}; -oM=function(a){g.Nq("adsClientStateChange",a)}; -vma=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START"}}; -rM=function(a){this.J=a;this.preloadType="2";this.adVideoId=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.D=this.u=this.Jh=!1;this.adFormat=null;this.clientName=(a=!g.Q(this.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch"))?this.J.T().deviceParams.c:g.L("INNERTUBE_CLIENT_NAME",void 0);this.clientVersion=a?this.J.T().deviceParams.cver:g.L("INNERTUBE_CLIENT_VERSION",void 0);this.F=a?this.J.T().deviceParams.cbrand:"";this.I=a?this.J.T().deviceParams.cmodel:"";this.playerType= -"html5";this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="vod"}; -tM=function(a,b,c,d,e,f){sM(a);var h=a.J.getVideoData(1),l=a.J.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=e?sM(a):(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=f?"live":"vod",a.D=d+1===e,a.Jh=!0,a.Jh&&(OE("c",a.clientName,a.actionType),OE("cver",a.clientVersion,a.actionType),g.Q(a.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch")|| -(OE("cbrand",a.F,a.actionType),OE("cmodel",a.I,a.actionType)),OE("yt_pt",a.playerType,a.actionType),OE("yt_pre",a.preloadType,a.actionType),OE("yt_abt",zma(a.B),a.actionType),a.contentCpn&&OE("cpn",a.contentCpn,a.actionType),a.videoId&&OE("docid",a.videoId,a.actionType),a.adCpn&&OE("ad_cpn",a.adCpn,a.actionType),a.adVideoId&&OE("ad_docid",a.adVideoId,a.actionType),OE("yt_vst",a.videoStreamType,a.actionType),a.adFormat&&OE("ad_at",a.adFormat,a.actionType)))}; -sM=function(a){a.contentCpn=null;a.adCpn=null;a.videoId=null;a.adVideoId=null;a.adFormat=null;a.B="AD_PLACEMENT_KIND_UNKNOWN";a.actionType="unknown_type";a.Jh=!1;a.u=!1}; -uM=function(a){a.u=!1;SE("video_to_ad",["apbs"],void 0,void 0)}; -wM=function(a){a.D?vM(a):(a.u=!1,SE("ad_to_ad",["apbs"],void 0,void 0))}; -vM=function(a){a.u=!1;SE("ad_to_video",["pbresume"],void 0,void 0)}; -xM=function(a){a.Jh&&!a.u&&(a.C=!1,a.u=!0,"ad_to_video"!==a.actionType&&PE("apbs",void 0,a.actionType))}; -zma=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"1";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"2";case "AD_PLACEMENT_KIND_END":return"3";default:return"unknown"}}; -yM=function(){}; -g.zM=function(a){return(a=Ama[a.toString()])?a:"LICENSE"}; -g.AM=function(a,b){this.stateData=void 0===b?null:b;this.state=a||64}; -BM=function(a,b,c){return b===a.state&&c===a.stateData||void 0!==b&&(b&128&&!c||b&2&&b&16)?a:new g.AM(b,c)}; -CM=function(a,b){return BM(a,a.state|b)}; -DM=function(a,b){return BM(a,a.state&~b)}; -EM=function(a,b,c){return BM(a,(a.state|b)&~c)}; -g.U=function(a,b){return!!(a.state&b)}; -g.FM=function(a,b){return b.state===a.state&&b.stateData===a.stateData}; -g.GM=function(a){return g.U(a,8)&&!g.U(a,2)&&!g.U(a,1024)}; -HM=function(a){return a.Hb()&&!g.U(a,16)&&!g.U(a,32)}; -Bma=function(a){return g.U(a,8)&&g.U(a,16)}; -g.IM=function(a){return g.U(a,1)&&!g.U(a,2)}; -JM=function(a){return g.U(a,128)?-1:g.U(a,2)?0:g.U(a,64)?-1:g.U(a,1)&&!g.U(a,32)?3:g.U(a,8)?1:g.U(a,4)?2:-1}; -LM=function(a){var b=g.Ke(g.Mb(KM),function(c){return!!(a&KM[c])}); -g.zb(b);return"yt.player.playback.state.PlayerState<"+b.join(",")+">"}; -MM=function(a,b,c,d,e,f,h,l){g.O.call(this);this.Xc=a;this.J=b;this.u=d;this.F=this.u.B instanceof yJ?this.u.B:null;this.B=null;this.aa=!1;this.K=c;this.X=(a=b.getVideoData(1))&&a.isLivePlayback||!1;this.fa=0;this.ha=!1;this.xh=e;this.Tn=f;this.zk=h;this.Y=!1;this.daiEnabled=l}; -NM=function(a){if(cK(a.J)){var b=a.J.getVideoData(2),c=a.u.P[b.Hc]||null;if(!c)return g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended because no mapped ad is found",void 0,void 0,{adCpn:b.clientPlaybackNonce,contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.Ii(),!0;if(!a.B||a.B&&a.B.ad!==c)g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator played an ad due to ad to ad transition",void 0,void 0,{adCpn:b.clientPlaybackNonce, -contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.je(c)}else if(1===a.J.getPresentingPlayerType()&&(g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended due to ad to content transition",void 0,void 0,{contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.B))return a.Ii(),!0;return!1}; -OM=function(a){(a=a.baseUrl)&&g.pu(a,void 0,dn(a))}; -PM=function(a,b){tM(a.K,a.u.u.u,b,a.WC(),a.YC(),a.isLiveStream())}; -RM=function(a){QM(a.Xc,a.u.u,a);a.daiEnabled&&!a.u.R&&(Cma(a,a.ZC()),a.u.R=!0)}; -Cma=function(a,b){for(var c=SM(a),d=a.u.u.start,e=[],f=g.q(b),h=f.next();!h.done;h=f.next()){h=h.value;if(c<=d)break;var l=TM(h);e.push({externalVideoId:h.C,originalMediaDurationMs:(1E3*h.B).toString(),trimmedMediaDurationMs:(parseInt(h.u.trimmedMaxNonSkippableAdDurationMs,10)||0).toString()});l=d+l;var m=Math.min(l,c);h.D.D=a.u.u.start;h.D.C=c;if(!Dma(a,h,d,m)||l!==m)break;d=l}c=b.reduce(function(n,p){return n+TM(p)},0); -xma(a.xh,Cia(a.u.u),c);yma(a.xh,{cueIdentifier:a.u.C&&a.u.C.identifier,zJ:e})}; -TM=function(a){var b=1E3*a.B;return 0a.width*a.height*.2)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") to container("+NO(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") covers container("+NO(a)+") center."}}; -Eoa=function(a,b){var c=X(a.va,"metadata_type_ad_placement_config");return new GO(a.kd,b,c,a.layoutId)}; -QO=function(a){return X(a.va,"metadata_type_invideo_overlay_ad_renderer")}; -RO=function(a){return g.Q(a.T().experiments,"html5_enable_in_video_overlay_ad_in_pacf")}; -SO=function(a,b,c,d){W.call(this,a,b,{G:"div",L:"ytp-ad-overlay-slot",S:[{G:"div",L:"ytp-ad-overlay-container"}]},"invideo-overlay",c,d);this.P=[];this.F=this.Ta=this.Aa=null;a=this.ka("ytp-ad-overlay-container");this.za=new qO(a,45E3,6E3,.3,.4);g.D(this,this.za);RO(this.api)||(this.ma=new g.F(this.clear,45E3,this),g.D(this,this.ma));this.D=Foa(this);g.D(this,this.D);this.D.ga(a);this.C=Goa(this);g.D(this,this.C);this.C.ga(a);this.B=Hoa(this);g.D(this,this.B);this.B.ga(a);this.Ya=this.ia=null;this.Ga= -!1;this.I=null;this.Y=0;this.hide()}; -Foa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-text-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -Goa=function(a){var b=new g.KN({G:"div",la:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-text-image",S:[{G:"img",U:{src:"{{imageUrl}}"}}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], -Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);a.N(b.ka("ytp-ad-overlay-text-image"),"click",a.MQ);b.hide();return b}; -Hoa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-image-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-image",S:[{G:"img",U:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.N(b.ka("ytp-ad-overlay-image"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -VO=function(a,b){if(b){var c=b.adHoverTextButtonRenderer||null;if(null==c)M(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else{var d=g.se("video-ads ytp-ad-module")||null;null==d?M(Error("Could not locate the root ads container element to attach the ad info dialog.")):(a.ia=new g.KN({G:"div",L:"ytp-ad-overlay-ad-info-dialog-container"}),g.D(a,a.ia),a.ia.ga(d),d=new FO(a.api,a.Ha,a.layoutId,a.u,a.ia.element,!1),g.D(a,d),d.init(AK("ad-info-hover-text-button"),c,a.macros),a.I? -(d.ga(a.I,0),d.subscribe("k",a.TN,a),d.subscribe("j",a.xP,a),a.N(a.I,"click",a.UN),c=g.se("ytp-ad-button",d.element),a.N(c,"click",a.zN),a.Ya=d):M(Error("Ad info button container within overlay ad was not present.")))}}else g.Fo(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; -Ioa=function(a){return a.F&&a.F.closeButton&&a.F.closeButton.buttonRenderer&&(a=a.F.closeButton.buttonRenderer,a.serviceEndpoint)?[a.serviceEndpoint]:[]}; -Joa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.D.element,b.trackingParams||null);a.D.ya("title",LN(b.title));a.D.ya("description",LN(b.description));a.D.ya("displayUrl",LN(b.displayUrl));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.D.show();a.za.start();RN(a,a.D.element,!0);RO(a.api)||(a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}),a.N(a.api,"minimized",a.uP)); -a.N(a.D.element,"mouseover",function(){a.Y++}); -return!0}; -Koa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.C.element,b.trackingParams||null);a.C.ya("title",LN(b.title));a.C.ya("description",LN(b.description));a.C.ya("displayUrl",LN(b.displayUrl));a.C.ya("imageUrl",Mna(b.image));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.Ta=b.imageNavigationEndpoint||null;a.C.show();a.za.start();RN(a,a.C.element,!0);RO(a.api)||a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}); -a.N(a.C.element,"mouseover",function(){a.Y++}); -return!0}; -Loa=function(a,b){if(a.api.app.visibility.u)return!1;var c=Nna(b.image),d=c;c.widthe&&(h+="0"));if(0f&&(h+="0");h+=f+":";10>c&&(h+="0");d=h+c}return 0<=a?d:"-"+d}; -g.cP=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; -dP=function(a,b,c,d,e,f){gO.call(this,a,b,{G:"span",L:"ytp-ad-duration-remaining"},"ad-duration-remaining",c,d,e);this.C=null;this.D=f;this.hide()}; -eP=function(a,b,c,d){kO.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; -fP=function(a,b,c,d,e){gO.call(this,a,b,{G:"div",la:["ytp-flyout-cta","ytp-flyout-cta-inactive"],S:[{G:"div",L:"ytp-flyout-cta-icon-container"},{G:"div",L:"ytp-flyout-cta-body",S:[{G:"div",L:"ytp-flyout-cta-text-container",S:[{G:"div",L:"ytp-flyout-cta-headline-container"},{G:"div",L:"ytp-flyout-cta-description-container"}]},{G:"div",L:"ytp-flyout-cta-action-button-container"}]}]},"flyout-cta",c,d,e);this.D=new TN(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-icon");g.D(this,this.D);this.D.ga(this.ka("ytp-flyout-cta-icon-container")); -this.P=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-headline");g.D(this,this.P);this.P.ga(this.ka("ytp-flyout-cta-headline-container"));this.I=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-description");g.D(this,this.I);this.I.ga(this.ka("ytp-flyout-cta-description-container"));this.C=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-flyout-cta-action-button"]);g.D(this,this.C);this.C.ga(this.ka("ytp-flyout-cta-action-button-container"));this.Y=null;this.ia=0;this.hide()}; -gP=function(a,b,c,d,e,f){e=void 0===e?[]:e;f=void 0===f?"toggle-button":f;var h=AK("ytp-ad-toggle-button-input");W.call(this,a,b,{G:"div",la:["ytp-ad-toggle-button"].concat(e),S:[{G:"label",L:"ytp-ad-toggle-button-label",U:{"for":h},S:[{G:"span",L:"ytp-ad-toggle-button-icon",U:{role:"button","aria-label":"{{tooltipText}}"},S:[{G:"span",L:"ytp-ad-toggle-button-untoggled-icon",Z:"{{untoggledIconTemplateSpec}}"},{G:"span",L:"ytp-ad-toggle-button-toggled-icon",Z:"{{toggledIconTemplateSpec}}"}]},{G:"input", -L:"ytp-ad-toggle-button-input",U:{id:h,type:"checkbox"}},{G:"span",L:"ytp-ad-toggle-button-text",Z:"{{buttonText}}"},{G:"span",L:"ytp-ad-toggle-button-tooltip",Z:"{{tooltipText}}"}]}]},f,c,d);this.D=this.ka("ytp-ad-toggle-button");this.B=this.ka("ytp-ad-toggle-button-input");this.ka("ytp-ad-toggle-button-label");this.Y=this.ka("ytp-ad-toggle-button-icon");this.I=this.ka("ytp-ad-toggle-button-untoggled-icon");this.F=this.ka("ytp-ad-toggle-button-toggled-icon");this.ia=this.ka("ytp-ad-toggle-button-text"); -this.C=null;this.P=!1;this.hide()}; -hP=function(a){a.P&&(a.isToggled()?(g.Mg(a.I,!1),g.Mg(a.F,!0)):(g.Mg(a.I,!0),g.Mg(a.F,!1)))}; -Ooa=function(a,b){var c=null;a.C&&(c=(b?[a.C.defaultServiceEndpoint,a.C.defaultNavigationEndpoint]:[a.C.toggledServiceEndpoint]).filter(function(d){return null!=d})); +wQ=function(){g.C.call(this);var a=this;this.j=new Map;this.u=Koa(function(b){if(b.target&&(b=a.j.get(b.target))&&b)for(var c=0;cdocument.documentMode)d=Rc;else{var e=document;"function"===typeof HTMLTemplateElement&&(e=g.Fe("TEMPLATE").content.ownerDocument);e=e.implementation.createHTMLDocument("").createElement("DIV");e.style.cssText=d;d=Gda(e.style)}c=Eaa(d,Sc({"background-image":'url("'+c+'")'}));a.style.cssText=Nc(c)}}; -$oa=function(a){var b=g.se("html5-video-player");b&&g.J(b,"ytp-ad-display-override",a)}; -AP=function(a,b){b=void 0===b?2:b;g.O.call(this);this.u=a;this.B=new rt(this);g.D(this,this.B);this.F=apa;this.D=null;this.B.N(this.u,"presentingplayerstatechange",this.vN);this.D=this.B.N(this.u,"progresssync",this.hF);this.C=b;1===this.C&&this.hF()}; -CP=function(a,b){BN.call(this,a);this.D=a;this.K=b;this.B={};var c=new g.V({G:"div",la:["video-ads","ytp-ad-module"]});g.D(this,c);fD&&g.I(c.element,"ytp-ads-tiny-mode");this.F=new EN(c.element);g.D(this,this.F);g.BP(this.D,c.element,4);g.D(this,noa())}; -bpa=function(a,b){var c=a.B;var d=b.id;c=null!==c&&d in c?c[d]:null;null==c&&g.Fo(Error("Component not found for element id: "+b.id));return c||null}; -DP=function(a){this.controller=a}; -EP=function(a){this.Xp=a}; -FP=function(a){this.Xp=a}; -GP=function(a,b,c){this.Xp=a;this.vg=b;this.Wh=c}; -dpa=function(a,b,c){var d=a.Xp();switch(b.type){case "SKIP":b=!1;for(var e=g.q(a.vg.u.entries()),f=e.next();!f.done;f=e.next()){f=g.q(f.value);var h=f.next().value;f.next();"SLOT_TYPE_PLAYER_BYTES"===h.ab&&"core"===h.bb&&(b=!0)}b?(c=cpa(a,c))?a.Wh.Eq(c):S("No triggering layout ID available when attempting to mute."):g.mm(function(){d.Ii()})}}; -cpa=function(a,b){if(b)return b;for(var c=g.q(a.vg.u.entries()),d=c.next();!d.done;d=c.next()){var e=g.q(d.value);d=e.next().value;e=e.next().value;if("SLOT_TYPE_IN_PLAYER"===d.ab&&"core"===d.bb)return e.layoutId}}; -HP=function(){}; -IP=function(){}; -JP=function(){}; -KP=function(a,b){this.Ip=a;this.Fa=b}; -LP=function(a){this.J=a}; -MP=function(a,b){this.ci=a;this.Fa=b}; -fpa=function(a){g.C.call(this);this.u=a;this.B=epa(this)}; -epa=function(a){var b=new oN;g.D(a,b);a=g.q([new DP(a.u.tJ),new KP(a.u.Ip,a.u.Fa),new EP(a.u.uJ),new LP(a.u.J),new MP(a.u.ci,a.u.Fa),new GP(a.u.KN,a.u.vg,a.u.Wh),new FP(a.u.FJ),new IP,new JP,new HP]);for(var c=a.next();!c.done;c=a.next())c=c.value,hna(b,c),ina(b,c);a=g.q(["adInfoDialogEndpoint","adFeedbackEndpoint"]);for(c=a.next();!c.done;c=a.next())lN(b,c.value,function(){}); -return b}; -NP=function(a,b,c){if(c&&!c.includes(a.layoutType))return!1;b=g.q(b);for(c=b.next();!c.done;c=b.next())if(!a.va.u.has(c.value))return!1;return!0}; -OP=function(a){var b=new Map;a.forEach(function(c){b.set(c.u(),c)}); -this.u=b}; -X=function(a,b){var c=a.u.get(b);if(void 0!==c)return c.get()}; -PP=function(a){return Array.from(a.u.keys())}; -hpa=function(a){var b;return(null===(b=gpa.get(a))||void 0===b?void 0:b.gs)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"}; -QP=function(a,b){var c={type:b.ab,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};b.hc&&(c.entryTriggerType=jpa.get(b.hc.triggerType)||"TRIGGER_TYPE_UNSPECIFIED");1!==b.feedPosition&&(c.feedPosition=b.feedPosition);if(a){c.debugData={slotId:b.slotId};var d=b.hc;d&&(c.debugData.slotEntryTriggerData=kpa(d))}return c}; -lpa=function(a,b){var c={type:b.layoutType,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};a&&(c.debugData={layoutId:b.layoutId});return c}; -kpa=function(a,b){var c={type:jpa.get(a.triggerType)||"TRIGGER_TYPE_UNSPECIFIED"};b&&(c.category=mpa.get(b)||"TRIGGER_CATEGORY_UNSPECIFIED");null!=a.B&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedSlotId=a.B);null!=a.u&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedLayoutId=a.u);return c}; -opa=function(a,b,c,d){b={opportunityType:npa.get(b)||"OPPORTUNITY_TYPE_UNSPECIFIED"};a&&(d||c)&&(b.debugData={slots:g.Oc(d||[],function(e){return QP(a,e)}), -associatedSlotId:c});return b}; -SP=function(a,b){return function(c){return ppa(RP(a),b.slotId,b.ab,b.feedPosition,b.bb,b.hc,c.layoutId,c.layoutType,c.bb)}}; -ppa=function(a,b,c,d,e,f,h,l,m){return{adClientDataEntry:{slotData:QP(a,{slotId:b,ab:c,feedPosition:d,bb:e,hc:f,Me:[],Af:[],va:new OP([])}),layoutData:lpa(a,{layoutId:h,layoutType:l,bb:m,ae:[],wd:[],ud:[],be:[],kd:new Map,va:new OP([]),td:{}})}}}; -TP=function(a){this.Ca=a;this.u=.1>Math.random()}; -RP=function(a){return a.u||g.Q(a.Ca.get().J.T().experiments,"html5_force_debug_data_for_client_tmp_logs")}; -UP=function(a,b,c,d){g.C.call(this);this.B=b;this.Gb=c;this.Ca=d;this.u=a(this,this,this,this,this);g.D(this,this.u);a=g.q(b);for(b=a.next();!b.done;b=a.next())g.D(this,b.value)}; -VP=function(a,b){a.B.add(b);g.D(a,b)}; -XP=function(a,b,c){S(c,b,void 0,void 0,c.Ul);WP(a,b,!0)}; -rpa=function(a,b,c){if(YP(a.u,b))if(ZP(a.u,b).D=c?"filled":"not_filled",null===c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_EMPTY",b);c=g.q(a.B);for(var d=c.next();!d.done;d=c.next())d.value.lj(b);WP(a,b,!1)}else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_NON_EMPTY",b,c);var e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.mj(b);if(ZP(a.u,b).F)WP(a,b,!1);else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_LAYOUT_REQUESTED",b,c);try{var f=a.u;if(!ZP(f,b))throw new aQ("Unknown slotState for onLayout"); -if(!f.hd.Yj.get(b.ab))throw new aQ("No LayoutRenderingAdapterFactory registered for slot of type: "+b.ab);if(g.kb(c.ae)&&g.kb(c.wd)&&g.kb(c.ud)&&g.kb(c.be))throw new aQ("Layout has no exit triggers.");bQ(f,0,c.ae);bQ(f,1,c.wd);bQ(f,2,c.ud);bQ(f,6,c.be)}catch(n){a.Nf(b,c,n);WP(a,b,!0);return}a.u.Nn(b);try{var h=a.u,l=ZP(h,b),m=h.hd.Yj.get(b.ab).get().u(h.D,h.B,b,c);m.init();l.layout=c;if(l.C)throw new aQ("Already had LayoutRenderingAdapter registered for slot");l.C=m;cQ(h,l,0,c.ae);cQ(h,l,1,c.wd); -cQ(h,l,2,c.ud);cQ(h,l,6,c.be)}catch(n){dQ(a,b);WP(a,b,!0);a.Nf(b,c,n);return}$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.ai(b,c);dQ(a,b);qpa(a,b)}}}; -eQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.ai(b,c)}; -spa=function(a,b){kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLMENT_CANCELLED",b);YP(a.u,b)&&(ZP(a.u,b).D="fill_canceled",WP(a,b,!1))}; -fQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.xd(b,c)}; -$L=function(a,b,c,d){$P(a.Gb,hpa(d),b,c);a=g.q(a.B);for(var e=a.next();!e.done;e=a.next())e.value.yd(b,c,d)}; -dQ=function(a,b){if(YP(a.u,b)){ZP(a.u,b).Nn=!1;var c=gQ,d=ZP(a.u,b),e=[].concat(g.ma(d.K));lb(d.K);c(a,e)}}; -gQ=function(a,b){b.sort(function(h,l){return h.category===l.category?h.trigger.triggerId.localeCompare(l.trigger.triggerId):h.category-l.category}); -for(var c=new Map,d=g.q(b),e=d.next();!e.done;e=d.next())if(e=e.value,YP(a.u,e.slot))if(ZP(a.u,e.slot).Nn)ZP(a.u,e.slot).K.push(e);else{tpa(a.Gb,e.slot,e,e.layout);var f=c.get(e.category);f||(f=[]);f.push(e);c.set(e.category,f)}d=g.q(upa.entries());for(e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,(e=c.get(e))&&vpa(a,e,f);(d=c.get(3))&&wpa(a,d);(d=c.get(4))&&xpa(a,d);(c=c.get(5))&&ypa(a,c)}; -vpa=function(a,b,c){b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=d.value,d.layout&&hQ(a.u,d.slot)&&zpa(a,d.slot,d.layout,c)}; -wpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next())WP(a,d.value.slot,!1)}; -xpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;a:switch(ZP(a.u,d.slot).D){case "not_filled":var e=!0;break a;default:e=!1}e&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_FULFILL_SLOT_REQUESTED",d.slot),a.u.lq(d.slot))}}; -ypa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_SLOT_REQUESTED",d.slot);for(var e=g.q(a.B),f=e.next();!f.done;f=e.next())f.value.bi(d.slot);try{var h=a.u,l=d.slot,m=ZP(h,l);if(!m)throw new gH("Got enter request for unknown slot");if(!m.B)throw new gH("Tried to enter slot with no assigned slotAdapter");if("scheduled"!==m.u)throw new gH("Tried to enter a slot from stage: "+m.u);if(iQ(m))throw new gH("Got enter request for already active slot"); -for(var n=g.q(jQ(h,l.ab+"_"+l.feedPosition).values()),p=n.next();!p.done;p=n.next()){var r=p.value;if(m!==r&&iQ(r)){var t=void 0;f=e=void 0;var w=h,y=r,x=l,B=kQ(w.ua.get(),1,!1),E=pG(w.Da.get(),1),G=oH(y.layout),K=y.slot.hc,H=Apa(w,K),ya=pH(K,H),ia=x.va.u.has("metadata_type_fulfilled_layout")?oH(X(x.va,"metadata_type_fulfilled_layout")):"unknown",Oa=x.hc,Ra=Apa(w,Oa),Wa=pH(Oa,Ra);w=H;var kc=Ra;if(w&&kc){if(w.start>kc.start){var Yb=g.q([kc,w]);w=Yb.next().value;kc=Yb.next().value}t=w.end>kc.start}else t= -!1;var Qe={details:B+" |"+(ya+" |"+Wa),activeSlotStatus:y.u,activeLayout:G?G:"empty",activeLayoutId:(null===(f=y.layout)||void 0===f?void 0:f.layoutId)||"empty",enteringLayout:ia,enteringLayoutId:(null===(e=X(x.va,"metadata_type_fulfilled_layout"))||void 0===e?void 0:e.layoutId)||"empty",hasOverlap:String(t),contentCpn:E.clientPlaybackNonce,contentVideoId:E.videoId,isAutonav:String(E.Kh),isAutoplay:String(E.eh)};throw new gH("Trying to enter a slot when a slot of same type is already active.",Qe); -}}}catch(ue){S(ue,d.slot,lQ(a.u,d.slot),void 0,ue.Ul);WP(a,d.slot,!0);continue}d=ZP(a.u,d.slot);"scheduled"!==d.u&&mQ(d.slot,d.u,"enterSlot");d.u="enter_requested";d.B.Lx()}}; -qpa=function(a,b){var c;if(YP(a.u,b)&&iQ(ZP(a.u,b))&&lQ(a.u,b)&&!hQ(a.u,b)){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_LAYOUT_REQUESTED",b,null!==(c=lQ(a.u,b))&&void 0!==c?c:void 0);var d=ZP(a.u,b);"entered"!==d.u&&mQ(d.slot,d.u,"enterLayoutForSlot");d.u="rendering";d.C.startRendering(d.layout)}}; -zpa=function(a,b,c,d){if(YP(a.u,b)){var e=a.Gb,f;var h=(null===(f=gpa.get(d))||void 0===f?void 0:f.Lr)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED";$P(e,h,b,c);a=ZP(a.u,b);"rendering"!==a.u&&mQ(a.slot,a.u,"exitLayout");a.u="rendering_stop_requested";a.C.jh(c,d)}}; -WP=function(a,b,c){if(YP(a.u,b)){if(a.u.Uy(b)||a.u.Qy(b))if(ZP(a.u,b).F=!0,!c)return;if(iQ(ZP(a.u,b)))ZP(a.u,b).F=!0,Bpa(a,b,c);else if(a.u.Vy(b))ZP(a.u,b).F=!0,YP(a.u,b)&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_CANCEL_SLOT_FULFILLMENT_REQUESTED",b),b=ZP(a.u,b),b.D="fill_cancel_requested",b.I.u());else{c=lQ(a.u,b);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_UNSCHEDULE_SLOT_REQUESTED",b);var d=ZP(a.u,b),e=b.hc,f=d.Y.get(e.triggerId);f&&(f.mh(e),d.Y["delete"](e.triggerId));e=g.q(b.Me);for(f=e.next();!f.done;f=e.next()){f= -f.value;var h=d.P.get(f.triggerId);h&&(h.mh(f),d.P["delete"](f.triggerId))}e=g.q(b.Af);for(f=e.next();!f.done;f=e.next())if(f=f.value,h=d.R.get(f.triggerId))h.mh(f),d.R["delete"](f.triggerId);null!=d.layout&&(e=d.layout,nQ(d,e.ae),nQ(d,e.wd),nQ(d,e.ud),nQ(d,e.be));d.I=void 0;null!=d.B&&(d.B.release(),d.B=void 0);null!=d.C&&(d.C.release(),d.C=void 0);d=a.u;ZP(d,b)&&(d=jQ(d,b.ab+"_"+b.feedPosition))&&d["delete"](b.slotId);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",b);a=g.q(a.B);for(d=a.next();!d.done;d= -a.next())d=d.value,d.nj(b),c&&d.jj(b,c)}}}; -Bpa=function(a,b,c){if(YP(a.u,b)&&iQ(ZP(a.u,b))){var d=lQ(a.u,b);if(d&&hQ(a.u,b))zpa(a,b,d,c?"error":"abandoned");else{kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_EXIT_SLOT_REQUESTED",b);try{var e=ZP(a.u,b);if(!e)throw new gH("Cannot exit slot it is unregistered");"enter_requested"!==e.u&&"entered"!==e.u&&"rendering"!==e.u&&mQ(e.slot,e.u,"exitSlot");e.u="exit_requested";if(void 0===e.B)throw e.u="scheduled",new gH("Cannot exit slot because adapter is not defined");e.B.Qx()}catch(f){S(f,b,void 0,void 0,f.Ul)}}}}; -oQ=function(a){this.slot=a;this.Y=new Map;this.P=new Map;this.R=new Map;this.X=new Map;this.C=this.layout=this.B=this.I=void 0;this.Nn=this.F=!1;this.K=[];this.u="not_scheduled";this.D="not_filled"}; -iQ=function(a){return"enter_requested"===a.u||a.isActive()}; -aQ=function(a,b,c){c=void 0===c?!1:c;Ya.call(this,a);this.Ul=c;this.args=[];b&&this.args.push(b)}; -pQ=function(a,b,c,d,e,f,h,l){g.C.call(this);this.hd=a;this.C=b;this.F=c;this.D=d;this.B=e;this.Ib=f;this.ua=h;this.Da=l;this.u=new Map}; -jQ=function(a,b){var c=a.u.get(b);return c?c:new Map}; -ZP=function(a,b){return jQ(a,b.ab+"_"+b.feedPosition).get(b.slotId)}; -Cpa=function(a){var b=[];a.u.forEach(function(c){c=g.q(c.values());for(var d=c.next();!d.done;d=c.next())b.push(d.value.slot)}); -return b}; -Apa=function(a,b){if(b instanceof nH)return b.D;if(b instanceof mH){var c=MO(a.Ib.get(),b.u);if(c=null===c||void 0===c?void 0:X(c.va,"metadata_type_ad_placement_config"))return c=hH(c,0x7ffffffffffff),c instanceof gH?void 0:c.gh}}; -YP=function(a,b){return null!=ZP(a,b)}; -hQ=function(a,b){var c=ZP(a,b),d;if(d=null!=c.layout)a:switch(c.u){case "rendering":case "rendering_stop_requested":d=!0;break a;default:d=!1}return d}; -lQ=function(a,b){var c=ZP(a,b);return null!=c.layout?c.layout:null}; -qQ=function(a,b,c){if(g.kb(c))throw new gH("No "+Dpa.get(b)+" triggers found for slot.");c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new gH("No trigger adapter registered for "+b+" trigger of type: "+d.triggerType);}; -bQ=function(a,b,c){c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new aQ("No trigger adapter registered for "+Dpa.get(b)+" trigger of type: "+d.triggerType);}; -cQ=function(a,b,c,d){d=g.q(d);for(var e=d.next();!e.done;e=d.next()){e=e.value;var f=a.hd.Dg.get(e.triggerType);f.ih(c,e,b.slot,b.layout?b.layout:null);b.X.set(e.triggerId,f)}}; -nQ=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=a.X.get(d.triggerId);e&&(e.mh(d),a.X["delete"](d.triggerId))}}; -mQ=function(a,b,c){S("Slot stage was "+b+" when calling method "+c,a)}; -Epa=function(a){return rQ(a.Vm).concat(rQ(a.Dg)).concat(rQ(a.Jj)).concat(rQ(a.qk)).concat(rQ(a.Yj))}; -rQ=function(a){var b=[];a=g.q(a.values());for(var c=a.next();!c.done;c=a.next())c=c.value,c.Wi&&b.push(c);return b}; -Gpa=function(a){g.C.call(this);this.u=a;this.B=Fpa(this)}; -Fpa=function(a){var b=new UP(function(c,d,e,f){return new pQ(a.u.hd,c,d,e,f,a.u.Ib,a.u.ua,a.u.Da)},new Set(Epa(a.u.hd).concat(a.u.listeners)),a.u.Gb,a.u.Ca); -g.D(a,b);return b}; -sQ=function(a){g.C.call(this);var b=this;this.B=a;this.u=null;g.eg(this,function(){g.fg(b.u);b.u=null})}; -Y=function(a){return new sQ(a)}; -Kpa=function(a,b,c,d,e){b=g.q(b);for(var f=b.next();!f.done;f=b.next())f=f.value,tQ(a,f.renderer,f.config.adPlacementConfig.kind);f=Array.from(a.values()).filter(function(n){return Hpa(n)}); -a=[];b={};f=g.q(f);for(var h=f.next();!h.done;b={Dp:b.Dp},h=f.next()){b.Dp=h.value;h={};for(var l=g.q(b.Dp.Ww),m=l.next();!m.done;h={xk:h.xk},m=l.next())h.xk=m.value,m=function(n,p){return function(r){return n.xk.zC(r,p.Dp.instreamVideoAdRenderer.elementId,n.xk.PB)}}(h,b),"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===h.xk.Kn?a.push(Ipa(c,d,h.xk.QB,e,h.xk.adSlotLoggingData,m)):a.push(Jpa(c,d,e,b.Dp.instreamVideoAdRenderer.elementId,h.xk.adSlotLoggingData,m))}return a}; -tQ=function(a,b,c){if(b=Lpa(b)){b=g.q(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.externalVideoId){var e=Mpa(a,d.externalVideoId);e.instreamVideoAdRenderer||(e.instreamVideoAdRenderer=d,e.nu=c)}else S("InstreamVideoAdRenderer without externalVideoId")}}; -Lpa=function(a){var b=[],c=a.sandwichedLinearAdRenderer&&a.sandwichedLinearAdRenderer.linearAd&&a.sandwichedLinearAdRenderer.linearAd.instreamVideoAdRenderer;if(c)return b.push(c),b;if(a.instreamVideoAdRenderer)return b.push(a.instreamVideoAdRenderer),b;if(a.linearAdSequenceRenderer&&a.linearAdSequenceRenderer.linearAds){a=g.q(a.linearAdSequenceRenderer.linearAds);for(c=a.next();!c.done;c=a.next())c=c.value,c.instreamVideoAdRenderer&&b.push(c.instreamVideoAdRenderer);return b}return null}; -Hpa=function(a){if(void 0===a.instreamVideoAdRenderer)return S("AdPlacementSupportedRenderers without matching InstreamVideoAdRenderer"),!1;for(var b=g.q(a.Ww),c=b.next();!c.done;c=b.next()){c=c.value;if(void 0===c.zC)return!1;if(void 0===c.PB)return S("AdPlacementConfig for AdPlacementSupportedRenderers that matches an InstreamVideoAdRenderer is undefined"),!1;if(void 0===a.nu||void 0===c.Kn||a.nu!==c.Kn&&"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"!==c.Kn)return!1;if(void 0===a.instreamVideoAdRenderer.elementId)return S("InstreamVideoAdRenderer has no elementId", -void 0,void 0,{kind:a.nu,"matching APSR kind":c.Kn}),!1;if("AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===c.Kn&&void 0===c.QB)return S("Command Triggered AdPlacementSupportedRenderer's AdPlacementRenderer does not have an element ID"),!1}return!0}; -Mpa=function(a,b){a.has(b)||a.set(b,{instreamVideoAdRenderer:void 0,nu:void 0,adVideoId:b,Ww:[]});return a.get(b)}; -uQ=function(a,b,c,d,e,f,h){d?Mpa(a,d).Ww.push({QB:b,Kn:c,PB:e,adSlotLoggingData:f,zC:h}):S("Companion AdPlacementSupportedRenderer without adVideoId")}; -Ppa=function(a,b,c,d,e,f,h){if(!Npa(a))return new gH("Invalid InstreamVideoAdRenderer for SlidingText.",{instreamVideoAdRenderer:a});var l=a.additionalPlayerOverlay.slidingTextPlayerOverlayRenderer;return[Opa(f,b,c,d,function(m){var n=h(m);m=m.slotId;m=vQ(e.Ua.get(),"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",m);var p={layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",bb:"core"},r=new wQ(e.u,d);return{layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",kd:new Map,ae:[r],wd:[], -ud:[],be:[],bb:"core",va:new OP([new GG(l)]),td:n(p)}})]}; -Npa=function(a){a=((null===a||void 0===a?void 0:a.additionalPlayerOverlay)||{}).slidingTextPlayerOverlayRenderer;if(!a)return!1;var b=a.slidingMessages;return a.title&&b&&0!==b.length?!0:!1}; -Upa=function(a,b,c,d,e){var f;if(null===(f=a.playerOverlay)||void 0===f||!f.instreamSurveyAdRenderer)return function(){return[]}; -if(!Qpa(a))return function(){return new gH("Received invalid InstreamVideoAdRenderer for DAI survey.",{instreamVideoAdRenderer:a})}; -var h=a.playerOverlay.instreamSurveyAdRenderer,l=Rpa(h);return 0>=l?function(){return new gH("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=Spa(m,c,d,function(t){var w=n(t); -t=t.slotId;t=vQ(e.Ua.get(),"LAYOUT_TYPE_SURVEY",t);var y={layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},x=new wQ(e.u,d),B=new xQ(e.u,t),E=new yQ(e.u,t),G=new Tpa(e.u);return{layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",kd:new Map,ae:[x,G],wd:[B],ud:[],be:[E],bb:"core",va:new OP([new FG(h),new AG(b),new bH(l/1E3)]),td:w(y),adLayoutLoggingData:h.adLayoutLoggingData}}),r=Ppa(a,c,p.slotId,d,e,m,n); -return r instanceof gH?r:[p].concat(g.ma(r))}}; -Rpa=function(a){var b=0;a=g.q(a.questions);for(var c=a.next();!c.done;c=a.next())b+=c.value.instreamSurveyAdMultiSelectQuestionRenderer.surveyAdQuestionCommon.durationMilliseconds;return b}; -Qpa=function(a){a=((null===a||void 0===a?void 0:a.playerOverlay)||{}).instreamSurveyAdRenderer;if(!a||!a.questions||1!==a.questions.length)return!1;a=a.questions[0].instreamSurveyAdMultiSelectQuestionRenderer;if(null===a||void 0===a||!a.surveyAdQuestionCommon)return!1;a=(a.surveyAdQuestionCommon.instreamAdPlayerOverlay||{}).instreamSurveyAdPlayerOverlayRenderer;var b=((null===a||void 0===a?void 0:a.adInfoRenderer)||{}).adHoverTextButtonRenderer;return((null===a||void 0===a?void 0:a.skipOrPreviewRenderer)|| -{}).skipAdRenderer&&b?!0:!1}; -Xpa=function(a,b,c,d,e){var f=[];try{var h=[],l=Vpa(a,d,function(t){t=Wpa(t.slotId,c,b,e(t),d);h=t.iS;return t.SJ}); -f.push(l);for(var m=g.q(h),n=m.next();!n.done;n=m.next()){var p=n.value,r=p(a,e);if(r instanceof gH)return r;f.push.apply(f,g.ma(r))}}catch(t){return new gH(t,{errorMessage:t.message,AdPlacementRenderer:c})}return f}; -Wpa=function(a,b,c,d,e){var f=b.config.adPlacementConfig,h=f.adTimeOffset||{},l=h.offsetEndMilliseconds;h=Number(h.offsetStartMilliseconds);if(isNaN(h))throw new TypeError("Expected valid start offset");var m=Number(l);if(isNaN(m))throw new TypeError("Expected valid end offset");l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null===l||void 0===l||!l.length)throw new TypeError("Expected linear ads");var n=[],p={KH:h,LH:0,fS:n};l=l.map(function(t){return Ypa(a,t,p,c,d,f,e,m)}).map(function(t, -w){var y=new CJ(w,n); -return t(y)}); -var r=l.map(function(t){return t.TJ}); -return{SJ:Zpa(c,a,h,r,f,new Map([["ad_placement_start",b.placementStartPings||[]],["ad_placement_end",b.placementEndPings||[]]]),$pa(b),d,m),iS:l.map(function(t){return t.hS})}}; -Ypa=function(a,b,c,d,e,f,h,l){var m=b.instreamVideoAdRenderer;if(!m)throw new TypeError("Expected instream video ad renderer");if(!m.playerVars)throw new TypeError("Expected player vars in url encoded string");var n=Xp(m.playerVars);b=Number(n.length_seconds);if(isNaN(b))throw new TypeError("Expected valid length seconds in player vars");var p=aqa(n,m);if(!p)throw new TypeError("Expected valid video id in IVAR");var r=c.KH,t=c.LH,w=Number(m.trimmedMaxNonSkippableAdDurationMs),y=isNaN(w)?b:Math.min(b, -w/1E3),x=Math.min(r+1E3*y,l);c.KH=x;c.LH++;c.fS.push(y);var B=m.pings?DJ(m.pings):new Map;c=m.playerOverlay||{};var E=void 0===c.instreamAdPlayerOverlayRenderer?null:c.instreamAdPlayerOverlayRenderer;return function(G){2<=G.B&&(n.slot_pos=G.u);n.autoplay="1";var K=m.adLayoutLoggingData,H=m.sodarExtensionData,ya=vQ(d.Ua.get(),"LAYOUT_TYPE_MEDIA",a),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};G={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new DG(h), -new OG(y),new PG(n),new RG(r),new SG(x),new TG(t),new LG({current:null}),E&&new EG(E),new AG(f),new CG(p),new BG(G),H&&new QG(H)].filter(bqa)),td:e(ia),adLayoutLoggingData:K};K=Upa(m,f,h,G.layoutId,d);return{TJ:G,hS:K}}}; -aqa=function(a,b){var c=a.video_id;if(c||(c=b.externalVideoId))return c}; -$pa=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; -dqa=function(a,b,c,d,e,f,h,l){a=cqa(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=vQ(b.Ua.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},r=new Map,t=e.impressionUrls;t&&r.set("impression",t);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",kd:r,ae:[new zQ(b.u,n)],wd:[],ud:[],be:[],bb:"core",va:new OP([new WG(e),new AG(c)]),td:m(p)}}); -return a instanceof gH?a:[a]}; -fqa=function(a,b,c,d,e,f,h,l){a=eqa(a,c,f,h,d,function(m,n){var p=m.slotId,r=l(m),t=e.contentSupportedRenderer;t?t.textOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.enhancedTextOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.imageOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", -p),p=BQ(b,n,p),p.push(new CQ(b.u,t)),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,r,p)):r=new aQ("InvideoOverlayAdRenderer without appropriate sub renderer"):r=new aQ("InvideoOverlayAdRenderer without contentSupportedRenderer");return r}); -return a instanceof gH?a:[a]}; -gqa=function(a,b,c,d){if(!c.playerVars)return new gH("No playerVars available in AdIntroRenderer.");var e=Xp(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{eS:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",kd:new Map,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new VG({}),new AG(b),new LG({current:null}),new PG(e)]),td:f(l)},LJ:[new DQ(a.u,h)],KJ:[]}}}; -kqa=function(a,b,c,d,e,f,h,l,m,n,p){function r(w){var y=new CJ(0,[t.Rs]),x=hqa(t.playerVars,t.fH,l,p,y);w=m(w);var B=n.get(t.zw.externalVideoId);y=iqa(b,"core",t.zw,c,x,t.Rs,f,y,w,B);return{layoutId:y.layoutId,layoutType:y.layoutType,kd:y.kd,ae:y.ae,wd:y.wd,ud:y.ud,be:y.be,bb:y.bb,va:y.va,td:y.td,adLayoutLoggingData:y.adLayoutLoggingData}} -var t=EQ(e);if(t instanceof aQ)return new gH(t);if(r instanceof gH)return r;a=jqa(a,c,f,h,d,r);return a instanceof gH?a:[a]}; -EQ=function(a){if(!a.playerVars)return new aQ("No playerVars available in InstreamVideoAdRenderer.");var b;if(null==a.elementId||null==a.playerVars||null==a.playerOverlay||null==(null===(b=a.playerOverlay)||void 0===b?void 0:b.instreamAdPlayerOverlayRenderer)||null==a.pings||null==a.externalVideoId)return new aQ("Received invalid VOD InstreamVideoAdRenderer",{instreamVideoAdRenderer:a});b=Xp(a.playerVars);var c=Number(b.length_seconds);return isNaN(c)?new aQ("Expected valid length seconds in player vars"): -{zw:a,playerVars:b,fH:a.playerVars,Rs:c}}; -hqa=function(a,b,c,d,e){a.iv_load_policy=d;b=Xp(b);if(b.cta_conversion_urls)try{a.cta_conversion_urls=JSON.parse(b.cta_conversion_urls)}catch(f){S(f)}c.gg&&(a.ctrl=c.gg);c.nf&&(a.ytr=c.nf);c.Cj&&(a.ytrcc=c.Cj);c.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,c.Gg&&(a.vss_credentials_token_type=c.Gg),c.mdxEnvironment&&(a.mdx_environment=c.mdxEnvironment));2<=e.B&&(a.slot_pos=e.u);a.autoplay="1";return a}; -mqa=function(a,b,c,d,e,f,h,l,m,n,p){if(null==e.linearAds)return new gH("Received invalid LinearAdSequenceRenderer.");b=lqa(b,c,e,f,l,m,n,p);if(b instanceof gH)return new gH(b);a=jqa(a,c,f,h,d,b);return a instanceof gH?a:[a]}; -lqa=function(a,b,c,d,e,f,h,l){return function(m){a:{b:{var n=[];for(var p=g.q(c.linearAds),r=p.next();!r.done;r=p.next())if(r=r.value,r.instreamVideoAdRenderer){r=EQ(r.instreamVideoAdRenderer);if(r instanceof aQ){n=new gH(r);break b}n.push(r.Rs)}}if(!(n instanceof gH)){p=0;r=[];for(var t=[],w=[],y=g.q(c.linearAds),x=y.next();!x.done;x=y.next())if(x=x.value,x.adIntroRenderer){x=gqa(a,b,x.adIntroRenderer,f);if(x instanceof gH){n=x;break a}x=x(m);r.push(x.eS);t=[].concat(g.ma(x.LJ),g.ma(t));w=[].concat(g.ma(x.KJ), -g.ma(w))}else if(x.instreamVideoAdRenderer){x=EQ(x.instreamVideoAdRenderer);if(x instanceof aQ){n=new gH(x);break a}var B=new CJ(p,n),E=hqa(x.playerVars,x.fH,e,l,B),G=f(m),K=h.get(x.zw.externalVideoId);E=iqa(a,"adapter",x.zw,b,E,x.Rs,d,B,G,K);x={layoutId:E.layoutId,layoutType:E.layoutType,kd:E.kd,ae:[],wd:[],ud:[],be:[],bb:E.bb,va:E.va,td:E.td,adLayoutLoggingData:E.adLayoutLoggingData};B=E.wd;E=E.ud;p++;r.push(x);t=[].concat(g.ma(B),g.ma(t));w=[].concat(g.ma(E),g.ma(w))}else if(x.adActionInterstitialRenderer){var H= -a;B=m.slotId;K=b;G=f(m);x=x.adActionInterstitialRenderer.adLayoutLoggingData;var ya=vQ(H.Ua.get(),"LAYOUT_TYPE_MEDIA_BREAK",B),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",bb:"adapter"};E=ya;B=new Map;new zQ(H.u,ya);H=[new xQ(H.u,ya)];K=new OP([new AG(K)]);G=G(ia);r.push({layoutId:E,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:K,td:G,adLayoutLoggingData:x});t=[].concat(g.ma(H),g.ma(t));w=[].concat(g.ma([]),g.ma(w))}else{n=new gH("Unsupported linearAd found in LinearAdSequenceRenderer."); -break a}n={gS:r,wd:t,ud:w}}}r=n;r instanceof gH?m=r:(t=m.slotId,n=r.gS,p=r.wd,r=r.ud,m=f(m),t=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",t),w={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"},m={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:new Map,ae:[new zQ(a.u,t)],wd:p,ud:r,be:[],bb:"core",va:new OP([new MG(n)]),td:m(w)});return m}}; -FQ=function(a,b,c,d,e,f){this.ib=a;this.Cb=b;this.gb=c;this.u=d;this.Gi=e;this.loadPolicy=void 0===f?1:f}; -qG=function(a,b,c,d,e,f,h){var l,m,n,p,r,t,w,y,x,B,E,G=[];if(0===b.length)return G;b=b.filter(fH);for(var K=new Map,H=new Map,ya=g.q(b),ia=ya.next();!ia.done;ia=ya.next())(ia=ia.value.renderer.remoteSlotsRenderer)&&ia.hostElementId&&H.set(ia.hostElementId,ia);ya=g.q(b);for(ia=ya.next();!ia.done;ia=ya.next()){ia=ia.value;var Oa=nqa(a,K,ia,d,e,f,h,H);Oa instanceof gH?S(Oa,void 0,void 0,{renderer:ia.renderer,config:ia.config.adPlacementConfig,kind:ia.config.adPlacementConfig.kind,contentCpn:d,daiEnabled:f}): -G.push.apply(G,g.ma(Oa))}if(null===a.u||f)return a=f&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null===(m=null===(l=b[0].config)||void 0===l?void 0:l.adPlacementConfig)||void 0===m?void 0:m.kind)&&(null===(n=b[0].renderer)||void 0===n?void 0:n.adBreakServiceRenderer),G.length||a||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(t=null===(r=null===(p=b[0])||void 0===p?void 0:p.config)|| -void 0===r?void 0:r.adPlacementConfig)||void 0===t?void 0:t.kind,renderer:null===(w=b[0])||void 0===w?void 0:w.renderer}),G;c=c.filter(fH);G.push.apply(G,g.ma(Kpa(K,c,a.ib.get(),a.u,d)));G.length||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(B=null===(x=null===(y=b[0])||void 0===y?void 0:y.config)||void 0===x?void 0:x.adPlacementConfig)||void 0===B?void 0:B.kind,renderer:null===(E=b[0])|| -void 0===E?void 0:E.renderer});return G}; -nqa=function(a,b,c,d,e,f,h,l){function m(w){return SP(a.gb.get(),w)} -var n=c.renderer,p=c.config.adPlacementConfig,r=p.kind,t=c.adSlotLoggingData;if(null!=n.actionCompanionAdRenderer)uQ(b,c.elementId,r,n.actionCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.actionCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new sG(E),y,x,E.impressionPings,E.impressionCommands,G,n.actionCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.imageCompanionAdRenderer)uQ(b,c.elementId,r,n.imageCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.imageCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new wG(E),y,x,E.impressionPings,E.impressionCommands,G,n.imageCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.shoppingCompanionCarouselRenderer)uQ(b,c.elementId,r,n.shoppingCompanionCarouselRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.shoppingCompanionCarouselRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new xG(E),y,x,E.impressionPings,E.impressionEndpoints,G,n.shoppingCompanionCarouselRenderer.adLayoutLoggingData)}); -else{if(n.adBreakServiceRenderer){if(!jH(c))return[];if(f&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===p.kind){if(!a.Gi)return new gH("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");oqa(a.Gi,{adPlacementRenderer:c,contentCpn:d,uC:e});return[]}return Aia(a.ib.get(),p,t,c.renderer.adBreakServiceRenderer,d,e,f)}if(n.clientForecastingAdRenderer)return dqa(a.ib.get(),a.Cb.get(),p,t,n.clientForecastingAdRenderer,d,e,m);if(n.invideoOverlayAdRenderer)return fqa(a.ib.get(), -a.Cb.get(),p,t,n.invideoOverlayAdRenderer,d,e,m);if(n.linearAdSequenceRenderer){if(f)return Xpa(a.ib.get(),a.Cb.get(),c,d,m);tQ(b,n,r);return mqa(a.ib.get(),a.Cb.get(),p,t,n.linearAdSequenceRenderer,d,e,h,m,l,a.loadPolicy)}if((!n.remoteSlotsRenderer||f)&&n.instreamVideoAdRenderer&&!f)return tQ(b,n,r),kqa(a.ib.get(),a.Cb.get(),p,t,n.instreamVideoAdRenderer,d,e,h,m,l,a.loadPolicy)}return[]}; -HQ=function(a){g.C.call(this);this.u=a}; -nG=function(a,b,c,d){a.u().Zg(b,d);c=c();a=a.u();IQ(a.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.q(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.u;if(g.pc(c.slotId))throw new gH("Slot ID was empty");if(ZP(e,c))throw new gH("Duplicate registration for slot.");if(!e.hd.Jj.has(c.ab))throw new gH("No fulfillment adapter factory registered for slot of type: "+c.ab);if(!e.hd.qk.has(c.ab))throw new gH("No SlotAdapterFactory registered for slot of type: "+ -c.ab);qQ(e,5,c.hc?[c.hc]:[]);qQ(e,4,c.Me);qQ(e,3,c.Af);var f=d.u,h=c.ab+"_"+c.feedPosition,l=jQ(f,h);if(ZP(f,c))throw new gH("Duplicate slots not supported");l.set(c.slotId,new oQ(c));f.u.set(h,l)}catch(kc){S(kc,c,void 0,void 0,kc.Ul);break a}d.u.Nn(c);try{var m=d.u,n=ZP(m,c),p=c.hc,r=m.hd.Dg.get(p.triggerType);r&&(r.ih(5,p,c,null),n.Y.set(p.triggerId,r));for(var t=g.q(c.Me),w=t.next();!w.done;w=t.next()){var y=w.value,x=m.hd.Dg.get(y.triggerType);x&&(x.ih(4,y,c,null),n.P.set(y.triggerId,x))}for(var B= -g.q(c.Af),E=B.next();!E.done;E=B.next()){var G=E.value,K=m.hd.Dg.get(G.triggerType);K&&(K.ih(3,G,c,null),n.R.set(G.triggerId,K))}var H=m.hd.Jj.get(c.ab).get(),ya=m.C,ia=c;var Oa=JQ(ia,{Be:["metadata_type_fulfilled_layout"]})?new KQ(ya,ia):H.u(ya,ia);n.I=Oa;var Ra=m.hd.qk.get(c.ab).get().u(m.F,c);Ra.init();n.B=Ra}catch(kc){S(kc,c,void 0,void 0,kc.Ul);WP(d,c,!0);break a}kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.u.Ag(c);ia=g.q(d.B);for(var Wa=ia.next();!Wa.done;Wa=ia.next())Wa.value.Ag(c); -dQ(d,c)}}; -LQ=function(a,b,c,d){g.C.call(this);var e=this;this.tb=a;this.ib=b;this.Bb=c;this.u=new Map;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(e)})}; -xia=function(a,b){var c=0x8000000000000;for(var d=0,e=g.q(b.Me),f=e.next();!f.done;f=e.next())f=f.value,f instanceof nH?(c=Math.min(c,f.D.start),d=Math.max(d,f.D.end)):S("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new Gn(c,d);d="throttledadcuerange:"+b.slotId;a.u.set(d,b);a.Bb.get().addCueRange(d,c.start,c.end,!1,a)}; -MQ=function(){g.C.apply(this,arguments);this.Wi=!0;this.u=new Map;this.B=new Map}; -MO=function(a,b){for(var c=g.q(a.B.values()),d=c.next();!d.done;d=c.next()){d=g.q(d.value);for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.layoutId===b)return e}S("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.pc(b)),layoutId:b})}; -NQ=function(){this.B=new Map;this.u=new Map;this.C=new Map}; -OQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.B.get(b)||0;c++;a.B.set(b,c);return b+"_"+c}return It()}; -vQ=function(a,b,c){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var d=a.u.get(b)||0;d++;a.u.set(b,d);return c+"_"+b+"_"+d}return It()}; -PQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.C.get(b)||0;c++;a.C.set(b,c);return b+"_"+c}return It()}; -pqa=function(a,b){this.layoutId=b;this.triggerType="trigger_type_close_requested";this.triggerId=a(this.triggerType)}; -DQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_exited_for_reason";this.triggerId=a(this.triggerType)}; -wQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_id_exited";this.triggerId=a(this.triggerType)}; -qqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; -QQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="trigger_type_on_different_layout_id_entered";this.triggerId=a(this.triggerType)}; -RQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_IN_PLAYER";this.triggerType="trigger_type_on_different_slot_id_enter_requested";this.triggerId=a(this.triggerType)}; -zQ=function(a,b){this.layoutId=b;this.triggerType="trigger_type_on_layout_self_exit_requested";this.triggerId=a(this.triggerType)}; -rqa=function(a,b){this.opportunityType="opportunity_type_ad_break_service_response_received";this.associatedSlotId=b;this.triggerType="trigger_type_on_opportunity_received";this.triggerId=a(this.triggerType)}; -Tpa=function(a){this.triggerType="trigger_type_playback_minimized";this.triggerId=a(this.triggerType)}; -xQ=function(a,b){this.u=b;this.triggerType="trigger_type_skip_requested";this.triggerId=a(this.triggerType)}; -yQ=function(a,b){this.u=b;this.triggerType="trigger_type_survey_submitted";this.triggerId=a(this.triggerType)}; -CQ=function(a,b){this.durationMs=45E3;this.u=b;this.triggerType="trigger_type_time_relative_to_layout_enter";this.triggerId=a(this.triggerType)}; -sqa=function(a){return[new HG(a.pw),new EG(a.instreamAdPlayerOverlayRenderer),new KG(a.EG),new AG(a.adPlacementConfig),new OG(a.videoLengthSeconds),new bH(a.uE)]}; -tqa=function(a,b,c,d,e,f){a=c.By?c.By:vQ(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",kd:new Map,ae:[new wQ(function(l){return PQ(f,l)},c.pw)], -wd:[],ud:[],be:[],bb:b,va:d,td:e(h),adLayoutLoggingData:c.adLayoutLoggingData}}; -SQ=function(a,b){var c=this;this.Ca=a;this.Ua=b;this.u=function(d){return PQ(c.Ua.get(),d)}}; -TQ=function(a,b,c,d,e){return tqa(b,c,d,new OP(sqa(d)),e,a.Ua.get())}; -GQ=function(a,b,c,d,e,f,h,l,m,n){b=vQ(a.Ua.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},r=new Map;h?r.set("impression",h):l&&S("Companion Ad Renderer without impression Pings but does have impressionCommands",void 0,void 0,{"impressionCommands length":l.length,adPlacementKind:f.kind,companionType:d.u()});return{layoutId:b,layoutType:c,kd:r,ae:[new zQ(a.u,b),new QQ(a.u,e)],wd:[],ud:[],be:[],bb:"core",va:new OP([d,new AG(f),new HG(e)]),td:m(p),adLayoutLoggingData:n}}; -BQ=function(a,b,c){var d=[];d.push(new RQ(a.u,c));g.Q(a.Ca.get().J.T().experiments,"html5_make_pacf_in_video_overlay_evictable")||b&&d.push(b);return d}; -AQ=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,kd:new Map,ae:h,wd:[new pqa(a.u,b)],ud:[],be:[],bb:"core",va:new OP([new vG(d),new AG(e)]),td:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; -iqa=function(a,b,c,d,e,f,h,l,m,n){var p=c.elementId,r={layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",bb:b};d=[new AG(d),new BG(l),new CG(c.externalVideoId),new DG(h),new EG(c.playerOverlay.instreamAdPlayerOverlayRenderer),new dH({impressionCommands:c.impressionCommands,onAbandonCommands:c.onAbandonCommands,completeCommands:c.completeCommands,adVideoProgressCommands:c.adVideoProgressCommands}),new PG(e),new LG({current:null}),new OG(f)];e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY", -e);d.push(new IG(f));d.push(new JG(e));c.adNextParams&&d.push(new tG(c.adNextParams));c.clickthroughEndpoint&&d.push(new uG(c.clickthroughEndpoint));c.legacyInfoCardVastExtension&&d.push(new cH(c.legacyInfoCardVastExtension));c.sodarExtensionData&&d.push(new QG(c.sodarExtensionData));n&&d.push(new aH(n));return{layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",kd:DJ(c.pings),ae:[new zQ(a.u,p)],wd:c.skipOffsetMilliseconds?[new xQ(a.u,f)]:[],ud:[new xQ(a.u,f)],be:[],bb:b,va:new OP(d),td:m(r),adLayoutLoggingData:c.adLayoutLoggingData}}; -Zpa=function(a,b,c,d,e,f,h,l,m){d.every(function(p){return NP(p,[],["LAYOUT_TYPE_MEDIA"])})||S("Unexpect subLayout type for DAI composite layout"); -b=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",b);var n={layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:f,ae:[new qqa(a.u)],wd:[],ud:[],be:[],bb:"core",va:new OP([new RG(c),new SG(m),new MG(d),new AG(e),new XG(h)]),td:l(n)}}; -bqa=function(a){return null!=a}; -UQ=function(a,b,c){this.C=b;this.visible=c;this.triggerType="trigger_type_after_content_video_id_ended";this.triggerId=a(this.triggerType)}; -VQ=function(a,b,c){this.u=b;this.slotId=c;this.triggerType="trigger_type_layout_id_active_and_slot_id_has_exited";this.triggerId=a(this.triggerType)}; -uqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED";this.triggerId=a(this.triggerType)}; -WQ=function(a,b,c){this.C=b;this.D=c;this.triggerType="trigger_type_not_in_media_time_range";this.triggerId=a(this.triggerType)}; -XQ=function(a,b){this.D=b;this.triggerType="trigger_type_on_new_playback_after_content_video_id";this.triggerId=a(this.triggerType)}; -YQ=function(a,b){this.slotId=b;this.triggerType="trigger_type_on_element_self_enter_requested";this.triggerId=a(this.triggerType)}; -ZQ=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_entered";this.triggerId=a(this.triggerType)}; -$Q=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_exited";this.triggerId=a(this.triggerType)}; -aR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_empty";this.triggerId=a(this.triggerType)}; -bR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_non_empty";this.triggerId=a(this.triggerType)}; -cR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_scheduled";this.triggerId=a(this.triggerType)}; -dR=function(a){var b=this;this.Ua=a;this.u=function(c){return PQ(b.Ua.get(),c)}}; -iH=function(a,b,c,d,e,f){f=void 0===f?[]:f;var h=OQ(a.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST"),l=[];d.Wn&&d.Wn.start!==d.gh.start&&l.push(new nH(a.u,c,new Gn(d.Wn.start,d.gh.start),!1));l.push(new nH(a.u,c,new Gn(d.gh.start,d.gh.end),d.Ov));d={getAdBreakUrl:b.getAdBreakUrl,eH:d.gh.start,dH:d.gh.end};b=new bR(a.u,h);f=[new ZG(d)].concat(g.ma(f));return{slotId:h,ab:"SLOT_TYPE_AD_BREAK_REQUEST",feedPosition:1,hc:b,Me:l,Af:[new XQ(a.u,c),new $Q(a.u,h),new aR(a.u,h)],bb:"core",va:new OP(f),adSlotLoggingData:e}}; -wqa=function(a,b,c){var d=[];c=g.q(c);for(var e=c.next();!e.done;e=c.next())d.push(vqa(a,b,e.value));return d}; -vqa=function(a,b,c){return null!=c.B&&c.B===a?c.clone(b):c}; -xqa=function(a,b,c,d,e){e=e?e:OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -eqa=function(a,b,c,d,e,f){var h=eR(a,b,c,d);if(h instanceof gH)return h;h instanceof nH&&(h=new nH(a.u,h.C,h.D,h.visible,h.F,!0));d=h instanceof nH?new WQ(a.u,c,h.D):null;b=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=f({slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:h},d);return f instanceof aQ?new gH(f):{slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:h,Me:[new ZQ(a.u,b)],Af:[new XQ(a.u,c),new $Q(a.u,b)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -Spa=function(a,b,c,d){var e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -Opa=function(a,b,c,d,e){var f=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new VQ(a.u,d,c);d={slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,f)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(e(d))])}}; -Jpa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),b);return yqa(a,h,b,new mH(a.u,d),c,e,f)}; -Ipa=function(a,b,c,d,e,f){return yqa(a,c,b,new YQ(a.u,c),d,e,f)}; -Vpa=function(a,b,c){var d=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES"),e=new uqa(a.u),f={slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:e};return{slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:e,Me:[new cR(a.u,d)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(c(f)),new UG({})])}}; -jqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES");b=eR(a,b,c,d);if(b instanceof gH)return b;f=f({slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:b});return f instanceof gH?f:{slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -cqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_FORECASTING");b=eR(a,b,c,d);if(b instanceof gH)return b;d={slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,bb:"core",hc:b};return{slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f(d))]),adSlotLoggingData:e}}; -eR=function(a,b,c,d){var e=!b.hideCueRangeMarker;switch(b.kind){case "AD_PLACEMENT_KIND_START":return new kH(a.u,c);case "AD_PLACEMENT_KIND_MILLISECONDS":b=hH(b,d);if(b instanceof gH)return b;b=b.gh;return new nH(a.u,c,b,e,b.end===d);case "AD_PLACEMENT_KIND_END":return new UQ(a.u,c,e);default:return new gH("Cannot construct entry trigger",{kind:b.kind})}}; -yqa=function(a,b,c,d,e,f,h){var l={slotId:b,ab:c,feedPosition:1,bb:"core",hc:d};return{slotId:b,ab:c,feedPosition:1,hc:d,Me:[new cR(a.u,b)],Af:[new XQ(a.u,e),new $Q(a.u,b)],bb:"core",va:new OP([new YG(h(l))]),adSlotLoggingData:f}}; -fR=function(a,b,c){g.C.call(this);this.Ca=a;this.u=b;this.Da=c;this.eventCount=0}; -kL=function(a,b,c){IQ(a,b,void 0,void 0,void 0,c,void 0,void 0,c.adSlotLoggingData,void 0)}; -$P=function(a,b,c,d){IQ(a,b,void 0,void 0,void 0,c,d?d:void 0,void 0,void 0,d?d.adLayoutLoggingData:void 0)}; -tpa=function(a,b,c,d){g.Q(a.Ca.get().J.T().experiments,"html5_control_flow_include_trigger_logging_in_tmp_logs")&&IQ(a,"ADS_CLIENT_EVENT_TYPE_TRIGGER_ACTIVATED",void 0,void 0,void 0,b,d?d:void 0,c,void 0,d?d.adLayoutLoggingData:void 0)}; -IQ=function(a,b,c,d,e,f,h,l,m,n){if(g.Q(a.Ca.get().J.T().experiments,"html5_enable_ads_client_monitoring_log")&&!g.Q(a.Ca.get().J.T().experiments,"html5_disable_client_tmp_logs")&&"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"!==b){var p=RP(a.u.get());b={eventType:b,eventOrder:++a.eventCount};var r=g.P(a.Ca.get().J.T().experiments,"html5_experiment_id_label"),t={organicPlaybackContext:{contentCpn:pG(a.Da.get(),1).clientPlaybackNonce}};t.organicPlaybackContext.isLivePlayback=pG(a.Da.get(),1).Wg;0b)return a;var c="";if(a.includes("event=")){var d=a.indexOf("event=");c=c.concat(a.substring(d,d+100),", ")}a.includes("label=")&&(d=a.indexOf("label="),c=c.concat(a.substring(d,d+100)));return 0=.25*e||c)&&LO(a.Ia,"first_quartile"),(b>=.5*e||c)&&LO(a.Ia,"midpoint"),(b>=.75*e||c)&&LO(a.Ia,"third_quartile")}; -Zqa=function(a,b){tM(a.Tc.get(),X(a.layout.va,"metadata_type_ad_placement_config").kind,b,a.position,a.P,!1)}; -UR=function(a,b,c,d,e){MR.call(this,a,b,c,d);this.u=e}; -ara=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B,E){if(CR(d,{Be:["metadata_type_sub_layouts"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})){var G=X(d.va,"metadata_type_sub_layouts");a=new NR(a,n,r,w,b,c,d,f);b=[];for(var K={Pl:0};K.Pl=e||0>=c||g.U(b,16)||g.U(b,32)||(RR(c,.25*e,d)&&LO(a.Ia,"first_quartile"),RR(c,.5*e,d)&&LO(a.Ia,"midpoint"),RR(c,.75*e,d)&&LO(a.Ia,"third_quartile"))}; -tra=function(a){return Object.assign(Object.assign({},sS(a)),{adPlacementConfig:X(a.va,"metadata_type_ad_placement_config"),subLayouts:X(a.va,"metadata_type_sub_layouts").map(sS)})}; -sS=function(a){return{enterMs:X(a.va,"metadata_type_layout_enter_ms"),exitMs:X(a.va,"metadata_type_layout_exit_ms")}}; -tS=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B){this.me=a;this.B=b;this.Da=c;this.eg=d;this.ua=e;this.Fa=f;this.Sc=h;this.ee=l;this.jb=m;this.Bd=n;this.Yc=p;this.Bb=r;this.Tc=t;this.ld=w;this.Dd=y;this.oc=x;this.Gd=B}; -uS=function(a,b,c,d,e,f,h){g.C.call(this);var l=this;this.tb=a;this.ib=b;this.Da=c;this.ee=e;this.ua=f;this.Ca=h;this.u=null;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(l)}); -e.get().addListener(this);g.eg(this,function(){e.get().removeListener(l)})}; -oqa=function(a,b){if(pG(a.Da.get(),1).daiEnabled&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===b.adPlacementRenderer.config.adPlacementConfig.kind)if(a.u)S("Unexpected multiple fetch instructions for the current content");else{a.u=b;for(var c=g.q(a.ee.get().u),d=c.next();!d.done;d=c.next())ura(a,a.u,d.value)}}; -ura=function(a,b,c){var d=kQ(a.ua.get(),1,!1);nG(a.tb.get(),"opportunity_type_live_stream_break_signal",function(){var e=a.ib.get(),f=g.Q(a.Ca.get().J.T().experiments,"enable_server_stitched_dai");var h=1E3*c.startSecs;h={gh:new Gn(h,h+1E3*c.durationSecs),Ov:!1};var l=c.startSecs+c.durationSecs;if(c.startSecs<=d)f=new Gn(1E3*(c.startSecs-4),1E3*l);else{var m=Math.max(0,c.startSecs-d-10);f=new Gn(1E3*Math.floor(d+Math.random()*(f?0===d?0:Math.min(m,5):m)),1E3*l)}h.Wn=f;return[iH(e,b.adPlacementRenderer.renderer.adBreakServiceRenderer, -b.contentCpn,h,b.adPlacementRenderer.adSlotLoggingData,[new NG(c)])]})}; -vS=function(a,b){var c;g.C.call(this);var d=this;this.D=a;this.B=new Map;this.C=new Map;this.u=null;b.get().addListener(this);g.eg(this,function(){b.get().removeListener(d)}); -this.u=(null===(c=b.get().u)||void 0===c?void 0:c.slotId)||null}; -vra=function(a,b){for(var c=[],d=g.q(a.values()),e=d.next();!e.done;e=d.next())e=e.value,e.slot.slotId===b&&c.push(e);return c}; -wS=function(a,b,c,d){g.C.call(this);this.J=a;this.Da=b;this.Ca=c;this.Fa=d;this.listeners=[];this.B=new Set;this.u=[];this.D=new fM(this,Cqa(c.get()));this.C=new gM;wra(this)}; -pra=function(a,b,c){return hM(a.C,b,c)}; -wra=function(a){var b,c=a.J.getVideoData(1);c.subscribe("cuepointupdated",a.Ez,a);a.B.clear();a.u.length=0;c=(null===(b=c.ra)||void 0===b?void 0:RB(b,0))||[];a.Ez(c)}; -xra=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START";default:throw Error("Unexpected cuepoint event");}}; -yra=function(a){this.J=a}; -Ara=function(a,b,c){zra(a.J,b,c)}; -xS=function(){this.listeners=new Set}; -yS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="image-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Bra=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; -zS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="shopping-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Cra=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; -Dra=function(a,b,c,d,e){this.Vb=a;this.Fa=b;this.me=c;this.Nd=d;this.jb=e}; -AS=function(a,b,c,d,e,f,h,l,m,n){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.ua=l;this.oc=m;this.Ca=n;this.Ia=Eoa(b,c)}; -Era=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; -BS=function(a,b,c,d,e,f,h,l,m,n,p){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.D=l;this.ua=m;this.oc=n;this.Ca=p;this.Ia=Eoa(b,c)}; -CS=function(a,b,c,d,e,f,h,l,m){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.jb=e;this.B=f;this.C=h;this.oc=l;this.Ca=m}; -DS=function(a){g.C.call(this);this.u=a;this.ob=new Map}; -ES=function(a,b){for(var c=[],d=g.q(a.ob.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.layoutId===b.layoutId&&c.push(e);c.length&&gQ(a.u(),c)}; -FS=function(a){g.C.call(this);this.C=a;this.Wi=!0;this.ob=new Map;this.u=new Map;this.B=new Map}; -Fra=function(a,b){var c=[],d=a.u.get(b.layoutId);if(d){d=g.q(d);for(var e=d.next();!e.done;e=d.next())(e=a.B.get(e.value.triggerId))&&c.push(e)}return c}; -GS=function(a,b,c){g.C.call(this);this.C=a;this.bj=b;this.Ua=c;this.u=this.B=void 0;this.bj.get().addListener(this)}; -Gra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,"SLOT_TYPE_ABOVE_FEED",f.Gi)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.MB=Y(function(){return new Dra(f.Vb,f.Fa,a,f.Ib,f.jb)}); -g.D(this,this.MB);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Qe],["SLOT_TYPE_ABOVE_FEED",this.zc],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty", -this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED", -this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_ABOVE_FEED", -this.MB],["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:this.fc,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(),Wh:this.Ed,vg:this.Ib.get()}}; -Hra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc], -["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled", -this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received", -this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(), -Wh:this.Ed,vg:this.Ib.get()}}; -Ira=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.xG=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.xG);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.xG],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Jra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING", -this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -IS=function(a,b,c,d,e,f,h,l){JR.call(this,a,b,c,d,e,f,h);this.Jn=l}; -Kra=function(a,b,c,d,e){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.Jn=e}; -Lra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Jn=Y(function(){return new lra(b)}); -g.D(this,this.Jn);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(cra,HS,function(l,m,n,p){var r=f.Cb.get(),t=sqa(n);t.push(new yG(n.sJ));t.push(new zG(n.vJ));return tqa(l,m,n,new OP(t),p,r.Ua.get())},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.wI=Y(function(){return new Kra(f.Vb,f.ua,f.Fa,f.Ib,f.Jn)}); -g.D(this,this.wI);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.wI],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Mra=function(a,b,c,d){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d}; -Nra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,f.Gi,3)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new Mra(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested", -this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended", -this.rd],["trigger_type_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:null,qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Pra=function(a,b,c,d){g.C.call(this);var e=this;this.u=Ora(function(){return e.B},a,b,c,d); -g.D(this,this.u);this.B=(new Gpa(this.u)).B;g.D(this,this.B)}; -Ora=function(a,b,c,d,e){try{var f=b.T();if(g.HD(f))var h=new Gra(a,b,c,d,e);else if(g.LD(f))h=new Hra(a,b,c,d,e);else if(MD(f))h=new Jra(a,b,c,d,e);else if(yD(f))h=new Ira(a,b,c,d,e);else if(KD(f))h=new Lra(a,b,c,d,e);else if(g.xD(f))h=new Nra(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return e=b.T(),S("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:e.deviceParams.cplatform,"interface":e.deviceParams.c,b5:e.deviceParams.cver,a5:e.deviceParams.ctheme, -Z4:e.deviceParams.cplayer,p5:e.playerStyle}),new Mqa(a,b,c,d)}}; -Qra=function(a,b,c){this.u=a;this.yi=b;this.B=c}; -g.JS=function(a){g.O.call(this);this.loaded=!1;this.player=a}; -KS=function(a){g.JS.call(this,a);var b=this;this.u=null;this.D=new bG(this.player);this.C=null;this.F=function(){function d(){return b.u} -if(null!=b.C)return b.C;var e=Sma({vC:a.getVideoData(1)});e=new fpa({tJ:new Qra(d,b.B.u.Ke.yi,b.B.B),Ip:e.jK(),uJ:d,FJ:d,KN:d,Wh:b.B.u.Ke.Wh,ci:e.jy(),J:b.player,qg:b.B.u.Ke.qg,Fa:b.B.u.Fa,vg:b.B.u.Ke.vg});b.C=e.B;return b.C}; -this.B=new Pra(this.player,this,this.D,this.F);g.D(this,this.B);this.created=!1;var c=a.T();!uD(c)||g.xD(c)||yD(c)||(c=function(){return b.u},g.D(this,new CP(a,c)),g.D(this,new CN(a,c)))}; -Rra=function(a){var b=a.B.u.Ke.Pb,c=b.u().u;c=jQ(c,"SLOT_TYPE_PLAYER_BYTES_1");var d=[];c=g.q(c.values());for(var e=c.next();!e.done;e=c.next())d.push(e.value.slot);b=pG(b.Da.get(),1).clientPlaybackNonce;c=!1;e=void 0;d=g.q(d);for(var f=d.next();!f.done;f=d.next()){f=f.value;var h=lH(f)?f.hc.C:void 0;h&&h===b&&(h=X(f.va,"metadata_type_fulfilled_layout"),c&&S("More than 1 preroll playerBytes slot detected",f,h,{matches_layout_id:String(e&&h?e.layoutId===h.layoutId:!1),found_layout_id:(null===e||void 0=== -e?void 0:e.layoutId)||"empty",collide_layout_id:(null===h||void 0===h?void 0:h.layoutId)||"empty"}),c=!0,e=h)}(b=c)||(b=a.u,b=!rna(b,una(b)));b||a.B.u.Ke.yl.u()}; -Sra=function(a){a=g.q(a.B.u.Ke.vg.u.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.ab&&"core"===b.bb)return!0;return!1}; -oG=function(a,b,c){c=void 0===c?"":c;var d=a.B.u.Ke.qg,e=a.player.getVideoData(1);e=e&&e.getPlayerResponse()||{};d=Tra(b,d,e&&e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1);zia(a.B.u.Ke.Qb,c,d.Mo,b);a.u&&0b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);LS=new Uint8Array(256);MS=[];NS=[];OS=[];PS=[];for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;LS[f]=e;b=e<<1^(e>>7&&283);var h=b^e;MS.push(b<<24|e<<16|e<<8|h);NS.push(h<<24|MS[f]>>>8);OS.push(e<<24|NS[f]>>>8);PS.push(e<<24|OS[f]>>>8)}}this.u=[0,0,0,0];this.C=new Uint8Array(16);e=[];for(c=0;4>c;c++)e.push(a[4*c]<<24|a[4*c+1]<<16|a[4* -c+2]<<8|a[4*c+3]);for(d=1;44>c;c++)a=e[c-1],c%4||(a=(LS[a>>16&255]^d)<<24|LS[a>>8&255]<<16|LS[a&255]<<8|LS[a>>>24],d=d<<1^(d>>7&&283)),e.push(e[c-4]^a);this.D=e;this.B=16}; -Ura=function(a,b){for(var c=0;4>c;c++)a.u[c]=b[4*c]<<24|b[4*c+1]<<16|b[4*c+2]<<8|b[4*c+3];a.B=16}; -Vra=function(a){for(var b=a.D,c=a.u[0]^b[0],d=a.u[1]^b[1],e=a.u[2]^b[2],f=a.u[3]^b[3],h=3;0<=h&&!(a.u[h]=-~a.u[h]);h--);for(h=4;40>h;){var l=MS[c>>>24]^NS[d>>16&255]^OS[e>>8&255]^PS[f&255]^b[h++];var m=MS[d>>>24]^NS[e>>16&255]^OS[f>>8&255]^PS[c&255]^b[h++];var n=MS[e>>>24]^NS[f>>16&255]^OS[c>>8&255]^PS[d&255]^b[h++];f=MS[f>>>24]^NS[c>>16&255]^OS[d>>8&255]^PS[e&255]^b[h++];c=l;d=m;e=n}a=a.C;c=[c,d,e,f];for(d=0;16>d;)a[d++]=LS[c[0]>>>24]^b[h]>>>24,a[d++]=LS[c[1]>>16&255]^b[h]>>16&255,a[d++]=LS[c[2]>> -8&255]^b[h]>>8&255,a[d++]=LS[c[3]&255]^b[h++]&255,c.push(c.shift())}; -g.RS=function(){g.C.call(this);this.C=null;this.K=this.I=!1;this.F=new g.am;g.D(this,this.F)}; -SS=function(a){a=a.yq();return 1>a.length?NaN:a.end(a.length-1)}; -Wra=function(a,b){a.C&&null!==b&&b.u===a.C.u||(a.C&&a.C.dispose(),a.C=b)}; -TS=function(a){return fA(a.Gf(),a.getCurrentTime())}; -Xra=function(a,b){if(0==a.yg()||0e&&(b+="0"));if(0f&&(b+="0");b+=f+":";10>c&&(b+="0");d=b+c}return 0<=a?d:"-"+d}; +g.fR=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; +gR=function(a,b,c,d,e,f){NQ.call(this,a,{G:"span",N:"ytp-ad-duration-remaining"},"ad-duration-remaining",b,c,d,e);this.videoAdDurationSeconds=f;this.u=null;this.hide()}; +hR=function(a,b,c,d){LQ.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; +iR=function(a,b){this.u=a;this.j=b}; +rFa=function(a,b){return a.u+b*(a.j-a.u)}; +jR=function(a,b,c){return a.j-a.u?g.ze((b-a.u)/(a.j-a.u),0,1):null!=c?c:Infinity}; +kR=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-ad-persistent-progress-bar-container",W:[{G:"div",N:"ytp-ad-persistent-progress-bar"}]});this.api=a;this.u=b;g.E(this,this.u);this.Kc=this.Da("ytp-ad-persistent-progress-bar");this.j=-1;this.S(a,"presentingplayerstatechange",this.onStateChange);this.hide();this.onStateChange()}; +lR=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-player-overlay",W:[{G:"div",N:"ytp-ad-player-overlay-flyout-cta"},{G:"div",N:"ytp-ad-player-overlay-instream-info"},{G:"div",N:"ytp-ad-player-overlay-skip-or-preview"},{G:"div",N:"ytp-ad-player-overlay-progress-bar"},{G:"div",N:"ytp-ad-player-overlay-instream-user-sentiment"}]},"player-overlay",b,c,d);this.J=f;this.C=this.Da("ytp-ad-player-overlay-flyout-cta");this.api.V().K("web_rounded_thumbnails")&&this.C.classList.add("ytp-ad-player-overlay-flyout-cta-rounded"); +this.u=this.Da("ytp-ad-player-overlay-instream-info");this.B=null;sFa(this)&&(a=pf("div"),g.Qp(a,"ytp-ad-player-overlay-top-bar-gradients"),b=this.u,b.parentNode&&b.parentNode.insertBefore(a,b),(b=this.api.getVideoData(2))&&b.isListed&&b.title&&(c=new hR(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),c.Ea(a),c.init(fN("ad-title"),{text:b.title},this.macros),g.E(this,c)),this.B=a);this.D=this.Da("ytp-ad-player-overlay-skip-or-preview");this.Aa=this.Da("ytp-ad-player-overlay-progress-bar"); +this.Z=this.Da("ytp-ad-player-overlay-instream-user-sentiment");this.j=e;g.E(this,this.j);this.hide()}; +sFa=function(a){a=a.api.V();return g.nK(a)&&a.u}; +mR=function(a,b,c){var d={};b&&(d.v=b);c&&(d.list=c);a={name:a,locale:void 0,feature:void 0};for(var e in d)a[e]=d[e];d=g.Zi("/sharing_services",a);g.ZB(d)}; +g.nR=function(a){a&=16777215;var b=[(a&16711680)>>16,(a&65280)>>8,a&255];a=b[0];var c=b[1];b=b[2];a=Number(a);c=Number(c);b=Number(b);if(a!=(a&255)||c!=(c&255)||b!=(b&255))throw Error('"('+a+","+c+","+b+'") is not a valid RGB color');c=a<<16|c<<8|b;return 16>a?"#"+(16777216|c).toString(16).slice(1):"#"+c.toString(16)}; +vFa=function(a,b){if(!a)return!1;var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow)return!!b.ow[d];var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK)return!!b.ZK[c];for(var f in a)if(b.VK[f])return!0;return!1}; +wFa=function(a,b){var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow&&(c=b.ow[d]))return c();var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK&&(e=b.ZK[c]))return e();for(var f in a)if(b.VK[f]&&(a=b.VK[f]))return a()}; +oR=function(a){return function(){return new a}}; +yFa=function(a){var b=void 0===b?"UNKNOWN_INTERFACE":b;if(1===a.length)return a[0];var c=xFa[b];if(c){var d=new RegExp(c),e=g.t(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,d.exec(c))return c}var f=[];Object.entries(xFa).forEach(function(h){var l=g.t(h);h=l.next().value;l=l.next().value;b!==h&&f.push(l)}); d=new RegExp(f.join("|"));a.sort(function(h,l){return h.length-l.length}); -e=g.q(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,!d.exec(c))return c;return a[0]}; -bT=function(a){return"/youtubei/v1/"+isa(a)}; -dT=function(){}; -eT=function(){}; -fT=function(){}; -gT=function(){}; -hT=function(){}; -iT=function(){this.u=this.B=void 0}; -jsa=function(){iT.u||(iT.u=new iT);return iT.u}; -ksa=function(a,b){var c=g.vo("enable_get_account_switcher_endpoint_on_webfe")?b.text().then(function(d){return JSON.parse(d.replace(")]}'",""))}):b.json(); -b.redirected||b.ok?a.u&&a.u.success():(a.u&&a.u.failure(),c=c.then(function(d){g.Is(new g.tr("Error: API fetch failed",b.status,b.url,d));return Object.assign(Object.assign({},d),{errorMetadata:{status:b.status}})})); -return c}; -kT=function(a){if(!jT){var b={lt:{playlistEditEndpoint:hT,subscribeEndpoint:eT,unsubscribeEndpoint:fT,modifyChannelNotificationPreferenceEndpoint:gT}},c=g.vo("web_enable_client_location_service")?WF():void 0,d=[];c&&d.push(c);void 0===a&&(a=Kq());c=jsa();aT.u=new aT(b,c,a,Mea,d);jT=aT.u}return jT}; -lsa=function(a,b){var c={commandMetadata:{webCommandMetadata:{apiUrl:"/youtubei/v1/browse/edit_playlist",url:"/service_ajax",sendPost:!0}},playlistEditEndpoint:{playlistId:"WL",actions:b}},d={list_id:"WL"};c=cT(kT(),c);Am(c.then(function(e){if(e&&"STATUS_SUCCEEDED"===e.status){if(a.onSuccess)a.onSuccess({},d)}else if(a.onError)a.onError({},d)}),function(){a.Zf&&a.Zf({},d)})}; -nsa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{addedVideoId:a.videoIds,action:"ACTION_ADD_VIDEO"}]):msa("add_to_watch_later_list",a,b,c)}; -osa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{removedVideoId:a.videoIds,action:"ACTION_REMOVE_VIDEO_BY_VIDEO_ID"}]):msa("delete_from_watch_later_list",a,b,c)}; -msa=function(a,b,c,d){g.qq(c?c+"playlist_video_ajax?action_"+a+"=1":"/playlist_video_ajax?action_"+a+"=1",{method:"POST",si:{feature:b.feature||null,authuser:b.ye||null,pageid:b.pageId||null},tc:{video_ids:b.videoIds||null,source_playlist_id:b.sourcePlaylistId||null,full_list_id:b.fullListId||null,delete_from_playlists:b.q5||null,add_to_playlists:b.S4||null,plid:g.L("PLAYBACK_ID")||null},context:b.context,onError:b.onError,onSuccess:function(e,f){b.onSuccess.call(this,e,f)}, -Zf:b.Zf,withCredentials:!!d})}; -g.qsa=function(a,b,c){b=psa(null,b,c);if(b=window.open(b,"loginPopup","width=800,height=600,resizable=yes,scrollbars=yes",!0))c=g.No("LOGGED_IN",function(d){g.Oo(g.L("LOGGED_IN_PUBSUB_KEY",void 0));so("LOGGED_IN",!0);a(d)}),so("LOGGED_IN_PUBSUB_KEY",c),b.moveTo((screen.width-800)/2,(screen.height-600)/2)}; -psa=function(a,b,c){var d="/signin?context=popup";c&&(d=document.location.protocol+"//"+c+d);c=document.location.protocol+"//"+document.domain+"/post_login";a&&(c=Ld(c,"mode",a));a=Ld(d,"next",c);b&&(a=Ld(a,"feature",b));return a}; -lT=function(){}; -mT=function(){}; -ssa=function(){var a,b;return We(this,function d(){var e;return xa(d,function(f){e=navigator;return(null===(a=e.storage)||void 0===a?0:a.estimate)?f["return"](e.storage.estimate()):(null===(b=e.webkitTemporaryStorage)||void 0===b?0:b.u)?f["return"](rsa()):f["return"]()})})}; -rsa=function(){var a=navigator;return new Promise(function(b,c){var d;null!==(d=a.webkitTemporaryStorage)&&void 0!==d&&d.u?a.webkitTemporaryStorage.u(function(e,f){b({usage:e,quota:f})},function(e){c(e)}):c(Error("webkitTemporaryStorage is not supported."))})}; -Mq=function(a,b,c){var d=this;this.zy=a;this.handleError=b;this.u=c;this.B=!1;void 0===self.document||self.addEventListener("beforeunload",function(){d.B=!0})}; -Pq=function(a){var b=Lq;if(a instanceof vr)switch(a.type){case "UNKNOWN_ABORT":case "QUOTA_EXCEEDED":case "QUOTA_MAYBE_EXCEEDED":b.zy(a);break;case "EXPLICIT_ABORT":a.sampleWeight=0;break;default:b.handleError(a)}else b.handleError(a)}; -usa=function(a,b){ssa().then(function(c){c=Object.assign(Object.assign({},b),{isSw:void 0===self.document,isIframe:self!==self.top,deviceStorageUsageMbytes:tsa(null===c||void 0===c?void 0:c.usage),deviceStorageQuotaMbytes:tsa(null===c||void 0===c?void 0:c.quota)});a.u("idbQuotaExceeded",c)})}; -tsa=function(a){return"undefined"===typeof a?"-1":String(Math.ceil(a/1048576))}; -vsa=function(){ZE("bg_l","player_att");nT=(0,g.N)()}; -wsa=function(a){a=void 0===a?{}:a;var b=Ps;a=void 0===a?{}:a;return b.u?b.u.hot?b.u.hot(void 0,void 0,a):b.u.invoke(void 0,void 0,a):null}; -xsa=function(a){a=void 0===a?{}:a;return Qea(a)}; -ysa=function(a,b){var c=this;this.videoData=a;this.C=b;var d={};this.B=(d.c1a=function(){if(oT(c)){var e="";c.videoData&&c.videoData.rh&&(e=c.videoData.rh+("&r1b="+c.videoData.clientPlaybackNonce));var f={};e=(f.atr_challenge=e,f);ZE("bg_v","player_att");e=c.C?wsa(e):g.Ja("yt.abuse.player.invokeBotguard")(e);ZE("bg_s","player_att");e=e?"r1a="+e:"r1c=2"}else ZE("bg_e","player_att"),e="r1c=1";return e},d.c3a=function(e){return"r3a="+Math.floor(c.videoData.lengthSeconds%Number(e.c3a)).toString()},d.c6a= -function(e){e=Number(e.c); -var f=c.C?parseInt(g.L("DCLKSTAT",0),10):(f=g.Ja("yt.abuse.dclkstatus.checkDclkStatus"))?f():NaN;return"r6a="+(e^f)},d); -this.videoData&&this.videoData.rh?this.u=Xp(this.videoData.rh):this.u={}}; -zsa=function(a){if(a.videoData&&a.videoData.rh){for(var b=[a.videoData.rh],c=g.q(Object.keys(a.B)),d=c.next();!d.done;d=c.next())d=d.value,a.u[d]&&a.B[d]&&(d=a.B[d](a.u))&&b.push(d);return b.join("&")}return null}; -Bsa=function(a){var b={};Object.assign(b,a.B);"c1b"in a.u&&(b.c1a=function(){return Asa(a)}); -if(a.videoData&&a.videoData.rh){for(var c=[a.videoData.rh],d=g.q(Object.keys(b)),e=d.next();!e.done;e=d.next())e=e.value,a.u[e]&&b[e]&&(e=b[e](a.u))&&c.push(e);return new Promise(function(f,h){Promise.all(c).then(function(l){f(l.filter(function(m){return!!m}).join("&"))},h)})}return Promise.resolve(null)}; -oT=function(a){return a.C?Ps.Yd():(a=g.Ja("yt.abuse.player.botguardInitialized"))&&a()}; -Asa=function(a){if(!oT(a))return ZE("bg_e","player_att"),Promise.resolve("r1c=1");var b="";a.videoData&&a.videoData.rh&&(b=a.videoData.rh+("&r1b="+a.videoData.clientPlaybackNonce));var c={},d=(c.atr_challenge=b,c),e=a.C?xsa:g.Ja("yt.abuse.player.invokeBotguardAsync");return new Promise(function(f){ZE("bg_v","player_att");e(d).then(function(h){h?(ZE("bg_s","player_att"),f("r1a="+h)):(ZE("bg_e","player_att"),f("r1c=2"))},function(){ZE("bg_e","player_att"); -f("r1c=3")})})}; -Csa=function(a,b,c){"string"===typeof a&&(a={mediaContentUrl:a,startSeconds:b,suggestedQuality:c});a:{if((b=a.mediaContentUrl)&&(b=/\/([ve]|embed)\/([^#?]+)/.exec(b))&&b[2]){b=b[2];break a}b=null}a.videoId=b;return pT(a)}; -pT=function(a,b,c){if("string"===typeof a)return{videoId:a,startSeconds:b,suggestedQuality:c};b=["endSeconds","startSeconds","mediaContentUrl","suggestedQuality","videoId"];c={};for(var d=0;dd&&(d=-(d+1));g.Ie(a,b,d);b.setAttribute("data-layer",String(c))}; -g.XT=function(a){var b=a.T();if(!b.Zb)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=!c.isLiveDefaultBroadcast||g.Q(b.experiments,"allow_poltergust_autoplay");d=c.isLivePlayback&&(!g.Q(b.experiments,"allow_live_autoplay")||!d);var e=c.isLivePlayback&&g.Q(b.experiments,"allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.hasNext();var f=c.watchNextResponse&&c.watchNextResponse.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay); -f=c.qc&&f;return!c.ypcPreview&&(!d||e)&&!g.jb(c.Of,"ypc")&&!a&&(!g.hD(b)||f)}; -g.ZT=function(a,b,c,d,e){a.T().ia&&dta(a.app.ia,b,c,d,void 0===e?!1:e)}; -g.MN=function(a,b,c,d){a.T().ia&&eta(a.app.ia,b,c,void 0===d?!1:d)}; -g.NN=function(a,b,c){a.T().ia&&(a.app.ia.elements.has(b),c&&(b.visualElement=g.Lt(c)))}; -g.$T=function(a,b,c){a.T().ia&&a.app.ia.click(b,c)}; -g.QN=function(a,b,c,d){if(a.T().ia){a=a.app.ia;a.elements.has(b);c?a.u.add(b):a.u["delete"](b);var e=g.Rt(),f=b.visualElement;a.B.has(b)?e&&f&&(c?g.eu(e,[f]):g.fu(e,[f])):c&&!a.C.has(b)&&(e&&f&&g.Yt(e,f,d),a.C.add(b))}}; -g.PN=function(a,b){return a.T().ia?a.app.ia.elements.has(b):!1}; -g.yN=function(a,b){if(a.app.getPresentingPlayerType()===b){var c=a.app,d=g.Z(c,b);d&&(c.ea("release presenting player, type "+d.getPlayerType()+", vid "+d.getVideoData().videoId),d!==c.B?aU(c,c.B):fta(c))}}; -zra=function(a,b,c){c=void 0===c?Infinity:c;a=a.app;b=void 0===b?-1:b;b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.I?bU(a.I,b,c):cU(a.te,b,c)}; -gta=function(a){if(!a.ba("html5_inline_video_quality_survey"))return!1;var b=g.Z(a.app);if(!b)return!1;var c=b.getVideoData();if(!c.Oa||!c.Oa.video||1080>c.Oa.video.Fc||c.OD)return!1;var d=/^qsa/.test(c.clientPlaybackNonce),e="r";0<=c.Oa.id.indexOf(";")&&(d=/^[a-p]/.test(c.clientPlaybackNonce),e="x");a.ba("html5_inline_video_quality_survey_always")&&(d=!0,e="a");return d?(b.Na("iqss",e,!0),!0):!1}; -dU=function(a,b){this.W=a;this.timerName="";this.B=!1;this.u=b||null;this.B=!1}; -hta=function(a){a=a.timerName;OE("yt_sts","p",a);PE("_start",void 0,a)}; -$sa=function(a,b,c){var d=g.nD(b.Sa)&&b.Sa.Sl&&mJ(b);if(b.Sa.Ql&&(jD(b.Sa)||RD(b.Sa)||d)&&!a.B){a.B=!0;g.L("TIMING_ACTION")||so("TIMING_ACTION",a.W.csiPageType);a.W.csiServiceName&&so("CSI_SERVICE_NAME",a.W.csiServiceName);if(a.u){b=a.u.B;d=g.q(Object.keys(b));for(var e=d.next();!e.done;e=d.next())e=e.value,PE(e,b[e],a.timerName);b=a.u.u;d=g.q(Object.keys(b));for(e=d.next();!e.done;e=d.next())e=e.value,OE(e,b[e],a.timerName);b=a.u;b.B={};b.u={}}OE("yt_pvis",Oha(),a.timerName);OE("yt_pt","html5",a.timerName); -c&&!WE("pbs",a.timerName)&&a.tick("pbs",c);c=a.W;!RD(c)&&!jD(c)&&WE("_start",a.timerName)&&$E(a.timerName)}}; -g.eU=function(a,b){this.type=a||"";this.id=b||""}; -g.fU=function(a,b){g.O.call(this);this.Sa=a;this.startSeconds=0;this.shuffle=!1;this.index=0;this.title="";this.length=0;this.items=[];this.Pd=this.loaded=!1;this.Ad=this.Ix=this.Cr=null;this.dislikes=this.likes=this.views=0;this.order=[];this.author="";this.li={};this.xu=0;var c=b.session_data;c&&(this.Ad=Vp(c));this.AJ=0!==b.fetch;this.index=Math.max(0,Number(b.index)||0);this.loop=!!b.loop;this.startSeconds=Number(b.startSeconds)||0;this.JN="1"===b.mob;this.title=b.playlist_title||"";this.description= -b.playlist_description||"";this.author=b.author||b.playlist_author||"";b.video_id&&(this.items[this.index]=b);if(c=b.api)"string"===typeof c&&16===c.length?b.list="PL"+c:b.playlist=c;if(c=b.list)switch(b.listType){case "user_uploads":this.Pd||(this.listId=new g.eU("UU","PLAYER_"+c),this.loadPlaylist("/list_ajax?style=json&action_get_user_uploads_by_user=1",{username:c}));break;case "search":ita(this,c);break;default:var d=b.playlist_length;d&&(this.length=Number(d)||0);this.listId=new g.eU(c.substr(0, -2),c.substr(2));(c=b.video)?(this.items=c.slice(0),this.loaded=!0):jta(this)}else if(b.playlist){c=b.playlist.toString().split(",");0=a.length?0:b}; -lta=function(a){var b=a.index-1;return 0>b?a.length-1:b}; -hU=function(a,b){a.index=g.ce(b,0,a.length-1);a.startSeconds=0}; -ita=function(a,b){if(!a.Pd){a.listId=new g.eU("SR",b);var c={search_query:b};a.JN&&(c.mob="1");a.loadPlaylist("/search_ajax?style=json&embeddable=1",c)}}; -jta=function(a){if(!a.Pd){var b=b||a.listId;b={list:b};var c=a.Ma();c&&c.videoId&&(b.v=c.videoId);a.loadPlaylist("/list_ajax?style=json&action_get_list=1",b)}}; -iU=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=a.Ma();a.items=[];for(var d=g.q(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(d=b.index)?a.index=d:a.findIndex(c);a.setShuffle(!1);a.Pd=!1;a.loaded=!0;a.xu++;a.Cr&&a.Cr()}}; -jU=function(a){var b=g.ZF(),c=a.Ug;c&&(b.clickTracking={clickTrackingParams:c});var d=b.client||{},e="EMBED",f=kJ(a);c=a.T();"leanback"===f?e="WATCH":c.ba("gvi_channel_client_screen")&&"profilepage"===f?e="CHANNEL":a.Zi?e="LIVE_MONITOR":"detailpage"===f?e="WATCH_FULL_SCREEN":"adunit"===f?e="ADUNIT":"sponsorshipsoffer"===f&&(e="UNKNOWN");d.clientScreen=e;if(c.Ja){f=c.Ja.split(",");e=[];f=g.q(f);for(var h=f.next();!h.done;h=f.next())e.push(Number(h.value));d.experimentIds=e}if(e=c.getPlayerType())d.playerType= -e;if(e=c.deviceParams.ctheme)d.theme=e;a.ws&&(d.unpluggedAppInfo={enableFilterMode:!0});if(e=a.ue)d.unpluggedLocationInfo=e;b.client=d;d=b.request||{};if(e=a.mdxEnvironment)d.mdxEnvironment=e;if(e=a.mdxControlMode)d.mdxControlMode=mta[e];b.request=d;d=b.user||{};if(e=a.lg)d.credentialTransferTokens=[{token:e,scope:"VIDEO"}];if(e=a.Ph)d.delegatePurchases={oauthToken:e},d.kidsParent={oauthToken:e};b.user=d;if(d=a.contextParams)b.activePlayers=[{playerContextParams:d}];if(a=a.clientScreenNonce)b.clientScreenNonce= -a;if(a=c.Qa)b.thirdParty={embedUrl:a};return b}; -kU=function(a,b,c){var d=a.videoId,e=jU(a),f=a.T(),h={html5Preference:"HTML5_PREF_WANTS",lactMilliseconds:String(Bp()),referer:document.location.toString(),signatureTimestamp:18610};g.ht.getInstance();a.Kh&&(h.autonav=!0);g.jt(0,141)&&(h.autonavState=g.jt(0,140)?"STATE_OFF":"STATE_ON");h.autoCaptionsDefaultOn=g.jt(0,66);nJ(a)&&(h.autoplay=!0);f.C&&a.cycToken&&(h.cycToken=a.cycToken);a.Ly&&(h.fling=!0);var l=a.Yn;if(l){var m={},n=l.split("|");3===n.length?(m.breakType=nta[n[0]],m.offset={kind:"OFFSET_MILLISECONDS", -value:String(Number(n[1])||0)},m.url=n[2]):m.url=l;h.forceAdParameters={videoAds:[m]}}a.isLivingRoomDeeplink&&(h.isLivingRoomDeeplink=!0);l=a.Cu;if(null!=l){l={startWalltime:String(l)};if(m=a.vo)l.manifestDuration=String(m||14400);h.liveContext=l}a.mutedAutoplay&&(h.mutedAutoplay=!0);a.Uj&&(h.splay=!0);l=a.vnd;5===l&&(h.vnd=l);if((l=a.isMdxPlayback)||g.Q(f.experiments,"send_mdx_remote_data_if_present")){l={triggeredByMdx:l};if(n=a.nf)m=n.startsWith("!"),n=n.split("-"),3===n.length?(m&&(n[0]=n[0].substr(1)), -m={clientName:ota[n[0]]||"UNKNOWN_INTERFACE",platform:pta[n[1]]||"UNKNOWN_PLATFORM",applicationState:m?"INACTIVE":"ACTIVE",clientVersion:n[2]||""},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]):(m={clientName:"UNKNOWN_INTERFACE"},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]);if(m=a.Cj)l.skippableAdsSupported=m.split(",").includes("ska");h.mdxContext=l}l=b.width; -0Math.random()){var B=new g.tr("Unable to load player module",b+".js from "+d+" on "+(document.location&&document.location.origin)+".");g.Hs(B)}gm(p);t&&t(x)}; -var w=h,y=w.onreadystatechange;w.onreadystatechange=function(x){switch(w.readyState){case "loaded":case "complete":gm(n)}y&&y(x)}; -f&&((e=a.J.T().cspNonce)&&h.setAttribute("nonce",e),g.kd(h,g.sg(d)),e=document.getElementsByTagName("HEAD")[0]||document.body,e.insertBefore(h,e.firstChild),g.eg(a,function(){h.parentNode&&h.parentNode.removeChild(h);g.qU[b]=null;"annotations_module"===b&&(g.qU.creatorendscreen=null)}))}}; -xU=function(a,b,c,d){g.O.call(this);var e=this;this.target=a;this.aa=b;this.B=0;this.I=!1;this.D=new g.ge(NaN,NaN);this.u=new g.tR(this);this.ha=this.C=this.K=null;g.D(this,this.u);b=d?4E3:3E3;this.P=new g.F(function(){wU(e,1,!1)},b,this); -g.D(this,this.P);this.X=new g.F(function(){wU(e,2,!1)},b,this); -g.D(this,this.X);this.Y=new g.F(function(){wU(e,512,!1)},b,this); -g.D(this,this.Y);this.fa=c&&01+b&&a.api.toggleFullscreen()}; -Nta=function(){var a=er()&&67<=br();return!dr("tizen")&&!fD&&!a&&!0}; -WU=function(a){g.V.call(this,{G:"button",la:["ytp-button","ytp-back-button"],S:[{G:"div",L:"ytp-arrow-back-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},S:[{G:"path",U:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",wb:!0,U:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.J=a;g.JN(this,a.T().showBackButton);this.wa("click",this.onClick)}; -g.XU=function(a){g.V.call(this,{G:"div",S:[{G:"div",L:"ytp-bezel-text-wrapper",S:[{G:"div",L:"ytp-bezel-text",Z:"{{title}}"}]},{G:"div",L:"ytp-bezel",U:{role:"status","aria-label":"{{label}}"},S:[{G:"div",L:"ytp-bezel-icon",Z:"{{icon}}"}]}]});this.J=a;this.B=new g.F(this.show,10,this);this.u=new g.F(this.hide,500,this);g.D(this,this.B);g.D(this,this.u);this.hide()}; -ZU=function(a,b,c){if(0>=b){c=dO();b="muted";var d=0}else c=c?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", -fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";YU(a,c,b,d+"%")}; -Sta=function(a,b){var c=b?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]},d=a.J.getPlaybackRate(),e=g.tL("Speed is $RATE",{RATE:String(d)});YU(a,c,e,d+"x")}; -YU=function(a,b,c,d){d=void 0===d?"":d;a.ya("label",void 0===c?"":c);a.ya("icon",b);a.u.rg();a.B.start();a.ya("title",d);g.J(a.element,"ytp-bezel-text-hide",!d)}; -$U=function(a,b,c){g.V.call(this,{G:"div",L:"ytp-cards-teaser",S:[{G:"div",L:"ytp-cards-teaser-box"},{G:"div",L:"ytp-cards-teaser-text",S:[{G:"span",L:"ytp-cards-teaser-label",Z:"{{text}}"}]}]});var d=this;this.J=a;this.X=b;this.Di=c;this.D=new g.mO(this,250,!1,250);this.u=null;this.K=new g.F(this.wP,300,this);this.I=new g.F(this.vP,2E3,this);this.F=[];this.B=null;this.P=new g.F(function(){d.element.style.margin="0"},250); -this.C=null;g.D(this,this.D);g.D(this,this.K);g.D(this,this.I);g.D(this,this.P);this.N(c.element,"mouseover",this.VE);this.N(c.element,"mouseout",this.UE);this.N(a,"cardsteasershow",this.LQ);this.N(a,"cardsteaserhide",this.nb);this.N(a,"cardstatechange",this.fI);this.N(a,"presentingplayerstatechange",this.fI);this.N(a,"appresize",this.ZA);this.N(a,"onShowControls",this.ZA);this.N(a,"onHideControls",this.GJ);this.wa("click",this.kS);this.wa("mouseenter",this.IM)}; -bV=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-button","ytp-cards-button"],U:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"span",L:"ytp-cards-button-icon-default",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, -{G:"div",L:"ytp-cards-button-title",Z:"Info"}]},{G:"span",L:"ytp-cards-button-icon-shopping",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",L:"ytp-svg-shadow",U:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",L:"ytp-svg-fill",U:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", -"fill-opacity":"1"}},{G:"path",L:"ytp-svg-shadow-fill",U:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", -L:"ytp-cards-button-title",Z:"Shopping"}]}]});this.J=a;this.D=b;this.C=c;this.u=null;this.B=new g.mO(this,250,!0,100);g.D(this,this.B);g.J(this.C,"ytp-show-cards-title",g.hD(a.T()));this.hide();this.wa("click",this.onClicked);this.wa("mouseover",this.YO);aV(this,!0)}; -aV=function(a,b){b?a.u=g.cV(a.D.Rb(),a.element):(a.u=a.u,a.u(),a.u=null)}; -Uta=function(a,b,c,d){var e=window.location.search;if(38===b.bh&&"books"===a.playerStyle)return e=b.videoId.indexOf(":"),g.Md("//play.google.com/books/volumes/"+b.videoId.slice(0,e)+"/content/media",{aid:b.videoId.slice(e+1),sig:b.ON});if(30===b.bh&&"docs"===a.playerStyle)return g.Md("https://docs.google.com/get_video_info",{docid:b.videoId,authuser:b.ye,authkey:b.authKey,eurl:a.Qa});if(33===b.bh&&"google-live"===a.playerStyle)return g.Md("//google-liveplayer.appspot.com/get_video_info",{key:b.videoId}); -"yt"!==a.Y&&g.Hs(Error("getVideoInfoUrl for invalid namespace: "+a.Y));var f={html5:"1",video_id:b.videoId,cpn:b.clientPlaybackNonce,eurl:a.Qa,ps:a.playerStyle,el:kJ(b),hl:a.Lg,list:b.playlistId,agcid:b.RB,aqi:b.adQueryId,sts:18610,lact:Bp()};g.Ua(f,a.deviceParams);a.Ja&&(f.forced_experiments=a.Ja);b.lg?(f.vvt=b.lg,b.mdxEnvironment&&(f.mdx_environment=b.mdxEnvironment)):b.uf()&&(f.access_token=b.uf());b.adFormat&&(f.adformat=b.adFormat);0<=b.slotPosition&&(f.slot_pos=b.slotPosition);b.breakType&& -(f.break_type=b.breakType);null!==b.Sw&&(f.ad_id=b.Sw);null!==b.Yw&&(f.ad_sys=b.Yw);null!==b.Gx&&(f.encoded_ad_playback_context=b.Gx);b.GA&&(f.tpra="1");a.captionsLanguagePreference&&(f.cc_lang_pref=a.captionsLanguagePreference);a.zj&&2!==a.zj&&(f.cc_load_policy=a.zj);var h=g.jt(g.ht.getInstance(),65);g.ND(a)&&null!=h&&!h&&(f.device_captions_on="1");a.mute&&(f.mute=a.mute);b.annotationsLoadPolicy&&2!==a.annotationsLoadPolicy&&(f.iv_load_policy=b.annotationsLoadPolicy);b.xt&&(f.endscreen_ad_tracking= -b.xt);(h=a.K.get(b.videoId))&&h.ts&&(f.ic_track=h.ts);b.Ug&&(f.itct=b.Ug);nJ(b)&&(f.autoplay="1");b.mutedAutoplay&&(f.mutedautoplay=b.mutedAutoplay);b.Kh&&(f.autonav="1");b.Oy&&(f.noiba="1");g.Q(a.experiments,"send_mdx_remote_data_if_present")?(b.isMdxPlayback&&(f.mdx="1"),b.nf&&(f.ytr=b.nf)):b.isMdxPlayback&&(f.mdx="1",f.ytr=b.nf);b.mdxControlMode&&(f.mdx_control_mode=b.mdxControlMode);b.Cj&&(f.ytrcc=b.Cj);b.Wy&&(f.utpsa="1");b.Ly&&(f.is_fling="1");b.My&&(f.mute="1");b.vnd&&(f.vnd=b.vnd);b.Yn&&(h= -3===b.Yn.split("|").length,f.force_ad_params=h?b.Yn:"||"+b.Yn);b.an&&(f.preload=b.an);c.width&&(f.width=c.width);c.height&&(f.height=c.height);b.Uj&&(f.splay="1");b.ypcPreview&&(f.ypc_preview="1");lJ(b)&&(f.content_v=lJ(b));b.Zi&&(f.livemonitor=1);a.ye&&(f.authuser=a.ye);a.pageId&&(f.pageid=a.pageId);a.kc&&(f.ei=a.kc);a.B&&(f.iframe="1");b.contentCheckOk&&(f.cco="1");b.racyCheckOk&&(f.rco="1");a.C&&b.Cu&&(f.live_start_walltime=b.Cu);a.C&&b.vo&&(f.live_manifest_duration=b.vo);a.C&&b.playerParams&& -(f.player_params=b.playerParams);a.C&&b.cycToken&&(f.cyc=b.cycToken);a.C&&b.JA&&(f.tkn=b.JA);0!==d&&(f.vis=d);a.enableSafetyMode&&(f.enable_safety_mode="1");b.Ph&&(f.kpt=b.Ph);b.vu&&(f.kids_age_up_mode=b.vu);b.kidsAppInfo&&(f.kids_app_info=b.kidsAppInfo);b.ws&&(f.upg_content_filter_mode="1");a.widgetReferrer&&(f.widget_referrer=a.widgetReferrer.substring(0,128));b.ue?(h=null!=b.ue.latitudeE7&&null!=b.ue.longitudeE7?b.ue.latitudeE7+","+b.ue.longitudeE7:",",h+=","+(b.ue.clientPermissionState||0)+","+ -(b.ue.locationRadiusMeters||"")+","+(b.ue.locationOverrideToken||"")):h=null;h&&(f.uloc=h);b.Iq&&(f.internalipoverride=b.Iq);a.embedConfig&&(f.embed_config=a.embedConfig);a.Dn&&(f.co_rel="1");0b);e=d.next())c++;return 0===c?c:c-1}; -mua=function(a,b){var c=IV(a,b)+1;return cd;e={yk:e.yk},f++){e.yk=c[f];a:switch(e.yk.img||e.yk.iconId){case "facebook":var h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", -fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", -fill:"#01abf0"}}]};break a;default:h=null}h&&(h=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],U:{href:e.yk.url,target:"_blank",title:e.yk.sname||e.yk.serviceName},S:[h]}),h.wa("click",function(m){return function(n){if(g.cP(n)){var p=m.yk.url;var r=void 0===r?{}:r;r.target=r.target||"YouTube";r.width=r.width||"600";r.height=r.height||"600";r||(r={});var t=window;var w=p instanceof g.Ec?p:g.Jc("undefined"!=typeof p.href?p.href:String(p));p=r.target||p.target;var y=[];for(x in r)switch(x){case "width":case "height":case "top":case "left":y.push(x+ -"="+r[x]);break;case "target":case "noopener":case "noreferrer":break;default:y.push(x+"="+(r[x]?1:0))}var x=y.join(",");Vd()&&t.navigator&&t.navigator.standalone&&p&&"_self"!=p?(x=g.Fe("A"),g.jd(x,w),x.setAttribute("target",p),r.noreferrer&&x.setAttribute("rel","noreferrer"),r=document.createEvent("MouseEvent"),r.initMouseEvent("click",!0,!0,t,1),x.dispatchEvent(r),t={}):r.noreferrer?(t=ld("",t,p,x),r=g.Fc(w),t&&(g.OD&&-1!=r.indexOf(";")&&(r="'"+r.replace(/'/g,"%27")+"'"),t.opener=null,r=g.fd(g.gc("b/12014412, meta tag with sanitized URL"), -''),(w=t.document)&&w.write&&(w.write(g.bd(r)),w.close()))):(t=ld(w,t,p,x))&&r.noopener&&(t.opener=null);if(r=t)r.opener||(r.opener=window),r.focus();g.ip(n)}}}(e)),g.eg(h,g.cV(a.tooltip,h.element)),a.B.push(h),d++)}var l=b.more||b.moreLink; -c=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],S:[{G:"span",L:"ytp-share-panel-service-button-more",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", -fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],U:{href:l,target:"_blank",title:"More"}});c.wa("click",function(m){g.BU(l,a.api,m)&&a.api.xa("SHARE_CLICKED")}); -g.eg(c,g.cV(a.tooltip,c.element));a.B.push(c);a.ya("buttons",a.B)}; -wua=function(a){g.sn(a.element,"ytp-share-panel-loading");g.I(a.element,"ytp-share-panel-fail")}; -vua=function(a){for(var b=g.q(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.fg(c);a.B=[]}; -ZV=function(a,b){g.V.call(this,{G:"div",L:"ytp-suggested-action"});var c=this;this.J=a;this.Ta=b;this.za=this.I=this.u=this.C=this.B=this.F=this.expanded=this.enabled=this.dismissed=!1;this.Qa=!0;this.ha=new g.F(function(){c.badge.element.style.width=""},200,this); -this.ma=new g.F(function(){XV(c);YV(c)},200,this); -this.dismissButton=new g.V({G:"button",la:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.D(this,this.dismissButton);this.D=new g.V({G:"div",L:"ytp-suggested-action-badge-expanded-content-container",S:[{G:"label",L:"ytp-suggested-action-badge-title",Z:"{{badgeLabel}}"},this.dismissButton]});g.D(this,this.D);this.badge=new g.V({G:"button",la:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],S:[{G:"div",L:"ytp-suggested-action-badge-icon"},this.D]}); -g.D(this,this.badge);this.badge.ga(this.element);this.P=new g.mO(this.badge,250,!1,100);g.D(this,this.P);this.Y=new g.mO(this.D,250,!1,100);g.D(this,this.Y);this.ia=new g.gn(this.ZR,null,this);g.D(this,this.ia);this.X=new g.gn(this.ZJ,null,this);g.D(this,this.X);g.D(this,this.ha);g.D(this,this.ma);g.MN(this.J,this.badge.element,this.badge,!0);g.MN(this.J,this.dismissButton.element,this.dismissButton,!0);this.N(this.J,"onHideControls",function(){c.u=!1;YV(c);XV(c);c.ri()}); -this.N(this.J,"onShowControls",function(){c.u=!0;YV(c);XV(c);c.ri()}); -this.N(this.badge.element,"click",this.DF);this.N(this.dismissButton.element,"click",this.EF);this.N(this.J,"pageTransition",this.TM);this.N(this.J,"appresize",this.ri);this.N(this.J,"fullscreentoggled",this.ri);this.N(this.J,"cardstatechange",this.vO);this.N(this.J,"annotationvisibility",this.zS,this)}; -XV=function(a){g.J(a.badge.element,"ytp-suggested-action-badge-with-controls",a.u||!a.F)}; -YV=function(a,b){var c=a.I||a.u||!a.F;a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.ia.stop(),a.X.stop(),a.ha.stop(),a.ia.start()):(g.JN(a.D,a.expanded),g.J(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),xua(a))}; -xua=function(a){a.B&&g.QN(a.J,a.badge.element,a.cw());a.C&&g.QN(a.J,a.dismissButton.element,a.cw()&&(a.I||a.u||!a.F))}; -yua=function(a,b){b?a.C&&g.$T(a.J,a.dismissButton.element):a.B&&g.$T(a.J,a.badge.element)}; -$V=function(a,b){ZV.call(this,a,b);var c=this;this.K=this.aa=this.fa=!1;this.N(this.J,g.hF("shopping_overlay_visible"),function(){c.ff(!0)}); -this.N(this.J,g.iF("shopping_overlay_visible"),function(){c.ff(!1)}); -this.N(this.J,g.hF("shopping_overlay_expanded"),function(){c.I=!0;YV(c)}); -this.N(this.J,g.iF("shopping_overlay_expanded"),function(){c.I=!1;YV(c)}); -this.N(this.J,"changeProductsInVideoVisibility",this.QP);this.N(this.J,"videodatachange",this.Ra);this.N(this.J,"paidcontentoverlayvisibilitychange",this.HP)}; -zua=function(a,b){b=void 0===b?0:b;var c=[],d=a.timing.visible,e=a.timing.expanded;d&&c.push(new g.eF(1E3*(d.startSec+b),1E3*(d.endSec+b),{priority:7,namespace:"shopping_overlay_visible"}));e&&c.push(new g.eF(1E3*(e.startSec+b),1E3*(e.endSec+b),{priority:7,namespace:"shopping_overlay_expanded"}));g.zN(a.J,c)}; -aW=function(a){g.WT(a.J,"shopping_overlay_visible");g.WT(a.J,"shopping_overlay_expanded")}; -bW=function(a){g.OU.call(this,a,{G:"button",la:["ytp-skip-intro-button","ytp-popup","ytp-button"],S:[{G:"div",L:"ytp-skip-intro-button-text",Z:"Skip Intro"}]},100);var b=this;this.C=!1;this.B=new g.F(function(){b.hide()},5E3); -this.al=this.Em=NaN;g.D(this,this.B);this.I=function(){b.show()}; -this.F=function(){b.hide()}; -this.D=function(){var c=b.J.getCurrentTime();c>b.Em/1E3&&ca}; +wJa=function(a,b){uJa(a.program,b.A8)&&(fF("bg_i",void 0,"player_att"),g.fS.initialize(a,function(){var c=a.serverEnvironment;fF("bg_l",void 0,"player_att");sJa=(0,g.M)();for(var d=0;dr.length)){q={applicationState:q?"INACTIVE":"ACTIVE",clientFormFactor:JJa[r[1]]||"UNKNOWN_FORM_FACTOR",clientName:KJa[r[0]]||"UNKNOWN_INTERFACE",clientVersion:r[2]|| +"",platform:LJa[r[1]]||"UNKNOWN_PLATFORM"};r=void 0;if(n){v=void 0;try{v=JSON.parse(n)}catch(B){g.DD(B)}v&&(r={params:[{key:"ms",value:v.ms}]},q.osName=v.os_name,q.userAgent=v.user_agent,q.windowHeightPoints=v.window_height_points,q.windowWidthPoints=v.window_width_points)}l.push({adSignalsInfo:r,remoteClient:q})}m.remoteContexts=l}n=a.sourceContainerPlaylistId;l=a.serializedMdxMetadata;if(n||l)p={},n&&(p.mdxPlaybackContainerInfo={sourceContainerPlaylistId:n}),l&&(p.serializedMdxMetadata=l),m.mdxPlaybackSourceContext= +p;h.mdxContext=m;m=b.width;0d&&(d=-(d+1));g.wf(a,b,d);b.setAttribute("data-layer",String(c))}; +g.OS=function(a){var b=a.V();if(!b.Od)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=(!c.isLiveDefaultBroadcast||b.K("allow_poltergust_autoplay"))&&!aN(c);d=c.isLivePlayback&&(!b.K("allow_live_autoplay")||!d);var e=c.isLivePlayback&&b.K("allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.Ck();var f=c.jd&&c.jd.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay);f=c.D&&f;return!c.ypcPreview&&(!d||e)&&!g.rb(c.Ja,"ypc")&& +!a&&(!g.fK(b)||f)}; +pKa=function(a){a=g.qS(a.app);if(!a)return!1;var b=a.getVideoData();if(!b.u||!b.u.video||1080>b.u.video.j||b.jT)return!1;var c=/^qsa/.test(b.clientPlaybackNonce),d="r";0<=b.u.id.indexOf(";")&&(c=/^[a-p]/.test(b.clientPlaybackNonce),d="x");return c?(a.xa("iqss",{trigger:d},!0),!0):!1}; +g.PS=function(a,b,c,d){d=void 0===d?!1:d;g.dQ.call(this,b);var e=this;this.F=a;this.Ga=d;this.J=new g.bI(this);this.Z=new g.QQ(this,c,!0,void 0,void 0,function(){e.BT()}); +g.E(this,this.J);g.E(this,this.Z)}; +qKa=function(a){a.u&&(document.activeElement&&g.zf(a.element,document.activeElement)&&(Bf(a.u),a.u.focus()),a.u.setAttribute("aria-expanded","false"),a.u=void 0);g.Lz(a.J);a.T=void 0}; +QS=function(a,b,c){a.ej()?a.Fb():a.od(b,c)}; +rKa=function(a,b,c,d){d=new g.U({G:"div",Ia:["ytp-linked-account-popup-button"],ra:d,X:{role:"button",tabindex:"0"}});b=new g.U({G:"div",N:"ytp-linked-account-popup",X:{role:"dialog","aria-modal":"true",tabindex:"-1"},W:[{G:"div",N:"ytp-linked-account-popup-title",ra:b},{G:"div",N:"ytp-linked-account-popup-description",ra:c},{G:"div",N:"ytp-linked-account-popup-buttons",W:[d]}]});g.PS.call(this,a,{G:"div",N:"ytp-linked-account-popup-container",W:[b]},100);var e=this;this.dialog=b;g.E(this,this.dialog); +d.Ra("click",function(){e.Fb()}); +g.E(this,d);g.NS(this.F,this.element,4);this.hide()}; +g.SS=function(a,b,c,d){g.dQ.call(this,a);this.priority=b;c&&g.RS(this,c);d&&this.ge(d)}; +g.TS=function(a,b,c){a=void 0===a?{}:a;b=void 0===b?[]:b;c=void 0===c?!1:c;b.push("ytp-menuitem");"role"in a||(a.role="menuitem");c||"tabindex"in a||(a.tabindex="0");return{G:c?"a":"div",Ia:b,X:a,W:[{G:"div",N:"ytp-menuitem-icon",ra:"{{icon}}"},{G:"div",N:"ytp-menuitem-label",ra:"{{label}}"},{G:"div",N:"ytp-menuitem-content",ra:"{{content}}"}]}}; +US=function(a,b){a.updateValue("icon",b)}; +g.RS=function(a,b){a.updateValue("label",b)}; +VS=function(a){g.SS.call(this,g.TS({"aria-haspopup":"true"},["ytp-linked-account-menuitem"]),2);var b=this;this.F=a;this.u=this.j=!1;this.Eb=a.Nm();a.Zf(this.element,this,!0);this.S(this.F,"settingsMenuVisibilityChanged",function(c){b.Zb(c)}); +this.S(this.F,"videodatachange",this.C);this.Ra("click",this.onClick);this.C()}; +WS=function(a){return a?g.gE(a):""}; +XS=function(a){g.C.call(this);this.api=a}; +YS=function(a){XS.call(this,a);var b=this;mS(a,"setAccountLinkState",function(c){b.setAccountLinkState(c)}); +mS(a,"updateAccountLinkingConfig",function(c){b.updateAccountLinkingConfig(c)}); +a.addEventListener("videodatachange",function(c,d){b.onVideoDataChange(d)}); +a.addEventListener("settingsMenuInitialized",function(){b.menuItem=new VS(b.api);g.E(b,b.menuItem)})}; +sKa=function(a){XS.call(this,a);this.events=new g.bI(a);g.E(this,this.events);a.K("fetch_bid_for_dclk_status")&&this.events.S(a,"videoready",function(b){var c,d={contentCpn:(null==(c=a.getVideoData(1))?void 0:c.clientPlaybackNonce)||""};2===a.getPresentingPlayerType()&&(d.adCpn=b.clientPlaybackNonce);g.gA(g.iA(),function(){rsa("vr",d)})}); +a.K("report_pml_debug_signal")&&this.events.S(a,"videoready",function(b){if(1===a.getPresentingPlayerType()){var c,d,e={playerDebugData:{pmlSignal:!!(null==(c=b.getPlayerResponse())?0:null==(d=c.adPlacements)?0:d.some(function(f){var h;return null==f?void 0:null==(h=f.adPlacementRenderer)?void 0:h.renderer})), +contentCpn:b.clientPlaybackNonce}};g.rA("adsClientStateChange",e)}})}; +uKa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-button"],X:{title:"{{title}}","aria-label":"{{label}}","data-priority":"-10","data-tooltip-target-id":"ytp-autonav-toggle-button"},W:[{G:"div",N:"ytp-autonav-toggle-button-container",W:[{G:"div",N:"ytp-autonav-toggle-button",X:{"aria-checked":"true"}}]}]});this.F=a;this.u=[];this.j=!1;this.isChecked=!0;a.sb(this.element,this,113681);this.S(a,"presentingplayerstatechange",this.SA);this.Ra("click",this.onClick);this.F.V().K("web_player_autonav_toggle_always_listen")&& +tKa(this);this.tooltip=b.Ic();g.bb(this,g.ZS(b.Ic(),this.element));this.SA()}; +tKa=function(a){a.u.push(a.S(a.F,"videodatachange",a.SA));a.u.push(a.S(a.F,"videoplayerreset",a.SA));a.u.push(a.S(a.F,"onPlaylistUpdate",a.SA));a.u.push(a.S(a.F,"autonavchange",a.yR))}; +vKa=function(a){a.isChecked=a.isChecked;a.Da("ytp-autonav-toggle-button").setAttribute("aria-checked",String(a.isChecked));var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.updateValue("title",b);a.updateValue("label",b);$S(a.tooltip)}; +wKa=function(a){return a.F.V().K("web_player_autonav_use_server_provided_state")&&kM(a.Hd())}; +xKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);var c=a.V();c.Od&&c.K("web_player_move_autonav_toggle")&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a),e=new uKa(a,d);g.E(b,e);d.aB(e)})}; +yKa=function(){g.Wz();return g.Xz(0,192)?g.Xz(0,190):!g.gy("web_watch_cinematics_disabled_by_default")}; +aT=function(a,b){g.SS.call(this,g.TS({role:"menuitemcheckbox","aria-checked":"false"}),b,a,{G:"div",N:"ytp-menuitem-toggle-checkbox"});this.checked=!1;this.Ra("click",this.onClick)}; +bT=function(a,b){a.checked=b;a.element.setAttribute("aria-checked",String(a.checked))}; +cT=function(a){var b=a.K("web_player_use_cinematic_label_2")?"Ambient mode":"Cinematic lighting";aT.call(this,b,13);var c=this;this.F=a;this.j=!1;this.u=new g.Ip(function(){g.Sp(c.element,"ytp-menuitem-highlighted")},0); +this.Eb=a.Nm();US(this,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M21 7v10H3V7h18m1-1H2v12h20V6zM11.5 2v3h1V2h-1zm1 17h-1v3h1v-3zM3.79 3 6 5.21l.71-.71L4.5 2.29 3.79 3zm2.92 16.5L6 18.79 3.79 21l.71.71 2.21-2.21zM19.5 2.29 17.29 4.5l.71.71L20.21 3l-.71-.71zm0 19.42.71-.71L18 18.79l-.71.71 2.21 2.21z",fill:"white"}}]});this.subscribe("select",this.C,this);this.Ra(zKa,this.B);g.E(this,this.u)}; +BKa=function(a){XS.call(this,a);var b=this;this.j=!1;var c;this.K("web_cinematic_watch_settings")&&(null==(c=a.V().webPlayerContextConfig)?0:c.cinematicSettingsAvailable)&&(a.addEventListener("settingsMenuInitialized",function(){AKa(b)}),a.addEventListener("highlightSettingsMenu",function(d){AKa(b); +var e=b.menuItem;"menu_item_cinematic_lighting"===d&&(g.Qp(e.element,"ytp-menuitem-highlighted"),g.Qp(e.element,"ytp-menuitem-highlight-transition-enabled"),e.u.start())}),mS(a,"updateCinematicSettings",function(d){b.updateCinematicSettings(d)}))}; +AKa=function(a){a.menuItem||(a.menuItem=new cT(a.api),g.E(a,a.menuItem),a.menuItem.Pa(a.j))}; +dT=function(a){XS.call(this,a);var b=this;this.j={};this.events=new g.bI(a);g.E(this,this.events);this.K("enable_precise_embargos")&&!g.FK(this.api.V())&&(this.events.S(a,"videodatachange",function(){var c=b.api.getVideoData();b.api.Ff("embargo",1);(null==c?0:c.cueRanges)&&CKa(b,c)}),this.events.S(a,g.ZD("embargo"),function(c){var d; +c=null!=(d=b.j[c.id])?d:[];d=g.t(c);for(c=d.next();!c.done;c=d.next()){var e=c.value;b.api.hideControls();b.api.Ng("heartbeat.stop",2,"This video isn't available in your current playback area");c=void 0;(e=null==(c=e.embargo)?void 0:c.onTrigger)&&b.api.Na("innertubeCommand",e)}}))}; +CKa=function(a,b){if(null!=b&&aN(b)||a.K("enable_discrete_live_precise_embargos")){var c;null==(c=b.cueRanges)||c.filter(function(d){var e;return null==(e=d.onEnter)?void 0:e.some(a.u)}).forEach(function(d){var e,f=Number(null==(e=d.playbackPosition)?void 0:e.utcTimeMillis)/1E3,h; +e=f+Number(null==(h=d.duration)?void 0:h.seconds);h="embargo_"+f;a.api.addUtcCueRange(h,f,e,"embargo",!1);d.onEnter&&(a.j[h]=d.onEnter.filter(a.u))})}}; +DKa=function(a){XS.call(this,a);var b=this;this.j=[];this.events=new g.bI(a);g.E(this,this.events);mS(a,"addEmbedsConversionTrackingParams",function(c){b.api.V().Un&&b.addEmbedsConversionTrackingParams(c)}); +this.events.S(a,"veClickLogged",function(c){b.api.Dk(c)&&(c=Uh(c.visualElement.getAsJspb(),2),b.j.push(c))})}; +EKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);a.K("embeds_web_enable_ve_logging_unification")&&a.V().C&&(this.events.S(a,"initialvideodatacreated",function(c){pP().wk(16623);b.j=g.FE();if(SM(c)){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"});if(c.jd){var d,e=null==(d=c.jd)?void 0:d.trackingParams;e&&pP().eq(e)}if(c.getPlayerResponse()){var f;(c=null==(f=c.getPlayerResponse())?void 0:f.trackingParams)&&pP().eq(c)}}else pP().wk(32594, +void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"}),c.kf&&(f=null==(e=c.kf)?void 0:e.trackingParams)&&pP().eq(f)}),this.events.S(a,"loadvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"cuevideo",function(){pP().wk(32594,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"largeplaybuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistnextbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistprevbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistautonextvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"})}))}; +eT=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullerscreen-edu-button","ytp-button"],W:[{G:"div",Ia:["ytp-fullerscreen-edu-text"],ra:"Scroll for details"},{G:"div",Ia:["ytp-fullerscreen-edu-chevron"],W:[{G:"svg",X:{height:"100%",viewBox:"0 0 24 24",width:"100%"},W:[{G:"path",X:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.Ta=a;this.B=b;this.j=new g.QQ(this,250,void 0,100);this.C=this.u=!1;a.sb(this.element,this,61214);this.B=b;g.E(this,this.j);this.S(a, +"fullscreentoggled",this.Pa);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);this.Pa()}; +fT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);mS(this.api,"updateFullerscreenEduButtonSubtleModeState",function(d){b.updateFullerscreenEduButtonSubtleModeState(d)}); +mS(this.api,"updateFullerscreenEduButtonVisibility",function(d){b.updateFullerscreenEduButtonVisibility(d)}); +var c=a.V();a.K("external_fullscreen_with_edu")&&c.externalFullscreen&&BK(c)&&"1"===c.controlsType&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a);b.j=new eT(a,d);g.E(b,b.j);d.aB(b.j)})}; +FKa=function(a){g.U.call(this,{G:"div",N:"ytp-gated-actions-overlay",W:[{G:"div",N:"ytp-gated-actions-overlay-background",W:[{G:"div",N:"ytp-gated-actions-overlay-background-overlay"}]},{G:"button",Ia:["ytp-gated-actions-overlay-miniplayer-close-button","ytp-button"],X:{"aria-label":"Close"},W:[g.jQ()]},{G:"div",N:"ytp-gated-actions-overlay-bar",W:[{G:"div",N:"ytp-gated-actions-overlay-text-container",W:[{G:"div",N:"ytp-gated-actions-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-gated-actions-overlay-subtitle", +ra:"{{subtitle}}"}]},{G:"div",N:"ytp-gated-actions-overlay-button-container"}]}]});var b=this;this.api=a;this.background=this.Da("ytp-gated-actions-overlay-background");this.u=this.Da("ytp-gated-actions-overlay-button-container");this.j=[];this.S(this.Da("ytp-gated-actions-overlay-miniplayer-close-button"),"click",function(){b.api.Na("onCloseMiniplayer")}); this.hide()}; -cW=function(a,b){g.V.call(this,{G:"button",la:["ytp-airplay-button","ytp-button"],U:{title:"AirPlay"},Z:"{{icon}}"});this.J=a;this.wa("click",this.onClick);this.N(a,"airplayactivechange",this.oa);this.N(a,"airplayavailabilitychange",this.oa);this.oa();g.eg(this,g.cV(b.Rb(),this.element))}; -dW=function(a,b){g.V.call(this,{G:"button",la:["ytp-button"],U:{title:"{{title}}","aria-label":"{{label}}","data-tooltip-target-id":"ytp-autonav-toggle-button"},S:[{G:"div",L:"ytp-autonav-toggle-button-container",S:[{G:"div",L:"ytp-autonav-toggle-button",U:{"aria-checked":"true"}}]}]});this.J=a;this.B=[];this.u=!1;this.isChecked=!0;g.ZT(a,this.element,this,113681);this.N(a,"presentingplayerstatechange",this.er);this.wa("click",this.onClick);this.tooltip=b.Rb();g.eg(this,g.cV(b.Rb(),this.element)); -this.er()}; -Aua=function(a){a.setValue(a.isChecked);var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.ya("title",b);a.ya("label",b);EV(a.tooltip)}; -g.fW=function(a){g.V.call(this,{G:"div",L:"ytp-gradient-bottom"});this.B=g.Fe("CANVAS");this.u=this.B.getContext("2d");this.C=NaN;this.B.width=1;this.D=g.qD(a.T());g.eW(this,g.cG(a).getPlayerSize().height)}; -g.eW=function(a,b){if(a.u){var c=Math.floor(b*(a.D?1:.4));c=Math.max(c,47);var d=c+2;if(a.C!==d){a.C=d;a.B.height=d;a.u.clearRect(0,0,1,d);var e=a.u.createLinearGradient(0,2,0,2+c);if(a.D)e.addColorStop(.133,"rgba(0, 0, 0, 0.2)"),e.addColorStop(.44,"rgba(0, 0, 0, 0.243867)"),e.addColorStop(1,"rgba(0, 0, 0, 0.8)");else{var f=c-42;e.addColorStop(0,"rgba(0, 0, 0, 0)");e.addColorStop(f/c,"rgba(0, 0, 0, 0.3)");e.addColorStop(1,"rgba(0, 0, 0, 0.68)")}a.u.fillStyle=e;a.u.fillRect(0,2,1,c);a.element.style.height= -d+"px";try{a.element.style.backgroundImage="url("+a.B.toDataURL()+")"}catch(h){}}}}; -gW=function(a,b,c,d,e){g.V.call(this,{G:"div",L:"ytp-chapter-container",S:[{G:"button",la:["ytp-chapter-title","ytp-button"],U:{title:"View chapter","aria-label":"View chapter"},S:[{G:"span",U:{"aria-hidden":"true"},L:"ytp-chapter-title-prefix",Z:"\u2022"},{G:"div",L:"ytp-chapter-title-content",Z:"{{title}}"},{G:"div",L:"ytp-chapter-title-chevron",S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M9.71 18.71l-1.42-1.42 5.3-5.29-5.3-5.29 1.42-1.42 6.7 6.71z",fill:"#fff"}}]}]}]}]}); -this.J=a;this.K=b;this.P=c;this.I=d;this.X=e;this.F="";this.currentIndex=0;this.C=void 0;this.B=!0;this.D=this.ka("ytp-chapter-container");this.u=this.ka("ytp-chapter-title");this.updateVideoData("newdata",this.J.getVideoData());this.N(a,"videodatachange",this.updateVideoData);this.N(this.D,"click",this.onClick);a.T().ba("html5_ux_control_flexbox_killswitch")&&this.N(a,"resize",this.Y);this.N(a,"onVideoProgress",this.sc);this.N(a,"SEEK_TO",this.sc)}; -Bua=function(a,b,c,d,e){var f=b.jv/b.rows,h=Math.min(c/(b.kv/b.columns),d/f),l=b.kv*h,m=b.jv*h;l=Math.floor(l/b.columns)*b.columns;m=Math.floor(m/b.rows)*b.rows;var n=l/b.columns,p=m/b.rows,r=-b.column*n,t=-b.row*p;e&&45>=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+r+"px "+t+"px/"+l+"px "+m+"px"}; -g.hW=function(a){g.V.call(this,{G:"div",L:"ytp-storyboard-framepreview",S:[{G:"div",L:"ytp-storyboard-framepreview-img"}]});this.api=a;this.D=this.ka("ytp-storyboard-framepreview-img");this.oh=null;this.B=NaN;this.events=new g.tR(this);this.u=new g.mO(this,100);g.D(this,this.events);g.D(this,this.u);this.N(this.api,"presentingplayerstatechange",this.lc)}; -iW=function(a,b){var c=!!a.oh;a.oh=b;a.oh?(c||(a.events.N(a.api,"videodatachange",function(){iW(a,a.api.tg())}),a.events.N(a.api,"progresssync",a.ie),a.events.N(a.api,"appresize",a.C)),a.B=NaN,jW(a),a.u.show(200)):(c&&g.ut(a.events),a.u.hide(),a.u.stop())}; -jW=function(a){var b=a.oh,c=a.api.getCurrentTime(),d=g.cG(a.api).getPlayerSize(),e=jI(b,d.width);c=oI(b,e,c);c!==a.B&&(a.B=c,lI(b,c,d.width),b=b.pm(c,d.width),Bua(a.D,b,d.width,d.height))}; -kW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullerscreen-edu-button","ytp-button"],S:[{G:"div",la:["ytp-fullerscreen-edu-text"],Z:"Scroll for details"},{G:"div",la:["ytp-fullerscreen-edu-chevron"],S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.u=a;this.F=b;this.C=new g.mO(this,250,void 0,100);this.D=this.B=!1;g.ZT(a,this.element,this,61214);this.F=b;g.D(this,this.C);this.N(a, -"fullscreentoggled",this.oa);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);this.oa()}; -g.lW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullscreen-button","ytp-button"],U:{title:"{{title}}"},Z:"{{icon}}"});this.J=a;this.C=b;this.message=null;this.u=g.cV(this.C.Rb(),this.element);this.B=new g.F(this.DJ,2E3,this);g.D(this,this.B);this.N(a,"fullscreentoggled",this.WE);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);if(nt()){var c=g.cG(this.J);this.N(c,Xea(),this.Fz);this.N(c,qt(document),this.jk)}a.T().za||a.T().ba("embeds_enable_mobile_custom_controls")|| -this.disable();this.oa();this.WE(a.isFullscreen())}; -Cua=function(a,b){String(b).includes("fullscreen error")?g.Is(b):g.Hs(b);a.Fz()}; -mW=function(a,b){g.V.call(this,{G:"button",la:["ytp-miniplayer-button","ytp-button"],U:{title:"{{title}}","data-tooltip-target-id":"ytp-miniplayer-button"},S:[Yna()]});this.J=a;this.visible=!1;this.wa("click",this.onClick);this.N(a,"fullscreentoggled",this.oa);this.ya("title",g.EU(a,"Miniplayer","i"));g.eg(this,g.cV(b.Rb(),this.element));g.ZT(a,this.element,this,62946);this.oa()}; -nW=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-multicam-button","ytp-button"],U:{title:"Switch camera","aria-haspopup":"true","data-preview":"{{preview}}","data-tooltip-text":"{{text}}"},S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M 26,10 22.83,10 21,8 15,8 13.17,10 10,10 c -1.1,0 -2,.9 -2,2 l 0,12 c 0,1.1 .9,2 2,2 l 16,0 c 1.1,0 2,-0.9 2,-2 l 0,-12 c 0,-1.1 -0.9,-2 -2,-2 l 0,0 z m -5,11.5 0,-2.5 -6,0 0,2.5 -3.5,-3.5 3.5,-3.5 0,2.5 6,0 0,-2.5 3.5,3.5 -3.5,3.5 0,0 z", -fill:"#fff"}}]}]});var d=this;this.J=a;this.u=!1;this.B=new g.F(this.C,400,this);this.tooltip=b.Rb();hV(this.tooltip);g.D(this,this.B);this.wa("click",function(){PU(c,d.element,!1)}); -this.N(a,"presentingplayerstatechange",function(){d.oa(!1)}); -this.N(a,"videodatachange",this.Ra);this.oa(!0);g.eg(this,g.cV(this.tooltip,this.element))}; -oW=function(a){g.OU.call(this,a,{G:"div",L:"ytp-multicam-menu",U:{role:"dialog"},S:[{G:"div",L:"ytp-multicam-menu-header",S:[{G:"div",L:"ytp-multicam-menu-title",S:["Switch camera",{G:"button",la:["ytp-multicam-menu-close","ytp-button"],U:{"aria-label":"Close"},S:[g.XN()]}]}]},{G:"div",L:"ytp-multicam-menu-items"}]},250);this.api=a;this.C=new g.tR(this);this.items=this.ka("ytp-multicam-menu-items");this.B=[];g.D(this,this.C);a=this.ka("ytp-multicam-menu-close");this.N(a,"click",this.nb);this.hide()}; -pW=function(){g.C.call(this);this.B=null;this.startTime=this.duration=0;this.delay=new g.gn(this.u,null,this);g.D(this,this.delay)}; -Dua=function(a,b){if("path"===b.G)return b.U.d;if(b.S)for(var c=0;cl)a.Ea[c].width=n;else{a.Ea[c].width=0;var p=a,r=c,t=p.Ea[r-1];void 0!== -t&&0a.za&&(a.za=m/f),d=!0)}c++}}return d}; -kX=function(a){if(a.C){var b=a.api.getProgressState(),c=new lP(b.seekableStart,b.seekableEnd),d=nP(c,b.loaded,0);b=nP(c,b.current,0);var e=a.u.B!==c.B||a.u.u!==c.u;a.u=c;lX(a,b,d);e&&mX(a);Zua(a)}}; -oX=function(a,b){var c=mP(a.u,b.C);if(1=a.Ea.length?!1:Math.abs(b-a.Ea[c].startTime/1E3)/a.u.u*(a.C-(a.B?3:2)*a.Y).2*(a.B?60:40)&&1===a.Ea.length){var h=c*(a.u.getLength()/60),l=d*(a.u.getLength()/60);for(h=Math.ceil(h);h=f;c--)g.Je(e[c]);a.element.style.height=a.P+(a.B?8:5)+"px";a.V("height-change",a.P);a.Jg.style.height=a.P+(a.B?20:13)+"px";e=g.q(Object.keys(a.aa));for(f=e.next();!f.done;f=e.next())bva(a,f.value);pX(a);lX(a,a.K,a.ma)}; -iX=function(a){var b=a.Ya.x,c=a.C*a.ha;b=g.ce(b,0,a.C);a.Oe.update(b,a.C,-a.X,-(c-a.X-a.C));return a.Oe}; -lX=function(a,b,c){a.K=b;a.ma=c;var d=iX(a),e=a.u.u,f=mP(a.u,a.K),h=g.tL("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.bP(f,!0),DURATION:g.bP(e,!0)}),l=IV(a.Ea,1E3*f);l=a.Ea[l].title;a.update({ariamin:Math.floor(a.u.B),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.F&&2!==a.api.getPresentingPlayerType()&&(e=a.F.startTimeMs/1E3,f=a.F.endTimeMs/1E3);e=nP(a.u,e,0);h=nP(a.u,f,1);f=g.ce(b,e,h);c=g.ce(c,e,h);b=Vua(a,b,d);g.ug(a.Lg,"transform","translateX("+ -b+"px)");qX(a,d,e,f,"PLAY_PROGRESS");qX(a,d,e,c,"LOAD_PROGRESS")}; -qX=function(a,b,c,d,e){var f=a.Ea.length,h=b.u-a.Y*(a.B?3:2),l=c*h;c=nX(a,l);var m=d*h;h=nX(a,m);"HOVER_PROGRESS"===e&&(h=nX(a,b.u*d,!0),m=b.u*d-cva(a,b.u*d)*(a.B?3:2));b=Math.max(l-dva(a,c),0);for(d=c;d=a.Ea.length)return a.C;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.Ea.length?d-1:d}; -Vua=function(a,b,c){for(var d=b*a.u.u*1E3,e=-1,f=g.q(a.Ea),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; -cva=function(a,b){for(var c=a.Ea.length,d=0,e=g.q(a.Ea),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.B?3:2,d++;else break;return d===c?c-1:d}; -pX=function(a){var b=!!a.F&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.F?(c=a.F.startTimeMs/1E3,d=a.F.endTimeMs/1E3):(e=c>a.u.B,f=0a.K);g.J(a.Jg,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;var c=160*a.scale,d=160*a.scale,e=a.u.pm(a.C,c);Bua(a.bg,e,c,d,!0);a.aa.start()}}; -zva=function(a){var b=a.B;3===a.type&&a.ha.stop();a.api.removeEventListener("appresize",a.Y);a.P||b.setAttribute("title",a.F);a.F="";a.B=null}; -g.eY=function(a,b){g.V.call(this,{G:"button",la:["ytp-watch-later-button","ytp-button"],U:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"div",L:"ytp-watch-later-icon",Z:"{{icon}}"},{G:"div",L:"ytp-watch-later-title",Z:"Watch later"}]});this.J=a;this.icon=null;this.visible=this.B=this.u=!1;this.tooltip=b.Rb();hV(this.tooltip);g.ZT(a,this.element,this,28665);this.wa("click",this.onClick,this);this.N(a,"videoplayerreset",this.qN);this.N(a,"appresize", -this.gv);this.N(a,"videodatachange",this.gv);this.N(a,"presentingplayerstatechange",this.gv);this.gv();var c=this.J.T(),d=Ava();c.B&&d?(Bva(),Cva(this,d.videoId)):this.oa(2);g.J(this.element,"ytp-show-watch-later-title",g.hD(c));g.eg(this,g.cV(b.Rb(),this.element))}; -Dva=function(a,b){g.qsa(function(){Bva({videoId:b});window.location.reload()},"wl_button",g.CD(a.J.T()))}; -Cva=function(a,b){if(!a.B)if(a.B=!0,a.oa(3),g.Q(a.J.T().experiments,"web_player_innertube_playlist_update")){var c=a.J.getVideoData();c=a.u?c.removeFromWatchLaterCommand:c.addToWatchLaterCommand;var d=dG(a.J.app),e=a.u?function(){a.wG()}:function(){a.vG()}; -cT(d,c).then(e,function(){a.B=!1;fY(a,"An error occurred. Please try again later.")})}else c=a.J.T(),(a.u?osa:nsa)({videoIds:b, -ye:c.ye,pageId:c.pageId,onError:a.eR,onSuccess:a.u?a.wG:a.vG,context:a},c.P,!0)}; -fY=function(a,b){a.oa(4,b);a.J.T().C&&a.J.xa("WATCH_LATER_ERROR",b)}; -Eva=function(a,b){var c=a.J.T();if(b!==a.icon){switch(b){case 3:var d=CU();break;case 1:d=UN();break;case 2:d={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:d=g.Q(c.experiments,"watch_later_iconchange_killswitch")?{G:"svg",U:{height:"100%", -version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21,7.91 L19.60,20.91 L16.39,20.91 L15,7.91 L21,7.91 Z M18,27.91 C16.61,27.91 15.5,26.79 15.5,25.41 C15.5,24.03 16.61,22.91 18,22.91 C19.38,22.91 20.5,24.03 20.5,25.41 C20.5,26.79 19.38,27.91 18,27.91 Z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.ya("icon",d); -a.icon=b}}; -gY=function(a){g.SU.call(this,a);var b=this;this.oo=g.hD(this.api.T());this.wx=48;this.xx=69;this.Hi=null;this.sl=[];this.Tb=new g.XU(this.api);this.qt=new FV(this.api);this.Cg=new g.V({G:"div",L:"ytp-chrome-top"});this.qs=[];this.tooltip=new g.cY(this.api,this);this.backButton=this.So=null;this.channelAvatar=new jV(this.api,this);this.title=new bY(this.api,this);this.Rf=new g.GN({G:"div",L:"ytp-chrome-top-buttons"});this.mg=null;this.Di=new bV(this.api,this,this.Cg.element);this.overflowButton=this.dg= -null;this.Bf="1"===this.api.T().controlsType?new YX(this.api,this,this.Nc):null;this.contextMenu=new g.BV(this.api,this,this.Tb);this.gx=!1;this.Ht=new g.V({G:"div",U:{tabindex:"0"}});this.Gt=new g.V({G:"div",U:{tabindex:"0"}});this.Ar=null;this.wA=this.mt=!1;var c=g.cG(a),d=a.T(),e=a.getVideoData();this.oo&&(g.I(a.getRootNode(),"ytp-embed"),g.I(a.getRootNode(),"ytp-embed-playlist"),this.wx=60,this.xx=89);this.Qg=e&&e.Qg;g.D(this,this.Tb);g.BP(a,this.Tb.element,4);g.D(this,this.qt);g.BP(a,this.qt.element, -4);e=new g.V({G:"div",L:"ytp-gradient-top"});g.D(this,e);g.BP(a,e.element,1);this.QA=new g.mO(e,250,!0,100);g.D(this,this.QA);g.D(this,this.Cg);g.BP(a,this.Cg.element,1);this.PA=new g.mO(this.Cg,250,!0,100);g.D(this,this.PA);g.D(this,this.tooltip);g.BP(a,this.tooltip.element,4);var f=new QV(a);g.D(this,f);g.BP(a,f.element,5);f.subscribe("show",function(l){b.mm(f,l)}); -this.qs.push(f);this.So=new RV(a,this,f);g.D(this,this.So);d.showBackButton&&(this.backButton=new WU(a),g.D(this,this.backButton),this.backButton.ga(this.Cg.element));this.oo||this.So.ga(this.Cg.element);this.channelAvatar.ga(this.Cg.element);g.D(this,this.channelAvatar);g.D(this,this.title);this.title.ga(this.Cg.element);g.D(this,this.Rf);this.Rf.ga(this.Cg.element);this.mg=new g.eY(a,this);g.D(this,this.mg);this.mg.ga(this.Rf.element);var h=new g.WV(a,this);g.D(this,h);g.BP(a,h.element,5);h.subscribe("show", -function(l){b.mm(h,l)}); -this.qs.push(h);this.shareButton=new g.VV(a,this,h);g.D(this,this.shareButton);this.shareButton.ga(this.Rf.element);this.Dj=new CV(a,this);g.D(this,this.Dj);this.Dj.ga(this.Rf.element);d.Ls&&(e=new bW(a),g.D(this,e),g.BP(a,e.element,4));this.oo&&this.So.ga(this.Rf.element);g.D(this,this.Di);this.Di.ga(this.Rf.element);e=new $U(a,this,this.Di);g.D(this,e);e.ga(this.Rf.element);this.dg=new NV(a,this);g.D(this,this.dg);g.BP(a,this.dg.element,5);this.dg.subscribe("show",function(){b.mm(b.dg,b.dg.zf())}); -this.qs.push(this.dg);this.overflowButton=new MV(a,this,this.dg);g.D(this,this.overflowButton);this.overflowButton.ga(this.Rf.element);this.Bf&&g.D(this,this.Bf);"3"===d.controlsType&&(e=new UV(a,this),g.D(this,e),g.BP(a,e.element,8));g.D(this,this.contextMenu);this.contextMenu.subscribe("show",this.oI,this);e=new oP(a,new AP(a));g.D(this,e);g.BP(a,e.element,4);this.Ht.wa("focus",this.hK,this);g.D(this,this.Ht);this.Gt.wa("focus",this.iK,this);g.D(this,this.Gt);(this.Xj=d.Oe?null:new g.JV(a,c,this.contextMenu, -this.Nc,this.Tb,this.qt,function(){return b.Ij()}))&&g.D(this,this.Xj); -this.oo||(this.yH=new $V(this.api,this),g.D(this,this.yH),g.BP(a,this.yH.element,4));this.rl.push(this.Tb.element);this.N(a,"fullscreentoggled",this.jk);this.N(a,"offlineslatestatechange",function(){UT(b.api)&&wU(b.Nc,128,!1)}); -this.N(a,"cardstatechange",function(){b.Fg()}); -this.N(a,"resize",this.HO);this.N(a,"showpromotooltip",this.kP)}; -Fva=function(a){var b=a.api.T(),c=g.U(g.uK(a.api),128);return b.B&&c&&!a.api.isFullscreen()}; -hY=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==zg(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=hY(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexd/1E3+1)return"in-the-past";if(f.isLivePlayback&&!isFinite(d))return"live-infinite";if(a.u&&((b=b.Zc())&&b.isView()&&(b=b.u),b&&b.xm().length>a.u&&g.WI(e)))return"played-ranges";if(!e.La)return null;if(!e.La.Lc()||!c.Lc())return"non-dash";if(e.La.videoInfos[0].containerType!==c.videoInfos[0].containerType)return"container";if(g.WI(f)&&g.WI(e))return"content-protection"; -a=c.u[0].audio;e=e.La.u[0].audio;return a.sampleRate===e.sampleRate||g.pB?(a.u||2)!==(e.u||2)?"channel-count":null:"sample-rate"}; -kY=function(a,b,c,d){g.C.call(this);var e=this;this.policy=a;this.u=b;this.B=c;this.D=this.C=null;this.I=-1;this.K=!1;this.F=new py;this.Cf=d-1E3*b.yc();this.F.then(void 0,function(){}); -this.timeout=new g.F(function(){jY(e,"timeout")},1E4); -g.D(this,this.timeout);this.R=isFinite(d);this.status={status:0,error:null};this.ea()}; -Ova=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w;return xa(c,function(y){if(1==y.u){e=d;if(d.na())return y["return"](Promise.reject(Error(d.status.error||"disposed")));d.ea();d.timeout.start();f=yz?new xz("gtfta"):null;return sa(y,d.F,2)}Bz(f);h=d.u.Zc();if(h.Yi())return jY(d,"ended_in_finishTransition"),y["return"](Promise.reject(Error(d.status.error||"")));if(!d.D||!BB(d.D))return jY(d,"next_mse_closed"),y["return"](Promise.reject(Error(d.status.error||"")));if(d.B.tm()!== -d.D)return jY(d,"next_mse_mismatch"),y["return"](Promise.reject(Error(d.status.error||"")));l=Kva(d);m=l.wF;n=l.EC;p=l.vF;d.u.Pf(!1,!0);r=Lva(h,m,p,!d.B.getVideoData().isAd());d.B.setMediaElement(r);d.R&&(d.B.seekTo(d.B.getCurrentTime()+.001,{Gq:!0,OA:3}),r.play()||Ys());t=h.sb();t.cpn=d.u.getVideoData().clientPlaybackNonce;t.st=""+m;t.et=""+p;d.B.Na("gapless",g.vB(t));d.u.Na("gaplessTo",d.B.getVideoData().clientPlaybackNonce);w=d.u.getPlayerType()===d.B.getPlayerType();Mva(d.u,n,!1,w,d.B.getVideoData().clientPlaybackNonce); -Mva(d.B,d.B.getCurrentTime(),!0,w,d.u.getVideoData().clientPlaybackNonce);g.mm(function(){!e.B.getVideoData().Rg&&g.GM(e.B.getPlayerState())&&Nva(e.B)}); -lY(d,6);d.dispose();return y["return"](Promise.resolve())})})}; -Rva=function(a){if(a.B.getVideoData().La){mY(a.B,a.D);lY(a,3);Pva(a);var b=Qva(a),c=b.xH;b=b.XR;c.subscribe("updateend",a.Lo,a);b.subscribe("updateend",a.Lo,a);a.Lo(c);a.Lo(b)}}; -Pva=function(a){a.u.unsubscribe("internalvideodatachange",a.Wl,a);a.B.unsubscribe("internalvideodatachange",a.Wl,a);a.u.unsubscribe("mediasourceattached",a.Wl,a);a.B.unsubscribe("statechange",a.lc,a)}; -Lva=function(a,b,c,d){a=a.isView()?a.u:a;return new g.ZS(a,b,c,d)}; -lY=function(a,b){a.ea();b<=a.status.status||(a.status={status:b,error:null},5===b&&a.F.resolve(void 0))}; -jY=function(a,b){if(!a.na()&&!a.isFinished()){a.ea();var c=4<=a.status.status&&"player-reload-after-handoff"!==b;a.status={status:Infinity,error:b};if(a.u&&a.B){var d=a.B.getVideoData().clientPlaybackNonce;a.u.Na("gaplessError","cpn."+d+";msg."+b);d=a.u;d.videoData.Lh=!1;c&&nY(d);d.Ba&&(c=d.Ba,c.u.aa=!1,c.C&&NF(c))}a.F.reject(void 0);a.dispose()}}; -Kva=function(a){var b=a.u.Zc();b=b.isView()?b.B:0;var c=a.u.getVideoData().isLivePlayback?Infinity:oY(a.u,!0);c=Math.min(a.Cf/1E3,c)+b;var d=a.R?100:0;a=c-a.B.Mi()+d;return{RJ:b,wF:a,EC:c,vF:Infinity}}; -Qva=function(a){return{xH:a.C.u.Rc,XR:a.C.B.Rc}}; -pY=function(a){g.C.call(this);var b=this;this.api=a;this.F=this.u=this.B=null;this.K=!1;this.D=null;this.R=Iva(this.api.T());this.C=null;this.I=function(){g.mm(function(){Sva(b)})}}; -Tva=function(a,b,c,d){d=void 0===d?0:d;a.ea();!a.B||qY(a);a.D=new py;a.B=b;var e=c,f=a.api.dc(),h=f.getVideoData().isLivePlayback?Infinity:1E3*oY(f,!0);e>h&&(e=h-a.R.B,a.K=!0);f.getCurrentTime()>=e/1E3?a.I():(a.u=f,f=e,e=a.u,a.api.addEventListener(g.hF("vqueued"),a.I),f=isFinite(f)||f/1E3>e.getDuration()?f:0x8000000000000,a.F=new g.eF(f,0x8000000000000,{namespace:"vqueued"}),e.addCueRange(a.F));f=d/=1E3;e=b.getVideoData().ra;if(d&&e&&a.u){h=d;var l=0;b.getVideoData().isLivePlayback&&(f=Math.min(c/ -1E3,oY(a.u,!0)),l=Math.max(0,f-a.u.getCurrentTime()),h=Math.min(d,oY(b)+l));f=Wga(e,h)||d;f!==d&&a.B.Na("qvaln","st."+d+";at."+f+";rm."+(l+";ct."+h))}b=f;d=a.B;if(e=a.api.dc())d.Kv=e;d.getVideoData().an=!0;d.getVideoData().Lh=!0;vT(d,!0);e="";a.u&&(e=g.rY(a.u.Jb.provider),f=a.u.getVideoData().clientPlaybackNonce,e="crt."+(1E3*e).toFixed()+";cpn."+f);d.Na("queued",e);0!==b&&d.seekTo(b+.01,{Gq:!0,OA:3});a.C=new kY(a.R,a.api.dc(),a.B,c);c=a.C;c.ea();Infinity!==c.status.status&&(lY(c,1),c.u.subscribe("internalvideodatachange", -c.Wl,c),c.B.subscribe("internalvideodatachange",c.Wl,c),c.u.subscribe("mediasourceattached",c.Wl,c),c.B.subscribe("statechange",c.lc,c),c.u.subscribe("newelementrequired",c.WF,c),c.Wl());return a.D}; -Sva=function(a){We(a,function c(){var d=this,e,f,h,l;return xa(c,function(m){switch(m.u){case 1:e=d;if(d.na())return m["return"]();d.ea();if(!d.D||!d.B)return d.ea(),m["return"]();d.K&&sY(d.api.dc(),!0,!1);f=null;if(!d.C){m.u=2;break}m.C=3;return sa(m,Ova(d.C),5);case 5:ta(m,2);break;case 3:f=h=ua(m);case 2:return Uva(d.api.app,d.B),Cz("vqsp",function(){var n=e.B.getPlayerType();g.xN(e.api.app,n)}),Cz("vqpv",function(){e.api.playVideo()}),f&&Vva(d.B,f.message),l=d.D,qY(d),m["return"](l.resolve(void 0))}})})}; -qY=function(a){if(a.u){var b=a.u;a.api.removeEventListener(g.hF("vqueued"),a.I);b.removeCueRange(a.F);a.u=null;a.F=null}a.C&&(a.C.isFinished()||(b=a.C,Infinity!==b.status.status&&jY(b,"Canceled")),a.C=null);a.D=null;a.B=null;a.K=!1}; -Wva=function(){var a=Wo();return!(!a||"visible"===a)}; -Yva=function(a){var b=Xva();b&&document.addEventListener(b,a,!1)}; -Zva=function(a){var b=Xva();b&&document.removeEventListener(b,a,!1)}; -Xva=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[Vo+"VisibilityState"])return"";a=Vo+"visibilitychange"}return a}; -tY=function(){g.O.call(this);var a=this;this.fullscreen=0;this.B=this.pictureInPicture=this.C=this.u=this.inline=!1;this.D=function(){a.ff()}; -Yva(this.D);this.F=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B)}; -$va=function(a){this.end=this.start=a}; -vY=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.W=b;this.u=c;this.fa=new Map;this.C=new Map;this.B=[];this.ha=NaN;this.R=this.F=null;this.aa=new g.F(function(){uY(d,d.ha)}); -this.events=new g.tR(this);this.isLiveNow=!0;this.ia=g.P(this.W.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.D=new g.F(function(){d.I=!0;d.u.Na("sdai","aftimeout."+d.ia.toString());d.du(!0)},this.ia); -this.I=!1;this.Y=new Map;this.X=[];this.K=null;this.P=[];this.u.getPlayerType();awa(this.u,this);g.D(this,this.aa);g.D(this,this.events);g.D(this,this.D);this.events.N(this.api,g.hF("serverstitchedcuerange"),this.CM);this.events.N(this.api,g.iF("serverstitchedcuerange"),this.DM)}; -fwa=function(a,b,c,d,e){if(g.Q(a.W.experiments,"web_player_ss_timeout_skip_ads")&&bwa(a,d,d+c))return a.u.Na("sdai","adskip_"+d),"";a.I&&a.u.Na("sdai","adaftto");var f=a.u;e=void 0===e?d+c:e;if(d>e)return wY(a,"Invalid playback enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return wY(a,"Invalid playback parentReturnTimeMs="+e+" is greater than parentDurationMs="+ -h),"";h=null;for(var l=g.q(a.B),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return wY(a,"Overlapping child playbacks not allowed. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} overlaps existing ChildPlayback "+xY(m))),"";if(e===m.pc)return wY(a,"Neighboring child playbacks must be added sequentially. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} added after existing ChildPlayback "+xY(m))),""; -d===m.gd&&(h=m)}l="childplayback_"+cwa++;m={Kd:yY(c,!0),Cf:Infinity,target:null};var n=b.raw_player_response;if(!n&&!g.Q(a.W.experiments,"web_player_parse_ad_response_killswitch")){var p=b.player_response;p&&(n=JSON.parse(p))}b.cpn||(b.cpn=a.Wx());b={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m,playerResponse:n,cpn:b.cpn};a.B=a.B.concat(b).sort(function(r,t){return r.pc-t.pc}); -h?(b.xj=h.xj,dwa(h,{Kd:yY(h.durationMs,!0),Cf:Infinity,target:b})):(b.xj=b.cpn,d={Kd:yY(d,!1),Cf:d,target:b},a.fa.set(d.Kd,d),a.ea(),f.addCueRange(d.Kd));d=ewa(b.pc,b.pc+b.durationMs);a.C.set(d,b);f.addCueRange(d);a.D.isActive()&&(a.I=!1,a.D.stop(),a.du(!1));a.ea();return l}; -yY=function(a,b){return new g.eF(Math.max(0,a-5E3),b?0x8000000000000:a-1,{namespace:"serverstitchedtransitioncuerange",priority:7})}; -ewa=function(a,b){return new g.eF(a,b,{namespace:"serverstitchedcuerange",priority:7})}; -dwa=function(a,b){a.pg=b}; -zY=function(a,b,c){c=void 0===c?0:c;var d=0;a=g.q(a.B);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.pc/1E3+d,h=f+e.durationMs/1E3;if(f>b+c)break;if(h>b)return{sh:e,ul:b-d};d=h-e.gd/1E3}return{sh:null,ul:b-d}}; -uY=function(a,b){var c=a.R||a.api.dc().getPlayerState();AY(a,!0);var d=zY(a,b).ul;a.ea();a.ea();a.u.seekTo(d);d=a.api.dc();var e=d.getPlayerState();g.GM(c)&&!g.GM(e)?d.playVideo():g.U(c,4)&&!g.U(e,4)&&d.pauseVideo()}; -AY=function(a,b){a.ha=NaN;a.aa.stop();a.F&&b&&BY(a.F);a.R=null;a.F=null}; -bU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.fa),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.u.removeCueRange(h),a.fa["delete"](h))}d=b;e=c;f=[];h=g.q(a.B);for(l=h.next();!l.done;l=h.next())l=l.value,(l.pce)&&f.push(l);a.B=f;d=b;e=c;f=g.q(a.C.keys());for(h=f.next();!h.done;h=f.next())h=h.value,h.start>=d&&h.end<=e&&(a.u.removeCueRange(h),a.C["delete"](h));d=zY(a,b/ -1E3);b=d.sh;d=d.ul;b&&(d=1E3*d-b.pc,gwa(a,b,d,b.pc+d));(b=zY(a,c/1E3).sh)&&wY(a,"Invalid clearEndTimeMs="+c+" that falls during "+xY(b)+".Child playbacks can only have duration updated not their start.")}; -gwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;c={Kd:yY(c,!0),Cf:c,target:null};b.pg=c;c=null;d=g.q(a.C);for(var e=d.next();!e.done;e=d.next()){e=g.q(e.value);var f=e.next().value;e.next().value.Hc===b.Hc&&(c=f)}c&&(a.u.removeCueRange(c),c=ewa(b.pc,b.pc+b.durationMs),a.C.set(c,b),a.u.addCueRange(c))}; -xY=function(a){return"playback={timelinePlaybackId="+a.Hc+" video_id="+a.playerVars.video_id+" durationMs="+a.durationMs+" enterTimeMs="+a.pc+" parentReturnTimeMs="+a.gd+"}"}; -$ha=function(a,b,c,d){if(hwa(a,c))return null;var e=a.Y.get(c);e||(e=0,a.W.ba("web_player_ss_media_time_offset")&&(e=0===a.u.getStreamTimeOffset()?a.u.yc():a.u.getStreamTimeOffset()),e=zY(a,b+e,1).sh);var f=Number(d.split(";")[0]);if(e&&e.playerResponse&&e.playerResponse.streamingData&&(b=e.playerResponse.streamingData.adaptiveFormats)){var h=b.find(function(m){return m.itag===f}); -if(h&&h.url){b=a.u.getVideoData();var l=b.ra.u[d].index.pD(c-1);d=h.url;l&&l.u&&(d=d.concat("&daistate="+l.u));(b=b.clientPlaybackNonce)&&(d=d.concat("&cpn="+b));e.xj&&(b=iwa(a,e.xj),0=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.X.push(new $va(b))}; -hwa=function(a,b){for(var c=g.q(a.X),d=c.next();!d.done;d=c.next())if(d=d.value,b>=d.start&&b<=d.end)return!0;return!1}; -wY=function(a,b){a.u.Na("timelineerror",b)}; -iwa=function(a,b){for(var c=[],d=g.q(a.B),e=d.next();!e.done;e=d.next())e=e.value,e.xj===b&&e.cpn&&c.push(e.cpn);return c}; -bwa=function(a,b,c){if(!a.P.length)return!1;a=g.q(a.P);for(var d=a.next();!d.done;d=a.next()){var e=d.value;d=1E3*e.startSecs;e=1E3*e.durationSecs+d;if(b>d&&bd&&ce)return DY(a,"e.enterAfterReturn enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return DY(a,"e.returnAfterDuration parentReturnTimeMs="+e+" is greater than parentDurationMs="+h),"";h=null;for(var l=g.q(a.u),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return DY(a,"e.overlappingReturn"),a.ea(),"";if(e===m.pc)return DY(a,"e.outOfOrder"),a.ea(),"";d===m.gd&&(h=m)}l="childplayback_"+lwa++;m={Kd:EY(c,!0),Cf:Infinity,target:null};var n={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m};a.u=a.u.concat(n).sort(function(t,w){return t.pc-w.pc}); -h?mwa(a,h,{Kd:EY(h.durationMs,!0),Cf:a.W.ba("timeline_manager_transition_killswitch")?Infinity:h.pg.Cf,target:n}):(b={Kd:EY(d,!1),Cf:d,target:n},a.F.set(b.Kd,b),a.ea(),f.addCueRange(b.Kd));b=g.Q(a.W.experiments,"html5_gapless_preloading");if(a.B===a.api.dc()&&(f=1E3*f.getCurrentTime(),f>=n.pc&&fb)break;if(h>b)return{sh:e,ul:b-f};c=h-e.gd/1E3}return{sh:null,ul:b-c}}; -kwa=function(a,b){var c=a.I||a.api.dc().getPlayerState();IY(a,!0);var d=g.Q(a.W.experiments,"html5_playbacktimeline_seektoinf_killswitch")||isFinite(b)?b:a.B.Fh(),e=HY(a,d);d=e.sh;e=e.ul;var f=d&&!FY(a,d)||!d&&a.B!==a.api.dc(),h=1E3*e;h=a.C&&a.C.start<=h&&h<=a.C.end;!f&&h||GY(a);a.ea();d?(a.ea(),nwa(a,d,e,c)):(a.ea(),JY(a,e,c))}; -JY=function(a,b,c){var d=a.B;if(d!==a.api.dc()){var e=d.getPlayerType();g.xN(a.api.app,e)}d.seekTo(b);twa(a,c)}; -nwa=function(a,b,c,d){var e=FY(a,b);if(!e){g.xN(a.api.app,b.playerType);b.playerVars.prefer_gapless=!0;var f=new g.rI(a.W,b.playerVars);f.Hc=b.Hc;KY(a.api.app,f,b.playerType,void 0)}f=a.api.dc();e||(b=b.pg,a.ea(),f.addCueRange(b.Kd));f.seekTo(c);twa(a,d)}; -twa=function(a,b){var c=a.api.dc(),d=c.getPlayerState();g.GM(b)&&!g.GM(d)?c.playVideo():g.U(b,4)&&!g.U(d,4)&&c.pauseVideo()}; -IY=function(a,b){a.X=NaN;a.P.stop();a.D&&b&&BY(a.D);a.I=null;a.D=null}; -FY=function(a,b){var c=a.api.dc();return!!c&&c.getVideoData().Hc===b.Hc}; -uwa=function(a){var b=a.u.find(function(d){return FY(a,d)}); -if(b){GY(a);var c=new g.AM(8);b=swa(a,b)/1E3;JY(a,b,c)}}; -cU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.F),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.B.removeCueRange(h),a.F["delete"](h))}d=b;e=c;f=[];h=g.q(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.pc>=d&&l.gd<=e){var m=a;m.K===l&&GY(m);FY(m,l)&&g.yN(m.api,l.playerType)}else f.push(l);a.u=f;d=HY(a,b/1E3);b=d.sh;d=d.ul;b&&(d*=1E3,vwa(a,b,d,b.gd===b.pc+b.durationMs?b.pc+ -d:b.gd));(b=HY(a,c/1E3).sh)&&DY(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Hc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.pc+" parentReturnTimeMs="+b.gd+"}.Child playbacks can only have duration updated not their start."))}; -vwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;d={Kd:EY(c,!0),Cf:c,target:null};mwa(a,b,d);FY(a,b)&&1E3*a.api.dc().getCurrentTime()>c&&(b=swa(a,b)/1E3,c=a.api.dc().getPlayerState(),JY(a,b,c))}; -DY=function(a,b){a.B.Na("timelineerror",b)}; -xwa=function(a){a&&"web"!==a&&wwa.includes(a)}; -NY=function(a,b){g.C.call(this);var c=this;this.data=[];this.C=a||NaN;this.B=b||null;this.u=new g.F(function(){LY(c);MY(c)}); -g.D(this,this.u)}; -LY=function(a){var b=(0,g.N)();a.data.forEach(function(c){c.expire=e;e++)d.push(e/100);e={threshold:d};b&&(e={threshold:d,trackVisibility:!0,delay:1E3});(this.B=window.IntersectionObserver?new IntersectionObserver(function(f){f=f[f.length-1];b?"undefined"===typeof f.isVisible?c.u=null:c.u=f.isVisible?f.intersectionRatio:0:c.u=f.intersectionRatio},e):null)&&this.B.observe(a)}; -VY=function(a,b){this.u=a;this.da=b;this.B=null;this.C=[];this.D=!1}; -g.WY=function(a){a.B||(a.B=a.u.createMediaElementSource(a.da.Pa()));return a.B}; -g.XY=function(a){for(var b;0e&&(e=l.width,f="url("+l.url+")")}c.background.style.backgroundImage=f;HKa(c,d.actionButtons||[]);c.show()}else c.hide()}),g.NS(this.api,this.j.element,4))}; +hT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);g.DK(a.V())&&(mS(this.api,"seekToChapterWithAnimation",function(c){b.seekToChapterWithAnimation(c)}),mS(this.api,"seekToTimeWithAnimation",function(c,d){b.seekToTimeWithAnimation(c,d)}))}; +JKa=function(a,b,c,d){var e=1E3*a.api.getCurrentTime()r.start&&dG;G++)if(B=(B<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(z.charAt(G)),4==G%5){for(var D="",L=0;6>L;L++)D="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(B&31)+D,B>>=5;F+=D}z=F.substr(0,4)+" "+F.substr(4,4)+" "+F.substr(8,4)}else z= +"";l={video_id_and_cpn:String(c.videoId)+" / "+z,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",date:""+(new Date).toString(),drm_style:q?"":"display:none",drm:q,debug_info:d,extra_debug_info:"",bandwidth_style:x,network_activity_style:x,network_activity_bytes:m.toFixed(0)+" KB",shader_info:v,shader_info_style:v?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1P)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":a="Optimized for Normal Latency";break;case "LOW":a="Optimized for Low Latency";break;case "ULTRALOW":a="Optimized for Ultra Low Latency";break;default:a="Unknown Latency Setting"}else a=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=a;(P=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= +", seq "+P.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=ES(h,"bandwidth");l.network_activity_samples=ES(h,"networkactivity");l.live_latency_samples=ES(h,"livelatency");l.buffer_health_samples=ES(h,"bufferhealth");b=g.ZM(c);if(c.cotn||b)l.cotn_and_local_media=(c.cotn?c.cotn:"null")+" / "+b;l.cotn_and_local_media_style=l.cotn_and_local_media?"":"display:none";fM(c,"web_player_release_debug")? +(l.release_name="youtube.player.web_20230423_00_RC00",l.release_style=""):l.release_style="display:none";l.debug_info&&0=l.debug_info.length+p.length?l.debug_info+=" "+p:l.extra_debug_info=p;l.extra_debug_info_style=l.extra_debug_info&&0=a.length?0:b}; +nLa=function(a){var b=a.index-1;return 0>b?a.length-1:b}; +g.zT=function(a,b,c,d){b=void 0!==b?b:a.index;b=a.items&&b in a.items?a.items[a.order[b]]:null;var e=null;b&&(c&&(b.autoplay="1"),d&&(b.autonav="1"),e=new g.$L(a.u,b),g.E(a,e),e.bl=!0,e.startSeconds=a.startSeconds||e.clipStart||0,a.listId&&(e.playlistId=a.listId.toString()));return e}; +oLa=function(a,b){a.index=g.ze(b,0,a.length-1);a.startSeconds=0}; +pLa=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=g.zT(a);a.items=[];for(var d=g.t(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(b=b.index)?a.index=b:a.findIndex(c);a.setShuffle(!1);a.loaded=!0;a.B++;a.j&&a.j()}}; +sLa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j){c=g.CR();var p=a.V(),q={context:g.jS(a),playbackContext:{contentPlaybackContext:{ancestorOrigins:p.ancestorOrigins}}};p=p.embedConfig;var r=b.docid||b.video_id||b.videoId||b.id;if(!r){r=b.raw_embedded_player_response;if(!r){var v=b.embedded_player_response;v&&(r=JSON.parse(v))}if(r){var x,z,B,F,G,D;r=(null==(D=g.K(null==(x=r)?void 0:null==(z=x.embedPreview)?void 0:null==(B=z.thumbnailPreviewRenderer)?void 0:null==(F=B.playButton)? +void 0:null==(G=F.buttonRenderer)?void 0:G.navigationEndpoint,g.oM))?void 0:D.videoId)||null}else r=null}x=(x=r)?x:void 0;z=a.playlistId?a.playlistId:b.list;B=b.listType;if(z){var L;"user_uploads"===B?L={username:z}:L={playlistId:z};qLa(p,x,b,L);q.playlistRequest=L}else b.playlist?(L={templistVideoIds:b.playlist.toString().split(",")},qLa(p,x,b,L),q.playlistRequest=L):x&&(L={videoId:x},p&&(L.serializedThirdPartyEmbedConfig=p),q.singleVideoRequest=L);d=q;e=g.pR(rLa);g.pa(n,2);return g.y(n,g.AP(c,d, +e),4)}if(2!=n.j)return f=n.u,h=a.V(),b.raw_embedded_player_response=f,h.Qa=pz(b,g.fK(h)),h.B="EMBEDDED_PLAYER_MODE_PFL"===h.Qa,f&&(l=f,l.trackingParams&&(q=l.trackingParams,pP().eq(q))),n.return(new g.$L(h,b));m=g.sa(n);m instanceof Error||(m=Error("b259802748"));g.CD(m);return n.return(a)})}; +qLa=function(a,b,c,d){c.index&&(d.playlistIndex=String(Number(c.index)+1));d.videoId=b?b:"";a&&(d.serializedThirdPartyEmbedConfig=a)}; +g.BT=function(a,b){AT.get(a);AT.set(a,b)}; +g.CT=function(a){g.dE.call(this);this.loaded=!1;this.player=a}; +tLa=function(){this.u=[];this.j=[]}; +g.DT=function(a,b){return b?a.j.concat(a.u):a.j}; +g.ET=function(a,b){switch(b.kind){case "asr":uLa(b,a.u);break;default:uLa(b,a.j)}}; +uLa=function(a,b){g.nb(b,function(c){return a.equals(c)})||b.push(a)}; +g.FT=function(a){g.C.call(this);this.Y=a;this.j=new tLa;this.C=[]}; +g.GT=function(a,b,c){g.FT.call(this,a);this.audioTrack=c;this.u=null;this.B=!1;this.eventId=null;this.C=b.LK;this.B=g.QM(b);this.eventId=b.eventId}; +vLa=function(){this.j=this.dk=!1}; +wLa=function(a){a=void 0===a?{}:a;var b=void 0===a.Oo?!1:a.Oo,c=new vLa;c.dk=(void 0===a.hasSubfragmentedFmp4?!1:a.hasSubfragmentedFmp4)||b;return c}; +g.xLa=function(a){this.j=a;this.I=new vLa;this.Un=this.Tn=!1;this.qm=2;this.Z=20971520;this.Ga=8388608;this.ea=120;this.kb=3145728;this.Ld=this.j.K("html5_platform_backpressure");this.tb=62914560;this.Wc=10485760;this.xm=g.gJ(this.j.experiments,"html5_min_readbehind_secs");this.vx=g.gJ(this.j.experiments,"html5_min_readbehind_cap_secs");this.tx=g.gJ(this.j.experiments,"html5_max_readbehind_secs");this.AD=this.j.K("html5_trim_future_discontiguous_ranges");this.ri=this.j.K("html5_offline_reset_media_stream_on_unresumable_slices"); +this.dc=NaN;this.jo=this.Xk=this.Yv=2;this.Ja=2097152;this.vf=0;this.ao=1048576;this.Oc=!1;this.Nd=1800;this.wm=this.vl=5;this.fb=15;this.Hf=1;this.J=1.15;this.T=1.05;this.bl=1;this.Rn=!0;this.Xa=!1;this.oo=.8;this.ol=this.Dc=!1;this.Vd=6;this.D=this.ib=!1;this.aj=g.gJ(this.j.experiments,"html5_static_abr_resolution_shelf");this.ph=g.gJ(this.j.experiments,"html5_min_startup_buffered_media_duration_secs");this.Vn=g.gJ(this.j.experiments,"html5_post_interrupt_readahead");this.Sn=!1;this.Xn=g.gJ(this.j.experiments, +"html5_probe_primary_delay_base_ms")||5E3;this.Uo=100;this.Kf=10;this.wx=g.gJ(this.j.experiments,"html5_offline_failure_retry_limit")||2;this.lm=this.j.experiments.ob("html5_clone_original_for_fallback_location");this.Qg=1;this.Yi=1.6;this.Lc=!1;this.Xb=g.gJ(this.j.experiments,"html5_subsegment_readahead_target_buffer_health_secs");this.hj=g.gJ(this.j.experiments,"html5_subsegment_readahead_timeout_secs");this.rz=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs");this.dj= +g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");this.nD=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_load_speed");this.Eo=g.gJ(this.j.experiments,"html5_subsegment_readahead_load_speed_check_interval");this.wD=g.gJ(this.j.experiments,"html5_subsegment_readahead_seek_latency_fudge");this.Vf=15;this.rl=1;this.rd=!1;this.Nx=this.j.K("html5_restrict_streaming_xhr_on_sqless_requests");this.ox=g.gJ(this.j.experiments,"html5_max_headm_for_streaming_xhr"); +this.Ax=this.j.K("html5_pipeline_manifestless_allow_nonstreaming");this.Cx=this.j.K("html5_prefer_server_bwe3");this.mx=this.j.K("html5_last_slice_transition");this.Yy=this.j.K("html5_store_xhr_headers_readable");this.Mp=!1;this.Yn=0;this.zm=2;this.po=this.jm=!1;this.ul=g.gJ(this.j.experiments,"html5_max_drift_per_track_secs");this.Pn=this.j.K("html5_no_placeholder_rollbacks");this.kz=this.j.K("html5_subsegment_readahead_enable_mffa");this.uf=this.j.K("html5_allow_video_keyframe_without_audio");this.zx= +this.j.K("html5_enable_vp9_fairplay");this.ym=this.j.K("html5_never_pause_appends");this.uc=!0;this.ke=this.Ya=this.jc=!1;this.mm=!0;this.Ui=!1;this.u="";this.Qw=1048576;this.je=[];this.Sw=this.j.K("html5_woffle_resume");this.Qk=this.j.K("html5_abs_buffer_health");this.Pk=!1;this.lx=this.j.K("html5_interruption_resets_seeked_time");this.qx=g.gJ(this.j.experiments,"html5_max_live_dvr_window_plus_margin_secs")||46800;this.Qa=!1;this.ll=this.j.K("html5_explicitly_dispose_xhr");this.Zn=!1;this.sA=!this.j.K("html5_encourage_array_coalescing"); +this.hm=!1;this.Fx=this.j.K("html5_restart_on_unexpected_detach");this.ya=0;this.jl="";this.Pw=this.j.K("html5_disable_codec_for_playback_on_error");this.Si=!1;this.Uw=this.j.K("html5_filter_non_efficient_formats_for_safari");this.j.K("html5_format_hybridization");this.mA=this.j.K("html5_abort_before_separate_init");this.uy=bz();this.Wf=!1;this.Xy=this.j.K("html5_serialize_server_stitched_ad_request");this.tA=this.j.K("html5_skip_buffer_check_seek_to_head");this.Od=!1;this.rA=this.j.K("html5_attach_po_token_to_bandaid"); +this.tm=g.gJ(this.j.experiments,"html5_max_redirect_response_length")||8192;this.Zi=this.j.K("html5_rewrite_timestamps_for_webm");this.Pb=this.j.K("html5_only_media_duration_for_discontinuities");this.Ex=g.gJ(this.j.experiments,"html5_resource_bad_status_delay_scaling")||1;this.j.K("html5_onesie_live");this.dE=this.j.K("html5_onesie_premieres");this.Rw=this.j.K("html5_drop_onesie_for_live_mode_mismatch");this.xx=g.gJ(this.j.experiments,"html5_onesie_live_ttl_secs")||8;this.Qn=g.gJ(this.j.experiments, +"html5_attach_num_random_bytes_to_bandaid");this.Jy=this.j.K("html5_self_init_consolidation");this.yx=g.gJ(this.j.experiments,"html5_onesie_request_timeout_ms")||3E3;this.C=!1;this.nm=this.j.K("html5_new_sabr_buffer_timeline")||this.C;this.Aa=this.j.K("html5_ssdai_use_post_for_media")&&this.j.K("gab_return_sabr_ssdai_config");this.Xo=this.j.K("html5_use_post_for_media");this.Vo=g.gJ(this.j.experiments,"html5_url_padding_length");this.ij="";this.ot=this.j.K("html5_post_body_in_string");this.Bx=this.j.K("html5_post_body_as_prop"); +this.useUmp=this.j.K("html5_use_ump")||this.j.K("html5_cabr_utc_seek");this.Rk=this.j.K("html5_cabr_utc_seek");this.La=this.oa=!1;this.Wn=this.j.K("html5_prefer_drc");this.Dx=this.j.K("html5_reset_primary_stats_on_redirector_failure");this.j.K("html5_remap_to_original_host_when_redirected");this.B=!1;this.If=this.j.K("html5_enable_sabr_format_selection");this.uA=this.j.K("html5_iterative_seeking_buffered_time");this.Eq=this.j.K("html5_use_network_error_code_enums");this.Ow=this.j.K("html5_disable_overlapping_requests"); +this.Mw=this.j.K("html5_disable_cabr_request_timeout_for_sabr");this.Tw=this.j.K("html5_fallback_to_cabr_on_net_bad_status");this.Jf=this.j.K("html5_enable_sabr_partial_segments");this.Tb=!1;this.gA=this.j.K("html5_use_media_end_for_end_of_segment");this.nx=this.j.K("html5_log_smooth_audio_switching_reason");this.jE=this.j.K("html5_update_ctmp_rqs_logging");this.ql=!this.j.K("html5_remove_deprecated_ticks");this.Lw=this.j.K("html5_disable_bandwidth_cofactors_for_sabr")}; +yLa=function(a,b){1080>31));tL(a,16,b.v4);tL(a,18,b.o2);tL(a,19,b.n2);tL(a,21,b.h9);tL(a,23,b.X1);tL(a,28,b.l8);tL(a,34,b.visibility);xL(a,38,b.mediaCapabilities,zLa,3);tL(a,39,b.v9);tL(a,40,b.pT);uL(a,46,b.M2);tL(a,48,b.S8)}; +BLa=function(a){for(var b=[];jL(a,2);)b.push(iL(a));return{AK:b.length?b:void 0,videoId:nL(a,3),eQ:kL(a,4)}}; +zLa=function(a,b){var c;if(b.dQ)for(c=0;cMath.random()){var B=new g.bA("Unable to load player module",b,document.location&&document.location.origin);g.CD(B)}Ff(e);r&&r(z)}; +var v=m,x=v.onreadystatechange;v.onreadystatechange=function(z){switch(v.readyState){case "loaded":case "complete":Ff(f)}x&&x(z)}; +l&&((h=a.F.V().cspNonce)&&m.setAttribute("nonce",h),g.fk(m,g.wr(b)),h=g.Xe("HEAD")[0]||document.body,h.insertBefore(m,h.firstChild),g.bb(a,function(){m.parentNode&&m.parentNode.removeChild(m)}))}; +lMa=function(a,b,c,d,e){g.dE.call(this);var f=this;this.target=a;this.fF=b;this.u=0;this.I=!1;this.C=new g.Fe(NaN,NaN);this.j=new g.bI(this);this.ya=this.B=this.J=null;g.E(this,this.j);b=d||e?4E3:3E3;this.ea=new g.Ip(function(){QT(f,1,!1)},b,this); +g.E(this,this.ea);this.Z=new g.Ip(function(){QT(f,2,!1)},b,this); +g.E(this,this.Z);this.oa=new g.Ip(function(){QT(f,512,!1)},b,this); +g.E(this,this.oa);this.Aa=c&&0=c.width||!c.height||0>=c.height||g.UD(c.url)&&b.push({src:c.url||"",sizes:c.width+"x"+c.height,type:"image/jpeg"}));return b}; +zMa=function(a){var b=a.F.Cb();b=b.isCued()||b.isError()?"none":g.RO(b)?"playing":"paused";a.mediaSession.playbackState=b}; +AMa=function(a){g.U.call(this,{G:"div",N:"ytp-paid-content-overlay",X:{"aria-live":"assertive","aria-atomic":"true"}});this.F=a;this.videoId=null;this.B=!1;this.Te=this.j=null;var b=a.V();a.K("enable_new_paid_product_placement")&&!g.GK(b)?(this.u=new g.U({G:"a",N:"ytp-paid-content-overlay-link",X:{href:"{{href}}",target:"_blank"},W:[{G:"div",N:"ytp-paid-content-overlay-icon",ra:"{{icon}}"},{G:"div",N:"ytp-paid-content-overlay-text",ra:"{{text}}"},{G:"div",N:"ytp-paid-content-overlay-chevron",ra:"{{chevron}}"}]}), +this.S(this.u.element,"click",this.onClick)):this.u=new g.U({G:"div",Ia:["ytp-button","ytp-paid-content-overlay-text"],ra:"{{text}}"});this.C=new g.QQ(this.u,250,!1,100);g.E(this,this.u);this.u.Ea(this.element);g.E(this,this.C);this.F.Zf(this.element,this);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"presentingplayerstatechange",this.yd)}; +CMa=function(a,b){var c=Kza(b),d=BM(b);b.Kf&&a.F.Mo()||(a.j?b.videoId&&b.videoId!==a.videoId&&(g.Lp(a.j),a.videoId=b.videoId,a.B=!!d,a.B&&c&&BMa(a,d,c,b)):c&&d&&BMa(a,d,c,b))}; +BMa=function(a,b,c,d){a.j&&a.j.dispose();a.j=new g.Ip(a.Fb,b,a);g.E(a,a.j);var e,f;b=null==(e=d.getPlayerResponse())?void 0:null==(f=e.paidContentOverlay)?void 0:f.paidContentOverlayRenderer;e=null==b?void 0:b.navigationEndpoint;var h;f=null==b?void 0:null==(h=b.icon)?void 0:h.iconType;var l;h=null==(l=g.K(e,g.pM))?void 0:l.url;a.F.og(a.element,(null==e?void 0:e.clickTrackingParams)||null);a.u.update({href:null!=h?h:"#",text:c,icon:"MONEY_HAND"===f?{G:"svg",X:{fill:"none",height:"100%",viewBox:"0 0 24 24", +width:"100%"},W:[{G:"path",X:{d:"M6 9H5V5V4H6H19V5H6V9ZM21.72 16.04C21.56 16.8 21.15 17.5 20.55 18.05C20.47 18.13 18.42 20.01 14.03 20.01C13.85 20.01 13.67 20.01 13.48 20C11.3 19.92 8.51 19.23 5.4 18H2V10H5H6H7V6H21V13H16.72C16.37 13.59 15.74 14 15 14H12.7C13.01 14.46 13.56 15 14.5 15H15.02C16.07 15 17.1 14.64 17.92 13.98C18.82 13.26 20.03 13.22 20.91 13.84C21.58 14.32 21.9 15.19 21.72 16.04ZM15 10C15 9.45 14.55 9 14 9C13.45 9 13 9.45 13 10H15ZM20 11C19.45 11 19 11.45 19 12H20V11ZM19 7C19 7.55 19.45 8 20 8V7H19ZM8 8C8.55 8 9 7.55 9 7H8V8ZM8 10H12C12 8.9 12.9 8 14 8C15.1 8 16 8.9 16 10V10.28C16.59 10.63 17 11.26 17 12H18C18 10.9 18.9 10 20 10V9C18.9 9 18 8.1 18 7H10C10 8.1 9.1 9 8 9V10ZM5 13.5V11H3V17H5V13.5ZM20.33 14.66C19.81 14.29 19.1 14.31 18.6 14.71C17.55 15.56 16.29 16 15.02 16H14.5C12.62 16 11.67 14.46 11.43 13.64L11.24 13H15C15.55 13 16 12.55 16 12C16 11.45 15.55 11 15 11H6V13.5V17.16C8.9 18.29 11.5 18.93 13.52 19C17.85 19.15 19.85 17.34 19.87 17.32C20.33 16.9 20.62 16.4 20.74 15.84C20.84 15.37 20.68 14.91 20.33 14.66Z", +fill:"white"}}]}:null,chevron:h?g.iQ():null})}; +DMa=function(a,b){a.j&&(g.S(b,8)&&a.B?(a.B=!1,a.od(),a.j.start()):(g.S(b,2)||g.S(b,64))&&a.videoId&&(a.videoId=null))}; +cU=function(a){g.U.call(this,{G:"div",N:"ytp-spinner",W:[qMa(),{G:"div",N:"ytp-spinner-message",ra:"If playback doesn't begin shortly, try restarting your device."}]});this.api=a;this.message=this.Da("ytp-spinner-message");this.j=new g.Ip(this.show,500,this);g.E(this,this.j);this.S(a,"presentingplayerstatechange",this.onStateChange);this.S(a,"playbackstalledatstart",this.u);this.qc(a.Cb())}; +dU=function(a){var b=sJ(a.V().experiments,"mweb_muted_autoplay_animation"),c=[],d=[{G:"div",Ia:["ytp-unmute-icon"],W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 21.48,17.98 c 0,-1.77 -1.02,-3.29 -2.5,-4.03 v 2.21 l 2.45,2.45 c .03,-0.2 .05,-0.41 .05,-0.63 z m 2.5,0 c 0,.94 -0.2,1.82 -0.54,2.64 l 1.51,1.51 c .66,-1.24 1.03,-2.65 1.03,-4.15 0,-4.28 -2.99,-7.86 -7,-8.76 v 2.05 c 2.89,.86 5,3.54 5,6.71 z M 9.25,8.98 l -1.27,1.26 4.72,4.73 H 7.98 v 6 H 11.98 l 5,5 v -6.73 l 4.25,4.25 c -0.67,.52 -1.42,.93 -2.25,1.18 v 2.06 c 1.38,-0.31 2.63,-0.95 3.69,-1.81 l 2.04,2.05 1.27,-1.27 -9,-9 -7.72,-7.72 z m 7.72,.99 -2.09,2.08 2.09,2.09 V 9.98 z"}}]}]}, +{G:"div",Ia:["ytp-unmute-text"],ra:"Tap to unmute"}];"none"!==b&&(c.push("ytp-unmute-animated"),d.push({G:"div",Ia:["ytp-unmute-box"],W:[]}),"expand"===b?c.push("ytp-unmute-expand"):"shrink"===b&&c.push("ytp-unmute-shrink"));g.PS.call(this,a,{G:"button",Ia:["ytp-unmute","ytp-popup","ytp-button"].concat(c),W:[{G:"div",N:"ytp-unmute-inner",W:d}]},100);this.j=this.clicked=!1;this.api=a;this.api.sb(this.element,this,51663);this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange,this);this.S(a,"presentingplayerstatechange", +this.Hi);this.Ra("click",this.onClick,this);a=a.isMutedByMutedAutoplay()&&!g.fK(this.api.V());g.bQ(this,a);a&&EMa(this);this.B=a}; +EMa=function(a){a.j||(a.j=!0,a.api.Ua(a.element,!0))}; +g.eU=function(a){g.bI.call(this);var b=this;this.api=a;this.nN=!1;this.To=null;this.pF=!1;this.rg=null;this.aL=this.qI=!1;this.NP=this.OP=null;this.hV=NaN;this.MP=this.vB=!1;this.PC=0;this.jK=[];this.pO=!1;this.qC={height:0,width:0};this.X9=["ytp-player-content","html5-endscreen","ytp-overlay"];this.uN={HU:!1};var c=a.V(),d=a.jb();this.qC=a.getPlayerSize();this.BS=new g.Ip(this.DN,0,this);g.E(this,this.BS);g.oK(c)||(this.Fm=new g.TT(a),g.E(this,this.Fm),g.NS(a,this.Fm.element,4));if(FMa(this)){var e= +new cU(a);g.E(this,e);e=e.element;g.NS(a,e,4)}var f=a.getVideoData();this.Ve=new lMa(d,function(l){return b.fF(l)},f,c.ph,!1); +g.E(this,this.Ve);this.Ve.subscribe("autohideupdate",this.qn,this);if(!c.disablePaidContentOverlay){var h=new AMa(a);g.E(this,h);g.NS(a,h.element,4)}this.TP=new dU(a);g.E(this,this.TP);g.NS(this.api,this.TP.element,2);this.vM=this.api.isMutedByMutedAutoplay();this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange);this.pI=new g.Ip(this.fA,200,this);g.E(this,this.pI);this.GC=f.videoId;this.qX=new g.Ip(function(){b.PC=0},350); +g.E(this,this.qX);this.uF=new g.Ip(function(){b.MP||GMa(b)},350,this); +g.E(this,this.uF);f=a.getRootNode();f.setAttribute("aria-label","YouTube Video Player");switch(c.color){case "white":g.Qp(f,"ytp-color-white")}g.oK(c)&&g.Qp(f,"ytp-music-player");navigator.mediaSession&&null!=navigator.mediaSession.setActionHandler&&(f=new aU(a),g.E(this,f));this.S(a,"appresize",this.Db);this.S(a,"presentingplayerstatechange",this.Hi);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"videoplayerreset",this.G6);this.S(a,"autonavvisibility",function(){b.wp()}); +this.S(a,"sizestylechange",function(){b.wp()}); +this.S(d,"click",this.d7,this);this.S(d,"dblclick",this.e7,this);this.S(d,"mousedown",this.h7,this);c.Tb&&(this.S(d,"gesturechange",this.f7,this),this.S(d,"gestureend",this.g7,this));this.Ws=[d.kB];this.Fm&&this.Ws.push(this.Fm.element);e&&this.Ws.push(e)}; +HMa=function(a,b){if(!b)return!1;var c=a.api.qe();if(c.du()&&(c=c.ub())&&g.zf(c,b))return c.controls;for(c=0;c1+b&&a.api.toggleFullscreen()}; +FMa=function(a){a=Xy()&&67<=goa()&&!a.api.V().T;return!Wy("tizen")&&!cK&&!a&&!0}; +gU=function(a,b){b=void 0===b?2:b;g.dE.call(this);this.api=a;this.j=null;this.ud=new Jz(this);g.E(this,this.ud);this.u=qFa;this.ud.S(this.api,"presentingplayerstatechange",this.yd);this.j=this.ud.S(this.api,"progresssync",this.yc);this.In=b;1===this.In&&this.yc()}; +LMa=function(a){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-back-button"],W:[{G:"div",N:"ytp-arrow-back-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},W:[{G:"path",X:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",xc:!0,X:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.F=a;g.bQ(this,a.V().rl);this.Ra("click",this.onClick)}; +g.hU=function(a){g.U.call(this,{G:"div",W:[{G:"div",N:"ytp-bezel-text-wrapper",W:[{G:"div",N:"ytp-bezel-text",ra:"{{title}}"}]},{G:"div",N:"ytp-bezel",X:{role:"status","aria-label":"{{label}}"},W:[{G:"div",N:"ytp-bezel-icon",ra:"{{icon}}"}]}]});this.F=a;this.u=new g.Ip(this.show,10,this);this.j=new g.Ip(this.hide,500,this);g.E(this,this.u);g.E(this,this.j);this.hide()}; +jU=function(a,b,c){if(0>=b){c=tQ();b="muted";var d=0}else c=c?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", +fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";iU(a,c,b,d+"%")}; +MMa=function(a,b){b=b?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]};var c=a.F.getPlaybackRate(),d=g.lO("Speed is $RATE",{RATE:String(c)});iU(a,b,d,c+"x")}; +NMa=function(a,b){b=b?"Subtitles/closed captions on":"Subtitles/closed captions off";iU(a,pMa(),b)}; +iU=function(a,b,c,d){d=void 0===d?"":d;a.updateValue("label",void 0===c?"":c);a.updateValue("icon",b);g.Lp(a.j);a.u.start();a.updateValue("title",d);g.Up(a.element,"ytp-bezel-text-hide",!d)}; +PMa=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-cards-button"],X:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"span",N:"ytp-cards-button-icon-default",W:[{G:"div",N:"ytp-cards-button-icon",W:[a.V().K("player_new_info_card_format")?PEa():{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, +{G:"div",N:"ytp-cards-button-title",ra:"Info"}]},{G:"span",N:"ytp-cards-button-icon-shopping",W:[{G:"div",N:"ytp-cards-button-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",N:"ytp-svg-shadow",X:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",N:"ytp-svg-fill",X:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", +"fill-opacity":"1"}},{G:"path",N:"ytp-svg-shadow-fill",X:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", +N:"ytp-cards-button-title",ra:"Shopping"}]}]});this.F=a;this.B=b;this.C=c;this.j=null;this.u=new g.QQ(this,250,!0,100);g.E(this,this.u);g.Up(this.C,"ytp-show-cards-title",g.fK(a.V()));this.hide();this.Ra("click",this.L5);this.Ra("mouseover",this.f6);OMa(this,!0)}; +OMa=function(a,b){b?a.j=g.ZS(a.B.Ic(),a.element):(a.j=a.j,a.j(),a.j=null)}; +QMa=function(a,b,c){g.U.call(this,{G:"div",N:"ytp-cards-teaser",W:[{G:"div",N:"ytp-cards-teaser-box"},{G:"div",N:"ytp-cards-teaser-text",W:a.V().K("player_new_info_card_format")?[{G:"button",N:"ytp-cards-teaser-info-icon",X:{"aria-label":"Show cards","aria-haspopup":"true"},W:[PEa()]},{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"},{G:"button",N:"ytp-cards-teaser-close-button",X:{"aria-label":"Close"},W:[g.jQ()]}]:[{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"}]}]});var d=this;this.F=a;this.Z= +b;this.Wi=c;this.C=new g.QQ(this,250,!1,250);this.j=null;this.J=new g.Ip(this.s6,300,this);this.I=new g.Ip(this.r6,2E3,this);this.D=[];this.u=null;this.T=new g.Ip(function(){d.element.style.margin="0"},250); +this.onClickCommand=this.B=null;g.E(this,this.C);g.E(this,this.J);g.E(this,this.I);g.E(this,this.T);a.V().K("player_new_info_card_format")?(g.Qp(a.getRootNode(),"ytp-cards-teaser-dismissible"),this.S(this.Da("ytp-cards-teaser-close-button"),"click",this.Zo),this.S(this.Da("ytp-cards-teaser-info-icon"),"click",this.DP),this.S(this.Da("ytp-cards-teaser-label"),"click",this.DP)):this.Ra("click",this.DP);this.S(c.element,"mouseover",this.ER);this.S(c.element,"mouseout",this.DR);this.S(a,"cardsteasershow", +this.E7);this.S(a,"cardsteaserhide",this.Fb);this.S(a,"cardstatechange",this.CY);this.S(a,"presentingplayerstatechange",this.CY);this.S(a,"appresize",this.aQ);this.S(a,"onShowControls",this.aQ);this.S(a,"onHideControls",this.m2);this.Ra("mouseenter",this.g0)}; +RMa=function(a){g.U.call(this,{G:"button",Ia:[kU.BUTTON,kU.TITLE_NOTIFICATIONS],X:{"aria-pressed":"{{pressed}}","aria-label":"{{label}}"},W:[{G:"div",N:kU.TITLE_NOTIFICATIONS_ON,X:{title:"Stop getting notified about every new video","aria-label":"Notify subscriptions"},W:[g.nQ()]},{G:"div",N:kU.TITLE_NOTIFICATIONS_OFF,X:{title:"Get notified about every new video","aria-label":"Notify subscriptions"},W:[{G:"svg",X:{fill:"#fff",height:"24px",viewBox:"0 0 24 24",width:"24px"},W:[{G:"path",X:{d:"M18 11c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2v-5zm-6 11c.14 0 .27-.01.4-.04.65-.14 1.18-.58 1.44-1.18.1-.24.15-.5.15-.78h-4c.01 1.1.9 2 2.01 2z"}}]}]}]}); +this.api=a;this.j=!1;a.sb(this.element,this,36927);this.Ra("click",this.onClick,this);this.updateValue("pressed",!1);this.updateValue("label","Get notified about every new video")}; +SMa=function(a,b){a.j=b;a.element.classList.toggle(kU.NOTIFICATIONS_ENABLED,a.j);var c=a.api.getVideoData();c?(b=b?c.TI:c.RI)?(a=a.api.Mm())?tR(a,b):g.CD(Error("No innertube service available when updating notification preferences.")):g.CD(Error("No update preferences command available.")):g.CD(Error("No video data when updating notification preferences."))}; +g.lU=function(a,b,c){var d=void 0===d?800:d;var e=void 0===e?600:e;a=TMa(a,b);if(a=g.gk(a,"loginPopup","width="+d+",height="+e+",resizable=yes,scrollbars=yes"))Xqa(function(){c()}),a.moveTo((screen.width-d)/2,(screen.height-e)/2)}; +TMa=function(a,b){var c=document.location.protocol;return vfa(c+"//"+a+"/signin?context=popup","feature",b,"next",c+"//"+location.hostname+"/post_login")}; +g.nU=function(a,b,c,d,e,f,h,l,m,n,p,q,r){r=void 0===r?null:r;a=a.charAt(0)+a.substring(1).toLowerCase();c=c.charAt(0)+c.substring(1).toLowerCase();if("0"===b||"-1"===b)b=null;if("0"===d||"-1"===d)d=null;var v=q.V();p=v.userDisplayName&&g.lK(v);g.U.call(this,{G:"div",Ia:["ytp-button","ytp-sb"],W:[{G:"div",N:"ytp-sb-subscribe",X:p?{title:g.lO("Subscribe as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Subscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)), +tabindex:"0",role:"button"}:{"aria-label":"Subscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},a]},b?{G:"div",N:"ytp-sb-count",ra:b}:""]},{G:"div",N:"ytp-sb-unsubscribe",X:p?{title:g.lO("Subscribed as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Unsubscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)),tabindex:"0",role:"button"}:{"aria-label":"Unsubscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},c]}, +d?{G:"div",N:"ytp-sb-count",ra:d}:""]}],X:{"aria-live":"polite"}});var x=this;this.channelId=h;this.B=r;this.F=q;var z=this.Da("ytp-sb-subscribe"),B=this.Da("ytp-sb-unsubscribe");f&&g.Qp(this.element,"ytp-sb-classic");if(e){l?this.j():this.u();var F=function(){if(v.authUser){var D=x.channelId;if(m||n){var L={c:D};var P;g.fS.isInitialized()&&(P=xJa(L));L=P||"";if(P=q.getVideoData())if(P=P.subscribeCommand){var T=q.Mm();T?(tR(T,P,{botguardResponse:L,feature:m}),q.Na("SUBSCRIBE",D)):g.CD(Error("No innertube service available when updating subscriptions."))}else g.CD(Error("No subscribe command in videoData.")); +else g.CD(Error("No video data available when updating subscription."))}B.focus();B.removeAttribute("aria-hidden");z.setAttribute("aria-hidden","true")}else g.lU(g.yK(x.F.V()),"sb_button",x.C)},G=function(){var D=x.channelId; +if(m||n){var L=q.getVideoData();tR(q.Mm(),L.unsubscribeCommand,{feature:m});q.Na("UNSUBSCRIBE",D)}z.focus();z.removeAttribute("aria-hidden");B.setAttribute("aria-hidden","true")}; +this.S(z,"click",F);this.S(B,"click",G);this.S(z,"keypress",function(D){13===D.keyCode&&F(D)}); +this.S(B,"keypress",function(D){13===D.keyCode&&G(D)}); +this.S(q,"SUBSCRIBE",this.j);this.S(q,"UNSUBSCRIBE",this.u);this.B&&p&&(this.tooltip=this.B.Ic(),mU(this.tooltip),g.bb(this,g.ZS(this.tooltip,z)),g.bb(this,g.ZS(this.tooltip,B)))}else g.Qp(z,"ytp-sb-disabled"),g.Qp(B,"ytp-sb-disabled")}; +VMa=function(a,b){g.U.call(this,{G:"div",N:"ytp-title-channel",W:[{G:"div",N:"ytp-title-beacon"},{G:"a",N:"ytp-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-title-expanded-overlay",X:{"aria-hidden":"{{flyoutUnfocusable}}"},W:[{G:"div",N:"ytp-title-expanded-heading",W:[{G:"div",N:"ytp-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,"aria-hidden":"{{shouldHideExpandedTitleForA11y}}", +tabIndex:"{{channelTitleFocusable}}"}}]},{G:"div",N:"ytp-title-expanded-subtitle",ra:"{{expandedSubtitle}}",X:{"aria-hidden":"{{shouldHideExpandedSubtitleForA11y}}"}}]}]}]});var c=this;this.api=a;this.D=b;this.channel=this.Da("ytp-title-channel");this.j=this.Da("ytp-title-channel-logo");this.channelName=this.Da("ytp-title-expanded-title");this.I=this.Da("ytp-title-expanded-overlay");this.B=this.u=this.subscribeButton=null;this.C=!1;a.sb(this.j,this,36925);a.sb(this.channelName,this,37220);g.fK(this.api.V())&& +UMa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&(this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(oU(c));d.preventDefault()}),this.S(this.j,"click",this.I5)); +this.Pa()}; +WMa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.D);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.I);a.subscribeButton.hide();var e=new RMa(a.api);a.u=e;g.E(a,e);e.Ea(a.I);e.hide();a.S(a.api,"SUBSCRIBE",function(){b.ll&&(e.show(),a.api.Ua(e.element,!0))}); +a.S(a.api,"UNSUBSCRIBE",function(){b.ll&&(e.hide(),a.api.Ua(e.element,!1),SMa(e,!1))})}}; +UMa=function(a){var b=a.api.V();WMa(a);a.updateValue("flyoutUnfocusable","true");a.updateValue("channelTitleFocusable","-1");a.updateValue("shouldHideExpandedTitleForA11y","true");a.updateValue("shouldHideExpandedSubtitleForA11y","true");b.u||b.tb?a.S(a.j,"click",function(c){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||(XMa(a)&&(c.preventDefault(),a.isExpanded()?a.nF():a.CF()),a.api.qb(a.j))}):(a.S(a.channel,"mouseenter",a.CF),a.S(a.channel,"mouseleave",a.nF),a.S(a.channel,"focusin", +a.CF),a.S(a.channel,"focusout",function(c){a.channel.contains(c.relatedTarget)||a.nF()}),a.S(a.j,"click",function(){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||a.api.qb(a.j)})); +a.B=new g.Ip(function(){a.isExpanded()&&(a.api.K("web_player_ve_conversion_fixes_for_channel_info")&&a.api.Ua(a.channelName,!1),a.subscribeButton&&(a.subscribeButton.hide(),a.api.Ua(a.subscribeButton.element,!1)),a.u&&(a.u.hide(),a.api.Ua(a.u.element,!1)),a.channel.classList.remove("ytp-title-expanded"),a.channel.classList.add("ytp-title-show-collapsed"))},500); +g.E(a,a.B);a.S(a.channel,YMa,function(){ZMa(a)}); +a.S(a.api,"onHideControls",a.RO);a.S(a.api,"appresize",a.RO);a.S(a.api,"fullscreentoggled",a.RO)}; +ZMa=function(a){a.channel.classList.remove("ytp-title-show-collapsed");a.channel.classList.remove("ytp-title-show-expanded")}; +XMa=function(a){var b=a.api.getPlayerSize();return g.fK(a.api.V())&&524<=b.width}; +oU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +pU=function(a,b,c,d,e,f){var h={G:"div",N:"ytp-panel"};if(c){var l="ytp-panel-back-button";var m="ytp-panel-title";var n={G:"div",N:"ytp-panel-header",W:[{G:"div",Ia:["ytp-panel-back-button-container"],W:[{X:{"aria-label":"Back to previous menu"},G:"button",Ia:["ytp-button",l]}]},{X:{tabindex:"0"},G:"span",Ia:[m],W:[c]}]};if(e){var p="ytp-panel-options";n.W.push({G:"button",Ia:["ytp-button",p],W:[d]})}h.W=[n]}d=!1;f&&(f={G:"div",N:"ytp-panel-footer",W:[f]},d=!0,h.W?h.W.push(f):h.W=[f]);g.dQ.call(this, +h);this.content=b;d&&h.W?b.Ea(this.element,h.W.length-1):b.Ea(this.element);this.yU=!1;this.xU=d;c&&(c=this.Da(l),m=this.Da(m),this.S(c,"click",this.WV),this.S(m,"click",this.WV),this.yU=!0,e&&(p=this.Da(p),this.S(p,"click",e)));b.subscribe("size-change",this.cW,this);this.S(a,"fullscreentoggled",this.cW);this.F=a}; +g.qU=function(a,b,c,d,e,f){b=void 0===b?null:b;var h={role:"menu"};b&&(h.id=b);b=new g.dQ({G:"div",N:"ytp-panel-menu",X:h});pU.call(this,a,b,c,d,e,f);this.menuItems=b;this.items=[];g.E(this,this.menuItems)}; +g.$Ma=function(a){for(var b=g.t(a.items),c=b.next();!c.done;c=b.next())c.value.unsubscribe("size-change",a.WN,a);a.items=[];g.vf(a.menuItems.element);a.menuItems.ma("size-change")}; +aNa=function(a,b){return b.priority-a.priority}; +rU=function(a){var b=g.TS({"aria-haspopup":"true"});g.SS.call(this,b,a);this.Ra("keydown",this.j)}; +sU=function(a,b){a.element.setAttribute("aria-haspopup",String(b))}; +bNa=function(a,b){g.U.call(this,{G:"div",N:"ytp-user-info-panel",X:{"aria-label":"User info"},W:a.V().authUser&&!a.K("embeds_web_always_enable_signed_out_state")?[{G:"div",N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable}}",role:"text"},ra:"{{watchingAsUsername}}"},{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable2}}",role:"text"},ra:"{{watchingAsEmail}}"}]}]:[{G:"div", +N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",W:[{G:"text",X:{tabIndex:"{{userInfoFocusable}}"},ra:"Signed out"}]},{G:"div",N:"ytp-user-info-panel-login",W:[{G:"a",X:{tabIndex:"{{userInfoFocusable2}}",role:"button"},ra:a.V().uc?"":"Sign in on YouTube"}]}]}]});this.Ta=a;this.j=b;a.V().authUser||a.V().uc||(a=this.Da("ytp-user-info-panel-login"),this.S(a,"click",this.j0));this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"}, +W:[g.sQ()]});this.closeButton.Ea(this.element);g.E(this,this.closeButton);this.S(window,"blur",this.hide);this.S(document,"click",this.h0);this.Pa()}; +dNa=function(a,b,c,d){g.qU.call(this,a);this.Eb=c;this.Qc=d;this.getVideoUrl=new rU(6);this.Pm=new rU(5);this.Jm=new rU(4);this.lc=new rU(3);this.HD=new g.SS(g.TS({href:"{{href}}",target:this.F.V().ea},void 0,!0),2,"Troubleshoot playback issue");this.showVideoInfo=new g.SS(g.TS(),1,"Stats for nerds");this.ey=new g.dQ({G:"div",Ia:["ytp-copytext","ytp-no-contextmenu"],X:{draggable:"false",tabindex:"1"},ra:"{{text}}"});this.cT=new pU(this.F,this.ey);this.lE=this.Js=null;g.fK(this.F.V())&&this.F.K("embeds_web_enable_new_context_menu_triggering")&& +(this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"},W:[g.sQ()]}),g.E(this,this.closeButton),this.closeButton.Ea(this.element),this.closeButton.Ra("click",this.q2,this));g.fK(this.F.V())&&(this.Uk=new g.SS(g.TS(),8,"Account"),g.E(this,this.Uk),this.Zc(this.Uk,!0),this.Uk.Ra("click",this.r7,this),a.sb(this.Uk.element,this.Uk,137682));this.F.V().tm&&(this.Gk=new aT("Loop",7),g.E(this,this.Gk),this.Zc(this.Gk,!0),this.Gk.Ra("click",this.l6,this),a.sb(this.Gk.element, +this.Gk,28661));g.E(this,this.getVideoUrl);this.Zc(this.getVideoUrl,!0);this.getVideoUrl.Ra("click",this.d6,this);a.sb(this.getVideoUrl.element,this.getVideoUrl,28659);g.E(this,this.Pm);this.Zc(this.Pm,!0);this.Pm.Ra("click",this.e6,this);a.sb(this.Pm.element,this.Pm,28660);g.E(this,this.Jm);this.Zc(this.Jm,!0);this.Jm.Ra("click",this.c6,this);a.sb(this.Jm.element,this.Jm,28658);g.E(this,this.lc);this.Zc(this.lc,!0);this.lc.Ra("click",this.b6,this);g.E(this,this.HD);this.Zc(this.HD,!0);this.HD.Ra("click", +this.Z6,this);g.E(this,this.showVideoInfo);this.Zc(this.showVideoInfo,!0);this.showVideoInfo.Ra("click",this.s7,this);g.E(this,this.ey);this.ey.Ra("click",this.Q5,this);g.E(this,this.cT);b=document.queryCommandSupported&&document.queryCommandSupported("copy");43<=xc("Chromium")&&(b=!0);40>=xc("Firefox")&&(b=!1);b&&(this.Js=new g.U({G:"textarea",N:"ytp-html5-clipboard",X:{readonly:"",tabindex:"-1"}}),g.E(this,this.Js),this.Js.Ea(this.element));var e;null==(e=this.Uk)||US(e,SEa());var f;null==(f=this.Gk)|| +US(f,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M7 7H17V10L21 6L17 2V5H5V11H7V7ZM17 17H7V14L3 18L7 22V19H19V13H17V17Z",fill:"white"}}]});US(this.lc,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M20 10V8H17.19C16.74 7.22 16.12 6.54 15.37 6.04L17 4.41L15.59 3L13.42 5.17C13.39 5.16 13.37 5.16 13.34 5.16C13.18 5.12 13.02 5.1 12.85 5.07C12.79 5.06 12.74 5.05 12.68 5.04C12.46 5.02 12.23 5 12 5C11.51 5 11.03 5.07 10.58 5.18L10.6 5.17L8.41 3L7 4.41L8.62 6.04H8.63C7.88 6.54 7.26 7.22 6.81 8H4V10H6.09C6.03 10.33 6 10.66 6 11V12H4V14H6V15C6 15.34 6.04 15.67 6.09 16H4V18H6.81C7.85 19.79 9.78 21 12 21C14.22 21 16.15 19.79 17.19 18H20V16H17.91C17.96 15.67 18 15.34 18 15V14H20V12H18V11C18 10.66 17.96 10.33 17.91 10H20ZM16 15C16 17.21 14.21 19 12 19C9.79 19 8 17.21 8 15V11C8 8.79 9.79 7 12 7C14.21 7 16 8.79 16 11V15ZM10 14H14V16H10V14ZM10 10H14V12H10V10Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.HD,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M2 12C2 6.48 6.48 2 12 2C17.52 2 22 6.48 22 12C22 17.52 17.52 22 12 22C6.48 22 2 17.52 2 12ZM13 16V18H11V16H13ZM12 20C7.59 20 4 16.41 4 12C4 7.59 7.59 4 12 4C16.41 4 20 7.59 20 12C20 16.41 16.41 20 12 20ZM8 10C8 7.79 9.79 6 12 6C14.21 6 16 7.79 16 10C16 11.28 15.21 11.97 14.44 12.64C13.71 13.28 13 13.90 13 15H11C11 13.17 11.94 12.45 12.77 11.82C13.42 11.32 14 10.87 14 10C14 8.9 13.1 8 12 8C10.9 8 10 8.9 10 10H8Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.showVideoInfo,OEa());this.S(a,"onLoopChange",this.onLoopChange);this.S(a,"videodatachange",this.onVideoDataChange);cNa(this);this.iP(this.F.getVideoData())}; +uU=function(a,b){var c=!1;if(a.Js){var d=a.Js.element;d.value=b;d.select();try{c=document.execCommand("copy")}catch(e){}}c?a.Eb.Fb():(a.ey.ge(b,"text"),g.tU(a.Eb,a.cT),rMa(a.ey.element),a.Js&&(a.Js=null,cNa(a)));return c}; +cNa=function(a){var b=!!a.Js;g.RS(a.lc,b?"Copy debug info":"Get debug info");sU(a.lc,!b);g.RS(a.Jm,b?"Copy embed code":"Get embed code");sU(a.Jm,!b);g.RS(a.getVideoUrl,b?"Copy video URL":"Get video URL");sU(a.getVideoUrl,!b);g.RS(a.Pm,b?"Copy video URL at current time":"Get video URL at current time");sU(a.Pm,!b);US(a.Jm,b?MEa():null);US(a.getVideoUrl,b?lQ():null);US(a.Pm,b?lQ():null)}; +eNa=function(a){return g.fK(a.F.V())?a.Uk:a.Gk}; +g.vU=function(a,b){g.PS.call(this,a,{G:"div",Ia:["ytp-popup",b||""]},100,!0);this.j=[];this.I=this.D=null;this.UE=this.maxWidth=0;this.size=new g.He(0,0);this.Ra("keydown",this.k0)}; +fNa=function(a){var b=a.j[a.j.length-1];if(b){g.Rm(a.element,a.maxWidth||"100%",a.UE||"100%");g.Hm(b.element,"width","");g.Hm(b.element,"height","");g.Hm(b.element,"maxWidth","100%");g.Hm(b.element,"maxHeight","100%");g.Hm(b.content.element,"height","");var c=g.Sm(b.element);c.width+=1;c.height+=1;g.Hm(b.element,"width",c.width+"px");g.Hm(b.element,"height",c.height+"px");g.Hm(b.element,"maxWidth","");g.Hm(b.element,"maxHeight","");var d=0;b.yU&&(d=b.Da("ytp-panel-header"),d=g.Sm(d).height);var e= +0;b.xU&&(e=b.Da("ytp-panel-footer"),g.Hm(e,"width",c.width+"px"),e=g.Sm(e).height);g.Hm(b.content.element,"height",c.height-d-e+"px");b.element instanceof HTMLElement&&(d=b.element,e=d.scrollWidth-d.clientWidth,0=a.j.length)){var b=a.j.pop(),c=a.j[0];a.j=[c];gNa(a,b,c,!0)}}; +gNa=function(a,b,c,d){hNa(a);b&&(b.unsubscribe("size-change",a.lA,a),b.unsubscribe("back",a.nj,a));c.subscribe("size-change",a.lA,a);c.subscribe("back",a.nj,a);if(a.yb){g.Qp(c.element,d?"ytp-panel-animate-back":"ytp-panel-animate-forward");c.Ea(a.element);c.focus();a.element.scrollLeft=0;a.element.scrollTop=0;var e=a.size;fNa(a);g.Rm(a.element,e);a.D=new g.Ip(function(){iNa(a,b,c,d)},20,a); +a.D.start()}else c.Ea(a.element),b&&b.detach()}; +iNa=function(a,b,c,d){a.D.dispose();a.D=null;g.Qp(a.element,"ytp-popup-animating");d?(g.Qp(b.element,"ytp-panel-animate-forward"),g.Sp(c.element,"ytp-panel-animate-back")):(g.Qp(b.element,"ytp-panel-animate-back"),g.Sp(c.element,"ytp-panel-animate-forward"));g.Rm(a.element,a.size);a.I=new g.Ip(function(){g.Sp(a.element,"ytp-popup-animating");b.detach();g.Tp(b.element,["ytp-panel-animate-back","ytp-panel-animate-forward"]);a.I.dispose();a.I=null},250,a); +a.I.start()}; +hNa=function(a){a.D&&g.Kp(a.D);a.I&&g.Kp(a.I)}; +g.xU=function(a,b,c){g.vU.call(this,a);this.Aa=b;this.Qc=c;this.C=new g.bI(this);this.oa=new g.Ip(this.J7,1E3,this);this.ya=this.B=null;g.E(this,this.C);g.E(this,this.oa);a.sb(this.element,this,28656);g.Qp(this.element,"ytp-contextmenu");jNa(this);this.hide()}; +jNa=function(a){g.Lz(a.C);var b=a.F.V();"gvn"===b.playerStyle||(b.u||b.tb)&&b.K("embeds_web_enable_new_context_menu_triggering")||(b=a.F.jb(),a.C.S(b,"contextmenu",a.O5),a.C.S(b,"touchstart",a.m0,null,!0),a.C.S(b,"touchmove",a.GW,null,!0),a.C.S(b,"touchend",a.GW,null,!0))}; +kNa=function(a){a.F.isFullscreen()?g.NS(a.F,a.element,10):a.Ea(document.body)}; +g.yU=function(a,b,c){c=void 0===c?240:c;g.U.call(this,{G:"button",Ia:["ytp-button","ytp-copylink-button"],X:{title:"{{title-attr}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-copylink-icon",ra:"{{icon}}"},{G:"div",N:"ytp-copylink-title",ra:"Copy link",X:{"aria-hidden":"true"}}]});this.api=a;this.j=b;this.u=c;this.visible=!1;this.tooltip=this.j.Ic();b=a.V();mU(this.tooltip);g.Up(this.element,"ytp-show-copylink-title",g.fK(b)&&!g.oK(b));a.sb(this.element,this,86570);this.Ra("click", +this.onClick);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.S(a,"appresize",this.Pa);this.Pa();g.bb(this,g.ZS(this.tooltip,this.element))}; +lNa=function(a){var b=a.api.V(),c=a.api.getVideoData(),d=a.api.jb().getPlayerSize().width,e=b.K("shorts_mode_to_player_api")?a.api.Sb():a.j.Sb(),f=b.B;return!!c.videoId&&d>=a.u&&c.ao&&!(c.D&&b.Z)&&!e&&!f}; +mNa=function(a){a.updateValue("icon",gQ());if(a.api.V().u)zU(a.tooltip,a.element,"Link copied to clipboard");else{a.updateValue("title-attr","Link copied to clipboard");$S(a.tooltip);zU(a.tooltip,a.element);var b=a.Ra("mouseleave",function(){a.Hc(b);a.Pa();a.tooltip.rk()})}}; +nNa=function(a,b){return g.A(function(c){if(1==c.j)return g.pa(c,2),g.y(c,navigator.clipboard.writeText(b),4);if(2!=c.j)return c.return(!0);g.sa(c);var d=c.return,e=!1,f=g.qf("TEXTAREA");f.value=b;f.setAttribute("readonly","");var h=a.api.getRootNode();h.appendChild(f);if(nB){var l=window.getSelection();l.removeAllRanges();var m=document.createRange();m.selectNodeContents(f);l.addRange(m);f.setSelectionRange(0,b.length)}else f.select();try{e=document.execCommand("copy")}catch(n){}h.removeChild(f); +return d.call(c,e)})}; +AU=function(a){g.U.call(this,{G:"div",N:"ytp-doubletap-ui-legacy",W:[{G:"div",N:"ytp-doubletap-fast-forward-ve"},{G:"div",N:"ytp-doubletap-rewind-ve"},{G:"div",N:"ytp-doubletap-static-circle",W:[{G:"div",N:"ytp-doubletap-ripple"}]},{G:"div",N:"ytp-doubletap-overlay-a11y"},{G:"div",N:"ytp-doubletap-seek-info-container",W:[{G:"div",N:"ytp-doubletap-arrows-container",W:[{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"}]},{G:"div", +N:"ytp-doubletap-tooltip",W:[{G:"div",N:"ytp-chapter-seek-text-legacy",ra:"{{seekText}}"},{G:"div",N:"ytp-doubletap-tooltip-label",ra:"{{seekTime}}"}]}]}]});this.F=a;this.C=new g.Ip(this.show,10,this);this.u=new g.Ip(this.hide,700,this);this.I=this.B=0;this.D=!1;this.j=this.Da("ytp-doubletap-static-circle");g.E(this,this.C);g.E(this,this.u);this.hide();this.J=this.Da("ytp-doubletap-fast-forward-ve");this.T=this.Da("ytp-doubletap-rewind-ve");this.F.sb(this.J,this,28240);this.F.sb(this.T,this,28239); +this.F.Ua(this.J,!0);this.F.Ua(this.T,!0);this.D=a.K("web_show_cumulative_seek_time")}; +BU=function(a,b,c){a.B=b===a.I?a.B+c:c;a.I=b;var d=a.F.jb().getPlayerSize();a.D?a.u.stop():g.Lp(a.u);a.C.start();a.element.setAttribute("data-side",-1===b?"back":"forward");g.Qp(a.element,"ytp-time-seeking");a.j.style.width="110px";a.j.style.height="110px";1===b?(a.j.style.right="",a.j.style.left=.8*d.width-30+"px"):-1===b&&(a.j.style.right="",a.j.style.left=.1*d.width-15+"px");a.j.style.top=.5*d.height+15+"px";oNa(a,a.D?a.B:c)}; +pNa=function(a,b,c){g.Lp(a.u);a.C.start();switch(b){case -1:b="back";break;case 1:b="forward";break;default:b=""}a.element.setAttribute("data-side",b);a.j.style.width="0";a.j.style.height="0";g.Qp(a.element,"ytp-chapter-seek");a.updateValue("seekText",c);a.updateValue("seekTime","")}; +oNa=function(a,b){b=g.lO("$TOTAL_SEEK_TIME seconds",{TOTAL_SEEK_TIME:b.toString()});a.updateValue("seekTime",b)}; +EU=function(a,b,c){c=void 0===c?!0:c;g.U.call(this,{G:"div",N:"ytp-suggested-action"});var d=this;this.F=a;this.kb=b;this.Xa=this.Z=this.C=this.u=this.j=this.D=this.expanded=this.enabled=this.ya=!1;this.La=new g.Ip(function(){d.badge.element.style.width=""},200,this); +this.oa=new g.Ip(function(){CU(d);DU(d)},200,this); +this.dismissButton=new g.U({G:"button",Ia:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.E(this,this.dismissButton);this.B=new g.U({G:"div",N:"ytp-suggested-action-badge-expanded-content-container",W:[{G:"label",N:"ytp-suggested-action-badge-title",ra:"{{badgeLabel}}"},this.dismissButton]});g.E(this,this.B);this.ib=new g.U({G:"div",N:"ytp-suggested-action-badge-icon-container",W:[c?{G:"div",N:"ytp-suggested-action-badge-icon"}:""]});g.E(this,this.ib);this.badge=new g.U({G:"button", +Ia:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],W:[this.ib,this.B]});g.E(this,this.badge);this.badge.Ea(this.element);this.I=new g.QQ(this.badge,250,!1,100);g.E(this,this.I);this.Ga=new g.QQ(this.B,250,!1,100);g.E(this,this.Ga);this.Qa=new g.Gp(this.g9,null,this);g.E(this,this.Qa);this.Aa=new g.Gp(this.S2,null,this);g.E(this,this.Aa);g.E(this,this.La);g.E(this,this.oa);this.F.Zf(this.badge.element,this.badge,!0);this.F.Zf(this.dismissButton.element,this.dismissButton, +!0);this.S(this.F,"onHideControls",function(){d.C=!1;DU(d);CU(d);d.dl()}); +this.S(this.F,"onShowControls",function(){d.C=!0;DU(d);CU(d);d.dl()}); +this.S(this.badge.element,"click",this.YG);this.S(this.dismissButton.element,"click",this.WC);this.S(this.F,"pageTransition",this.n0);this.S(this.F,"appresize",this.dl);this.S(this.F,"fullscreentoggled",this.Z5);this.S(this.F,"cardstatechange",this.F5);this.S(this.F,"annotationvisibility",this.J9,this);this.S(this.F,"offlineslatestatechange",this.K9,this)}; +CU=function(a){g.Up(a.badge.element,"ytp-suggested-action-badge-with-controls",a.C||!a.D)}; +DU=function(a,b){var c=a.oP();a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.Qa.stop(),a.Aa.stop(),a.La.stop(),a.Qa.start()):(g.bQ(a.B,a.expanded),g.Up(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),qNa(a))}; +qNa=function(a){a.j&&a.F.Ua(a.badge.element,a.Yz());a.u&&a.F.Ua(a.dismissButton.element,a.Yz()&&a.oP())}; +rNa=function(a){var b=a.text||"";g.Af(g.kf("ytp-suggested-action-badge-title",a.element),b);cQ(a.badge,b);cQ(a.dismissButton,a.Ya?a.Ya:"")}; +FU=function(a,b){b?a.u&&a.F.qb(a.dismissButton.element):a.j&&a.F.qb(a.badge.element)}; +sNa=function(a,b){EU.call(this,a,b,!1);this.T=[];this.D=!0;this.badge.element.classList.add("ytp-featured-product");this.banner=new g.U({G:"a",N:"ytp-featured-product-container",X:{href:"{{url}}",target:"_blank"},W:[{G:"div",N:"ytp-featured-product-thumbnail",W:[{G:"img",X:{src:"{{thumbnail}}"}},{G:"div",N:"ytp-featured-product-open-in-new"}]},{G:"div",N:"ytp-featured-product-details",W:[{G:"text",N:"ytp-featured-product-title",ra:"{{title}}"},{G:"text",N:"ytp-featured-product-vendor",ra:"{{vendor}}"}, +{G:"text",N:"ytp-featured-product-price",ra:"{{price}}"}]},this.dismissButton]});g.E(this,this.banner);this.banner.Ea(this.B.element);this.S(this.F,g.ZD("featured_product"),this.W8);this.S(this.F,g.$D("featured_product"),this.NH);this.S(this.F,"videodatachange",this.onVideoDataChange)}; +uNa=function(a,b){tNa(a);if(b){var c=g.sM.getState().entities;c=CL(c,"featuredProductsEntity",b);if(null!=c&&c.productsData){b=[];c=g.t(c.productsData);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0;if(null!=(e=d)&&e.identifier&&d.featuredSegments){a.T.push(d);var f=void 0;e=g.t(null==(f=d)?void 0:f.featuredSegments);for(f=e.next();!f.done;f=e.next())(f=f.value)&&b.push(new g.XD(1E3*Number(f.startTimeSec),1E3*Number(f.endTimeSec)||0x7ffffffffffff,{id:d.identifier,namespace:"featured_product"}))}}a.F.ye(b)}}}; +tNa=function(a){a.T=[];a.F.Ff("featured_product")}; +xNa=function(a,b,c){g.U.call(this,{G:"div",Ia:["ytp-info-panel-action-item"],W:[{G:"div",N:"ytp-info-panel-action-item-disclaimer",ra:"{{disclaimer}}"},{G:"a",Ia:["ytp-info-panel-action-item-button","ytp-button"],X:{role:"button",href:"{{url}}",target:"_blank",rel:"noopener"},W:[{G:"div",N:"ytp-info-panel-action-item-icon",ra:"{{icon}}"},{G:"div",N:"ytp-info-panel-action-item-label",ra:"{{label}}"}]}]});this.F=a;this.j=c;this.disclaimer=this.Da("ytp-info-panel-action-item-disclaimer");this.button= +this.Da("ytp-info-panel-action-item-button");this.De=!1;this.F.Zf(this.element,this,!0);this.Ra("click",this.onClick);a="";c=g.K(null==b?void 0:b.onTap,g.gT);var d=g.K(c,g.pM);this.De=!1;d?(a=d.url||"",a.startsWith("//")&&(a="https:"+a),this.De=!0,ck(this.button,g.he(a))):(d=g.K(c,vNa))&&!this.j?((a=d.phoneNumbers)&&0b);d=a.next())c++;return 0===c?c:c-1}; +FNa=function(a,b){for(var c=0,d=g.t(a),e=d.next();!e.done;e=d.next()){e=e.value;if(b=e.timeRangeStartMillis&&b=a.C&&!b}; +YNa=function(a,b){"InvalidStateError"!==b.name&&"AbortError"!==b.name&&("NotAllowedError"===b.name?(a.j.Il(),QS(a.B,a.element,!1)):g.CD(b))}; +g.RU=function(a,b){var c=YP(),d=a.V();c={G:"div",N:"ytp-share-panel",X:{id:YP(),role:"dialog","aria-labelledby":c},W:[{G:"div",N:"ytp-share-panel-inner-content",W:[{G:"div",N:"ytp-share-panel-title",X:{id:c},ra:"Share"},{G:"a",Ia:["ytp-share-panel-link","ytp-no-contextmenu"],X:{href:"{{link}}",target:d.ea,title:"Share link","aria-label":"{{shareLinkWithUrl}}"},ra:"{{linkText}}"},{G:"label",N:"ytp-share-panel-include-playlist",W:[{G:"input",N:"ytp-share-panel-include-playlist-checkbox",X:{type:"checkbox", +checked:"true"}},"Include playlist"]},{G:"div",N:"ytp-share-panel-loading-spinner",W:[qMa()]},{G:"div",N:"ytp-share-panel-service-buttons",ra:"{{buttons}}"},{G:"div",N:"ytp-share-panel-error",ra:"An error occurred while retrieving sharing information. Please try again later."}]},{G:"button",Ia:["ytp-share-panel-close","ytp-button"],X:{title:"Close"},W:[g.jQ()]}]};g.PS.call(this,a,c,250);var e=this;this.moreButton=null;this.api=a;this.tooltip=b.Ic();this.B=[];this.D=this.Da("ytp-share-panel-inner-content"); +this.closeButton=this.Da("ytp-share-panel-close");this.S(this.closeButton,"click",this.Fb);g.bb(this,g.ZS(this.tooltip,this.closeButton));this.C=this.Da("ytp-share-panel-include-playlist-checkbox");this.S(this.C,"click",this.Pa);this.j=this.Da("ytp-share-panel-link");g.bb(this,g.ZS(this.tooltip,this.j));this.api.sb(this.j,this,164503);this.S(this.j,"click",function(f){if(e.api.K("web_player_add_ve_conversion_logging_to_outbound_links")){g.EO(f);e.api.qb(e.j);var h=e.api.getVideoUrl(!0,!0,!1,!1);h= +ZNa(e,h);g.VT(h,e.api,f)&&e.api.Na("SHARE_CLICKED")}else e.api.qb(e.j)}); +this.Ra("click",this.v0);this.S(a,"videoplayerreset",this.hide);this.S(a,"fullscreentoggled",this.onFullscreenToggled);this.S(a,"onLoopRangeChange",this.B4);this.hide()}; +aOa=function(a,b){$Na(a);for(var c=b.links||b.shareTargets,d=0,e={},f=0;fd;e={rr:e.rr,fk:e.fk},f++){e.rr=c[f];a:switch(e.rr.img||e.rr.iconId){case "facebook":var h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", +fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", +fill:"#01abf0"}}]};break a;default:h=null}if(h){var l=e.rr.sname||e.rr.serviceName;e.fk=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],X:{href:e.rr.url,target:"_blank",title:l},W:[h]});e.fk.Ra("click",function(p){return function(q){if(g.fR(q)){var r=p.rr.url;var v=void 0===v?{}:v;v.target=v.target||"YouTube";v.width=v.width||"600";v.height=v.height||"600";var x=v;x||(x={});v=window;var z=r instanceof ae?r:g.he("undefined"!=typeof r.href?r.href:String(r));var B=void 0!==self.crossOriginIsolated, +F="strict-origin-when-cross-origin";window.Request&&(F=(new Request("/")).referrerPolicy);var G="unsafe-url"===F;F=x.noreferrer;if(B&&F){if(G)throw Error("Cannot use the noreferrer option on a page that sets a referrer-policy of `unsafe-url` in modern browsers!");F=!1}r=x.target||r.target;B=[];for(var D in x)switch(D){case "width":case "height":case "top":case "left":B.push(D+"="+x[D]);break;case "target":case "noopener":case "noreferrer":break;default:B.push(D+"="+(x[D]?1:0))}D=B.join(",");Cc()&& +v.navigator&&v.navigator.standalone&&r&&"_self"!=r?(x=g.qf("A"),g.xe(x,z),x.target=r,F&&(x.rel="noreferrer"),z=document.createEvent("MouseEvent"),z.initMouseEvent("click",!0,!0,v,1),x.dispatchEvent(z),v={}):F?(v=Zba("",v,r,D),z=g.be(z),v&&(g.HK&&g.Vb(z,";")&&(z="'"+z.replace(/'/g,"%27")+"'"),v.opener=null,""===z&&(z="javascript:''"),g.Xd("b/12014412, meta tag with sanitized URL"),z='',z=g.we(z),(x= +v.document)&&x.write&&(x.write(g.ve(z)),x.close()))):((v=Zba(z,v,r,D))&&x.noopener&&(v.opener=null),v&&x.noreferrer&&(v.opener=null));v&&(v.opener||(v.opener=window),v.focus());g.EO(q)}}}(e)); +g.bb(e.fk,g.ZS(a.tooltip,e.fk.element));"Facebook"===l?a.api.sb(e.fk.element,e.fk,164504):"Twitter"===l&&a.api.sb(e.fk.element,e.fk,164505);a.S(e.fk.element,"click",function(p){return function(){a.api.qb(p.fk.element)}}(e)); +a.api.Ua(e.fk.element,!0);a.B.push(e.fk);d++}}var m=b.more||b.moreLink,n=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],W:[{G:"span",N:"ytp-share-panel-service-button-more",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", +fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],X:{href:m,target:"_blank",title:"More"}});n.Ra("click",function(p){var q=m;a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")&&(a.api.qb(a.moreButton.element),q=ZNa(a,q));g.VT(q,a.api,p)&&a.api.Na("SHARE_CLICKED")}); +g.bb(n,g.ZS(a.tooltip,n.element));a.api.sb(n.element,n,164506);a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")||a.S(n.element,"click",function(){a.api.qb(n.element)}); +a.api.Ua(n.element,!0);a.B.push(n);a.moreButton=n;a.updateValue("buttons",a.B)}; +ZNa=function(a,b){var c=a.api.V(),d={};c.ya&&g.fK(c)&&g.iS(d,c.loaderUrl);g.fK(c)&&(g.pS(a.api,"addEmbedsConversionTrackingParams",[d]),b=g.Zi(b,g.hS(d,"emb_share")));return b}; +$Na=function(a){for(var b=g.t(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.Za(c);a.B=[]}; +cOa=function(a,b){EU.call(this,a,b);this.J=this.T=this.Ja=!1;bOa(this);this.S(this.F,"changeProductsInVideoVisibility",this.I6);this.S(this.F,"videodatachange",this.onVideoDataChange);this.S(this.F,"paidcontentoverlayvisibilitychange",this.B6)}; +dOa=function(a){a.F.Ff("shopping_overlay_visible");a.F.Ff("shopping_overlay_expanded")}; +bOa=function(a){a.S(a.F,g.ZD("shopping_overlay_visible"),function(){a.Bg(!0)}); +a.S(a.F,g.$D("shopping_overlay_visible"),function(){a.Bg(!1)}); +a.S(a.F,g.ZD("shopping_overlay_expanded"),function(){a.Z=!0;DU(a)}); +a.S(a.F,g.$D("shopping_overlay_expanded"),function(){a.Z=!1;DU(a)})}; +fOa=function(a,b){g.U.call(this,{G:"div",N:"ytp-shorts-title-channel",W:[{G:"a",N:"ytp-shorts-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-shorts-title-expanded-heading",W:[{G:"div",N:"ytp-shorts-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,tabIndex:"0"}}]}]}]});var c=this;this.api=a;this.u=b;this.j=this.Da("ytp-shorts-title-channel-logo");this.channelName=this.Da("ytp-shorts-title-expanded-title"); +this.subscribeButton=null;a.sb(this.j,this,36925);this.S(this.j,"click",function(d){c.api.K("web_player_ve_conversion_fixes_for_channel_info")?(c.api.qb(c.j),g.gk(SU(c)),d.preventDefault()):c.api.qb(c.j)}); +a.sb(this.channelName,this,37220);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(SU(c));d.preventDefault()}); +eOa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.Pa()}; +eOa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.u);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.element)}}; +SU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +TU=function(a){g.PS.call(this,a,{G:"button",Ia:["ytp-skip-intro-button","ytp-popup","ytp-button"],W:[{G:"div",N:"ytp-skip-intro-button-text",ra:"Skip Intro"}]},100);var b=this;this.B=!1;this.j=new g.Ip(function(){b.hide()},5E3); +this.vf=this.ri=NaN;g.E(this,this.j);this.I=function(){b.show()}; +this.D=function(){b.hide()}; +this.C=function(){var c=b.F.getCurrentTime();c>b.ri/1E3&&c=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+q+"px "+r+"px/"+l+"px "+m+"px"}; +g.ZU=function(a,b){g.U.call(this,{G:"div",N:"ytp-storyboard-framepreview",W:[{G:"div",N:"ytp-storyboard-framepreview-timestamp",ra:"{{timestamp}}"},{G:"div",N:"ytp-storyboard-framepreview-img"}]});this.api=a;this.C=this.Da("ytp-storyboard-framepreview-img");this.u=null;this.B=NaN;this.events=new g.bI(this);this.j=new g.QQ(this,100);g.E(this,this.events);g.E(this,this.j);this.S(this.api,"presentingplayerstatechange",this.yd);b&&this.S(this.element,"click",function(){b.Vr()}); +a.K("web_big_boards")&&g.Qp(this.element,"ytp-storyboard-framepreview-big-boards")}; +hOa=function(a,b){var c=!!a.u;a.u=b;a.u?(c||(a.events.S(a.api,"videodatachange",function(){hOa(a,a.api.Hj())}),a.events.S(a.api,"progresssync",a.Ie),a.events.S(a.api,"appresize",a.D)),a.B=NaN,iOa(a),a.j.show(200)):(c&&g.Lz(a.events),a.j.hide(),a.j.stop())}; +iOa=function(a){var b=a.u,c=a.api.getCurrentTime(),d=a.api.jb().getPlayerSize(),e=SL(b,d.width);e=Sya(b,e,c);a.update({timestamp:g.eR(c)});e!==a.B&&(a.B=e,Qya(b,e,d.width),b=Oya(b,e,d.width),gOa(a.C,b,d.width,d.height))}; +g.$U=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullscreen-button","ytp-button"],X:{title:"{{title}}","aria-keyshortcuts":"f","data-title-no-tooltip":"{{data-title-no-tooltip}}"},ra:"{{icon}}"});this.F=a;this.u=b;this.message=null;this.j=g.ZS(this.u.Ic(),this.element);this.B=new g.Ip(this.f2,2E3,this);g.E(this,this.B);this.S(a,"fullscreentoggled",this.cm);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);g.yz()&&(b=this.F.jb(),this.S(b,Boa(),this.NN),this.S(b,Bz(document), +this.Hq));a.V().Tb||a.V().T||this.disable();a.sb(this.element,this,139117);this.Pa();this.cm(a.isFullscreen())}; +aV=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-jump-button"],X:{title:"{{title}}","aria-keyshortcuts":"{{aria-keyshortcuts}}","data-title-no-tooltip":"{{data-title-no-tooltip}}",style:"display: none;"},W:[0=h)break}a.D=d;a.frameCount=b.NE();a.interval=b.j/1E3||a.api.getDuration()/a.frameCount}for(;a.thumbnails.length>a.D.length;)d= +void 0,null==(d=a.thumbnails.pop())||d.dispose();for(;a.thumbnails.lengthc.length;)d=void 0,null==(d=a.j.pop())||d.dispose(); +for(;a.j.length-c?-b/c*a.interval*.5:-(b+c/2)/c*a.interval}; +HOa=function(a){return-((a.B.offsetWidth||(a.frameCount-1)*a.I*a.scale)-a.C/2)}; +EOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-thumbnail"})}; +FOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-chapter-title",W:[{G:"div",N:"ytp-fine-scrubbing-chapter-title-content",ra:"{{chapterTitle}}"}]})}; +KOa=function(a,b,c,d){d=void 0===d?!1:d;b=new JOa(b||a,c||a);return{x:a.x+.2*((void 0===d?0:d)?-1*b.j:b.j),y:a.y+.2*((void 0===d?0:d)?-1*b.u:b.u)}}; +JOa=function(a,b){this.u=this.j=0;this.j=b.x-a.x;this.u=b.y-a.y}; +LOa=function(a){g.U.call(this,{G:"div",N:"ytp-heat-map-chapter",W:[{G:"svg",N:"ytp-heat-map-svg",X:{height:"100%",preserveAspectRatio:"none",version:"1.1",viewBox:"0 0 1000 100",width:"100%"},W:[{G:"defs",W:[{G:"clipPath",X:{id:"{{id}}"},W:[{G:"path",N:"ytp-heat-map-path",X:{d:"",fill:"white","fill-opacity":"0.6"}}]}]},{G:"rect",N:"ytp-heat-map-graph",X:{"clip-path":"url(#hm_1)",fill:"white","fill-opacity":"0.2",height:"100%",width:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-hover",X:{"clip-path":"url(#hm_1)", +height:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-play",X:{"clip-path":"url(#hm_1)",height:"100%",x:"0",y:"0"}}]}]});this.api=a;this.I=this.Da("ytp-heat-map-svg");this.D=this.Da("ytp-heat-map-path");this.C=this.Da("ytp-heat-map-graph");this.B=this.Da("ytp-heat-map-play");this.u=this.Da("ytp-heat-map-hover");this.De=!1;this.j=60;a=""+g.Na(this);this.update({id:a});a="url(#"+a+")";this.C.setAttribute("clip-path",a);this.B.setAttribute("clip-path",a);this.u.setAttribute("clip-path",a)}; +jV=function(){g.U.call(this,{G:"div",N:"ytp-chapter-hover-container",W:[{G:"div",N:"ytp-progress-bar-padding"},{G:"div",N:"ytp-progress-list",W:[{G:"div",Ia:["ytp-play-progress","ytp-swatch-background-color"]},{G:"div",N:"ytp-progress-linear-live-buffer"},{G:"div",N:"ytp-load-progress"},{G:"div",N:"ytp-hover-progress"},{G:"div",N:"ytp-ad-progress-list"}]}]});this.startTime=NaN;this.title="";this.index=NaN;this.width=0;this.C=this.Da("ytp-progress-linear-live-buffer");this.B=this.Da("ytp-ad-progress-list"); +this.D=this.Da("ytp-load-progress");this.I=this.Da("ytp-play-progress");this.u=this.Da("ytp-hover-progress");this.j=this.Da("ytp-chapter-hover-container")}; +kV=function(a,b){g.Hm(a.j,"width",b)}; +MOa=function(a,b){g.Hm(a.j,"margin-right",b+"px")}; +NOa=function(){this.fraction=this.position=this.u=this.j=this.B=this.width=NaN}; +OOa=function(){g.U.call(this,{G:"div",N:"ytp-timed-marker"});this.j=this.timeRangeStartMillis=NaN;this.title="";this.onActiveCommand=void 0}; +POa=function(a){return a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")}; +g.mV=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-progress-bar-container",X:{"aria-disabled":"true"},W:[{G:"div",Ia:["ytp-heat-map-container"],W:[{G:"div",N:"ytp-heat-map-edu"}]},{G:"div",Ia:["ytp-progress-bar"],X:{tabindex:"0",role:"slider","aria-label":"Seek slider","aria-valuemin":"{{ariamin}}","aria-valuemax":"{{ariamax}}","aria-valuenow":"{{arianow}}","aria-valuetext":"{{arianowtext}}"},W:[{G:"div",N:"ytp-chapters-container"},{G:"div",N:"ytp-timed-markers-container"},{G:"div",N:"ytp-clip-start-exclude"}, +{G:"div",N:"ytp-clip-end-exclude"},{G:"div",N:"ytp-scrubber-container",W:[{G:"div",Ia:["ytp-scrubber-button","ytp-swatch-background-color"],W:[{G:"div",N:"ytp-scrubber-pull-indicator"}]}]}]},{G:"div",Ia:["ytp-fine-scrubbing-container"],W:[{G:"div",N:"ytp-fine-scrubbing-edu"}]},{G:"div",N:"ytp-bound-time-left",ra:"{{boundTimeLeft}}"},{G:"div",N:"ytp-bound-time-right",ra:"{{boundTimeRight}}"},{G:"div",N:"ytp-clip-start",X:{title:"{{clipstarttitle}}"},ra:"{{clipstarticon}}"},{G:"div",N:"ytp-clip-end", +X:{title:"{{clipendtitle}}"},ra:"{{clipendicon}}"}]});this.api=a;this.ke=!1;this.Kf=this.Qa=this.J=this.Jf=0;this.Ld=null;this.Ja={};this.jc={};this.clipEnd=Infinity;this.Xb=this.Da("ytp-clip-end");this.Oc=new g.kT(this.Xb,!0);this.uf=this.Da("ytp-clip-end-exclude");this.Qg=this.Da("ytp-clip-start-exclude");this.clipStart=0;this.Tb=this.Da("ytp-clip-start");this.Lc=new g.kT(this.Tb,!0);this.Z=this.ib=0;this.Kc=this.Da("ytp-progress-bar");this.tb={};this.uc={};this.Dc=this.Da("ytp-chapters-container"); +this.Wf=this.Da("ytp-timed-markers-container");this.j=[];this.I=[];this.Od={};this.vf=null;this.Xa=-1;this.kb=this.ya=0;this.T=null;this.Vf=this.Da("ytp-scrubber-button");this.ph=this.Da("ytp-scrubber-container");this.fb=new g.Fe;this.Hf=new NOa;this.B=new iR(0,0);this.Bb=null;this.C=this.je=!1;this.If=null;this.oa=this.Da("ytp-heat-map-container");this.Vd=this.Da("ytp-heat-map-edu");this.D=[];this.heatMarkersDecorations=[];this.Ya=this.Da("ytp-fine-scrubbing-container");this.Wc=this.Da("ytp-fine-scrubbing-edu"); +this.u=void 0;this.Aa=this.rd=this.Ga=!1;this.tooltip=b.Ic();g.bb(this,g.ZS(this.tooltip,this.Xb));g.E(this,this.Oc);this.Oc.subscribe("hoverstart",this.ZV,this);this.Oc.subscribe("hoverend",this.YV,this);this.S(this.Xb,"click",this.LH);g.bb(this,g.ZS(this.tooltip,this.Tb));g.E(this,this.Lc);this.Lc.subscribe("hoverstart",this.ZV,this);this.Lc.subscribe("hoverend",this.YV,this);this.S(this.Tb,"click",this.LH);QOa(this);this.S(a,"resize",this.Db);this.S(a,"presentingplayerstatechange",this.z0);this.S(a, +"videodatachange",this.Gs);this.S(a,"videoplayerreset",this.I3);this.S(a,"cuerangesadded",this.GY);this.S(a,"cuerangesremoved",this.D8);this.S(a,"cuerangemarkersupdated",this.GY);this.S(a,"onLoopRangeChange",this.GR);this.S(a,"innertubeCommand",this.onClickCommand);this.S(a,g.ZD("timedMarkerCueRange"),this.H7);this.S(a,"updatemarkervisibility",this.EY);this.updateVideoData(a.getVideoData(),!0);this.GR(a.getLoopRange());lV(this)&&!this.u&&(this.u=new COa(this.api,this.tooltip),a=g.Pm(this.element).x|| +0,this.u.Db(a,this.J),this.u.Ea(this.Ya),g.E(this,this.u),this.S(this.u.dismissButton,"click",this.Vr),this.S(this.u.playButton,"click",this.AL),this.S(this.u.element,"dblclick",this.AL));a=this.api.V();g.fK(a)&&a.u&&g.Qp(this.element,"ytp-no-contextmenu");this.api.sb(this.oa,this,139609,!0);this.api.sb(this.Vd,this,140127,!0);this.api.sb(this.Wc,this,151179,!0);this.api.K("web_modern_miniplayer")&&(this.element.hidden=!0)}; +QOa=function(a){if(0===a.j.length){var b=new jV;a.j.push(b);g.E(a,b);b.Ea(a.Dc,0)}for(;1=h&&z<=p&&f.push(r)}0l)a.j[c].width=n;else{a.j[c].width=0;var p=a,q=c,r=p.j[q-1];void 0!==r&&0a.kb&&(a.kb=m/f),d=!0)}c++}}return d}; +pV=function(a){if(a.J){var b=a.api.getProgressState(),c=a.api.getVideoData();if(!(c&&c.enableServerStitchedDai&&c.enablePreroll)||isFinite(b.current)){var d;c=(null==(d=a.api.getVideoData())?0:aN(d))&&b.airingStart&&b.airingEnd?ePa(a,b.airingStart,b.airingEnd):ePa(a,b.seekableStart,b.seekableEnd);d=jR(c,b.loaded,0);b=jR(c,b.current,0);var e=a.B.u!==c.u||a.B.j!==c.j;a.B=c;qV(a,b,d);e&&fPa(a);gPa(a)}}}; +ePa=function(a,b,c){return hPa(a)?new iR(Math.max(b,a.Bb.startTimeMs/1E3),Math.min(c,a.Bb.endTimeMs/1E3)):new iR(b,c)}; +iPa=function(a,b){var c;if("repeatChapter"===(null==(c=a.Bb)?void 0:c.type)||"repeatChapter"===(null==b?void 0:b.type))b&&(b=a.j[HU(a.j,b.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!1)),a.Bb&&(b=a.j[HU(a.j,a.Bb.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!0)),a.j.forEach(function(d){g.Up(d.j,"ytp-exp-chapter-hover-container",!a.Bb)})}; +sV=function(a,b){var c=rFa(a.B,b.fraction);if(1=a.j.length?!1:4>Math.abs(b-a.j[c].startTime/1E3)/a.B.j*(a.J-(a.C?3:2)*a.ya)}; +fPa=function(a){a.Vf.style.removeProperty("height");for(var b=g.t(Object.keys(a.Ja)),c=b.next();!c.done;c=b.next())kPa(a,c.value);tV(a);qV(a,a.Z,a.ib)}; +oV=function(a){var b=a.fb.x;b=g.ze(b,0,a.J);a.Hf.update(b,a.J);return a.Hf}; +vV=function(a){return(a.C?135:90)-uV(a)}; +uV=function(a){var b=48,c=a.api.V();a.C?b=54:g.fK(c)&&!c.u&&(b=40);return b}; +qV=function(a,b,c){a.Z=b;a.ib=c;var d=oV(a),e=a.B.j,f=rFa(a.B,a.Z),h=g.lO("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.eR(f,!0),DURATION:g.eR(e,!0)}),l=HU(a.j,1E3*f);l=a.j[l].title;a.update({ariamin:Math.floor(a.B.u),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.Bb&&2!==a.api.getPresentingPlayerType()&&(e=a.Bb.startTimeMs/1E3,f=a.Bb.endTimeMs/1E3);e=jR(a.B,e,0);l=jR(a.B,f,1);h=a.api.getVideoData();f=g.ze(b,e,l);c=(null==h?0:g.ZM(h))?1:g.ze(c,e, +l);b=bPa(a,b,d);g.Hm(a.ph,"transform","translateX("+b+"px)");wV(a,d,e,f,"PLAY_PROGRESS");(null==h?0:aN(h))?(b=a.api.getProgressState().seekableEnd)&&wV(a,d,f,jR(a.B,b),"LIVE_BUFFER"):wV(a,d,e,c,"LOAD_PROGRESS");if(a.api.K("web_player_heat_map_played_bar")){var m;null!=(m=a.D[0])&&m.B.setAttribute("width",(100*f).toFixed(2)+"%")}}; +wV=function(a,b,c,d,e){var f=a.j.length,h=b.j-a.ya*(a.C?3:2),l=c*h;c=rV(a,l);var m=d*h;h=rV(a,m);"HOVER_PROGRESS"===e&&(h=rV(a,b.j*d,!0),m=b.j*d-lPa(a,b.j*d)*(a.C?3:2));b=Math.max(l-mPa(a,c),0);for(d=c;d=a.j.length)return a.J;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.j.length?d-1:d}; +bPa=function(a,b,c){for(var d=b*a.B.j*1E3,e=-1,f=g.t(a.j),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; +lPa=function(a,b){for(var c=a.j.length,d=0,e=g.t(a.j),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.C?3:2,d++;else break;return d===c?c-1:d}; +g.yV=function(a,b,c,d){var e=a.J!==c,f=a.C!==d;a.Jf=b;a.J=c;a.C=d;lV(a)&&null!=(b=a.u)&&(b.scale=d?1.5:1);fPa(a);1===a.j.length&&(a.j[0].width=c||0);e&&g.nV(a);a.u&&f&&lV(a)&&(a.u.isEnabled&&(c=a.C?135:90,d=c-uV(a),a.Ya.style.height=c+"px",g.Hm(a.oa,"transform","translateY("+-d+"px)"),g.Hm(a.Kc,"transform","translateY("+-d+"px)")),GOa(a.u))}; +tV=function(a){var b=!!a.Bb&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.Bb?(c=a.Bb.startTimeMs/1E3,d=a.Bb.endTimeMs/1E3):(e=c>a.B.u,f=0a.Z);g.Up(a.Vf,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;b=a.J*a.scale;var c=a.Ja*a.scale,d=Oya(a.u,a.C,b);gOa(a.bg,d,b,c,!0);a.Aa.start()}}; +fQa=function(a){var b=a.j;3===a.type&&a.Ga.stop();a.api.removeEventListener("appresize",a.ya);a.Z||b.setAttribute("title",a.B);a.B="";a.j=null}; +hQa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-watch-later-button","ytp-button"],X:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-watch-later-icon",ra:"{{icon}}"},{G:"div",N:"ytp-watch-later-title",ra:"Watch later"}]});this.F=a;this.u=b;this.icon=null;this.visible=this.isRequestPending=this.j=!1;this.tooltip=b.Ic();mU(this.tooltip);a.sb(this.element,this,28665);this.Ra("click",this.onClick,this);this.S(a,"videoplayerreset",this.Jv); +this.S(a,"appresize",this.UA);this.S(a,"videodatachange",this.UA);this.S(a,"presentingplayerstatechange",this.UA);this.UA();a=this.F.V();var c=g.Qz("yt-player-watch-later-pending");a.C&&c?(owa(),gQa(this)):this.Pa(2);g.Up(this.element,"ytp-show-watch-later-title",g.fK(a));g.bb(this,g.ZS(b.Ic(),this.element))}; +iQa=function(a){var b=a.F.getPlayerSize(),c=a.F.V(),d=a.F.getVideoData(),e=g.fK(c)&&g.KS(a.F)&&g.S(a.F.Cb(),128);a=c.K("shorts_mode_to_player_api")?a.F.Sb():a.u.Sb();var f=c.B;if(b=c.hm&&240<=b.width&&!d.isAd())if(d.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){b=!0;var h,l,m=null==(h=d.kf)?void 0:null==(l=h.embedPreview)?void 0:l.thumbnailPreviewRenderer;m&&(b=!!m.addToWatchLaterButton);if(g.lK(d.V())){var n,p;(h=null==(n=d.jd)?void 0:null==(p=n.playerOverlays)?void 0:p.playerOverlayRenderer)&& +(b=!!h.addToMenu)}var q,r,v,x;if(null==(x=g.K(null==(q=d.jd)?void 0:null==(r=q.contents)?void 0:null==(v=r.twoColumnWatchNextResults)?void 0:v.desktopOverlay,nM))?0:x.suppressWatchLaterButton)b=!1}else b=d.Qk;return b&&!e&&!(d.D&&c.Z)&&!a&&!f}; +jQa=function(a,b){g.lU(g.yK(a.F.V()),"wl_button",function(){owa({videoId:b});window.location.reload()})}; +gQa=function(a){if(!a.isRequestPending){a.isRequestPending=!0;a.Pa(3);var b=a.F.getVideoData();b=a.j?b.removeFromWatchLaterCommand:b.addToWatchLaterCommand;var c=a.F.Mm(),d=a.j?function(){a.j=!1;a.isRequestPending=!1;a.Pa(2);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_REMOVED")}:function(){a.j=!0; +a.isRequestPending=!1;a.Pa(1);a.F.V().u&&zU(a.tooltip,a.element);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_ADDED")}; +tR(c,b).then(d,function(){a.isRequestPending=!1;kQa(a,"An error occurred. Please try again later.")})}}; +kQa=function(a,b){a.Pa(4,b);a.F.V().I&&a.F.Na("WATCH_LATER_ERROR",b)}; +lQa=function(a,b){if(b!==a.icon){switch(b){case 3:var c=qMa();break;case 1:c=gQ();break;case 2:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path", +xc:!0,X:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.updateValue("icon",c);a.icon=b}}; +g.YV=function(a){g.eU.call(this,a);var b=this;this.rG=(this.oq=g.fK(this.api.V()))&&(this.api.V().u||gz()||ez());this.QK=48;this.RK=69;this.Co=null;this.Xs=[];this.Qc=new g.hU(this.api);this.Ou=new AU(this.api);this.Fh=new g.U({G:"div",N:"ytp-chrome-top"});this.hE=[];this.tooltip=new g.WV(this.api,this);this.backButton=this.Dz=null;this.channelAvatar=new VMa(this.api,this);this.title=new VV(this.api,this);this.gi=new g.ZP({G:"div",N:"ytp-chrome-top-buttons"});this.Bi=this.shareButton=this.Jn=null; +this.Wi=new PMa(this.api,this,this.Fh.element);this.overflowButton=this.Bh=null;this.dh="1"===this.api.V().controlsType?new TPa(this.api,this,this.Ve):null;this.contextMenu=new g.xU(this.api,this,this.Qc);this.BK=!1;this.IF=new g.U({G:"div",X:{tabindex:"0"}});this.HF=new g.U({G:"div",X:{tabindex:"0"}});this.uD=null;this.oO=this.nN=this.pF=!1;var c=a.jb(),d=a.V(),e=a.getVideoData();this.oq&&(g.Qp(a.getRootNode(),"ytp-embed"),g.Qp(a.getRootNode(),"ytp-embed-playlist"),this.rG&&(g.Qp(a.getRootNode(), +"ytp-embed-overlays-autohide"),g.Qp(this.contextMenu.element,"ytp-embed-overlays-autohide")),this.QK=60,this.RK=89);a.V().B&&g.Qp(a.getRootNode(),"ytp-embed-pfl");this.api.V().u&&(g.Qp(a.getRootNode(),"ytp-mobile"),this.api.V().T&&g.Qp(a.getRootNode(),"ytp-embed-mobile-exp"));this.kf=e&&e.kf;g.E(this,this.Qc);g.NS(a,this.Qc.element,4);g.E(this,this.Ou);g.NS(a,this.Ou.element,4);e=new g.U({G:"div",N:"ytp-gradient-top"});g.E(this,e);g.NS(a,e.element,1);this.KP=new g.QQ(e,250,!0,100);g.E(this,this.KP); +g.E(this,this.Fh);g.NS(a,this.Fh.element,1);this.JP=new g.QQ(this.Fh,250,!0,100);g.E(this,this.JP);g.E(this,this.tooltip);g.NS(a,this.tooltip.element,4);var f=new QNa(a);g.E(this,f);g.NS(a,f.element,5);f.subscribe("show",function(n){b.Op(f,n)}); +this.hE.push(f);this.Dz=new NU(a,this,f);g.E(this,this.Dz);d.rl&&(this.backButton=new LMa(a),g.E(this,this.backButton),this.backButton.Ea(this.Fh.element));this.oq||this.Dz.Ea(this.Fh.element);g.E(this,this.channelAvatar);this.channelAvatar.Ea(this.Fh.element);g.E(this,this.title);this.title.Ea(this.Fh.element);this.oq&&(e=new fOa(this.api,this),g.E(this,e),e.Ea(this.Fh.element));g.E(this,this.gi);this.gi.Ea(this.Fh.element);var h=new g.RU(a,this);g.E(this,h);g.NS(a,h.element,5);h.subscribe("show", +function(n){b.Op(h,n)}); +this.hE.push(h);this.Jn=new hQa(a,this);g.E(this,this.Jn);this.Jn.Ea(this.gi.element);this.shareButton=new g.QU(a,this,h);g.E(this,this.shareButton);this.shareButton.Ea(this.gi.element);this.Bi=new g.yU(a,this);g.E(this,this.Bi);this.Bi.Ea(this.gi.element);this.oq&&this.Dz.Ea(this.gi.element);g.E(this,this.Wi);this.Wi.Ea(this.gi.element);d.Tn&&(e=new TU(a),g.E(this,e),g.NS(a,e.element,4));d.B||(e=new QMa(a,this,this.Wi),g.E(this,e),e.Ea(this.gi.element));this.Bh=new MNa(a,this);g.E(this,this.Bh); +g.NS(a,this.Bh.element,5);this.Bh.subscribe("show",function(){b.Op(b.Bh,b.Bh.ej())}); +this.hE.push(this.Bh);this.overflowButton=new g.MU(a,this,this.Bh);g.E(this,this.overflowButton);this.overflowButton.Ea(this.gi.element);this.dh&&g.E(this,this.dh);"3"===d.controlsType&&(e=new PU(a,this),g.E(this,e),g.NS(a,e.element,9));g.E(this,this.contextMenu);this.contextMenu.subscribe("show",this.LY,this);e=new kR(a,new gU(a));g.E(this,e);g.NS(a,e.element,4);this.IF.Ra("focus",this.h3,this);g.E(this,this.IF);this.HF.Ra("focus",this.j3,this);g.E(this,this.HF);var l;(this.xq=d.ph?null:new g.JU(a, +c,this.contextMenu,this.Ve,this.Qc,this.Ou,function(){return b.Il()},null==(l=this.dh)?void 0:l.Kc))&&g.E(this,this.xq); +this.oq||(this.api.K("web_player_enable_featured_product_banner_on_desktop")&&(this.wT=new sNa(this.api,this),g.E(this,this.wT),g.NS(a,this.wT.element,4)),this.MX=new cOa(this.api,this),g.E(this,this.MX),g.NS(a,this.MX.element,4));this.bY=new YPa(this.api,this);g.E(this,this.bY);g.NS(a,this.bY.element,4);if(this.oq){var m=new yNa(a,this.api.V().tb);g.E(this,m);g.NS(a,m.element,5);m.subscribe("show",function(n){b.Op(m,n)}); +c=new CNa(a,this,m);g.E(this,c);g.NS(a,c.element,4)}this.Ws.push(this.Qc.element);this.S(a,"fullscreentoggled",this.Hq);this.S(a,"offlineslatestatechange",function(){b.api.AC()&&QT(b.Ve,128,!1)}); +this.S(a,"cardstatechange",function(){b.fl()}); +this.S(a,"resize",this.P5);this.S(a,"videoplayerreset",this.Jv);this.S(a,"showpromotooltip",this.n6)}; +mQa=function(a){var b=a.api.V(),c=g.S(a.api.Cb(),128);return b.C&&c&&!a.api.isFullscreen()}; +nQa=function(a){if(a.Wg()&&!a.Sb()&&a.Bh){var b=a.api.K("web_player_hide_overflow_button_if_empty_menu");!a.Jn||b&&!iQa(a.Jn)||NNa(a.Bh,a.Jn);!a.shareButton||b&&!XNa(a.shareButton)||NNa(a.Bh,a.shareButton);!a.Bi||b&&!lNa(a.Bi)||NNa(a.Bh,a.Bi)}else{if(a.Bh){b=a.Bh;for(var c=g.t(b.actionButtons),d=c.next();!d.done;d=c.next())d.value.detach();b.actionButtons=[]}a.Jn&&!g.zf(a.gi.element,a.Jn.element)&&a.Jn.Ea(a.gi.element);a.shareButton&&!g.zf(a.gi.element,a.shareButton.element)&&a.shareButton.Ea(a.gi.element); +a.Bi&&!g.zf(a.gi.element,a.Bi.element)&&a.Bi.Ea(a.gi.element)}}; +oQa=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==Km(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=oQa(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexc.Oz||0>c.At||0>c.durationMs||0>c.startMs||0>c.Pq)return jW(a,b),[];b=VG(c.Oz,c.Pq);var l;if(null==(l=a.j)?0:l.Jf){var m=c.AN||0;var n=b.length-m}return[new XG(3,f,b,"makeSliceInfosMediaBytes",c.At-1,c.startMs/1E3,c.durationMs/1E3,m,n,void 0,d)]}if(0>c.At)return jW(a,b),[];var p;return(null==(p=a.Sa)?0:p.fd)?(a=f.Xj,[new XG(3,f,void 0,"makeSliceInfosMediaBytes", +c.At,void 0,a,void 0,a*f.info.dc,!0,d)]):[]}; +NQa=function(a,b,c){a.Sa=b;a.j=c;b=g.t(a.Xc);for(c=b.next();!c.done;c=b.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;for(var e=g.t(d.AX),f=e.next();!f.done;f=e.next())f=MQa(a,c,f.value),LQa(a,c,d,f)}}; +OQa=function(a,b,c){(a=a.Xc.get(b))&&!a.Vg&&(iW?(b=0a;a++){var b=g.qf("VIDEO");b.load();lW.push(new g.pT(b))}}; +mW=function(a){g.C.call(this);this.app=a;this.j=null;this.u=1}; +RQa=function(){}; +g.nW=function(a,b,c,d){d=void 0===d?!1:d;FO.call(this);this.mediaElement=a;this.start=b;this.end=c;this.j=d}; +SQa=function(a,b,c){var d=b.getVideoData(),e=a.getVideoData();if(b.getPlayerState().isError())return{msg:"player-error"};b=e.C;if(a.xk()>c/1E3+1)return{msg:"in-the-past"};if(e.isLivePlayback&&!isFinite(c))return{msg:"live-infinite"};(a=a.qe())&&a.isView()&&(a=a.mediaElement);if(a&&12m&&(f=m-200,a.J=!0);h&&l.getCurrentTime()>=f/1E3?a.I():(a.u=l,h&&(h=f,f=a.u,a.app.Ta.addEventListener(g.ZD("vqueued"),a.I),h=isFinite(h)||h/1E3>f.getDuration()?h:0x8000000000000,a.D=new g.XD(h,0x8000000000000,{namespace:"vqueued"}),f.addCueRange(a.D)));h=d/=1E3;f=b.getVideoData().j;d&&f&&a.u&&(l=d,m=0, +b.getVideoData().isLivePlayback&&(h=Math.min(c/1E3,qW(a.u,!0)),m=Math.max(0,h-a.u.getCurrentTime()),l=Math.min(d,qW(b)+m)),h=fwa(f,l)||d,h!==d&&a.j.xa("qvaln",{st:d,at:h,rm:m,ct:l}));b=h;d=a.j;d.getVideoData().Si=!0;d.getVideoData().fb=!0;g.tW(d,!0);f={};a.u&&(f=g.uW(a.u.zc.provider),h=a.u.getVideoData().clientPlaybackNonce,f={crt:(1E3*f).toFixed(),cpn:h});d.xa("queued",f);0!==b&&d.seekTo(b+.01,{bv:!0,IP:3,Je:"videoqueuer_queued"});a.B=new TQa(a.T,a.app.Rc(),a.j,c,e);c=a.B;Infinity!==c.status.status&& +(pW(c,1),c.j.subscribe("internalvideodatachange",c.uu,c),c.u.subscribe("internalvideodatachange",c.uu,c),c.j.subscribe("mediasourceattached",c.uu,c),c.u.subscribe("statechange",c.yd,c),c.j.subscribe("newelementrequired",c.nW,c),c.uu());return a.C}; +cRa=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:if(a.isDisposed()||!a.C||!a.j)return e.return();a.J&&vW(a.app.Rc(),!0,!1);b=null;if(!a.B){e.Ka(2);break}g.pa(e,3);return g.y(e,YQa(a.B),5);case 5:g.ra(e,2);break;case 3:b=c=g.sa(e);case 2:if(!a.j)return e.return();g.oW.IH("vqsp",function(){wW(a.app,a.j)}); +g.oW.IH("vqpv",function(){a.app.playVideo()}); +b&&eRa(a.j,b.message);d=a.C;sW(a);return e.return(d.resolve(void 0))}})}; +sW=function(a){if(a.u){if(a.D){var b=a.u;a.app.Ta.removeEventListener(g.ZD("vqueued"),a.I);b.removeCueRange(a.D)}a.u=null;a.D=null}a.B&&(6!==a.B.status.status&&(b=a.B,Infinity!==b.status.status&&b.Eg("Canceled")),a.B=null);a.C=null;a.j&&a.j!==g.qS(a.app,1)&&a.j!==a.app.Rc()&&a.j.dispose();a.j=null;a.J=!1}; +fRa=function(a){var b;return(null==(b=a.B)?void 0:b.currentVideoDuration)||-1}; +gRa=function(a,b,c){if(a.vv())return"qine";var d;if(b.videoId!==(null==(d=a.j)?void 0:d.Ce()))return"vinm";if(0>=fRa(a))return"ivd";if(1!==c)return"upt";var e,f;null==(e=a.B)?f=void 0:f=5!==e.getStatus().status?"neb":null!=SQa(e.j,e.u,e.fm)?"pge":null;a=f;return null!=a?a:null}; +hRa=function(){var a=Aoa();return!(!a||"visible"===a)}; +jRa=function(a){var b=iRa();b&&document.addEventListener(b,a,!1)}; +kRa=function(a){var b=iRa();b&&document.removeEventListener(b,a,!1)}; +iRa=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[vz+"VisibilityState"])return"";a=vz+"visibilitychange"}return a}; +lRa=function(){g.dE.call(this);var a=this;this.fullscreen=0;this.pictureInPicture=this.j=this.u=this.inline=!1;this.B=function(){a.Bg()}; +jRa(this.B);this.C=this.getVisibilityState(this.wh(),this.isFullscreen(),this.zg(),this.isInline(),this.Ty(),this.Ry())}; +xW=function(a,b,c,d,e){e=void 0===e?[]:e;g.C.call(this);this.Y=a;this.Ec=b;this.C=c;this.segments=e;this.j=void 0;this.B=new Map;this.u=new Map;if(e.length)for(this.j=e[0],a=g.t(e),b=a.next();!b.done;b=a.next())b=b.value,(c=b.hs())&&this.B.set(c,b.OB())}; +mRa=function(a,b,c,d){if(a.j&&!(b>c)){b=new xW(a.Y,b,c,a.j,d);d=g.t(d);for(c=d.next();!c.done;c=d.next()){c=c.value;var e=c.hs();e&&e!==a.j.hs()&&a.u.set(e,[c])}a.j.j.set(b.yy(),b)}}; +oRa=function(a,b,c,d,e,f){return new nRa(c,c+(d||0),!d,b,a,new g.$L(a.Y,f),e)}; +nRa=function(a,b,c,d,e,f,h){g.C.call(this);this.Ec=a;this.u=b;this.type=d;this.B=e;this.videoData=f;this.clipId=h;this.j=new Map}; +pRa=function(a){this.end=this.start=a}; +g.zW=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.va=c;this.ib="";this.Aa=new Map;this.Xa=new Map;this.Ja=new Map;this.C=new Map;this.B=[];this.T=[];this.D=new Map;this.Oc=new Map;this.ea=new Map;this.Dc=NaN;this.Tb=this.tb=null;this.uc=new g.Ip(function(){qRa(d,d.Dc)}); +this.events=new g.bI(this);this.jc=g.gJ(this.Y.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.J=new g.Ip(function(){d.ya=!0;var e=d.va,f=d.jc;e.xa("sdai",{aftimeout:f});e.Kd(new PK("ad.fetchtimeout",{timeout:f}));rRa(d);d.kC(!1)},this.jc); +this.ya=!1;this.Ya=new Map;this.Xb=[];this.oa=null;this.ke=new Set;this.Ga=[];this.Lc=[];this.Nd=[];this.rd=[];this.j=void 0;this.kb=0;this.fb=!0;this.I=!1;this.La=[];this.Ld=new Set;this.je=new Set;this.Od=new Set;this.El=0;this.Z=null;this.Pb=new Set;this.Vd=0;this.Np=this.Wc=!1;this.u="";this.va.getPlayerType();sRa(this.va,this);this.Qa=this.Y.Rd();g.E(this,this.uc);g.E(this,this.events);g.E(this,this.J);yW(this)||(this.events.S(this.api,g.ZD("serverstitchedcuerange"),this.onCueRangeEnter),this.events.S(this.api, +g.$D("serverstitchedcuerange"),this.onCueRangeExit))}; +wRa=function(a,b,c,d,e,f,h,l){var m=tRa(a,f,f+e);a.ya&&a.va.xa("sdai",{adaftto:1});a.Np&&a.va.xa("sdai",{adfbk:1,enter:f,len:e,aid:l});var n=a.va;h=void 0===h?f+e:h;f===h&&!e&&a.Y.K("html5_allow_zero_duration_ads_on_timeline")&&a.va.xa("sdai",{attl0d:1});f>h&&AW(a,{reason:"enterTime_greater_than_return",Ec:f,Dd:h});var p=1E3*n.Id();fn&&AW(a,{reason:"parent_return_greater_than_content_duration",Dd:h,a8a:n}); +n=null;p=g.Jb(a.T,{Dd:f},function(q,r){return q.Dd-r.Dd}); +0<=p&&(n=a.T[p],n.Dd>f&&uRa(a,b.video_id||"",f,h,n));if(m&&n)for(p=0;pd?-1*(d+2):d;return 0<=d&&(a=a.T[d],a.Dd>=c)?{Ao:a,sz:b}:{Ao:void 0,sz:b}}; +GW=function(a,b){var c="";yW(a)?(c=b/1E3-a.aq(),c=a.va.Gy(c)):(b=BRa(a,b))&&(c=b.getId());return c?a.D.get(c):void 0}; +BRa=function(a,b){a=g.t(a.C.values());for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.start<=b&&c.end>=b)return c}; +qRa=function(a,b){var c=a.Tb||a.api.Rc().getPlayerState();HW(a,!0);a.va.seekTo(b);a=a.api.Rc();b=a.getPlayerState();g.RO(c)&&!g.RO(b)?a.playVideo():g.QO(c)&&!g.QO(b)&&a.pauseVideo()}; +HW=function(a,b){a.Dc=NaN;a.uc.stop();a.tb&&b&&CRa(a.tb);a.Tb=null;a.tb=null}; +DRa=function(a){var b=void 0===b?-1:b;var c=void 0===c?Infinity:c;for(var d=[],e=g.t(a.T),f=e.next();!f.done;f=e.next())f=f.value,(f.Ecc)&&d.push(f);a.T=d;d=g.t(a.C.values());for(e=d.next();!e.done;e=d.next())e=e.value,e.start>=b&&e.end<=c&&(a.va.removeCueRange(e),a.C.delete(e.getId()),a.va.xa("sdai",{rmAdCR:1}));d=ARa(a,b/1E3);b=d.Ao;d=d.sz;if(b&&(d=1E3*d-b.Ec,e=b.Ec+d,b.durationMs=d,b.Dd=e,d=a.C.get(b.cpn))){e=g.t(a.B);for(f=e.next();!f.done;f=e.next())f=f.value,f.start===d.end?f.start= +b.Ec+b.durationMs:f.end===d.start&&(f.end=b.Ec);d.start=b.Ec;d.end=b.Ec+b.durationMs}if(b=ARa(a,c/1E3).Ao){var h;d="playback_timelinePlaybackId_"+b.Nc+"_video_id_"+(null==(h=b.videoData)?void 0:h.videoId)+"_durationMs_"+b.durationMs+"_enterTimeMs_"+b.Ec+"_parentReturnTimeMs_"+b.Dd;a.KC("Invalid_clearEndTimeMs_"+c+"_that_falls_during_"+d+"._Child_playbacks_can_only_have_duration_updated_not_their_start.")}}; +ERa=function(a){a.ib="";a.Aa.clear();a.Xa.clear();a.Ja.clear();a.C.clear();a.B=[];a.T=[];a.D.clear();a.Oc.clear();a.ea.clear();a.Ya.clear();a.Xb=[];a.oa=null;a.ke.clear();a.Ga=[];a.Lc=[];a.Nd=[];a.rd=[];a.La=[];a.Ld.clear();a.je.clear();a.Od.clear();a.Pb.clear();a.ya=!1;a.j=void 0;a.kb=0;a.fb=!0;a.I=!1;a.El=0;a.Z=null;a.Vd=0;a.Wc=!1;a.Np=!1;DW(a,a.u)&&a.va.xa("sdai",{rsac:"resetAll",sac:a.u});a.u="";a.J.isActive()&&BW(a)}; +GRa=function(a,b,c,d,e){if(!a.Np)if(g.FRa(a,c))a.Qa&&a.va.xa("sdai",{gdu:"undec",seg:c,itag:e});else return IW(a,b,c,d)}; +IW=function(a,b,c,d){var e=a.Ya.get(c);if(!e){b+=a.aq();b=ARa(a,b,1);var f;b.Ao||2!==(null==(f=JW(a,c-1,null!=d?d:2))?void 0:f.YA)?e=b.Ao:e=a.Ya.get(c-1)}return e}; +HRa=function(a){if(a.La.length)for(var b=g.t(a.La),c=b.next();!c.done;c=b.next())a.onCueRangeExit(c.value);c=g.t(a.C.values());for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);c=g.t(a.B);for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);a.C.clear();a.B=[];a.Aa.clear();a.Xa.clear();a.Ja.clear();a.j||(a.fb=!0)}; +JW=function(a,b,c,d){if(1===c){if(a.Y.K("html5_reset_daistate_on_audio_codec_change")&&d&&d!==a.ib&&(""!==a.ib&&(a.va.xa("sdai",{rstadaist:1,old:a.ib,"new":d}),a.Aa.clear()),a.ib=d),a.Aa.has(b))return a.Aa.get(b)}else{if(2===c&&a.Xa.has(b))return a.Xa.get(b);if(3===c&&a.Ja.has(b))return a.Ja.get(b)}}; +JRa=function(a,b,c,d){if(d)for(d=0;dc){var f=e.end;e.end=b;IRa(a,c,f)}else if(e.start>=b&&e.startc)e.start=c;else if(e.end>b&&e.end<=c&&e.start=b&&e.end<=c){a.va.removeCueRange(e);if(a.La.includes(e))a.onCueRangeExit(e);a.B.splice(d,1);continue}d++}else IRa(a,b,c)}; +IRa=function(a,b,c){b=xRa(b,c);c=!0;g.Nb(a.B,b,function(h,l){return h.start-l.start}); +for(var d=0;d=Math.round(e.start/1E3)){f.end=e.end;e!==b?a.va.removeCueRange(e):c=!1;a.B.splice(d,1);continue}}d++}if(c)for(a.va.addCueRange(b),b=a.va.CB("serverstitchedcuerange",36E5),b=g.t(b),c=b.next();!c.done;c=b.next())a.C.delete(c.value.getId())}; +KW=function(a,b,c){if(void 0===c||!c){c=g.t(a.Xb);for(var d=c.next();!d.done;d=c.next()){d=d.value;if(b>=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.Xb.push(new pRa(b))}}; +g.FRa=function(a,b){a=g.t(a.Xb);for(var c=a.next();!c.done;c=a.next())if(c=c.value,b>=c.start&&b<=c.end)return!0;return!1}; +uRa=function(a,b,c,d,e){var f;b={reason:"overlapping_playbacks",X7a:b,Ec:c,Dd:d,O6a:e.Nc,P6a:(null==(f=e.videoData)?void 0:f.videoId)||"",L6a:e.durationMs,M6a:e.Ec,N6a:e.Dd};AW(a,b)}; +AW=function(a,b){a=a.va;a.xa("timelineerror",b);a.Kd(new PK("dai.timelineerror",b))}; +KRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,b.cpn&&c.push(b.cpn);return c}; +LRa=function(a,b,c){var d=0;a=a.ea.get(c);if(!a)return-1;a=g.t(a);for(c=a.next();!c.done;c=a.next()){if(c.value.cpn===b)return d;d++}return-1}; +MRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(var d=a.next();!d.done;d=a.next())b=void 0,(d=null==(b=d.value.videoData)?void 0:b.videoId)&&c.push(d);return c}; +NRa=function(a,b){var c=0;a=a.ea.get(b);if(!a)return 0;a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,0!==b.durationMs&&b.Dd!==b.Ec&&c++;return c}; +ORa=function(a,b,c){var d=!1;if(c&&(c=a.ea.get(c))){c=g.t(c);for(var e=c.next();!e.done;e=c.next())e=e.value,0!==e.durationMs&&e.Dd!==e.Ec&&(e=e.cpn,b===e&&(d=!0),d&&!a.je.has(e)&&(a.va.xa("sdai",{decoratedAd:e}),a.je.add(e)))}}; +rRa=function(a){a.Qa&&a.va.xa("sdai",{adf:"0_"+((new Date).getTime()/1E3-a.Vd)+"_isTimeout_"+a.ya})}; +tRa=function(a,b,c){if(a.Ga.length)for(var d={},e=g.t(a.Ga),f=e.next();!f.done;d={Tt:d.Tt},f=e.next()){d.Tt=f.value;f=1E3*d.Tt.startSecs;var h=1E3*d.Tt.Sg+f;if(b>f&&bf&&ce?-1*(e+2):e]))for(c=g.t(c.segments),d=c.next();!d.done;d=c.next())if(d=d.value,d.yy()<=b&&d.QL()>b)return{clipId:d.hs()||"",lN:d.yy()};a.api.xa("ssap",{mci:1});return{clipId:"",lN:0}}; +SRa=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.j=c;this.I=new Map;this.u=[];this.B=this.J=null;this.ea=NaN;this.D=this.C=null;this.T=new g.Ip(function(){RRa(d,d.ea)}); +this.Z=[];this.oa=new g.Ip(function(){var e=d.Z.pop();if(e){var f=e.Nc,h=e.playerVars;e=e.playerType;h&&(h.prefer_gapless=!0,d.api.preloadVideoByPlayerVars(h,e,NaN,"",f),d.Z.length&&g.Jp(d.oa,4500))}}); +this.events=new g.bI(this);c.getPlayerType();g.E(this,this.T);g.E(this,this.oa);g.E(this,this.events);this.events.S(this.api,g.ZD("childplayback"),this.onCueRangeEnter);this.events.S(this.api,"onQueuedVideoLoaded",this.onQueuedVideoLoaded);this.events.S(this.api,"presentingplayerstatechange",this.Hi)}; +WRa=function(a,b,c,d,e,f){var h=b.cpn,l=b.docid||b.video_id||b.videoId||b.id,m=a.j;f=void 0===f?e+d:f;if(e>f)return MW(a,"enterAfterReturn enterTimeMs="+e+" is greater than parentReturnTimeMs="+f.toFixed(3),h,l),"";var n=1E3*m.Id();if(en)return m="returnAfterDuration parentReturnTimeMs="+f.toFixed(3)+" is greater than parentDurationMs="+n+". And timestampOffset in seconds is "+ +m.Jd(),MW(a,m,h,l),"";n=null;for(var p=g.t(a.u),q=p.next();!q.done;q=p.next()){q=q.value;if(e>=q.Ec&&eq.Ec)return MW(a,"overlappingReturn",h,l),"";if(f===q.Ec)return MW(a,"outOfOrder",h,l),"";e===q.Dd&&(n=q)}h="cs_childplayback_"+TRa++;l={me:NW(d,!0),fm:Infinity,target:null};var r={Nc:h,playerVars:b,playerType:c,durationMs:d,Ec:e,Dd:f,Tr:l};a.u=a.u.concat(r).sort(function(z,B){return z.Ec-B.Ec}); +n?URa(a,n,{me:NW(n.durationMs,!0),fm:n.Tr.fm,target:r}):(b={me:NW(e,!1),fm:e,target:r},a.I.set(b.me,b),m.addCueRange(b.me));b=!0;if(a.j===a.api.Rc()&&(m=1E3*m.getCurrentTime(),m>=r.Ec&&mb)break;if(f>b)return{Ao:d,sz:b-e};c=f-d.Dd/1E3}return{Ao:null,sz:b-c}}; +RRa=function(a,b){var c=a.D||a.api.Rc().getPlayerState();QW(a,!0);b=isFinite(b)?b:a.j.Wp();var d=$Ra(a,b);b=d.Ao;d=d.sz;var e=b&&!OW(a,b)||!b&&a.j!==a.api.Rc(),f=1E3*d;f=a.B&&a.B.start<=f&&f<=a.B.end;!e&&f||PW(a);b?VRa(a,b,d,c):aSa(a,d,c)}; +aSa=function(a,b,c){var d=a.j,e=a.api.Rc();d!==e&&a.api.Nq();d.seekTo(b,{Je:"application_timelinemanager"});bSa(a,c)}; +VRa=function(a,b,c,d){var e=OW(a,b);if(!e){b.playerVars.prefer_gapless=!0;var f=new g.$L(a.Y,b.playerVars);f.Nc=b.Nc;a.api.Rs(f,b.playerType)}f=a.api.Rc();e||f.addCueRange(b.Tr.me);f.seekTo(c,{Je:"application_timelinemanager"});bSa(a,d)}; +bSa=function(a,b){a=a.api.Rc();var c=a.getPlayerState();g.RO(b)&&!g.RO(c)?a.playVideo():g.QO(b)&&!g.QO(c)&&a.pauseVideo()}; +QW=function(a,b){a.ea=NaN;a.T.stop();a.C&&b&&CRa(a.C);a.D=null;a.C=null}; +OW=function(a,b){a=a.api.Rc();return!!a&&a.getVideoData().Nc===b.Nc}; +cSa=function(a){var b=a.u.find(function(e){return OW(a,e)}); +if(b){var c=a.api.Rc();PW(a);var d=new g.KO(8);b=ZRa(a,b)/1E3;aSa(a,b,d);c.xa("forceParentTransition",{childPlayback:1});a.j.xa("forceParentTransition",{parentPlayback:1})}}; +eSa=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;for(var d=b,e=c,f=g.t(a.I),h=f.next();!h.done;h=f.next()){var l=g.t(h.value);h=l.next().value;l=l.next().value;l.fm>=d&&l.target&&l.target.Dd<=e&&(a.j.removeCueRange(h),a.I.delete(h))}d=b;e=c;f=[];h=g.t(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.Ec>=d&&l.Dd<=e){var m=a;m.J===l&&PW(m);OW(m,l)&&m.api.Nq()}else f.push(l);a.u=f;d=$Ra(a,b/1E3);b=d.Ao;d=d.sz;b&&(d*=1E3,dSa(a,b,d,b.Dd===b.Ec+b.durationMs?b.Ec+d:b.Dd));(b=$Ra(a,c/1E3).Ao)&& +MW(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Nc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.Ec+" parentReturnTimeMs="+b.Dd+"}.Child playbacks can only have duration updated not their start."))}; +dSa=function(a,b,c,d){b.durationMs=c;b.Dd=d;d={me:NW(c,!0),fm:c,target:null};URa(a,b,d);OW(a,b)&&1E3*a.api.Rc().getCurrentTime()>c&&(b=ZRa(a,b)/1E3,c=a.api.Rc().getPlayerState(),aSa(a,b,c))}; +MW=function(a,b,c,d){a.j.xa("timelineerror",{e:b,cpn:c?c:void 0,videoId:d?d:void 0})}; +gSa=function(a){a&&"web"!==a&&fSa.includes(a)}; +SW=function(a,b){g.C.call(this);var c=this;this.data=[];this.B=a||NaN;this.u=b||null;this.j=new g.Ip(function(){hSa(c);RW(c)}); +g.E(this,this.j)}; +hSa=function(a){var b=(0,g.M)();a.data.forEach(function(c){c.expire=d;d++)c.push(d/100);c={threshold:c,trackVisibility:!0,delay:1E3};(this.u=window.IntersectionObserver?new IntersectionObserver(function(e){e=e[e.length-1];"undefined"===typeof e.isVisible?b.j=null:b.j=e.isVisible?e.intersectionRatio:0},c):null)&&this.u.observe(a)}; +mSa=function(a){g.U.call(this,{G:"div",Ia:["html5-video-player"],X:{tabindex:"-1",id:a.webPlayerContextConfig?a.webPlayerContextConfig.rootElementId:a.config.attrs.id},W:[{G:"div",N:g.WW.VIDEO_CONTAINER,X:{"data-layer":"0"}}]});var b=this;this.app=a;this.kB=this.Da(g.WW.VIDEO_CONTAINER);this.Ez=new g.Em(0,0,0,0);this.kc=null;this.zH=new g.Em(0,0,0,0);this.gM=this.rN=this.qN=NaN;this.mG=this.vH=this.zO=this.QS=!1;this.YK=NaN;this.QM=!1;this.LC=null;this.MN=function(){b.element.focus()}; +this.gH=function(){b.app.Ta.ma("playerUnderlayVisibilityChange","visible");b.kc.classList.remove(g.WW.VIDEO_CONTAINER_TRANSITIONING);b.kc.removeEventListener(zKa,b.gH);b.kc.removeEventListener("transitioncancel",b.gH)}; +var c=this.element.addEventListener,d=this.element.removeEventListener;this.addEventListener=function(f,h,l){c.apply(b.element,[f,h,l])}; this.removeEventListener=function(f,h,l){d.apply(b.element,[f,h,l])}; -var e=a.T();e.transparentBackground&&this.fr("ytp-transparent");"0"===e.controlsType&&this.fr("ytp-hide-controls");e.ba("html5_ux_control_flexbox_killswitch")||g.I(this.element,"ytp-exp-bottom-control-flexbox");e.ba("html5_player_bottom_linear_gradient")&&g.I(this.element,"ytp-linear-gradient-bottom-experiment");e.ba("web_player_bigger_buttons")&&g.I(this.element,"ytp-exp-bigger-button");jia(this.element,Cwa(a));FD(e)&&"blazer"!==e.playerStyle&&window.matchMedia&&(this.P="desktop-polymer"===e.playerStyle? -[{query:window.matchMedia("(max-width: 656px)"),size:new g.ie(426,240)},{query:window.matchMedia("(max-width: 856px)"),size:new g.ie(640,360)},{query:window.matchMedia("(max-width: 999px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1000px)"),size:new g.ie(640,360)}]:[{query:window.matchMedia("(max-width: 656px)"), -size:new g.ie(426,240)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 657px)"),size:new g.ie(640,360)}]);this.ma=e.useFastSizingOnWatchDefault;this.D=new g.ie(NaN,NaN);Dwa(this);this.N(a.u,"onMutedAutoplayChange",this.JM)}; -Dwa=function(a){function b(){a.u&&aZ(a);bZ(a)!==a.aa&&a.resize()} -function c(h,l){a.updateVideoData(l)} +var e=a.V();e.transparentBackground&&this.Dr("ytp-transparent");"0"===e.controlsType&&this.Dr("ytp-hide-controls");g.Qp(this.element,"ytp-exp-bottom-control-flexbox");e.K("enable_new_paid_product_placement")&&!g.GK(e)&&g.Qp(this.element,"ytp-exp-ppp-update");xoa(this.element,"version",kSa(a));this.OX=!1;this.FB=new g.He(NaN,NaN);lSa(this);this.S(a.Ta,"onMutedAutoplayChange",this.onMutedAutoplayChange)}; +lSa=function(a){function b(){a.kc&&XW(a);YW(a)!==a.QM&&a.resize()} +function c(h,l){a.Gs(h,l)} function d(h){h.getVideoData()&&a.updateVideoData(h.getVideoData())} -function e(){a.K=new g.jg(0,0,0,0);a.B=new g.jg(0,0,0,0)} -var f=a.app.u;f.addEventListener("initializingmode",e);f.addEventListener("videoplayerreset",d);f.addEventListener("videodatachange",c);f.addEventListener("presentingplayerstatechange",b);g.eg(a,function(){f.removeEventListener("initializingmode",e);f.removeEventListener("videoplayerreset",d);f.removeEventListener("videodatachange",c);f.removeEventListener("presentingplayerstatechange",b)})}; -fK=function(a,b){mD(a.app.T());a.I=!b;aZ(a)}; -Ewa=function(a){var b=g.Q(a.app.T().experiments,"html5_aspect_from_adaptive_format"),c=g.Z(a.app);if(c=c?c.getVideoData():null){if(c.Vj()||c.Wj()||c.Pj())return 16/9;if(b&&zI(c)&&c.La.Lc())return b=c.La.videoInfos[0].video,cZ(b.width,b.height)}return(a=a.u)?cZ(a.videoWidth,a.videoHeight):b?16/9:NaN}; -Fwa=function(a,b,c,d){var e=c,f=cZ(b.width,b.height);a.za?e=cf?h={width:b.width,height:b.width/e,aspectRatio:e}:ee?h.width=h.height*c:cMath.abs(dZ*b-a)||1>Math.abs(dZ/a-b)?dZ:a/b}; -bZ=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.Z(a.app);if(!b||b.Qj())return!1;var c=g.uK(a.app.u);a=!g.U(c,2)||!g.Q(a.app.T().experiments,"html5_leanback_gapless_elem_display_killswitch")&&b&&b.getVideoData().Lh;b=g.U(c,1024);return c&&a&&!b&&!c.isCued()}; -aZ=function(a){var b="3"===a.app.T().controlsType&&!a.I&&bZ(a)&&!a.app.Ta||!1;a.u.controls=b;a.u.tabIndex=b?0:-1;b?a.u.removeEventListener("focus",a.ia):g.Q(a.app.T().experiments,"disable_focus_redirect")||a.u.addEventListener("focus",a.ia)}; -Gwa=function(a){var b=a.getPlayerSize(),c=1,d=!1,e=Fwa(a,b,a.getVideoAspectRatio()),f=nr();if(bZ(a)){var h=Ewa(a);var l=isNaN(h)||g.hs||fE&&g.Ur;or&&!g.ae(601)?h=e.aspectRatio:l=l||"3"===a.app.T().controlsType;l?l=new g.jg(0,0,b.width,b.height):(c=e.aspectRatio/h,l=new g.jg((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.Ur&&(h=l.width-b.height*h,0f?{width:b.width,height:b.width/e,aspectRatio:e}:ee?a.width=a.height*c:cMath.abs(qSa*b-a)||1>Math.abs(qSa/a-b)?qSa:a/b}; +YW=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.qS(a.app);if(!b||b.Mo())return!1;a=a.app.Ta.Cb();b=!g.S(a,2)||b&&b.getVideoData().fb;var c=g.S(a,1024);return a&&b&&!c&&!a.isCued()}; +XW=function(a){var b="3"===a.app.V().controlsType&&!a.mG&&YW(a)&&!a.app.oz||!1;a.kc.controls=b;a.kc.tabIndex=b?0:-1;b?a.kc.removeEventListener("focus",a.MN):a.kc.addEventListener("focus",a.MN)}; +rSa=function(a){var b=a.Ij(),c=1,d=!1,e=pSa(a,b,a.getVideoAspectRatio()),f=a.app.V(),h=f.K("enable_desktop_player_underlay"),l=koa(),m=g.gJ(f.experiments,"player_underlay_min_player_width");m=h&&a.zO&&a.getPlayerSize().width>m;if(YW(a)){var n=oSa(a);var p=isNaN(n)||g.oB||ZW&&g.BA||m;nB&&!g.Nc(601)?n=e.aspectRatio:p=p||"3"===f.controlsType;p?m?(p=f.K("place_shrunken_video_on_left_of_player"),n=.02*a.getPlayerSize().width,p=p?n:a.getPlayerSize().width-b.width-n,p=new g.Em(p,0,b.width,b.height)):p=new g.Em(0, +0,b.width,b.height):(c=e.aspectRatio/n,p=new g.Em((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.BA&&(n=p.width-b.height*n,0Math.max(p.width-e.width,p.height-e.height));if(l||a.OX)a.kc.style.display="";a.QM=!0}else{p=-b.height;nB?p*=window.devicePixelRatio:g.HK&&(p-=window.screen.height);p=new g.Em(0,p,b.width,b.height);if(l||a.OX)a.kc.style.display="none";a.QM=!1}Fm(a.zH,p)||(a.zH=p,g.mK(f)?(a.kc.style.setProperty("width", +p.width+"px","important"),a.kc.style.setProperty("height",p.height+"px","important")):g.Rm(a.kc,p.getSize()),d=new g.Fe(p.left,p.top),g.Nm(a.kc,Math.round(d.x),Math.round(d.y)),d=!0);b=new g.Em((b.width-e.width)/2,(b.height-e.height)/2,e.width,e.height);Fm(a.Ez,b)||(a.Ez=b,d=!0);g.Hm(a.kc,"transform",1===c?"":"scaleX("+c+")");h&&m!==a.vH&&(m&&(a.kc.addEventListener(zKa,a.gH),a.kc.addEventListener("transitioncancel",a.gH),a.kc.classList.add(g.WW.VIDEO_CONTAINER_TRANSITIONING)),a.vH=m,a.app.Ta.ma("playerUnderlayVisibilityChange", +a.vH?"transitioning":"hidden"));return d}; +sSa=function(){this.csn=g.FE();this.clientPlaybackNonce=null;this.elements=new Set;this.B=new Set;this.j=new Set;this.u=new Set}; +tSa=function(a,b){a.elements.has(b);a.elements.delete(b);a.B.delete(b);a.j.delete(b);a.u.delete(b)}; +uSa=function(a){if(a.csn!==g.FE())if("UNDEFINED_CSN"===a.csn)a.csn=g.FE();else{var b=g.FE(),c=g.EE();if(b&&c){a.csn=b;for(var d=g.t(a.elements),e=d.next();!e.done;e=d.next())(e=e.value.visualElement)&&e.isClientVe()&&g.my(g.bP)(void 0,b,c,e)}if(b)for(a=g.t(a.j),e=a.next();!e.done;e=a.next())(c=e.value.visualElement)&&c.isClientVe()&&g.hP(b,c)}}; +vSa=function(a,b){this.schedule=a;this.policy=b;this.playbackRate=1}; +wSa=function(a,b){var c=Math.min(2.5,VJ(a.schedule));a=$W(a);return b-c*a}; +ySa=function(a,b,c,d,e){e=void 0===e?!1:e;a.policy.Qk&&(d=Math.abs(d));d/=a.playbackRate;var f=1/XJ(a.schedule);c=Math.max(.9*(d-3),VJ(a.schedule)+2048*f)/f*a.policy.oo/(b+c);if(!a.policy.vf||d)c=Math.min(c,d);a.policy.Vf&&e&&(c=Math.max(c,a.policy.Vf));return xSa(a,c,b)}; +xSa=function(a,b,c){return Math.ceil(Math.max(Math.max(65536,a.policy.jo*c),Math.min(Math.min(a.policy.Ja,31*c),Math.ceil(b*c))))||65536}; +$W=function(a){return XJ(a.schedule,!a.policy.ol,a.policy.ao)}; +aX=function(a){return $W(a)/a.playbackRate}; +zSa=function(a,b,c,d,e){this.Fa=a;this.Sa=b;this.videoTrack=c;this.audioTrack=d;this.policy=e;this.seekCount=this.j=0;this.C=!1;this.u=this.Sa.isManifestless&&!this.Sa.Se;this.B=null}; +ASa=function(a,b){var c=a.j.index,d=a.u.Ma;pH(c,d)||b&&b.Ma===d?(a.D=!pH(c,d),a.ea=!pH(c,d)):(a.D=!0,a.ea=!0)}; +CSa=function(a,b,c,d,e){if(!b.j.Jg()){if(!(d=0===c||!!b.B.length&&b.B[0]instanceof bX))a:{if(b.B.length&&(d=b.B[0],d instanceof cX&&d.Yj&&d.vj)){d=!0;break a}d=!1}d||a.policy.B||dX(b);return c}a=eX(b,c);if(!isNaN(a))return a;e.EC||b.vk();return d&&(a=mI(d.Ig(),c),!isNaN(a))?(fX(b,a+BSa),c):fX(b,c)}; +GSa=function(a,b,c,d){if(a.hh()&&a.j){var e=DSa(a,b,c);if(-1!==e){a.videoTrack.D=!1;a.audioTrack.D=!1;a.u=!0;g.Mf(function(){a.Fa.xa("seekreason",{reason:"behindMinSq",tgt:e});ESa(a,e)}); +return}}c?a.videoTrack.ea=!1:a.audioTrack.ea=!1;var f=a.policy.tA||!a.u;0<=eX(a.videoTrack,a.j)&&0<=eX(a.audioTrack,a.j)&&f?((a.videoTrack.D||a.audioTrack.D)&&a.Fa.xa("iterativeSeeking",{status:"done",count:a.seekCount}),a.videoTrack.D=!1,a.audioTrack.D=!1):d&&g.Mf(function(){if(a.u||!a.policy.uc)FSa(a);else{var h=b.startTime,l=b.duration,m=c?a.videoTrack.D:a.audioTrack.D,n=-1!==a.videoTrack.I&&-1!==a.audioTrack.I,p=a.j>=h&&a.ja.seekCount?(a.seekCount++,a.Fa.xa("iterativeSeeking",{status:"inprogress",count:a.seekCount,target:a.j,actual:h,duration:l,isVideo:c}),a.seek(a.j,{})):(a.Fa.xa("iterativeSeeking",{status:"incomplete",count:a.seekCount,target:a.j,actual:h}),a.seekCount=0,a.videoTrack.D=!1,a.audioTrack.D=!1,a.Fa.va.seekTo(h+ +.1,{bv:!0,Je:"chunkSelectorSynchronizeMedia",Er:!0})))}})}; +DSa=function(a,b,c){if(!a.hh())return-1;c=(c?a.videoTrack:a.audioTrack).j.index;var d=c.uh(a.j);return(pH(c,a.Sa.Ge)||b.Ma===a.Sa.Ge)&&da.B&&(a.B=NaN,a.D=NaN);if(a.j&&a.j.Ma===d){d=a.j;e=d.jf;var f=c.gt(e);a.xa("sdai",{onqevt:e.event,sq:b.gb[0].Ma,gab:f});f?"predictStart"!==e.event?d.nC?iX(a,4,"cue"):(a.B=b.gb[0].Ma,a.D=b.gb[0].C,a.xa("sdai",{joinad:a.u,sg:a.B,st:a.D.toFixed(3)}),a.ea=Date.now(),iX(a,2,"join"),c.fG(d.jf)):(a.J=b.gb[0].Ma+ +Math.max(Math.ceil(-e.j/5E3),1),a.xa("sdai",{onpred:b.gb[0].Ma,est:a.J}),a.ea=Date.now(),iX(a,3,"predict"),c.fG(d.jf)):1===a.u&&iX(a,5,"nogab")}else 1===a.u&&iX(a,5,"noad")}}; +LSa=function(a,b,c){return(0>c||c===a.B)&&!isNaN(a.D)?a.D:b}; +MSa=function(a,b){if(a.j){var c=a.j.jf.Sg-(b.startTime+a.I-a.j.jf.startSecs);0>=c||(c=new PD(a.j.jf.startSecs-(isNaN(a.I)?0:a.I),c,a.j.jf.context,a.j.jf.identifier,"stop",a.j.jf.j+1E3*b.duration),a.xa("cuepointdiscontinuity",{segNum:b.Ma}),hX(a,c,b.Ma))}}; +iX=function(a,b,c){a.u!==b&&(a.xa("sdai",{setsst:b,old:a.u,r:c}),a.u=b)}; +jX=function(a,b,c,d){(void 0===d?0:d)?iX(a,1,"sk2h"):0b)return!0;a.ya.clear()}return!1}; +rX=function(a,b){return new kX(a.I,a.j,b||a.B.reason)}; +sX=function(a){return a.B.isLocked()}; +RSa=function(a){a.Qa?a.Qa=!1:a.ea=(0,g.M)();a.T=!1;return new kX(a.I,a.j,a.B.reason)}; +WSa=function(a,b){var c={};b=g.t(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.video){var e=d.video.j,f=c[e],h=f&&KH(f)&&f.video.j>a.policy.ya,l=e<=a.policy.ya?KH(d):BF(d);if(!f||h||l)c[e]=d}return c}; +mX=function(a,b){a.B=b;var c=a.D.videoInfos;if(!sX(a)){var d=(0,g.M)();c=g.Rn(c,function(q){if(q.dc>this.policy.dc)return!1;var r=this.Sa.j[q.id],v=r.info.Lb;return this.policy.Pw&&this.Ya.has(v)||this.ya.get(q.id)>d||4=q.video.width&&480>=q.video.height}))}c.length||(c=a.D.videoInfos); +var e=g.Rn(c,b.C,b);if(sX(a)&&a.oa){var f=g.nb(c,function(q){return q.id===a.oa}); +f?e=[f]:delete a.oa}f="m"===b.reason||"s"===b.reason;a.policy.Uw&&ZW&&g.BA&&(!f||1080>b.j)&&(e=e.filter(function(q){return q.video&&(!q.j||q.j.powerEfficient)})); +if(0c.uE.video.width?(g.tb(e,b),b--):oX(a,c.tE)*a.policy.J>oX(a,c.uE)&&(g.tb(e,b-1),b--);c=e[e.length-1];a.ib=!!a.j&&!!a.j.info&&a.j.info.Lb!==c.Lb;a.C=e;yLa(a.policy,c)}; +OSa=function(a,b){b?a.u=a.Sa.j[b]:(b=g.nb(a.D.j,function(c){return!!c.Jc&&c.Jc.isDefault}),a.policy.Wn&&!b&&(b=g.nb(a.D.j,function(c){return c.audio.j})),b=b||a.D.j[0],a.u=a.Sa.j[b.id]); +lX(a)}; +XSa=function(a,b){for(var c=0;c+1d}; +lX=function(a){if(!a.u||!a.policy.u&&!a.u.info.Jc){var b=a.D.j;a.u&&a.policy.Wn&&(b=b.filter(function(d){return d.audio.j===a.u.info.audio.j}),b.length||(b=a.D.j)); +a.u=a.Sa.j[b[0].id];if(1a.B.j:XSa(a,a.u))a.u=a.Sa.j[g.jb(b).id]}}}; +nX=function(a){a.policy.Si&&(a.La=a.La||new g.Ip(function(){a.policy.Si&&a.j&&!qX(a)&&1===Math.floor(10*Math.random())?(pX(a,a.j),a.T=!0):a.La.start()},6E4),g.Jp(a.La)); +if(!a.nextVideo||!a.policy.u)if(sX(a))a.nextVideo=360>=a.B.j?a.Sa.j[a.C[0].id]:a.Sa.j[g.jb(a.C).id];else{for(var b=Math.min(a.J,a.C.length-1),c=aX(a.Aa),d=oX(a,a.u.info),e=c/a.policy.T-d;0=f);b++);a.nextVideo=a.Sa.j[a.C[b].id];a.J!==b&&a.logger.info(function(){var h=a.B;return"Adapt to: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", bandwidth to downgrade: "+e.toFixed(0)+", bandwidth to upgrade: "+f.toFixed(0)+ +", constraint: ["+(h.u+"-"+h.j+", override: "+(h.B+", reason: "+h.reason+"]"))}); +a.J=b}}; +PSa=function(a){var b=a.policy.T,c=aX(a.Aa),d=c/b-oX(a,a.u.info);b=g.ob(a.C,function(e){return oX(this,e)b&&(b=0);a.J=b;a.nextVideo=a.Sa.j[a.C[b].id];a.logger.info(function(){return"Initial selected fmt: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", max video byterate: "+d.toFixed(0)})}; +QSa=function(a){if(a.kb.length){var b=a.kb,c=function(d,e){if("f"===d.info.Lb||b.includes(SG(d,a.Sa.fd,a.Fa.Ce())))return d;for(var f={},h=0;ha.policy.aj&&(c*=1.5);return c}; +YSa=function(a,b){a=fba(a.Sa.j,function(c){return c.info.itag===b}); +if(!a)throw Error("Itag "+b+" from server not known.");return a}; +ZSa=function(a){var b=[];if("m"===a.B.reason||"s"===a.B.reason)return b;if(Rva(a.Sa)){for(var c=Math.max(0,a.J-2);c=f+100?e=!0:h+100Math.abs(p.startTimeMs+p.durationMs-h)):!0)d=eTa(a,b,h),p={formatId:c,startTimeMs:h,durationMs:0,Gt:f},d+=1,b.splice(d,0,p);p.durationMs+=1E3*e.info.I;p.fh=f;a=d}return a}; +eTa=function(a,b,c){for(var d=-1,e=0;ef&&(d=e);if(c>=h&&c<=f)return e}return d}; +bTa=function(a,b){a=g.Jb(a,{startTimeMs:b},function(c,d){return c.startTimeMs-d.startTimeMs}); +return 0<=a?a:-a-2}; +gTa=function(a){if(a.Vb){var b=a.Vb.Ig();if(0===b.length)a.ze=[];else{var c=[],d=1E3*b.start(0);b=1E3*b.end(b.length-1);for(var e=g.t(a.ze),f=e.next();!f.done;f=e.next())f=f.value,f.startTimeMs+f.durationMsb?--a.j:c.push(f);if(0!==c.length){e=c[0];if(e.startTimeMsb&&a.j!==c.length-1&&(f=a.Sa.I.get(Sva(a.Sa,d.formatId)),b=f.index.uh(b/1E3),h=Math.max(0,b-1),h>=d.Gt-a.u?(d.fh=h+a.u,b=1E3*f.index.getStartTime(b),d.durationMs-=e-b):c.pop()),a.ze=c)}}}}; +hTa=function(a){var b=[],c=[].concat(g.u(a.Az));a.ze.forEach(function(h){b.push(Object.assign({},h))}); +for(var d=a.j,e=g.t(a.B.bU()),f=e.next();!f.done;f=e.next())d=fTa(a,b,c,d,f.value);b.forEach(function(h){h.startTimeMs&&(h.startTimeMs+=1E3*a.timestampOffset)}); +return{ze:b,Az:c}}; +cTa=function(a,b,c){var d=b.startTimeMs+b.durationMs,e=c.startTimeMs+c.durationMs;if(100=Math.abs(b.startTimeMs-c.startTimeMs)){if(b.durationMs>c.durationMs+100){a=b.formatId;var f=b.fh;b.formatId=c.formatId;b.durationMs=c.durationMs;b.fh=c.fh;c.formatId=a;c.startTimeMs=e;c.durationMs=d-e;c.Gt=b.fh+1;c.fh=f;return!1}b.formatId=c.formatId;return!0}d>c.startTimeMs&& +(b.durationMs=c.startTimeMs-b.startTimeMs,b.fh=c.Gt-1);return!1}; +dTa=function(a,b,c){return b.itag!==c.itag||b.xtags!==c.xtags?!1:a.Sa.fd||b.jj===c.jj}; +aTa=function(a,b){return{formatId:MH(b.info.j.info,a.Sa.fd),Ma:b.info.Ma+a.u,startTimeMs:1E3*b.info.C,clipId:b.info.clipId}}; +iTa=function(a){a.ze=[];a.Az=[];a.j=-1}; +jTa=function(a,b){this.u=(new TextEncoder).encode(a);this.j=(new TextEncoder).encode(b)}; +Eya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("woe");d=new g.JJ(a.u);return g.y(f,d.encrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +Kya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("wod");d=new g.JJ(a.u);return g.y(f,d.decrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +lTa=function(a,b,c){var d=this;this.policy=a;this.j=b;this.Aa=c;this.C=this.u=0;this.Cf=null;this.Z=new Set;this.ea=[];this.indexRange=this.initRange=null;this.T=new aK;this.oa=this.ya=!1;this.Ne={t7a:function(){return d.B}, +X6a:function(){return d.chunkSize}, +W6a:function(){return d.J}, +V6a:function(){return d.I}}; +(b=kTa(this))?(this.chunkSize=b.csz,this.B=Math.floor(b.clen/b.csz),this.J=b.ck,this.I=b.civ):(this.chunkSize=a.Qw,this.B=0,this.J=g.KD(16),this.I=g.KD(16));this.D=new Uint8Array(this.chunkSize);this.J&&this.I&&(this.crypto=new jTa(this.J,this.I))}; +kTa=function(a){if(a.policy.je&&a.policy.Sw)for(var b={},c=g.t(a.policy.je),d=c.next();!d.done;b={vE:b.vE,wE:b.wE},d=c.next())if(d=g.sy(d.value),b.vE=+d.clen,b.wE=+d.csz,0=d.length)return;if(0>c)throw Error("Missing data");a.C=a.B;a.u=0}for(e={};c=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.j.totalLength)throw Error();return RF(a.j,a.offset++)}; +CTa=function(a,b){b=void 0===b?!1:b;var c=BTa(a);if(1===c){b=-1;for(c=0;7>c;c++){var d=BTa(a);-1===b&&255!==d&&(b=0);-1e&&d>c;e++)c=256*c+BTa(a),d*=128;return b?c:c-d}; +ETa=function(a,b,c){var d=this;this.Fa=a;this.policy=b;this.I=c;this.logger=new g.eW("dash");this.u=[];this.j=null;this.ya=-1;this.ea=0;this.Ga=NaN;this.Z=0;this.B=NaN;this.T=this.La=0;this.Ya=-1;this.Ja=this.C=this.D=this.Aa=null;this.fb=this.Xa=NaN;this.J=this.oa=this.Qa=this.ib=null;this.kb=!1;this.timestampOffset=0;this.Ne={bU:function(){return d.u}}; +if(this.policy.u){var e=this.I,f=this.policy.u;this.policy.La&&a.xa("atv",{ap:this.policy.La});this.J=new lTa(this.policy,e,function(h,l,m){zX(a,new yX(d.policy.u,2,{tD:new zTa(f,h,e.info,l,m)}))}); +this.J.T.promise.then(function(h){d.J=null;1===h?zX(a,new yX(d.policy.u,h)):d.Fa.xa("offlineerr",{status:h.toString()})},function(h){var l=(h.message||"none").replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"); +h instanceof xX&&!h.j?(d.logger.info(function(){return"Assertion failed: "+l}),d.Fa.xa("offlinenwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4))):(d.logger.info(function(){return"Failed to write to disk: "+l}),d.Fa.xa("dldbwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4,{oG:!0})))})}}; +FTa=function(a){return a.u.length?a.u[0]:null}; +AX=function(a){return a.u.length?a.u[a.u.length-1]:null}; +MTa=function(a,b,c,d){d=void 0===d?0:d;if(a.C){var e=a.C.Ob+a.C.u;if(0=a.ya&&0===a.ea){var h=a.j.j;e=f=-1;if(c){for(var l=0;l+8e&&(f=-1)}else{h=new ATa(h);for(m=l=!1;;){n=h.Yp();var p=h;try{var q=CTa(p,!0),r=CTa(p,!1);var v=q;var x=r}catch(B){x=v=-1}p=v;var z=x;if(!(0f&&(f=n),m))break;163===p&&(f=Math.max(0,f),e=h.Yp()+z);if(160===p){0>f&&(e=f=h.Yp()+z);break}h.skip(z)}}0>f&&(e=-1)}if(0>f)break;a.ya=f;a.ea=e-f}if(a.ya>d)break;a.ya?(d=JTa(a,a.ya),d.C&&KTa(a,d),HTa(a,b,d),LTa(a,d),a.ya=0):a.ea&&(d=JTa(a,0>a.ea?Infinity:a.ea),a.ea-=d.j.totalLength,LTa(a,d))}}a.j&&a.j.info.bf&&(LTa(a,a.j),a.j=null)}; +ITa=function(a,b){!b.info.j.Ym()&&0===b.info.Ob&&(g.vH(b.info.j.info)||b.info.j.info.Ee())&&tva(b);if(1===b.info.type)try{KTa(a,b),NTa(a,b)}catch(d){g.CD(d);var c=cH(b.info);c.hms="1";a.Fa.handleError("fmt.unparseable",c||{},1)}c=b.info.j;c.mM(b);a.J&&qTa(a.J,b);c.Jg()&&a.policy.B&&(a=a.Fa.Sa,a.La.push(MH(c.info,a.fd)))}; +DTa=function(a){var b;null==(b=a.J)||b.dispose();a.J=null}; +OTa=function(a){var b=a.u.reduce(function(c,d){return c+d.j.totalLength},0); +a.j&&(b+=a.j.j.totalLength);return b}; +JTa=function(a,b){var c=a.j;b=Math.min(b,c.j.totalLength);if(b===c.j.totalLength)return a.j=null,c;c=nva(c,b);a.j=c[1];return c[0]}; +KTa=function(a,b){var c=tH(b);if(JH(b.info.j.info)&&"bt2020"===b.info.j.info.video.primaries){var d=new uG(c);wG(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.pos,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.j.info;BF(d)&&!JH(d)&&(d=tH(b),(new uG(d)).Xm(),AG([408125543,374648427,174,224],21936,d));b.info.j.info.Xg()&&(d=b.info.j,d.info&&d.info.video&&"MESH"===d.info.video.projectionType&&!d.B&&(g.vH(d.info)?d.B=vua(c):d.info.Ee()&&(d.B=Cua(c))));b.info.j.info.Ee()&& +b.info.Xg()&&(c=tH(b),(new uG(c)).Xm(),AG([408125543,374648427,174,224],30320,c)&&AG([408125543,374648427,174,224],21432,c));if(a.policy.uy&&b.info.j.info.Ee()){c=tH(b);var e=new uG(c);if(wG(e,[408125543,374648427,174,29637])){d=zG(e,!0);e=e.start+e.pos;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=cG(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.j,e))}}if(b=a.Aa&&!!a.Aa.I.D)if(b=c.info.Xg())b=rva(c),h=a.Aa,CX?(l=1/b,b=DX(a,b)>=DX(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&PTa(c)&&(b=a.Aa,CX?(l=rva(c),h=1/l,l=DX(a,l),b=DX(b)+h-l):b=b.getDuration()- +a.getDuration(),b=1+b/c.info.duration,uua(tH(c),b))}else{h=!1;a.D||(tva(c),c.u&&(a.D=c.u,h=!0,f=c.info,d=c.u.j,f.D="updateWithEmsg",f.Ma=d,f=c.u,f.C&&(a.I.index.u=!f.C),f=c.info.j.info,d=tH(c),g.vH(f)?sG(d,1701671783):f.Ee()&&AG([408125543],307544935,d)));a:if((f=xH(c,a.policy.Pb))&&sva(c))l=QTa(a,c),a.T+=l,f-=l,a.Z+=f,a.B=a.policy.Zi?a.B+f:NaN;else{if(a.policy.po){if(d=m=a.Fa.Er(ova(c),1),0<=a.B&&6!==c.info.type){if(a.policy.Zi&&isNaN(a.Xa)){g.DD(new g.bA("Missing duration while processing previous chunk", +dH(c.info)));a.Fa.isOffline()&&!a.policy.ri||RTa(a,c,d);GTa(a,"m");break a}var n=m-a.B,p=n-a.T,q=c.info.Ma,r=a.Ja?a.Ja.Ma:-1,v=a.fb,x=a.Xa,z=a.policy.ul&&n>a.policy.ul,B=10Math.abs(a.B-d);if(1E-4l&&f>a.Ya)&&m){d=Math.max(.95,Math.min(1.05,(c-(h-e))/c));if(g.vH(b.info.j.info))uua(tH(b),d);else if(b.info.j.info.Ee()&&(f=e-h,!g.vH(b.info.j.info)&&(b.info.j.info.Ee(),d=new uG(tH(b)),l=b.C?d:new uG(new DataView(b.info.j.j.buffer)),xH(b,!0)))){var n= +1E3*f,p=GG(l);l=d.pos;d.pos=0;if(160===d.j.getUint8(d.pos)||HG(d))if(yG(d,160))if(zG(d,!0),yG(d,155)){if(f=d.pos,m=zG(d,!0),d.pos=f,n=1E9*n/p,p=BG(d),n=p+Math.max(.7*-p,Math.min(p,n)),n=Math.sign(n)*Math.floor(Math.abs(n)),!(Math.ceil(Math.log(n)/Math.log(2)/8)>m)){d.pos=f+1;for(f=m-1;0<=f;f--)d.j.setUint8(d.pos+f,n&255),n>>>=8;d.pos=l}}else d.pos=l;else d.pos=l;else d.pos=l}d=xH(b,a.policy.Pb);d=c-d}d&&b.info.j.info.Ee()&&a.Fa.xa("webmDurationAdjustment",{durationAdjustment:d,videoDrift:e+d,audioDrift:h})}return d}; +PTa=function(a){return a.info.j.Ym()&&a.info.Ma===a.info.j.index.td()}; +DX=function(a,b){b=(b=void 0===b?0:b)?Math.round(a.timestampOffset*b)/b:a.timestampOffset;a.I.D&&b&&(b+=a.I.D.j);return b+a.getDuration()}; +VTa=function(a,b){0>b||(a.u.forEach(function(c){wH(c,b)}),a.timestampOffset=b)}; +EX=function(a,b){var c=b.Jh,d=b.Iz,e=void 0===b.BB?1:b.BB,f=void 0===b.kH?e:b.kH,h=void 0===b.Mr?!1:b.Mr,l=void 0===b.tq?!1:b.tq,m=void 0===b.pL?!1:b.pL,n=b.Hk,p=b.Ma;b=b.Tg;this.callbacks=a;this.requestNumber=++WTa;this.j=this.now();this.ya=this.Qa=NaN;this.Ja=0;this.C=this.j;this.u=0;this.Xa=this.j;this.Aa=0;this.Ya=this.La=this.isActive=!1;this.B=0;this.Z=NaN;this.J=this.D=Infinity;this.T=NaN;this.Ga=!1;this.ea=NaN;this.I=void 0;this.Jh=c;this.Iz=d;this.policy=this.Jh.ya;this.BB=e;this.kH=f;this.Mr= +h;this.tq=l;m&&(this.I=[]);this.Hk=n;this.Ma=p;this.Tg=b;this.snapshot=YJ(this.Jh);XTa(this);YTa(this,this.j);this.Z=(this.ea-this.j)/1E3}; +ZTa=function(a,b){a.url=b;window.performance&&!performance.onresourcetimingbufferfull&&(performance.onresourcetimingbufferfull=function(){performance.clearResourceTimings()})}; +FX=function(a){var b={rn:a.requestNumber,rt:(a.now()-a.j).toFixed(),lb:a.u,pt:(1E3*a.Z).toFixed(),pb:a.BB,stall:(1E3*a.B).toFixed(),ht:(a.Qa-a.j).toFixed(),elt:(a.ya-a.j).toFixed(),elb:a.Ja};a.url&&qQa(b,a.url);return b}; +bUa=function(a,b,c,d){if(!a.La){a.La=!0;if(!a.tq){$Ta(a,b,c);aUa(a,b,c);var e=a.gs();if(2===e&&d)GX(a,a.u/d,a.u);else if(2===e||1===e)d=(b-a.j)/1E3,(d<=a.policy.j||!a.policy.j)&&!a.Ya&&HX(a)&&GX(a,d,c),HX(a)&&(d=a.Jh,d.j.zi(1,a.B/Math.max(c,2048)),ZJ(d));c=a.Jh;b=(b-a.j)/1E3||.05;d=a.Z;e=a.Mr;c.I.zi(b,a.u/b);c.C=(0,g.M)();e||c.u.zi(1,b-d)}IX(a)}}; +IX=function(a){a.isActive&&(a.isActive=!1)}; +aUa=function(a,b,c){var d=(b-a.C)/1E3,e=c-a.u,f=a.gs();if(a.isActive)1===f&&0e?(a.B+=d,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=HX(a)?d+b:d+Math.max(b,c);a.ea=d}; +eUa=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; +jUa=function(a,b){if(b+1<=a.totalLength){var c=RF(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)a=RF(a,b++);else if(2===c)c=RF(a,b++),a=RF(a,b++),a=(c&63)+64*a;else if(3===c){c=RF(a,b++);var d=RF(a,b++);a=RF(a,b++);a=(c&31)+32*(d+256*a)}else if(4===c){c=RF(a,b++);d=RF(a,b++);var e=RF(a,b++);a=RF(a,b++);a=(c&15)+16*(d+256*(e+256*a))}else c=b+1,a.focus(c),PF(a,c,4)?a=gua(a).getUint32(c-a.B,!0):(d=RF(a,c+2)+256*RF(a,c+3),a=RF(a,c)+256*(RF(a,c+1)+ +256*d)),b+=5;return[a,b]}; +KX=function(a){this.callbacks=a;this.j=new LF}; +LX=function(a,b){this.info=a;this.callback=b;this.state=1;this.Bz=this.tM=!1;this.Zd=null}; +kUa=function(a){return g.Zl(a.info.gb,function(b){return 3===b.type})}; +lUa=function(a,b,c,d){var e=this;d=void 0===d?{}:d;this.policy=b;this.callbacks=c;this.status=0;this.j=new LF;this.B=0;this.isDisposed=this.C=!1;this.D=0;this.xhr=new XMLHttpRequest;this.xhr.open(d.method||"GET",a);if(d.headers)for(a=d.headers,b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.xhr.setRequestHeader(c,a[c]);this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){return e.wz()}; +this.xhr.onload=function(){return e.onDone()}; +this.xhr.onerror=function(){return e.onError()}; +this.xhr.fetch(function(f){e.u&&e.j.append(e.u);e.policy.j?e.j.append(f):e.u=f;e.B+=f.length;f=(0,g.M)();10this.policy.ox?!1:!0:!1,a),this.Bd.j.start(),g.Mf(function(){})}catch(z){xUa(this,z,!0)}}; +vUa=function(a){if(!(hH(a.info)&&a.info.Mr()&&a.policy.rd&&a.pD)||2<=a.info.j.u||0=b&&(e.u.pop(),e.B-=xH(l,e.policy.Pb),f=l.info)}f&&(e.C=0c?fX(a,d):a.u=a.j.Br(b-1,!1).gb[0]}; +XX=function(a,b){var c;for(c=0;c=a.Z:c}; +YX=function(a){var b;return TX(a)||!(null==(b=AX(a.C))||!YG(b.info))}; +HUa=function(a){var b=[],c=RX(a);c&&b.push(c);b=g.zb(b,a.C.Om());c=g.t(a.B);for(var d=c.next();!d.done;d=c.next()){d=d.value;for(var e={},f=g.t(d.info.gb),h=f.next();!h.done;e={Kw:e.Kw},h=f.next())e.Kw=h.value,d.tM&&(b=g.Rn(b,function(l){return function(m){return!Xua(m,l.Kw)}}(e))),($G(e.Kw)||4===e.Kw.type)&&b.push(e.Kw)}a.u&&!Qua(a.u,g.jb(b),a.u.j.Ym())&&b.push(a.u); return b}; -jZ=function(a,b){g.C.call(this);this.message=a;this.requestNumber=b;this.onError=this.onSuccess=null;this.u=new g.En(5E3,2E4,.2)}; -Qwa=function(a,b,c){a.onSuccess=b;a.onError=c}; -Swa=function(a,b,c){var d={format:"RAW",method:"POST",postBody:a.message,responseType:"arraybuffer",withCredentials:!0,timeout:3E4,onSuccess:function(e){if(!a.na())if(a.ea(),0!==e.status&&e.response)if(PE("drm_net_r"),e=new Uint8Array(e.response),e=Pwa(e))a.onSuccess(e,a.requestNumber);else a.onError(a,"drm.net","t.p");else Rwa(a,e)}, -onError:function(e){Rwa(a,e)}}; -c&&(b=Td(b,"access_token",c));g.qq(b,d);a.ea()}; -Rwa=function(a,b){if(!a.na())a.onError(a,b.status?"drm.net.badstatus":"drm.net.connect","t.r;c."+String(b.status),b.status)}; -Uwa=function(a,b,c,d){var e={timeout:3E4,onSuccess:function(f){if(!a.na()){a.ea();PE("drm_net_r");var h="LICENSE_STATUS_OK"===f.status?0:9999,l=null;if(f.license)try{l=g.cf(f.license)}catch(y){}if(0!==h||l){l=new Nwa(h,l);0!==h&&f.reason&&(l.errorMessage=f.reason);if(f.authorizedFormats){h={};for(var m=[],n={},p=g.q(f.authorizedFormats),r=p.next();!r.done;r=p.next())if(r=r.value,r.trackType&&r.keyId){var t=Twa[r.trackType];if(t){"HD"===t&&f.isHd720&&(t="HD720");h[t]||(m.push(t),h[t]=!0);var w=null; -try{w=g.cf(r.keyId)}catch(y){}w&&(n[g.sf(w,4)]=t)}}l.u=m;l.B=n}f.nextFairplayKeyId&&(l.nextFairplayKeyId=f.nextFairplayKeyId);f=l}else f=null;if(f)a.onSuccess(f,a.requestNumber);else a.onError(a,"drm.net","t.p;p.i")}}, -onError:function(f){if(!a.na())if(f&&f.error)f=f.error,a.onError(a,"drm.net.badstatus","t.r;p.i;c."+f.code+";s."+f.status,f.code);else a.onError(a,"drm.net.badstatus","t.r;p.i;c.n")}, -Bg:function(){a.onError(a,"drm.net","rt.req."+a.requestNumber)}}; -d&&(e.VB="Bearer "+d);g.Mp(c,"player/get_drm_license",b,e)}; -lZ=function(a,b,c,d){g.O.call(this);this.videoData=a;this.W=b;this.ha=c;this.sessionId=d;this.D={};this.cryptoPeriodIndex=NaN;this.url="";this.requestNumber=0;this.I=this.P=!1;this.C=null;this.aa=[];this.F=[];this.X=!1;this.u={};this.Y=NaN;this.status="";this.K=!1;this.B=a.md;this.cryptoPeriodIndex=c.cryptoPeriodIndex;a={};Object.assign(a,this.W.deviceParams);a.cpn=this.videoData.clientPlaybackNonce;this.videoData.lg&&(a.vvt=this.videoData.lg,this.videoData.mdxEnvironment&&(a.mdx_environment=this.videoData.mdxEnvironment)); -this.W.ye&&(a.authuser=this.W.ye);this.W.pageId&&(a.pageid=this.W.pageId);isNaN(this.cryptoPeriodIndex)||(a.cpi=this.cryptoPeriodIndex.toString());if(this.videoData.ba("html5_send_device_type_in_drm_license_request")){var e;(e=(e=/_(TV|STB|GAME|OTT|ATV|BDP)_/.exec(g.Vc))?e[1]:"")&&(a.cdt=e)}this.D=a;this.D.session_id=d;this.R=!0;"widevine"===this.B.flavor&&(this.D.hdr="1");"playready"===this.B.flavor&&(b=Number(g.kB(b.experiments,"playready_first_play_expiration")),!isNaN(b)&&0<=b&&(this.D.mfpe=""+ -b),this.R=!1,this.videoData.ba("html5_playready_enable_non_persist_license")&&(this.D.pst="0"));b=uC(this.B)?Lwa(c.initData).replace("skd://","https://"):this.B.C;this.videoData.ba("enable_shadow_yttv_channels")&&(b=new g.Qm(b),document.location.origin&&document.location.origin.includes("green")?g.Sm(b,"web-green-qa.youtube.com"):g.Sm(b,"www.youtube.com"),b=b.toString());this.baseUrl=b;this.fairplayKeyId=Qd(this.baseUrl,"ek")||"";if(b=Qd(this.baseUrl,"cpi")||"")this.cryptoPeriodIndex=Number(b);this.fa= -this.videoData.ba("html5_use_drm_retry");this.aa=c.B;this.ea();kZ(this,"sessioninit."+c.cryptoPeriodIndex);this.status="in"}; -Ywa=function(a,b){kZ(a,"createkeysession");a.status="gr";PE("drm_gk_s");a.url=Vwa(a);try{a.C=b.createSession(a.ha,function(d){kZ(a,d)})}catch(d){var c="t.g"; -d instanceof DOMException&&(c+=";c."+d.code);a.V("licenseerror","drm.unavailable",!0,c,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK");return}a.C&&(Wwa(a.C,function(d,e){Xwa(a,d,e)},function(d){a.na()||(a.ea(),a.error("drm.keyerror",!0,d))},function(){a.na()||(a.ea(),kZ(a,"onkyadd"),a.I||(a.V("sessionready"),a.I=!0))},function(d){a.xl(d)}),g.D(a,a.C))}; -Vwa=function(a){var b=a.baseUrl;ufa(b)||a.error("drm.net",!0,"t.x");if(!Qd(b,"fexp")){var c=["23898307","23914062","23916106","23883098"].filter(function(e){return a.W.experiments.experiments[e]}); -0h&&(m=g.P(a.W.experiments,"html5_license_server_error_retry_limit")||3);(h=d.u.B>=m)||(h=a.fa&&36E4<(0,g.N)()-a.Y);h&&(l=!0,e="drm.net.retryexhausted");a.ea();kZ(a,"onlcsrqerr."+e+";"+f);a.error(e,l,f);a.shouldRetry(l,d)&&dxa(a,d)}}); -g.D(a,b);exa(a,b)}}else a.error("drm.unavailable",!1,"km.empty")}; -axa=function(a,b){a.ea();kZ(a,"sdpvrq");if("widevine"!==a.B.flavor)a.error("drm.provision",!0,"e.flavor;f."+a.B.flavor+";l."+b.byteLength);else{var c={cpn:a.videoData.clientPlaybackNonce};Object.assign(c,a.W.deviceParams);c=g.Md("https://www.googleapis.com/certificateprovisioning/v1/devicecertificates/create?key=AIzaSyB-5OLKTx2iU5mko18DfdwK5611JIjbUhE",c);var d={format:"RAW",headers:{"content-type":"application/json"},method:"POST",postBody:JSON.stringify({signedRequest:Su(b)}),responseType:"arraybuffer"}; -g.Vs(c,d,3,500).then(Eo(function(e){if(!a.na()){e=new Uint8Array(e.response);var f=Su(e);try{var h=JSON.parse(f)}catch(l){}h&&h.signedResponse?(a.V("ctmp","drminfo","provisioning"),a.C&&a.C.update(e)):(h=h&&h.error&&h.error.message,e="e.parse",h&&(e+=";m."+h),a.error("drm.provision",!0,e))}}),Eo(function(e){a.na()||a.error("drm.provision",!0,"e."+e.errorCode+";c."+(e.xhr&&e.xhr.status))}))}}; -mZ=function(a){var b;if(b=a.R&&null!=a.C)a=a.C,b=!(!a.u||!a.u.keyStatuses);return b}; -exa=function(a,b){a.status="km";PE("drm_net_s");if(a.videoData.useInnertubeDrmService()){var c=new g.Cs(a.W.ha),d=g.Jp(c.Tf||g.Kp());d.drmSystem=fxa[a.B.flavor];d.videoId=a.videoData.videoId;d.cpn=a.videoData.clientPlaybackNonce;d.sessionId=a.sessionId;d.licenseRequest=g.sf(b.message);d.drmParams=a.videoData.drmParams;isNaN(a.cryptoPeriodIndex)||(d.isKeyRotated=!0,d.cryptoPeriodIndex=a.cryptoPeriodIndex);if(!d.context||!d.context.client){a.ea();a.error("drm.net",!0,"t.r;ic.0");return}var e=a.W.deviceParams; -e&&(d.context.client.deviceMake=e.cbrand,d.context.client.deviceModel=e.cmodel,d.context.client.browserName=e.cbr,d.context.client.browserVersion=e.cbrver,d.context.client.osName=e.cos,d.context.client.osVersion=e.cosver);d.context.user=d.context.user||{};d.context.request=d.context.request||{};a.videoData.lg&&(d.context.user.credentialTransferTokens=[{token:a.videoData.lg,scope:"VIDEO"}]);d.context.request.mdxEnvironment=a.videoData.mdxEnvironment||d.context.request.mdxEnvironment;a.videoData.Ph&& -(d.context.user.kidsParent={oauthToken:a.videoData.Ph});if(uC(a.B)){e=a.fairplayKeyId;for(var f=[],h=0;hd;d++)c[2*d]=''.charCodeAt(d);c=a.C.createSession("video/mp4",b,c);return new oZ(null,null,null,null,c)}; -rZ=function(a,b){var c=a.I[b.sessionId];!c&&a.D&&(c=a.D,a.D=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; -sxa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=b){b=f;break a}}b=e}return 0>b?NaN:GUa(a,c?b:0)?a[b].startTime:NaN}; +ZX=function(a){return!(!a.u||a.u.j===a.j)}; +MUa=function(a){return ZX(a)&&a.j.Jg()&&a.u.j.info.dcb&&a.Bb)return!0;var c=a.td();return bb)return 1;c=a.td();return b=f)return 1;d=b.zm;if(!d||e(0,g.M)()?0:1}; +$X=function(a,b,c,d,e,f,h,l,m,n,p,q){g.C.call(this);this.Fa=a;this.policy=b;this.videoTrack=c;this.audioTrack=d;this.C=e;this.j=f;this.timing=h;this.D=l;this.schedule=m;this.Sa=n;this.B=p;this.Z=q;this.oa=!1;this.yD="";this.Hk=null;this.J=0;this.Tg=NaN;this.ea=!1;this.u=null;this.Yj=this.T=NaN;this.vj=null;this.I=0;this.logger=new g.eW("dash");0f&&(c=d.j.hx(d,e-h.u)))),d=c):(0>d.Ma&&(c=cH(d),c.pr=""+b.B.length,a.Fa.hh()&&(c.sk="1"),c.snss=d.D,a.Fa.xa("nosq",c)),d=h.PA(d));if(a.policy.oa)for(c=g.t(d.gb),e=c.next();!e.done;e=c.next())e.value.type=6}else d.j.Ym()?(c=ySa(a.D,b.j.info.dc,c.j.info.dc,0),d=d.j.hx(d,c)):d=d.j.PA(d);if(a.u){l=d.gb[0].j.info.id; +c=a.j;e=d.gb[0].Ma;c=0>e&&!isNaN(c.B)?c.B:e;e=LSa(a.j,d.gb[0].C,c);var m=b===a.audioTrack?1:2;f=d.gb[0].j.info.Lb;h=l.split(";")[0];if(a.policy.Aa&&0!==a.j.u){if(l=a.u.Ds(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),l){var n;m=(null==(n=l.Pz)?void 0:n.Qr)||"";var p;n=(null==(p=l.Pz)?void 0:p.RX)||-1;a.Fa.xa("sdai",{ssdaiinfo:"1",ds:m,skipsq:n,itag:h,f:f,sg:c,st:e.toFixed(3)});d.J=l}}else if(p=a.u.Im(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),p){n={dec_sq:c,itag:h,st:e.toFixed(3)};if(a.policy.Xy&&b.isRequestPending(c- +1)){a.Fa.xa("sdai",{wt_daistate_on_sg:c-1});return}a.Fa.xa("sdai",n);p&&(d.u=new g.DF(p))}else 5!==a.j.u&&a.Fa.xa("sdai",{nodec_sq:c,itag:h,st:e.toFixed(3)})}a.policy.hm&&-1!==d.gb[0].Ma&&d.gb[0].Ma=e.J?(e.xa("sdai",{haltrq:f+1,est:e.J}),d=!1):d=2!==e.u;if(!d||!QG(b.u?b.u.j.u:b.j.u,a.policy,a.C)||a.Fa.isSuspended&&(!mxa(a.schedule)||a.Fa.sF))return!1;if(a.policy.u&&5<=PL)return g.Jp(a.Fa.FG),!1;if(a.Sa.isManifestless){if(0=a.policy.rl||!a.policy.Ax&&0=a.policy.qm)return!1;d=b.u;if(!d)return!0;4===d.type&&d.j.Jg()&&(b.u=g.jb(d.j.Jz(d)),d=b.u);if(!YG(d)&&!d.j.Ar(d))return!1;f=a.Sa.Se||a.Sa.B;if(a.Sa.isManifestless&&f){f=b.j.index.td();var h=c.j.index.td();f=Math.min(f,h);if(0= +f)return b.Z=f,c.Z=f,!1}if(d.j.info.audio&&4===d.type)return!1;if(!a.policy.Ld&&MUa(b)&&!a.policy.Oc)return!0;if(YG(d)||!a.policy.Ld&&UX(b)&&UX(b)+UX(c)>a.policy.kb)return!1;f=!b.D&&!c.D;if(e=!e)e=d.B,e=!!(c.u&&!YG(c.u)&&c.u.BZUa(a,b)?(ZUa(a,b),!1):(a=b.Vb)&&a.isLocked()?!1:!0}; +ZUa=function(a,b){var c=a.j;c=c.j?c.j.jf:null;if(a.policy.oa&&c)return c.startSecs+c.Sg+15;b=VUa(a.Fa,b,!0);!sX(a.Fa.ue)&&0a.Fa.getCurrentTime())return c.start/1E3;return Infinity}; +aVa=function(a,b,c){if(0!==c){a:if(b=b.info,c=2===c,b.u)b=null;else{var d=b.gb[0];if(b.range)var e=VG(b.range.start,Math.min(4096,b.C));else{if(b.B&&0<=b.B.indexOf("/range/")||"1"===b.j.B.get("defrag")||"1"===b.j.B.get("otf")){b=null;break a}e=VG(0,4096)}e=new fH([new XG(5,d.j,e,"createProbeRequestInfo"+d.D,d.Ma)],b.B);e.I=c;e.u=b.u;b=e}b&&XUa(a,b)}}; +XUa=function(a,b){a.Fa.iG(b);var c=Zua(b);c={Jh:a.schedule,BB:c,kH:wSa(a.D,c),Mr:ZG(b.gb[0]),tq:GF(b.j.j),pL:a.policy.D,Iz:function(e,f){a.Fa.DD(e,f)}}; +a.Hk&&(c.Ma=b.gb[0].Ma,c.Tg=b.Tg,c.Hk=a.Hk);var d={Au:$ua(b,a.Fa.getCurrentTime()),pD:a.policy.rd&&hH(b)&&b.gb[0].j.info.video?ZSa(a.B):void 0,aE:a.policy.oa,poToken:a.Fa.cM(),Nv:a.Fa.XB(),yD:a.yD,Yj:isNaN(a.Yj)?null:a.Yj,vj:a.vj};return new cX(a.policy,b,c,a.C,function(e,f){try{a:{var h=e.info.gb[0].j,l=h.info.video?a.videoTrack:a.audioTrack;if(!(2<=e.state)||e.isComplete()||e.As()||!(!a.Fa.Wa||a.Fa.isSuspended||3f){if(a.policy.ib){var n=e.policy.jE?Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing),cncl:e.isDisposed()}):Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing)});a.Fa.xa("rqs",n)}e.GX&&a.Fa.xa("sbwe3",{},!0)}if(!a.isDisposed()&&2<=e.state){var p=a.timing,q=e.info.gb[0].j,r=!p.J&&q.info.video,v=!p.u&&q.info.audio;3===e.state?r?p.tick("vrr"):v&&p.tick("arr"):4===e.state?r?(p.J=e.Ze(),g.iA(),kA(4)):v&&(p.u=e.Ze()):e.qv()&&r&&(g.iA(),kA(4));var x= +a.Fa;a.Yj&&e.FK&&x&&(a.Yj=NaN,a.Fa.xa("cabrUtcSeek",{mediaTimeSeconds:e.FK}));if(3===e.state){XX(l,e);hH(e.info)&&aY(a,l,h,!0);if(a.u){var z=e.info.Im();z&&a.u.Bk(e.info.gb[0].Ma,h.info.id,z)}a.Fa.gf()}else if(e.isComplete()&&5===e.info.gb[0].type){if(4===e.state){var B=(e.info.gb[0].j.info.video?a.videoTrack:a.audioTrack).B[0]||null;B&&B instanceof cX&&B.As()&&B.iE(!0)}e.dispose()}else{if(!e.Wm()&&e.Bz&&2<=e.state&&3!==e.state){var F=e.xhr.getResponseHeader("X-Response-Itag");if(F){var G=YSa(a.B, +F),D=e.info.C;if(D){var L=D-G.WL();G.C=!0;e.info.gb[0].j.C=!1;var P=G.Uu(L);e.info=P;if(e.Zd){var T=e.Zd,fa=P.gb;(fa.length!==T.gb.length||fa.lengtha.j||c.push(d)}return c}; +nVa=function(a,b,c){b.push.apply(b,g.u(lVa[a]||[]));c.K("html5_early_media_for_drm")&&b.push.apply(b,g.u(mVa[a]||[]))}; +sVa=function(a,b){var c=vM(a),d=a.V().D;if(eY&&!d.j)return eY;for(var e=[],f=[],h={},l=g.t(oVa),m=l.next();!m.done;m=l.next()){var n=!1;m=g.t(m.value);for(var p=m.next();!p.done;p=m.next()){p=p.value;var q=pVa(p);!q||!q.video||KH(q)&&!c.Ja&&q.video.j>c.C||(n?(e.push(p),nVa(p,e,a)):(q=sF(c,q,d),!0===q?(n=!0,e.push(p),nVa(p,e,a)):h[p]=q))}}l=g.t(qVa);for(n=l.next();!n.done;n=l.next())for(n=g.t(n.value),p=n.next();!p.done;p=n.next())if(m=p.value,(p=rVa(m))&&p.audio&&(a.K("html5_onesie_51_audio")||!AF(p)&& +!zF(p)))if(p=sF(c,p,d),!0===p){f.push(m);nVa(m,f,a);break}else h[m]=p;c.B&&b("orfmts",h);eY={video:e,audio:f};d.j=!1;return eY}; +pVa=function(a){var b=HH[a],c=tVa[b],d=uVa[a];if(!d||!c)return null;var e=new EH(d.width,d.height,d.fps);c=GI(c,e,b);return new IH(a,c,{video:e,dc:d.bitrate/8})}; +rVa=function(a){var b=tVa[HH[a]],c=vVa[a];return c&&b?new IH(a,b,{audio:new CH(c.audioSampleRate,c.numChannels)}):null}; +xVa=function(a){return{kY:mya(a,1,wVa)}}; +yVa=function(a){return{S7a:kL(a,1)}}; +wVa=function(a){return{clipId:nL(a,1),nE:oL(a,2,zVa),Z4:oL(a,3,yVa)}}; +zVa=function(a){return{a$:nL(a,1),k8:kL(a,2),Q7a:kL(a,3),vF:kL(a,4),Nt:kL(a,5)}}; +AVa=function(a){return{first:kL(a,1),eV:kL(a,2)}}; +CVa=function(a,b){xL(a,1,b.formatId,fY,3);tL(a,2,b.startTimeMs);tL(a,3,b.durationMs);tL(a,4,b.Gt);tL(a,5,b.fh);xL(a,9,b.t6a,BVa,3)}; +DVa=function(a,b){wL(a,1,b.videoId);tL(a,2,b.jj)}; +BVa=function(a,b){var c;if(b.uS)for(c=0;ca;a++)jY[a]=255>=a?9:7;eWa.length=32;eWa.fill(5);kY.length=286;kY.fill(0);for(a=261;285>a;a++)kY[a]=Math.floor((a-261)/4);lY[257]=3;for(a=258;285>a;a++){var b=lY[a-1];b+=1<a;a++)fWa[a]=3>=a?0:Math.floor((a-2)/2);for(a=mY[0]=1;30>a;a++)b=mY[a-1],b+=1<a.Sj.length&&(a.Sj=new Uint8Array(2*a.B),a.B=0,a.u=0,a.C=!1,a.j=0,a.register=0)}a.Sj.length!==a.B&&(a.Sj=a.Sj.subarray(0,a.B));return a.error?new Uint8Array(0):a.Sj}; +kWa=function(a,b,c){b=iWa(b);c=iWa(c);for(var d=a.data,e=a.Sj,f=a.B,h=a.register,l=a.j,m=a.u;;){if(15>l){if(m>d.length){a.error=!0;break}h|=(d[m+1]<<8)+d[m]<n)for(h>>=7;0>n;)n=b[(h&1)-n],h>>=1;else h>>=n&15;l-=n&15;n>>=4;if(256>n)e[f++]=n;else if(a.register=h,a.j=l,a.u=m,256a.j){var c=a.data,d=a.u;d>c.length&&(a.error=!0);a.register|=(c[d+1]<<8)+c[d]<>4;for(lWa(a,7);0>c;)c=b[nY(a,1)-c];return c>>4}; +nY=function(a,b){for(;a.j=a.data.length)return a.error=!0,0;a.register|=a.data[a.u++]<>=b;a.j-=b;return c}; +lWa=function(a,b){a.j-=b;a.register>>=b}; +iWa=function(a){for(var b=[],c=g.t(a),d=c.next();!d.done;d=c.next())d=d.value,b[d]||(b[d]=0),b[d]++;var e=b[0]=0;c=[];var f=0;d=0;for(var h=1;h>m&1;l=f<<4|h;if(7>=h)for(m=1<<7-h;m--;)d[m<>=7;h--;){d[m]||(d[m]=-b,b+=2);var n=e&1;e>>=1;m=n-d[m]}d[m]=l}}return d}; +oWa=function(a,b){var c,d,e,f,h,l,m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:if(b)try{c=b.exports.malloc(a.length);(new Uint8Array(b.exports.memory.buffer,c,a.length)).set(a);d=b.exports.getInflatedSize(c,a.length);e=b.exports.malloc(d);if(f=b.exports.inflateGzip(c,a.length,e))throw Error("inflateGzip="+f);h=new Uint8Array(d);h.set(new Uint8Array(b.exports.memory.buffer,e,d));b.exports.free(e);b.exports.free(c);return x.return(h)}catch(z){g.CD(z),b.reload()}if(!("DecompressionStream"in +window))return x.return(g.mWa(new g.gWa(a)));l=new DecompressionStream("gzip");m=l.writable.getWriter();m.write(a);m.close();n=l.readable.getReader();p=new LF([]);case 2:return g.y(x,n.read(),4);case 4:q=x.u;r=q.value;if(v=q.done){x.Ka(3);break}p.append(r);x.Ka(2);break;case 3:return x.return(QF(p))}})}; +pWa=function(a){dY.call(this,"onesie");this.Md=a;this.j={};this.C=!0;this.B=null;this.queue=new bWa(this)}; +qWa=function(a){var b=a.queue;b.j.length&&b.j[0].isEncrypted&&!b.u&&(b.j.length=0);b=g.t(Object.keys(a.j));for(var c=b.next();!c.done;c=b.next())if(c=c.value,!a.j[c].wU){var d=a.queue;d.j.push({AP:c,isEncrypted:!1});d.u||dWa(d)}}; +rWa=function(a,b){var c=b.totalLength,d=!1;switch(a.B){case 0:a.ZN(b,a.C).then(function(e){var f=a.Md;f.Vc("oprr");f.playerResponse=e;f.mN||(f.JD=!1);oY(f)},function(e){a.Md.fail(e)}); +break;case 2:a.Vc("ormk");b=QF(b);a.queue.decrypt(b);break;default:d=!0}a.Md.Nl&&a.Md.xa("ombup","id.11;pt."+a.B+";len."+c+(d?";ignored.1":""));a.B=null}; +sWa=function(a){return new Promise(function(b){setTimeout(b,a)})}; +tWa=function(a,b){var c=sJ(b.Y.experiments,"debug_bandaid_hostname");if(c)b=bW(b,c);else{var d;b=null==(d=b.j.get(0))?void 0:d.location.clone()}if((d=b)&&a.videoId){b=RJ(a.videoId);a=[];if(b)for(b=g.t(b),c=b.next();!c.done;c=b.next())a.push(c.value.toString(16).padStart(2,"0"));d.set("id",a.join(""));return d}}; +uWa=function(a,b,c){c=void 0===c?0:c;var d,e;return g.A(function(f){if(1==f.j)return d=[],d.push(b.load()),0a.policy.kb)return a.policy.D&&a.Fa.xa("sabrHeap",{a:""+UX(a.videoTrack),v:""+UX(a.videoTrack)}),!1;if(!a.C)return!0;b=1E3*VX(a.audioTrack,!0);var c=1E3*VX(a.videoTrack,!0)>a.C.targetVideoReadaheadMs;return!(b>a.C.targetAudioReadaheadMs)||!c}; +EWa=function(a,b){b=new NVa(a.policy,b,a.Sa,a.u,a,{Jh:a.Jh,Iz:function(c,d){a.va.DD(c,d)}}); +a.policy.ib&&a.Fa.xa("rqs",QVa(b));return b}; +qY=function(a,b){if(!b.isDisposed()&&!a.isDisposed())if(b.isComplete()&&b.uv())b.dispose();else if(b.YU()?FWa(a,b):b.Wm()?a.Fs(b):GWa(a),!(b.isDisposed()||b instanceof pY)){if(b.isComplete())var c=TUa(b,a.policy,a.u);else c=SUa(b,a.policy,a.u,a.J),1===c&&(a.J=!0);0!==c&&(c=2===c,b=new gY(1,b.info.data),b.u=c,EWa(a,b))}a.Fa.gf()}; +GWa=function(a){for(;a.j.length&&a.j[0].ZU();){var b=a.j.shift();HWa(a,b)}a.j.length&&HWa(a,a.j[0])}; +HWa=function(a,b){if(a.policy.C){var c;var d=((null==(c=a.Fa.Og)?void 0:PRa(c,b.hs()))||0)/1E3}else d=0;if(a.policy.If){c=new Set(b.Up(a.va.Ce()||""));c=g.t(c);for(var e=c.next();!e.done;e=c.next()){var f=e.value;if(!(e=!(b instanceof pY))){var h=a.B,l=h.Sa.fd,m=h.Fa.Ce();e=hVa(h.j,l,m);h=hVa(h.videoInfos,l,m);e=e.includes(f)||h.includes(f)}if(e&&b.Nk(f))for(e=b.Vj(f),f=b.Om(f),e=g.t(e),h=e.next();!h.done;h=e.next()){h=h.value;a.policy.C&&a.policy.C&&d&&3===h.info.type&&wH(h,d);a.policy.D&&b instanceof +pY&&a.Fa.xa("omblss",{s:dH(h.info)});l=h.info.j.info.Ek();m=h.info.j;if(l){var n=a.B;m!==n.u&&(n.u=m,n.aH(m,n.audioTrack,!0))}else n=a.B,m!==n.D&&(n.D=m,n.aH(m,n.videoTrack,!1));SX(l?a.audioTrack:a.videoTrack,f,h)}}}else for(h=b.IT()||rX(a.I),c=new Set(b.Up(a.va.Ce()||"")),a.policy.C?l=c:l=[(null==(f=h.video)?void 0:SG(f,a.Sa.fd,a.va.Ce()))||"",(null==(e=h.audio)?void 0:SG(e,a.Sa.fd,a.va.Ce()))||""],f=g.t(l),e=f.next();!e.done;e=f.next())if(e=e.value,c.has(e)&&b.Nk(e))for(h=b.Vj(e),l=g.t(h),h=l.next();!h.done;h= +l.next())h=h.value,a.policy.C&&d&&3===h.info.type&&wH(h,d),a.policy.D&&b instanceof pY&&a.Fa.xa("omblss",{s:dH(h.info)}),m=b.Om(e),n=h.info.j.info.Ek()?a.audioTrack:a.videoTrack,n.J=!1,SX(n,m,h)}; +FWa=function(a,b){a.j.pop();null==b||b.dispose()}; +IWa=function(a,b){for(var c=[],d=0;d=a.policy.Eo,h=!1;if(f){var l=0;!isNaN(b)&&b>a.D&&(l=b-a.D,a.D=b);l/e=a.policy.hj&&!a.B;if(!f&&!c&&NWa(a,b))return NaN;c&&(a.B=!0);a:{d=h;c=Date.now()/1E3-(a.Wx.bj()||0)-a.J.u-a.policy.Xb;f=a.u.startTime;c=f+c;if(d){if(isNaN(b)){rY(a,NaN,"n",b);f=NaN;break a}d=b-a.policy.dj;d=e.C&&c<=e.B){c=!0;break a}c=!1}return c?!0:(a.xa("ostmf",{ct:a.currentTime,a:b.j.info.Ek()}),!1)}; +TWa=function(a){if(!a.Sa.fd)return!0;var b=a.va.getVideoData(),c,d;if(a.policy.Rw&&!!(null==(c=a.Xa)?0:null==(d=c.w4)?0:d.o8)!==a.Sa.Se)return a.xa("ombplmm",{}),!1;b=b.uc||b.liveUtcStartSeconds||b.aj;if(a.Sa.Se&&b)return a.xa("ombplst",{}),!1;if(a.Sa.oa)return a.xa("ombab",{}),!1;b=Date.now();return jwa(a.Sa)&&!isNaN(a.oa)&&b-a.oa>1E3*a.policy.xx?(a.xa("ombttl",{}),!1):a.Sa.Ge&&a.Sa.B||!a.policy.dE&&a.Sa.isPremiere?!1:!0}; +UWa=function(a,b){var c=b.j,d=a.Sa.fd;if(TWa(a)){var e=a.Ce();if(a.T&&a.T.Xc.has(SG(c,d,e))){if(d=SG(c,d,e),SWa(a,b)){e=new fH(a.T.Om(d));var f=function(h){try{if(h.Wm())a.handleError(h.Ye(),h.Vp()),XX(b,h),hH(h.info)&&aY(a.u,b,c,!0),a.gf();else if(bVa(a.u,h)){var l;null==(l=a.B)||KSa(l,h.info,a.I);a.gf()}}catch(m){h=RK(m),a.handleError(h.errorCode,h.details,h.severity),a.vk()}}; +c.C=!0;gH(e)&&(AUa(b,new bX(a.policy,d,e,a.T,f)),ISa(a.timing))}}else a.xa("ombfmt",{})}}; +tY=function(a,b){b=b||a.videoTrack&&a.videoTrack.u&&a.videoTrack.u.startTime||a.currentTime;var c=a.videoTrack,d=a.ue;b=d.nextVideo&&d.nextVideo.index.uh(b)||0;d.Ga!==b&&(d.Ja={},d.Ga=b,mX(d,d.B));b=!sX(d)&&-1(0,g.M)()-d.ea;var e=d.nextVideo&&3*oX(d,d.nextVideo.info)=b&&VX(c,!0)>=b;else if(c.B.length||d.B.length){var e=c.j.info.dc+d.j.info.dc;e=10*(1-aX(b)/e);b=Math.max(e,b.policy.ph);c=VX(d,!0)>=b&&VX(c,!0)>=b}else c=!0;if(!c)return"abr";c=a.videoTrack;if(0a.currentTime||360(e?e.Ma:-1));if(f)return a.j.hh()&&xY(a),!1;bXa(a,b,c,d.info);if(a.Sa.u&&0===d.info.Ob){if(null==c.qs()){e=RX(b);if(!(f=!e||e.j!==d.info.j)){b:if(e=e.J,f=d.info.J,e.length!==f.length)e=!1;else{for(var h=0;he)){a:{e=a.policy.Qa?(0,g.M)():0;f=d.C||d.B?d.info.j.j:null;h=d.j;d.B&&(h=new LF([]),MF(h,d.B),MF(h,d.j));var l=QF(h);h=a.policy.Qa?(0,g.M)():0;f=eXa(a,c,l,d.info,f);a.policy.Qa&&(!d.info.Ob||d.info.bf||10>d.info.C)&&a.xa("sba",c.lc({as:dH(d.info),pdur:Math.round(h-e),adur:Math.round((0,g.M)()-h)}));if("s"=== +f)a.Aa&&(a.Aa=!1),a.Qa=0,a=!0;else{if("i"===f||"x"===f)fXa(a,"checked",f,d.info);else{if("q"===f){if(!a.Aa){a.Aa=!0;a=!1;break a}d.info.Xg()?(c=a.policy,c.Z=Math.floor(.8*c.Z),c.tb=Math.floor(.8*c.tb),c.ea=Math.floor(.8*c.ea)):(c=a.policy,c.Ga=Math.floor(.8*c.Ga),c.Wc=Math.floor(.8*c.Wc),c.ea=Math.floor(.8*c.ea));HT(a.policy)||pX(a.ue,d.info.j)}wY(a.va,{reattachOnAppend:f})}a=!1}}e=!a}if(e)return!1;b.lw(d);return!0}; +fXa=function(a,b,c,d){var e="fmt.unplayable",f=1;"x"===c||"m"===c?(e="fmt.unparseable",HT(a.policy)||d.j.info.video&&!qX(a.ue)&&pX(a.ue,d.j)):"i"===c&&(15>a.Qa?(a.Qa++,e="html5.invalidstate",f=0):e="fmt.unplayable");d=cH(d);var h;d.mrs=null==(h=a.Wa)?void 0:BI(h);d.origin=b;d.reason=c;a.handleError(e,d,f)}; +TTa=function(a,b,c,d,e){var f=a.Sa;var h=!1,l=-1;for(p in f.j){var m=ZH(f.j[p].info.mimeType)||f.j[p].info.Xg();if(d===m)if(h=f.j[p].index,pH(h,b.Ma)){m=b;var n=h.Go(m.Ma);n&&n.startTime!==m.startTime?(h.segments=[],h.AJ(m),h=!0):h=!1;h&&(l=b.Ma)}else h.AJ(b),h=!0}if(0<=l){var p={};f.ma("clienttemp","resetMflIndex",(p[d?"v":"a"]=l,p),!1)}f=h;GSa(a.j,b,d,f);a.B.VN(b,c,d,e);b.Ma===a.Sa.Ge&&f&&NI(a.Sa)&&b.startTime>NI(a.Sa)&&(a.Sa.jc=b.startTime+(isNaN(a.timestampOffset)?0:a.timestampOffset),a.j.hh()&& +a.j.j=b&&RWa(a,d.startTime,!1)}); +return c&&c.startTime=a.length))for(var b=(0,g.PX)([60,0,75,0,73,0,68,0,62,0]),c=28;cd;++d)b[d]=a[c+2*d];a=UF(b);a=ig(a);if(!a)break;c=a[0];a[0]=a[3];a[3]=c;c=a[1];a[1]=a[2];a[2]=c;c=a[4];a[4]=a[5];a[5]=c;c=a[6];a[6]=a[7];a[7]=c;return a}c++}}; +BY=function(a,b){zY.call(this);var c=this;this.B=a;this.j=[];this.u=new g.Ip(function(){c.ma("log_qoe",{wvagt:"timer",reqlen:c.j?c.j.length:-1});if(c.j){if(0d;d++)c[2*d]=''.charCodeAt(d);a=a.B.createSession("video/mp4",b,c);return new EY(null,null,null,null,a)}; +SXa=function(a,b){var c=a.I[b.sessionId];!c&&a.C&&(c=a.C,a.C=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; +PXa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=a&&(c=.75*a),b=.5*(a- -c),c=new iZ(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new tZ(g.Q(a,"disable_license_delay"),b,this);break a;default:c=null}if(this.F=c)g.D(this,this.F),this.F.subscribe("rotated_need_key_info_ready",this.SB,this);this.ea("Created, key system "+this.u.u+", final EME "+wC(this.W.experiments));vZ(this,"cks"+this.u.Te());c=this.u;"com.youtube.widevine.forcehdcp"===c.u&&c.D&&(this.Qa=new sZ(this.videoData.Bh,this.W.experiments),g.D(this,this.Qa))}; -wxa=function(a){var b=qZ(a.D);b?b.then(Eo(function(){xxa(a)}),Eo(function(c){if(!a.na()){a.ea(); -M(c);var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.V("licenseerror","drm.unavailable",!0,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.ea(),vZ(a,"mdkrdy"),a.P=!0); -a.X&&(b=qZ(a.X))}; -yxa=function(a,b,c){a.Ga=!0;c=new zy(b,c);a.W.ba("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));a.W.ba("html5_process_all_encrypted_events")?xZ(a,c):a.W.ba("html5_eme_loader_sync")?xZ(a,c):0!==a.C.length&&a.videoData.La&&a.videoData.La.Lc()?yZ(a):xZ(a,c)}; -zxa=function(a,b){vZ(a,"onneedkeyinfo");g.Q(a.W.experiments,"html5_eme_loader_sync")&&(a.R.get(b.initData)||a.R.set(b.initData,b));xZ(a,b)}; -Bxa=function(a,b){if(pC(a.u)&&!a.fa){var c=Yfa(b);if(0!==c.length){var d=new zy(c);a.fa=!0;navigator.requestMediaKeySystemAccess("com.microsoft.playready",[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}]).then(function(e){e.createMediaKeys().then(function(f){Axa(a,f,d)})},null)}}}; -Axa=function(a,b,c){var d=b.createSession(),e=a.B.values[0],f=Zwa(e);d.addEventListener("message",function(h){h=new Uint8Array(h.message);nxa(h,d,a.u.C,f,"playready")}); -d.addEventListener("keystatuseschange",function(){"usable"in d.keyStatuses&&(a.ha=!0,Cxa(a,hxa(e,a.ha)))}); -d.generateRequest("cenc",c.initData)}; -xZ=function(a,b){if(!a.na()){vZ(a,"onInitData");if(g.Q(a.W.experiments,"html5_eme_loader_sync")&&a.videoData.La&&a.videoData.La.Lc()){var c=a.R.get(b.initData),d=a.I.get(b.initData);if(!c||!d)return;b=c;c=b.initData;a.I.remove(c);a.R.remove(c)}a.ea();vZ(a,"initd."+b.initData.length+";ct."+b.contentType);"widevine"===a.u.flavor?a.ia&&!a.videoData.isLivePlayback?a.W.ba("html5_process_all_encrypted_events")&&yZ(a):g.Q(a.W.experiments,"vp9_drm_live")&&a.videoData.isLivePlayback&&b.Zd||(a.ia=!0,c=b.cryptoPeriodIndex, -d=b.u,Ay(b),b.Zd||(d&&b.u!==d?a.V("ctmp","cpsmm","emsg."+d+";pssh."+b.u):c&&b.cryptoPeriodIndex!==c&&a.V("ctmp","cpimm","emsg."+c+";pssh."+b.cryptoPeriodIndex)),a.V("widevine_set_need_key_info",b)):a.SB(b)}}; -xxa=function(a){if(!a.na())if(g.Q(a.W.experiments,"html5_drm_set_server_cert")&&!g.wD(a.W)){var b=rxa(a.D);b?b.then(Eo(function(c){CI(a.videoData)&&a.V("ctmp","ssc",c)}),Eo(function(c){a.V("ctmp","ssce","n."+c.name+";m."+c.message)})).then(Eo(function(){zZ(a)})):zZ(a)}else zZ(a)}; -zZ=function(a){a.na()||(a.P=!0,a.ea(),vZ(a,"onmdkrdy"),yZ(a))}; -yZ=function(a){if(a.Ga&&a.P&&!a.Y){for(;a.C.length;){var b=a.C[0];if(a.B.get(b.initData))if("fairplay"===a.u.flavor)a.B.remove(b.initData);else{a.C.shift();continue}Ay(b);break}a.C.length&&a.createSession(a.C[0])}}; -Cxa=function(a,b){var c=FC("auto",b,!1,"l");if(g.Q(a.W.experiments,"html5_drm_initial_constraint_from_config")?a.videoData.eq:g.Q(a.W.experiments,"html5_drm_start_from_null_constraint")){if(EC(a.K,c))return}else if(IC(a.K,b))return;a.K=c;a.V("qualitychange");a.ea();vZ(a,"updtlq"+b)}; -vZ=function(a,b,c){c=void 0===c?!1:c;a.na()||(a.ea(),(CI(a.videoData)||c)&&a.V("ctmp","drmlog",b))}; -Dxa=function(a){var b;if(b=g.gr()){var c;b=!(null===(c=a.D.B)||void 0===c||!c.u)}b&&(b=a.D,b=b.B&&b.B.u?b.B.u():null,vZ(a,"mtr."+g.sf(b,3),!0))}; -AZ=function(a,b,c){g.O.call(this);this.videoData=a;this.Sa=b;this.playerVisibility=c;this.Nq=0;this.da=this.Ba=null;this.F=this.B=this.u=!1;this.D=this.C=0}; -DZ=function(a,b,c){var d=!1,e=a.Nq+3E4<(0,g.N)()||!1,f;if(f=a.videoData.ba("html5_pause_on_nonforeground_platform_errors")&&!e)f=a.playerVisibility,f=!!(f.u||f.isInline()||f.isBackground()||f.pictureInPicture||f.B);f&&(c.nonfg="paused",e=!0,a.V("pausevideo"));f=a.videoData.Oa;if(!e&&((null===f||void 0===f?0:hx(f))||(null===f||void 0===f?0:fx(f))))if(a.videoData.ba("html5_disable_codec_on_platform_errors"))a.Sa.D.R.add(f.Db),d=e=!0,c.cfalls=f.Db;else{var h;if(h=a.videoData.ba("html5_disable_codec_for_playback_on_error")&& -a.Ba){h=a.Ba.K;var l=f.Db;h.Aa.has(l)?h=!1:(h.Aa.add(l),h.aa=-1,VD(h,h.F),h=!0)}h&&(d=e=!0,c.cfallp=f.Db)}if(!e)return Exa(a,c);a.Nq=(0,g.N)();e=a.videoData;e=e.fh?e.fh.dD()=a.Sa.Aa)return!1;b.exiled=""+a.Sa.Aa;BZ(a,"qoe.start15s",b);a.V("playbackstalledatstart");return!0}; -Gxa=function(a){if("GAME_CONSOLE"!==a.Sa.deviceParams.cplatform)try{window.close()}catch(b){}}; -Fxa=function(a){return a.u||"yt"!==a.Sa.Y?!1:a.videoData.Rg?25>a.videoData.pj:!a.videoData.pj}; -CZ=function(a){a.u||(a.u=!0,a.V("signatureexpiredreloadrequired"))}; -Hxa=function(a,b){if(a.da&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.da.Sh();b.details.merr=c?c.toString():"0";b.details.msg=a.da.Bo()}}; -Ixa=function(a){return"net.retryexhausted"===a.errorCode||"net.badstatus"===a.errorCode&&!!a.details.fmt_unav}; -Kxa=function(a,b,c){if("403"===b.details.rc){var d=b.errorCode;d="net.badstatus"===d||"manifest.net.retryexhausted"===d}else d=!1;if(!d)return!1;b.details.sts="18610";if(Fxa(a))return c?(a.B=!0,a.V("releaseloader")):(b.u&&(b.details.e=b.errorCode,b.errorCode="qoe.restart",b.u=!1),BZ(a,b.errorCode,b.details),CZ(a)),!0;6048E5<(0,g.N)()-a.Sa.Ta&&Jxa(a,"signature");return!1}; -Jxa=function(a,b){try{window.location.reload();BZ(a,"qoe.restart",{detail:"pr."+b});return}catch(c){}a.Sa.ba("tvhtml5_retire_old_players")&&g.wD(a.Sa)&&Gxa(a)}; -Lxa=function(a,b){a.Sa.D.B=!1;BZ(a,"qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});a.V("formatupdaterequested")}; -EZ=function(a,b,c,d){a.V("clienttemp",b,c,(void 0===d?{BA:!1}:d).BA)}; -BZ=function(a,b,c){a.V("qoeerror",b,c)}; -Mxa=function(a,b,c,d){this.videoData=a;this.u=b;this.reason=c;this.B=d}; -Nxa=function(a){navigator.mediaCapabilities?FZ(a.videoInfos).then(function(){return a},function(){return a}):Ys(a)}; -FZ=function(a){var b=navigator.mediaCapabilities;if(!b)return Ys(a);var c=a.map(function(d){return b&&b.decodingInfo({type:"media-source",video:d.video?{contentType:d.mimeType,width:d.video.width||640,height:d.video.height||360,bitrate:8*d.zb||1E6,framerate:d.video.fps||30}:null})}); -return qda(c).then(function(d){for(var e=0;eWC(a.W.fd,"sticky-lifetime")?"auto":HZ():HZ()}; -Rxa=function(a,b){var c=new DC(0,0,!1,"o");if(a.ba("html5_varispeed_playback_rate")&&1(0,g.N)()-a.F?0:f||0h?a.C+1:0;if(!e||g.wD(a.W))return!1;a.B=d>e?a.B+1:0;if(3!==a.B)return!1;Uxa(a,b.videoData.Oa);a.u.Na("dfd",Wxa());return!0}; -Yxa=function(a,b){return 0>=g.P(a.W.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.Ma()&&32=l){d=l;break}}return new DC(0,d,!1,"b")}; -aya=function(a,b){a.ba("html5_log_media_perf_info")&&(a.u.Na("perfdb",Wxa()),a.u.Na("hwc",""+navigator.hardwareConcurrency,!0),b&&a.u.Na("mcdb",b.La.videoInfos.filter(function(c){return!1===c.D}).map(function(c){return c.Yb()}).join("-")))}; -Wxa=function(){var a=Hb(IZ(),function(b){return""+b}); -return g.vB(a)}; -JZ=function(a,b){g.C.call(this);this.provider=a;this.I=b;this.u=-1;this.F=!1;this.B=-1;this.playerState=new g.AM;this.seekCount=this.nonNetworkErrorCount=this.networkErrorCount=this.rebufferTimeSecs=this.playTimeSecs=this.D=0;this.delay=new g.F(this.send,6E4,this);this.C=!1;g.D(this,this.delay)}; -bya=function(a){0<=a.u||(3===a.provider.getVisibilityState()?a.F=!0:(a.u=g.rY(a.provider),a.delay.start()))}; -cya=function(a){if(!(0>a.B)){var b=g.rY(a.provider),c=b-a.D;a.D=b;8===a.playerState.state?a.playTimeSecs+=c:g.IM(a.playerState)&&!g.U(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; -dya=function(a){switch(a.W.lu){case "canary":return"HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";case "holdback":return"HTML5_PLAYER_CANARY_TYPE_CONTROL";default:return"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}}; -eya=function(a){return(!a.ba("html5_health_to_gel")||a.W.Ta+36E5<(0,g.N)())&&(a.ba("html5_health_to_gel_canary_killswitch")||a.W.Ta+36E5<(0,g.N)()||"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"===dya(a))?a.ba("html5_health_to_qoe"):!0}; -KZ=function(a,b,c,d,e){var f={format:"RAW"},h={};cq(a)&&dq()&&(c&&(h["X-Goog-Visitor-Id"]=c),b&&(h["X-Goog-PageId"]=b),d&&(h.Authorization="Bearer "+d),c||d||b)&&(f.withCredentials=!0);0a.F.xF+100&&a.F){var d=a.F,e=d.isAd;a.ia=1E3*b-d.NR-(1E3*c-d.xF)-d.FR;a.Na("gllat","l."+a.ia.toFixed()+";prev_ad."+ +e);delete a.F}}; -PZ=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.rY(a.provider);var c=a.provider.zq();if(!isNaN(a.X)&&!isNaN(c.B)){var d=c.B-a.X;0a.u)&&2m;!(1=e&&(M(Error("invalid coreTime.now value: "+e)),e=(new Date).getTime()+2);return e},g.Q(a.W.experiments,"html5_validate_yt_now")),c=b(); -a.B=function(){return Math.round(b()-c)/1E3}; -a.F()}return a.B}; -fya=function(a){if(navigator.connection&&navigator.connection.type)return zya[navigator.connection.type]||zya.other;if(g.wD(a.W)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; -TZ=function(a){var b=new xya;b.B=a.De().cc||"-";b.playbackRate=a.getPlaybackRate();var c=a.getVisibilityState();0!==c&&(b.visibilityState=c);a.W.ke&&(b.C=1);c=a.getAudioTrack();c.u&&c.u.id&&"und"!==c.u.id&&(b.u=c.u.id);b.connectionType=fya(a);b.volume=a.De().volume;b.muted=a.De().muted;b.clipId=a.De().clipid||"-";b.In=a.videoData.In||"-";return b}; -g.f_=function(a){g.C.call(this);var b=this;this.provider=a;this.B=this.qoe=this.u=null;this.C=void 0;this.D=new Map;this.provider.videoData.isValid()&&!this.provider.videoData.mp&&(this.u=new ZZ(this.provider),g.D(this,this.u),this.qoe=new g.NZ(this.provider),g.D(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.C=this.provider.videoData.clientPlaybackNonce)&&this.D.set(this.C,this.u));eya(this.provider)&&(this.B=new JZ(this.provider,function(c){b.Na("h5h",c)}),g.D(this,this.B))}; -Aya=function(a){var b;a.provider.videoData.enableServerStitchedDai&&a.C?null===(b=a.D.get(a.C))||void 0===b?void 0:UZ(b.u):a.u&&UZ(a.u.u)}; -Bya=function(a,b){a.u&&wya(a.u,b)}; -Cya=function(a){if(!a.u)return null;var b=$Z(a.u,"atr");return function(c){a.u&&wya(a.u,c,b)}}; -Dya=function(a,b,c){var d=new g.rI(b.W,c);d.adFormat=d.Xo;b=new ZZ(new e_(d,b.W,b.De,function(){return d.lengthSeconds},b.u,b.zq,b.D,function(){return d.getAudioTrack()},b.getPlaybackRate,b.C,b.getVisibilityState,b.fu,b.F,b.Mi)); -b.F=a.provider.u();g.D(a,b);return b}; -Eya=function(a){this.D=this.mediaTime=NaN;this.B=this.u=!1;this.C=.001;a&&(this.C=a)}; -g_=function(a,b){return b>a.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.D=c;return!1}; -Fya=function(a,b){this.videoData=a;this.La=b}; -Gya=function(a,b,c){return b.Vs(c).then(function(){return Ys(new Fya(b,b.La))},function(d){d instanceof Error&&g.Fo(d); -d=b.isLivePlayback&&!g.BC(a.D,!0)?"html5.unsupportedlive":"fmt.noneavailable";var e={buildRej:"1",a:""+ +!!b.adaptiveFormats,d:""+ +!!b.Og,drm:""+ +TI(b),f18:""+ +(0<=b.xs.indexOf("itag=18")),c18:""+ +nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')};b.ra&&(TI(b)?(e.f142=""+ +!!b.ra.u["142"],e.f149=""+ +!!b.ra.u["149"],e.f279=""+ +!!b.ra.u["279"]):(e.f133=""+ +!!b.ra.u["133"],e.f140=""+ +!!b.ra.u["140"],e.f242=""+ +!!b.ra.u["242"]),e.cAVC=""+ +oB('video/mp4; codecs="avc1.42001E"'),e.cAAC=""+ +oB('audio/mp4; codecs="mp4a.40.2"'), -e.cVP9=""+ +oB('video/webm; codecs="vp9"'));if(b.md){e.drmsys=b.md.u;var f=0;b.md.B&&(f=Object.keys(b.md.B).length);e.drmst=""+f}return new uB(d,!0,e)})}; -Hya=function(a){this.F=a;this.C=this.B=0;this.D=new PY(50)}; -j_=function(a,b,c){g.O.call(this);this.videoData=a;this.experiments=b;this.R=c;this.B=[];this.D=0;this.C=!0;this.F=!1;this.I=0;c=new Iya;"ULTRALOW"===a.latencyClass&&(c.D=!1);a.Zi?c.B=3:g.eJ(a)&&(c.B=2);g.Q(b,"html5_adaptive_seek_to_head_killswitch")||"NORMAL"!==a.latencyClass||(c.I=!0);var d=OI(a);c.F=2===d||-1===d;c.F&&(c.X++,21530001===MI(a)&&(c.K=g.P(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(dr("trident/")||dr("edge/"))d=g.P(b,"html5_platform_minimum_readahead_seconds")||3,c.C=Math.max(c.C, -d);g.P(b,"html5_minimum_readahead_seconds")&&(c.C=g.P(b,"html5_minimum_readahead_seconds"));g.P(b,"html5_maximum_readahead_seconds")&&(c.R=g.P(b,"html5_maximum_readahead_seconds"));g.Q(b,"html5_force_adaptive_readahead")&&(c.D=!0);g.P(b,"html5_allowable_liveness_drift_chunks")&&(c.u=g.P(b,"html5_allowable_liveness_drift_chunks"));g.P(b,"html5_readahead_ratelimit")&&(c.P=g.P(b,"html5_readahead_ratelimit"));switch(MI(a)){case 21530001:c.u=(c.u+1)/5,"LOW"===a.latencyClass&&(c.u*=2),c.Y=g.Q(b,"html5_live_smoothly_extend_max_seekable_time")}this.policy= -c;this.K=1!==this.policy.B;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Zi&&b--;a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(MI(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.F&&b++;this.u=i_(this,b);this.ea()}; -Jya=function(a,b){var c=a.u;(void 0===b?0:b)&&a.policy.Y&&3===OI(a.videoData)&&--c;return k_(a)*c}; -l_=function(a,b){var c=a.Fh();var d=a.policy.u;a.F||(d=Math.max(d-1,0));d*=k_(a);return b>=c-d}; -Kya=function(a,b,c){b=l_(a,b);c||b?b&&(a.C=!0):a.C=!1;a.K=2===a.policy.B||3===a.policy.B&&a.C}; -Lya=function(a,b){var c=l_(a,b);a.F!==c&&a.V("livestatusshift",c);a.F=c}; -k_=function(a){return a.videoData.ra?ZB(a.videoData.ra)||5:5}; -i_=function(a,b){b=Math.max(Math.max(a.policy.X,Math.ceil(a.policy.C/k_(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.R/k_(a))),b)}; -Iya=function(){this.X=1;this.C=0;this.R=Infinity;this.P=0;this.D=!0;this.u=2;this.B=1;this.F=!1;this.K=NaN;this.Y=this.I=!1}; -o_=function(a,b,c,d,e){g.C.call(this);this.W=a;this.videoData=b;this.V=c;this.visibility=d;this.P=e;this.Ba=this.da=null;this.D=this.u=0;this.B={};this.playerState=new g.AM;this.C=new g.F(this.X,1E3,this);g.D(this,this.C);this.fa=new m_({delayMs:g.P(this.W.experiments,"html5_seek_timeout_delay_ms")});this.R=new m_({delayMs:g.P(this.W.experiments,"html5_long_rebuffer_threshold_ms")});this.ha=n_(this,"html5_seek_set_cmt");this.Y=n_(this,"html5_seek_jiggle_cmt");this.aa=n_(this,"html5_seek_new_elem"); -n_(this,"html5_decoder_freeze_timeout");this.ma=n_(this,"html5_unreported_seek_reseek");this.I=n_(this,"html5_long_rebuffer_jiggle_cmt");this.K=n_(this,"html5_reload_element_long_rebuffer");this.F=n_(this,"html5_ads_preroll_lock_timeout");this.ia=new m_({delayMs:g.P(this.W.experiments,"html5_skip_slow_ad_delay_ms")||5E3,Yp:!g.Q(this.W.experiments,"html5_report_slow_ads_as_error")})}; -n_=function(a,b){var c=g.P(a.W.experiments,b+"_delay_ms"),d=g.Q(a.W.experiments,b+"_cfl");return new m_({delayMs:c,Yp:d})}; -p_=function(a,b,c,d,e,f,h){Mya(b,c)?(d=a.sb(b),d.wn=h,d.wdup=a.B[e]?"1":"0",a.V("qoeerror",e,d),a.B[e]=!0,b.Yp||f()):(b.Vv&&b.B&&!b.D?(f=(0,g.N)(),d?b.u||(b.u=f):b.u=0,c=!d&&f-b.B>b.Vv,f=b.u&&f-b.u>b.eA||c?b.D=!0:!1):f=!1,f&&(f=a.sb(b),f.wn=h,f.we=e,f.wsuc=""+ +d,h=g.vB(f),a.V("ctmp","workaroundReport",h),d&&(b.reset(),a.B[e]=!1)))}; -m_=function(a){a=void 0===a?{}:a;var b=void 0===a.eA?1E3:a.eA,c=void 0===a.Vv?3E4:a.Vv,d=void 0===a.Yp?!1:a.Yp;this.F=Math.ceil((void 0===a.delayMs?0:a.delayMs)/1E3);this.eA=b;this.Vv=c;this.Yp=d;this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -Mya=function(a,b){if(!a.F||a.B)return!1;if(!b)return a.reset(),!1;var c=(0,g.N)();if(!a.startTimestamp)a.startTimestamp=c,a.C=0;else if(a.C>=a.F)return a.B=c,!0;a.C+=1;return!1}; -r_=function(a,b,c,d){g.O.call(this);var e=this;this.videoData=a;this.W=b;this.visibility=c;this.Ta=d;this.policy=new Nya(this.W);this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);a={};this.fa=(a.seekplayerrequired=this.QR,a.videoformatchange=this.Gz,a);this.playbackData=null;this.Aa=new rt;this.K=this.u=this.Ba=this.da=null;this.B=NaN;this.C=0;this.D=null;this.ha=NaN;this.F=this.R=null;this.X=this.P=!1;this.aa=new g.F(function(){Oya(e,!1)},this.policy.u); -this.Ya=new g.F(function(){q_(e)}); -this.ma=new g.F(function(){e.ea();e.P=!0;Pya(e)}); -this.Ga=this.timestampOffset=0;this.ia=!0;this.Ja=0;this.Qa=NaN;this.Y=new g.F(function(){var f=e.W.fd;f.u+=1E4/36E5;f.u-f.C>1/6&&(TC(f),f.C=f.u);e.Y.start()},1E4); -this.ba("html5_unrewrite_timestamps")?this.fa.timestamp=this.ip:this.fa.timestamp=this.BM;g.D(this,this.Aa);g.D(this,this.aa);g.D(this,this.ma);g.D(this,this.Ya);g.D(this,this.Y)}; -Qya=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.K=new Hya(function(){a:{if(a.playbackData&&a.playbackData.La.Lc()){if(LI(a.videoData)&&a.Ba){var c=a.Ba.Ya.u()||0;break a}if(a.videoData.ra){c=a.videoData.ra.R;break a}}c=0}return c}),a.u=new j_(a.videoData,a.W.experiments,function(){return a.Oc(!0)})); -a.videoData.startSeconds&&isFinite(a.videoData.startSeconds)&&1E9=e.B&&cd.D||g.A()-d.I=a.Oc()-.1)a.B=a.Oc(),a.D.resolve(a.Oc()),a.V("ended");else try{var c=a.B-a.timestampOffset;a.ea();a.da.seekTo(c);a.I.u=c;a.ha=c;a.C=a.B}catch(d){a.ea()}}}; -Wya=function(a){if(!a.da||0===a.da.yg()||0a;a++)this.F[a]^=92,this.C[a]^=54;this.reset()}; -$ya=function(a,b,c){for(var d=[],e=0;16>e;e++)d.push(b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3]),c+=4;for(b=16;64>b;b++)c=d[b-7]+d[b-16],e=d[b-2],c+=(e>>>17|e<<15)^(e>>>19|e<<13)^e>>>10,e=d[b-15],c+=(e>>>7|e<<25)^(e>>>18|e<<14)^e>>>3,d.push(c);b=a.u[0];c=a.u[1];e=a.u[2];for(var f=a.u[3],h=a.u[4],l=a.u[5],m=a.u[6],n=a.u[7],p,r,t=0;64>t;t++)p=n+Zya[t]+d[t]+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^~h&m),r=((b>>>2|b<<30)^(b>>>13|b<<19)^(b>>>22|b<<10))+(b&c^b&e^c&e),n=m,m=l,l=h,h=f+p,f=e,e=c,c=b,b= -p+r;a.u[0]=b+a.u[0]|0;a.u[1]=c+a.u[1]|0;a.u[2]=e+a.u[2]|0;a.u[3]=f+a.u[3]|0;a.u[4]=h+a.u[4]|0;a.u[5]=l+a.u[5]|0;a.u[6]=m+a.u[6]|0;a.u[7]=n+a.u[7]|0}; -bza=function(a){var b=new Uint8Array(32),c=64-a.B;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.u[c]>>>24,b[4*c+1]=a.u[c]>>>16&255,b[4*c+2]=a.u[c]>>>8&255,b[4*c+3]=a.u[c]&255;aza(a);return b}; -aza=function(a){a.u=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.D=0;a.B=0}; -cza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p,r,t;return xa(e,function(w){switch(w.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){w.u=2;break}h=window.crypto.subtle;l={name:"HMAC",hash:{name:"SHA-256"}};m=["sign"];n=new Uint8Array(b.length+c.length);n.set(b);n.set(c,b.length);w.C=3;return sa(w,h.importKey("raw",a,l,!1,m),5);case 5:return p=w.B,sa(w,h.sign(l,p,n),6);case 6:r=w.B;f=new Uint8Array(r);ta(w,2);break;case 3:ua(w);case 2:if(!f){t=new y_(a); -t.update(b);t.update(c);var y=bza(t);t.update(t.F);t.update(y);y=bza(t);t.reset();f=y}return w["return"](f)}})})}; -eza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p;return xa(e,function(r){switch(r.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){r.u=2;break}h=window.crypto.subtle;l={name:"AES-CTR",counter:c,length:128};r.C=3;return sa(r,dza(a),5);case 5:return m=r.B,sa(r,h.encrypt(l,m,b),6);case 6:n=r.B;f=new Uint8Array(n);ta(r,2);break;case 3:ua(r);case 2:return f||(p=new QS(a),Ura(p,c),f=p.encrypt(b)),r["return"](f)}})})}; -dza=function(a){return window.crypto.subtle.importKey("raw",a,{name:"AES-CTR"},!1,["encrypt"])}; -z_=function(a){var b=this,c=new QS(a);return function(d,e){return We(b,function h(){return xa(h,function(l){Ura(c,e);return l["return"](new Uint8Array(c.encrypt(d)))})})}}; -A_=function(a){this.u=a;this.iv=nZ(Ht())}; -fza=function(a,b){return We(a,function d(){var e=this;return xa(d,function(f){return f["return"](cza(e.u.B,b,e.iv))})})}; -B_=function(a){this.B=a;this.D=this.u=0;this.C=-1}; -C_=function(a){var b=Vv(a.B,a.u);++a.u;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=Vv(a.B,a.u),++a.u,d*=128,c+=(b&127)*d;return c}; -D_=function(a,b){for(a.D=b;a.u+1<=a.B.totalLength;){var c=a.C;0>c&&(c=C_(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.C=c;break}switch(e){case 0:C_(a);break;case 1:a.u+=8;break;case 2:c=C_(a);a.u+=c;break;case 5:a.u+=4}}return!1}; -E_=function(a,b,c){c=void 0===c?0:c;return D_(a,b)?C_(a):c}; -F_=function(a,b){var c=void 0===c?"":c;if(!D_(a,b))return c;c=C_(a);if(!c)return"";var d=Tv(a.B,a.u,c);a.u+=c;return g.v.TextDecoder?(new TextDecoder).decode(d):g.Ye(d)}; -G_=function(a,b){var c=void 0===c?null:c;if(!D_(a,b))return c;c=C_(a);var d=Tv(a.B,a.u,c);a.u+=c;return d}; -gza=function(a){this.iv=G_(new B_(a),5)}; -hza=function(a){a=G_(new B_(a),4);this.u=new gza(new Mv([a]))}; -jza=function(a){a=new B_(a);this.u=E_(a,1);this.itag=E_(a,3);this.lastModifiedTime=E_(a,4);this.xtags=F_(a,5);E_(a,6);E_(a,8);E_(a,9,-1);E_(a,10);this.B=this.itag+";"+this.lastModifiedTime+";"+this.xtags;this.isAudio="audio"===iza[cx[""+this.itag]]}; -kza=function(a){this.body=null;a=new B_(a);this.onesieProxyStatus=E_(a,1,-1);this.body=G_(a,4)}; -lza=function(a){a=new B_(a);this.startTimeMs=E_(a,1);this.endTimeMs=E_(a,2)}; -mza=function(a){var b=new B_(a);a=F_(b,3);var c=E_(b,5);this.u=E_(b,7);var d=G_(b,14);this.B=new lza(new Mv([d]));b=F_(b,15);this.C=a+";"+c+";"+b}; -nza=function(a){this.C=a;this.B=!1;this.u=[]}; -oza=function(a){for(;a.u.length&&!a.u[0].isEncrypted;){var b=a.u.shift();a.C(b.streamId,b.buffer)}}; -pza=function(a){var b,c;return We(this,function e(){var f=this,h,l,m,n;return xa(e,function(p){switch(p.u){case 1:h=f;if(null===(c=null===(b=window.crypto)||void 0===b?void 0:b.subtle)||void 0===c||!c.importKey)return p["return"](z_(a));l=window.crypto.subtle;p.C=2;return sa(p,dza(a),4);case 4:m=p.B;ta(p,3);break;case 2:return ua(p),p["return"](z_(a));case 3:return p["return"](function(r,t){return We(h,function y(){var x,B;return xa(y,function(E){if(1==E.u){if(n)return E["return"](n(r,t));x={name:"AES-CTR", -counter:t,length:128};E.C=2;B=Uint8Array;return sa(E,l.encrypt(x,m,r),4)}if(2!=E.u)return E["return"](new B(E.B));ua(E);n=z_(a);return E["return"](n(r,t))})})})}})})}; -H_=function(a){g.O.call(this);var b=this;this.D=a;this.u={};this.C={};this.B=this.iv=null;this.queue=new nza(function(c,d){b.ea();b.V("STREAM_DATA",{id:c,data:d})})}; -qza=function(a,b,c){var d=Vv(b,0);b=Tv(b,1);d=a.u[d]||null;a.ea();d&&(a=a.queue,a.u.push({streamId:d,buffer:b,isEncrypted:c}),a.B||oza(a))}; -rza=function(a,b){We(a,function d(){var e=this,f,h,l,m,n,p,r,t;return xa(d,function(w){switch(w.u){case 1:return e.ea(),e.V("PLAYER_RESPONSE_RECEIVED"),f=Tv(b),w.C=2,sa(w,e.D(f,e.iv),4);case 4:h=w.B;ta(w,3);break;case 2:return l=ua(w),e.ea(),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:l}),w["return"]();case 3:m=new kza(new Mv([h]));if(1!==m.onesieProxyStatus)return n={st:m.onesieProxyStatus},p=new uB("onesie.response.badproxystatus",!1,n),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:p}),w["return"]();r=m.body; -t=g.v.TextDecoder?(new TextDecoder).decode(r):g.Ye(r);e.ea();e.V("PLAYER_RESPONSE_READY",t);w.u=0}})})}; -I_=function(){this.u=0;this.C=void 0;this.B=new Uint8Array(4096);this.view=new DataView(this.B.buffer);g.v.TextEncoder&&(this.C=new TextEncoder)}; -J_=function(a,b){var c=a.u+b;if(!(a.B.length>=c)){for(var d=2*a.B.length;dd;d++)a.view.setUint8(a.u,c&127|128),c>>=7,a.u+=1;b=Math.floor(b/268435456)}for(J_(a,4);127>=7,a.u+=1;a.view.setUint8(a.u,b);a.u+=1}; -L_=function(a,b,c){K_(a,b<<3|2);b=c.length;K_(a,b);J_(a,b);a.B.set(c,a.u);a.u+=b}; -M_=function(a,b,c){c=a.C?a.C.encode(c):new Uint8Array(nZ(g.Xe(c)).buffer);L_(a,b,c)}; -N_=function(a){return new Uint8Array(a.B.buffer,0,a.u)}; -sza=function(a){var b=a.encryptedOnesiePlayerRequest,c=a.encryptedClientKey,d=a.iv;a=a.hmac;this.serializeResponseAsJson=!0;this.encryptedOnesiePlayerRequest=b;this.encryptedClientKey=c;this.iv=d;this.hmac=a}; -O_=function(a){var b=a.value;this.name=a.name;this.value=b}; -tza=function(a){var b=a.httpHeaders,c=a.postBody;this.url=a.url;this.httpHeaders=b;this.postBody=c}; -uza=function(a){this.Hx=a.Hx}; -vza=function(a,b){if(b+1<=a.totalLength){var c=Vv(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)c=Vv(a,b++);else if(2===c){c=Vv(a,b++);var d=Vv(a,b++);c=(c&63)+64*d}else if(3===c){c=Vv(a,b++);d=Vv(a,b++);var e=Vv(a,b++);c=(c&31)+32*(d+256*e)}else if(4===c){c=Vv(a,b++);d=Vv(a,b++);e=Vv(a,b++);var f=Vv(a,b++);c=(c&15)+16*(d+256*(e+256*f))}else c=b+1,a.focus(c),Qv(a,c,4)?c=Rv(a).getUint32(c-a.C,!0):(d=Vv(a,c+2)+256*Vv(a,c+3),c=Vv(a,c)+256*(Vv(a, -c+1)+256*d)),b+=5;return[c,b]}; -wza=function(a){this.B=a;this.u=new Mv}; -xza=function(a){var b=g.q(vza(a.u,0));var c=b.next().value;var d=b.next().value;d=g.q(vza(a.u,d));b=d.next().value;d=d.next().value;!(0>c||0>b)&&d+b<=a.u.totalLength&&(d=a.u.split(d).ln.split(b),b=d.iu,d=d.ln,a.B(c,b),a.u=d,xza(a))}; -zza=function(a){var b,c;a:{var d,e=a.T().xi;if(e){var f=null===(c=yza())||void 0===c?void 0:c.primary;if(f&&e.baseUrl){c=new vw("https://"+f+e.baseUrl);if(e=null===(d=a.Cv)||void 0===d?void 0:d.urlQueryOverride)for(d=Cw(e),d=g.q(Object.entries(d)),e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,c.set(e,f);if(!c.get("id")){e=SC(a.videoId);d=[];if(e)for(e=g.q(e),f=e.next();!f.done;f=e.next())d.push(f.value.toString(16).padStart(2,"0"));d=d.join("");if(!d){c=void 0;break a}c.set("id", -d)}break a}}c=void 0}!c&&(null===(b=a.Cv)||void 0===b?0:b.url)&&(c=new vw(a.Cv.url));if(!c)return"";c.set("ack","1");c.set("cpn",a.clientPlaybackNonce);c.set("opr","1");c.set("pvi","135");c.set("pai","140");c.set("oad","0");c.set("ovd","0");c.set("oaad","0");c.set("oavd","0");return c.Ld()}; -P_=function(a,b,c){var d=this;this.videoData=a;this.eb=b;this.playerRequest=c;this.xhr=null;this.u=new py;this.D=!1;this.C=new g.F(this.F,1E4,this);this.W=a.T();this.B=new A_(this.W.xi.u);this.K=new wza(function(e,f){d.I.feed(e,f)}); -this.I=Aza(this)}; -Aza=function(a){var b=new H_(function(c,d){return a.B.decrypt(c,d)}); -b.subscribe("FIRST_BYTE_RECEIVED",function(){a.eb.tick("orfb");a.D=!0}); -b.subscribe("PLAYER_RESPONSE_READY",function(c){a.eb.tick("oprr");a.u.resolve(c);a.C.stop()}); -b.subscribe("PLAYER_RESPONSE_RECEIVED",function(){a.eb.tick("orpr")}); -b.subscribe("PLAYER_RESPONSE_FAILED",function(c){Q_(a,c.errorInfo)}); +GY=function(){this.keys=[];this.values=[]}; +VXa=function(a,b,c){g.dE.call(this);this.element=a;this.videoData=b;this.Y=c;this.j=this.videoData.J;this.drmSessionId=this.videoData.drmSessionId||g.Bsa();this.u=new Map;this.I=new GY;this.J=new GY;this.B=[];this.Ja=2;this.oa=new g.bI(this);this.La=this.Aa=!1;this.heartbeatParams=null;this.ya=this.ea=!1;this.D=null;this.Ga=!1;(a=this.element)&&(a.addKey||a.webkitAddKey)||ZI()||hJ(c.experiments);this.Y.K("html5_enable_vp9_fairplay")&&dJ(this.j)?c=TXa:(c=this.videoData.hm,c="fairplay"===this.j.flavor|| +c?ZL:TXa);this.T=c;this.C=new FY(this.element,this.j);g.E(this,this.C);$I(this.j)&&(this.Z=new FY(this.element,this.j),g.E(this,this.Z));g.E(this,this.oa);c=this.element;this.j.keySystemAccess?this.oa.S(c,"encrypted",this.Y5):Kz(this.oa,c,$I(this.j)?["msneedkey"]:["needkey","webkitneedkey"],this.v6);UXa(this);a:switch(c=this.j,a=this.u,c.flavor){case "fairplay":if(b=/\sCobalt\/(\S+)\s/.exec(g.hc())){a=[];b=g.t(b[1].split("."));for(var d=b.next();!d.done;d=b.next())d=parseInt(d.value,10),0<=d&&a.push(d); +a=parseFloat(a.join("."))}else a=NaN;19.2999=a&&(c=.75*a),b=.5*(a-c),c=new AY(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new BY(a,this);break a;default:c=null}if(this.D=c)g.E(this,this.D),this.D.subscribe("rotated_need_key_info_ready",this.wS,this),this.D.subscribe("log_qoe",this.Ri,this);hJ(this.Y.experiments);this.Ri({cks:this.j.rh()})}; +UXa=function(a){var b=a.C.attach();b?b.then(XI(function(){WXa(a)}),XI(function(c){if(!a.isDisposed()){g.CD(c); +var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.ma("licenseerror","drm.unavailable",1,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.Ri({mdkrdy:1}),a.ea=!0); +a.Z&&(b=a.Z.attach())}; +YXa=function(a,b,c){a.La=!0;c=new vTa(b,c);a.Y.K("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));XXa(a,c)}; +XXa=function(a,b){if(!a.isDisposed()){a.Ri({onInitData:1});if(a.Y.K("html5_eme_loader_sync")&&a.videoData.C&&a.videoData.C.j){var c=a.J.get(b.initData);b=a.I.get(b.initData);if(!c||!b)return;b=c;c=b.initData;a.I.remove(c);a.J.remove(c)}a.Ri({initd:b.initData.length,ct:b.contentType});if("widevine"===a.j.flavor)if(a.Aa&&!a.videoData.isLivePlayback)HY(a);else{if(!(a.Y.K("vp9_drm_live")&&a.videoData.isLivePlayback&&b.Ee)){a.Aa=!0;c=b.cryptoPeriodIndex;var d=b.j;xTa(b);b.Ee||(d&&b.j!==d?a.ma("ctmp","cpsmm", +{emsg:d,pssh:b.j}):c&&b.cryptoPeriodIndex!==c&&a.ma("ctmp","cpimm",{emsg:c,pssh:b.cryptoPeriodIndex}));a.ma("widevine_set_need_key_info",b)}}else a.wS(b)}}; +WXa=function(a){if(!a.isDisposed())if(a.Y.K("html5_drm_set_server_cert")&&!g.tK(a.Y)||dJ(a.j)){var b=a.C.setServerCertificate();b?b.then(XI(function(c){a.Y.Rd()&&a.ma("ctmp","ssc",{success:c})}),XI(function(c){a.ma("ctmp","ssce",{n:c.name, +m:c.message})})).then(XI(function(){ZXa(a)})):ZXa(a)}else ZXa(a)}; +ZXa=function(a){a.isDisposed()||(a.ea=!0,a.Ri({onmdkrdy:1}),HY(a))}; +$Xa=function(a){return"widevine"===a.j.flavor&&a.videoData.K("html5_drm_cpi_license_key")}; +HY=function(a){if(a.La&&a.ea&&!a.ya){for(;a.B.length;){var b=a.B[0],c=$Xa(a)?yTa(b):g.gg(b.initData);if(dJ(a.j)&&!b.u)a.B.shift();else{if(a.u.get(c))if("fairplay"!==a.j.flavor||dJ(a.j)){a.B.shift();continue}else a.u.delete(c);xTa(b);break}}a.B.length&&a.createSession(a.B[0])}}; +aYa=function(a){var b;if(b=g.Yy()){var c;b=!(null==(c=a.C.u)||!c.getMetrics)}b&&(b=a.C.getMetrics())&&(b=g.WF(b),a.ma("ctmp","drm",{metrics:b}))}; +JY=function(a){g.C.call(this);var b=this;this.va=a;this.j=this.va.V();this.videoData=this.va.getVideoData();this.HC=0;this.I=this.B=!1;this.D=0;this.C=g.gJ(this.j.experiments,"html5_delayed_retry_count");this.u=new g.Ip(function(){IY(b.va)},g.gJ(this.j.experiments,"html5_delayed_retry_delay_ms")); +this.J=g.gJ(this.j.experiments,"html5_url_signature_expiry_time_hours");g.E(this,this.u)}; +eYa=function(a,b,c){var d=a.videoData.u,e=a.videoData.I;if(("progressive.net.retryexhausted"===b||"fmt.unplayable"===b||"fmt.decode"===b)&&!a.va.Ji.D&&d&&"22"===d.itag)return a.va.Ji.D=!0,a.Kd("qoe.restart",{reason:"fmt.unplayable.22"}),KY(a.va),!0;var f=!1,h=a.HC+3E4<(0,g.M)()||a.u.isActive();if(a.j.K("html5_empty_src")&&a.videoData.isAd()&&"fmt.unplayable"===b&&/Empty src/.test(""+c.msg))return c.origin="emptysrc",a.Kd("auth",c),!0;var l;if(l=!h)l=a.va.Es(),l=!!(l.zg()||l.isInline()||l.isBackground()|| +l.Ty()||l.Ry());l&&(c.nonfg="paused",h=!0,a.va.pauseVideo());("fmt.decode"===b||"fmt.unplayable"===b)&&(null==e?0:AF(e)||zF(e))&&(Uwa(a.j.D,e.Lb),c.acfallexp=e.Lb,f=h=!0);!h&&0=a.j.jc)return!1;b.exiled=""+a.j.jc;a.Kd("qoe.start15s",b);a.va.ma("playbackstalledatstart");return!0}; +cYa=function(a){return a.B?!0:"yt"===a.j.Ja?a.videoData.kb?25>a.videoData.Dc:!a.videoData.Dc:!1}; +dYa=function(a){if(!a.B){a.B=!0;var b=a.va.getPlayerState();b=g.QO(b)||b.isSuspended();a.va.Dn();b&&!WM(a.videoData)||a.va.ma("signatureexpired")}}; +fYa=function(a,b){if((a=a.va.qe())&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.Ye();b.details.merr=c?c.toString():"0";b.details.mmsg=a.zf()}}; +gYa=function(a){return"net.badstatus"===a.errorCode&&(1===a.severity||!!a.details.fmt_unav)}; +hYa=function(a,b){return a.j.K("html5_use_network_error_code_enums")&&403===b.details.rc||"403"===b.details.rc?(a=b.errorCode,"net.badstatus"===a||"manifest.net.retryexhausted"===a):!1}; +jYa=function(a,b){if(!hYa(a,b)&&!a.B)return!1;b.details.sts="19471";if(cYa(a))return QK(b.severity)&&(b=Object.assign({e:b.errorCode},b.details),b=new PK("qoe.restart",b)),a.Kd(b.errorCode,b.details),dYa(a),!0;6048E5<(0,g.M)()-a.j.Jf&&iYa(a,"signature");return!1}; +iYa=function(a,b){try{window.location.reload(),a.Kd("qoe.restart",{detail:"pr."+b})}catch(c){}}; +kYa=function(a,b){var c=a.j.D;c.D=!1;c.j=!0;a.Kd("qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});IY(a.va,!0)}; +lYa=function(a,b,c,d){this.videoData=a;this.j=b;this.reason=c;this.u=d}; +mYa=function(a,b,c){this.Y=a;this.XD=b;this.va=c;this.ea=this.I=this.J=this.u=this.j=this.C=this.T=this.B=0;this.D=!1;this.Z=g.gJ(this.Y.experiments,"html5_displayed_frame_rate_downgrade_threshold")||45}; +oYa=function(a,b,c){!a.Y.K("html5_tv_ignore_capable_constraint")&&g.tK(a.Y)&&(c=c.compose(nYa(a,b)));return c}; +qYa=function(a,b){var c,d=pYa(a,null==(c=b.j)?void 0:c.videoInfos);c=a.va.getPlaybackRate();return 1(0,g.M)()-a.C?0:f||0h?a.u+1:0;if((n-m)/l>a.Z||!e||g.tK(a.Y))return!1;a.j=d>e?a.j+1:0;if(3!==a.j)return!1;tYa(a,b.videoData.u);a.va.xa("dfd",Object.assign({dr:c.droppedVideoFrames,de:c.totalVideoFrames},vYa()));return!0}; +xYa=function(a,b){return 0>=g.gJ(a.Y.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.video&&32=e){d=e;break}return new iF(0,d,!1,"b")}; +zYa=function(a){a=a.va.Es();return a.isInline()?new iF(0,480,!1,"v"):a.isBackground()&&60e?(c&&(d=AYa(a,c,d)),new iF(0,d,!1,"e")):ZL}; +AYa=function(a,b,c){if(a.K("html5_optimality_defaults_chooses_next_higher")&&c)for(a=b.j.videoInfos,b=1;ba.u)){var b=g.uW(a.provider),c=b-a.C;a.C=b;8===a.playerState.state?a.playTimeSecs+=c:g.TO(a.playerState)&&!g.S(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; +GYa=function(a,b){b?FYa.test(a):(a=g.sy(a),Object.keys(a).includes("cpn"))}; +IYa=function(a,b,c,d,e,f,h){var l={format:"RAW"},m={};if(vy(a)&&wy()){if(h){var n;2!==(null==(n=HYa.uaChPolyfill)?void 0:n.state.type)?h=null:(h=HYa.uaChPolyfill.state.data.values,h={"Synth-Sec-CH-UA-Arch":h.architecture,"Synth-Sec-CH-UA-Model":h.model,"Synth-Sec-CH-UA-Platform":h.platform,"Synth-Sec-CH-UA-Platform-Version":h.platformVersion,"Synth-Sec-CH-UA-Full-Version":h.uaFullVersion});m=Object.assign(m,h);l.withCredentials=!0}(h=g.ey("EOM_VISITOR_DATA"))?m["X-Goog-EOM-Visitor-Id"]=h:d?m["X-Goog-Visitor-Id"]= +d:g.ey("VISITOR_DATA")&&(m["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));c&&(m["X-Goog-PageId"]=c);d=b.authUser;b.K("move_vss_away_from_login_info_cookie")&&d&&(m["X-Goog-AuthUser"]=d,m["X-Yt-Auth-Test"]="test");e&&(m.Authorization="Bearer "+e);h||m["X-Goog-Visitor-Id"]||e||c||b.K("move_vss_away_from_login_info_cookie")&&d?l.withCredentials=!0:b.K("html5_send_cpn_with_options")&&FYa.test(a)&&(l.withCredentials=!0)}0a.B.NV+100&&a.B){var d=a.B,e=d.isAd;c=1E3*c-d.NV;a.ya=1E3*b-d.M8-c-d.B8;c=(0,g.M)()-c;b=a.ya;d=a.provider.videoData;var f=d.isAd();if(e||f){f=(e?"ad":"video")+"_to_"+(f?"ad":"video");var h={};d.T&&(h.cttAuthInfo={token:d.T,videoId:d.videoId});h.startTime=c-b;cF(f,h);bF({targetVideoId:d.videoId,targetCpn:d.clientPlaybackNonce},f);eF("pbs",c,f)}else c=a.provider.va.Oh(),c.I!==d.clientPlaybackNonce? +(c.D=d.clientPlaybackNonce,c.u=b):g.DD(new g.bA("CSI timing logged before gllat",{cpn:d.clientPlaybackNonce}));a.xa("gllat",{l:a.ya.toFixed(),prev_ad:+e});delete a.B}}; +OYa=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.uW(a.provider);var c=a.provider.va.eC(),d=c.Zq-(a.Ga||0);0a.j)&&2=e&&(a.va.xa("ytnerror",{issue:28799967,value:""+e}),e=(new Date).getTime()+2);return e},a.Y.K("html5_validate_yt_now")),c=b(); +a.j=function(){return Math.round(b()-c)/1E3}; +a.va.cO()}return a.j}; +nZa=function(a){var b=a.va.bq()||{};b.fs=a.va.wC();b.volume=a.va.getVolume();b.muted=a.va.isMuted()?1:0;b.mos=b.muted;b.inview=a.va.TB();b.size=a.va.HB();b.clipid=a.va.wy();var c=Object,d=c.assign;a=a.videoData;var e={};a.u&&(e.fmt=a.u.itag,a.I&&a.I.itag!=a.u.itag&&(e.afmt=a.I.itag));e.ei=a.eventId;e.list=a.playlistId;e.cpn=a.clientPlaybackNonce;a.videoId&&(e.v=a.videoId);a.Xk&&(e.infringe=1);TM(a)&&(e.splay=1);var f=CM(a);f&&(e.live=f);a.kp&&(e.sautoplay=1);a.Xl&&(e.autoplay=1);a.Bx&&(e.sdetail= +a.Bx);a.Ga&&(e.partnerid=a.Ga);a.osid&&(e.osid=a.osid);a.Rw&&(e.cc=a.Rw.vssId);return d.call(c,b,e)}; +MYa=function(a){if(navigator.connection&&navigator.connection.type)return uZa[navigator.connection.type]||uZa.other;if(g.tK(a.Y)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; +QY=function(a){var b=new rZa,c;b.D=(null==(c=nZa(a).cc)?void 0:c.toString())||"-";b.playbackRate=a.va.getPlaybackRate();c=a.va.getVisibilityState();0!==c&&(b.visibilityState=c);a.Y.Ld&&(b.u=1);b.B=a.videoData.Yv;c=a.va.getAudioTrack();c.Jc&&c.Jc.id&&"und"!==c.Jc.id&&(b.C=c.Jc.id);b.connectionType=MYa(a);b.volume=a.va.getVolume();b.muted=a.va.isMuted();b.clipId=a.va.wy()||"-";b.j=a.videoData.AQ||"-";return b}; +g.ZY=function(a){g.C.call(this);this.provider=a;this.qoe=this.j=null;this.Ci=void 0;this.u=new Map;this.provider.videoData.De()&&!this.provider.videoData.ol&&(this.j=new TY(this.provider),g.E(this,this.j),this.qoe=new g.NY(this.provider),g.E(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.Ci=this.provider.videoData.clientPlaybackNonce)&&this.u.set(this.Ci,this.j));this.B=new LY(this.provider);g.E(this,this.B)}; +vZa=function(a){DYa(a.B);a.qoe&&WYa(a.qoe)}; +wZa=function(a){if(a.provider.videoData.enableServerStitchedDai&&a.Ci){var b;null!=(b=a.u.get(a.Ci))&&RY(b.j)}else a.j&&RY(a.j.j)}; +xZa=function(a){a.B.send();if(a.qoe){var b=a.qoe;if(b.D){"PL"===b.Te&&(b.Te="N");var c=g.uW(b.provider);g.MY(b,c,"vps",[b.Te]);b.I||(0<=b.u&&(b.j.user_intent=[b.u.toString()]),b.I=!0);b.provider.Y.Rd()&&b.xa("finalized",{});b.oa=!0;b.reportStats(c)}}if(a.provider.videoData.enableServerStitchedDai)for(b=g.t(a.u.values()),c=b.next();!c.done;c=b.next())pZa(c.value);else a.j&&pZa(a.j);a.dispose()}; +yZa=function(a,b){a.j&&qZa(a.j,b)}; +zZa=function(a){if(!a.j)return null;var b=UY(a.j,"atr");return function(c){a.j&&qZa(a.j,c,b)}}; +AZa=function(a,b,c,d){c.adFormat=c.Hf;var e=b.va;b=new TY(new sZa(c,b.Y,{getDuration:function(){return c.lengthSeconds}, +getCurrentTime:function(){return e.getCurrentTime()}, +xk:function(){return e.xk()}, +eC:function(){return e.eC()}, +getPlayerSize:function(){return e.getPlayerSize()}, +getAudioTrack:function(){return c.getAudioTrack()}, +getPlaybackRate:function(){return e.getPlaybackRate()}, +hC:function(){return e.hC()}, +getVisibilityState:function(){return e.getVisibilityState()}, +Oh:function(){return e.Oh()}, +bq:function(){return e.bq()}, +getVolume:function(){return e.getVolume()}, +isMuted:function(){return e.isMuted()}, +wC:function(){return e.wC()}, +wy:function(){return e.wy()}, +TB:function(){return e.TB()}, +HB:function(){return e.HB()}, +cO:function(){e.cO()}, +YC:function(){e.YC()}, +xa:function(f,h){e.xa(f,h)}})); +b.B=d;g.E(a,b);return b}; +BZa=function(){this.Au=0;this.B=this.Ot=this.Zq=this.u=NaN;this.j={};this.bandwidthEstimate=NaN}; +CZa=function(){this.j=g.YD;this.array=[]}; +EZa=function(a,b,c){var d=[];for(b=DZa(a,b);bc)break}return d}; +FZa=function(a,b){var c=[];a=g.t(a.array);for(var d=a.next();!d.done&&!(d=d.value,d.contains(b)&&c.push(d),d.start>b);d=a.next());return c}; +GZa=function(a){return a.array.slice(DZa(a,0x7ffffffffffff),a.array.length)}; +DZa=function(a,b){a=Kb(a.array,function(c){return b-c.start||1}); +return 0>a?-(a+1):a}; +HZa=function(a,b){var c=NaN;a=g.t(a.array);for(var d=a.next();!d.done;d=a.next())if(d=d.value,d.contains(b)&&(isNaN(c)||d.endb&&(isNaN(c)||d.starta.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.u=c;return!1}; +LZa=function(a,b){this.videoData=a;this.j=b}; +MZa=function(a,b,c){return Hza(b,c).then(function(){return Oy(new LZa(b,b.C))},function(d){d instanceof Error&&g.DD(d); +var e=dI('video/mp4; codecs="avc1.42001E, mp4a.40.2"'),f=fI('audio/mp4; codecs="mp4a.40.2"'),h=e||f,l=b.isLivePlayback&&!g.vJ(a.D,!0);d="fmt.noneavailable";l?d="html5.unsupportedlive":h||(d="html5.missingapi");h=l||!h?2:1;e={buildRej:"1",a:b.Yu(),d:!!b.tb,drm:b.Pl(),f18:0<=b.Jf.indexOf("itag=18"),c18:e};b.j&&(b.Pl()?(e.f142=!!b.j.j["142"],e.f149=!!b.j.j["149"],e.f279=!!b.j.j["279"]):(e.f133=!!b.j.j["133"],e.f140=!!b.j.j["140"],e.f242=!!b.j.j["242"]),e.cAAC=f,e.cAVC=fI('video/mp4; codecs="avc1.42001E"'), +e.cVP9=fI('video/webm; codecs="vp9"'));b.J&&(e.drmsys=b.J.keySystem,f=0,b.J.j&&(f=Object.keys(b.J.j).length),e.drmst=f);return new PK(d,e,h)})}; +NZa=function(a){this.D=a;this.B=this.u=0;this.C=new CS(50)}; +cZ=function(a,b,c){g.dE.call(this);this.videoData=a;this.experiments=b;this.T=c;this.u=[];this.C=0;this.B=!0;this.D=!1;this.I=0;c=new OZa;"ULTRALOW"===a.latencyClass&&(c.C=!1);a.Xb?c.u=3:g.GM(a)&&(c.u=2);"NORMAL"===a.latencyClass&&(c.T=!0);var d=zza(a);c.D=2===d||-1===d;c.D&&(c.Z++,21530001===yM(a)&&(c.I=g.gJ(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(Wy("trident/")||Wy("edge/"))c.B=Math.max(c.B,g.gJ(b,"html5_platform_minimum_readahead_seconds")||3);g.gJ(b,"html5_minimum_readahead_seconds")&& +(c.B=g.gJ(b,"html5_minimum_readahead_seconds"));g.gJ(b,"html5_maximum_readahead_seconds")&&(c.ea=g.gJ(b,"html5_maximum_readahead_seconds"));b.ob("html5_force_adaptive_readahead")&&(c.C=!0);switch(yM(a)){case 21530001:c.j=(c.j+1)/5,"LOW"===a.latencyClass&&(c.j*=2),c.J=b.ob("html5_live_smoothly_extend_max_seekable_time")}this.policy=c;this.J=1!==this.policy.u;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Xb&&b--;this.experiments.ob("html5_disable_extra_readahead_normal_latency_live_stream")|| +a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(yM(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.D&&b++;this.j=PZa(this,b)}; +QZa=function(a,b){var c=a.j;(void 0===b?0:b)&&a.policy.J&&3===zza(a.videoData)&&--c;return dZ(a)*c}; +eZ=function(a,b){var c=a.Wp(),d=a.policy.j;a.D||(d=Math.max(d-1,0));a=d*dZ(a);return b>=c-a}; +RZa=function(a,b,c){b=eZ(a,b);c||b?b&&(a.B=!0):a.B=!1;a.J=2===a.policy.u||3===a.policy.u&&a.B}; +SZa=function(a,b){b=eZ(a,b);a.D!==b&&a.ma("livestatusshift",b);a.D=b}; +dZ=function(a){return a.videoData.j?OI(a.videoData.j)||5:5}; +PZa=function(a,b){b=Math.max(Math.max(a.policy.Z,Math.ceil(a.policy.B/dZ(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.ea/dZ(a))),b)}; +OZa=function(){this.Z=1;this.B=0;this.ea=Infinity;this.C=!0;this.j=2;this.u=1;this.D=!1;this.I=NaN;this.J=this.T=!1}; +hZ=function(a){g.C.call(this);this.va=a;this.Y=this.va.V();this.C=this.j=0;this.B=new g.Ip(this.gf,1E3,this);this.Ja=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_seek_timeout_delay_ms")});this.T=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_long_rebuffer_threshold_ms")});this.La=gZ(this,"html5_seek_set_cmt");this.Z=gZ(this,"html5_seek_jiggle_cmt");this.Ga=gZ(this,"html5_seek_new_elem");this.fb=gZ(this,"html5_unreported_seek_reseek");this.I=gZ(this,"html5_long_rebuffer_jiggle_cmt");this.J=new fZ({delayMs:2E4}); +this.ya=gZ(this,"html5_seek_new_elem_shorts");this.Aa=gZ(this,"html5_seek_new_elem_shorts_vrs");this.oa=gZ(this,"html5_seek_new_elem_shorts_buffer_range");this.D=gZ(this,"html5_ads_preroll_lock_timeout");this.Qa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_report_slow_ads_as_error")});this.Xa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_skip_slow_buffering_ad")});this.Ya=new fZ({delayMs:g.gJ(this.Y.experiments, +"html5_slow_start_timeout_delay_ms")});this.ea=gZ(this,"html5_slow_start_no_media_source");this.u={};g.E(this,this.B)}; +gZ=function(a,b){var c=g.gJ(a.Y.experiments,b+"_delay_ms");a=a.Y.K(b+"_cfl");return new fZ({delayMs:c,gy:a})}; +iZ=function(a,b,c,d,e,f,h,l){TZa(b,c)?(a.Kd(e,b,h),b.gy||f()):(b.QH&&b.u&&!b.C?(c=(0,g.M)(),d?b.j||(b.j=c):b.j=0,f=!d&&c-b.u>b.QH,c=b.j&&c-b.j>b.KO||f?b.C=!0:!1):c=!1,c&&(l=Object.assign({},a.lc(b),l),l.wn=h,l.we=e,l.wsuc=d,a.va.xa("workaroundReport",l),d&&(b.reset(),a.u[e]=!1)))}; +fZ=function(a){var b=void 0===a?{}:a;a=void 0===b.delayMs?0:b.delayMs;var c=void 0===b.KO?1E3:b.KO,d=void 0===b.QH?3E4:b.QH;b=void 0===b.gy?!1:b.gy;this.j=this.u=this.B=this.startTimestamp=0;this.C=!1;this.D=Math.ceil(a/1E3);this.KO=c;this.QH=d;this.gy=b}; +TZa=function(a,b){if(!a.D||a.u)return!1;if(!b)return a.reset(),!1;b=(0,g.M)();if(!a.startTimestamp)a.startTimestamp=b,a.B=0;else if(a.B>=a.D)return a.u=b,!0;a.B+=1;return!1}; +XZa=function(a){g.C.call(this);var b=this;this.va=a;this.Y=this.va.V();this.videoData=this.va.getVideoData();this.policy=new UZa(this.Y);this.Z=new hZ(this.va);this.playbackData=null;this.Qa=new g.bI;this.I=this.j=this.Fa=this.mediaElement=null;this.u=NaN;this.C=0;this.Aa=NaN;this.B=null;this.Ga=NaN;this.D=this.J=null;this.ea=this.T=!1;this.ya=new g.Ip(function(){VZa(b,!1)},2E3); +this.ib=new g.Ip(function(){jZ(b)}); +this.La=new g.Ip(function(){b.T=!0;WZa(b,{})}); +this.timestampOffset=0;this.Xa=!0;this.Ja=0;this.fb=NaN;this.oa=new g.Ip(function(){var c=b.Y.vf;c.j+=1E4/36E5;c.j-c.B>1/6&&(oxa(c),c.B=c.j);b.oa.start()},1E4); +this.Ya=this.kb=!1;g.E(this,this.Z);g.E(this,this.Qa);g.E(this,this.ya);g.E(this,this.La);g.E(this,this.ib);g.E(this,this.oa)}; +ZZa=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.I=new NZa(function(){a:{if(a.playbackData&&a.playbackData.j.j){if(jM(a.videoData)&&a.Fa){var c=a.Fa.kF.bj()||0;break a}if(a.videoData.j){c=a.videoData.j.Z;break a}}c=0}return c}),a.j=new cZ(a.videoData,a.Y.experiments,function(){return a.pe(!0)})); +YZa(a)||(a.C=a.C||a.videoData.startSeconds||0)}; +a_a=function(a,b){(a.Fa=b)?$Za(a,!0):kZ(a)}; +b_a=function(a,b){var c=a.getCurrentTime(),d=a.isAtLiveHead(c);if(a.I&&d){var e=a.I;if(e.j&&!(c>=e.u&&ce.C||3E3>g.Ra()-e.I||(e.I=g.Ra(),e.u.push(f),50=a.pe()-.1){a.u=a.pe();a.B.resolve(a.pe()); +vW(a.va);return}try{var c=a.u-a.timestampOffset;a.mediaElement.seekTo(c);a.Z.j=c;a.Ga=c;a.C=a.u}catch(d){}}}}; +h_a=function(a){if(!a.mediaElement||0===a.mediaElement.xj()||0a.pe()||dMath.random())try{g.DD(new g.bA("b/152131571",btoa(f)))}catch(T){}return x.return(Promise.reject(new PK(r,{backend:"gvi"},v)))}})}; +u_a=function(a,b){function c(B){if(!a.isDisposed()){B=B?B.status:-1;var F=0,G=((0,g.M)()-p).toFixed();G=e.K("html5_use_network_error_code_enums")?{backend:"gvi",rc:B,rt:G}:{backend:"gvi",rc:""+B,rt:G};var D="manifest.net.connect";429===B?(D="auth",F=2):200r.j&&3!==r.provider.va.getVisibilityState()&& +DYa(r);q.qoe&&(q=q.qoe,q.Ja&&0>q.u&&q.provider.Y.Hf&&WYa(q));p.Fa&&nZ(p);p.Y.Wn&&!p.videoData.backgroundable&&p.mediaElement&&!p.wh()&&(p.isBackground()&&p.mediaElement.QE()?(p.xa("bgmobile",{suspend:1}),p.Dn(!0,!0)):p.isBackground()||oZ(p)&&p.xa("bgmobile",{resume:1}));p.K("html5_log_tv_visibility_playerstate")&&g.tK(p.Y)&&p.xa("vischg",{vis:p.getVisibilityState(),ps:p.playerState.state.toString(16)})}; +this.Ne={ep:function(q){p.ep(q)}, +t8a:function(q){p.oe=q}, +n7a:function(){return p.zc}}; +this.Xi=new $Y(function(){return p.getCurrentTime()},function(){return p.getPlaybackRate()},function(){return p.getPlayerState()},function(q,r){q!==g.ZD("endcr")||g.S(p.playerState,32)||vW(p); +e(q,r,p.playerType)}); +g.E(this,this.Xi);g.E(this,this.xd);z_a(this,m);this.videoData.subscribe("dataupdated",this.S7,this);this.videoData.subscribe("dataloaded",this.PK,this);this.videoData.subscribe("dataloaderror",this.handleError,this);this.videoData.subscribe("ctmp",this.xa,this);this.videoData.subscribe("ctmpstr",this.IO,this);!this.zc||this.zc.isDisposed();this.zc=new g.ZY(new sZa(this.videoData,this.Y,this));jRa(this.Bg);this.visibility.subscribe("visibilitystatechange",this.Bg)}; +zI=function(a){return a.K("html5_not_reset_media_source")&&!a.Pl()&&!a.videoData.isLivePlayback&&g.QM(a.videoData)}; +z_a=function(a,b){if(2===a.playerType||a.Y.Yn)b.dV=!0;var c=$xa(b.Hf,b.uy,a.Y.C,a.Y.I);c&&(b.adFormat=c);2===a.playerType&&(b.Xl=!0);if(a.isFullscreen()||a.Y.C)c=g.Qz("yt-player-autonavstate"),b.autonavState=c||(a.Y.C?2:a.videoData.autonavState);b.endSeconds&&b.endSeconds>b.startSeconds&&A_a(a,b.endSeconds)}; +C_a=function(a){if(a.videoData.fb){var b=a.Nf.Rc();a.videoData.rA=a.videoData.rA||(null==b?void 0:b.KL());a.videoData.sA=a.videoData.sA||(null==b?void 0:b.NL())}if(Qza(a.videoData)||!$M(a.videoData))b=a.videoData.errorDetail,a.Ng(a.videoData.errorCode||"auth",2,unescape(a.videoData.errorReason),b,b,a.videoData.Gm||void 0);1===a.playerType&&qZ.isActive()&&a.BH.start();a.videoData.dj=a.getUserAudio51Preference();a.K("html5_generate_content_po_token")&&B_a(a)}; +TN=function(a){return a.mediaElement&&a.mediaElement.du()?a.mediaElement.ub():null}; +rZ=function(a){if(a.videoData.De())return!0;a.Ng("api.invalidparam",2,void 0,"invalidVideodata.1");return!1}; +g.tW=function(a,b){(b=void 0===b?!1:b)||vZa(a.zc);a.Ns=b;!rZ(a)||a.fp.Os()?g.tK(a.Y)&&a.videoData.isLivePlayback&&a.fp.Os()&&!a.fp.finished&&!a.Ns&&a.PK():(a.fp.start(),b=a.zc,g.uW(b.provider),b.qoe&&RYa(b.qoe),a.PK())}; +D_a=function(a){var b=a.videoData;x_a(a).then(void 0,function(c){a.videoData!==b||b.isDisposed()||(c=RK(c),"auth"===c.errorCode&&a.videoData.errorDetail?a.Ng(c.errorCode,2,unescape(a.videoData.errorReason),OK(c.details),a.videoData.errorDetail,a.videoData.Gm||void 0):a.handleError(c))})}; +sRa=function(a,b){a.kd=b;a.Fa&&hXa(a.Fa,new g.yY(b))}; +F_a=function(a){if(!g.S(a.playerState,128))if(a.videoData.isLoaded(),4!==a.playerType&&(a.zn=g.Bb(a.videoData.Ja)),EM(a.videoData)){a.vb.tick("bpd_s");sZ(a).then(function(){a.vb.tick("bpd_c");if(!a.isDisposed()){a.Ns&&(a.pc(MO(MO(a.playerState,512),1)),oZ(a));var c=a.videoData;c.endSeconds&&c.endSeconds>c.startSeconds&&A_a(a,c.endSeconds);a.fp.finished=!0;tZ(a,"dataloaded");a.Lq.Os()&&E_a(a);CYa(a.Ji,a.Df)}}); +a.K("html5_log_media_perf_info")&&a.xa("loudness",{v:a.videoData.Zi.toFixed(3)},!0);var b=$za(a.videoData);b&&a.xa("playerResponseExperiment",{id:b},!0);a.wK()}else tZ(a,"dataloaded")}; +sZ=function(a){uZ(a);a.Df=null;var b=MZa(a.Y,a.videoData,a.wh());a.mD=b;a.mD.then(function(c){G_a(a,c)},function(c){a.isDisposed()||(c=RK(c),a.visibility.isBackground()?(vZ(a,"vp_none_avail"),a.mD=null,a.fp.reset()):(a.fp.finished=!0,a.Ng(c.errorCode,c.severity,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",OK(c.details))))}); +return b}; +KY=function(a){sZ(a).then(function(){return oZ(a)}); +g.RO(a.playerState)&&a.playVideo()}; +G_a=function(a,b){if(!a.isDisposed()&&!b.videoData.isDisposed()){a.Df=b;ZZa(a.xd,a.Df);if(a.videoData.isLivePlayback){var c=iSa(a.Nf.Us,a.videoData.videoId)||a.Fa&&!isNaN(a.Fa.oa);c=a.K("html5_onesie_live")&&c;0$J(b.Y.vf,"sticky-lifetime")?"auto":mF[SI()]:d=mF[SI()],d=g.kF("auto",d,!1,"s");if(lF(d)){d=nYa(b,c);var e=d.compose,f;a:if((f=c.j)&&f.videoInfos.length){for(var h=g.t(f.videoInfos),l=h.next();!l.done;l=h.next()){l=l.value;var m=void 0;if(null==(m=l.j)?0:m.smooth){f=l.video.j;break a}}f=f.videoInfos[0].video.j}else f=0;hoa()&&!g.tK(b.Y)&&BF(c.j.videoInfos[0])&& +(f=Math.min(f,g.jF.large));d=e.call(d,new iF(0,f,!1,"o"));e=d.compose;f=4320;!b.Y.u||g.lK(b.Y)||b.Y.K("hls_for_vod")||b.Y.K("mweb_remove_360p_cap")||(f=g.jF.medium);(h=g.gJ(b.Y.experiments,"html5_default_quality_cap"))&&c.j.j&&!c.videoData.Ki&&!c.videoData.Pd&&(f=Math.min(f,h));h=g.gJ(b.Y.experiments,"html5_random_playback_cap");l=/[a-h]$/;h&&l.test(c.videoData.clientPlaybackNonce)&&(f=Math.min(f,h));if(l=h=g.gJ(b.Y.experiments,"html5_hfr_quality_cap"))a:{l=c.j;if(l.j)for(l=g.t(l.videoInfos),m=l.next();!m.done;m= +l.next())if(32h&&0!==h&&b.j===h)){var l;f=pYa(c,null==(l=e.j)?void 0:l.videoInfos);l=c.va.getPlaybackRate();1b.j&&"b"===b.reason;d=a.ue.ib&&!tI();c||e||b||d?wY(a.va, +{reattachOnConstraint:c?"u":e?"drm":d?"codec":"perf"}):xY(a)}}}; +N_a=function(a){var b;return!!(a.K("html5_native_audio_track_switching")&&g.BA&&(null==(b=a.videoData.u)?0:LH(b)))}; +O_a=function(a){if(!N_a(a))return!1;var b;a=null==(b=a.mediaElement)?void 0:b.audioTracks();return!!(a&&1n&&(n+=l.j);for(var p=0;pa.Wa.getDuration()&&a.Wa.Sk(d)):a.Wa.Sk(e);var f=a.Fa,h=a.Wa;f.policy.oa&&(f.policy.Aa&&f.xa("loader",{setsmb:0}),f.vk(),f.policy.oa=!1);YWa(f);if(!AI(h)){var l=gX(f.videoTrack),m=gX(f.audioTrack),n=(l?l.info.j:f.videoTrack.j).info,p=(m?m.info.j:f.audioTrack.j).info,q=f.policy.jl,r=n.mimeType+(void 0===q?"":q),v=p.mimeType,x=n.Lb,z=p.Lb,B,F=null==(B=h.Wa)?void 0:B.addSourceBuffer(v), +G,D="fakesb"===r.split(";")[0]?void 0:null==(G=h.Wa)?void 0:G.addSourceBuffer(r);h.Dg&&(h.Dg.webkitSourceAddId("0",v),h.Dg.webkitSourceAddId("1",r));var L=new sI(F,h.Dg,"0",GH(v),z,!1),P=new sI(D,h.Dg,"1",GH(r),x,!0);Fva(h,L,P)}QX(f.videoTrack,h.u||null);QX(f.audioTrack,h.j||null);f.Wa=h;f.Wa.C=!0;f.resume();g.eE(h.j,f.Ga,f);g.eE(h.u,f.Ga,f);try{f.gf()}catch(T){g.CD(T)}a.ma("mediasourceattached")}}catch(T){g.DD(T),a.handleError(new PK("fmt.unplayable",{msi:"1",ename:T.name},1))}} +U_a(a);a.Wa=b;zI(a)&&"open"===BI(a.Wa)?c(a.Wa):Eva(a.Wa,c)}; +U_a=function(a){if(a.Fa){var b=a.getCurrentTime()-a.Jd();a.K("html5_skip_loader_media_source_seek")&&a.Fa.getCurrentTime()===b||a.Fa.seek(b,{}).Zj(function(){})}else H_a(a)}; +IY=function(a,b){b=void 0===b?!1:b;var c,d,e;return g.A(function(f){if(1==f.j){a.Fa&&a.Fa.Xu();a.Fa&&a.Fa.isDisposed()&&uZ(a);if(a.K("html5_enable_vp9_fairplay")&&a.Pl()&&null!=(c=a.videoData.j)){var h=c,l;for(l in h.j)h.j.hasOwnProperty(l)&&(h.j[l].j=null,h.j[l].C=!1)}a.pc(MO(a.playerState,2048));a.ma("newelementrequired");return b?g.y(f,sZ(a),2):f.Ka(2)}a.videoData.fd()&&(null==(d=a.Fa)?0:d.oa)&&(e=a.isAtLiveHead())&&hM(a.videoData)&&a.seekTo(Infinity,{Je:"videoPlayer_getNewElement"});g.S(a.playerState, +8)&&a.playVideo();g.oa(f)})}; +eRa=function(a,b){a.xa("newelem",{r:b});IY(a)}; +V_a=function(a){a.vb.C.EN();g.S(a.playerState,32)||(a.pc(MO(a.playerState,32)),g.S(a.playerState,8)&&a.pauseVideo(!0),a.ma("beginseeking",a));a.yc()}; +CRa=function(a){g.S(a.playerState,32)?(a.pc(OO(a.playerState,16,32)),a.ma("endseeking",a)):g.S(a.playerState,2)||a.pc(MO(a.playerState,16));a.vb.C.JN(a.videoData,g.QO(a.playerState))}; +tZ=function(a,b){a.ma("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; +W_a=function(a){for(var b=g.t("loadstart loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" ")),c=b.next();!c.done;c=b.next())a.oA.S(a.mediaElement,c.value,a.iO,a);a.Y.ql&&a.mediaElement.du()&&(a.oA.S(a.mediaElement,"webkitplaybacktargetavailabilitychanged",a.q5,a),a.oA.S(a.mediaElement,"webkitcurrentplaybacktargetiswirelesschanged",a.r5,a))}; +Y_a=function(a){window.clearInterval(a.rH);X_a(a)||(a.rH=g.Dy(function(){return X_a(a)},100))}; +X_a=function(a){var b=a.mediaElement;b&&a.WG&&!a.videoData.kb&&!aF("vfp",a.vb.timerName)&&2<=b.xj()&&!b.Qh()&&0b.j&&(b.j=c,b.delay.start());b.u=c;b.C=c;g.Jp(a.yK);a.ma("playbackstarted");g.jA()&&((a=g.Ga("yt.scheduler.instance.clearPriorityThreshold"))?a():kA(0))}; +Z_a=function(a){var b=a.getCurrentTime(),c=a.Nf.Hd();!aF("pbs",a.vb.timerName)&&xE.measure&&xE.getEntriesByName&&(xE.getEntriesByName("mark_nr")[0]?Fta("mark_nr"):Fta());c.videoId&&a.vb.info("docid",c.videoId);c.eventId&&a.vb.info("ei",c.eventId);c.clientPlaybackNonce&&!a.K("web_player_early_cpn")&&a.vb.info("cpn",c.clientPlaybackNonce);0a.fV+6283){if(!(!a.isAtLiveHead()||a.videoData.j&&LI(a.videoData.j))){var b=a.zc;if(b.qoe){b=b.qoe;var c=b.provider.va.eC(),d=g.uW(b.provider);NYa(b,d,c);c=c.B;isNaN(c)||g.MY(b,d,"e2el",[c.toFixed(3)])}}g.FK(a.Y)&&a.xa("rawlat",{l:FS(a.xP,"rawlivelatency").toFixed(3)});a.fV=Date.now()}a.videoData.u&&LH(a.videoData.u)&&(b=TN(a))&&b.videoHeight!==a.WM&&(a.WM=b.videoHeight,K_a(a,"a",M_a(a,a.videoData.ib)))}; +M_a=function(a,b){if("auto"===b.j.video.quality&&LH(b.rh())&&a.videoData.Nd)for(var c=g.t(a.videoData.Nd),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.WM&&"auto"!==d.j.video.quality)return d.rh();return b.rh()}; +y_a=function(a){if(!hM(a.videoData))return NaN;var b=0;a.Fa&&a.videoData.j&&(b=jM(a.videoData)?a.Fa.kF.bj()||0:a.videoData.j.Z);return Date.now()/1E3-a.Pf()-b}; +c0a=function(a){a.mediaElement&&a.mediaElement.wh()&&(a.AG=(0,g.M)());a.Y.po?g.Cy(function(){b0a(a)},0):b0a(a)}; +b0a=function(a){var b;if(null==(b=a.Wa)||!b.Ol()){if(a.mediaElement)try{a.qH=a.mediaElement.playVideo()}catch(d){vZ(a,"err."+d)}if(a.qH){var c=a.qH;c.then(void 0,function(d){if(!(g.S(a.playerState,4)||g.S(a.playerState,256)||a.qH!==c||d&&"AbortError"===d.name&&d.message&&d.message.includes("load"))){var e="promise";d&&d.name&&(e+=";m."+d.name);vZ(a,e);a.DS=!0;a.videoData.aJ=!0}})}}}; +vZ=function(a,b){g.S(a.playerState,128)||(a.pc(OO(a.playerState,1028,9)),a.xa("dompaused",{r:b}),a.ma("onAutoplayBlocked"))}; +oZ=function(a){if(!a.mediaElement||!a.videoData.C)return!1;var b,c=null;if(null==(b=a.videoData.C)?0:b.j){c=T_a(a);var d;null==(d=a.Fa)||d.resume()}else uZ(a),a.videoData.ib&&(c=a.videoData.ib.QA());b=c;d=a.mediaElement.QE();c=!1;d&&d.equals(b)||(d0a(a,b),c=!0);g.S(a.playerState,2)||(b=a.xd,b.D||!(0=c&&b<=d}; +J0a=function(a){if(!(g.S(a.zb.getPlayerState(),64)&&a.Hd().isLivePlayback&&5E3>a.Bb.startTimeMs)){if("repeatChapter"===a.Bb.type){var b,c=null==(b=XJa(a.wb()))?void 0:b.MB(),d;b=null==(d=a.getVideoData())?void 0:d.Pk;c instanceof g.eU&&b&&(d=b[HU(b,a.Bb.startTimeMs)],c.FD(0,d.title));isNaN(Number(a.Bb.loopCount))?a.Bb.loopCount=0:a.Bb.loopCount++;1===a.Bb.loopCount&&a.F.Na("innertubeCommand",a.getVideoData().C1)}a.zb.seekTo(.001*a.Bb.startTimeMs,{Je:"application_loopRangeStart"})}}; +q0a=function(a,b){var c=a.Ta.getAvailablePlaybackRates();b=Number(b.toFixed(2));a=c[0];c=c[c.length-1];b<=a?b=a:b>=c?b=c:(a=Math.floor(100*b+.001)%5,b=0===a?b:Math.floor(100*(b-.01*a)+.001)/100);return b}; +QZ=function(a,b,c){if(a.mf(c)){c=c.getVideoData();if(PZ(a))c=b;else{a=a.kd;for(var d=g.t(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Nc===e.Nc){b+=e.Ec/1E3;break}d=b;a=g.t(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Nc===e.Nc)break;var f=e.Ec/1E3;if(fd?e=!0:1=b?b:0;this.j=a=l?function(){return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=t3a(m,c,d,function(q){var r=n(q),v=q.slotId; +q=l3a(h);v=ND(e.eb.get(),"LAYOUT_TYPE_SURVEY",v);var x={layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},z=new B0(e.j,d),B=new H0(e.j,v),F=new I0(e.j,v),G=new u3a(e.j);return{layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",Rb:new Map,layoutExitNormalTriggers:[z,G],layoutExitSkipTriggers:[B],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[F],Sc:[],bb:"core",Ba:new YZ([new z1a(h),new t_(b),new W_(l/1E3),new Z_(q)]),Ac:r(x),adLayoutLoggingData:h.adLayoutLoggingData}}); +m=r3a(a,c,p.slotId,d,e,m,n);return m instanceof N?m:[p].concat(g.u(m))}}; +E3a=function(a,b,c,d,e,f){var h=[];try{var l=[];if(c.renderer.linearAdSequenceRenderer)var m=function(x){x=w3a(x.slotId,c,b,e(x),d,f);l=x.o9;return x.F2}; +else if(c.renderer.instreamVideoAdRenderer)m=function(x){var z=x.slotId;x=e(x);var B=c.config.adPlacementConfig,F=x3a(B),G=F.sT;F=F.vT;var D=c.renderer.instreamVideoAdRenderer,L;if(null==D?0:null==(L=D.playerOverlay)?0:L.instreamSurveyAdRenderer)throw new TypeError("Survey overlay should not be set on single video.");var P=y3a(D);L=Math.min(G+1E3*P.videoLengthSeconds,F);F=new lN(0,[P.videoLengthSeconds],L);var T=P.videoLengthSeconds,fa=P.playerVars,V=P.instreamAdPlayerOverlayRenderer,Q=P.adVideoId, +X=z3a(c),O=P.Rb;P=P.sS;var la=null==D?void 0:D.adLayoutLoggingData;D=null==D?void 0:D.sodarExtensionData;z=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA",z);var qa={layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",bb:"core"};return{layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",Rb:O,layoutExitNormalTriggers:[new A3a(b.j)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new z_(d),new J_(T),new K_(fa),new N_(G),new O_(L),V&&new A_(V),new t_(B),new y_(Q), +new u_(F),new S_(X),D&&new M_(D),new G_({current:null}),new Q_({}),new a0(P)].filter(B3a)),Ac:x(qa),adLayoutLoggingData:la}}; +else throw new TypeError("Expected valid AdPlacementRenderer for DAI");var n=C3a(a,d,c.adSlotLoggingData,m);h.push(n);for(var p=g.t(l),q=p.next();!q.done;q=p.next()){var r=q.value,v=r(a,e);if(v instanceof N)return v;h.push.apply(h,g.u(v))}}catch(x){return new N(x,{errorMessage:x.message,AdPlacementRenderer:c,numberOfSurveyRenderers:D3a(c)})}return h}; +D3a=function(a){a=(a.renderer.linearAdSequenceRenderer||{}).linearAds;return null!=a&&a.length?a.filter(function(b){var c,d;return null!=(null==(c=g.K(b,FP))?void 0:null==(d=c.playerOverlay)?void 0:d.instreamSurveyAdRenderer)}).length:0}; +w3a=function(a,b,c,d,e,f){var h=b.config.adPlacementConfig,l=x3a(h),m=l.sT,n=l.vT;l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null==l||!l.length)throw new TypeError("Expected linear ads");var p=[],q={ZX:m,aY:0,l9:p};l=l.map(function(v){return F3a(a,v,q,c,d,h,e,n)}).map(function(v,x){x=new lN(x,p,n); +return v(x)}); +var r=l.map(function(v){return v.G2}); +return{F2:G3a(c,a,m,r,h,z3a(b),d,n,f),o9:l.map(function(v){return v.n9})}}; +F3a=function(a,b,c,d,e,f,h,l){var m=y3a(g.K(b,FP)),n=c.ZX,p=c.aY,q=Math.min(n+1E3*m.videoLengthSeconds,l);c.ZX=q;c.aY++;c.l9.push(m.videoLengthSeconds);var r,v,x=null==(r=g.K(b,FP))?void 0:null==(v=r.playerOverlay)?void 0:v.instreamSurveyAdRenderer;if("nPpU29QrbiU"===m.adVideoId&&null==x)throw new TypeError("Survey slate media has no survey overlay");return function(z){var B=m.playerVars;2<=z.u&&(B.slot_pos=z.j);B.autoplay="1";var F,G;B=m.videoLengthSeconds;var D=m.playerVars,L=m.Rb,P=m.sS,T=m.instreamAdPlayerOverlayRenderer, +fa=m.adVideoId,V=null==(F=g.K(b,FP))?void 0:F.adLayoutLoggingData;F=null==(G=g.K(b,FP))?void 0:G.sodarExtensionData;G=ND(d.eb.get(),"LAYOUT_TYPE_MEDIA",a);var Q={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};z={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",Rb:L,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new z_(h),new J_(B),new K_(D),new N_(n),new O_(q),new P_(p),new G_({current:null}), +T&&new A_(T),new t_(f),new y_(fa),new u_(z),F&&new M_(F),x&&new H1a(x),new Q_({}),new a0(P)].filter(B3a)),Ac:e(Q),adLayoutLoggingData:V};B=v3a(g.K(b,FP),f,h,z.layoutId,d);return{G2:z,n9:B}}}; +y3a=function(a){if(!a)throw new TypeError("Expected instream video ad renderer");if(!a.playerVars)throw new TypeError("Expected player vars in url encoded string");var b=qy(a.playerVars),c=Number(b.length_seconds);if(isNaN(c))throw new TypeError("Expected valid length seconds in player vars");var d=Number(a.trimmedMaxNonSkippableAdDurationMs);c=isNaN(d)?c:Math.min(c,d/1E3);d=a.playerOverlay||{};d=void 0===d.instreamAdPlayerOverlayRenderer?null:d.instreamAdPlayerOverlayRenderer;var e=b.video_id;e|| +(e=(e=a.externalVideoId)?e:void 0);if(!e)throw new TypeError("Expected valid video id in IVAR");return{playerVars:b,videoLengthSeconds:c,instreamAdPlayerOverlayRenderer:d,adVideoId:e,Rb:a.pings?oN(a.pings):new Map,sS:nN(a.pings)}}; +z3a=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; +x3a=function(a){var b=a.adTimeOffset||{};a=b.offsetEndMilliseconds;b=Number(b.offsetStartMilliseconds);if(isNaN(b))throw new TypeError("Expected valid start offset");a=Number(a);if(isNaN(a))throw new TypeError("Expected valid end offset");return{sT:b,vT:a}}; +I3a=function(a,b,c,d,e,f,h){var l=c.pings;return l?[H3a(a,f,e,function(m){var n=m.slotId;m=h(m);var p=c.adLayoutLoggingData;n=ND(b.eb.get(),"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",n);var q={layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",bb:"core"};return{layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",Rb:oN(l),layoutExitNormalTriggers:[new z0(b.j,f)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)]), +Ac:m(q),adLayoutLoggingData:p}})]:new N("VideoAdTrackingRenderer without VideoAdTracking pings filled.",{videoAdTrackingRenderer:c})}; +K3a=function(a,b,c,d,e,f,h,l){a=J3a(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=ND(b.eb.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},q=new Map,r=e.impressionUrls;r&&q.set("impression",r);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",Rb:q,layoutExitNormalTriggers:[new G0(b.j,n)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new E1a(e),new t_(c)]),Ac:m(p)}}); +return a instanceof N?a:[a]}; +P3a=function(a,b,c,d,e,f,h,l){a=L3a(a,c,f,h,d,function(m,n){var p=m.slotId;m=l(m);var q=e.contentSupportedRenderer;q?q.textOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.enhancedTextOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.imageOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", +p),n=N3a(b,n,p),n.push(new O3a(b.j,q)),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,m,n)):n=new b0("InvideoOverlayAdRenderer without appropriate sub renderer"):n=new b0("InvideoOverlayAdRenderer without contentSupportedRenderer");return n}); +return a instanceof N?a:[a]}; +S3a=function(a,b,c,d,e,f,h,l,m){var n=Number(d.durationMilliseconds);return isNaN(n)?new N("Expected valid duration for AdActionInterstitialRenderer."):function(p){return Q3a(b,p.slotId,c,n,{impressionCommands:void 0,abandonCommands:d.abandonCommands?[{commandExecutorCommand:d.abandonCommands}]:void 0,completeCommands:d.completionCommands},d.skipPings?new Map([["skip",d.skipPings]]):new Map,h(p),function(q){return R3a(a,q,e,function(r,v){var x=r.slotId;r=h(r);x=ND(b.eb.get(),"LAYOUT_TYPE_ENDCAP", +x);return n3a(b,x,v,c,r,"LAYOUT_TYPE_ENDCAP",[new C_(d),l],d.adLayoutLoggingData)})},m,f-1,d.adLayoutLoggingData,f)}}; +T3a=function(a,b,c,d){if(!c.playerVars)return new N("No playerVars available in AdIntroRenderer.");var e=qy(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=ND(a.eb.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{Wj:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new R_({}), +new t_(b),new G_({current:null}),new K_(e)]),Ac:f(l)},Cl:[new F0(a.j,h,["error"])],Bj:[],Yx:[],Xx:[]}}}; +V3a=function(a,b,c,d,e,f,h,l,m,n){n=void 0===n?!1:n;var p=k3a(e);if(!h3a(e,n))return new N("Received invalid InstreamSurveyAdRenderer for VOD composite survey.",{InstreamSurveyAdRenderer:e});if(0>=p)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:e});var q=o3a(a,b,e,f,c,d,h);return q instanceof N?q:function(r){return U3a(b,r.slotId,c,p,l3a(e),h(r),q,l,m)}}; +W3a=function(a){if(isNaN(Number(a.timeoutSeconds))||!a.text||!a.ctaButton||!g.K(a.ctaButton,g.mM)||!a.brandImage)return!1;var b;return a.backgroundImage&&g.K(a.backgroundImage,U0)&&(null==(b=g.K(a.backgroundImage,U0))?0:b.landscape)?!0:!1}; +Y3a=function(a,b,c,d,e,f,h,l){function m(q){return R3a(a,q,d,n)} +function n(q,r){var v=q.slotId;q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",v);return n3a(b,v,r,c,q,"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",[new y1a(e),f],e.adLayoutLoggingData)} +if(!W3a(e))return new N("Received invalid SurveyTextInterstitialRenderer.",{SurveyTextInterstitialRenderer:e});var p=1E3*e.timeoutSeconds;return function(q){var r={impressionCommands:e.impressionCommands,completeCommands:e.timeoutCommands,skipCommands:e.dismissCommands},v=h(q);q=X3a(b,q.slotId,c,p,r,new Map,v,m);r=new E_(q.lH);v=new v_(l);return{Wj:{layoutId:q.layoutId,layoutType:q.layoutType,Rb:q.Rb,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[], +Sc:[],bb:q.bb,Ba:new YZ([].concat(g.u(q.Vx),[r,v])),Ac:q.Ac,adLayoutLoggingData:q.adLayoutLoggingData},Cl:[],Bj:q.layoutExitMuteTriggers,Yx:q.layoutExitUserInputSubmittedTriggers,Xx:q.Sc,Cg:q.Cg}}}; +$3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z){a=MD(a,"SLOT_TYPE_PLAYER_BYTES");d=L2a(b,h,d,e,a,n,p);if(d instanceof N)return d;var B;h=null==(B=ZZ(d.Ba,"metadata_type_fulfilled_layout"))?void 0:B.layoutId;if(!h)return new N("Invalid adNotify layout");b=Z3a(h,b,c,e,f,m,l,n,q,r,v,x,z);return b instanceof N?b:[d].concat(g.u(b))}; +Z3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){c=a4a(b,c,d,f,h,l,m,n,p,q,r);b4a(f)?(d=c4a(b,a),a=MD(b.eb.get(),"SLOT_TYPE_IN_PLAYER"),f=ND(b.eb.get(),"LAYOUT_TYPE_SURVEY",a),l=d4a(b,d,l),b=[].concat(g.u(l.slotExpirationTriggers),[new E0(b.j,f)]),a=c({slotId:l.slotId,slotType:l.slotType,slotPhysicalPosition:l.slotPhysicalPosition,slotEntryTrigger:l.slotEntryTrigger,slotFulfillmentTriggers:l.slotFulfillmentTriggers,slotExpirationTriggers:b,bb:l.bb},{slotId:a,layoutId:f}),e=a instanceof N?a:{Tv:Object.assign({}, +l,{slotExpirationTriggers:b,Ba:new YZ([new T_(a.layout)]),adSlotLoggingData:e}),gg:a.gg}):e=P2a(b,a,l,e,c);return e instanceof N?e:[].concat(g.u(e.gg),[e.Tv])}; +g4a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){b=a4a(a,b,c,e,f,h,m,n,p,q,r);b4a(e)?(e=e4a(a,c,h,l),e instanceof N?d=e:(l=MD(a.eb.get(),"SLOT_TYPE_IN_PLAYER"),m=ND(a.eb.get(),"LAYOUT_TYPE_SURVEY",l),h=[].concat(g.u(e.slotExpirationTriggers),[new E0(a.j,m)]),l=b({slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,bb:e.bb,slotEntryTrigger:e.slotEntryTrigger,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h},{slotId:l,layoutId:m}),l instanceof N?d=l:(a=f4a(a, +c,l.yT,e.slotEntryTrigger),d=a instanceof N?a:{Tv:{slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,slotEntryTrigger:a,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h,bb:e.bb,Ba:new YZ([new T_(l.layout)]),adSlotLoggingData:d},gg:l.gg}))):d=Q2a(a,c,h,l,d,m.fd,b);return d instanceof N?d:d.gg.concat(d.Tv)}; +b4a=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(g.K(b.value,v0))return!0;return!1}; +a4a=function(a,b,c,d,e,f,h,l,m,n,p){return function(q,r){if(P0(p)&&Q0(p))a:{var v=h4a(d);if(v instanceof N)r=v;else{for(var x=0,z=[],B=[],F=[],G=[],D=[],L=[],P=new H_({current:null}),T=new x_({current:null}),fa=!1,V=[],Q=0,X=[],O=0;O=m)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:c});var n=new H_({current:null}),p=o3a(a,b,c,n,d,f,h);return j4a(a,d,f,m,e,function(q,r){var v=q.slotId,x=l3a(c);q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA_BREAK",v);var z={layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK", +bb:"core"},B=p(v,r);ZZ(B.Ba,"metadata_type_fulfilled_layout")||GD("Could not retrieve overlay layout ID during VodMediaBreakLayout for survey creation. This should never happen.");x=[new t_(d),new X_(m),new Z_(x),n];return{M4:{layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",Rb:new Map,layoutExitNormalTriggers:[new G0(b.j,v)],layoutExitSkipTriggers:[new H0(b.j,r.layoutId)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[new I0(b.j,r.layoutId)],Sc:[],bb:"core",Ba:new YZ(x),Ac:q(z)}, +f4:B}})}; +l4a=function(a){if(!u2a(a))return!1;var b=g.K(a.adVideoStart,EP);return b?g.K(a.linearAd,FP)&&gO(b)?!0:(GD("Invalid Sandwich with notify"),!1):!1}; +m4a=function(a){if(null==a.linearAds)return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +n4a=function(a){if(!t2a(a))return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +W0=function(a,b,c,d,e,f,h,l){this.eb=a;this.Ib=b;this.Ab=c;this.Ca=d;this.Jb=e;this.j=f;this.Dj=h;this.loadPolicy=void 0===l?1:l}; +jra=function(a,b,c,d,e,f,h,l,m){var n=[];if(0===b.length&&0===d.length)return n;b=b.filter(j2a);var p=c.filter(s2a),q=d.filter(j2a),r=new Map,v=X2a(b);if(c=c.some(function(O){var la;return"SLOT_TYPE_PLAYER_BYTES"===(null==O?void 0:null==(la=O.adSlotMetadata)?void 0:la.slotType)}))p=Z2a(p,b,l,e,v,a.Jb.get(),a.loadPolicy,r,a.Ca.get(),a.eb.get()),p instanceof N?GD(p,void 0,void 0,{contentCpn:e}):n.push.apply(n,g.u(p)); +p=g.t(b);for(var x=p.next();!x.done;x=p.next()){x=x.value;var z=o4a(a,r,x,e,f,h,c,l,v,m);z instanceof N?GD(z,void 0,void 0,{renderer:x.renderer,config:x.config.adPlacementConfig,kind:x.config.adPlacementConfig.kind,contentCpn:e,daiEnabled:h}):n.push.apply(n,g.u(z))}p4a(a.Ca.get())||(f=q4a(a,q,e,l,v,r),n.push.apply(n,g.u(f)));if(null===a.j||h&&!l.iT){var B,F,G;a=l.fd&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null==(B=b[0].config)?void 0:null==(F=B.adPlacementConfig)?void 0:F.kind)&& +(null==(G=b[0].renderer)?void 0:G.adBreakServiceRenderer);if(!n.length&&!a){var D,L,P,T;GD("Expected slots parsed from AdPlacementRenderers for DAI",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,"first APR kind":null==(D=b[0])?void 0:null==(L=D.config)?void 0:null==(P=L.adPlacementConfig)?void 0:P.kind,renderer:null==(T=b[0])?void 0:T.renderer})}return n}B=d.filter(j2a);n.push.apply(n,g.u(H2a(r,B,a.Ib.get(),a.j,e,c)));if(!n.length){var fa,V,Q,X;GD("Expected slots parsed from AdPlacementRenderers", +void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,daiEnabled:h.toString(),"first APR kind":null==(fa=b[0])?void 0:null==(V=fa.config)?void 0:null==(Q=V.adPlacementConfig)?void 0:Q.kind,renderer:null==(X=b[0])?void 0:X.renderer})}return n}; +q4a=function(a,b,c,d,e,f){function h(r){return c_(a.Jb.get(),r)} +var l=[];b=g.t(b);for(var m=b.next();!m.done;m=b.next()){m=m.value;var n=m.renderer,p=n.sandwichedLinearAdRenderer,q=n.linearAdSequenceRenderer;p&&l4a(p)?(GD("Found AdNotify with SandwichedLinearAdRenderer"),q=g.K(p.adVideoStart,EP),p=g.K(p.linearAd,FP),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,q=M2a(null==(n=q)?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,p,c,d,h,e,a.loadPolicy,a.Ca.get(),a.Jb.get()),q instanceof N?GD(q):l.push.apply(l,g.u(q))): +q&&(!q.adLayoutMetadata&&m4a(q)||q.adLayoutMetadata&&n4a(q))&&(GD("Found AdNotify with LinearAdSequenceRenderer"),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,p=Z3a(null==(n=g.K(q.adStart,EP))?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,q.linearAds,t0(q.adLayoutMetadata)?q.adLayoutMetadata:void 0,c,d,h,e,a.loadPolicy,a.Ca.get()),p instanceof N?GD(p):l.push.apply(l,g.u(p)))}return l}; +o4a=function(a,b,c,d,e,f,h,l,m,n){function p(B){return c_(a.Jb.get(),B)} +var q=c.renderer,r=c.config.adPlacementConfig,v=r.kind,x=c.adSlotLoggingData,z=l.iT&&"AD_PLACEMENT_KIND_START"===v;z=f&&!z;if(null!=q.adsEngagementPanelRenderer)return L0(b,c.elementId,v,q.adsEngagementPanelRenderer.isContentVideoEngagementPanel,q.adsEngagementPanelRenderer.adVideoId,q.adsEngagementPanelRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.adsEngagementPanelRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON", +new r1a(P),F,G,P.impressionPings,T,q.adsEngagementPanelRenderer.adLayoutLoggingData,D)}),[]; +if(null!=q.actionCompanionAdRenderer){if(q.actionCompanionAdRenderer.showWithoutLinkedMediaLayout)return D2a(a.Ib.get(),a.j,a.Ab.get(),q.actionCompanionAdRenderer,r,x,d,p);L0(b,c.elementId,v,q.actionCompanionAdRenderer.isContentVideoCompanion,q.actionCompanionAdRenderer.adVideoId,q.actionCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.actionCompanionAdRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new o_(P), +F,G,P.impressionPings,T,q.actionCompanionAdRenderer.adLayoutLoggingData,D)})}else if(q.imageCompanionAdRenderer)L0(b,c.elementId,v,q.imageCompanionAdRenderer.isContentVideoCompanion,q.imageCompanionAdRenderer.adVideoId,q.imageCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.imageCompanionAdRenderer,T=c_(a.Jb.get(),B); +return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new t1a(P),F,G,P.impressionPings,T,q.imageCompanionAdRenderer.adLayoutLoggingData,D)}); +else if(q.shoppingCompanionCarouselRenderer)L0(b,c.elementId,v,q.shoppingCompanionCarouselRenderer.isContentVideoCompanion,q.shoppingCompanionCarouselRenderer.adVideoId,q.shoppingCompanionCarouselRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.shoppingCompanionCarouselRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new u1a(P),F,G,P.impressionPings,T,q.shoppingCompanionCarouselRenderer.adLayoutLoggingData,D)}); +else if(q.adBreakServiceRenderer){if(!z2a(c))return[];if("AD_PLACEMENT_KIND_PAUSE"===v)return y2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d);if("AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"!==v)return w2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d,e,f);if(!a.Dj)return new N("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");l.fd||GD("Received non-live cue point triggered AdBreakServiceRenderer",void 0,void 0,{kind:v,adPlacementConfig:r, +daiEnabledForContentVideo:String(f),isServedFromLiveInfra:String(l.fd),clientPlaybackNonce:l.clientPlaybackNonce});r4a(a.Dj,{adPlacementRenderer:c,contentCpn:d,bT:e})}else{if(q.clientForecastingAdRenderer)return K3a(a.Ib.get(),a.Ab.get(),r,x,q.clientForecastingAdRenderer,d,e,p);if(q.invideoOverlayAdRenderer)return P3a(a.Ib.get(),a.Ab.get(),r,x,q.invideoOverlayAdRenderer,d,e,p);if((q.linearAdSequenceRenderer||q.instreamVideoAdRenderer)&&z)return E3a(a.Ib.get(),a.Ab.get(),c,d,p,n);if(q.linearAdSequenceRenderer&& +!z){if(h&&!b4a(q.linearAdSequenceRenderer.linearAds))return[];K0(b,q,v);if(q.linearAdSequenceRenderer.adLayoutMetadata){if(!t2a(q.linearAdSequenceRenderer))return new N("Received invalid LinearAdSequenceRenderer.")}else if(null==q.linearAdSequenceRenderer.linearAds)return new N("Received invalid LinearAdSequenceRenderer.");if(g.K(q.linearAdSequenceRenderer.adStart,EP)){GD("Found AdNotify in LinearAdSequenceRenderer");b=g.K(q.linearAdSequenceRenderer.adStart,EP);if(!WBa(b))return new N("Invalid AdMessageRenderer."); +c=q.linearAdSequenceRenderer.linearAds;return $3a(a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),r,x,b,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,c,d,e,l,p,m,a.loadPolicy,a.Ca.get())}return g4a(a.Ib.get(),a.Ab.get(),r,x,q.linearAdSequenceRenderer.linearAds,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get())}if(!q.remoteSlotsRenderer||f)if(!q.instreamVideoAdRenderer|| +z||h){if(q.instreamSurveyAdRenderer)return k4a(a.Ib.get(),a.Ab.get(),q.instreamSurveyAdRenderer,r,x,d,p,V0(a.Ca.get(),"supports_multi_step_on_desktop"));if(null!=q.sandwichedLinearAdRenderer)return u2a(q.sandwichedLinearAdRenderer)?g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP)?(GD("Found AdNotify in SandwichedLinearAdRenderer"),b=g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP),WBa(b)?(c=g.K(q.sandwichedLinearAdRenderer.linearAd,FP))?N2a(b,c,r,a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),x,d, +e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Missing IVAR from Sandwich"):new N("Invalid AdMessageRenderer.")):g4a(a.Ib.get(),a.Ab.get(),r,x,[q.sandwichedLinearAdRenderer.adVideoStart,q.sandwichedLinearAdRenderer.linearAd],void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Received invalid SandwichedLinearAdRenderer.");if(null!=q.videoAdTrackingRenderer)return I3a(a.Ib.get(),a.Ab.get(),q.videoAdTrackingRenderer,r,x,d,p)}else return K0(b,q,v),R2a(a.Ib.get(),a.Ab.get(),r,x,q.instreamVideoAdRenderer,d,e,l, +p,m,a.loadPolicy,a.Ca.get(),a.Jb.get())}return[]}; +Y0=function(a){g.C.call(this);this.j=a}; +zC=function(a,b,c,d){a.j().lj(b,d);c=c();a=a.j();a.Qb.j("ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.t(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_RECEIVED",c);oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.j;if(g.Tb(c.slotId))throw new N("Slot ID was empty",void 0,"ADS_CLIENT_ERROR_MESSAGE_INVALID_SLOT");if(f0(e,c))throw new N("Duplicate registration for slot.",{slotId:c.slotId,slotEntryTriggerType:c.slotEntryTrigger.triggerType}, +"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");if(!e.rf.Tp.has(c.slotType))throw new N("No fulfillment adapter factory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_FULFILLMENT_ADAPTER_REGISTERED");if(!e.rf.Wq.has(c.slotType))throw new N("No SlotAdapterFactory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_SLOT_ADAPTER_REGISTERED");e2a(e,"TRIGGER_CATEGORY_SLOT_ENTRY",c.slotEntryTrigger?[c.slotEntryTrigger]:[]);e2a(e,"TRIGGER_CATEGORY_SLOT_FULFILLMENT", +c.slotFulfillmentTriggers);e2a(e,"TRIGGER_CATEGORY_SLOT_EXPIRATION",c.slotExpirationTriggers);var f=d.j,h=c.slotType+"_"+c.slotPhysicalPosition,l=m0(f,h);if(f0(f,c))throw new N("Duplicate slots not supported",void 0,"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");l.set(c.slotId,new $1a(c));f.j.set(h,l)}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR", +c),GD(V,c));break a}f0(d.j,c).I=!0;try{var m=d.j,n=f0(m,c),p=c.slotEntryTrigger,q=m.rf.al.get(p.triggerType);q&&(q.Zl("TRIGGER_CATEGORY_SLOT_ENTRY",p,c,null),n.ya.set(p.triggerId,q));for(var r=g.t(c.slotFulfillmentTriggers),v=r.next();!v.done;v=r.next()){var x=v.value,z=m.rf.al.get(x.triggerType);z&&(z.Zl("TRIGGER_CATEGORY_SLOT_FULFILLMENT",x,c,null),n.Z.set(x.triggerId,z))}for(var B=g.t(c.slotExpirationTriggers),F=B.next();!F.done;F=B.next()){var G=F.value,D=m.rf.al.get(G.triggerType);D&&(D.Zl("TRIGGER_CATEGORY_SLOT_EXPIRATION", +G,c,null),n.ea.set(G.triggerId,D))}var L=m.rf.Tp.get(c.slotType).get().wf(m.B,c);n.J=L;var P=m.rf.Wq.get(c.slotType).get().wf(m.D,c);P.init();n.u=P}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR",c),GD(V,c));d0(d,c,!0);break a}oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.j.Ii(c);for(var T=g.t(d.Fd),fa=T.next();!fa.done;fa= +T.next())fa.value.Ii(c);L1a(d,c)}}; +Z0=function(a,b,c,d){this.er=b;this.j=c;this.visible=d;this.triggerType="TRIGGER_TYPE_MEDIA_TIME_RANGE";this.triggerId=a(this.triggerType)}; +$0=function(a,b,c,d){g.C.call(this);var e=this;this.ac=a;this.Ib=b;this.wc=c;this.j=new Map;d.get().addListener(this);g.bb(this,function(){d.isDisposed()||d.get().removeListener(e)})}; +hra=function(a,b){var c=0x8000000000000;for(var d=0,e=g.t(b.slotFulfillmentTriggers),f=e.next();!f.done;f=e.next())f=f.value,f instanceof Z0?(c=Math.min(c,f.j.start),d=Math.max(d,f.j.end)):GD("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new iq(c,d);d="throttledadcuerange:"+b.slotId;a.j.set(d,b);a.wc.get().addCueRange(d,c.start,c.end,!1,a)}; +a1=function(){g.C.apply(this,arguments);this.Jj=!0;this.Vk=new Map;this.j=new Map}; +s4a=function(a,b){a=g.t(a.Vk.values());for(var c=a.next();!c.done;c=a.next())if(c.value.layoutId===b)return!0;return!1}; +t4a=function(a,b){a=g.t(a.j.values());for(var c=a.next();!c.done;c=a.next()){c=g.t(c.value);for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.layoutId===b)return d}GD("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.Tb(b)),layoutId:b})}; +A3a=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; +u4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED";this.triggerId=a(this.triggerType)}; +v4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_IN_PLAYER";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED";this.triggerId=a(this.triggerType)}; +w4a=function(a,b){this.opportunityType="OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED";this.associatedSlotId=b;this.triggerType="TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED";this.triggerId=a(this.triggerType)}; +u3a=function(a){this.triggerType="TRIGGER_TYPE_PLAYBACK_MINIMIZED";this.triggerId=a(this.triggerType)}; +x4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +b1=function(a,b){this.layoutId=b;this.triggerType="TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME";this.triggerId=a(this.triggerType)}; +y4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +O3a=function(a,b){this.durationMs=45E3;this.triggeringLayoutId=b;this.triggerType="TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +z4a=function(a){var b=[new D_(a.vp),new A_(a.instreamAdPlayerOverlayRenderer),new C1a(a.xO),new t_(a.adPlacementConfig),new J_(a.videoLengthSeconds),new W_(a.MG)];a.qK&&b.push(new x_(a.qK));return b}; +A4a=function(a,b,c,d,e,f){a=c.inPlayerLayoutId?c.inPlayerLayoutId:ND(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",Rb:new Map,layoutExitNormalTriggers:[new B0(function(l){return OD(f,l)},c.vp)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:b,Ba:d,Ac:e(h),adLayoutLoggingData:c.instreamAdPlayerOverlayRenderer.adLayoutLoggingData}}; +c1=function(a){var b=this;this.eb=a;this.j=function(c){return OD(b.eb.get(),c)}}; +W2a=function(a,b,c,d,e,f){c=new YZ([new B_(c),new t_(d)]);b=ND(a.eb.get(),"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",b);d={layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",Rb:new Map,layoutExitNormalTriggers:[new B0(function(h){return OD(a.eb.get(),h)},e)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:c,Ac:f(d),adLayoutLoggingData:void 0}}; +O0=function(a,b,c,d,e){var f=z4a(d);return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +B4a=function(a,b,c,d,e){var f=z4a(d);f.push(new r_(d.H1));f.push(new s_(d.J1));return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +X0=function(a,b,c,d,e,f,h,l,m,n){b=ND(a.eb.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},q=new Map;h&&q.set("impression",h);h=[new u4a(a.j,e)];n&&h.push(new F0(a.j,n,["normal"]));return{layoutId:b,layoutType:c,Rb:q,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([d,new t_(f),new D_(e)]),Ac:l(p),adLayoutLoggingData:m}}; +N3a=function(a,b,c){var d=[];d.push(new v4a(a.j,c));b&&d.push(b);return d}; +M3a=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,Rb:new Map,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[new E0(a.j,b)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new s1a(d),new t_(e)]),Ac:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; +n3a=function(a,b,c,d,e,f,h,l){var m={layoutId:b,layoutType:f,bb:"core"};return{layoutId:b,layoutType:f,Rb:new Map,layoutExitNormalTriggers:[new B0(a.j,c)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)].concat(g.u(h))),Ac:e(m),adLayoutLoggingData:l}}; +Q3a=function(a,b,c,d,e,f,h,l,m,n,p,q){a=X3a(a,b,c,d,e,f,h,l,p,q);b=a.Vx;c=new E_(a.lH);d=a.layoutExitSkipTriggers;0Math.random())try{g.Is(new g.tr("b/152131571",btoa(b)))}catch(B){}return x["return"](Promise.reject(new uB(y,!0,{backend:"gvi"})))}})})}; -Nza=function(a,b){return We(this,function d(){var e,f,h,l,m,n,p,r,t,w,y,x,B,E;return xa(d,function(G){if(1==G.u)return a.fetchType="gvi",e=a.T(),(l=Vta(a))?(f={format:"RAW",method:"POST",withCredentials:!0,timeout:3E4,tc:l},h=bq(b,{action_display_post:1})):(f={format:"RAW",method:"GET",withCredentials:!0,timeout:3E4},h=b),m={},e.sendVisitorIdHeader&&a.visitorData&&(m["X-Goog-Visitor-Id"]=a.visitorData),(n=g.kB(e.experiments,"debug_dapper_trace_id"))&&(m["X-Google-DapperTraceInfo"]=n),(p=g.kB(e.experiments, -"debug_sherlog_username"))&&(m["X-Youtube-Sherlog-Username"]=p),0n.u&& -3!==n.provider.getVisibilityState()&&bya(n)}m.qoe&&(m=m.qoe,m.za&&0>m.B&&m.provider.W.ce&&iya(m));g.P(l.W.experiments,"html5_background_quality_cap")&&l.Ba&&U_(l);l.W.Ns&&!l.videoData.backgroundable&&l.da&&!l.Ze()&&(l.isBackground()&&l.da.Yu()?(l.Na("bgmobile","suspend"),l.fi(!0)):l.isBackground()||V_(l)&&l.Na("bgmobile","resume"))}; -this.ea();this.Vf=new mF(function(){return l.getCurrentTime()},function(){return l.getPlaybackRate()},function(){return l.getPlayerState()},function(m,n){m!==g.hF("endcr")||g.U(l.playerState,32)||sY(l); -e(m,n,l.playerType)}); -g.D(this,this.Vf);Qza(this,function(){return{}}); -Rza(this);Yva(this.ff);this.visibility.subscribe("visibilitystatechange",this.ff);Sza(this)}; -Qza=function(a,b){!a.Jb||a.Jb.na();a.Jb=new g.f_(new e_(a.videoData,a.W,b,function(){return a.getDuration()},function(){return a.getCurrentTime()},function(){return a.zq()},function(){return a.Yr.getPlayerSize()},function(){return a.getAudioTrack()},function(){return a.getPlaybackRate()},function(){return a.da?a.da.getVideoPlaybackQuality():{}},a.getVisibilityState,function(){a.fu()},function(){a.eb.tick("qoes")},function(){return a.Mi()}))}; -Rza=function(a){!a.Ac||a.Ac.na();a.Ac=new AZ(a.videoData,a.W,a.visibility);a.Ac.subscribe("newelementrequired",function(b){return nY(a,b)}); -a.Ac.subscribe("qoeerror",a.Er,a);a.Ac.subscribe("playbackstalledatstart",function(){return a.V("playbackstalledatstart")}); -a.Ac.subscribe("signatureexpiredreloadrequired",function(){return a.V("signatureexpired")}); -a.Ac.subscribe("releaseloader",function(){X_(a)}); -a.Ac.subscribe("pausevideo",function(){a.pauseVideo()}); -a.Ac.subscribe("clienttemp",a.Na,a);a.Ac.subscribe("highrepfallback",a.UO,a);a.Ac.subscribe("playererror",a.Rd,a);a.Ac.subscribe("removedrmplaybackmanager",function(){Y_(a)}); -a.Ac.subscribe("formatupdaterequested",function(){Z_(a)}); -a.Ac.subscribe("reattachvideosourcerequired",function(){Tza(a)})}; -$_=function(a){var b=a.Jb;b.B&&b.B.send();if(b.qoe){var c=b.qoe;if(c.P){"PL"===c.Pc&&(c.Pc="N");var d=g.rY(c.provider);g.MZ(c,d,"vps",[c.Pc]);c.D||(0<=c.B&&(c.u.user_intent=[c.B.toString()]),c.D=!0);c.reportStats(d)}}if(b.provider.videoData.enableServerStitchedDai)for(c=g.q(b.D.values()),d=c.next();!d.done;d=c.next())vya(d.value);else b.u&&vya(b.u);b.dispose();g.fg(a.Jb)}; -xK=function(a){return a.da&&a.da.ol()?a.da.Pa():null}; -a0=function(a){if(a.videoData.isValid())return!0;a.Rd("api.invalidparam",void 0,"invalidVideodata.1");return!1}; -vT=function(a,b){b=void 0===b?!1:b;a.Kv&&a.ba("html5_match_codecs_for_gapless")&&(a.videoData.Lh=!0,a.videoData.an=!0,a.videoData.Nl=a.Kv.by(),a.videoData.mn=a.Kv.dy());a.Im=b;if(!a0(a)||a.di.started)g.wD(a.W)&&a.videoData.isLivePlayback&&a.di.started&&!a.di.isFinished()&&!a.Im&&a.vx();else{a.di.start();var c=a.Jb;g.rY(c.provider);c.qoe&&hya(c.qoe);a.vx()}}; -Uza=function(a){var b=a.videoData,c=a.Yr.getPlayerSize(),d=a.getVisibilityState(),e=Uta(a.W,a.videoData,c,d,a.isFullscreen());Pza(a.videoData,e,function(f){a.handleError(f)},a.eb,c,d).then(void 0,function(f){a.videoData!==b||b.na()||(f=wB(f),"auth"===f.errorCode&&a.videoData.errorDetail?a.Rd("auth",unescape(a.videoData.errorReason),g.vB(f.details),a.videoData.errorDetail,a.videoData.Ki||void 0):a.handleError(f))})}; -awa=function(a,b){a.te=b;a.Ba&&(a.Ba.ub=new Kwa(b))}; -Wza=function(a){if(!g.U(a.playerState,128))if(a.videoData.Uc(),a.mx=!0,a.ea(),4!==a.playerType&&(a.dh=g.rb(a.videoData.Of)),aJ(a.videoData)){b0(a).then(function(){a.na()||(a.Im&&V_(a),Vza(a,a.videoData),a.di.u=!0,c0(a,"dataloaded"),a.oj.started?d0(a):a.Im&&a.vb(CM(CM(a.playerState,512),1)),aya(a.cg,a.Id))}); -a.Na("loudness",""+a.videoData.Ir.toFixed(3),!0);var b=Pla(a.videoData);b&&a.Na("playerResponseExperiment",b,!0);a.ex()}else c0(a,"dataloaded")}; -b0=function(a){X_(a);a.Id=null;var b=Gya(a.W,a.videoData,a.Ze());a.No=b;a.No.then(function(c){Xza(a,c)},function(c){a.na()||(c=wB(c),a.visibility.isBackground()?(e0(a,"vp_none_avail"),a.No=null,a.di.reset()):(a.di.u=!0,a.Rd(c.errorCode,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",g.vB(c.details))))}); +b5a=function(a,b){a=a.j.get(b);if(!a)return{};a=a.GL();if(!a)return{};b={};return b.YT_ERROR_CODE=a.AI.toString(),b.ERRORCODE=a.mE.toString(),b.ERROR_MSG=a.errorMessage,b}; +c5a=function(a){var b={},c=a.F.getVideoData(1);b.ASR=AN(function(){var d;return null!=(d=null==c?void 0:c.Lw)?d:null}); +b.EI=AN(function(){var d;return null!=(d=null==c?void 0:c.eventId)?d:null}); return b}; -Z_=function(a){a.ea();b0(a).then(function(){return V_(a)}); -g.GM(a.playerState)&&a.playVideo()}; -Xza=function(a,b){if(!a.na()&&!b.videoData.na()&&(a.ea(),a.Id=b,Qya(a.Kb,a.Id),!a.videoData.isLivePlayback||0g.P(a.W.experiments,"hoffle_max_video_duration_secs")||0!==a.videoData.startSeconds||!a.videoData.offlineable||!a.videoData.ra||a.videoData.ra.isOtf||a.videoData.ra.isLive||a.videoData.ra.he||cy(a.videoData.videoId)||(g.Q(a.W.experiments,"hoffle_cfl_lock_format")?(a.Na("dlac","cfl"),a.videoData.rE=!0):(RI(a.videoData,!0),a.videoData.Qq=new rF(a.videoData.videoId,2, -{Ro:!0,ou:!0,videoDuration:a.videoData.lengthSeconds}),a.Na("dlac","w")))}; -h0=function(a){a.ea();a.da&&a.da.Ao();vT(a);a0(a)&&!g.U(a.playerState,128)&&(a.oj.started||(a.oj.start(),a.vb(CM(CM(a.playerState,8),1))),d0(a))}; -d0=function(a){a.na();a.ea();if(a.oj.isFinished())a.ea();else if(a.di.isFinished())if(g.U(a.playerState,128))a.ea();else if(a.dh.length)a.ea();else{if(!a.Vf.started){var b=a.Vf;b.started=!0;b.fk()}if(a.Qj())a.ea();else{a.Ba&&(b=a.Ba.Ja,a.ED=!!b.u&&!!b.B);a.oj.isFinished()||(a.oj.u=!0);!a.videoData.isLivePlayback||0b.startSeconds){var c=b.endSeconds;a.Ji&&(a.removeCueRange(a.Ji),a.Ji=null);a.Ji=new g.eF(1E3*c,0x7ffffffffffff);a.Ji.namespace="endcr";a.addCueRange(a.Ji)}}; -j0=function(a,b,c,d){a.videoData.Oa=c;d&&$za(a,b,d);var e=(d=g.i0(a))?d.Yb():"";d=a.Jb;c=new Mxa(a.videoData,c,b,e);if(d.qoe){d=d.qoe;e=g.rY(d.provider);g.MZ(d,e,"vfs",[c.u.id,c.B,d.kb,c.reason]);d.kb=c.u.id;var f=d.provider.D();if(0m?new DC(0,l,!1,"e"):UD;m=g.P(b.W.experiments,"html5_background_quality_cap");var n=g.P(b.W.experiments,"html5_background_cap_idle_secs");e=!m||"auto"!==Qxa(b)||Bp()/1E31E3*r);p&&(m=m?Math.min(m,n):n)}n=g.P(b.W.experiments,"html5_random_playback_cap");r=/[a-h]$/;n&&r.test(c.videoData.clientPlaybackNonce)&&(m=m?Math.min(m,n):n);(n=g.P(b.W.experiments, -"html5_not_vp9_supported_quality_cap"))&&!oB('video/webm; codecs="vp9"')&&(m=m?Math.min(m,n):n);if(r=n=g.P(b.W.experiments,"html5_hfr_quality_cap"))a:{r=c.La;if(r.Lc())for(r=g.q(r.videoInfos),p=r.next();!p.done;p=r.next())if(32d&&0!==d&&b.u===d)){aAa(HC(b));if(c.ba("html5_exponential_memory_for_sticky")){e=c.W.fd;d=1;var f=void 0===f?!1:f;VC(e,"sticky-lifetime");e.values["sticky-lifetime"]&&e.Mj["sticky-lifetime"]||(e.values["sticky-lifetime"]=0,e.Mj["sticky-lifetime"]=0);f&&.0625b.u;e=a.K.Ub&&!yB();c||d||b||e?(a.dd("reattachOnConstraint",c?"u":d?"drm":e?"codec":"perf"),a.V("reattachrequired")): -KF(a)}}}; -U_=function(a){a.ba("html5_nonblocking_media_capabilities")?l0(a):g0(a)}; -Zza=function(a){a.ba("html5_probe_media_capabilities")&&Nxa(a.videoData.La);Xga(a.videoData.ra,{cpn:a.videoData.clientPlaybackNonce,c:a.W.deviceParams.c,cver:a.W.deviceParams.cver});var b=a.W,c=a.videoData,d=new g.Jw,e=Iw(b,{hasSubfragmentedFmp4:c.hasSubfragmentedFmp4,Ui:c.Ui});d.D=e;d.Us=b.ba("html5_disable_codec_for_playback_on_error");d.Ms=b.ba("html5_max_drift_per_track_secs")||b.ba("html5_rewrite_manifestless_for_sync")||b.ba("html5_check_segnum_discontinuity");d.Fn=b.ba("html5_unify_sqless_flow"); -d.Dc=b.ba("html5_unrewrite_timestamps");d.Zb=b.ba("html5_stop_overlapping_requests");d.ng=g.P(b.experiments,"html5_min_readbehind_secs");d.hB=g.P(b.experiments,"html5_min_readbehind_cap_secs");d.KI=g.P(b.experiments,"html5_max_readbehind_secs");d.GC=g.Q(b.experiments,"html5_trim_future_discontiguous_ranges");d.Is=b.ba("html5_append_init_while_paused");d.Jg=g.P(b.experiments,"html5_max_readahead_bandwidth_cap");d.Ql=g.P(b.experiments,"html5_post_interrupt_readahead");d.R=g.P(b.experiments,"html5_subsegment_readahead_target_buffer_health_secs"); -d.Cc=g.P(b.experiments,"html5_subsegment_readahead_timeout_secs");d.HB=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs");d.kc=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");d.IB=g.P(b.experiments,"html5_subsegment_readahead_min_load_speed");d.En=g.P(b.experiments,"html5_subsegment_readahead_load_speed_check_interval");d.JB=g.P(b.experiments,"html5_subsegment_readahead_seek_latency_fudge");d.wi=b.ba("html5_peak_shave");d.lB=b.ba("html5_peak_shave_always_include_sd"); -d.yB=b.ba("html5_restrict_streaming_xhr_on_sqless_requests");d.yI=g.P(b.experiments,"html5_max_headm_for_streaming_xhr");d.nB=b.ba("html5_pipeline_manifestless_allow_nonstreaming");d.rB=b.ba("html5_prefer_server_bwe3");d.Hn=1024*g.P(b.experiments,"html5_video_tbd_min_kb");d.Rl=b.ba("html5_probe_live_using_range");d.gH=b.ba("html5_last_slice_transition");d.FB=b.ba("html5_store_xhr_headers_readable");d.lu=b.ba("html5_enable_packet_train_response_rate");if(e=g.P(b.experiments,"html5_probe_secondary_during_timeout_miss_count"))d.Sl= -e,d.NB=1;d.Ta=g.P(b.experiments,"html5_probe_primary_delay_base_ms")||d.Ta;d.Lg=b.ba("html5_no_placeholder_rollbacks");d.GB=b.ba("html5_subsegment_readahead_enable_mffa");b.ba("html5_allow_video_keyframe_without_audio")&&(d.ia=!0);d.yn=b.ba("html5_reattach_on_stuck");d.gE=b.ba("html5_webm_init_skipping");d.An=g.P(b.experiments,"html5_request_size_padding_secs")||d.An;d.Gu=b.ba("html5_log_timestamp_offset");d.Qc=b.ba("html5_abs_buffer_health");d.bH=b.ba("html5_interruption_resets_seeked_time");d.Ig= -g.P(b.experiments,"html5_max_live_dvr_window_plus_margin_secs")||d.Ig;d.ke=b.ba("html5_explicitly_dispose_xhr");d.EB=b.ba("html5_skip_invalid_sq");d.xB=b.ba("html5_restart_on_unexpected_detach");d.aI=b.ba("html5_log_live_discontinuity");d.zB=b.ba("html5_rewrite_manifestless_for_continuity");d.sf=g.P(b.experiments,"html5_manifestless_seg_drift_limit_secs");d.Hg=g.P(b.experiments,"html5_max_drift_per_track_secs");d.BB=b.ba("html5_rewrite_manifestless_for_sync");d.Nb=g.P(b.experiments,"html5_static_abr_resolution_shelf"); -d.Ls=!b.ba("html5_encourage_array_coalescing");d.Ps=b.ba("html5_crypto_period_secs_from_emsg");d.ut=b.ba("html5_disable_reset_on_append_error");d.qv=b.ba("html5_filter_non_efficient_formats_for_safari");d.iB=b.ba("html5_format_hybridization");d.Gp=b.ba("html5_abort_before_separate_init");b.ba("html5_media_common_config_killswitch")||(d.F=c.maxReadAheadMediaTimeMs/1E3||d.F,e=b.schedule,e.u.u()===e.policy.C?d.P=10:d.P=c.minReadAheadMediaTimeMs/1E3||d.P,d.ce=c.readAheadGrowthRateMs/1E3||d.ce);wg&&(d.X= -41943040);d.ma=!FB();g.wD(b)||!FB()?(e=b.experiments,d.I=8388608,d.K=524288,d.Ks=5,d.Ob=2097152,d.Y=1048576,d.vB=1.5,d.kB=!1,d.zb=4587520,ir()&&(d.zb=786432),d.u*=1.1,d.B*=1.1,d.kb=!0,d.X=d.I,d.Ub=d.K,d.xi=g.Q(e,"persist_disable_player_preload_on_tv")||g.Q(e,"persist_disable_player_preload_on_tv_for_living_room")||!1):b.u&&(d.u*=1.3,d.B*=1.3);g.pB&&dr("crkey")&&(e="CHROMECAST/ANCHOVY"===b.deviceParams.cmodel,d.I=20971520,d.K=1572864,e&&(d.zb=812500,d.zn=1E3,d.fE=5,d.Y=2097152));!b.ba("html5_disable_firefox_init_skipping")&& -g.vC&&(d.kb=!0);b.supportsGaplessAudio()||(d.Mt=!1);fD&&(d.zl=!0);mr()&&(d.Cn=!0);var f,h,l;if(LI(c)){d.tv=!0;d.DB=!0;if("ULTRALOW"===c.latencyClass||"LOW"===c.latencyClass&&!b.ba("html5_disable_low_pipeline"))d.sI=2,d.AI=4;d.Fj=c.defraggedFromSubfragments;c.cd&&(d.Ya=!0);g.eJ(c)&&(d.ha=!1);d.Ns=g.JD(b)}c.isAd()&&(d.Ja=0,d.Ne=0);NI(c)&&(d.fa=!0,b.ba("html5_resume_streaming_requests")&&(d.ub=!0,d.zn=400,d.vI=2));d.za=b.ba("html5_enable_subsegment_readahead_v3")||b.ba("html5_ultra_low_latency_subsegment_readahead")&& -"ULTRALOW"===c.latencyClass;d.Aa=c.nk;d.sH=d.Aa&&(/^rq[a-f]/.test(c.clientPlaybackNonce)||CI(c));sr()&&/(K\d{3}|KS\d{3}|KU\d{3})/.test(b.deviceParams.cmodel)&&!b.ba("html5_disable_move_pssh_to_moov")&&(null===(f=c.ra)||void 0===f?0:KB(f))&&(d.kb=!1);if(null===(h=c.ra)||void 0===h?0:KB(h))d.yn=!1;h=0;b.ba("html5_live_use_alternate_bandwidth_window_sizes")&&(h=b.schedule.policy.u,c.isLivePlayback&&(h=g.P(b.experiments,"ULTRALOW"===c.latencyClass?"html5_live_ultra_low_latency_bandwidth_window":c.isLowLatencyLiveStream? -"html5_live_low_latency_bandwidth_window":"html5_live_normal_latency_bandwidth_window")||h));f=b.schedule;f.P.u=LI(c)?.5:0;if(!f.policy.B&&h&&(f=f.u,h=Math.round(h*f.resolution),h!==f.B)){e=Array(h);var m=Math.min(h,f.D?f.B:f.valueIndex),n=f.valueIndex-m;0>n&&(n+=f.B);for(var p=0;pa.videoData.endSeconds&&isFinite(b)&&(a.removeCueRange(a.Ji),a.Ji=null);ba.mediaSource.getDuration()&&a.mediaSource.gi(c)):a.mediaSource.gi(d);var e=a.Ba,f=a.mediaSource;e.ha&&(yF(e),e.ha=!1);xF(e);if(!CB(f)){var h=e.B.u.info.mimeType+e.u.tu,l=e.D.u.info.mimeType,m,n,p=null===(m=f.mediaSource)||void 0=== -m?void 0:m.addSourceBuffer(l),r="fakesb"===h?void 0:null===(n=f.mediaSource)||void 0===n?void 0:n.addSourceBuffer(h);f.de&&(f.de.webkitSourceAddId("0",l),f.de.webkitSourceAddId("1",h));var t=new xB(p,f.de,"0",bx(l),!1),w=new xB(r,f.de,"1",bx(h),!0);f.u=t;f.B=w;g.D(f,t);g.D(f,w)}iA(e.B,f.B);iA(e.D,f.u);e.C=f;e.resume();vt(f.u,e.kb,e);vt(f.B,e.kb,e);e.u.Gu&&1E-4>=Math.random()&&e.dd("toff",""+f.u.supports(1),!0);e.Uh();a.V("mediasourceattached");a.CA.stop()}}catch(y){g.Is(y),a.handleError(new uB("fmt.unplayable", -!0,{msi:"1",ename:y.name}))}})}; -fAa=function(a){a.Ba?Cm(a.Ba.seek(a.getCurrentTime()-a.yc()),function(){}):Zza(a)}; -nY=function(a,b){b=void 0===b?!1:b;return We(a,function d(){var e=this;return xa(d,function(f){if(1==f.u)return e.Ba&&e.Ba.na()&&X_(e),e.V("newelementrequired"),b?f=sa(f,b0(e),2):(f.u=2,f=void 0),f;g.U(e.playerState,8)&&e.playVideo();f.u=0})})}; -Vva=function(a,b){a.Na("newelem",b);nY(a)}; -n0=function(a){g.U(a.playerState,32)||(a.vb(CM(a.playerState,32)),g.U(a.playerState,8)&&a.pauseVideo(!0),a.V("beginseeking",a));a.sc()}; -BY=function(a){g.U(a.playerState,32)?(a.vb(EM(a.playerState,16,32)),a.V("endseeking",a)):g.U(a.playerState,2)||a.vb(CM(a.playerState,16))}; -c0=function(a,b){a.V("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; -gAa=function(a){g.Cb("loadstart loadeddata loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" "),function(b){this.xp.N(this.da,b,this.Jz,this)},a); -a.W.Cn&&a.da.ol()&&(a.xp.N(a.da,"webkitplaybacktargetavailabilitychanged",a.eO,a),a.xp.N(a.da,"webkitcurrentplaybacktargetiswirelesschanged",a.fO,a))}; -iAa=function(a){a.ba("html5_enable_timeupdate_timeout")&&!a.videoData.isLivePlayback&&hAa(a)&&a.nw.start()}; -hAa=function(a){if(!a.da)return!1;var b=a.da.getCurrentTime();a=a.da.getDuration();return!!(1a-.3)}; -jAa=function(a){window.clearInterval(a.Gv);q0(a)||(a.Gv=Ho(function(){return q0(a)},100))}; -q0=function(a){var b=a.da;b&&a.qr&&!a.videoData.Rg&&!WE("vfp",a.eb.timerName)&&2<=b.yg()&&!b.Yi()&&0b.u&&(b.u=c,b.delay.start());b.B=c;b.D=c}a.fx.Sb();a.V("playbackstarted");g.up()&&((a=g.Ja("yt.scheduler.instance.clearPriorityThreshold"))?a():wp(0))}; -Zsa=function(a){var b=a.getCurrentTime(),c=a.videoData;!WE("pbs",a.eb.timerName)&&XE.measure&&XE.getEntriesByName&&(XE.getEntriesByName("mark_nr")[0]?YE("mark_nr"):YE());c.videoId&&a.eb.info("docid",c.videoId);c.eventId&&a.eb.info("ei",c.eventId);c.clientPlaybackNonce&&a.eb.info("cpn",c.clientPlaybackNonce);0a.jE+6283){if(!(!a.isAtLiveHead()||a.videoData.ra&&WB(a.videoData.ra))){var b=a.Jb;if(b.qoe){b=b.qoe;var c=b.provider.zq(),d=g.rY(b.provider);gya(b,d,c);c=c.F;isNaN(c)||g.MZ(b,d,"e2el",[c.toFixed(3)])}}g.JD(a.W)&&a.Na("rawlat","l."+SY(a.iw,"rawlivelatency").toFixed(3));a.jE=g.A()}a.videoData.Oa&&ix(a.videoData.Oa)&&(b=xK(a))&&b.videoHeight!==a.Xy&&(a.Xy=b.videoHeight,j0(a,"a",cAa(a,a.videoData.fh)))}; -cAa=function(a,b){if("auto"===b.Oa.Ma().quality&&ix(b.Te())&&a.videoData.lk)for(var c=g.q(a.videoData.lk),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.Xy&&"auto"!==d.Oa.Ma().quality)return d.Te();return b.Te()}; -T_=function(a){if(!a.videoData.isLivePlayback||!a.videoData.ra||!a.Ba)return NaN;var b=LI(a.videoData)?a.Ba.Ya.u()||0:a.videoData.ra.R;return g.A()/1E3-a.Ue()-b}; -lAa=function(a){!a.ba("html5_ignore_airplay_events_on_new_video_killswitch")&&a.da&&a.da.Ze()&&(a.wu=(0,g.N)());a.W.tu?g.Go(function(){r0(a)},0):r0(a)}; -r0=function(a){a.da&&(a.yr=a.da.playVideo());if(a.yr){var b=a.yr;b.then(void 0,function(c){a.ea();if(!g.U(a.playerState,4)&&!g.U(a.playerState,256)&&a.yr===b)if(c&&"AbortError"===c.name&&c.message&&c.message.includes("load"))a.ea();else{var d="promise";c&&c.name&&(d+=";m."+c.name);try{a.vb(CM(a.playerState,2048))}catch(e){}e0(a,d);a.YB=!0}})}}; -e0=function(a,b){g.U(a.playerState,128)||(a.vb(EM(a.playerState,1028,9)),a.Na("dompaused",b),a.V("onDompaused"))}; -V_=function(a){if(!a.da||!a.videoData.La)return!1;var b,c,d=null;(null===(c=a.videoData.La)||void 0===c?0:c.Lc())?(d=p0(a),null===(b=a.Ba)||void 0===b?void 0:b.resume()):(X_(a),a.videoData.fh&&(d=a.videoData.fh.Yq()));b=d;d=a.da.Yu();c=!1;d&&null!==b&&b.u===d.u||(a.eb.tick("vta"),ZE("vta","video_to_ad"),0=c&&b<=d}; -xAa=function(a,b){var c=a.u.getAvailablePlaybackRates();b=Number(b.toFixed(2));var d=c[0];c=c[c.length-1];b<=d||(b>=c?d=c:(d=Math.floor(100*b+.001)%5,d=0===d?b:Math.floor(100*(b-.01*d)+.001)/100));return d}; -R0=function(a,b,c){if(a.cd(c)){c=c.getVideoData();if(a.I)c=b;else{a=a.te;for(var d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Hc===e.Hc){b+=e.pc/1E3;break}d=b;a=g.q(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Hc===e.Hc)break;var f=e.pc/1E3;if(f=.25*d||c)&&a.md("first_quartile"),(b>=.5*d||c)&&a.md("midpoint"),(b>=.75*d||c)&&a.md("third_quartile"),a=a.s8,b*=1E3,c=a.D())){for(;a.C=v?new iq(1E3*q,1E3*r):new iq(1E3*Math.floor(d+Math.random()*Math.min(v,p)),1E3*r)}p=m}else p={Cn:Tsa(c),zD:!1},r=c.startSecs+c.Sg,c.startSecs<=d?m=new iq(1E3*(c.startSecs-4),1E3*r):(q=Math.max(0,c.startSecs-d-10),m=new iq(1E3*Math.floor(d+ +Math.random()*(m?0===d?0:Math.min(q,5):q)),1E3*r)),p.Rp=m;e=v2a(e,f,h,p,l,[new D1a(c)]);n.get().Sh("daism","ct."+Date.now()+";cmt."+d+";smw."+(p.Rp.start/1E3-d)+";tw."+(c.startSecs-d)+";cid."+c.identifier.replaceAll(":","_")+";sid."+e.slotId);return[e]})}; +f2=function(a,b,c,d,e,f,h,l,m){g.C.call(this);this.j=a;this.B=b;this.u=c;this.ac=d;this.Ib=e;this.Ab=f;this.Jb=h;this.Ca=l;this.Va=m;this.Jj=!0}; +e6a=function(a,b,c){return V2a(a.Ib.get(),b.contentCpn,b.vp,function(d){return W2a(a.Ab.get(),d.slotId,c,b.adPlacementConfig,b.vp,c_(a.Jb.get(),d))})}; +g2=function(a){var b,c=null==(b=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:b.current;if(!c)return null;b=ZZ(a.Ba,"metadata_type_ad_pod_skip_target_callback_ref");var d=a.layoutId,e=ZZ(a.Ba,"metadata_type_content_cpn"),f=ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),h=ZZ(a.Ba,"metadata_type_player_underlay_renderer"),l=ZZ(a.Ba,"metadata_type_ad_placement_config"),m=ZZ(a.Ba,"metadata_type_video_length_seconds");var n=AC(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds")? +ZZ(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"):AC(a.Ba,"metadata_type_layout_enter_ms")&&AC(a.Ba,"metadata_type_layout_exit_ms")?(ZZ(a.Ba,"metadata_type_layout_exit_ms")-ZZ(a.Ba,"metadata_type_layout_enter_ms"))/1E3:void 0;return{vp:d,contentCpn:e,xO:c,qK:b,instreamAdPlayerOverlayRenderer:f,instreamAdPlayerUnderlayRenderer:h,adPlacementConfig:l,videoLengthSeconds:m,MG:n,inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id")}}; +g6a=function(a,b){return f6a(a,b)}; +h6a=function(a,b){b=f6a(a,b);if(!b)return null;var c;b.MG=null==(c=ZZ(a.Ba,"metadata_type_ad_pod_info"))?void 0:c.adBreakRemainingLengthSeconds;return b}; +f6a=function(a,b){var c,d=null==(c=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:c.current;if(!d)return null;AC(a.Ba,"metadata_ad_video_is_listed")?c=ZZ(a.Ba,"metadata_ad_video_is_listed"):b?c=b.isListed:(GD("No layout metadata nor AdPlayback specified for ad video isListed"),c=!1);AC(a.Ba,"metadata_type_ad_info_ad_metadata")?b=ZZ(a.Ba,"metadata_type_ad_info_ad_metadata"):b?b={channelId:b.bk,channelThumbnailUrl:b.profilePicture,channelTitle:b.author,videoTitle:b.title}:(GD("No layout metadata nor AdPlayback specified for AdMetaData"), +b={channelId:"",channelThumbnailUrl:"",channelTitle:"",videoTitle:""});return{H1:b,adPlacementConfig:ZZ(a.Ba,"metadata_type_ad_placement_config"),J1:c,contentCpn:ZZ(a.Ba,"metadata_type_content_cpn"),inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id"),instreamAdPlayerOverlayRenderer:ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),instreamAdPlayerUnderlayRenderer:void 0,MG:void 0,xO:d,vp:a.layoutId,videoLengthSeconds:ZZ(a.Ba, +"metadata_type_video_length_seconds")}}; +i6a=function(a,b){this.callback=a;this.slot=b}; +h2=function(){}; +j6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +k6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c;this.u=!1;this.j=0}; +l6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +i2=function(a){this.Ha=a}; +j2=function(a,b,c,d){this.category=a;this.trigger=b;this.slot=c;this.layout=d}; +k2=function(a){g.C.call(this);this.gJ=a;this.Wb=new Map}; +m6a=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof I0&&f.triggeringLayoutId===b&&c.push(e)}c.length?k0(a.gJ(),c):GD("Survey is submitted but no registered triggers can be activated.")}; +l2=function(a,b,c){k2.call(this,a);var d=this;this.Ca=c;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(d)})}; +m2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map;this.D=new Set;this.B=new Set;this.C=new Set;this.I=new Set;this.u=new Set}; +n2=function(a,b){g.C.call(this);var c=this;this.j=a;this.Wb=new Map;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)})}; +n6a=function(a,b,c,d){var e=[];a=g.t(a.values());for(var f=a.next();!f.done;f=a.next())if(f=f.value,f.trigger instanceof z0){var h=f.trigger.j===b;h===c?e.push(f):d&&h&&(GD("Firing OnNewPlaybackAfterContentVideoIdTrigger from presumed cached playback CPN match.",void 0,void 0,{cpn:b}),e.push(f))}return e}; +o6a=function(a){return a instanceof x4a||a instanceof y4a||a instanceof b1}; +o2=function(a,b,c,d){g.C.call(this);var e=this;this.u=a;this.wc=b;this.Ha=c;this.Va=d;this.Jj=!0;this.Wb=new Map;this.j=new Set;c.get().addListener(this);g.bb(this,function(){c.isDisposed()||c.get().removeListener(e)})}; +p6a=function(a,b,c,d,e,f,h,l,m,n){if(a.Va.get().vg(1).clientPlaybackNonce!==m)throw new N("Cannot register CueRange-based trigger for different content CPN",{trigger:c});a.Wb.set(c.triggerId,{Cu:new j2(b,c,d,e),Lu:f});a.wc.get().addCueRange(f,h,l,n,a)}; +q6a=function(a,b){a=g.t(a.Wb.entries());for(var c=a.next();!c.done;c=a.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;if(b===d.Lu)return c}return""}; +p2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +Y1=function(a,b){b=b.layoutId;for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())if(e=e.value,e.trigger instanceof G0){var f;if(f=e.trigger.layoutId===b)f=(f=S1a.get(e.category))?"normal"===f:!1;f&&c.push(e)}c.length&&k0(a.j(),c)}; +q2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +r2=function(a,b,c){g.C.call(this);this.j=a;this.hn=b;this.eb=c;this.hn.get().addListener(this)}; +s2=function(a,b,c,d,e,f){g.C.call(this);this.B=a;this.cf=b;this.Jb=c;this.Va=d;this.eb=e;this.Ca=f;this.j=this.u=null;this.C=!1;this.cf.get().addListener(this)}; +dCa=function(a,b,c,d,e){var f=MD(a.eb.get(),"SLOT_TYPE_PLAYER_BYTES");a.u={slotId:f,slotType:"SLOT_TYPE_PLAYER_BYTES",slotPhysicalPosition:1,slotEntryTrigger:void 0,slotFulfillmentTriggers:[],slotExpirationTriggers:[],bb:"surface",Ba:new YZ([])};a.j={layoutId:b,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"surface",Ba:new YZ(c),Ac:l1a(b_(a.Jb.get()),f,"SLOT_TYPE_PLAYER_BYTES", +1,"surface",void 0,[],[],b,"LAYOUT_TYPE_MEDIA","surface"),adLayoutLoggingData:e};P1a(a.B(),a.u,a.j);d&&(Q1a(a.B(),a.u,a.j),a.C=!0,j0(a.B(),a.u,a.j))}; +t2=function(a){this.fu=a}; +r6a=function(a,b){if(!a)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};a.trackingParams&&pP().eq(a.trackingParams);if(a.adThrottled)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};var c,d=null!=(c=a.adSlots)?c:[];c=a.playerAds;if(!c||!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};c=c.map(function(f){return f.adPlacementRenderer}).filter(function(f){return!(!f||!f.renderer)}); +if(!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};if(0e&&h.jA(p,e-d);return p}; +E6a=function(a,b){var c=ZZ(b.Ba,"metadata_type_sodar_extension_data");if(c)try{m5a(0,c)}catch(d){GD("Unexpected error when loading Sodar",a,b,{error:d})}}; +G6a=function(a,b,c,d,e,f){F6a(a,b,new g.WN(c,new g.KO),d,e,!1,f)}; +F6a=function(a,b,c,d,e,f,h){f=void 0===f?!0:f;R5a(c)&&Z1(e,0,null)&&(!N1(a,"impression")&&h&&h(),a.md("impression"));N1(a,"impression")&&(g.YN(c,4)&&!g.YN(c,2)&&a.lh("pause"),0>XN(c,4)&&!(0>XN(c,2))&&a.lh("resume"),g.YN(c,16)&&.5<=e&&a.lh("seek"),f&&g.YN(c,2)&&H6a(a,c.state,b,d,e))}; +H6a=function(a,b,c,d,e,f){if(N1(a,"impression")){var h=1>=Math.abs(d-e);I6a(a,b,h?d:e,c,d,f);h&&a.md("complete")}}; +I6a=function(a,b,c,d,e,f){M1(a,1E3*c);0>=e||0>=c||(null==b?0:g.S(b,16))||(null==b?0:g.S(b,32))||(Z1(c,.25*e,d)&&(f&&!N1(a,"first_quartile")&&f("first"),a.md("first_quartile")),Z1(c,.5*e,d)&&(f&&!N1(a,"midpoint")&&f("second"),a.md("midpoint")),Z1(c,.75*e,d)&&(f&&!N1(a,"third_quartile")&&f("third"),a.md("third_quartile")))}; +J6a=function(a,b){N1(a,"impression")&&a.lh(b?"fullscreen":"end_fullscreen")}; +K6a=function(a){N1(a,"impression")&&a.lh("clickthrough")}; +L6a=function(a){a.lh("active_view_measurable")}; +M6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_fully_viewable_audible_half_duration")}; +N6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_viewable")}; +O6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_audible")}; +P6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_measurable")}; +Q6a=function(a,b,c,d,e,f,h,l,m,n,p,q){this.callback=a;this.slot=b;this.layout=c;this.qf=d;this.Za=e;this.Ha=f;this.Td=h;this.Mb=l;this.hf=m;this.Ca=n;this.Oa=p;this.Va=q;this.tG=!0;this.Nc=this.Fc=null}; +R6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +S6a=function(a,b){var c,d;a.Oa.get().Sh("ads_imp","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b+";skp."+!!g.K(null==(d=ZZ(a.layout.Ba,"metadata_type_instream_ad_player_overlay_renderer"))?void 0:d.skipOrPreviewRenderer,R0))}; +T6a=function(a){return{enterMs:ZZ(a.Ba,"metadata_type_layout_enter_ms"),exitMs:ZZ(a.Ba,"metadata_type_layout_exit_ms")}}; +U6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){A2.call(this,a,b,c,d,e,h,l,m,n,q);this.Td=f;this.hf=p;this.Mb=r;this.Ca=v;this.Nc=this.Fc=null}; +V6a=function(a,b){var c;a.Oa.get().Sh("ads_imp","acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b)}; +W6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +X6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B,F,G){this.Ue=a;this.u=b;this.Va=c;this.qf=d;this.Ha=e;this.Oa=f;this.Td=h;this.xf=l;this.Mb=m;this.hf=n;this.Pe=p;this.wc=q;this.Mc=r;this.zd=v;this.Xf=x;this.Nb=z;this.dg=B;this.Ca=F;this.j=G}; +B2=function(a){g.C.call(this);this.j=a;this.Wb=new Map}; +C2=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.j===b.layoutId&&c.push(e);c.length&&k0(a.j(),c)}; +D2=function(a,b){g.C.call(this);var c=this;this.C=a;this.u=new Map;this.B=new Map;this.j=null;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)}); +var d;this.j=(null==(d=b.get().Nu)?void 0:d.slotId)||null}; +Y6a=function(a,b){var c=[];a=g.t(a.values());for(var d=a.next();!d.done;d=a.next())d=d.value,d.slot.slotId===b&&c.push(d);return c}; +Z6a=function(a){this.F=a}; +$6a=function(a,b,c,d,e){gN.call(this,"image-companion",a,b,c,d,e)}; +a7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +b7a=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; +c7a=function(a,b,c,d,e){gN.call(this,"shopping-companion",a,b,c,d,e)}; +d7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +e7a=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; +f7a=function(a,b,c,d,e,f){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.Jj=!0;this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +g7a=function(){var a=["metadata_type_action_companion_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON"]}}; +h7a=function(a,b,c,d,e){gN.call(this,"ads-engagement-panel",a,b,c,d,e)}; +i7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +j7a=function(){var a=["metadata_type_ads_engagement_panel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON"]}}; +k7a=function(a,b,c,d,e){this.vc=a;this.Oa=b;this.Ue=c;this.j=d;this.Mb=e}; +l7a=function(a,b,c){gN.call(this,"player-underlay",a,{},b,c);this.interactionLoggingClientData=c}; +E2=function(a,b,c,d){P1.call(this,a,b,c,d)}; +m7a=function(a){this.vc=a}; +n7a=function(a,b,c,d){gN.call(this,"survey-interstitial",a,b,c,d)}; +F2=function(a,b,c,d,e){P1.call(this,c,a,b,d);this.Oa=e;a=ZZ(b.Ba,"metadata_type_ad_placement_config");this.Za=new J1(b.Rb,e,a,b.layoutId)}; +G2=function(a){return Math.round(a.width)+"x"+Math.round(a.height)}; +p7a=function(a,b,c){c=void 0===c?o7a:c;c.widtha.width*a.height*.2)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") to container("+G2(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") covers container("+G2(a)+") center."}}; +q7a=function(a,b){var c=ZZ(a.Ba,"metadata_type_ad_placement_config");return new J1(a.Rb,b,c,a.layoutId)}; +H2=function(a){return ZZ(a.Ba,"metadata_type_invideo_overlay_ad_renderer")}; +r7a=function(a,b,c,d){gN.call(this,"invideo-overlay",a,b,c,d);this.interactionLoggingClientData=d}; +I2=function(a,b,c,d,e,f,h,l,m,n,p,q){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.Ha=l;this.Nb=m;this.Ca=n;this.I=p;this.D=q;this.Za=q7a(b,c)}; +s7a=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; +J2=function(a,b,c,d,e,f,h,l,m,n,p,q,r){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.J=l;this.Ha=m;this.Nb=n;this.Ca=p;this.I=q;this.D=r;this.Za=q7a(b,c)}; +t7a=function(){for(var a=["metadata_type_invideo_overlay_ad_renderer"],b=g.t(K1()),c=b.next();!c.done;c=b.next())a.push(c.value);return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}}; +K2=function(a){this.Ha=a;this.j=!1}; +u7a=function(a,b,c){gN.call(this,"survey",a,{},b,c)}; +v7a=function(a,b,c,d,e,f,h){P1.call(this,c,a,b,d);this.C=e;this.Ha=f;this.Ca=h}; +w7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +L2=function(a){g.C.call(this);this.B=a;this.Jj=!0;this.Wb=new Map;this.j=new Map;this.u=new Map}; +x7a=function(a,b){var c=[];if(b=a.j.get(b.layoutId)){b=g.t(b);for(var d=b.next();!d.done;d=b.next())(d=a.u.get(d.value.triggerId))&&c.push(d)}return c}; +y7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,"SLOT_TYPE_ABOVE_FEED",f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.rS=Y(function(){return new k7a(f.vc,f.Oa,a,f.Pc,f.Mb)}); +g.E(this,this.rS);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.RW=Y(function(){return new x6a(f.Ha,f.Oa,f.Ca)}); +g.E(this,this.RW);this.Um=Y(function(){return new w7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.AY=Y(function(){return new m7a(f.vc)}); +g.E(this,this.AY);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_ABOVE_FEED",this.Qd],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd],["SLOT_TYPE_PLAYER_UNDERLAY",this.Qd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_SURVEY_SUBMITTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb], +["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_SLOT_ID_UNSCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER", +this.Oe],["TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER",this.Oe],["TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME",this.Oe],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE_ALLOW_REACTIVATION_ON_USER_CANCELLED",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED", +this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh],["SLOT_TYPE_PLAYER_UNDERLAY",this.Gd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Gd]]),yq:new Map([["SLOT_TYPE_ABOVE_FEED",this.rS],["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_PLAYBACK_TRACKING",this.RW],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_UNDERLAY",this.AY]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +z7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +A7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new z7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY", +this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED", +this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc, +Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +B7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.NW=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.NW);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.NW],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +C7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES", +this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +N2=function(a,b,c,d,e,f,h,l,m){T1.call(this,a,b,c,d,e,f,h,m);this.Bm=l}; +D7a=function(){var a=I5a();a.Ae.push("metadata_type_ad_info_ad_metadata");return a}; +E7a=function(a,b,c,d,e,f){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f}; +F7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.WY=Y(function(){return new E7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c)}); +g.E(this,this.WY);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING", +this.Mh],["SLOT_TYPE_IN_PLAYER",this.WY],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +G7a=function(a,b,c,d,e,f,h){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f;this.Ca=h}; +H7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj,3)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Xh=new f2(h6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.Um=Y(function(){return new G7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c,f.Ca)}); +g.E(this,this.Um);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd], +["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED", +this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING", +this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_IN_PLAYER",this.Um]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +J7a=function(a,b,c,d){g.C.call(this);var e=this;this.j=I7a(function(){return e.u},a,b,c,d); +g.E(this,this.j);this.u=(new h2a(this.j)).B();g.E(this,this.u)}; +O2=function(a){return a.j.yv}; +I7a=function(a,b,c,d,e){try{var f=b.V();if(g.DK(f))var h=new y7a(a,b,c,d,e);else if(g.GK(f))h=new A7a(a,b,c,d,e);else if("WEB_MUSIC_EMBEDDED_PLAYER"===g.rJ(f))h=new C7a(a,b,c,d,e);else if(uK(f))h=new B7a(a,b,c,d,e);else if(g.nK(f))h=new F7a(a,b,c,d,e);else if(g.mK(f))h=new H7a(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return h=b.V(),GD("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:h.j.cplatform,interface:h.j.c,I7a:h.j.cver,H7a:h.j.ctheme, +G7a:h.j.cplayer,c8a:h.playerStyle}),new l5a(a,b,c,d,e)}}; +K7a=function(a){FQ.call(this,a)}; +L7a=function(a,b,c,d,e){NQ.call(this,a,{G:"div",N:"ytp-ad-timed-pie-countdown-container",W:[{G:"svg",N:"ytp-ad-timed-pie-countdown",X:{viewBox:"0 0 20 20"},W:[{G:"circle",N:"ytp-ad-timed-pie-countdown-background",X:{r:"10",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-inner",X:{r:"5",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-outer",X:{r:"10",cx:"10",cy:"10"}}]}]},"timed-pie-countdown",b,c,d,e);this.B=this.Da("ytp-ad-timed-pie-countdown-inner");this.C=this.Da("ytp-ad-timed-pie-countdown-outer"); +this.u=Math.ceil(10*Math.PI);this.hide()}; +M7a=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-action-interstitial",X:{tabindex:"0"},W:[{G:"div",N:"ytp-ad-action-interstitial-background-container"},{G:"div",N:"ytp-ad-action-interstitial-slot",W:[{G:"div",N:"ytp-ad-action-interstitial-card",W:[{G:"div",N:"ytp-ad-action-interstitial-image-container"},{G:"div",N:"ytp-ad-action-interstitial-headline-container"},{G:"div",N:"ytp-ad-action-interstitial-description-container"},{G:"div",N:"ytp-ad-action-interstitial-action-button-container"}]}]}]}, +"ad-action-interstitial",b,c,d);this.pP=e;this.gI=f;this.navigationEndpoint=this.j=this.skipButton=this.u=this.actionButton=null;this.Ja=this.Da("ytp-ad-action-interstitial-image-container");this.J=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-image");g.E(this,this.J);this.J.Ea(this.Ja);this.Ga=this.Da("ytp-ad-action-interstitial-headline-container");this.D=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-headline"); +g.E(this,this.D);this.D.Ea(this.Ga);this.Aa=this.Da("ytp-ad-action-interstitial-description-container");this.C=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-description");g.E(this,this.C);this.C.Ea(this.Aa);this.Ya=this.Da("ytp-ad-action-interstitial-background-container");this.Z=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-background",!0);g.E(this,this.Z);this.Z.Ea(this.Ya);this.Qa=this.Da("ytp-ad-action-interstitial-action-button-container"); +this.slot=this.Da("ytp-ad-action-interstitial-slot");this.B=new Jz;g.E(this,this.B);this.hide()}; +N7a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +R7a=function(a,b,c,d){eQ.call(this,a,{G:"div",N:"ytp-ad-overlay-slot",W:[{G:"div",N:"ytp-ad-overlay-container"}]},"invideo-overlay",b,c,d);this.J=[];this.fb=this.Aa=this.C=this.Ya=this.Ja=null;this.Qa=!1;this.D=null;this.Z=0;a=this.Da("ytp-ad-overlay-container");this.Ga=new WQ(a,45E3,6E3,.3,.4);g.E(this,this.Ga);this.B=O7a(this);g.E(this,this.B);this.B.Ea(a);this.u=P7a(this);g.E(this,this.u);this.u.Ea(a);this.j=Q7a(this);g.E(this,this.j);this.j.Ea(a);this.hide()}; +O7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-text-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +P7a=function(a){var b=new g.dQ({G:"div",Ia:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-text-image",W:[{G:"img",X:{src:"{{imageUrl}}"}}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], +ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);a.S(b.Da("ytp-ad-overlay-text-image"),"click",a.F7);b.hide();return b}; +Q7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-image-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-image",W:[{G:"img",X:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.S(b.Da("ytp-ad-overlay-image"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +T7a=function(a,b){if(b){var c=g.K(b,S0)||null;if(null==c)g.CD(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else if(b=g.kf("video-ads ytp-ad-module")||null,null==b)g.CD(Error("Could not locate the root ads container element to attach the ad info dialog."));else if(a.Aa=new g.dQ({G:"div",N:"ytp-ad-overlay-ad-info-dialog-container"}),g.E(a,a.Aa),a.Aa.Ea(b),b=new KQ(a.api,a.layoutId,a.interactionLoggingClientData,a.rb,a.Aa.element,!1),g.E(a,b),b.init(fN("ad-info-hover-text-button"), +c,a.macros),a.D){b.Ea(a.D,0);b.subscribe("f",a.h5,a);b.subscribe("e",a.XN,a);a.S(a.D,"click",a.i5);var d=g.kf("ytp-ad-button",b.element);a.S(d,"click",function(){var e;if(g.K(null==(e=g.K(c.button,g.mM))?void 0:e.serviceEndpoint,kFa))a.Qa=2===a.api.getPlayerState(1),a.api.pauseVideo();else a.api.onAdUxClicked("ad-info-hover-text-button",a.layoutId)}); +a.fb=b}else g.CD(Error("Ad info button container within overlay ad was not present."))}else g.DD(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; +V7a=function(a,b){if(U7a(a,Q2)||a.api.zg())return!1;var c=fQ(b.title),d=fQ(b.description);if(g.Tb(c)||g.Tb(d))return!1;a.Zf(a.B.element,b.trackingParams||null);a.B.updateValue("title",fQ(b.title));a.B.updateValue("description",fQ(b.description));a.B.updateValue("displayUrl",fQ(b.displayUrl));b.navigationEndpoint&&g.Cb(a.J,b.navigationEndpoint);a.B.show();a.Ga.start();a.Ua(a.B.element,!0);a.S(a.B.element,"mouseover",function(){a.Z++}); return!0}; -g.N0=function(a,b){b!==a.Y&&(a.ea(),2===b&&1===a.getPresentingPlayerType()&&(z0(a,-1),z0(a,5)),a.Y=b,a.u.V("appstatechange",b))}; -z0=function(a,b){a.ea();if(a.D){var c=a.D.getPlayerType();if(2===c&&!a.cd()){a.Qc!==b&&(a.Qc=b,a.u.xa("onAdStateChange",b));return}if(2===c&&a.cd()||5===c||6===c||7===c)if(-1===b||0===b||5===b)return}a.Nb!==b&&(a.Nb=b,a.u.xa("onStateChange",b))}; -QAa=function(a,b,c,d,e){a.ea();b=a.I?fwa(a.I,b,c,d,e):owa(a.te,b,c,d,e);a.ea();return b}; -RAa=function(a,b,c){if(a.I){a=a.I;for(var d=void 0,e=null,f=g.q(a.B),h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),gwa(a,e,c,d)):wY(a,"Invalid timelinePlaybackId="+b+" specified")}else{a=a.te;d=void 0;e=null;f=g.q(a.u);for(h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),vwa(a,e,c,d)):DY(a,"e.InvalidTimelinePlaybackId timelinePlaybackId="+b)}}; -SAa=function(a,b,c,d){d=void 0===d?Infinity:d;a.ea();c=c||a.D.getPlayerType();var e;g.Q(a.W.experiments,"html5_gapless_preloading")&&(e=P0(a,c,b,!0));e||(e=t0(a,c),e.hi(b,function(){return a.De()})); -pwa(a,e,d)}; -pwa=function(a,b,c,d){d=void 0===d?0:d;var e=g.Z(a);e&&(C0(a,e).iI=!0);Tva(a.Ga,b,c,d).then(function(){a.u.xa("onQueuedVideoLoaded")},function(){})}; -UAa=function(a,b,c,d){var e=V0(c,b.videoId,b.Hc);a.ea();b.an=!0;var f=a.D&&e===V0(a.D.getPlayerType(),a.D.getVideoData().videoId,a.D.getVideoData().Hc)?a.D:t0(a,c);f.hi(b,function(){return a.De()}); -!g.Q(a.W.experiments,"unplugged_tvhtml5_video_preload_no_dryrun")&&1===c&&ID(a.W)||vT(f,!0);a.kb.set(e,f,d||3600);d="prefetch"+b.videoId;SE("prefetch",["pfp"],void 0,d);VE({playerInfo:{playbackType:TAa[c]},videoId:b.videoId},d);a.ea()}; -V0=function(a,b,c){return a+"_"+b+"_"+c}; -P0=function(a,b,c,d){if(!f){var e=V0(b,c.videoId,c.Hc);var f=a.kb.get(e);if(!f)return null;a.kb.remove(e);if(g.U(f.getPlayerState(),128))return f.dispose(),null}if(f===g.Z(a,b))return f;if((f.getVideoData().oauthToken||c.oauthToken)&&f.getVideoData().oauthToken!==c.oauthToken)return null;d||Uva(a,f);return f}; -Uva=function(a,b){var c=b.getPlayerType();b!==g.Z(a,c)&&(1===b.getPlayerType()?(b.getVideoData().autonavState=a.B.getVideoData().autonavState,wt(a.B,a.Dc,a),c=a.B.getPlaybackRate(),a.B.dispose(),a.B=b,a.B.setPlaybackRate(c),vt(b,a.Dc,a),KAa(a)):(c=g.Z(a,c))&&c.dispose(),a.D.getPlayerType()===b.getPlayerType()?aU(a,b):y0(a,b))}; -A0=function(a,b){var c=a.W.yn&&g.Q(a.W.experiments,"html5_block_pip_with_events")||g.Q(a.W.experiments,"html5_block_pip_non_mse")&&"undefined"===typeof MediaSource;if(b&&c&&a.getVideoData()&&!a.getVideoData().backgroundable&&a.da&&(c=a.da.Pa())){pt(c);return}c=a.visibility;c.pictureInPicture!==b&&(c.pictureInPicture=b,c.ff())}; -KY=function(a,b,c,d){a.ea();WE("_start",a.eb.timerName)||(hta(a.eb),a.eb.info("srt",0));var e=P0(a,c||a.D.getPlayerType(),b,!1);e&&PE("pfp",void 0,"prefetch"+b.videoId);if(!e){e=g.Z(a,c);if(!e)return!1;a.kc.stop();a.cancelPlayback(4,c);e.hi(b,function(){return a.De()},d)}e===a.B&&(a.W.sf=b.oauthToken); -if(!a0(e))return!1;a.Zb&&(e.Ac.u=!1,a.Zb=!1);if(e===a.B)return g.N0(a,1),L0(a);h0(e);return!0}; -W0=function(a,b,c){c=g.Z(a,c);b&&c===a.B&&(c.getVideoData().Uj=!0)}; -X0=function(a,b,c){a.ea();var d=g.Z(a,c);d&&(a.cancelPlayback(4,c),d.hi(b,function(){return a.De()}),2===c&&a.B&&a.B.Yo(b.clientPlaybackNonce,b.Xo||"",b.breakType||0),d===a.B&&(g.N0(a,1),IAa(a))); -a.ea()}; -g.FT=function(a,b,c,d,e,f){if(!b&&!d)throw Error("Playback source is invalid");if(jD(a.W)||g.JD(a.W))return c=c||{},c.lact=Bp(),c.vis=a.u.getVisibilityState(),a.u.xa("onPlayVideo",{videoId:b,watchEndpoint:f,sessionData:c,listId:d}),!1;c=a.eb;c.u&&(f=c.u,f.B={},f.u={});c.B=!1;a.eb.reset();b={video_id:b};e&&(b.autoplay="1");e&&(b.autonav="1");d?(b.list=d,a.loadPlaylist(b)):a.loadVideoByPlayerVars(b,1);return!0}; -VAa=function(a,b,c,d,e){b=Dsa(b,c,d,e);(c=g.nD(a.W)&&g.Q(a.W.experiments,"embeds_wexit_list_ajax_migration"))&&!a.R&&(b.fetch=0);H0(a,b);g.nD(a.W)&&a.eb.tick("ep_a_pr_s");if(c&&!a.R)c=E0(a),sta(c,b).then(function(){J0(a)}); -else a.playlist.onReady(function(){K0(a)}); -g.nD(a.W)&&a.eb.tick("ep_a_pr_r")}; -K0=function(a){var b=a.playlist.Ma();if(b){var c=a.getVideoData();if(c.eh||!a.Aa){var d=c.Uj;b=g.nD(a.W)&&a.ba("embeds_wexit_list_ajax_migration")?KY(a,a.playlist.Ma(void 0,c.eh,c.Kh)):KY(a,b);d&&W0(a,b)}else X0(a,b)}g.nD(a.W)&&a.eb.tick("ep_p_l");a.u.xa("onPlaylistUpdate")}; -g.Y0=function(a){if(a.u.isMutedByMutedAutoplay())return!1;if(3===a.getPresentingPlayerType())return!0;FD(a.W)&&!a.R&&I0(a);return!(!a.playlist||!a.playlist.hasNext())}; -DAa=function(a){if(a.playlist&&g.nD(a.W)&&g.Y0(a)){var b=g.Q(a.W.experiments,"html5_player_autonav_logging");a.nextVideo(!1,b);return!0}return!1}; -T0=function(a,b){var c=g.Ja(b);if(c){var d=LAa();d&&d.list&&c();a.ub=null}else a.ub=b}; -LAa=function(){var a=g.Ja("yt.www.watch.lists.getState");return a?a():null}; -g.WAa=function(a){if(!a.da||!a.da.ol())return null;var b=a.da;a.fa?a.fa.setMediaElement(b):(a.fa=Bwa(a.u,b),a.fa&&g.D(a,a.fa));return a.fa}; -XAa=function(a,b,c,d,e,f){b={id:b,namespace:"appapi"};"chapter"===f?(b.style=dF.CHAPTER_MARKER,b.visible=!0):isNaN(e)||("ad"===f?b.style=dF.AD_MARKER:(b.style=dF.TIME_MARKER,b.color=e),b.visible=!0);a.Kp([new g.eF(1E3*c,1E3*d,b)],1);return!0}; -ata=function(a){var b=(0,g.N)(),c=a.getCurrentTime();a=a.getVideoData();c=1E3*(c-a.startSeconds);a.isLivePlayback&&(c=0);return b-Math.max(c,0)}; -AT=function(a,b,c){a.W.X&&(a.P=b,b.muted||O0(a,!1),c&&a.W.Rl&&!a.W.Ya&&YAa({volume:Math.floor(b.volume),muted:b.muted}),ZAa(a),c=g.pB&&a.da&&!a.da.We(),!a.W.Ya||c)&&(b=g.Vb(b),a.W.Rl||(b.unstorable=!0),a.u.xa("onVolumeChange",b))}; -ZAa=function(a){var b=a.getVideoData();if(!b.Yl){b=a.W.Ya?1:oJ(b);var c=a.da;c.gp(a.P.muted);c.setVolume(a.P.volume*b/100)}}; -O0=function(a,b){b!==a.Ta&&(a.Ta=b,a.u.xa("onMutedAutoplayChange",b))}; -Z0=function(a){var b=ot(!0);return b&&(b===a.template.element||a.da&&b===a.da.Pa())?b:null}; -aBa=function(a,b){var c=window.screen&&window.screen.orientation;if((g.Q(a.W.experiments,"lock_fullscreen2")||a.W.ba("embeds_enable_mobile_custom_controls")&&a.W.u)&&c&&c.lock&&(!g.pB||!$Aa))if(b){var d=0===c.type.indexOf("portrait"),e=a.template.getVideoAspectRatio(),f=d;1>e?f=!0:1>16,a>>8&255,a&255]}; -jBa=function(){if(!g.ye)return!1;try{return new ActiveXObject("MSXML2.DOMDocument"),!0}catch(a){return!1}}; -g.e1=function(a){if("undefined"!=typeof DOMParser){var b=new DOMParser;rg();a=cd(a,null);return b.parseFromString(g.bd(a),"application/xml")}if(kBa){b=new ActiveXObject("MSXML2.DOMDocument");b.resolveExternals=!1;b.validateOnParse=!1;try{b.setProperty("ProhibitDTD",!0),b.setProperty("MaxXMLSize",2048),b.setProperty("MaxElementDepth",256)}catch(c){}b.loadXML(a);return b}throw Error("Your browser does not support loading xml documents");}; -g.f1=function(a){g.C.call(this);this.B=a;this.u={}}; -lBa=function(a,b,c,d,e,f){if(Array.isArray(c))for(var h=0;hdocument.documentMode)c=le;else{var d=document;"function"===typeof HTMLTemplateElement&&(d=g.qf("TEMPLATE").content.ownerDocument);d=d.implementation.createHTMLDocument("").createElement("DIV");d.style.cssText=c;c=vla(d.style)}b=new je([c,Lba({"background-image":'url("'+b+'")'})].map(tga).join(""),ie);a.style.cssText=ke(b)}}; +q8a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +Y2=function(a,b,c){FQ.call(this,a);this.api=a;this.rb=b;this.u={};a=new g.U({G:"div",Ia:["video-ads","ytp-ad-module"]});g.E(this,a);cK&&g.Qp(a.element,"ytp-ads-tiny-mode");this.D=new XP(a.element);g.E(this,this.D);g.NS(this.api,a.element,4);U2a(c)&&(c=new g.U({G:"div",Ia:["ytp-ad-underlay"]}),g.E(this,c),this.B=new XP(c.element),g.E(this,this.B),g.NS(this.api,c.element,0));g.E(this,XEa())}; +r8a=function(a,b){a=g.jd(a.u,b.id,null);null==a&&g.DD(Error("Component not found for element id: "+b.id));return a||null}; +s8a=function(a){g.CT.call(this,a);var b=this;this.u=this.xe=null;this.created=!1;this.fu=new zP(this.player);this.B=function(){function d(){return b.xe} +if(null!=b.u)return b.u;var e=iEa({Dl:a.getVideoData(1)});e=new q1a({I1:d,ou:e.l3(),l2:d,W4:d,Tl:O2(b.j).Tl,Wl:e.YL(),An:O2(b.j).An,F:b.player,Di:O2(b.j).Di,Oa:b.j.j.Oa,Kj:O2(b.j).Kj,zd:b.j.j.zd});b.u=e.IZ;return b.u}; +this.j=new J7a(this.player,this,this.fu,this.B);g.E(this,this.j);var c=a.V();!sK(c)||g.mK(c)||uK(c)||(g.E(this,new Y2(a,O2(this.j).rb,O2(this.j).Di)),g.E(this,new K7a(a)))}; +t8a=function(a){a.created!==a.loaded&&GD("Created and loaded are out of sync")}; +v8a=function(a){g.CT.prototype.load.call(a);var b=O2(a.j).Di;zsa(b.F.V().K("html5_reduce_ecatcher_errors"));try{a.player.getRootNode().classList.add("ad-created")}catch(n){GD(n instanceof Error?n:String(n))}var c=a.B(),d=a.player.getVideoData(1),e=d&&d.videoId||"",f=d&&d.getPlayerResponse()||{},h=(!a.player.V().experiments.ob("debug_ignore_ad_placements")&&f&&f.adPlacements||[]).map(function(n){return n.adPlacementRenderer}),l=((null==f?void 0:f.adSlots)||[]).map(function(n){return g.K(n,gra)}); +f=f.playerConfig&&f.playerConfig.daiConfig&&f.playerConfig.daiConfig.enableDai||!1;var m=d&&d.fd()||!1;b=u8a(h,l,b,f,m,O2(a.j).Tm);1<=b.Bu.length&&g.DK(a.player.V())&&(null==d||d.xa("abv45",{rs:b.Bu.map(function(n){return Object.keys(n.renderer||{}).join("_")}).join("__")})); +h=d&&d.clientPlaybackNonce||"";d=d&&d.Du||!1;l=1E3*a.player.getDuration(1);a.xe=new TP(a,a.player,a.fu,c,O2(a.j));sEa(a.xe,b.Bu);a.j.j.Zs.Nj(h,l,d,b.nH,b.vS,b.nH.concat(b.Bu),f,e);UP(a.xe)}; +w8a=function(a,b){b===a.Gx&&(a.Gx=void 0)}; +x8a=function(a){a.xe?O2(a.j).Uc.rM()||a.xe.rM()||VP(O2(a.j).qt):GD("AdService is null when calling maybeUnlockPrerollIfReady")}; +y8a=function(a){a=g.t(O2(a.j).Kj.Vk.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.slotType&&"core"===b.bb)return!0;GD("Ads Playback Not Managed By Controlflow");return!1}; +z8a=function(a){a=g.t(O2(a.j).Kj.Vk.values());for(var b=a.next();!b.done;b=a.next())if("LAYOUT_TYPE_MEDIA_BREAK"===b.value.layoutType)return!0;return!1}; +yC=function(a,b,c,d,e){c=void 0===c?[]:c;d=void 0===d?"":d;e=void 0===e?"":e;var f=O2(a.j).Di,h=a.player.getVideoData(1),l=h&&h.getPlayerResponse()||{};l=l&&l.playerConfig&&l.playerConfig.daiConfig&&l.playerConfig.daiConfig.enableDai||!1;h=h&&h.fd()||!1;c=u8a(b,c,f,l,h,O2(a.j).Tm);kra(O2(a.j).Yc,d,c.nH,c.vS,b,e);a.xe&&0b.Fw;b={Fw:b.Fw},++b.Fw){var c=new g.U({G:"a",N:"ytp-suggestion-link",X:{href:"{{link}}",target:a.api.V().ea,"aria-label":"{{aria_label}}"},W:[{G:"div",N:"ytp-suggestion-image"},{G:"div",N:"ytp-suggestion-overlay",X:{style:"{{blink_rendering_hack}}","aria-hidden":"{{aria_hidden}}"},W:[{G:"div",N:"ytp-suggestion-title",ra:"{{title}}"},{G:"div",N:"ytp-suggestion-author",ra:"{{author_and_views}}"},{G:"div",X:{"data-is-live":"{{is_live}}"},N:"ytp-suggestion-duration", +ra:"{{duration}}"}]}]});g.E(a,c);var d=c.Da("ytp-suggestion-link");g.Hm(d,"transitionDelay",b.Fw/20+"s");a.C.S(d,"click",function(e){return function(f){var h=e.Fw;if(a.B){var l=a.suggestionData[h],m=l.sessionData;g.fK(a.api.V())&&a.api.K("web_player_log_click_before_generating_ve_conversion_params")?(a.api.qb(a.u[h].element),h=l.Ak(),l={},g.nKa(a.api,l,"emb_rel_pause"),h=g.Zi(h,l),g.VT(h,a.api,f)):g.UT(f,a.api,a.J,m||void 0)&&a.api.Kn(l.videoId,m,l.playlistId)}else g.EO(f),document.activeElement.blur()}}(b)); +c.Ea(a.suggestions.element);a.u.push(c);a.api.Zf(c.element,c)}}; +F8a=function(a){if(a.api.V().K("web_player_log_click_before_generating_ve_conversion_params"))for(var b=Math.floor(-a.j/(a.D+8)),c=Math.min(b+a.columns,a.suggestionData.length)-1;b<=c;b++)a.api.Ua(a.u[b].element,!0)}; +g.a3=function(a){var b=a.I.yg()?32:16;b=a.Z/2+b;a.next.element.style.bottom=b+"px";a.previous.element.style.bottom=b+"px";b=a.j;var c=a.containerWidth-a.suggestionData.length*(a.D+8);g.Up(a.element,"ytp-scroll-min",0<=b);g.Up(a.element,"ytp-scroll-max",b<=c)}; +H8a=function(a){for(var b=a.suggestionData.length,c=0;cb)for(;16>b;++b)c=a.u[b].Da("ytp-suggestion-link"),g.Hm(c,"display","none");g.a3(a)}; +aaa=[];da="function"==typeof Object.defineProperties?Object.defineProperty:function(a,b,c){if(a==Array.prototype||a==Object.prototype)return a;a[b]=c.value;return a}; +g.ca=caa(this);ea("Symbol",function(a){function b(f){if(this instanceof b)throw new TypeError("Symbol is not a constructor");return new c(d+(f||"")+"_"+e++,f)} +function c(f,h){this.j=f;da(this,"description",{configurable:!0,writable:!0,value:h})} +if(a)return a;c.prototype.toString=function(){return this.j}; +var d="jscomp_symbol_"+(1E9*Math.random()>>>0)+"_",e=0;return b}); +ea("Symbol.iterator",function(a){if(a)return a;a=Symbol("Symbol.iterator");for(var b="Array Int8Array Uint8Array Uint8ClampedArray Int16Array Uint16Array Int32Array Uint32Array Float32Array Float64Array".split(" "),c=0;c=f}}); -ha("Array.prototype.find",function(a){return a?a:function(b,c){return Aa(this,b,c).rI}}); -ha("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=za(this,b,"startsWith");b+="";for(var e=d.length,f=b.length,h=Math.max(0,Math.min(c|0,d.length)),l=0;l=f}}); -ha("String.prototype.repeat",function(a){return a?a:function(b){var c=za(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); -ha("Object.setPrototypeOf",function(a){return a||oa}); -var qBa="function"==typeof Object.assign?Object.assign:function(a,b){for(var c=1;cf&&(f=Math.max(f+e,0));fb?-c:c}}); -ha("Array.prototype.fill",function(a){return a?a:function(b,c,d){var e=this.length||0;0>c&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);c=e}}); +ea("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=Aa(this,b,"startsWith");b+="";var e=d.length,f=b.length;c=Math.max(0,Math.min(c|0,d.length));for(var h=0;h=f}}); +ea("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); +ea("String.prototype.repeat",function(a){return a?a:function(b){var c=Aa(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); +ea("Set",function(a){function b(c){this.j=new Map;if(c){c=g.t(c);for(var d;!(d=c.next()).done;)this.add(d.value)}this.size=this.j.size} +if(function(){if(!a||"function"!=typeof a||!a.prototype.entries||"function"!=typeof Object.seal)return!1;try{var c=Object.seal({x:4}),d=new a(g.t([c]));if(!d.has(c)||1!=d.size||d.add(c)!=d||1!=d.size||d.add({x:4})!=d||2!=d.size)return!1;var e=d.entries(),f=e.next();if(f.done||f.value[0]!=c||f.value[1]!=c)return!1;f=e.next();return f.done||f.value[0]==c||4!=f.value[0].x||f.value[1]!=f.value[0]?!1:e.next().done}catch(h){return!1}}())return a; +b.prototype.add=function(c){c=0===c?0:c;this.j.set(c,c);this.size=this.j.size;return this}; +b.prototype.delete=function(c){c=this.j.delete(c);this.size=this.j.size;return c}; +b.prototype.clear=function(){this.j.clear();this.size=0}; +b.prototype.has=function(c){return this.j.has(c)}; +b.prototype.entries=function(){return this.j.entries()}; +b.prototype.values=function(){return this.j.values()}; +b.prototype.keys=b.prototype.values;b.prototype[Symbol.iterator]=b.prototype.values;b.prototype.forEach=function(c,d){var e=this;this.j.forEach(function(f){return c.call(d,f,f,e)})}; return b}); -ha("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)Ba(b,d)&&c.push(b[d]);return c}}); -ha("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); -ha("Object.fromEntries",function(a){return a?a:function(b){var c={};if(!(Symbol.iterator in b))throw new TypeError(""+b+" is not iterable");b=b[Symbol.iterator].call(b);for(var d=b.next();!d.done;d=b.next()){d=d.value;if(Object(d)!==d)throw new TypeError("iterable for fromEntries should yield objects");c[d[0]]=d[1]}return c}}); -ha("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); -ha("WeakSet",function(a){function b(c){this.u=new WeakMap;if(c){c=g.q(c);for(var d;!(d=c.next()).done;)this.add(d.value)}} -if(function(){if(!a||!Object.seal)return!1;try{var c=Object.seal({}),d=Object.seal({}),e=new a([c]);if(!e.has(c)||e.has(d))return!1;e["delete"](c);e.add(d);return!e.has(c)&&e.has(d)}catch(f){return!1}}())return a; -b.prototype.add=function(c){this.u.set(c,!0);return this}; -b.prototype.has=function(c){return this.u.has(c)}; -b.prototype["delete"]=function(c){return this.u["delete"](c)}; +ea("Array.prototype.values",function(a){return a?a:function(){return za(this,function(b,c){return c})}}); +ea("Number.MAX_SAFE_INTEGER",function(){return 9007199254740991}); +ea("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); +ea("Array.prototype.entries",function(a){return a?a:function(){return za(this,function(b,c){return[b,c]})}}); +ea("Array.from",function(a){return a?a:function(b,c,d){c=null!=c?c:function(l){return l}; +var e=[],f="undefined"!=typeof Symbol&&Symbol.iterator&&b[Symbol.iterator];if("function"==typeof f){b=f.call(b);for(var h=0;!(f=b.next()).done;)e.push(c.call(d,f.value,h++))}else for(f=b.length,h=0;hc&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);cc&&(c=Math.max(c+e,0));cb?-c:c}}); +ea("Array.prototype.findIndex",function(a){return a?a:function(b,c){return naa(this,b,c).i}}); +ea("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)ha(b,d)&&c.push(b[d]);return c}}); +ea("Math.sign",function(a){return a?a:function(b){b=Number(b);return 0===b||isNaN(b)?b:0c?Math.max(f+c,0):Math.min(c,f);d=0>d?Math.max(f+d,0):Math.min(d,f);e=0>e?Math.max(f+e,0):Math.min(e,f);if(cd;)--e in this?this[--c]=this[e]:delete this[--c];return this}}); -ha("Int8Array.prototype.copyWithin",Ea);ha("Uint8Array.prototype.copyWithin",Ea);ha("Uint8ClampedArray.prototype.copyWithin",Ea);ha("Int16Array.prototype.copyWithin",Ea);ha("Uint16Array.prototype.copyWithin",Ea);ha("Int32Array.prototype.copyWithin",Ea);ha("Uint32Array.prototype.copyWithin",Ea);ha("Float32Array.prototype.copyWithin",Ea);ha("Float64Array.prototype.copyWithin",Ea);g.k1=g.k1||{};g.v=this||self;eaa=/^[\w+/_-]+[=]{0,2}$/;Ha=null;Qa="closure_uid_"+(1E9*Math.random()>>>0);faa=0;g.Va(Ya,Error);Ya.prototype.name="CustomError";var ne;g.Va(Za,Ya);Za.prototype.name="AssertionError";var ib,ki;ib=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); +ea("Int8Array.prototype.copyWithin",Da);ea("Uint8Array.prototype.copyWithin",Da);ea("Uint8ClampedArray.prototype.copyWithin",Da);ea("Int16Array.prototype.copyWithin",Da);ea("Uint16Array.prototype.copyWithin",Da);ea("Int32Array.prototype.copyWithin",Da);ea("Uint32Array.prototype.copyWithin",Da);ea("Float32Array.prototype.copyWithin",Da);ea("Float64Array.prototype.copyWithin",Da); +ea("String.prototype.replaceAll",function(a){return a?a:function(b,c){if(b instanceof RegExp&&!b.global)throw new TypeError("String.prototype.replaceAll called with a non-global RegExp argument.");return b instanceof RegExp?this.replace(b,c):this.replace(new RegExp(String(b).replace(/([-()\[\]{}+?*.$\^|,:#>>0);paa=0;g.k=Va.prototype;g.k.K1=function(a){var b=g.ya.apply(1,arguments),c=this.IL(b);c?c.push(new saa(a)):this.HX(a,b)}; +g.k.HX=function(a){this.Rx.set(this.RT(g.ya.apply(1,arguments)),[new saa(a)])}; +g.k.IL=function(){var a=this.RT(g.ya.apply(0,arguments));return this.Rx.has(a)?this.Rx.get(a):void 0}; +g.k.o3=function(){var a=this.IL(g.ya.apply(0,arguments));return a&&a.length?a[0]:void 0}; +g.k.clear=function(){this.Rx.clear()}; +g.k.RT=function(){var a=g.ya.apply(0,arguments);return a?a.join(","):"key"};g.w(Wa,Va);Wa.prototype.B=function(a){var b=g.ya.apply(1,arguments),c=0,d=this.o3(b);d&&(c=d.PS);this.HX(c+a,b)};g.w(Ya,Va);Ya.prototype.Sf=function(a){this.K1(a,g.ya.apply(1,arguments))};g.C.prototype.Eq=!1;g.C.prototype.isDisposed=function(){return this.Eq}; +g.C.prototype.dispose=function(){this.Eq||(this.Eq=!0,this.qa())}; +g.C.prototype.qa=function(){if(this.zm)for(;this.zm.length;)this.zm.shift()()};g.Ta(cb,Error);cb.prototype.name="CustomError";var fca;g.Ta(fb,cb);fb.prototype.name="AssertionError";g.ib.prototype.stopPropagation=function(){this.u=!0}; +g.ib.prototype.preventDefault=function(){this.defaultPrevented=!0};var vaa,$l,Wm;vaa=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); for(var c=0;cc&&(c=Math.max(0,a.length+c));if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.lastIndexOf(b,c);for(;0<=c;c--)if(c in a&&a[c]===b)return c;return-1}; -g.Cb=Array.prototype.forEach?function(a,b,c){Array.prototype.forEach.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,tc=/"/g,uc=/'/g,vc=/\x00/g,waa=/[\x00&<>"']/;g.Ec.prototype.Rj=!0;g.Ec.prototype.Tg=function(){return this.C.toString()}; -g.Ec.prototype.B=!0;g.Ec.prototype.u=function(){return 1}; -var yaa=/^(?:audio\/(?:3gpp2|3gpp|aac|L16|midi|mp3|mp4|mpeg|oga|ogg|opus|x-m4a|x-matroska|x-wav|wav|webm)|font\/\w+|image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp|x-icon)|video\/(?:mpeg|mp4|ogg|webm|quicktime|x-matroska))(?:;\w+=(?:\w+|"[\w;,= ]+"))*$/i,xaa=/^data:(.*);base64,[a-z0-9+\/]+=*$/i,Hc=/^(?:(?:https?|mailto|ftp):|[^:/?#]*(?:[/?#]|$))/i,Dc={},Ic=new g.Ec("about:invalid#zClosurez",Dc);Mc.prototype.Rj=!0;Mc.prototype.Tg=function(){return this.u}; -var Lc={},Rc=new Mc("",Lc),Aaa=/^[-,."'%_!# a-zA-Z0-9\[\]]+$/,Uc=RegExp("\\b(url\\([ \t\n]*)('[ -&(-\\[\\]-~]*'|\"[ !#-\\[\\]-~]*\"|[!#-&*-\\[\\]-~]*)([ \t\n]*\\))","g"),Tc=RegExp("\\b(calc|cubic-bezier|fit-content|hsl|hsla|linear-gradient|matrix|minmax|repeat|rgb|rgba|(rotate|scale|translate)(X|Y|Z|3d)?)\\([-+*/0-9a-z.%\\[\\], ]+\\)","g"),Baa=/\/\*/;a:{var vBa=g.v.navigator;if(vBa){var wBa=vBa.userAgent;if(wBa){g.Vc=wBa;break a}}g.Vc=""};ad.prototype.B=!0;ad.prototype.u=function(){return this.D}; -ad.prototype.Rj=!0;ad.prototype.Tg=function(){return this.C.toString()}; -var xBa=/^[a-zA-Z0-9-]+$/,yBa={action:!0,cite:!0,data:!0,formaction:!0,href:!0,manifest:!0,poster:!0,src:!0},zBa={APPLET:!0,BASE:!0,EMBED:!0,IFRAME:!0,LINK:!0,MATH:!0,META:!0,OBJECT:!0,SCRIPT:!0,STYLE:!0,SVG:!0,TEMPLATE:!0},$c={},ed=new ad(g.v.trustedTypes&&g.v.trustedTypes.emptyHTML||"",0,$c);var Iaa=bb(function(){var a=document.createElement("div"),b=document.createElement("div");b.appendChild(document.createElement("div"));a.appendChild(b);b=a.firstChild.firstChild;a.innerHTML=g.bd(ed);return!b.parentElement});g.ABa=String.prototype.repeat?function(a,b){return a.repeat(b)}:function(a,b){return Array(b+1).join(a)};var wd=/^(?:([^:/?#.]+):)?(?:\/\/(?:([^\\/?#]*)@)?([^\\/?#]*?)(?::([0-9]+))?(?=[\\/?#]|$))?([^?#]+)?(?:\?([^#]*))?(?:#([\s\S]*))?$/,Pd=/#|$/,Kaa=/[?&]($|#)/;Wd[" "]=g.Ka;var wg,fE,$Aa,BBa,CBa,DBa,eD,fD,l1;g.xg=Wc("Opera");g.ye=Wc("Trident")||Wc("MSIE");g.hs=Wc("Edge");g.OD=g.hs||g.ye;wg=Wc("Gecko")&&!(yc(g.Vc,"WebKit")&&!Wc("Edge"))&&!(Wc("Trident")||Wc("MSIE"))&&!Wc("Edge");g.Ae=yc(g.Vc,"WebKit")&&!Wc("Edge");fE=Wc("Macintosh");$Aa=Wc("Windows");g.qr=Wc("Android");BBa=Ud();CBa=Wc("iPad");DBa=Wc("iPod");eD=Vd();fD=yc(g.Vc,"KaiOS"); -a:{var m1="",n1=function(){var a=g.Vc;if(wg)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.hs)return/Edge\/([\d\.]+)/.exec(a);if(g.ye)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Ae)return/WebKit\/(\S+)/.exec(a);if(g.xg)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); -n1&&(m1=n1?n1[1]:"");if(g.ye){var o1=Zd();if(null!=o1&&o1>parseFloat(m1)){l1=String(o1);break a}}l1=m1}var $d=l1,Maa={},p1;if(g.v.document&&g.ye){var EBa=Zd();p1=EBa?EBa:parseInt($d,10)||void 0}else p1=void 0;var Naa=p1;try{(new self.OffscreenCanvas(0,0)).getContext("2d")}catch(a){}var Oaa=!g.ye||g.be(9),Paa=!wg&&!g.ye||g.ye&&g.be(9)||wg&&g.ae("1.9.1");g.ye&&g.ae("9");var Raa=g.ye||g.xg||g.Ae;g.k=g.ge.prototype;g.k.clone=function(){return new g.ge(this.x,this.y)}; +g.Zl=Array.prototype.every?function(a,b,c){return Array.prototype.every.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,Maa=/"/g,Naa=/'/g,Oaa=/\x00/g,Iaa=/[\x00&<>"']/;var kc,Q8a=g.Ea.navigator;kc=Q8a?Q8a.userAgentData||null:null;Gc[" "]=function(){};var Im,ZW,$0a,R8a,S8a,T8a,bK,cK,U8a;g.dK=pc();g.mf=qc();g.oB=nc("Edge");g.HK=g.oB||g.mf;Im=nc("Gecko")&&!(ac(g.hc(),"WebKit")&&!nc("Edge"))&&!(nc("Trident")||nc("MSIE"))&&!nc("Edge");g.Pc=ac(g.hc(),"WebKit")&&!nc("Edge");ZW=Dc();$0a=Uaa();g.fz=Taa();R8a=Bc();S8a=nc("iPad");T8a=nc("iPod");bK=Cc();cK=ac(g.hc(),"KaiOS"); +a:{var V8a="",W8a=function(){var a=g.hc();if(Im)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.oB)return/Edge\/([\d\.]+)/.exec(a);if(g.mf)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Pc)return/WebKit\/(\S+)/.exec(a);if(g.dK)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); +W8a&&(V8a=W8a?W8a[1]:"");if(g.mf){var X8a=Yaa();if(null!=X8a&&X8a>parseFloat(V8a)){U8a=String(X8a);break a}}U8a=V8a}var Ic=U8a,Waa={},Y8a;if(g.Ea.document&&g.mf){var Z8a=Yaa();Y8a=Z8a?Z8a:parseInt(Ic,10)||void 0}else Y8a=void 0;var Zaa=Y8a;var YMa=$aa("AnimationEnd"),zKa=$aa("TransitionEnd");g.Ta(Qc,g.ib);var $8a={2:"touch",3:"pen",4:"mouse"}; +Qc.prototype.init=function(a,b){var c=this.type=a.type,d=a.changedTouches&&a.changedTouches.length?a.changedTouches[0]:null;this.target=a.target||a.srcElement;this.currentTarget=b;(b=a.relatedTarget)?Im&&(Hc(b,"nodeName")||(b=null)):"mouseover"==c?b=a.fromElement:"mouseout"==c&&(b=a.toElement);this.relatedTarget=b;d?(this.clientX=void 0!==d.clientX?d.clientX:d.pageX,this.clientY=void 0!==d.clientY?d.clientY:d.pageY,this.screenX=d.screenX||0,this.screenY=d.screenY||0):(this.clientX=void 0!==a.clientX? +a.clientX:a.pageX,this.clientY=void 0!==a.clientY?a.clientY:a.pageY,this.screenX=a.screenX||0,this.screenY=a.screenY||0);this.button=a.button;this.keyCode=a.keyCode||0;this.key=a.key||"";this.charCode=a.charCode||("keypress"==c?a.keyCode:0);this.ctrlKey=a.ctrlKey;this.altKey=a.altKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.pointerId=a.pointerId||0;this.pointerType="string"===typeof a.pointerType?a.pointerType:$8a[a.pointerType]||"";this.state=a.state;this.j=a;a.defaultPrevented&&Qc.Gf.preventDefault.call(this)}; +Qc.prototype.stopPropagation=function(){Qc.Gf.stopPropagation.call(this);this.j.stopPropagation?this.j.stopPropagation():this.j.cancelBubble=!0}; +Qc.prototype.preventDefault=function(){Qc.Gf.preventDefault.call(this);var a=this.j;a.preventDefault?a.preventDefault():a.returnValue=!1};var aba="closure_listenable_"+(1E6*Math.random()|0);var bba=0;var hba="constructor hasOwnProperty isPrototypeOf propertyIsEnumerable toLocaleString toString valueOf".split(" ");g.k=pd.prototype;g.k.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.j++);var h=sd(a,b,d,e);-1>>0);g.Ta(g.Fd,g.C);g.Fd.prototype[aba]=!0;g.k=g.Fd.prototype;g.k.addEventListener=function(a,b,c,d){g.ud(this,a,b,c,d)}; +g.k.removeEventListener=function(a,b,c,d){pba(this,a,b,c,d)}; +g.k.dispatchEvent=function(a){var b=this.qO;if(b){var c=[];for(var d=1;b;b=b.qO)c.push(b),++d}b=this.D1;d=a.type||a;if("string"===typeof a)a=new g.ib(a,b);else if(a instanceof g.ib)a.target=a.target||b;else{var e=a;a=new g.ib(d,b);g.od(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=Jd(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=Jd(h,d,!0,a)&&e,a.u||(e=Jd(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&fl?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString())+(d?";secure":"")+(null!=e?";samesite="+e:"")}; -g.k.get=function(a,b){for(var c=a+"=",d=(this.u.cookie||"").split(";"),e=0,f;e=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; +g.k.removeNode=g.xf;g.k.contains=g.zf;var Ef;Gf.prototype.add=function(a,b){var c=sca.get();c.set(a,b);this.u?this.u.next=c:this.j=c;this.u=c}; +Gf.prototype.remove=function(){var a=null;this.j&&(a=this.j,this.j=this.j.next,this.j||(this.u=null),a.next=null);return a}; +var sca=new Kd(function(){return new Hf},function(a){return a.reset()}); +Hf.prototype.set=function(a,b){this.fn=a;this.scope=b;this.next=null}; +Hf.prototype.reset=function(){this.next=this.scope=this.fn=null};var If,Lf=!1,qca=new Gf;tca.prototype.reset=function(){this.context=this.u=this.B=this.j=null;this.C=!1}; +var uca=new Kd(function(){return new tca},function(a){a.reset()}); +g.Of.prototype.then=function(a,b,c){return Cca(this,"function"===typeof a?a:null,"function"===typeof b?b:null,c)}; +g.Of.prototype.$goog_Thenable=!0;g.k=g.Of.prototype;g.k.Zj=function(a,b){return Cca(this,null,a,b)}; +g.k.catch=g.Of.prototype.Zj;g.k.cancel=function(a){if(0==this.j){var b=new Zf(a);g.Mf(function(){yca(this,b)},this)}}; +g.k.F9=function(a){this.j=0;Nf(this,2,a)}; +g.k.G9=function(a){this.j=0;Nf(this,3,a)}; +g.k.W2=function(){for(var a;a=zca(this);)Aca(this,a,this.j,this.J);this.I=!1}; +var Gca=oca;g.Ta(Zf,cb);Zf.prototype.name="cancel";g.Ta(g.$f,g.Fd);g.k=g.$f.prototype;g.k.enabled=!1;g.k.Gc=null;g.k.setInterval=function(a){this.Fi=a;this.Gc&&this.enabled?(this.stop(),this.start()):this.Gc&&this.stop()}; +g.k.t9=function(){if(this.enabled){var a=g.Ra()-this.jV;0Jg.length&&Jg.push(this)}; +g.k.clear=function(){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.XE=!1}; +g.k.reset=function(){this.j=this.C}; +g.k.advance=function(a){Dg(this,this.j+a)}; +g.k.xJ=function(){var a=Gg(this);return 4294967296*Gg(this)+(a>>>0)}; +var Jg=[];Kg.prototype.free=function(){this.j.clear();this.u=this.C=-1;100>b3.length&&b3.push(this)}; +Kg.prototype.reset=function(){this.j.reset();this.B=this.j.j;this.u=this.C=-1}; +Kg.prototype.advance=function(a){this.j.advance(a)}; +var b3=[];var Cda,Fda;Zg.prototype.length=function(){return this.j.length}; +Zg.prototype.end=function(){var a=this.j;this.j=[];return a};var eh="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():void 0;var qh={},f9a,Dh=Object.freeze(hh([],23));var Zda="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():"di";var ci;g.k=J.prototype;g.k.toJSON=function(){var a=this.Re,b;f9a?b=a:b=di(a,qea,void 0,void 0,!1,!1);return b}; +g.k.jp=function(){f9a=!0;try{return JSON.stringify(this.toJSON(),oea)}finally{f9a=!1}}; +g.k.clone=function(){return fi(this,!1)}; +g.k.rq=function(){return jh(this.Re)}; +g.k.pN=qh;g.k.toString=function(){return this.Re.toString()};var gi=Symbol(),ki=Symbol(),ji=Symbol(),ii=Symbol(),g9a=mi(function(a,b,c){if(1!==a.u)return!1;H(b,c,Hg(a.j));return!0},ni),h9a=mi(function(a,b,c){if(1!==a.u)return!1; +a=Hg(a.j);Hh(b,c,oh(a),0);return!0},ni),i9a=mi(function(a,b,c,d){if(1!==a.u)return!1; +Kh(b,c,d,Hg(a.j));return!0},ni),j9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Eg(a.j));return!0},oi),k9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Eg(a.j);Hh(b,c,a,0);return!0},oi),l9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Eg(a.j));return!0},oi),m9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},pi),n9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Fg(a.j);Hh(b,c,a,0);return!0},pi),o9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Fg(a.j));return!0},pi),p9a=mi(function(a,b,c){if(1!==a.u)return!1; +H(b,c,a.j.xJ());return!0},function(a,b,c){Nda(a,c,Ah(b,c))}),q9a=mi(function(a,b,c){if(1!==a.u&&2!==a.u)return!1; +b=Eh(b,c,0,!1,jh(b.Re));if(2==a.u){c=Cg.prototype.xJ;var d=Fg(a.j)>>>0;for(d=a.j.j+d;a.j.j>>0);return!0},function(a,b,c){b=Zh(b,c); +null!=b&&null!=b&&(ch(a,c,0),$g(a.j,b))}),N9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},function(a,b,c){b=Ah(b,c); +null!=b&&(b=parseInt(b,10),ch(a,c,0),Ida(a.j,b))});g.w(Qea,J);var Pea=[1,2,3,4];g.w(ri,J);var wi=[1,2,3],O9a=[ri,1,u9a,wi,2,o9a,wi,3,s9a,wi];g.w(Rea,J);var P9a=[Rea,1,g9a,2,j9a];g.w(Tea,J);var Sea=[1],Q9a=[Tea,1,d3,P9a];g.w(si,J);var vi=[1,2,3],R9a=[si,1,l9a,vi,2,i9a,vi,3,L9a,Q9a,vi];g.w(ti,J);var Uea=[1],S9a=[ti,1,d3,O9a,2,v9a,R9a];g.w(Vea,J);var T9a=[Vea,1,c3,2,c3,3,r9a];g.w(Wea,J);var U9a=[Wea,1,c3,2,c3,3,m9a,4,r9a];g.w(Xea,J);var V9a=[1,2],W9a=[Xea,1,L9a,T9a,V9a,2,L9a,U9a,V9a];g.w(ui,J);ui.prototype.Km=function(){var a=Fh(this,3,Yda,void 0,2);if(void 0>=a.length)throw Error();return a[void 0]}; +var Yea=[3,6,4];ui.prototype.j=Oea([ui,1,c3,5,p9a,2,v9a,W9a,3,t9a,6,q9a,4,d3,S9a]);g.w($ea,J);var Zea=[1];var gfa={};g.k=Gi.prototype;g.k.isEnabled=function(){if(!g.Ea.navigator.cookieEnabled)return!1;if(!this.Bf())return!0;this.set("TESTCOOKIESENABLED","1",{HG:60});if("1"!==this.get("TESTCOOKIESENABLED"))return!1;this.remove("TESTCOOKIESENABLED");return!0}; +g.k.set=function(a,b,c){var d=!1;if("object"===typeof c){var e=c.m8a;d=c.Q8||!1;var f=c.domain||void 0;var h=c.path||void 0;var l=c.HG}if(/[;=\s]/.test(a))throw Error('Invalid cookie name "'+a+'"');if(/[;\r\n]/.test(b))throw Error('Invalid cookie value "'+b+'"');void 0===l&&(l=-1);c=f?";domain="+f:"";h=h?";path="+h:"";d=d?";secure":"";l=0>l?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString();this.j.cookie=a+"="+b+c+h+l+d+(null!=e?";samesite="+ +e:"")}; +g.k.get=function(a,b){for(var c=a+"=",d=(this.j.cookie||"").split(";"),e=0,f;ed&&this.Aav||401===v||0===v);x&&(c.u=z.concat(c.u),c.oa||c.j.enabled||c.j.start());b&&b("net-send-failed",v);++c.I},r=function(){c.network?c.network.send(n,p,q):c.Ya(n,p,q)}; +m?m.then(function(v){n.dw["Content-Encoding"]="gzip";n.dw["Content-Type"]="application/binary";n.body=v;n.Y1=2;r()},function(){r()}):r()}}}}; +g.k.zL=function(){$fa(this.C,!0);this.flush();$fa(this.C,!1)}; +g.w(Yfa,g.ib);Sfa.prototype.wf=function(a,b,c){b=void 0===b?0:b;c=void 0===c?0:c;if(Ch(Mh(this.j,$h,1),xj,11)){var d=Cj(this);H(d,3,c)}c=this.j.clone();d=Date.now().toString();c=H(c,4,d);a=Qh(c,yj,3,a);b&&H(a,14,b);return a};g.Ta(Dj,g.C); +Dj.prototype.wf=function(){var a=new Aj(this.I,this.ea?this.ea:jfa,this.Ga,this.oa,this.C,this.D,!1,this.La,void 0,void 0,this.ya?this.ya:void 0);g.E(this,a);this.J&&zj(a.C,this.J);if(this.u){var b=this.u,c=Bj(a.C);H(c,7,b)}this.Z&&(a.T=this.Z);this.j&&(a.componentId=this.j);this.B&&((b=this.B)?(a.B||(a.B=new Ji),b=b.jp(),H(a.B,4,b)):a.B&&H(a.B,4,void 0,!1));this.Aa&&(c=this.Aa,a.B||(a.B=new Ji),b=a.B,c=null==c?Dh:Oda(c,1),H(b,2,c));this.T&&(b=this.T,a.Ja=!0,Vfa(a,b));this.Ja&&cga(a.C,this.Ja);return a};g.w(Ej,g.C);Ej.prototype.flush=function(a){a=a||[];if(a.length){for(var b=new $ea,c=[],d=0;d=p.length)p=String.fromCharCode.apply(null,p);else{q="";for(var r=0;r>>3;1!=f.B&&2!=f.B&&15!=f.B&&Tk(f,h,l,"unexpected tag");f.j=1;f.u=0;f.C=0} +function c(m){f.C++;5==f.C&&m&240&&Tk(f,h,l,"message length too long");f.u|=(m&127)<<7*(f.C-1);m&128||(f.j=2,f.T=0,"undefined"!==typeof Uint8Array?f.D=new Uint8Array(f.u):f.D=Array(f.u),0==f.u&&e())} +function d(m){f.D[f.T++]=m;f.T==f.u&&e()} +function e(){if(15>f.B){var m={};m[f.B]=f.D;f.J.push(m)}f.j=0} +for(var f=this,h=a instanceof Array?a:new Uint8Array(a),l=0;lb||3==b&&!e&&0==a.length))if(d=200==d||206==d,4==b&&(8==c?$k(this,7):7==c?$k(this,8):d||$k(this,3)),this.u||(this.u=dha(this.j),null==this.u&&$k(this,5)),2this.B){var h=a.length;c=[];try{if(this.u.VE())for(var l=0;lthis.B){l=e.slice(this.B);this.B=e.length;try{var n=this.u.parse(l);null!=n&&this.D&&this.D(n)}catch(p){$k(this,5);al(this);break a}}4==b?(0!=e.length|| +this.ea?$k(this,2):$k(this,4),al(this)):$k(this,1)}}}catch(p){$k(this,6),al(this)}};g.k=eha.prototype;g.k.on=function(a,b){var c=this.u[a];c||(c=[],this.u[a]=c);c.push(b);return this}; +g.k.addListener=function(a,b){this.on(a,b);return this}; +g.k.removeListener=function(a,b){var c=this.u[a];c&&g.wb(c,b);(a=this.j[a])&&g.wb(a,b);return this}; +g.k.once=function(a,b){var c=this.j[a];c||(c=[],this.j[a]=c);c.push(b);return this}; +g.k.S5=function(a){var b=this.u.data;b&&fha(a,b);(b=this.j.data)&&fha(a,b);this.j.data=[]}; +g.k.z7=function(){switch(this.B.getStatus()){case 1:bl(this,"readable");break;case 5:case 6:case 4:case 7:case 3:bl(this,"error");break;case 8:bl(this,"close");break;case 2:bl(this,"end")}};gha.prototype.serverStreaming=function(a,b,c,d){var e=this,f=a.substr(0,a.length-d.name.length);return hha(function(h){var l=h.UF(),m=h.getMetadata(),n=kha(e,!1);m=lha(e,m,n,f+l.getName());var p=mha(n,l.u,!0);h=l.j(h.j);n.send(m,"POST",h);return p},this.C).call(this,Kga(d,b,c))};nha.prototype.create=function(a,b){return Hga(this.j,this.u+"/$rpc/google.internal.waa.v1.Waa/Create",a,b||{},b$a)};g.w(cl,Error);g.w(dl,g.C);dl.prototype.C=function(a){var b=this.j(a);a=new Hj(this.logger,this.u);b=g.gg(b,2);a.done();return b}; +g.w(gl,dl);gl.prototype.j=function(a){++this.J>=this.T&&this.D.resolve();var b=new Hj(this.logger,"C");a=this.I(a.by);b.done();if(void 0===a)throw new cl(17,Error("YNJ:Undefined"));if(!(a instanceof Uint8Array))throw new cl(18,Error("ODM:Invalid"));return a}; +g.w(hl,dl);hl.prototype.j=function(){return this.I}; +g.w(il,dl);il.prototype.j=function(){return ig(this.I)}; +il.prototype.C=function(){return this.I}; +g.w(jl,dl);jl.prototype.j=function(){if(this.I)return this.I;this.I=pha(this,function(a){return"_"+pga(a)}); +return pha(this,function(a){return a})}; +g.w(kl,dl);kl.prototype.j=function(a){var b;a=g.fg(null!=(b=a.by)?b:"");if(118>24&255,c>>16&255,c>>8&255,c&255],a);for(c=b=b.length;cd)return"";this.j.sort(function(n,p){return n-p}); +c=null;b="";for(var e=0;e=m.length){d-=m.length;a+=m;b=this.B;break}c=null==c?f:c}}d="";null!=c&&(d=b+"trn="+c);return a+d};bm.prototype.setInterval=function(a,b){return Bl.setInterval(a,b)}; +bm.prototype.clearInterval=function(a){Bl.clearInterval(a)}; +bm.prototype.setTimeout=function(a,b){return Bl.setTimeout(a,b)}; +bm.prototype.clearTimeout=function(a){Bl.clearTimeout(a)};Xha.prototype.getContext=function(){if(!this.j){if(!Bl)throw Error("Context has not been set and window is undefined.");this.j=am(bm)}return this.j};g.w(dm,J);dm.prototype.j=Oea([dm,1,h9a,2,k9a,3,k9a,4,k9a,5,n9a]);var dia={WPa:1,t1:2,nJa:3};fia.prototype.BO=function(a){if("string"===typeof a&&0!=a.length){var b=this.Cc;if(b.u){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=decodeURIComponent(d[0]);1=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; g.k.ceil=function(){this.top=Math.ceil(this.top);this.right=Math.ceil(this.right);this.bottom=Math.ceil(this.bottom);this.left=Math.ceil(this.left);return this}; g.k.floor=function(){this.top=Math.floor(this.top);this.right=Math.floor(this.right);this.bottom=Math.floor(this.bottom);this.left=Math.floor(this.left);return this}; g.k.round=function(){this.top=Math.round(this.top);this.right=Math.round(this.right);this.bottom=Math.round(this.bottom);this.left=Math.round(this.left);return this}; -g.k.scale=function(a,b){var c="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=c;this.bottom*=c;return this};g.k=g.jg.prototype;g.k.clone=function(){return new g.jg(this.left,this.top,this.width,this.height)}; -g.k.contains=function(a){return a instanceof g.ge?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=b;this.bottom*=b;return this};Bm.prototype.equals=function(a,b){return!!a&&(!(void 0===b?0:b)||this.volume==a.volume)&&this.B==a.B&&zm(this.j,a.j)&&!0};Cm.prototype.ub=function(){return this.J}; +Cm.prototype.equals=function(a,b){return this.C.equals(a.C,void 0===b?!1:b)&&this.J==a.J&&zm(this.B,a.B)&&zm(this.I,a.I)&&this.j==a.j&&this.D==a.D&&this.u==a.u&&this.T==a.T};var j$a={currentTime:1,duration:2,isVpaid:4,volume:8,isYouTube:16,isPlaying:32},jo={g1:"start",BZ:"firstquartile",T0:"midpoint",j1:"thirdquartile",nZ:"complete",ERROR:"error",S0:"metric",PAUSE:"pause",b1:"resume",e1:"skip",s1:"viewable_impression",V0:"mute",o1:"unmute",CZ:"fullscreen",yZ:"exitfullscreen",lZ:"bufferstart",kZ:"bufferfinish",DZ:"fully_viewable_audible_half_duration_impression",R0:"measurable_impression",dZ:"abandon",xZ:"engagedview",GZ:"impression",pZ:"creativeview",Q0:"loaded",gRa:"progress", +CLOSE:"close",zla:"collapse",dOa:"overlay_resize",eOa:"overlay_unmeasurable_impression",fOa:"overlay_unviewable_impression",hOa:"overlay_viewable_immediate_impression",gOa:"overlay_viewable_end_of_session_impression",rZ:"custom_metric_viewable",iNa:"verification_debug",gZ:"audio_audible",iZ:"audio_measurable",hZ:"audio_impression"},Ska="start firstquartile midpoint thirdquartile resume loaded".split(" "),Tka=["start","firstquartile","midpoint","thirdquartile"],Ija=["abandon"],Ro={UNKNOWN:-1,g1:0, +BZ:1,T0:2,j1:3,nZ:4,S0:5,PAUSE:6,b1:7,e1:8,s1:9,V0:10,o1:11,CZ:12,yZ:13,DZ:14,R0:15,dZ:16,xZ:17,GZ:18,pZ:19,Q0:20,rZ:21,lZ:22,kZ:23,hZ:27,iZ:28,gZ:29};var tia={W$:"addEventListener",Iva:"getMaxSize",Jva:"getScreenSize",Kva:"getState",Lva:"getVersion",DRa:"removeEventListener",jza:"isViewable"};g.k=g.Em.prototype;g.k.clone=function(){return new g.Em(this.left,this.top,this.width,this.height)}; +g.k.contains=function(a){return a instanceof g.Fe?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.distance=function(a){var b=a.xe)return"";this.u.sort(function(p,r){return p-r}); -c=null;b="";for(var f=0;f=n.length){e-=n.length;a+=n;b=this.C;break}c=null==c?h:c}}e="";null!=c&&(e=b+"trn="+c);return a+e+d};sh.prototype.setInterval=function(a,b){return fh.setInterval(a,b)}; -sh.prototype.clearInterval=function(a){fh.clearInterval(a)}; -sh.prototype.setTimeout=function(a,b){return fh.setTimeout(a,b)}; -sh.prototype.clearTimeout=function(a){fh.clearTimeout(a)}; -La(sh);wh.prototype.getContext=function(){if(!this.u){if(!fh)throw Error("Context has not been set and window is undefined.");this.u=sh.getInstance()}return this.u}; -La(wh);g.Va(yh,g.Ef);var wba={C1:1,lJ:2,S_:3};lc(fc(g.gc("https://pagead2.googlesyndication.com/pagead/osd.js")));Ch.prototype.Sz=function(a){if("string"===typeof a&&0!=a.length){var b=this.xb;if(b.B){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=d[0];d=1=this.K?a:this;b!==this.u?(this.F=this.u.F,ri(this)):this.F!==this.u.F&&(this.F=this.u.F,ri(this))}; -g.k.Xk=function(a){if(a.B===this.u){var b;if(!(b=this.ma)){b=this.C;var c=this.R;if(c=a&&(void 0===c||!c||b.volume==a.volume)&&b.C==a.C)b=b.u,c=a.u,c=b==c?!0:b&&c?b.top==c.top&&b.right==c.right&&b.bottom==c.bottom&&b.left==c.left:!1;b=!c}this.C=a;b&&yi(this)}}; -g.k.qj=function(){return this.R}; -g.k.dispose=function(){this.fa=!0}; -g.k.na=function(){return this.fa};g.k=zi.prototype;g.k.jz=function(){return!0}; -g.k.Xq=function(){}; -g.k.dispose=function(){if(!this.na()){var a=this.B;g.ob(a.D,this);a.R&&this.qj()&&xi(a);this.Xq();this.Y=!0}}; -g.k.na=function(){return this.Y}; -g.k.Mk=function(){return this.B.Mk()}; -g.k.Qi=function(){return this.B.Qi()}; -g.k.ao=function(){return this.B.ao()}; -g.k.Fq=function(){return this.B.Fq()}; -g.k.jo=function(){}; -g.k.Xk=function(){this.Ck()}; -g.k.qj=function(){return this.aa};g.k=Ai.prototype;g.k.Qi=function(){return this.u.Qi()}; -g.k.ao=function(){return this.u.ao()}; -g.k.Fq=function(){return this.u.Fq()}; -g.k.create=function(a,b,c){var d=null;this.u&&(d=this.Su(a,b,c),ti(this.u,d));return d}; -g.k.yE=function(){return this.Uq()}; -g.k.Uq=function(){return!1}; -g.k.init=function(a){return this.u.initialize()?(ti(this.u,this),this.D=a,!0):!1}; -g.k.jo=function(a){0==a.Qi()&&this.D(a.ao(),this)}; -g.k.Xk=function(){}; -g.k.qj=function(){return!1}; -g.k.dispose=function(){this.F=!0}; -g.k.na=function(){return this.F}; -g.k.Mk=function(){return{}};Di.prototype.add=function(a,b,c){++this.C;var d=this.C/4096,e=this.u,f=e.push;a=new Bi(a,b,c);d=new Bi(a.B,a.u,a.C+d);f.call(e,d);this.B=!0;return this};Hi.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=Fi(this.u);0=h;h=!(0=h)||c;this.u[e].update(f&&l,d,!f||h)}};Xi.prototype.update=function(a,b,c,d){this.K=-1!=this.K?Math.min(this.K,b.xc):b.xc;this.Y=Math.max(this.Y,b.xc);this.aa=-1!=this.aa?Math.min(this.aa,b.jg):b.jg;this.ha=Math.max(this.ha,b.jg);this.Ja.update(b.jg,c.jg,b.u,a,d);this.B.update(b.xc,c.xc,b.u,a,d);c=d||c.Gm!=b.Gm?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.u;this.za.update(c,a,b)}; -Xi.prototype.Jm=function(){return this.za.C>=this.Ub};var HBa=new hg(0,0,0,0);var Pba=new hg(0,0,0,0);g.u(aj,g.C);g.k=aj.prototype;g.k.ca=function(){this.Uf.u&&(this.jm.Az&&(Zf(this.Uf.u,"mouseover",this.jm.Az),this.jm.Az=null),this.jm.yz&&(Zf(this.Uf.u,"mouseout",this.jm.yz),this.jm.yz=null));this.Zr&&this.Zr.dispose();this.Ec&&this.Ec.dispose();delete this.Nu;delete this.fz;delete this.dI;delete this.Uf.jl;delete this.Uf.u;delete this.jm;delete this.Zr;delete this.Ec;delete this.xb;g.C.prototype.ca.call(this)}; -g.k.Pk=function(){return this.Ec?this.Ec.u:this.position}; -g.k.Sz=function(a){Ch.getInstance().Sz(a)}; -g.k.qj=function(){return!1}; -g.k.Tt=function(){return new Xi}; -g.k.Xf=function(){return this.Nu}; -g.k.lD=function(a){return dj(this,a,1E4)}; -g.k.oa=function(a,b,c,d,e,f,h){this.qo||(this.vt&&(a=this.hx(a,c,e,h),d=d&&this.Je.xc>=(this.Gm()?.3:.5),this.YA(f,a,d),this.lastUpdateTime=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new hg(0,0,0,0):a;a=this.B.C;b=e=d=0;0<(this.u.bottom-this.u.top)*(this.u.right-this.u.left)&&(this.XD(c)?c=new hg(0,0,0,0):(d=li.getInstance().D,b=new hg(0,d.height,d.width,0),d=$i(c,this.u),e=$i(c,li.getInstance().u), -b=$i(c,b)));c=c.top>=c.bottom||c.left>=c.right?new hg(0,0,0,0):ig(c,-this.u.left,-this.u.top);oi()||(e=d=0);this.K=new ci(a,this.element,this.u,c,d,e,this.timestamp,b)}; -g.k.getName=function(){return this.B.getName()};var IBa=new hg(0,0,0,0);g.u(sj,rj);g.k=sj.prototype;g.k.jz=function(){this.C();return!0}; -g.k.Xk=function(){rj.prototype.Ck.call(this)}; -g.k.eC=function(){}; -g.k.kx=function(){}; -g.k.Ck=function(){this.C();rj.prototype.Ck.call(this)}; -g.k.jo=function(a){a=a.isActive();a!==this.I&&(a?this.C():(li.getInstance().u=new hg(0,0,0,0),this.u=new hg(0,0,0,0),this.D=new hg(0,0,0,0),this.timestamp=-1));this.I=a};var v1={},fca=(v1.firstquartile=0,v1.midpoint=1,v1.thirdquartile=2,v1.complete=3,v1);g.u(uj,aj);g.k=uj.prototype;g.k.qj=function(){return!0}; -g.k.lD=function(a){return dj(this,a,Math.max(1E4,this.D/3))}; -g.k.oa=function(a,b,c,d,e,f,h){var l=this,m=this.aa(this)||{};g.Zb(m,e);this.D=m.duration||this.D;this.P=m.isVpaid||this.P;this.za=m.isYouTube||this.za;e=bca(this,b);1===zj(this)&&(f=e);aj.prototype.oa.call(this,a,b,c,d,m,f,h);this.C&&this.C.u&&g.Cb(this.K,function(n){pj(n,l)})}; -g.k.YA=function(a,b,c){aj.prototype.YA.call(this,a,b,c);yj(this).update(a,b,this.Je,c);this.Qa=jj(this.Je)&&jj(b);-1==this.ia&&this.Ga&&(this.ia=this.Xf().C.u);this.ze.C=0;a=this.Jm();b.isVisible()&&kj(this.ze,"vs");a&&kj(this.ze,"vw");ji(b.volume)&&kj(this.ze,"am");jj(b)&&kj(this.ze,"a");this.ko&&kj(this.ze,"f");-1!=b.B&&(kj(this.ze,"bm"),1==b.B&&kj(this.ze,"b"));jj(b)&&b.isVisible()&&kj(this.ze,"avs");this.Qa&&a&&kj(this.ze,"avw");0this.u.K&&(this.u=this,ri(this)),this.K=a);return 2==a}; -La(fk);La(gk);hk.prototype.xE=function(){kk(this,Uj(),!1)}; -hk.prototype.D=function(){var a=oi(),b=Xh();a?(Zh||($h=b,g.Cb(Tj.u,function(c){var d=c.Xf();d.ma=nj(d,b,1!=c.pe)})),Zh=!0):(this.K=nk(this,b),Zh=!1,Hj=b,g.Cb(Tj.u,function(c){c.vt&&(c.Xf().R=b)})); -kk(this,Uj(),!a)}; -La(hk);var ik=hk.getInstance();var ok=null,Wk="",Vk=!1;var w1=uk([void 0,1,2,3,4,8,16]),x1=uk([void 0,4,8,16]),KBa={sv:"sv",cb:"cb",e:"e",nas:"nas",msg:"msg","if":"if",sdk:"sdk",p:"p",p0:tk("p0",x1),p1:tk("p1",x1),p2:tk("p2",x1),p3:tk("p3",x1),cp:"cp",tos:"tos",mtos:"mtos",mtos1:sk("mtos1",[0,2,4],!1,x1),mtos2:sk("mtos2",[0,2,4],!1,x1),mtos3:sk("mtos3",[0,2,4],!1,x1),mcvt:"mcvt",ps:"ps",scs:"scs",bs:"bs",vht:"vht",mut:"mut",a:"a",a0:tk("a0",x1),a1:tk("a1",x1),a2:tk("a2",x1),a3:tk("a3",x1),ft:"ft",dft:"dft",at:"at",dat:"dat",as:"as",vpt:"vpt",gmm:"gmm", -std:"std",efpf:"efpf",swf:"swf",nio:"nio",px:"px",nnut:"nnut",vmer:"vmer",vmmk:"vmmk",vmiec:"vmiec",nmt:"nmt",tcm:"tcm",bt:"bt",pst:"pst",vpaid:"vpaid",dur:"dur",vmtime:"vmtime",dtos:"dtos",dtoss:"dtoss",dvs:"dvs",dfvs:"dfvs",dvpt:"dvpt",fmf:"fmf",vds:"vds",is:"is",i0:"i0",i1:"i1",i2:"i2",i3:"i3",ic:"ic",cs:"cs",c:"c",c0:tk("c0",x1),c1:tk("c1",x1),c2:tk("c2",x1),c3:tk("c3",x1),mc:"mc",nc:"nc",mv:"mv",nv:"nv",qmt:tk("qmtos",w1),qnc:tk("qnc",w1),qmv:tk("qmv",w1),qnv:tk("qnv",w1),raf:"raf",rafc:"rafc", -lte:"lte",ces:"ces",tth:"tth",femt:"femt",femvt:"femvt",emc:"emc",emuc:"emuc",emb:"emb",avms:"avms",nvat:"nvat",qi:"qi",psm:"psm",psv:"psv",psfv:"psfv",psa:"psa",pnk:"pnk",pnc:"pnc",pnmm:"pnmm",pns:"pns",ptlt:"ptlt",pngs:"pings",veid:"veid",ssb:"ssb",ss0:tk("ss0",x1),ss1:tk("ss1",x1),ss2:tk("ss2",x1),ss3:tk("ss3",x1),dc_rfl:"urlsigs",obd:"obd",omidp:"omidp",omidr:"omidr",omidv:"omidv",omida:"omida",omids:"omids",omidpv:"omidpv",omidam:"omidam",omidct:"omidct",omidia:"omidia"},LBa={c:pk("c"),at:"at", -atos:sk("atos",[0,2,4]),ta:function(a,b){return function(c){if(void 0===c[a])return b}}("tth","1"), -a:"a",dur:"dur",p:"p",tos:rk(),j:"dom",mtos:sk("mtos",[0,2,4]),gmm:"gmm",gdr:"gdr",ss:pk("ss"),vsv:$a("w2"),t:"t"},MBa={atos:"atos",amtos:"amtos",avt:sk("atos",[2]),davs:"davs",dafvs:"dafvs",dav:"dav",ss:pk("ss"),t:"t"},NBa={a:"a",tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),dur:"dur",fs:"fs",p:"p",vpt:"vpt",vsv:$a("ias_w2"),dom:"dom",gmm:"gmm",gdr:"gdr",t:"t"},OBa={tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),p:"p",vpt:"vpt",vsv:$a("dv_w4"),gmm:"gmm",gdr:"gdr",dom:"dom",t:"t",mv:"mv", -qmpt:sk("qmtos",[0,2,4]),qvs:function(a,b){return function(c){var d=c[a];if("number"===typeof d)return g.Oc(b,function(e){return 0=e?1:0})}}("qnc",[1, -.5,0]),qmv:"qmv",qa:"qas",a:"a"};var Dca={OW:"visible",GT:"audible",n3:"time",o3:"timetype"},zk={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.width*=a;this.top*=b;this.height*=b;return this};var xia={};Gia.prototype.update=function(a){a&&a.document&&(this.J=Dm(!1,a,this.isMobileDevice),this.j=Dm(!0,a,this.isMobileDevice),Iia(this,a),Hia(this,a))};$m.prototype.cancel=function(){cm().clearTimeout(this.j);this.j=null}; +$m.prototype.schedule=function(){var a=this,b=cm(),c=fm().j.j;this.j=b.setTimeout(em(c,qm(143,function(){a.u++;a.B.sample()})),sia())};g.k=an.prototype;g.k.LA=function(){return!1}; +g.k.initialize=function(){return this.isInitialized=!0}; +g.k.zy=function(){return this.j.Ga}; +g.k.mC=function(){return this.j.Z}; +g.k.fail=function(a,b){if(!this.Z||(void 0===b?0:b))this.Z=!0,this.Ga=a,this.T=0,this.j!=this||rn(this)}; +g.k.getName=function(){return this.j.Qa}; +g.k.ws=function(){return this.j.PT()}; +g.k.PT=function(){return{}}; +g.k.cq=function(){return this.j.T}; +g.k.mR=function(){var a=Xm();a.j=Dm(!0,this.B,a.isMobileDevice)}; +g.k.nR=function(){Hia(Xm(),this.B)}; +g.k.dU=function(){return this.C.j}; +g.k.sample=function(){}; +g.k.isActive=function(){return this.j.I}; +g.k.Hy=function(a){var b=this.j;this.j=a.cq()>=this.T?a:this;b!==this.j?(this.I=this.j.I,rn(this)):this.I!==this.j.I&&(this.I=this.j.I,rn(this))}; +g.k.Hs=function(a){if(a.u===this.j){var b=!this.C.equals(a,this.ea);this.C=a;b&&Lia(this)}}; +g.k.ip=function(){return this.ea}; +g.k.dispose=function(){this.Aa=!0}; +g.k.isDisposed=function(){return this.Aa};g.k=sn.prototype;g.k.yJ=function(){return!0}; +g.k.MA=function(){}; +g.k.dispose=function(){if(!this.isDisposed()){var a=this.u;g.wb(a.D,this);a.ea&&this.ip()&&Kia(a);this.MA();this.Z=!0}}; +g.k.isDisposed=function(){return this.Z}; +g.k.ws=function(){return this.u.ws()}; +g.k.cq=function(){return this.u.cq()}; +g.k.zy=function(){return this.u.zy()}; +g.k.mC=function(){return this.u.mC()}; +g.k.Hy=function(){}; +g.k.Hs=function(){this.Hr()}; +g.k.ip=function(){return this.oa};g.k=tn.prototype;g.k.cq=function(){return this.j.cq()}; +g.k.zy=function(){return this.j.zy()}; +g.k.mC=function(){return this.j.mC()}; +g.k.create=function(a,b,c){var d=null;this.j&&(d=this.ME(a,b,c),bn(this.j,d));return d}; +g.k.oR=function(){return this.NA()}; +g.k.NA=function(){return!1}; +g.k.init=function(a){return this.j.initialize()?(bn(this.j,this),this.C=a,!0):!1}; +g.k.Hy=function(a){0==a.cq()&&this.C(a.zy(),this)}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.dispose=function(){this.D=!0}; +g.k.isDisposed=function(){return this.D}; +g.k.ws=function(){return{}};un.prototype.add=function(a,b,c){++this.B;a=new Mia(a,b,c);this.j.push(new Mia(a.u,a.j,a.B+this.B/4096));this.u=!0;return this};var xn;xn=["av.default","js","unreleased"].slice(-1)[0];Ria.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=wn(this.j);0=h;h=!(0=h)||c;this.j[e].update(f&&l,d,!f||h)}};Fn.prototype.update=function(a,b,c,d){this.J=-1!=this.J?Math.min(this.J,b.Xd):b.Xd;this.oa=Math.max(this.oa,b.Xd);this.ya=-1!=this.ya?Math.min(this.ya,b.Tj):b.Tj;this.Ga=Math.max(this.Ga,b.Tj);this.ib.update(b.Tj,c.Tj,b.j,a,d);this.u.update(b.Xd,c.Xd,b.j,a,d);c=d||c.hv!=b.hv?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.j;this.Qa.update(c,a,b)}; +Fn.prototype.wq=function(){return this.Qa.B>=this.fb};if(Ym&&Ym.URL){var k$a=Ym.URL,l$a;if(l$a=!!k$a){var m$a;a:{if(k$a){var n$a=RegExp(".*[&#?]google_debug(=[^&]*)?(&.*)?$");try{var i3=n$a.exec(decodeURIComponent(k$a));if(i3){m$a=i3[1]&&1=(this.hv()?.3:.5),this.YP(f,a,d),this.Wo=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new xm(0,0,0,0):a;a=this.u.C;b=e=d=0;0<(this.j.bottom-this.j.top)*(this.j.right-this.j.left)&&(this.VU(c)?c=new xm(0,0,0,0):(d=Xm().C,b=new xm(0,d.height,d.width,0),d=Jn(c,this.j),e=Jn(c,Xm().j),b=Jn(c,b)));c=c.top>=c.bottom||c.left>=c.right?new xm(0,0,0, +0):Am(c,-this.j.left,-this.j.top);Zm()||(e=d=0);this.J=new Cm(a,this.element,this.j,c,d,e,this.timestamp,b)}; +g.k.getName=function(){return this.u.getName()};var s$a=new xm(0,0,0,0);g.w(bo,ao);g.k=bo.prototype;g.k.yJ=function(){this.B();return!0}; +g.k.Hs=function(){ao.prototype.Hr.call(this)}; +g.k.JS=function(){}; +g.k.HK=function(){}; +g.k.Hr=function(){this.B();ao.prototype.Hr.call(this)}; +g.k.Hy=function(a){a=a.isActive();a!==this.I&&(a?this.B():(Xm().j=new xm(0,0,0,0),this.j=new xm(0,0,0,0),this.C=new xm(0,0,0,0),this.timestamp=-1));this.I=a};var m3={},Gja=(m3.firstquartile=0,m3.midpoint=1,m3.thirdquartile=2,m3.complete=3,m3);g.w(eo,Kn);g.k=eo.prototype;g.k.ip=function(){return!0}; +g.k.Zm=function(){return 2==this.Gi}; +g.k.VT=function(a){return ija(this,a,Math.max(1E4,this.B/3))}; +g.k.Pa=function(a,b,c,d,e,f,h){var l=this,m=this.J(this)||{};g.od(m,e);this.B=m.duration||this.B;this.ea=m.isVpaid||this.ea;this.La=m.isYouTube||this.La;e=yja(this,b);1===xja(this)&&(f=e);Kn.prototype.Pa.call(this,a,b,c,d,m,f,h);this.Bq&&this.Bq.B&&g.Ob(this.I,function(n){n.u(l)})}; +g.k.YP=function(a,b,c){Kn.prototype.YP.call(this,a,b,c);ho(this).update(a,b,this.Ah,c);this.ib=On(this.Ah)&&On(b);-1==this.Ga&&this.fb&&(this.Ga=this.cj().B.j);this.Rg.B=0;a=this.wq();b.isVisible()&&Un(this.Rg,"vs");a&&Un(this.Rg,"vw");Vm(b.volume)&&Un(this.Rg,"am");On(b)?Un(this.Rg,"a"):Un(this.Rg,"mut");this.Oy&&Un(this.Rg,"f");-1!=b.u&&(Un(this.Rg,"bm"),1==b.u&&(Un(this.Rg,"b"),On(b)&&Un(this.Rg,"umutb")));On(b)&&b.isVisible()&&Un(this.Rg,"avs");this.ib&&a&&Un(this.Rg,"avw");0this.j.T&&(this.j=this,rn(this)),this.T=a);return 2==a};xo.prototype.sample=function(){Ao(this,po(),!1)}; +xo.prototype.C=function(){var a=Zm(),b=sm();a?(um||(vm=b,g.Ob(oo.j,function(c){var d=c.cj();d.La=Xn(d,b,1!=c.Gi)})),um=!0):(this.J=gka(this,b),um=!1,Hja=b,g.Ob(oo.j,function(c){c.wB&&(c.cj().T=b)})); +Ao(this,po(),!a)}; +var yo=am(xo);var ika=null,kp="",jp=!1;var lka=kka().Bo,Co=kka().Do;var oka={xta:"visible",Yha:"audible",mZa:"time",qZa:"timetype"},pka={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, audible:function(a){return"0"==a||"1"==a}, timetype:function(a){return"mtos"==a||"tos"==a}, -time:function(a){return/^(100|[0-9]{1,2})%$/.test(a)||/^([0-9])+ms$/.test(a)}};g.u(Ak,qj);Ak.prototype.getId=function(){return this.K}; -Ak.prototype.F=function(){return!0}; -Ak.prototype.C=function(a){var b=a.Xf(),c=a.getDuration();return ki(this.I,function(d){if(void 0!=d.u)var e=Fca(d,b);else b:{switch(d.F){case "mtos":e=d.B?b.F.C:b.C.u;break b;case "tos":e=d.B?b.F.u:b.C.u;break b}e=0}0==e?d=!1:(d=-1!=d.C?d.C:void 0!==c&&0=d);return d})};g.u(Bk,qj);Bk.prototype.C=function(a){var b=Si(a.Xf().u,1);return Aj(a,b)};g.u(Ck,qj);Ck.prototype.C=function(a){return a.Xf().Jm()};g.u(Fk,Gca);Fk.prototype.u=function(a){var b=new Dk;b.u=Ek(a,KBa);b.C=Ek(a,MBa);return b};g.u(Gk,sj);Gk.prototype.C=function(){var a=g.Ja("ima.admob.getViewability"),b=ah(this.xb,"queryid");"function"===typeof a&&b&&a(b)}; -Gk.prototype.getName=function(){return"gsv"};g.u(Hk,Ai);Hk.prototype.getName=function(){return"gsv"}; -Hk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Hk.prototype.Su=function(a,b,c){return new Gk(this.u,b,c)};g.u(Ik,sj);Ik.prototype.C=function(){var a=this,b=g.Ja("ima.bridge.getNativeViewability"),c=ah(this.xb,"queryid");"function"===typeof b&&c&&b(c,function(d){g.Sb(d)&&a.F++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.u=ii(d.opt_nativeViewBounds||{});var h=a.B.C;h.u=f?IBa.clone():ii(e);a.timestamp=d.opt_nativeTime||-1;li.getInstance().u=h.u;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; -Ik.prototype.getName=function(){return"nis"};g.u(Jk,Ai);Jk.prototype.getName=function(){return"nis"}; -Jk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Jk.prototype.Su=function(a,b,c){return new Ik(this.u,b,c)};g.u(Kk,qi);g.k=Kk.prototype;g.k.av=function(){return null!=this.B.Vh}; -g.k.hD=function(){var a={};this.ha&&(a.mraid=this.ha);this.Y&&(a.mlc=1);a.mtop=this.B.YR;this.I&&(a.mse=this.I);this.ia&&(a.msc=1);a.mcp=this.B.compatibility;return a}; -g.k.Gl=function(a,b){for(var c=[],d=1;d=d);return d})};g.w(Vo,rja);Vo.prototype.j=function(a){var b=new Sn;b.j=Tn(a,p$a);b.u=Tn(a,r$a);return b};g.w(Wo,Yn);Wo.prototype.j=function(a){return Aja(a)};g.w(Xo,wja);g.w(Yo,Yn);Yo.prototype.j=function(a){return a.cj().wq()};g.w(Zo,Zn);Zo.prototype.j=function(a){var b=g.rb(this.J,vl(fm().Cc,"ovms"));return!a.Ms&&(0!=a.Gi||b)};g.w($o,Xo);$o.prototype.u=function(){return new Zo(this.j)}; +$o.prototype.B=function(){return[new Yo("viewable_impression",this.j),new Wo(this.j)]};g.w(ap,bo);ap.prototype.B=function(){var a=g.Ga("ima.admob.getViewability"),b=vl(this.Cc,"queryid");"function"===typeof a&&b&&a(b)}; +ap.prototype.getName=function(){return"gsv"};g.w(bp,tn);bp.prototype.getName=function(){return"gsv"}; +bp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +bp.prototype.ME=function(a,b,c){return new ap(this.j,b,c)};g.w(cp,bo);cp.prototype.B=function(){var a=this,b=g.Ga("ima.bridge.getNativeViewability"),c=vl(this.Cc,"queryid");"function"===typeof b&&c&&b(c,function(d){g.hd(d)&&a.D++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.j=Eia(d.opt_nativeViewBounds||{});var h=a.u.C;h.j=f?s$a.clone():Eia(e);a.timestamp=d.opt_nativeTime||-1;Xm().j=h.j;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; +cp.prototype.getName=function(){return"nis"};g.w(dp,tn);dp.prototype.getName=function(){return"nis"}; +dp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +dp.prototype.ME=function(a,b,c){return new cp(this.j,b,c)};g.w(ep,an);g.k=ep.prototype;g.k.LA=function(){return null!=this.u.jn}; +g.k.PT=function(){var a={};this.Ja&&(a.mraid=this.Ja);this.ya&&(a.mlc=1);a.mtop=this.u.f9;this.J&&(a.mse=this.J);this.La&&(a.msc=1);a.mcp=this.u.compatibility;return a}; +g.k.zt=function(a){var b=g.ya.apply(1,arguments);try{return this.u.jn[a].apply(this.u.jn,b)}catch(c){rm(538,c,.01,function(d){d.method=a})}}; +g.k.initialize=function(){var a=this;if(this.isInitialized)return!this.mC();this.isInitialized=!0;if(2===this.u.compatibility)return this.J="ng",this.fail("w"),!1;if(1===this.u.compatibility)return this.J="mm",this.fail("w"),!1;Xm().T=!0;this.B.document.readyState&&"complete"==this.B.document.readyState?vka(this):Hn(this.B,"load",function(){cm().setTimeout(qm(292,function(){return vka(a)}),100)},292); return!0}; -g.k.JE=function(){var a=li.getInstance(),b=Rk(this,"getMaxSize");a.u=new hg(0,b.width,b.height,0)}; -g.k.KE=function(){li.getInstance().D=Rk(this,"getScreenSize")}; -g.k.dispose=function(){Pk(this);qi.prototype.dispose.call(this)}; -La(Kk);g.k=Sk.prototype;g.k.cq=function(a){bj(a,!1);rca(a)}; -g.k.Xt=function(){}; -g.k.Hr=function(a,b,c,d){var e=this;this.B||(this.B=this.AC());b=c?b:-1;a=null==this.B?new uj(fh,a,b,7):new uj(fh,a,b,7,new qj("measurable_impression",this.B),Mca(this));a.mf=d;jba(a.xb);$g(a.xb,"queryid",a.mf);a.Sz("");Uba(a,function(f){for(var h=[],l=0;lthis.C?this.B:2*this.B)-this.C);a[0]=128;for(var b=1;bb;++b)for(var d=0;32>d;d+=8)a[c++]=this.u[b]>>>d&255;return a};g.u(ql,Fk);ql.prototype.u=function(a){var b=Fk.prototype.u.call(this,a);var c=fl=g.A();var d=gl(5);c=(il?!d:d)?c|2:c&-3;d=gl(2);c=(jl?!d:d)?c|8:c&-9;c={s1:(c>>>0).toString(16)};this.B||(this.B=Xca());b.F=this.B;b.I=Ek(a,LBa,c,"h",rl("kArwaWEsTs"));b.D=Ek(a,NBa,{},"h",rl("b96YPMzfnx"));b.B=Ek(a,OBa,{},"h",rl("yb8Wev6QDg"));return b};sl.prototype.u=function(){return g.Ja(this.B)};g.u(tl,sl);tl.prototype.u=function(a){if(!a.Qo)return sl.prototype.u.call(this,a);var b=this.D[a.Qo];if(b)return function(c,d,e){b.B(c,d,e)}; -Wh(393,Error());return null};g.u(ul,Sk);g.k=ul.prototype;g.k.Xt=function(a,b){var c=this,d=Xj.getInstance();if(null!=d.u)switch(d.u.getName()){case "nis":var e=ada(this,a,b);break;case "gsv":e=$ca(this,a,b);break;case "exc":e=bda(this,a)}e||(b.opt_overlayAdElement?e=void 0:b.opt_adElement&&(e=Qca(this,a,b.opt_adElement,b.opt_osdId)));e&&1==e.Oi()&&(e.aa==g.Ka&&(e.aa=function(f){return c.IE(f)}),Zca(this,e,b)); +g.k.mR=function(){var a=Xm(),b=Aka(this,"getMaxSize");a.j=new xm(0,b.width,b.height,0)}; +g.k.nR=function(){Xm().C=Aka(this,"getScreenSize")}; +g.k.dispose=function(){xka(this);an.prototype.dispose.call(this)};var aia=new function(a,b){this.key=a;this.defaultValue=void 0===b?!1:b;this.valueType="boolean"}("45378663");g.k=gp.prototype;g.k.rB=function(a){Ln(a,!1);Uja(a)}; +g.k.eG=function(){}; +g.k.ED=function(a,b,c,d){var e=this;a=new eo(Bl,a,c?b:-1,7,this.eL(),this.eT());a.Zh=d;wha(a.Cc);ul(a.Cc,"queryid",a.Zh);a.BO("");lja(a,function(){return e.nU.apply(e,g.u(g.ya.apply(0,arguments)))},function(){return e.P3.apply(e,g.u(g.ya.apply(0,arguments)))}); +(d=am(qo).j)&&hja(a,d);a.Cj.Ss&&am(cka);return a}; +g.k.Hy=function(a){switch(a.cq()){case 0:if(a=am(qo).j)a=a.j,g.wb(a.D,this),a.ea&&this.ip()&&Kia(a);ip();break;case 2:zo()}}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.P3=function(a,b){a.Ms=!0;switch(a.Io()){case 1:Gka(a,b);break;case 2:this.LO(a)}}; +g.k.Y3=function(a){var b=a.J(a);b&&(b=b.volume,a.kb=Vm(b)&&0=a.keyCode)a.keyCode=-1}catch(b){}};var Gl="closure_listenable_"+(1E6*Math.random()|0),hda=0;Jl.prototype.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.u++);var h=Ll(a,b,d,e);-1>>0);g.Va(g.am,g.C);g.am.prototype[Gl]=!0;g.k=g.am.prototype;g.k.addEventListener=function(a,b,c,d){Nl(this,a,b,c,d)}; -g.k.removeEventListener=function(a,b,c,d){Vl(this,a,b,c,d)}; -g.k.dispatchEvent=function(a){var b=this.za;if(b){var c=[];for(var d=1;b;b=b.za)c.push(b),++d}b=this.Ga;d=a.type||a;if("string"===typeof a)a=new g.El(a,b);else if(a instanceof g.El)a.target=a.target||b;else{var e=a;a=new g.El(d,b);g.Zb(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=bm(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=bm(h,d,!0,a)&&e,a.u||(e=bm(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&f2*this.C&&Pm(this),!0):!1}; -g.k.get=function(a,b){return Om(this.B,a)?this.B[a]:b}; -g.k.set=function(a,b){Om(this.B,a)||(this.C++,this.u.push(a),this.Ol++);this.B[a]=b}; -g.k.forEach=function(a,b){for(var c=this.Sg(),d=0;d=d.u.length)throw fj;var f=d.u[b++];return a?f:d.B[f]}; -return e};g.Qm.prototype.toString=function(){var a=[],b=this.F;b&&a.push(Xm(b,VBa,!0),":");var c=this.u;if(c||"file"==b)a.push("//"),(b=this.R)&&a.push(Xm(b,VBa,!0),"@"),a.push(md(c).replace(/%25([0-9a-fA-F]{2})/g,"%$1")),c=this.D,null!=c&&a.push(":",String(c));if(c=this.B)this.u&&"/"!=c.charAt(0)&&a.push("/"),a.push(Xm(c,"/"==c.charAt(0)?WBa:XBa,!0));(c=this.C.toString())&&a.push("?",c);(c=this.I)&&a.push("#",Xm(c,YBa));return a.join("")}; -g.Qm.prototype.resolve=function(a){var b=this.clone(),c=!!a.F;c?g.Rm(b,a.F):c=!!a.R;c?b.R=a.R:c=!!a.u;c?g.Sm(b,a.u):c=null!=a.D;var d=a.B;if(c)g.Tm(b,a.D);else if(c=!!a.B){if("/"!=d.charAt(0))if(this.u&&!this.B)d="/"+d;else{var e=b.B.lastIndexOf("/");-1!=e&&(d=b.B.substr(0,e+1)+d)}e=d;if(".."==e||"."==e)d="";else if(-1!=e.indexOf("./")||-1!=e.indexOf("/.")){d=nc(e,"/");e=e.split("/");for(var f=[],h=0;ha&&0===a%1&&this.B[a]!=b&&(this.B[a]=b,this.u=-1)}; -fn.prototype.get=function(a){return!!this.B[a]};g.Va(g.gn,g.C);g.k=g.gn.prototype;g.k.start=function(){this.stop();this.D=!1;var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?(this.u=Nl(this.B,"MozBeforePaint",this.C),this.B.mozRequestAnimationFrame(null),this.D=!0):this.u=a&&b?a.call(this.B,this.C):this.B.setTimeout(kaa(this.C),20)}; -g.k.Sb=function(){this.isActive()||this.start()}; -g.k.stop=function(){if(this.isActive()){var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?Wl(this.u):a&&b?b.call(this.B,this.u):this.B.clearTimeout(this.u)}this.u=null}; -g.k.rg=function(){this.isActive()&&(this.stop(),this.sD())}; -g.k.isActive=function(){return null!=this.u}; -g.k.sD=function(){this.D&&this.u&&Wl(this.u);this.u=null;this.I.call(this.F,g.A())}; -g.k.ca=function(){this.stop();g.gn.Jd.ca.call(this)};g.Va(g.F,g.C);g.k=g.F.prototype;g.k.Bq=0;g.k.ca=function(){g.F.Jd.ca.call(this);this.stop();delete this.u;delete this.B}; -g.k.start=function(a){this.stop();this.Bq=g.Lm(this.C,void 0!==a?a:this.yf)}; -g.k.Sb=function(a){this.isActive()||this.start(a)}; -g.k.stop=function(){this.isActive()&&g.v.clearTimeout(this.Bq);this.Bq=0}; -g.k.rg=function(){this.isActive()&&g.kn(this)}; -g.k.isActive=function(){return 0!=this.Bq}; -g.k.tD=function(){this.Bq=0;this.u&&this.u.call(this.B)};g.Va(ln,kl);ln.prototype.reset=function(){this.u[0]=1732584193;this.u[1]=4023233417;this.u[2]=2562383102;this.u[3]=271733878;this.u[4]=3285377520;this.D=this.C=0}; -ln.prototype.update=function(a,b){if(null!=a){void 0===b&&(b=a.length);for(var c=b-this.B,d=0,e=this.I,f=this.C;dthis.C?this.update(this.F,56-this.C):this.update(this.F,this.B-(this.C-56));for(var c=this.B-1;56<=c;c--)this.I[c]=b&255,b/=256;mn(this,this.I);for(c=b=0;5>c;c++)for(var d=24;0<=d;d-=8)a[b]=this.u[c]>>d&255,++b;return a};g.Va(g.vn,g.am);g.k=g.vn.prototype;g.k.Hb=function(){return 1==this.Ka}; -g.k.wv=function(){this.Pg("begin")}; -g.k.sr=function(){this.Pg("end")}; -g.k.Zf=function(){this.Pg("finish")}; -g.k.Pg=function(a){this.dispatchEvent(a)};var ZBa=bb(function(){if(g.ye)return g.ae("10.0");var a=g.Fe("DIV"),b=g.Ae?"-webkit":wg?"-moz":g.ye?"-ms":g.xg?"-o":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");b={style:c};if(!xBa.test("div"))throw Error("");if("DIV"in zBa)throw Error("");c=null;var d="";if(b)for(h in b)if(Object.prototype.hasOwnProperty.call(b,h)){if(!xBa.test(h))throw Error("");var e=b[h];if(null!=e){var f=h;if(e instanceof ec)e=fc(e);else if("style"==f.toLowerCase()){if(!g.Pa(e))throw Error(""); -e instanceof Mc||(e=Sc(e));e=Nc(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in yBa)if(e instanceof ic)e=jc(e).toString();else if(e instanceof g.Ec)e=g.Fc(e);else if("string"===typeof e)e=g.Jc(e).Tg();else throw Error("");}e.Rj&&(e=e.Tg());f=f+'="'+xc(String(e))+'"';d+=" "+f}}var h="":(c=Gaa(d),h+=">"+g.bd(c).toString()+"",c=c.u());(b=b&&b.dir)&&(/^(ltr|rtl|auto)$/i.test(b)?c=0:c=null);b=cd(h,c);g.gd(a, -b);return""!=g.yg(a.firstChild,"transition")});g.Va(wn,g.vn);g.k=wn.prototype;g.k.play=function(){if(this.Hb())return!1;this.wv();this.Pg("play");this.startTime=g.A();this.Ka=1;if(ZBa())return g.ug(this.u,this.I),this.D=g.Lm(this.uR,void 0,this),!0;this.oy(!1);return!1}; -g.k.uR=function(){g.Lg(this.u);zda(this.u,this.K);g.ug(this.u,this.C);this.D=g.Lm((0,g.z)(this.oy,this,!1),1E3*this.F)}; -g.k.stop=function(){this.Hb()&&this.oy(!0)}; -g.k.oy=function(a){g.ug(this.u,"transition","");g.v.clearTimeout(this.D);g.ug(this.u,this.C);this.endTime=g.A();this.Ka=0;a?this.Pg("stop"):this.Zf();this.sr()}; -g.k.ca=function(){this.stop();wn.Jd.ca.call(this)}; -g.k.pause=function(){};var Ada={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};var Eda=yn("getPropertyValue"),Fda=yn("setProperty");var Dda={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};g.Cn.prototype.clone=function(){return new g.Cn(this.u,this.F,this.C,this.I,this.D,this.K,this.B,this.R)};g.En.prototype.B=0;g.En.prototype.reset=function(){this.u=this.C=this.D;this.B=0}; -g.En.prototype.getValue=function(){return this.C};Gn.prototype.clone=function(){return new Gn(this.start,this.end)}; -Gn.prototype.getLength=function(){return this.end-this.start};var $Ba=new WeakMap;(function(){if($Aa){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.Vc))?a[1]:"0"}return fE?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.Vc))?a[0].replace(/_/g,"."):"10"):g.qr?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.Vc))?a[1]:""):BBa||CBa||DBa?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.Vc))?a[1].replace(/_/g,"."):""):""})();var Mda=function(){if(g.vC)return Hn(/Firefox\/([0-9.]+)/);if(g.ye||g.hs||g.xg)return $d;if(g.pB)return Vd()?Hn(/CriOS\/([0-9.]+)/):Hn(/Chrome\/([0-9.]+)/);if(g.Ur&&!Vd())return Hn(/Version\/([0-9.]+)/);if(oD||sJ){var a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.Vc);if(a)return a[1]+"."+a[2]}else if(g.gD)return(a=Hn(/Android\s+([0-9.]+)/))?a:Hn(/Version\/([0-9.]+)/);return""}();g.Va(g.Jn,g.C);g.k=g.Jn.prototype;g.k.subscribe=function(a,b,c){var d=this.B[a];d||(d=this.B[a]=[]);var e=this.F;this.u[e]=a;this.u[e+1]=b;this.u[e+2]=c;this.F=e+3;d.push(e);return e}; -g.k.unsubscribe=function(a,b,c){if(a=this.B[a]){var d=this.u;if(a=g.fb(a,function(e){return d[e+1]==b&&d[e+2]==c}))return this.Cm(a)}return!1}; -g.k.Cm=function(a){var b=this.u[a];if(b){var c=this.B[b];0!=this.D?(this.C.push(a),this.u[a+1]=g.Ka):(c&&g.ob(c,a),delete this.u[a],delete this.u[a+1],delete this.u[a+2])}return!!b}; -g.k.V=function(a,b){var c=this.B[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)throw fj;var e=c.key(b++);if(a)return e;e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.pR=function(a){a.u=0;a.Aa=0;if("h"==a.C||"n"==a.C){fm();a.Ya&&(fm(),"h"!=mp(this)&&mp(this));var b=g.Ga("ima.common.getVideoMetadata");if("function"===typeof b)try{var c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2}else if("b"==a.C)if(b=g.Ga("ytads.bulleit.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else if("ml"==a.C)if(b=g.Ga("ima.common.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else a.u|=1;a.u||(void 0===c?a.u|=8:null=== +c?a.u|=16:g.hd(c)?a.u|=32:null!=c.errorCode&&(a.Aa=c.errorCode,a.u|=64));null==c&&(c={});b=c;a.T=0;for(var d in j$a)null==b[d]&&(a.T|=j$a[d]);Kka(b,"currentTime");Kka(b,"duration");Vm(c.volume)&&Vm()&&(c.volume*=NaN);return c}; +g.k.gL=function(){fm();"h"!=mp(this)&&mp(this);var a=Rka(this);return null!=a?new Lka(a):null}; +g.k.LO=function(a){!a.j&&a.Ms&&np(this,a,"overlay_unmeasurable_impression")&&(a.j=!0)}; +g.k.nX=function(a){a.PX&&(a.wq()?np(this,a,"overlay_viewable_end_of_session_impression"):np(this,a,"overlay_unviewable_impression"),a.PX=!1)}; +g.k.nU=function(){}; +g.k.ED=function(a,b,c,d){if(bia()){var e=vl(fm().Cc,"mm"),f={};(e=(f[gm.fZ]="ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO",f[gm.VIDEO]="ACTIVE_VIEW_TRAFFIC_TYPE_VIDEO",f)[e])&&vp(this,e);"ACTIVE_VIEW_TRAFFIC_TYPE_UNSPECIFIED"===this.C&&rm(1044,Error())}a=gp.prototype.ED.call(this,a,b,c,d);this.D&&(b=this.I,null==a.D&&(a.D=new mja),b.j[a.Zh]=a.D,a.D.D=t$a);return a}; +g.k.rB=function(a){a&&1==a.Io()&&this.D&&delete this.I.j[a.Zh];return gp.prototype.rB.call(this,a)}; +g.k.eT=function(){this.j||(this.j=this.gL());return null==this.j?new $n:"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new rp(this.j):new $o(this.j)}; +g.k.eL=function(){return"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new sp:new Vo}; +var up=new Sn;up.j="stopped";up.u="stopped";var u$a=pm(193,wp,void 0,Hka);g.Fa("Goog_AdSense_Lidar_sendVastEvent",u$a);var v$a=qm(194,function(a,b){b=void 0===b?{}:b;a=Uka(am(tp),a,b);return Vka(a)}); +g.Fa("Goog_AdSense_Lidar_getViewability",v$a);var w$a=pm(195,function(){return Wha()}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsArray",w$a);var x$a=qm(196,function(){return JSON.stringify(Wha())}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsList",x$a);var XIa={FSa:0,CSa:1,zSa:2,ASa:3,BSa:4,ESa:5,DSa:6};var Qna=(new Date).getTime();var y$a="client_dev_domain client_dev_regex_map client_dev_root_url client_rollout_override expflag forcedCapability jsfeat jsmode mods".split(" ");[].concat(g.u(y$a),["client_dev_set_cookie"]);var Zka="://secure-...imrworldwide.com/ ://cdn.imrworldwide.com/ ://aksecure.imrworldwide.com/ ://[^.]*.moatads.com ://youtube[0-9]+.moatpixel.com ://pm.adsafeprotected.com/youtube ://pm.test-adsafeprotected.com/youtube ://e[0-9]+.yt.srs.doubleverify.com www.google.com/pagead/xsul www.youtube.com/pagead/slav".split(" "),$ka=/\bocr\b/;var bla=/(?:\[|%5B)([a-zA-Z0-9_]+)(?:\]|%5D)/g;"undefined"!==typeof TextDecoder&&new TextDecoder;var z$a="undefined"!==typeof TextEncoder?new TextEncoder:null,qqa=z$a?function(a){return z$a.encode(a)}:function(a){a=g.fg(a); +for(var b=new Uint8Array(a.length),c=0;ca&&Number.isInteger(a)&&this.data_[a]!==b&&(this.data_[a]=b,this.j=-1)}; +Bp.prototype.get=function(a){return!!this.data_[a]};var Dp;g.Ta(g.Gp,g.C);g.k=g.Gp.prototype;g.k.start=function(){this.stop();this.C=!1;var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?(this.j=g.ud(this.u,"MozBeforePaint",this.B),this.u.mozRequestAnimationFrame(null),this.C=!0):this.j=a&&b?a.call(this.u,this.B):this.u.setTimeout(rba(this.B),20)}; +g.k.stop=function(){if(this.isActive()){var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?yd(this.j):a&&b?b.call(this.u,this.j):this.u.clearTimeout(this.j)}this.j=null}; +g.k.isActive=function(){return null!=this.j}; +g.k.N_=function(){this.C&&this.j&&yd(this.j);this.j=null;this.I.call(this.D,g.Ra())}; +g.k.qa=function(){this.stop();g.Gp.Gf.qa.call(this)};g.Ta(g.Ip,g.C);g.k=g.Ip.prototype;g.k.OA=0;g.k.qa=function(){g.Ip.Gf.qa.call(this);this.stop();delete this.j;delete this.u}; +g.k.start=function(a){this.stop();this.OA=g.ag(this.B,void 0!==a?a:this.Fi)}; +g.k.stop=function(){this.isActive()&&g.Ea.clearTimeout(this.OA);this.OA=0}; +g.k.isActive=function(){return 0!=this.OA}; +g.k.qR=function(){this.OA=0;this.j&&this.j.call(this.u)};Mp.prototype[Symbol.iterator]=function(){return this}; +Mp.prototype.next=function(){var a=this.j.next();return{value:a.done?void 0:this.u.call(void 0,a.value),done:a.done}};Vp.prototype.hk=function(){return new Wp(this.u())}; +Vp.prototype[Symbol.iterator]=function(){return new Xp(this.u())}; +Vp.prototype.j=function(){return new Xp(this.u())}; +g.w(Wp,g.Mn);Wp.prototype.next=function(){return this.u.next()}; +Wp.prototype[Symbol.iterator]=function(){return new Xp(this.u)}; +Wp.prototype.j=function(){return new Xp(this.u)}; +g.w(Xp,Vp);Xp.prototype.next=function(){return this.B.next()};g.k=g.Zp.prototype;g.k.Ml=function(){aq(this);for(var a=[],b=0;b2*this.size&&aq(this),!0):!1}; +g.k.get=function(a,b){return $p(this.u,a)?this.u[a]:b}; +g.k.set=function(a,b){$p(this.u,a)||(this.size+=1,this.j.push(a),this.Pt++);this.u[a]=b}; +g.k.forEach=function(a,b){for(var c=this.Xp(),d=0;d=d.j.length)return g.j3;var f=d.j[b++];return g.Nn(a?f:d.u[f])}; +return e};g.Ta(g.bq,g.Fd);g.k=g.bq.prototype;g.k.bd=function(){return 1==this.j}; +g.k.ZG=function(){this.Fl("begin")}; +g.k.Gq=function(){this.Fl("end")}; +g.k.onFinish=function(){this.Fl("finish")}; +g.k.Fl=function(a){this.dispatchEvent(a)};var A$a=Nd(function(){if(g.mf)return!0;var a=g.qf("DIV"),b=g.Pc?"-webkit":Im?"-moz":g.mf?"-ms":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");c={style:c};if(!c9a.test("div"))throw Error("");if("DIV"in e9a)throw Error("");b=void 0;var d="";if(c)for(h in c)if(Object.prototype.hasOwnProperty.call(c,h)){if(!c9a.test(h))throw Error("");var e=c[h];if(null!=e){var f=h;if(e instanceof Vd)e=Wd(e);else if("style"==f.toLowerCase()){if(!g.Ja(e))throw Error("");e instanceof +je||(e=Lba(e));e=ke(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in d9a)if(e instanceof Zd)e=zba(e).toString();else if(e instanceof ae)e=g.be(e);else if("string"===typeof e)e=g.he(e).Ll();else throw Error("");}e.Qo&&(e=e.Ll());f=f+'="'+Ub(String(e))+'"';d+=" "+f}}var h="":(b=Vba(b),h+=">"+g.ve(b).toString()+"");h=g.we(h);g.Yba(a,h);return""!=g.Jm(a.firstChild,"transition")});g.Ta(cq,g.bq);g.k=cq.prototype;g.k.play=function(){if(this.bd())return!1;this.ZG();this.Fl("play");this.startTime=g.Ra();this.j=1;if(A$a())return g.Hm(this.u,this.I),this.B=g.ag(this.g8,void 0,this),!0;this.zJ(!1);return!1}; +g.k.g8=function(){g.Sm(this.u);lla(this.u,this.J);g.Hm(this.u,this.C);this.B=g.ag((0,g.Oa)(this.zJ,this,!1),1E3*this.D)}; +g.k.stop=function(){this.bd()&&this.zJ(!0)}; +g.k.zJ=function(a){g.Hm(this.u,"transition","");g.Ea.clearTimeout(this.B);g.Hm(this.u,this.C);this.endTime=g.Ra();this.j=0;if(a)this.Fl("stop");else this.onFinish();this.Gq()}; +g.k.qa=function(){this.stop();cq.Gf.qa.call(this)}; +g.k.pause=function(){};var nla={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};dq("Element","attributes")||dq("Node","attributes");dq("Element","innerHTML")||dq("HTMLElement","innerHTML");dq("Node","nodeName");dq("Node","nodeType");dq("Node","parentNode");dq("Node","childNodes");dq("HTMLElement","style")||dq("Element","style");dq("HTMLStyleElement","sheet");var tla=pla("getPropertyValue"),ula=pla("setProperty");dq("Element","namespaceURI")||dq("Node","namespaceURI");var sla={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};var yla,G8a,xla,wla,zla;yla=RegExp("[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]");G8a=RegExp("^[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");g.B$a=RegExp("^[^\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]*[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]"); +g.eq=RegExp("^[^A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]*[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");xla=/^http:\/\/.*/;g.C$a=RegExp("^(ar|ckb|dv|he|iw|fa|nqo|ps|sd|ug|ur|yi|.*[-_](Adlm|Arab|Hebr|Nkoo|Rohg|Thaa))(?!.*[-_](Latn|Cyrl)($|-|_))($|-|_)","i");wla=/\s+/;zla=/[\d\u06f0-\u06f9]/;gq.prototype.clone=function(){return new gq(this.j,this.J,this.B,this.D,this.C,this.I,this.u,this.T)}; +gq.prototype.equals=function(a){return this.j==a.j&&this.J==a.J&&this.B==a.B&&this.D==a.D&&this.C==a.C&&this.I==a.I&&this.u==a.u&&this.T==a.T};iq.prototype.clone=function(){return new iq(this.start,this.end)};(function(){if($0a){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.hc()))?a[1]:"0"}return ZW?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.hc()))?a[0].replace(/_/g,"."):"10"):g.fz?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.hc()))?a[1]:""):R8a||S8a||T8a?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.hc()))?a[1].replace(/_/g,"."):""):""})();var Bla=function(){if(g.fJ)return jq(/Firefox\/([0-9.]+)/);if(g.mf||g.oB||g.dK)return Ic;if(g.eI){if(Cc()||Dc()){var a=jq(/CriOS\/([0-9.]+)/);if(a)return a}return jq(/Chrome\/([0-9.]+)/)}if(g.BA&&!Cc())return jq(/Version\/([0-9.]+)/);if(cz||dz){if(a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.hc()))return a[1]+"."+a[2]}else if(g.eK)return(a=jq(/Android\s+([0-9.]+)/))?a:jq(/Version\/([0-9.]+)/);return""}();g.Ta(g.lq,g.C);g.k=g.lq.prototype;g.k.subscribe=function(a,b,c){var d=this.u[a];d||(d=this.u[a]=[]);var e=this.I;this.j[e]=a;this.j[e+1]=b;this.j[e+2]=c;this.I=e+3;d.push(e);return e}; +g.k.unsubscribe=function(a,b,c){if(a=this.u[a]){var d=this.j;if(a=a.find(function(e){return d[e+1]==b&&d[e+2]==c}))return this.Gh(a)}return!1}; +g.k.Gh=function(a){var b=this.j[a];if(b){var c=this.u[b];0!=this.C?(this.B.push(a),this.j[a+1]=function(){}):(c&&g.wb(c,a),delete this.j[a],delete this.j[a+1],delete this.j[a+2])}return!!b}; +g.k.ma=function(a,b){var c=this.u[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)return g.j3;var e=c.key(b++);if(a)return g.Nn(e);e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){this.u.clear()}; -g.k.key=function(a){return this.u.key(a)};g.Va(bo,ao);g.Va(co,ao);g.Va(fo,$n);var Pda={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},eo=null;g.k=fo.prototype;g.k.isAvailable=function(){return!!this.u}; -g.k.set=function(a,b){this.u.setAttribute(go(a),b);ho(this)}; -g.k.get=function(a){a=this.u.getAttribute(go(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; -g.k.remove=function(a){this.u.removeAttribute(go(a));ho(this)}; -g.k.wj=function(a){var b=0,c=this.u.XMLDocument.documentElement.attributes,d=new ej;d.next=function(){if(b>=c.length)throw fj;var e=c[b++];if(a)return decodeURIComponent(e.nodeName.replace(/\./g,"%")).substr(1);e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.clear=function(){this.j.clear()}; +g.k.key=function(a){return this.j.key(a)};g.Ta(sq,rq);g.Ta(Hla,rq);g.Ta(uq,qq);var Ila={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},tq=null;g.k=uq.prototype;g.k.isAvailable=function(){return!!this.j}; +g.k.set=function(a,b){this.j.setAttribute(vq(a),b);wq(this)}; +g.k.get=function(a){a=this.j.getAttribute(vq(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; +g.k.remove=function(a){this.j.removeAttribute(vq(a));wq(this)}; +g.k.hk=function(a){var b=0,c=this.j.XMLDocument.documentElement.attributes,d=new g.Mn;d.next=function(){if(b>=c.length)return g.j3;var e=c[b++];if(a)return g.Nn(decodeURIComponent(e.nodeName.replace(/\./g,"%")).slice(1));e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){for(var a=this.u.XMLDocument.documentElement,b=a.attributes.length;0=b)){if(1==b)lb(a);else{a[0]=a.pop();a=0;b=this.u;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; -g.k.Hf=function(){for(var a=this.u,b=[],c=a.length,d=0;d>1;if(b[d].getKey()>c.getKey())b[a]=b[d],a=d;else break}b[a]=c}; +g.k.remove=function(){var a=this.j,b=a.length,c=a[0];if(!(0>=b)){if(1==b)a.length=0;else{a[0]=a.pop();a=0;b=this.j;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; +g.k.Ml=function(){for(var a=this.j,b=[],c=a.length,d=0;d>>16&65535|0;for(var f;0!==c;){f=2E3o3;o3++){n3=o3;for(var I$a=0;8>I$a;I$a++)n3=n3&1?3988292384^n3>>>1:n3>>>1;H$a[o3]=n3}nr=function(a,b,c,d){c=d+c;for(a^=-1;d>>8^H$a[(a^b[d])&255];return a^-1};var dr={};dr={2:"need dictionary",1:"stream end",0:"","-1":"file error","-2":"stream error","-3":"data error","-4":"insufficient memory","-5":"buffer error","-6":"incompatible version"};var Xq=[0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0],$q=[0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13],fma=[0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7],Vla=[16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15],hr=Array(576);Pq(hr);var ir=Array(60);Pq(ir);var Zq=Array(512);Pq(Zq);var Wq=Array(256);Pq(Wq);var Yq=Array(29);Pq(Yq);var ar=Array(30);Pq(ar);var cma,dma,ema,bma=!1;var sr;sr=[new rr(0,0,0,0,function(a,b){var c=65535;for(c>a.Vl-5&&(c=a.Vl-5);;){if(1>=a.Yb){or(a);if(0===a.Yb&&0===b)return 1;if(0===a.Yb)break}a.xb+=a.Yb;a.Yb=0;var d=a.qk+c;if(0===a.xb||a.xb>=d)if(a.Yb=a.xb-d,a.xb=d,jr(a,!1),0===a.Sd.le)return 1;if(a.xb-a.qk>=a.Oi-262&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;if(4===b)return jr(a,!0),0===a.Sd.le?3:4;a.xb>a.qk&&jr(a,!1);return 1}), +new rr(4,4,8,4,pr),new rr(4,5,16,8,pr),new rr(4,6,32,32,pr),new rr(4,4,16,16,qr),new rr(8,16,32,32,qr),new rr(8,16,128,128,qr),new rr(8,32,128,256,qr),new rr(32,128,258,1024,qr),new rr(32,258,258,4096,qr)];var ama={};ama=function(){this.input=null;this.yw=this.Ti=this.Gv=0;this.Sj=null;this.LP=this.le=this.pz=0;this.msg="";this.state=null;this.iL=2;this.Cd=0};var gma=Object.prototype.toString; +tr.prototype.push=function(a,b){var c=this.Sd,d=this.options.chunkSize;if(this.ended)return!1;var e=b===~~b?b:!0===b?4:0;"string"===typeof a?c.input=Kla(a):"[object ArrayBuffer]"===gma.call(a)?c.input=new Uint8Array(a):c.input=a;c.Gv=0;c.Ti=c.input.length;do{0===c.le&&(c.Sj=new Oq.Nw(d),c.pz=0,c.le=d);a=$la(c,e);if(1!==a&&0!==a)return this.Gq(a),this.ended=!0,!1;if(0===c.le||0===c.Ti&&(4===e||2===e))if("string"===this.options.to){var f=Oq.rP(c.Sj,c.pz);b=f;f=f.length;if(65537>f&&(b.subarray&&G$a|| +!b.subarray))b=String.fromCharCode.apply(null,Oq.rP(b,f));else{for(var h="",l=0;la||a>c.length)throw Error();c[a]=b}; +var $ma=[1];g.w(Qu,J);Qu.prototype.j=function(a,b){return Sh(this,4,Du,a,b)}; +Qu.prototype.B=function(a,b){return Ih(this,5,a,b)}; +var ana=[4,5];g.w(Ru,J);g.w(Su,J);g.w(Tu,J);g.w(Uu,J);Uu.prototype.Qf=function(){return g.ai(this,2)};g.w(Vu,J);Vu.prototype.j=function(a,b){return Sh(this,1,Uu,a,b)}; +var bna=[1];g.w(Wu,J);g.w(Xu,J);Xu.prototype.Qf=function(){return g.ai(this,2)};g.w(Yu,J);Yu.prototype.j=function(a,b){return Sh(this,1,Xu,a,b)}; +var cna=[1];g.w(Zu,J);var $R=[1,2,3];g.w($u,J);$u.prototype.j=function(a,b){return Sh(this,1,Zu,a,b)}; +var dna=[1];g.w(av,J);var FD=[2,3,4,5];g.w(bv,J);bv.prototype.getMessage=function(){return g.ai(this,1)};g.w(cv,J);g.w(dv,J);g.w(ev,J);g.w(fv,J);fv.prototype.zi=function(a,b){return Sh(this,5,ev,a,b)}; +var ena=[5];g.w(gv,J);g.w(hv,J);hv.prototype.j=function(a,b){return Sh(this,3,gv,a,b)}; +var fna=[3];g.w(iv,J);g.w(jv,J);jv.prototype.B=function(a,b){return Sh(this,19,Ss,a,b)}; +jv.prototype.j=function(a,b){return Sh(this,20,Rs,a,b)}; +var gna=[19,20];g.w(kv,J);g.w(lv,J);g.w(mv,J);mv.prototype.j=function(a,b){return Sh(this,2,kv,a,b)}; +mv.prototype.setConfig=function(a){return I(this,lv,3,a)}; +mv.prototype.D=function(a,b){return Sh(this,5,kv,a,b)}; +mv.prototype.B=function(a,b){return Sh(this,9,wt,a,b)}; +var hna=[2,5,9];g.w(nv,J);nv.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(ov,J);ov.prototype.j=function(a,b){return Sh(this,9,nv,a,b)}; +var ina=[9];g.w(pv,J);g.w(qv,J);g.w(rv,J);g.w(tv,J);g.w(uv,J);uv.prototype.getType=function(){return bi(this,2)}; +uv.prototype.j=function(a,b){return Sh(this,3,tv,a,b)}; +var jna=[3];g.w(vv,J);vv.prototype.j=function(a,b){return Sh(this,10,wu,a,b)}; +vv.prototype.B=function(a,b){return Sh(this,17,ov,a,b)}; +var kna=[10,17];g.w(wv,J);var yHa={Gha:0,Fha:1,Cha:2,Dha:3,Eha:4};g.w(xv,J);xv.prototype.Qf=function(){return g.ai(this,2)}; +xv.prototype.GB=function(){return g.ai(this,7)};var $Ga={Ria:0,Qia:1,Kia:2,Lia:3,Mia:4,Nia:5,Oia:6,Pia:7};var fHa={Lpa:0,Mpa:3,Npa:1,Kpa:2};var WGa={Fqa:0,Vpa:1,Ypa:2,aqa:3,bqa:4,cqa:5,eqa:6,fqa:7,gqa:8,hqa:9,iqa:10,lqa:11,mqa:12,nqa:13,oqa:14,pqa:15,rqa:16,uqa:17,vqa:18,wqa:19,xqa:20,yqa:21,zqa:22,Aqa:23,Bqa:24,Gqa:25,Hqa:26,sqa:27,Cqa:28,tqa:29,kqa:30,dqa:31,jqa:32,Iqa:33,Jqa:34,Upa:35,Xpa:36,Dqa:37,Eqa:38,Zpa:39,qqa:40,Wpa:41};var ZGa={eta:0,ara:1,msa:2,Zsa:3,rta:4,isa:5,nsa:6,gra:7,ira:8,hra:9,zsa:10,hsa:11,gsa:12,Hsa:13,Lsa:14,ata:15,nta:16,fra:17,Qqa:18,xra:19,mra:20,lsa:21,tsa:22,bta:23,Rqa:24,Tqa:25,Esa:26,ora:116,Ara:27,Bra:28,ysa:29,cra:30,ura:31,ksa:32,xsa:33,Oqa:34,Pqa:35,Mqa:36,Nqa:37,qsa:38,rsa:39,Ksa:40,dra:41,pta:42,Csa:43,wsa:44,Asa:45,jsa:46,Bsa:47,pra:48,jra:49,tta:50,zra:51,yra:52,kra:53,lra:54,Xsa:55,Wsa:56,Vsa:57,Ysa:58,nra:59,qra:60,mta:61,Gsa:62,Dsa:63,Fsa:64,ssa:65,Rsa:66,Psa:67,Qsa:117,Ssa:68,vra:69, +wra:121,sta:70,tra:71,Tsa:72,Usa:73,Isa:74,Jsa:75,sra:76,rra:77,vsa:78,dta:79,usa:80,Kqa:81,Yqa:115,Wqa:120,Xqa:122,Zqa:123,Dra:124,Cra:125,Vqa:126,Osa:127,Msa:128,Nsa:129,qta:130,Lqa:131,Uqa:132,Sqa:133,Gra:82,Ira:83,Xra:84,Jra:85,esa:86,Hra:87,Lra:88,Rra:89,Ura:90,Zra:91,Wra:92,Yra:93,Fra:94,Mra:95,Vra:96,Ora:97,Nra:98,Era:99,Kra:100,bsa:101,Sra:102,fsa:103,csa:104,Pra:105,dsa:106,Tra:107,Qra:118,gta:108,kta:109,jta:110,ita:111,lta:112,hta:113,fta:114};var Hab={ula:0,tla:1,rla:2,sla:3};var hJa={aUa:0,HUa:1,MUa:2,uUa:3,vUa:4,wUa:5,OUa:39,PUa:6,KUa:7,GUa:50,NUa:69,IUa:70,JUa:71,EUa:74,xUa:32,yUa:44,zUa:33,LUa:8,AUa:9,BUa:10,DUa:11,CUa:12,FUa:73,bUa:56,cUa:57,dUa:58,eUa:59,fUa:60,gUa:61,lVa:13,mVa:14,nVa:15,vVa:16,qVa:17,xVa:18,wVa:19,sVa:20,tVa:21,oVa:34,uVa:35,rVa:36,pVa:49,kUa:37,lUa:38,nUa:40,pUa:41,oUa:42,qUa:43,rUa:51,mUa:52,jUa:67,hUa:22,iUa:23,TUa:24,ZUa:25,aVa:62,YUa:26,WUa:27,SUa:48,QUa:53,RUa:63,bVa:66,VUa:54,XUa:68,cVa:72,UUa:75,tUa:64,sUa:65,dVa:28,gVa:29,fVa:30,eVa:31, +iVa:45,kVa:46,jVa:47,hVa:55};var eJa={zVa:0,AVa:1,yVa:2};var jJa={DVa:0,CVa:1,BVa:2};var iJa={KVa:0,IVa:1,GVa:2,JVa:3,EVa:4,FVa:5,HVa:6};var PIa={cZa:0,bZa:1,aZa:2};var OIa={gZa:0,eZa:1,dZa:2,fZa:3};g.w(yv,J);g.w(zv,J);g.w(Av,J);g.w(Bv,J);g.w(Cv,J);g.w(Dv,J);Dv.prototype.hasFeature=function(){return null!=Ah(this,2)};g.w(Ev,J);Ev.prototype.OB=function(){return g.ai(this,7)};g.w(Fv,J);g.w(Gv,J);g.w(Hv,J);Hv.prototype.getName=function(){return bi(this,1)}; +Hv.prototype.getStatus=function(){return bi(this,2)}; +Hv.prototype.getState=function(){return bi(this,3)}; +Hv.prototype.qc=function(a){return H(this,3,a)};g.w(Iv,J);Iv.prototype.j=function(a,b){return Sh(this,2,Hv,a,b)}; +var lna=[2];g.w(Jv,J);g.w(Kv,J);Kv.prototype.j=function(a,b){return Sh(this,1,Iv,a,b)}; +Kv.prototype.B=function(a,b){return Sh(this,2,Iv,a,b)}; +var mna=[1,2];var dJa={fAa:0,dAa:1,eAa:2};var MIa={eGa:0,YFa:1,bGa:2,fGa:3,ZFa:4,aGa:5,cGa:6,dGa:7};var NIa={iGa:0,hGa:1,gGa:2};var LIa={FJa:0,GJa:1,EJa:2};var KIa={WJa:0,JJa:1,SJa:2,XJa:3,UJa:4,MJa:5,IJa:6,KJa:7,LJa:8,VJa:9,TJa:10,NJa:11,QJa:12,RJa:13,PJa:14,OJa:15,HJa:16};var HIa={NXa:0,JXa:1,MXa:2,LXa:3,KXa:4};var GIa={RXa:0,PXa:1,QXa:2,OXa:3};var IIa={YXa:0,UXa:1,WXa:2,SXa:3,XXa:4,TXa:5,VXa:6};var FIa={fYa:0,hYa:1,gYa:2,bYa:3,ZXa:4,aYa:5,iYa:6,cYa:7,jYa:8,dYa:9,eYa:10};var JIa={mYa:0,lYa:1,kYa:2};var TIa={d1a:0,a1a:1,Z0a:2,U0a:3,W0a:4,X0a:5,T0a:6,V0a:7,b1a:8,f1a:9,Y0a:10,R0a:11,S0a:12,e1a:13};var SIa={h1a:0,g1a:1};var $Ia={E1a:0,i1a:1,D1a:2,C1a:3,I1a:4,H1a:5,B1a:19,m1a:6,o1a:7,x1a:8,n1a:24,A1a:25,y1a:20,q1a:21,k1a:22,z1a:23,j1a:9,l1a:10,p1a:11,s1a:12,t1a:13,u1a:14,w1a:15,v1a:16,F1a:17,G1a:18};var UIa={M1a:0,L1a:1,N1a:2,J1a:3,K1a:4};var QIa={c2a:0,V1a:1,Q1a:2,Z1a:3,U1a:4,b2a:5,P1a:6,R1a:7,W1a:8,S1a:9,X1a:10,Y1a:11,T1a:12,a2a:13};var WIa={j2a:0,h2a:1,f2a:2,g2a:3,i2a:4};var VIa={n2a:0,k2a:1,l2a:2,m2a:3};var RIa={r2a:0,q2a:1,p2a:2};var aJa={u2a:0,s2a:1,t2a:2};var bJa={O2a:0,N2a:1,M2a:2,K2a:3,L2a:4};var cJa={S2a:0,Q2a:1,P2a:2,R2a:3};var Iab={Gla:0,Dla:1,Ela:2,Bla:3,Fla:4,Cla:5};var NFa={n1:0,Gxa:1,Eva:2,Fva:3,gAa:4,oKa:5,Xha:6};var WR={doa:0,Kna:101,Qna:102,Fna:103,Ina:104,Nna:105,Ona:106,Rna:107,Sna:108,Una:109,Vna:110,coa:111,Pna:112,Lna:113,Tna:114,Xna:115,eoa:116,Hna:117,Mna:118,foa:119,Yna:120,Zna:121,Jna:122,Gna:123,Wna:124,boa:125,aoa:126};var JHa={ooa:0,loa:1,moa:2,joa:3,koa:4,ioa:5,noa:6};var Jab={fpa:0,epa:1,cpa:2,dpa:3};var Kab={qpa:0,opa:1,hpa:2,npa:3,gpa:4,kpa:5,mpa:6,ppa:7,lpa:8,jpa:9,ipa:10};var Lab={spa:0,tpa:1,rpa:2};g.w(Lv,J);g.w(Mv,J);g.w(Nv,J);Nv.prototype.getState=function(){return Uh(this,1)}; +Nv.prototype.qc=function(a){return H(this,1,a)};g.w(Ov,J);g.w(Pv,J);g.w(Qv,J);g.w(Rv,J);g.w(Sv,J);Sv.prototype.Ce=function(){return g.ai(this,1)}; +Sv.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Tv,J);Tv.prototype.og=function(a){Rh(this,1,a)};g.w(Uv,J);Uv.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(Vv,J);Vv.prototype.hasFeature=function(){return null!=Ah(this,1)};g.w(Wv,J);g.w(Xv,J);g.w(Yv,J);Yv.prototype.Qf=function(){return bi(this,2)}; +var Mab=[1];g.w(Zv,J);g.w($v,J);g.w(aw,J);g.w(bw,J);bw.prototype.getVideoAspectRatio=function(){return kea(this,2)};g.w(cw,J);g.w(dw,J);g.w(ew,J);g.w(fw,J);g.w(gw,J);g.w(hw,J);g.w(iw,J);g.w(jw,J);g.w(kw,J);g.w(lw,J);g.w(mw,J);mw.prototype.getId=function(){return g.ai(this,1)};g.w(nw,J);g.w(ow,J);g.w(pw,J);pw.prototype.j=function(a,b){return Sh(this,5,ow,a,b)}; +var nna=[5];g.w(qw,J);g.w(rw,J);g.w(tw,J);tw.prototype.OB=function(){return g.ai(this,30)}; +tw.prototype.j=function(a,b){return Sh(this,27,rw,a,b)}; +var ona=[27];g.w(uw,J);g.w(vw,J);g.w(ww,J);g.w(xw,J);var s3=[1,2,3,4];g.w(yw,J);g.w(Aw,J);g.w(Fw,J);g.w(Gw,J);g.w(Hw,J);Hw.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(Iw,J);g.w(Jw,J);g.w(Kw,J);g.w(Lw,J);g.w(Mw,J);g.w(Nw,J);g.w(Ow,J);Ow.prototype.j=function(a,b){return Ih(this,1,a,b)}; +var pna=[1];g.w(Pw,J);Pw.prototype.Qf=function(){return bi(this,3)};g.w(Qw,J);g.w(Rw,J);g.w(Sw,J);g.w(Tw,J);Tw.prototype.Ce=function(){return Mh(this,Rw,2===Jh(this,t3)?2:-1)}; +Tw.prototype.setVideoId=function(a){return Oh(this,Rw,2,t3,a)}; +Tw.prototype.getPlaylistId=function(){return Mh(this,Qw,4===Jh(this,t3)?4:-1)}; +var t3=[2,3,4,5];g.w(Uw,J);Uw.prototype.getType=function(){return bi(this,1)}; +Uw.prototype.Ce=function(){return g.ai(this,3)}; +Uw.prototype.setVideoId=function(a){return H(this,3,a)};g.w(Vw,J);g.w(Ww,J);g.w(Xw,J);var DIa=[3];g.w(Yw,J);g.w(Zw,J);g.w($w,J);g.w(ax,J);g.w(bx,J);g.w(cx,J);g.w(dx,J);g.w(ex,J);g.w(fx,J);g.w(gx,J);gx.prototype.getStarted=function(){return Th(Uda(Ah(this,1)),!1)};g.w(hx,J);g.w(ix,J);g.w(jx,J);jx.prototype.getDuration=function(){return Uh(this,2)}; +jx.prototype.Sk=function(a){H(this,2,a)};g.w(kx,J);g.w(lx,J);g.w(mx,J);mx.prototype.OB=function(){return g.ai(this,1)};g.w(nx,J);g.w(ox,J);g.w(px,J);px.prototype.vg=function(){return Mh(this,nx,8)}; +px.prototype.a4=function(){return Ch(this,nx,8)}; +px.prototype.getVideoData=function(){return Mh(this,ox,15)}; +px.prototype.iP=function(a){I(this,ox,15,a)}; +var qna=[4];g.w(qx,J);g.w(rx,J);rx.prototype.j=function(a){return H(this,2,a)};g.w(sx,J);sx.prototype.j=function(a){return H(this,1,a)}; +var tna=[3];g.w(tx,J);tx.prototype.j=function(a){return H(this,1,a)}; +tx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(ux,J);ux.prototype.j=function(a){return H(this,1,a)}; +ux.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(vx,J);vx.prototype.j=function(a){return H(this,1,a)}; +vx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(wx,J);wx.prototype.j=function(a){return H(this,1,a)}; +wx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(xx,J);g.w(yx,J);yx.prototype.getId=function(){return g.ai(this,2)};g.w(Bx,J);Bx.prototype.getVisibilityState=function(){return bi(this,5)}; +var vna=[16];g.w(Cx,J);g.w(Dx,J);Dx.prototype.getPlayerType=function(){return bi(this,7)}; +Dx.prototype.Ce=function(){return g.ai(this,19)}; +Dx.prototype.setVideoId=function(a){return H(this,19,a)}; +var wna=[112,83,68];g.w(Fx,J);g.w(Gx,J);g.w(Hx,J);Hx.prototype.Ce=function(){return g.ai(this,1)}; +Hx.prototype.setVideoId=function(a){return H(this,1,a)}; +Hx.prototype.j=function(a,b){return Sh(this,9,Gx,a,b)}; +var xna=[9];g.w(Ix,J);Ix.prototype.j=function(a,b){return Sh(this,3,Hx,a,b)}; +var yna=[3];g.w(Jx,J);Jx.prototype.Ce=function(){return g.ai(this,1)}; +Jx.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Kx,J);g.w(Lx,J);Lx.prototype.j=function(a,b){return Sh(this,1,Jx,a,b)}; +Lx.prototype.B=function(a,b){return Sh(this,2,Kx,a,b)}; +var zna=[1,2];g.w(Mx,J);g.w(Nx,J);Nx.prototype.getId=function(){return g.ai(this,1)}; +Nx.prototype.j=function(a,b){return Ih(this,2,a,b)}; +var Ana=[2];g.w(Ox,J);g.w(Px,J);g.w(Qx,J);Qx.prototype.j=function(a,b){return Ih(this,9,a,b)}; +var Bna=[9];g.w(Rx,J);g.w(Sx,J);g.w(Tx,J);Tx.prototype.getId=function(){return g.ai(this,1)}; +Tx.prototype.j=function(a,b){return Sh(this,14,Px,a,b)}; +Tx.prototype.B=function(a,b){return Sh(this,17,Rx,a,b)}; +var Cna=[14,17];g.w(Ux,J);Ux.prototype.B=function(a,b){return Sh(this,1,Tx,a,b)}; +Ux.prototype.j=function(a,b){return Sh(this,2,Nx,a,b)}; +var Dna=[1,2];g.w(Vx,J);g.w(Wx,J);Wx.prototype.getOrigin=function(){return g.ai(this,3)}; +Wx.prototype.Ye=function(){return Uh(this,6)};g.w(Xx,J);g.w(Yx,J);g.w(Zx,J);Zx.prototype.getContext=function(){return Mh(this,Yx,33)}; +var AD=[2,3,5,6,7,11,13,20,21,22,23,24,28,32,37,45,59,72,73,74,76,78,79,80,85,91,97,100,102,105,111,117,119,126,127,136,146,148,151,156,157,158,159,163,164,168,176,177,178,179,184,188,189,190,191,193,194,195,196,197,198,199,200,201,202,203,204,205,206,208,209,215,219,222,225,226,227,229,232,233,234,240,241,244,247,248,249,251,254,255,256,257,258,259,260,261,266,270,272,278,288,291,293,300,304,308,309,310,311,313,314,319,320,321,323,324,327,328,330,331,332,334,337,338,340,344,348,350,351,352,353,354, +355,356,357,358,361,363,364,368,369,370,373,374,375,378,380,381,383,388,389,402,403,410,411,412,413,414,415,416,417,418,423,424,425,426,427,429,430,431,439,441,444,448,458,469,471,473,474];var Nab={Eoa:0,Boa:1,Aoa:2,Doa:3,Coa:4,yoa:5,zoa:6};var Oab={Cua:0,oua:1,rua:2,pua:3,uua:4,qua:5,Wta:6,zua:7,hua:8,Qta:9,iua:10,vua:11,sua:12,Yta:13,Uta:14,Xta:15,Bua:16,Rta:17,Sta:18,Aua:19,Zta:20,Vta:21,yua:22,Hua:23,Gua:24,Dua:25,jua:26,tua:27,Iua:28,aua:29,Ota:30,Fua:31,Eua:32,gua:33,Lua:34,fua:35,wua:36,Kua:37,kua:38,xua:39,eua:40,cua:41,Tta:42,nua:43,Jua:44,Pta:45};var Pab={uva:0,fva:1,iva:2,gva:3,mva:4,hva:5,Vua:6,rva:7,ava:8,Oua:9,bva:10,nva:11,jva:12,Xua:13,Tua:14,Wua:15,tva:16,Qua:17,Rua:18,sva:19,Yua:20,Uua:21,qva:22,yva:23,xva:24,vva:25,cva:26,kva:27,zva:28,Zua:29,Mua:30,wva:31,Pua:32,Cva:33,ova:34,Bva:35,dva:36,pva:37,Sua:38,eva:39,Ava:40,Nua:41};var Qab={kxa:0,jxa:1,lxa:2};var Rab={nwa:0,lwa:1,hwa:3,jwa:4,kwa:5,mwa:6,iwa:7};var Sab={twa:0,qwa:1,swa:2,rwa:3,pwa:4,owa:5};var Uab={fxa:0,bxa:1,cxa:2,dxa:3,exa:4};var Vab={qxa:0,rxa:1,sxa:2,pxa:3,nxa:4,oxa:5};var QCa={aya:0,Hxa:1,Nxa:2,Oxa:4,Uxa:8,Pxa:16,Qxa:32,Zxa:64,Yxa:128,Jxa:256,Lxa:512,Sxa:1024,Kxa:2048,Mxa:4096,Ixa:8192,Rxa:16384,Vxa:32768,Txa:65536,Wxa:131072,Xxa:262144};var IHa={Eya:0,Dya:1,Cya:2,Bya:4};var HHa={Jya:0,Gya:1,Hya:2,Kya:3,Iya:4,Fya:5};var Wab={Ata:0,zta:1,yta:2};var Xab={mGa:0,lGa:1,kGa:2};var Yab={bHa:0,JGa:1,ZGa:2,LGa:3,RGa:4,dHa:5,aHa:6,zGa:7,yGa:8,xGa:9,DGa:10,IGa:11,HGa:12,AGa:13,SGa:14,NGa:15,PGa:16,pGa:17,YGa:18,tGa:19,OGa:20,oGa:21,QGa:22,GGa:23,qGa:24,sGa:25,VGa:26,cHa:27,WGa:28,MGa:29,BGa:30,EGa:31,FGa:32,wGa:33,eHa:34,uGa:35,CGa:36,TGa:37,rGa:38,nGa:39,vGa:41,KGa:42,UGa:43,XGa:44};var Zab={iHa:0,hHa:1,gHa:2,fHa:3};var bHa={MHa:0,LHa:1,JHa:2,KHa:7,IHa:8,HHa:25,wHa:3,xHa:4,FHa:5,GHa:27,EHa:28,yHa:9,mHa:10,kHa:11,lHa:6,vHa:12,tHa:13,uHa:14,sHa:15,AHa:16,BHa:17,zHa:18,DHa:19,CHa:20,pHa:26,qHa:21,oHa:22,rHa:23,nHa:24,NHa:29};var dHa={SHa:0,PHa:1,QHa:2,RHa:3,OHa:4};var cHa={XHa:0,VHa:1,WHa:2,THa:3,UHa:4};var LGa={eIa:0,YHa:1,aIa:2,ZHa:3,bIa:4,cIa:5,dIa:6,fIa:7};var UHa={Xoa:0,Voa:1,Woa:2,Soa:3,Toa:4,Uoa:5};var ZHa={rMa:0,qMa:1,jMa:2,oMa:3,kMa:4,nMa:5,pMa:6,mMa:7,lMa:8};var uHa={LMa:0,DMa:1,MMa:2,KMa:4,HMa:8,GMa:16,FMa:32,IMa:64,EMa:128,JMa:256};var VHa={eNa:0,ZMa:1,dNa:2,WMa:3,OMa:4,UMa:5,PMa:6,QMa:7,SMa:8,XMa:9,bNa:10,aNa:11,cNa:12,RMa:13,TMa:14,VMa:15,YMa:16,NMa:17};var sHa={gMa:0,dMa:1,eMa:2,fMa:3};var xHa={yMa:0,AMa:1,xMa:2,tMa:3,zMa:4,uMa:5,vMa:6,wMa:7};var PGa={F2a:0,Lla:1,XFa:2,tKa:3,vKa:4,wKa:5,qKa:6,wZa:7,MKa:8,LKa:9,rKa:10,uKa:11,a_a:12,Oda:13,Wda:14,Pda:15,oPa:16,YLa:17,NKa:18,QKa:19,CMa:20,PKa:21,sMa:22,fNa:23,VKa:24,iMa:25,sKa:26,tZa:27,CXa:28,NRa:29,jja:30,n6a:31,hMa:32};var OGa={I2a:0,V$:1,hNa:2,gNa:3,SUCCESS:4,hZa:5,Bta:6,CRa:7,gwa:9,Mla:10,Dna:11,CANCELLED:12,MRa:13,DXa:14,IXa:15,b3a:16};var NGa={o_a:0,f_a:1,k_a:2,j_a:3,g_a:4,h_a:5,b_a:6,n_a:7,m_a:8,e_a:9,d_a:10,i_a:11,l_a:12,c_a:13};var YGa={dPa:0,UOa:1,YOa:2,WOa:3,cPa:4,XOa:5,bPa:6,aPa:7,ZOa:8,VOa:9};var $ab={lQa:0,kQa:1,jQa:2};var abb={oQa:0,mQa:1,nQa:2};var aHa={LSa:0,KSa:1,JSa:2};var bbb={SSa:0,TSa:1};var zIa={ZSa:0,XSa:1,YSa:2,aTa:3};var cbb={iWa:0,gWa:1,hWa:2};var dbb={FYa:0,BYa:1,CYa:2,DYa:3,EYa:4};var wHa={lWa:0,jWa:1,kWa:2};var YHa={FWa:0,CWa:1,DWa:2,EWa:3};var oHa={aha:0,Zga:1,Xga:2,Yga:3};var OHa={Fia:0,zia:1,Cia:2,Dia:3,Bia:4,Eia:5,Gia:6,Aia:7};var iHa={hma:0,gma:1,jma:2};var SGa={D2a:0,fla:1,gla:2,ela:3,hla:4};var RGa={E2a:0,bQa:1,MOa:2};var RHa={Kta:0,Gta:1,Cta:2,Jta:3,Eta:4,Hta:5,Fta:6,Dta:7,Ita:8};var THa={ixa:0,hxa:1,gxa:2};var NHa={WFa:0,VFa:1,UFa:2};var QHa={fKa:0,eKa:1,dKa:2};var MHa={qSa:0,oSa:1,pSa:2};var mHa={lZa:0,kZa:1,jZa:2};var ebb={sFa:0,oFa:1,pFa:2,qFa:3,rFa:4,tFa:5};var fbb={mPa:0,jPa:1,hPa:2,ePa:3,iPa:4,kPa:5,fPa:6,gPa:7,lPa:8,nPa:9};var gbb={KZa:0,JZa:1,LZa:2};var yIa={j6a:0,T5a:1,a6a:2,Z5a:3,S5a:4,k6a:5,h6a:6,U5a:7,V5a:8,Y5a:9,X5a:12,P5a:10,i6a:11,d6a:13,e6a:14,l6a:15,b6a:16,f6a:17,Q5a:18,g6a:19,R5a:20,m6a:21,W5a:22};var tIa={eya:0,cya:1,dya:2,bya:3};g.w($x,J);g.w(ay,J);ay.prototype.Ce=function(){var a=1===Jh(this,kD)?1:-1;return Ah(this,a)}; +ay.prototype.setVideoId=function(a){return Kh(this,1,kD,a)}; +ay.prototype.getPlaylistId=function(){var a=2===Jh(this,kD)?2:-1;return Ah(this,a)}; +var kD=[1,2];g.w(by,J);by.prototype.getContext=function(){return Mh(this,rt,1)}; +var Ena=[3];var rM=new g.zr("changeKeyedMarkersVisibilityCommand");var hbb=new g.zr("changeMarkersVisibilityCommand");var wza=new g.zr("loadMarkersCommand");var qza=new g.zr("shoppingOverlayRenderer");g.Oza=new g.zr("musicEmbeddedPlayerOverlayVideoDetailsRenderer");var ibb=new g.zr("adFeedbackEndpoint");var wNa=new g.zr("phoneDialerEndpoint");var vNa=new g.zr("sendSmsEndpoint");var Mza=new g.zr("copyTextEndpoint");var jbb=new g.zr("webPlayerShareEntityServiceEndpoint");g.pM=new g.zr("urlEndpoint");g.oM=new g.zr("watchEndpoint");var LCa=new g.zr("watchPlaylistEndpoint");var cIa={ija:0,hja:1,gja:2,eja:3,fja:4};var tHa={KKa:0,IKa:1,JKa:2,HKa:3};var kbb={aLa:0,ZKa:1,XKa:2,YKa:3};var lbb={eLa:0,bLa:1,cLa:2,dLa:3,fLa:4};var mbb={VLa:0,QLa:1,WLa:2,SLa:3,JLa:4,BLa:37,mLa:5,jLa:36,oLa:38,wLa:39,xLa:40,sLa:41,ULa:42,pLa:27,GLa:31,ILa:6,KLa:7,LLa:8,MLa:9,NLa:10,OLa:11,RLa:29,qLa:30,HLa:32,ALa:12,zLa:13,lLa:14,FLa:15,gLa:16,iLa:35,nLa:43,rLa:28,DLa:17,CLa:18,ELa:19,TLa:20,vLa:25,kLa:33,XLa:21,yLa:22,uLa:26,tLa:34,PLa:23,hLa:24};var aIa={cMa:0,aMa:1,ZLa:2,bMa:3};var ZR={HXa:0,EXa:1,GXa:2,FXa:3};var QGa={ZZa:0,NZa:1,MZa:2,SZa:3,YZa:4,OZa:5,VZa:6,TZa:7,UZa:8,PZa:9,WZa:10,QZa:11,XZa:12,RZa:13};var rHa={BMa:0,WKa:1,OKa:2,TKa:3,UKa:4,RKa:5,SKa:6};var nbb={OSa:0,NSa:1};var obb={IYa:0,HYa:1,GYa:2,JYa:3};var pbb={MYa:0,LYa:1,KYa:2};var qbb={WYa:0,QYa:1,RYa:2,SYa:5,VYa:7,XYa:8,TYa:9,UYa:10};var rbb={PYa:0,OYa:1,NYa:2};var KKa=new g.zr("compositeVideoOverlayRenderer");var KNa=new g.zr("miniplayerRenderer");var bza=new g.zr("playerMutedAutoplayOverlayRenderer"),cza=new g.zr("playerMutedAutoplayEndScreenRenderer");var gya=new g.zr("unserializedPlayerResponse"),dza=new g.zr("unserializedPlayerResponse");var sbb=new g.zr("playlistEditEndpoint");var u3;g.mM=new g.zr("buttonRenderer");u3=new g.zr("toggleButtonRenderer");var YR={G2a:0,tCa:4,sSa:1,cwa:2,mia:3,uCa:5,vSa:6,dwa:7,ewa:8,fwa:9};var tbb=new g.zr("resolveUrlCommandMetadata");var ubb=new g.zr("modifyChannelNotificationPreferenceEndpoint");var $Da=new g.zr("pingingEndpoint");var vbb=new g.zr("unsubscribeEndpoint");var PFa={J2a:0,kJa:1,gJa:2,fJa:3,GIa:71,FIa:4,iJa:5,lJa:6,jJa:16,hJa:69,HIa:70,CIa:56,DIa:64,EIa:65,TIa:7,JIa:8,OIa:9,KIa:10,NIa:11,MIa:12,LIa:13,QIa:43,WIa:44,XIa:45,YIa:46,ZIa:47,aJa:48,bJa:49,cJa:50,dJa:51,eJa:52,UIa:53,VIa:54,SIa:63,IIa:14,RIa:15,PIa:68,b5a:17,k5a:18,u4a:19,a5a:20,O4a:21,c5a:22,m4a:23,W4a:24,R4a:25,y4a:26,k4a:27,F4a:28,Z4a:29,h4a:30,g4a:31,i4a:32,n4a:33,X4a:34,V4a:35,P4a:36,T4a:37,d5a:38,B4a:39,j5a:40,H4a:41,w4a:42,e5a:55,S4a:66,A5a:67,L4a:57,Y4a:58,o4a:59,j4a:60,C4a:61,Q4a:62};var wbb={BTa:0,DTa:1,uTa:2,mTa:3,yTa:4,zTa:5,ETa:6,dTa:7,eTa:8,kTa:9,vTa:10,nTa:11,rTa:12,pTa:13,qTa:14,sTa:15,tTa:19,gTa:16,xTa:17,wTa:18,iTa:20,oTa:21,fTa:22,CTa:23,lTa:24,hTa:25,ATa:26,jTa:27};g.FM=new g.zr("subscribeButtonRenderer");var xbb=new g.zr("subscribeEndpoint");var pHa={pWa:0,nWa:1,oWa:2};g.GKa=new g.zr("buttonViewModel");var ZIa={WTa:0,XTa:1,VTa:2,RTa:3,UTa:4,STa:5,QTa:6,TTa:7};var q2a=new g.zr("qrCodeRenderer");var zxa={BFa:"LIVING_ROOM_APP_MODE_UNSPECIFIED",yFa:"LIVING_ROOM_APP_MODE_MAIN",xFa:"LIVING_ROOM_APP_MODE_KIDS",zFa:"LIVING_ROOM_APP_MODE_MUSIC",AFa:"LIVING_ROOM_APP_MODE_UNPLUGGED",wFa:"LIVING_ROOM_APP_MODE_GAMING"};var lza=new g.zr("autoplaySwitchButtonRenderer");var HL,oza,xya,cPa;HL=new g.zr("decoratedPlayerBarRenderer");oza=new g.zr("chapteredPlayerBarRenderer");xya=new g.zr("multiMarkersPlayerBarRenderer");cPa=new g.zr("chapterRenderer");g.VOa=new g.zr("markerRenderer");var nM=new g.zr("desktopOverlayConfigRenderer");var rza=new g.zr("gatedActionsOverlayViewModel");var ZOa=new g.zr("heatMarkerRenderer");var YOa=new g.zr("heatmapRenderer");var vza=new g.zr("watchToWatchTransitionRenderer");var Pza=new g.zr("playlistPanelRenderer");var TKa=new g.zr("speedmasterEduViewModel");var lM=new g.zr("suggestedActionTimeRangeTrigger"),mza=new g.zr("suggestedActionsRenderer"),nza=new g.zr("suggestedActionRenderer");var $Oa=new g.zr("timedMarkerDecorationRenderer");var ybb={z5a:0,v5a:1,w5a:2,y5a:3,x5a:4,u5a:5,t5a:6,p5a:7,r5a:8,s5a:9,q5a:10,n5a:11,m5a:12,l5a:13,o5a:14};var MR={n1:0,USER:74,Hha:459,TRACK:344,Iha:493,Vha:419,gza:494,dja:337,zIa:237,Uwa:236,Cna:3,B5a:78,E5a:248,oJa:79,mRa:246,K5a:247,zKa:382,yKa:383,xKa:384,oZa:235,VIDEO:4,H5a:186,Vla:126,AYa:127,dma:117,iRa:125,nSa:151,woa:515,Ola:6,Pva:132,Uva:154,Sva:222,Tva:155,Qva:221,Rva:156,zYa:209,yYa:210,U3a:7,BRa:124,mWa:96,kKa:97,b4a:93,c4a:275,wia:110,via:120,iQa:121,wxa:72,N3a:351,FTa:495,L3a:377,O3a:378,Lta:496,Mta:497,GTa:498,xia:381,M3a:386,d4a:387,Bha:410,kya:437,Spa:338,uia:380,T$:352,ROa:113,SOa:114, +EZa:82,FZa:112,uoa:354,AZa:21,Ooa:523,Qoa:375,Poa:514,Qda:302,ema:136,xxa:85,dea:22,L5a:23,IZa:252,HZa:253,tia:254,Nda:165,xYa:304,Noa:408,Xya:421,zZa:422,V3a:423,gSa:463,PLAYLIST:63,S3a:27,R3a:28,T3a:29,pYa:30,sYa:31,rYa:324,tYa:32,Hia:398,vYa:399,wYa:400,mKa:411,lKa:413,nKa:414,pKa:415,uRa:39,vRa:143,zRa:144,qRa:40,rRa:145,tRa:146,F3a:504,yRa:325,BPa:262,DPa:263,CPa:264,FPa:355,GPa:249,IPa:250,HPa:251,Ala:46,PSa:49,RSa:50,Hda:62,hIa:105,aza:242,BXa:397,rQa:83,QOa:135,yha:87,Aha:153,zha:187,tha:89, +sha:88,uha:139,wha:91,vha:104,xha:137,kla:99,U2a:100,iKa:326,qoa:148,poa:149,nYa:150,oYa:395,Zha:166,fia:199,aia:534,eia:167,bia:168,jia:169,kia:170,cia:171,dia:172,gia:179,hia:180,lia:512,iia:513,j3a:200,V2a:476,k3a:213,Wha:191,EPa:192,yPa:305,zPa:306,KPa:329,yWa:327,zWa:328,uPa:195,vPa:197,TOa:301,pPa:223,qPa:224,Vya:227,nya:396,hza:356,cza:490,iza:394,kja:230,oia:297,o3a:298,Uya:342,xoa:346,uta:245,GZa:261,Axa:265,Fxa:266,Bxa:267,yxa:268,zxa:269,Exa:270,Cxa:271,Dxa:272,mFa:303,dEa:391,eEa:503, +gEa:277,uFa:499,vFa:500,kFa:501,nFa:278,fEa:489,zpa:332,Bpa:333,xpa:334,Apa:335,ypa:336,jla:340,Pya:341,E3a:349,D3a:420,xRa:281,sRa:282,QSa:286,qYa:288,wRa:291,ARa:292,cEa:295,uYa:296,bEa:299,Sda:417,lza:308,M5a:309,N5a:310,O5a:311,Dea:350,m3a:418,Vwa:424,W2a:425,AKa:429,jKa:430,fza:426,xXa:460,hKa:427,PRa:428,QRa:542,ORa:461,AWa:464,mIa:431,kIa:432,rIa:433,jIa:434,oIa:435,pIa:436,lIa:438,qIa:439,sIa:453,nIa:454,iIa:472,vQa:545,tQa:546,DQa:547,GQa:548,FQa:549,EQa:550,wQa:551,CQa:552,yQa:516,xQa:517, +zQa:544,BQa:519,AQa:553,sZa:520,sQa:521,uQa:522,dza:543,aQa:440,cQa:441,gQa:442,YPa:448,ZPa:449,dQa:450,hQa:451,fQa:491,POST:445,XPa:446,eQa:447,JQa:456,BKa:483,KQa:529,IQa:458,USa:480,VSa:502,WSa:482,Qya:452,ITa:465,JTa:466,Ena:467,HQa:468,Cpa:469,yla:470,xla:471,bza:474,Oya:475,vma:477,Rya:478,Yva:479,LPa:484,JPa:485,xPa:486,wPa:487,Xda:488,apa:492,Epa:505,Moa:506,W3a:507,uAa:508,Xva:509,Zva:510,bwa:511,n3a:524,P3a:530,wSa:531,Dpa:532,OTa:533,Sya:535,kza:536,Yya:537,eza:538,Tya:539,Zya:540,Wya:541};var Ita=new g.zr("cipher");var hya=new g.zr("playerVars");var eza=new g.zr("playerVars");var v3=g.Ea.window,zbb,Abb,cy=(null==v3?void 0:null==(zbb=v3.yt)?void 0:zbb.config_)||(null==v3?void 0:null==(Abb=v3.ytcfg)?void 0:Abb.data_)||{};g.Fa("yt.config_",cy);var ky=[];var Nna=/^[\w.]*$/,Lna={q:!0,search_query:!0},Kna=String(oy);var Ona=new function(){var a=window.document;this.j=window;this.u=a}; +g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return py(zy(a))});g.Ra();var Rna="XMLHttpRequest"in g.Ea?function(){return new XMLHttpRequest}:null;var Tna={Authorization:"AUTHORIZATION","X-Goog-EOM-Visitor-Id":"EOM_VISITOR_DATA","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-Youtube-Domain-Admin-State":"DOMAIN_ADMIN_STATE","X-Youtube-Chrome-Connected":"CHROME_CONNECTED_HEADER","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL", +"X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM","X-Goog-AuthUser":"SESSION_INDEX","X-Goog-PageId":"DELEGATED_SESSION_ID"},Vna="app debugcss debugjs expflag force_ad_params force_ad_encrypted force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address".split(" ").concat(g.u(y$a)),$na=!1,qDa=Fy;g.w(Jy,cb);My.prototype.then=function(a,b,c){return this.j?this.j.then(a,b,c):1===this.B&&a?(a=a.call(c,this.u))&&"function"===typeof a.then?a:Oy(a):2===this.B&&b?(a=b.call(c,this.u))&&"function"===typeof a.then?a:Ny(a):this}; +My.prototype.getValue=function(){return this.u}; +My.prototype.$goog_Thenable=!0;var Py=!1;var nB=cz||dz;var loa=/^([0-9\.]+):([0-9\.]+)$/;g.w(sz,cb);sz.prototype.name="BiscottiError";g.w(rz,cb);rz.prototype.name="BiscottiMissingError";var uz={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},tz=null;var voa=eaa(["data-"]),zoa={};var Bbb=0,vz=g.Pc?"webkit":Im?"moz":g.mf?"ms":g.dK?"o":"",Cbb=g.Ga("ytDomDomGetNextId")||function(){return++Bbb}; +g.Fa("ytDomDomGetNextId",Cbb);var Coa={stopImmediatePropagation:1,stopPropagation:1,preventMouseEvent:1,preventManipulation:1,preventDefault:1,layerX:1,layerY:1,screenX:1,screenY:1,scale:1,rotation:1,webkitMovementX:1,webkitMovementY:1};Cz.prototype.preventDefault=function(){this.event&&(this.event.returnValue=!1,this.event.preventDefault&&this.event.preventDefault())}; +Cz.prototype.UU=function(){return this.event?!1===this.event.returnValue:!1}; +Cz.prototype.stopPropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopPropagation&&this.event.stopPropagation())}; +Cz.prototype.stopImmediatePropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopImmediatePropagation&&this.event.stopImmediatePropagation())};var Dz=g.Ea.ytEventsEventsListeners||{};g.Fa("ytEventsEventsListeners",Dz);var Foa=g.Ea.ytEventsEventsCounter||{count:0};g.Fa("ytEventsEventsCounter",Foa);var Moa=Nd(function(){var a=!1;try{var b=Object.defineProperty({},"passive",{get:function(){a=!0}}); +window.addEventListener("test",null,b)}catch(c){}return a}),Goa=Nd(function(){var a=!1; try{var b=Object.defineProperty({},"capture",{get:function(){a=!0}}); -window.addEventListener("test",null,b)}catch(c){}return a});var iz=window.ytcsi&&window.ytcsi.now?window.ytcsi.now:window.performance&&window.performance.timing&&window.performance.now&&window.performance.timing.navigationStart?function(){return window.performance.timing.navigationStart+window.performance.now()}:function(){return(new Date).getTime()};g.Va(op,g.C);op.prototype.Y=function(a){void 0===a.u&&Zo(a);var b=a.u;void 0===a.B&&Zo(a);this.u=new g.ge(b,a.B)}; -op.prototype.Pk=function(){return this.u||new g.ge}; -op.prototype.K=function(){if(this.u){var a=iz();if(0!=this.D){var b=this.I,c=this.u,d=b.x-c.x;b=b.y-c.y;d=Math.sqrt(d*d+b*b)/(a-this.D);this.B[this.C]=.5c;c++)b+=this.B[c]||0;3<=b&&this.P();this.F=d}this.D=a;this.I=this.u;this.C=(this.C+1)%4}}; -op.prototype.ca=function(){window.clearInterval(this.X);g.dp(this.R)};g.u(tp,pp);tp.prototype.start=function(){var a=g.Ja("yt.scheduler.instance.start");a&&a()}; -tp.prototype.pause=function(){var a=g.Ja("yt.scheduler.instance.pause");a&&a()}; -La(tp);tp.getInstance();var Ap={};var y1;y1=window;g.N=y1.ytcsi&&y1.ytcsi.now?y1.ytcsi.now:y1.performance&&y1.performance.timing&&y1.performance.now&&y1.performance.timing.navigationStart?function(){return y1.performance.timing.navigationStart+y1.performance.now()}:function(){return(new Date).getTime()};var cea=g.wo("initial_gel_batch_timeout",1E3),Op=Math.pow(2,16)-1,Pp=null,Np=0,Ep=void 0,Cp=0,Dp=0,Rp=0,Ip=!0,Fp=g.v.ytLoggingTransportGELQueue_||new Map;g.Fa("ytLoggingTransportGELQueue_",Fp,void 0);var Lp=g.v.ytLoggingTransportTokensToCttTargetIds_||{};g.Fa("ytLoggingTransportTokensToCttTargetIds_",Lp,void 0);var Qp=g.v.ytLoggingGelSequenceIdObj_||{};g.Fa("ytLoggingGelSequenceIdObj_",Qp,void 0);var fea={q:!0,search_query:!0};var fq=new function(){var a=window.document;this.u=window;this.B=a}; -g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return Wp(hq(a))},void 0);var iq="XMLHttpRequest"in g.v?function(){return new XMLHttpRequest}:null;var lq={Authorization:"AUTHORIZATION","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL","X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM"},jea="app debugcss debugjs expflag force_ad_params force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address client_dev_root_url".split(" "), -sq=!1,hG=mq;zq.prototype.set=function(a,b,c,d){c=c||31104E3;this.remove(a);if(this.u)try{this.u.set(a,b,g.A()+1E3*c);return}catch(f){}var e="";if(d)try{e=escape(g.Nj(b))}catch(f){return}else e=escape(b);g.wq(a,e,c,this.B)}; -zq.prototype.get=function(a,b){var c=void 0,d=!this.u;if(!d)try{c=this.u.get(a)}catch(e){d=!0}if(d&&(c=g.xq(a))&&(c=unescape(c),b))try{c=JSON.parse(c)}catch(e){this.remove(a),c=void 0}return c}; -zq.prototype.remove=function(a){this.u&&this.u.remove(a);g.yq(a,"/",this.B)};Bq.prototype.toString=function(){return this.topic};var eCa=g.Ja("ytPubsub2Pubsub2Instance")||new g.Jn;g.Jn.prototype.subscribe=g.Jn.prototype.subscribe;g.Jn.prototype.unsubscribeByKey=g.Jn.prototype.Cm;g.Jn.prototype.publish=g.Jn.prototype.V;g.Jn.prototype.clear=g.Jn.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",eCa,void 0);var Eq=g.Ja("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",Eq,void 0);var Gq=g.Ja("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",Gq,void 0); -var Fq=g.Ja("ytPubsub2Pubsub2IsAsync")||{};g.Fa("ytPubsub2Pubsub2IsAsync",Fq,void 0);g.Fa("ytPubsub2Pubsub2SkipSubKey",null,void 0);Jq.prototype.u=function(a,b){var c={},d=Dl([]);if(d){c.Authorization=d;var e=d=null===b||void 0===b?void 0:b.sessionIndex;void 0===e&&(e=Number(g.L("SESSION_INDEX",0)),e=isNaN(e)?0:e);c["X-Goog-AuthUser"]=e;"INNERTUBE_HOST_OVERRIDE"in ro||(c["X-Origin"]=window.location.origin);g.vo("pageid_as_header_web")&&void 0===d&&"DELEGATED_SESSION_ID"in ro&&(c["X-Goog-PageId"]=g.L("DELEGATED_SESSION_ID"))}return c};var ey={identityType:"UNAUTHENTICATED_IDENTITY_TYPE_UNKNOWN"};var Oq=[],Lq,Qq=!1;Sq.all=function(a){return new Sq(function(b,c){var d=[],e=a.length;0===e&&b(d);for(var f={vn:0};f.vnc;c++)b+=this.u[c]||0;3<=b&&this.J();this.D=d}this.C=a;this.I=this.j;this.B=(this.B+1)%4}}; +Iz.prototype.qa=function(){window.clearInterval(this.T);g.Fz(this.oa)};g.w(Jz,g.C);Jz.prototype.S=function(a,b,c,d,e){c=g.my((0,g.Oa)(c,d||this.Pb));c={target:a,name:b,callback:c};var f;e&&Moa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.T.push(c);return c}; +Jz.prototype.Hc=function(a){for(var b=0;bb&&a.u.createObjectStore("databases",{keyPath:"actualName"})}});var A1=new g.am;var is;g.u(ps,ds);ps.prototype.Kz=function(a,b,c){c=void 0===c?{}:c;return(this.options.WR?Fea:Eea)(a,b,Object.assign(Object.assign({},c),{clearDataOnAuthChange:this.options.clearDataOnAuthChange}))}; -ps.prototype.sC=function(a){A1.Bu.call(A1,"authchanged",a)}; -ps.prototype.tC=function(a){A1.Mb("authchanged",a)}; -ps.prototype["delete"]=function(a){a=void 0===a?{}:a;return(this.options.WR?Hea:Gea)(this.name,a)};g.u(qs,Sq);qs.reject=Sq.reject;qs.resolve=Sq.resolve;qs.all=Sq.all;var rs;g.u(vs,g.am);g.u(ys,g.am);var zs;g.Cs.prototype.isReady=function(){!this.Tf&&uq()&&(this.Tf=g.Kp());return!!this.Tf};var Nea=[{wE:function(a){return"Cannot read property '"+a.key+"'"}, -Nz:{TypeError:[{hh:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{hh:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{hh:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./,groups:["value","key"]},{hh:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/, -groups:["key"]},{hh:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]}],Error:[{hh:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}]}},{wE:function(a){return"Cannot call '"+a.key+"'"}, -Nz:{TypeError:[{hh:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{hh:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{hh:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{hh:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{hh:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, -{hh:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}}];var Ds;var Ls=new g.Jn;var Ks=new Set,Js=0,Ms=0,Oea=["PhantomJS","Googlebot","TO STOP THIS SECURITY SCAN go/scan"];Ns.prototype.initialize=function(a,b,c,d,e,f){var h=this;f=void 0===f?!1:f;b?(this.Pd=!0,g.So(b,function(){h.Pd=!1;var l=0<=b.indexOf("/th/");if(l?window.trayride:window.botguard)Os(h,c,d,f,l);else{l=To(b);var m=document.getElementById(l);m&&(Ro(l),m.parentNode.removeChild(m));g.Is(new g.tr("Unable to load Botguard","from "+b))}},e)):a&&(e=g.Fe("SCRIPT"),e.textContent=a,e.nonce=Ia(),document.head.appendChild(e),document.head.removeChild(e),((a=a.includes("trayride"))?window.trayride:window.botguard)? -Os(this,c,d,f,a):g.Is(Error("Unable to load Botguard from JS")))}; -Ns.prototype.Yd=function(){return!!this.u}; -Ns.prototype.dispose=function(){this.u=null};var Rea=[],Rs=!1;g.u(Ts,Ya);Ws.prototype.then=function(a,b,c){return 1===this.Ka&&a?(a=a.call(c,this.u),pm(a)?a:Ys(a)):2===this.Ka&&b?(a=b.call(c,this.u),pm(a)?a:Xs(a)):this}; -Ws.prototype.getValue=function(){return this.u}; -Ws.prototype.$goog_Thenable=!0;g.u($s,Ya);$s.prototype.name="BiscottiError";g.u(Zs,Ya);Zs.prototype.name="BiscottiMissingError";var bt={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},at=null;var gt=g.Ja("ytglobal.prefsUserPrefsPrefs_")||{};g.Fa("ytglobal.prefsUserPrefsPrefs_",gt,void 0);g.k=g.ht.prototype;g.k.get=function(a,b){lt(a);kt(a);var c=void 0!==gt[a]?gt[a].toString():null;return null!=c?c:b?b:""}; -g.k.set=function(a,b){lt(a);kt(a);if(null==b)throw Error("ExpectedNotNull");gt[a]=b.toString()}; -g.k.remove=function(a){lt(a);kt(a);delete gt[a]}; -g.k.save=function(){g.wq(this.u,this.dump(),63072E3,this.B)}; -g.k.clear=function(){g.Tb(gt)}; -g.k.dump=function(){var a=[],b;for(b in gt)a.push(b+"="+encodeURIComponent(String(gt[b])));return a.join("&")}; -La(g.ht);var Uea=new Map([["dark","USER_INTERFACE_THEME_DARK"],["light","USER_INTERFACE_THEME_LIGHT"]]),Wea=["/fashion","/channel/UCrpQ4p1Ql_hG8rKXIKM1MOQ","/channel/UCTApTkbpcqiLL39WUlne4ig","/channel/UCW5PCzG3KQvbOX4zc3KY0lQ"];g.u(rt,g.C);rt.prototype.N=function(a,b,c,d,e){c=Eo((0,g.z)(c,d||this.Ga));c={target:a,name:b,callback:c};var f;e&&dCa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.I.push(c);return c}; -rt.prototype.Mb=function(a){for(var b=0;b=L.Cm)||l.j.version>=P||l.j.objectStoreNames.contains(D)||F.push(D)}m=F;if(0===m.length){z.Ka(5);break}n=Object.keys(c.options.Fq);p=l.objectStoreNames(); +if(c.Dc.options.version+1)throw r.close(),c.B=!1,xpa(c,v);return z.return(r);case 8:throw b(),q instanceof Error&&!g.gy("ytidb_async_stack_killswitch")&& +(q.stack=q.stack+"\n"+h.substring(h.indexOf("\n")+1)),CA(q,c.name,"",null!=(x=c.options.version)?x:-1);}})} +function b(){c.j===d&&(c.j=void 0)} +var c=this;if(!this.B)throw xpa(this);if(this.j)return this.j;var d,e={blocking:function(f){f.close()}, +closed:b,q9:b,upgrade:this.options.upgrade};return this.j=d=a()};var lB=new jB("YtIdbMeta",{Fq:{databases:{Cm:1}},upgrade:function(a,b){b(1)&&g.LA(a,"databases",{keyPath:"actualName"})}});var qB,pB=new function(){}(new function(){});new g.Wj;g.w(tB,jB);tB.prototype.u=function(a,b,c){c=void 0===c?{}:c;return(this.options.shared?Gpa:Fpa)(a,b,Object.assign({},c))}; +tB.prototype.delete=function(a){a=void 0===a?{}:a;return(this.options.shared?Kpa:Hpa)(this.name,a)};var Jbb={},Mpa=g.uB("ytGcfConfig",{Fq:(Jbb.coldConfigStore={Cm:1},Jbb.hotConfigStore={Cm:1},Jbb),shared:!1,upgrade:function(a,b){b(1)&&(g.RA(g.LA(a,"hotConfigStore",{keyPath:"key",autoIncrement:!0}),"hotTimestampIndex","timestamp"),g.RA(g.LA(a,"coldConfigStore",{keyPath:"key",autoIncrement:!0}),"coldTimestampIndex","timestamp"))}, +version:1});HB.prototype.jp=function(){return{version:this.version,args:this.args}};IB.prototype.toString=function(){return this.topic};var Kbb=g.Ga("ytPubsub2Pubsub2Instance")||new g.lq;g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",Kbb);var LB=g.Ga("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",LB);var MB=g.Ga("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",MB);var lqa=g.Ga("ytPubsub2Pubsub2IsAsync")||{}; +g.Fa("ytPubsub2Pubsub2IsAsync",lqa);g.Fa("ytPubsub2Pubsub2SkipSubKey",null);var oqa=g.hy("max_body_size_to_compress",5E5),pqa=g.hy("min_body_size_to_compress",500),PB=!0,SB=0,RB=0,rqa=g.hy("compression_performance_threshold",250),sqa=g.hy("slow_compressions_before_abandon_count",10);g.k=VB.prototype;g.k.writeThenSend=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ih.set(d,this.yf).then(function(e){d.id=e;c.Zg.Rh()&&c.pC(d)}).catch(function(e){c.pC(d); +WB(c,e)})}else this.Qq(a,b)}; +g.k.sendThenWrite=function(a,b,c){var d=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var e={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ob&&this.ob("nwl_skip_retry")&&(e.skipRetry=c);if(this.Zg.Rh()||this.ob&&this.ob("nwl_aggressive_send_then_write")&&!e.skipRetry){if(!e.skipRetry){var f=b.onError?b.onError:function(){}; +b.onError=function(h,l){return g.A(function(m){if(1==m.j)return g.y(m,d.ih.set(e,d.yf).catch(function(n){WB(d,n)}),2); +f(h,l);g.oa(m)})}}this.Qq(a,b,e.skipRetry)}else this.ih.set(e,this.yf).catch(function(h){d.Qq(a,b,e.skipRetry); +WB(d,h)})}else this.Qq(a,b,this.ob&&this.ob("nwl_skip_retry")&&c)}; +g.k.sendAndWrite=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0},e=!1,f=b.onSuccess?b.onSuccess:function(){}; +d.options.onSuccess=function(h,l){void 0!==d.id?c.ih.ly(d.id,c.yf):e=!0;c.Zg.Fv&&c.ob&&c.ob("vss_network_hint")&&c.Zg.Fv(!0);f(h,l)}; +this.Qq(d.url,d.options);this.ih.set(d,this.yf).then(function(h){d.id=h;e&&c.ih.ly(d.id,c.yf)}).catch(function(h){WB(c,h)})}else this.Qq(a,b)}; +g.k.eA=function(){var a=this;if(!UB(this))throw g.DA("throttleSend");this.j||(this.j=this.cn.xi(function(){var b;return g.A(function(c){if(1==c.j)return g.y(c,a.ih.XT("NEW",a.yf),2);if(3!=c.j)return b=c.u,b?g.y(c,a.pC(b),3):(a.JK(),c.return());a.j&&(a.j=0,a.eA());g.oa(c)})},this.gY))}; +g.k.JK=function(){this.cn.Em(this.j);this.j=0}; +g.k.pC=function(a){var b=this,c,d;return g.A(function(e){switch(e.j){case 1:if(!UB(b))throw c=g.DA("immediateSend"),c;if(void 0===a.id){e.Ka(2);break}return g.y(e,b.ih.C4(a.id,b.yf),3);case 3:(d=e.u)||b.Iy(Error("The request cannot be found in the database."));case 2:if(b.SH(a,b.pX)){e.Ka(4);break}b.Iy(Error("Networkless Logging: Stored logs request expired age limit"));if(void 0===a.id){e.Ka(5);break}return g.y(e,b.ih.ly(a.id,b.yf),5);case 5:return e.return();case 4:a.skipRetry||(a=zqa(b,a));if(!a){e.Ka(0); +break}if(!a.skipRetry||void 0===a.id){e.Ka(8);break}return g.y(e,b.ih.ly(a.id,b.yf),8);case 8:b.Qq(a.url,a.options,!!a.skipRetry),g.oa(e)}})}; +g.k.SH=function(a,b){a=a.timestamp;return this.now()-a>=b?!1:!0}; +g.k.VH=function(){var a=this;if(!UB(this))throw g.DA("retryQueuedRequests");this.ih.XT("QUEUED",this.yf).then(function(b){b&&!a.SH(b,a.kX)?a.cn.xi(function(){return g.A(function(c){if(1==c.j)return void 0===b.id?c.Ka(2):g.y(c,a.ih.SO(b.id,a.yf),2);a.VH();g.oa(c)})}):a.Zg.Rh()&&a.eA()})};var XB;var Lbb={},Jqa=g.uB("ServiceWorkerLogsDatabase",{Fq:(Lbb.SWHealthLog={Cm:1},Lbb),shared:!0,upgrade:function(a,b){b(1)&&g.RA(g.LA(a,"SWHealthLog",{keyPath:"id",autoIncrement:!0}),"swHealthNewRequest",["interface","timestamp"])}, +version:1});var $B={},Pqa=0;aC.prototype.requestComplete=function(a,b){b&&(this.u=!0);a=this.removeParams(a);this.j.get(a)||this.j.set(a,b)}; +aC.prototype.isEndpointCFR=function(a){a=this.removeParams(a);return(a=this.j.get(a))?!1:!1===a&&this.u?!0:null}; +aC.prototype.removeParams=function(a){return a.split("?")[0]}; +aC.prototype.removeParams=aC.prototype.removeParams;aC.prototype.isEndpointCFR=aC.prototype.isEndpointCFR;aC.prototype.requestComplete=aC.prototype.requestComplete;aC.getInstance=bC;var cC;g.w(eC,g.Fd);g.k=eC.prototype;g.k.Rh=function(){return this.j.Rh()}; +g.k.Fv=function(a){this.j.j=a}; +g.k.x3=function(){var a=window.navigator.onLine;return void 0===a?!0:a}; +g.k.P2=function(){this.u=!0}; +g.k.Ra=function(a,b){return this.j.Ra(a,b)}; +g.k.aI=function(a){a=yp(this.j,a);a.then(function(b){g.gy("use_cfr_monitor")&&bC().requestComplete("generate_204",b)}); +return a}; +eC.prototype.sendNetworkCheckRequest=eC.prototype.aI;eC.prototype.listen=eC.prototype.Ra;eC.prototype.enableErrorFlushing=eC.prototype.P2;eC.prototype.getWindowStatus=eC.prototype.x3;eC.prototype.networkStatusHint=eC.prototype.Fv;eC.prototype.isNetworkAvailable=eC.prototype.Rh;eC.getInstance=Rqa;g.w(g.fC,g.Fd);g.fC.prototype.Rh=function(){var a=g.Ga("yt.networkStatusManager.instance.isNetworkAvailable");return a?a.bind(this.u)():!0}; +g.fC.prototype.Fv=function(a){var b=g.Ga("yt.networkStatusManager.instance.networkStatusHint").bind(this.u);b&&b(a)}; +g.fC.prototype.aI=function(a){var b=this,c;return g.A(function(d){c=g.Ga("yt.networkStatusManager.instance.sendNetworkCheckRequest").bind(b.u);return g.gy("skip_network_check_if_cfr")&&bC().isEndpointCFR("generate_204")?d.return(new Promise(function(e){var f;b.Fv((null==(f=window.navigator)?void 0:f.onLine)||!0);e(b.Rh())})):c?d.return(c(a)):d.return(!0)})};var gC;g.w(hC,VB);hC.prototype.writeThenSend=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.writeThenSend.call(this,a,b)}; +hC.prototype.sendThenWrite=function(a,b,c){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendThenWrite.call(this,a,b,c)}; +hC.prototype.sendAndWrite=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendAndWrite.call(this,a,b)}; +hC.prototype.awaitInitialization=function(){return this.u.promise};var Wqa=g.Ea.ytNetworklessLoggingInitializationOptions||{isNwlInitialized:!1};g.Fa("ytNetworklessLoggingInitializationOptions",Wqa);g.jC.prototype.isReady=function(){!this.config_&&Zpa()&&(this.config_=g.EB());return!!this.config_};var Mbb,mC,oC;Mbb=g.Ea.ytPubsubPubsubInstance||new g.lq;mC=g.Ea.ytPubsubPubsubSubscribedKeys||{};oC=g.Ea.ytPubsubPubsubTopicToKeys||{};g.nC=g.Ea.ytPubsubPubsubIsSynchronous||{};g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsubPubsubInstance",Mbb);g.Fa("ytPubsubPubsubTopicToKeys",oC);g.Fa("ytPubsubPubsubIsSynchronous",g.nC); +g.Fa("ytPubsubPubsubSubscribedKeys",mC);var $qa=/\.vflset|-vfl[a-zA-Z0-9_+=-]+/,ara=/-[a-zA-Z]{2,3}_[a-zA-Z]{2,3}(?=(\/|$))/,dra={};g.w(xC,g.C);var c2a=new Map([["TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL","trigger_category_layout_exit_normal"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED","trigger_category_layout_exit_user_skipped"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED","trigger_category_layout_exit_user_muted"],["TRIGGER_CATEGORY_SLOT_EXPIRATION","trigger_category_slot_expiration"],["TRIGGER_CATEGORY_SLOT_FULFILLMENT","trigger_category_slot_fulfillment"],["TRIGGER_CATEGORY_SLOT_ENTRY","trigger_category_slot_entry"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED", +"trigger_category_layout_exit_user_input_submitted"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED","trigger_category_layout_exit_user_cancelled"]]);g.w(N,cb);var fsa=[{oN:function(a){return"Cannot read property '"+a.key+"'"}, +oH:{Error:[{pj:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}],TypeError:[{pj:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{pj:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{pj:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./, +groups:["value","key"]},{pj:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/,groups:["key"]},{pj:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]},{pj:/(null) is not an object \(evaluating '(?:([^.]+)\.)?([^']+)'\)/,groups:["value","base","key"]}]}},{oN:function(a){return"Cannot call '"+a.key+"'"}, +oH:{TypeError:[{pj:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{pj:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{pj:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{pj:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{pj:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, +{pj:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}},{oN:function(a){return a.key+" is not defined"}, +oH:{ReferenceError:[{pj:/(.*) is not defined/,groups:["key"]},{pj:/Can't find variable: (.*)/,groups:["key"]}]}}];var pra={Dq:[],Ir:[{callback:mra,weight:500}]};var EC;var ED=new g.lq;var sra=new Set([174,173,175]),MC={};var RC=Symbol("injectionDeps");OC.prototype.toString=function(){return"InjectionToken("+this.name+")"}; +tra.prototype.resolve=function(a){return a instanceof PC?SC(this,a.key,[],!0):SC(this,a,[])};var TC;VC.prototype.storePayload=function(a,b){a=WC(a);this.store[a]?this.store[a].push(b):(this.u={},this.store[a]=[b]);this.j++;return a}; +VC.prototype.smartExtractMatchingEntries=function(a){if(!a.keys.length)return[];for(var b=YC(this,a.keys.splice(0,1)[0]),c=[],d=0;d=this.start&&(aRbb.length)Pbb=void 0;else{var Sbb=Qbb.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);Pbb=Sbb&&6===Sbb.length?Number(Sbb[5].replace("_",".")):0}var dM=Pbb,RT=0<=dM;var Yya={soa:1,upa:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var xM=Hta()?!0:"function"!==typeof window.fetch||!window.ReadableStream||!window.AbortController||g.oB||g.fJ?!1:!0;var H3={},HI=(H3.FAIRPLAY="fairplay",H3.PLAYREADY="playready",H3.WIDEVINE="widevine",H3.CLEARKEY=null,H3.FLASHACCESS=null,H3.UNKNOWN=null,H3.WIDEVINE_CLASSIC=null,H3);var Tbb=["h","H"],Ubb=["9","("],Vbb=["9h","(h"],Wbb=["8","*"],Xbb=["a","A"],Ybb=["o","O"],Zbb=["m","M"],$bb=["mac3","MAC3"],acb=["meac3","MEAC3"],I3={},twa=(I3.h=Tbb,I3.H=Tbb,I3["9"]=Ubb,I3["("]=Ubb,I3["9h"]=Vbb,I3["(h"]=Vbb,I3["8"]=Wbb,I3["*"]=Wbb,I3.a=Xbb,I3.A=Xbb,I3.o=Ybb,I3.O=Ybb,I3.m=Zbb,I3.M=Zbb,I3.mac3=$bb,I3.MAC3=$bb,I3.meac3=acb,I3.MEAC3=acb,I3);g.hF.prototype.getLanguageInfo=function(){return this.Jc}; +g.hF.prototype.getXtags=function(){if(!this.xtags){var a=this.id.split(";");1=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{oC:b,Wk:c}}; +LF.prototype.isFocused=function(a){return a>=this.B&&a=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{iu:b,ln:c}}; -g.k.isFocused=function(a){return a>=this.C&&athis.info.rb||4==this.info.type)return!0;var b=Yv(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2==this.info.type)return c==this.info.rb&&1936286840==b;if(3==this.info.type&&0==this.info.C)return 1836019558==b||1936286840== -b||1937013104==b||1718909296==b||1701671783==b||1936419184==b}else if(2==this.info.u.info.containerType){if(4>this.info.rb||4==this.info.type)return!0;c=Yv(this).getUint32(0,!1);a.ebm=c.toString();if(3==this.info.type&&0==this.info.C)return 524531317==c||440786851==c}return!0};var hw={Wt:function(a){a.reverse()}, -bS:function(a,b){var c=a[0];a[0]=a[b%a.length];a[b%a.length]=c}, -O2:function(a,b){a.splice(0,b)}};var MAa=/^https?:\/\/([^.]*\.moatads\.com\/|e[0-9]+\.yt\.srs\.doubleverify\.com|pagead2\.googlesyndication\.com\/pagead\/gen_204\?id=yt3p&sr=1&|pm\.adsafeprotected\.com\/youtube|pm\.test-adsafeprotected\.com\/youtube|youtube[0-9]+\.moatpixel\.com\/)/,mw=/^http:\/\/0\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.l2gfe\.[a-z0-9_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?\/|^https:\/\/([a-z]+\.)?[0-9a-f]{1,63}\.sslproxy\.corp\.google\.com\/|^https:\/\/([a-z]+\.)?[a-z0-9\-]{1,63}\.demos\.corp\.google\.com\/|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com\/|^https?:\/\/((?:uytfe\.corp|dev-uytfe\.corp|uytfe\.sandbox)\.google\.com\/|([-\w]*www[-\w]*\.|[-\w]*web[-\w]*\.|[-\w]*canary[-\w]*\.|[-\w]*dev[-\w]*\.|[-\w]{1,3}\.)+youtube(-nocookie|kids)?\.com\/|([A-Za-z0-9-]{1,63}\.)*(youtube\.googleapis\.com)[.]?(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.([a-z]{3}|i)\.corp\.google\.com(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.c\.googlers\.com(:[0-9]+)?\/|(docs|drive)\.google\.com\/(a\/[^/\\%]+\/|)|(tv|tv-green-qa|tv-release-qa)\.youtube\.com\/|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?\/|m?web-ppg\.corp\.google\.com\/)/, -NAa=/^https?:\/\/(www\.google\.com\/pagead\/xsul|www\.youtube\.com\/pagead\/slav)/,vfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|docs\.google\.com|drive\.google\.com|prod\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|youtube\-nocookie\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/, -wfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|prod\.google\.com|youtube\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/,qfa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|play\.google\.com|prod\.google\.com|currents\.google\.com|video\.google\.com|youtube\.com|ytimg\.com|ytimg\.sandbox\.google\.com|chat\.google\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|s2\.googleusercontent\.com\/s2\/favicons\?|yt[3-4]\.ggpht\.com\/)/, -rfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,OAa=/^https?.*#ocr$|^https?:\/\/(aksecure\.imrworldwide\.com\/|cdn\.imrworldwide\.com\/|secure\-..\.imrworldwide\.com\/)/,sfa=/^https?:\/\/(googleads\.g\.doubleclick\.net\/(aclk|pagead\/conversion)|www\.google\.com\/(aclk|pagead\/conversion)|www\.googleadservices\.com\/(aclk|pagead\/(aclk|conversion))|www\.youtube\.com\/pagead\/conversion)/,ofa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|googlevideo\.com|prod\.google\.com|lh3\.photos\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|xfx7\.com|yt\.akamaized\.net|chat\.google\.com|shopping\.google\.com|cdn\.shoploop\.tv)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|([A-Za-z0-9-]{1,63}\.)*c\.lh3(-d[a-gz]|-testonly)?\.(googleusercontent|photos\.google)\.com\/.*$)/, -pfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tha=/^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|2mdn\.net|googlesyndication\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|googleads\.g\.doubleclick\.net|prod\.google\.com|static\.doubleclick\.net|static\.googleadsserving\.cn|studioapi\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|ytimg\.com|ytimg\.sandbox\.google\.com)[.]?(:[0-9]+)?\/|lightbox-(demos|builder)\.appspot\.com\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/ytplayer)/, -rha=/^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https:\/\/canvastester-3fd0b\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-d\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-f\.appspot\.com(\/|$)|^https:\/\/one\.google\.com(\/|$)|^https:\/\/www\.gstatic\.com\/aog_howto|^https:\/\/www\.gstatic\.com\/narrative_cast_receiver\/news|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleads\.g\.doubleclick\.net|googleplex\.com|play\.google\.com|prod\.google\.com|photos\.google\.com|get\.google\.com|class\.photos\.google\.com|currents\.google\.com|books\.googleusercontent\.com|play\-books\-autopush\-sandbox\.googleusercontent\.com|play\-books\-canary\-sandbox\.googleusercontent\.com|play\-books\-internal\-sandbox\.googleusercontent\.com|play\-books\-staging\-sandbox\.googleusercontent\.com|blogger\.com|mail\.google\.com|survey\.g\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|vevo\.com|chat\.google\.com|meet\.google\.com|stadia\.google\.com|shoploop\.area120\.google\.com|shopping\.google\.com)[.]?(:[0-9]+)?(\/|$)|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|(www\.|encrypted\.)?google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/(search|webhp)\?|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|lightbox-(demos|builder)\.appspot\.com\/|s0\.2mdn\.net\/instream\/html5\/native\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris)/, -sha=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?(\/|$)/,nCa=/^(https\:\/\/photos\.google\.com|https\:\/\/get\.google\.com|https\:\/\/class\.photos\.google\.com|https\:\/\/currents\.google\.com|https\:\/\/mail\.google\.com|https\:\/\/chat\.google\.com|https\:\/\/stadia\.google\.com|https\:\/\/one\.google\.com|https\:\/\/shoploop\.area120\.google\.com|https\:\/\/shopping\.google\.com)$|^http:\/\/[0-9]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?$|^https:\/\/((staging|stream|today)\.)?meet\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*youtube\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sandbox\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com$|^https:\/\/(books|play-books-(autopush|canary|internal|staging)-sandbox)\.googleusercontent\.com$|^https:\/\/(draft|www|(www\.)?dev\.sandbox|(www\.)?autopush\.sandbox|(www\.)?restore\.sandbox)\.blogger\.com$|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com$|^https?:\/\/(((docs|m|sing|ss|sss|www)\.)?drive\.google\.com$|([A-Za-z0-9-]{1,63}\.)*c\.googlers\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*corp\.google\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*googleplex\.com(:[0-9]+)?$|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?$|docs\.google\.com$)/, -oCa=/^(https\:\/\/plus\.google\.com)$/;var kw=!1;vw.prototype.set=function(a,b){this.u[a]!==b&&(this.u[a]=b,this.url="")}; -vw.prototype.get=function(a){ww(this);return this.u[a]||null}; -vw.prototype.Ld=function(){this.url||(this.url=xfa(this));return this.url}; -vw.prototype.clone=function(){var a=new vw(this.B,this.D);a.scheme=this.scheme;a.path=this.path;a.C=this.C;a.u=g.Vb(this.u);a.url=this.url;return a};Ew.prototype.set=function(a,b){this.og.get(a);this.u[a]=b;this.url=""}; -Ew.prototype.get=function(a){return this.u[a]||this.og.get(a)}; -Ew.prototype.Ld=function(){this.url||(this.url=yfa(this));return this.url};Qw.prototype.Ng=function(){return Ju(this.u[0])};var C1={},jC=(C1.WIDTH={name:"width",video:!0,valid:640,invalid:99999},C1.HEIGHT={name:"height",video:!0,valid:360,invalid:99999},C1.FRAMERATE={name:"framerate",video:!0,valid:30,invalid:9999},C1.BITRATE={name:"bitrate",video:!0,valid:3E5,invalid:2E9},C1.EOTF={name:"eotf",video:!0,valid:"bt709",invalid:"catavision"},C1.CHANNELS={name:"channels",video:!1,valid:2,invalid:99},C1.CRYPTOBLOCKFORMAT={name:"cryptoblockformat",video:!0,valid:"subsample",invalid:"invalidformat"},C1.DECODETOTEXTURE={name:"decode-to-texture", -video:!0,valid:"false",invalid:"nope"},C1.AV1_CODECS={name:"codecs",video:!0,valid:"av01.0.05M.08",invalid:"av99.0.05M.08"},C1.EXPERIMENTAL={name:"experimental",video:!0,valid:"allowed",invalid:"invalid"},C1);var cx={0:"f",160:"h",133:"h",134:"h",135:"h",136:"h",137:"h",264:"h",266:"h",138:"h",298:"h",299:"h",304:"h",305:"h",214:"h",216:"h",374:"h",375:"h",140:"a",141:"ah",327:"sa",258:"m",380:"mac3",328:"meac3",161:"H",142:"H",143:"H",144:"H",222:"H",223:"H",145:"H",224:"H",225:"H",146:"H",226:"H",227:"H",147:"H",384:"H",376:"H",385:"H",377:"H",149:"A",261:"M",381:"MAC3",329:"MEAC3",598:"9",278:"9",242:"9",243:"9",244:"9",247:"9",248:"9",353:"9",355:"9",271:"9",313:"9",272:"9",302:"9",303:"9",407:"9", -408:"9",308:"9",315:"9",330:"9h",331:"9h",332:"9h",333:"9h",334:"9h",335:"9h",336:"9h",337:"9h",338:"so",600:"o",250:"o",251:"o",194:"*",195:"*",220:"*",221:"*",196:"*",197:"*",279:"(",280:"(",317:"(",318:"(",273:"(",274:"(",357:"(",358:"(",275:"(",359:"(",360:"(",276:"(",583:"(",584:"(",314:"(",585:"(",561:"(",277:"(",362:"(h",363:"(h",364:"(h",365:"(h",366:"(h",591:"(h",592:"(h",367:"(h",586:"(h",587:"(h",368:"(h",588:"(h",562:"(h",409:"(",410:"(",411:"(",412:"(",557:"(",558:"(",394:"1",395:"1", -396:"1",397:"1",398:"1",399:"1",400:"1",401:"1",571:"1",402:"1",386:"3",387:"w",406:"6"};var hha={JT:"auto",q3:"tiny",EY:"light",T2:"small",w_:"medium",BY:"large",vX:"hd720",rX:"hd1080",sX:"hd1440",tX:"hd2160",uX:"hd2880",BX:"highres",UNKNOWN:"unknown"};var D1;D1={};g.Yw=(D1.auto=0,D1.tiny=144,D1.light=144,D1.small=240,D1.medium=360,D1.large=480,D1.hd720=720,D1.hd1080=1080,D1.hd1440=1440,D1.hd2160=2160,D1.hd2880=2880,D1.highres=4320,D1);var ax="highres hd2880 hd2160 hd1440 hd1080 hd720 large medium small tiny".split(" ");Zw.prototype.Vg=function(){return"smpte2084"===this.u||"arib-std-b67"===this.u};g.k=dx.prototype;g.k.Ma=function(){return this.video}; -g.k.Yb=function(){return this.id.split(";",1)[0]}; -g.k.Zd=function(){return 2===this.containerType}; -g.k.isEncrypted=function(){return!!this.Ud}; -g.k.isAudio=function(){return!!this.audio}; -g.k.isVideo=function(){return!!this.video};g.k=Nx.prototype;g.k.tf=function(){}; -g.k.po=function(){}; -g.k.Fe=function(){return!!this.u&&this.index.Uc()}; -g.k.ek=function(){}; -g.k.GE=function(){return!1}; -g.k.wm=function(){}; -g.k.Sm=function(){}; -g.k.Ok=function(){}; -g.k.Kj=function(){}; -g.k.gu=function(){}; -g.k.HE=function(a){return[a]}; -g.k.Yv=function(a){return[a]}; -g.k.Fv=function(){}; -g.k.Qt=function(){};g.k=g.Ox.prototype;g.k.ME=function(a){this.segments.push(a)}; -g.k.getDuration=function(a){return(a=this.Li(a))?a.duration:0}; -g.k.cD=function(a){return this.getDuration(a)}; -g.k.Eh=function(){return this.segments.length?this.segments[0].qb:-1}; -g.k.Ue=function(a){return(a=this.Li(a))?a.ingestionTime:NaN}; -g.k.pD=function(a){return(a=this.Li(a))?a.B:null}; -g.k.Xb=function(){return this.segments.length?this.segments[this.segments.length-1].qb:-1}; -g.k.Nk=function(){var a=this.segments[this.segments.length-1];return a?a.endTime:NaN}; -g.k.Kc=function(){return this.segments[0].startTime}; -g.k.fo=function(){return this.segments.length}; -g.k.Wu=function(){return 0}; -g.k.Gh=function(a){return(a=this.Xn(a))?a.qb:-1}; -g.k.ky=function(a){return(a=this.Li(a))?a.sourceURL:""}; -g.k.Xe=function(a){return(a=this.Li(a))?a.startTime:0}; -g.k.Vt=ba(1);g.k.Uc=function(){return 0a.B&&this.index.Eh()<=a.B+1}; -g.k.update=function(a,b,c){this.index.append(a);Px(this.index,c);this.R=b}; -g.k.Fe=function(){return this.I?!0:Nx.prototype.Fe.call(this)}; -g.k.ql=function(a,b){var c=this.index.ky(a),d=this.index.Xe(a),e=this.index.getDuration(a),f;b?e=f=0:f=0=this.Xb())return 0;for(var c=0,d=this.Xe(a)+b,e=a;ethis.Xe(e);e++)c=Math.max(c,(e+1=this.index.Wu(c+1);)c++;return Ux(this,c,b,a.rb).u}; -g.k.ek=function(a){return this.Fe()?!0:isNaN(this.I)?!1:a.range.end+1this.I&&(c=new Du(c.start,this.I-1));c=[new Iu(4,a.u,c,"getNextRequestInfoByLength")];return new Qw(c)}4==a.type&&(c=this.Yv(a),a=c[c.length-1]);c=0;var d=a.range.start+a.C+a.rb;3==a.type&&(c=a.B,d==a.range.end+1&&(c+=1));return Ux(this,c,d,b)}; -g.k.Ok=function(){return null}; -g.k.Kj=function(a,b){var c=this.index.Gh(a);b&&(c=Math.min(this.index.Xb(),c+1));return Ux(this,c,this.index.Wu(c),0)}; -g.k.tf=function(){return!0}; -g.k.po=function(){return!1}; -g.k.Qt=function(){return this.indexRange.length+this.initRange.length}; -g.k.Fv=function(){return this.indexRange&&this.initRange&&this.initRange.end+1==this.indexRange.start?!0:!1};var Vx=void 0;var E1={},gy=function(a,b){var c;return function(){c||(c=new ps(a,b));return c}}("yt-player-local-media",{zF:(E1.index=!0,E1.media=!0,E1.metadata=!0,E1.playerdata=!0,E1), -upgrade:function(a,b){2>b&&(a.u.createObjectStore("index",void 0),a.u.createObjectStore("media",void 0));3>b&&a.u.createObjectStore("metadata",void 0);4>b&&a.u.createObjectStore("playerdata",void 0)}, -version:4}),dy=!1;py.prototype.then=function(a,b){return this.promise.then(a,b)}; -py.prototype.resolve=function(a){this.B(a)}; -py.prototype.reject=function(a){this.u(a)};g.k=vy.prototype;g.k.ay=function(){return 0}; -g.k.eF=function(){return null}; -g.k.gD=function(){return null}; -g.k.isFailed=function(){return 6===this.state}; -g.k.Iz=function(){this.callback&&this.callback(this)}; -g.k.na=function(){return-1===this.state}; -g.k.dispose=function(){this.info.Ng()&&5!==this.state&&(this.info.u[0].u.D=!1);yy(this,-1)};By.prototype.skip=function(a){this.offset+=a};var Qy=!1;g.u(Ey,g.O);Ey.prototype.Bi=function(){this.I=null}; -Ey.prototype.getDuration=function(){return this.C.index.Nk()};g.k=Wy.prototype;g.k.qe=function(a){return"content-type"===a?this.fl.get("type"):""}; -g.k.abort=function(){}; -g.k.Dm=function(){return!0}; -g.k.nq=function(){return this.range.length}; -g.k.Uu=function(){return this.loaded}; -g.k.hu=function(){return!!this.u.getLength()}; -g.k.Mh=function(){return!!this.u.getLength()}; -g.k.Vu=function(){var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){return this.u}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return!!this.error}; -g.k.Qm=function(){return this.error};Yy.prototype.deactivate=function(){this.isActive&&(this.isActive=!1)};var iga=0;g.k=qz.prototype;g.k.start=function(a){var b=this,c={method:this.method,credentials:this.credentials};this.headers&&(c.headers=new Headers(this.headers));this.body&&(c.body=this.body);this.D&&(c.signal=this.D.signal);a=new Request(a,c);fetch(a).then(function(d){b.status=d.status;if(d.ok&&d.body)b.status=b.status||242,b.C=d.body.getReader(),b.na()?b.C.cancel("Cancelling"):(b.K=d.headers,b.fa(),sz(b));else b.onDone()},function(d){b.onError(d)}).then(void 0,M)}; -g.k.onDone=function(){if(!this.na()){this.ea();this.P=!0;if(rz(this)&&!this.u.getLength()&&!this.I&&this.B){pz(this);var a=new Uint8Array(8),b=new DataView(a.buffer);b.setUint32(0,8);b.setUint32(4,1936419184);this.u.append(a);this.B+=a.length}this.Y()}}; -g.k.onError=function(a){this.ea();this.errorMessage=String(a);this.I=!0;this.onDone()}; -g.k.qe=function(a){return this.K?this.K.get(a):null}; -g.k.Dm=function(){return!!this.K}; -g.k.Uu=function(){return this.B}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.B}; -g.k.ea=function(){}; -g.k.Mh=function(){if(this.P)return!!this.u.getLength();var a=this.policy.C;if(a&&this.R+a>Date.now())return!1;a=this.nq()||0;a=Math.max(16384,this.policy.u*a);this.X||(a=Math.max(a,16384));this.policy.rf&&pz(this)&&(a=1);return this.u.getLength()>=a}; -g.k.Vu=function(){this.Mh();this.R=Date.now();this.X=!0;var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){this.Mh();return this.u}; -g.k.na=function(){return this.aborted}; -g.k.abort=function(){this.ea();this.C&&this.C.cancel("Cancelling");this.D&&this.D.abort();this.aborted=!0}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return this.I}; -g.k.Qm=function(){return this.errorMessage};g.k=tz.prototype;g.k.onDone=function(){if(!this.na){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.B=!0;this.C()}}; -g.k.ie=function(a){this.na||(this.status=this.xhr.status,this.D(a.timeStamp,a.loaded))}; -g.k.Dm=function(){return 2<=this.xhr.readyState}; -g.k.qe=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.Fo(Error("Could not read XHR header "+a)),""}}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.Uu=function(){return this.u}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.response&&!!this.response.byteLength}; -g.k.Mh=function(){return this.B&&!!this.response&&!!this.response.byteLength}; -g.k.Vu=function(){this.Mh();var a=this.response;this.response=void 0;return new Mv([new Uint8Array(a)])}; -g.k.hz=function(){this.Mh();return new Mv([new Uint8Array(this.response)])}; -g.k.abort=function(){this.na=!0;this.xhr.abort()}; -g.k.tj=function(){return!1}; -g.k.bA=function(){return!1}; -g.k.Qm=function(){return""};vz.prototype.iH=function(a,b){var c=this;b=void 0===b?1:b;this.u+=b;this.C+=a;var d=a/b;uz.forEach(function(e,f){dd.u&&4E12>a?a:g.A();kz(d,a,b);50>a-d.D&&lz(d)&&3!==bz(d)||hz(d,a,b,c);b=this.timing;b.B>b.Ga&&cz(b,b.B)&&3>this.state?yy(this,3):this.Ab.tj()&&Tz(this)&&yy(this,Math.max(2,this.state))}}; -g.k.iR=function(){if(!this.na()&&this.Ab){if(!this.K&&this.Ab.Dm()&&this.Ab.qe("X-Walltime-Ms")){var a=parseInt(this.Ab.qe("X-Walltime-Ms"),10);this.K=(g.A()-a)/1E3}this.Ab.Dm()&&this.Ab.qe("X-Restrict-Formats-Hint")&&this.u.FB&&!Kz()&&sCa(!0);a=parseInt(this.Ab.qe("X-Head-Seqnum"),10);var b=parseInt(this.Ab.qe("X-Head-Time-Millis"),10);this.C=a||this.C;this.D=b||this.D}}; -g.k.hR=function(){var a=this.Ab;!this.na()&&a&&(this.F.stop(),this.hj=a.status,a=oga(this,a),6===a?Gz(this):yy(this,a))}; -g.k.Iz=function(a){4<=this.state&&(this.u.ke?Rz(this):this.timing.deactivate());vy.prototype.Iz.call(this,a)}; -g.k.JR=function(){if(!this.na()){var a=g.A(),b=!1;lz(this.timing)?(a=this.timing.P,az(this.timing),this.timing.P-a>=.8*this.X?(this.mk++,b=5<=this.mk):this.mk=0):(b=this.timing,b.dj&&nz(b,g.A()),a-=b.X,this.u.Sl&&01E3*b);this.mk&&this.callback&&this.callback(this);b?Sz(this,!1):this.F.start()}}; -g.k.dispose=function(){vy.prototype.dispose.call(this);this.F.dispose();this.u.ke||Rz(this)}; -g.k.ay=function(){return this.K}; -g.k.eF=function(){this.Ab&&(this.C=parseInt(this.Ab.qe("X-Head-Seqnum"),10));return this.C}; -g.k.gD=function(){this.Ab&&(this.D=parseInt(this.Ab.qe("X-Head-Time-Millis"),10));return this.D}; -var kga=0,Pz=-1;hA.prototype.getDuration=function(){return this.u.index.Nk()}; -hA.prototype.Bi=function(){this.C.Bi()};KA.prototype.C=function(a,b){var c=Math.pow(this.alpha,a);this.B=b*(1-c)+c*this.B;this.D+=a}; -KA.prototype.u=function(){return this.B/(1-Math.pow(this.alpha,this.D))};MA.prototype.C=function(a,b){var c=Math.min(this.B,Math.max(1,Math.round(a*this.resolution)));c+this.valueIndex>=this.B&&(this.D=!0);for(;c--;)this.values[this.valueIndex]=b,this.valueIndex=(this.valueIndex+1)%this.B;this.I=!0}; -MA.prototype.u=function(){return this.K?(NA(this,this.F-this.K)+NA(this,this.F)+NA(this,this.F+this.K))/3:NA(this,this.F)};TA.prototype.setPlaybackRate=function(a){this.C=Math.max(1,a)}; -TA.prototype.getPlaybackRate=function(){return this.C};g.u($A,g.Ox);g.k=$A.prototype;g.k.Eh=function(){return this.Ai?this.segments.length?this.Xn(this.Kc()).qb:-1:g.Ox.prototype.Eh.call(this)}; -g.k.Kc=function(){if(this.he)return 0;if(!this.Ai)return g.Ox.prototype.Kc.call(this);if(!this.segments.length)return 0;var a=Math.max(g.db(this.segments).endTime-this.Hj,0);return 0c&&(this.segments=this.segments.slice(b))}}; -g.k.Xn=function(a){if(!this.Ai)return g.Ox.prototype.Xn.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.qb+Math.floor((a-b.endTime)/this.Qf+1);else{b=yb(this.segments,function(d){return a=d.endTime?1:0}); -if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.qb-b.qb-1))+1)+b.qb}return this.Li(b)}; -g.k.Li=function(a){if(!this.Ai)return g.Ox.prototype.Li.call(this,a);if(!this.segments.length)return null;var b=aB(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.Qf;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].qb-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.qb-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.qb-d.qb-1),d=d.endTime+(a-d.qb-1)*b);return new Cu(a,d,b,0,"sq/"+a,void 0,void 0, -!0)};g.u(cB,Qx);g.k=cB.prototype;g.k.po=function(){return!0}; -g.k.Fe=function(){return!0}; -g.k.ek=function(a){return!a.F}; -g.k.wm=function(){return[]}; -g.k.Kj=function(a,b){if("number"===typeof a&&!isFinite(a)){var c=new Iu(3,this,null,"mlLiveGetReqInfoStubForTime",-1,void 0,this.kh,void 0,this.kh*this.info.zb);return new Qw([c],"")}return Qx.prototype.Kj.call(this,a,b)}; -g.k.ql=function(a,b){var c=void 0===c?!1:c;if(bB(this.index,a))return Qx.prototype.ql.call(this,a,b);var d=this.index.Xe(a),e=b?0:this.kh*this.info.zb,f=!b;c=new Iu(c?6:3,this,null,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,e,a==this.index.Xb()&&!this.R&&0a.B&&this.index.Eh()<=a.B+1}; -g.k.Qt=function(){return this.initRange&&this.indexRange?this.initRange.length+this.indexRange.length:0}; -g.k.Fv=function(){return!1};lB.prototype.getName=function(){return this.name}; -lB.prototype.getId=function(){return this.id}; -lB.prototype.getIsDefault=function(){return this.isDefault}; -lB.prototype.toString=function(){return this.name}; -lB.prototype.getName=lB.prototype.getName;lB.prototype.getId=lB.prototype.getId;lB.prototype.getIsDefault=lB.prototype.getIsDefault;g.u(tB,g.O);g.k=tB.prototype;g.k.appendBuffer=function(a,b,c){if(this.Rc.Nt()!==this.appendWindowStart+this.start||this.Rc.Yx()!==this.appendWindowEnd+this.start||this.Rc.yc()!==this.timestampOffset+this.start)this.Rc.supports(1),this.Rc.qA(this.appendWindowStart+this.start,this.appendWindowEnd+this.start),this.Rc.ip(this.timestampOffset+this.start);this.Rc.appendBuffer(a,b,c)}; -g.k.abort=function(){this.Rc.abort()}; -g.k.remove=function(a,b){this.Rc.remove(a+this.start,b+this.start)}; -g.k.qA=function(a,b){this.appendWindowStart=a;this.appendWindowEnd=b}; -g.k.ly=function(){return this.timestampOffset+this.start}; -g.k.Nt=function(){return this.appendWindowStart}; -g.k.Yx=function(){return this.appendWindowEnd}; -g.k.ip=function(a){this.timestampOffset=a}; -g.k.yc=function(){return this.timestampOffset}; -g.k.Se=function(a){a=this.Rc.Se(void 0===a?!1:a);return gA(a,this.start,this.end)}; -g.k.Kf=function(){return this.Rc.Kf()}; -g.k.qm=function(){return this.Rc.qm()}; -g.k.Ot=function(){return this.Rc.Ot()}; -g.k.WA=function(a,b){this.Rc.WA(a,b)}; -g.k.supports=function(a){return this.Rc.supports(a)}; -g.k.Pt=function(){return this.Rc.Pt()}; +var c=new Uint8Array([1]);return 1===c.length&&1===c[0]?b:a}(); +VF=Array(1024);TF=window.TextDecoder?new TextDecoder:void 0;XF=window.TextEncoder?new TextEncoder:void 0;ZF.prototype.skip=function(a){this.j+=a};var K3={},ccb=(K3.predictStart="predictStart",K3.start="start",K3["continue"]="continue",K3.stop="stop",K3),nua={EVENT_PREDICT_START:"predictStart",EVENT_START:"start",EVENT_CONTINUE:"continue",EVENT_STOP:"stop"};hG.prototype.nC=function(){return!!(this.data["Stitched-Video-Id"]||this.data["Stitched-Video-Cpn"]||this.data["Stitched-Video-Duration-Us"]||this.data["Stitched-Video-Start-Frame-Index"]||this.data["Serialized-State"]||this.data["Is-Ad-Break-Finished"])}; +hG.prototype.toString=function(){for(var a="",b=g.t(Object.keys(this.data)),c=b.next();!c.done;c=b.next())c=c.value,a+=c+":"+this.data[c]+";";return a};var L3={},Tva=(L3.STEREO_LAYOUT_UNKNOWN=0,L3.STEREO_LAYOUT_LEFT_RIGHT=1,L3.STEREO_LAYOUT_TOP_BOTTOM=2,L3);uG.prototype.Xm=function(){var a=this.pos;this.pos=0;var b=!1;try{yG(this,440786851)&&(this.pos=0,yG(this,408125543)&&(b=!0))}catch(c){if(c instanceof RangeError)this.pos=0,b=!1,g.DD(c);else throw c;}this.pos=a;return b};IG.prototype.set=function(a,b){this.zj.get(a);this.j[a]=b;this.url=""}; +IG.prototype.get=function(a){return this.j[a]||this.zj.get(a)}; +IG.prototype.Ze=function(){this.url||(this.url=Iua(this));return this.url};MG.prototype.OB=function(){return this.B.get("cpn")||""}; +MG.prototype.Bk=function(a,b){a.zj===this.j&&(this.j=JG(a,b));a.zj===this.C&&(this.C=JG(a,b))};RG.prototype.Jg=function(){return!!this.j&&this.index.isLoaded()}; +RG.prototype.Vy=function(){return!1}; +RG.prototype.rR=function(a){return[a]}; +RG.prototype.Jz=function(a){return[a]};TG.prototype.toString=function(){return this.start+"-"+(null==this.end?"":this.end)};XG.prototype.isEncrypted=function(){return this.j.info.isEncrypted()}; +XG.prototype.equals=function(a){return!(!a||a.j!==this.j||a.type!==this.type||(this.range&&a.range?a.range.start!==this.range.start||a.range.end!==this.range.end:a.range!==this.range)||a.Ma!==this.Ma||a.Ob!==this.Ob||a.u!==this.u)}; +XG.prototype.Xg=function(){return!!this.j.info.video};fH.prototype.Im=function(){return this.u?this.u.Ze():""}; +fH.prototype.Ds=function(){return this.J}; +fH.prototype.Mr=function(){return ZG(this.gb[0])}; +fH.prototype.Bk=function(a,b){this.j.Bk(a,b);if(this.u){this.u=JG(a,b);b=g.t(["acpns","cpn","daistate","skipsq"]);for(var c=b.next();!c.done;c=b.next())this.u.set(c.value,null)}this.requestId=a.get("req_id")};g.w(jH,RG);g.k=jH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.Vy=function(){return!this.I}; +g.k.Uu=function(){return new fH([new XG(1,this,this.initRange,"getMetadataRequestInfo")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return this.ov()&&a.u&&!a.bf?new fH([new XG(a.type,a.j,a.range,"liveGetNextRequestInfoBySegment",a.Ma,a.startTime,a.duration,a.Ob+a.u,NaN,!0)],this.index.bG(a.Ma)):this.Br(bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.Br(a,!0)}; +g.k.mM=function(a){dcb?yH(a):this.j=new Uint8Array(tH(a).buffer)}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.update=function(a,b,c){this.index.append(a);eua(this.index,c);this.index.u=b}; +g.k.Jg=function(){return this.Vy()?!0:RG.prototype.Jg.call(this)}; +g.k.Br=function(a,b){var c=this.index.bG(a),d=this.index.getStartTime(a),e=this.index.getDuration(a),f;b?e=f=0:f=0c&&(this.segments=this.segments.slice(b))}}; +g.k.RF=function(){return this.Po}; +g.k.vy=function(a){if(!this.Dm)return g.KF.prototype.vy.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.Ma+Math.floor((a-b.endTime)/this.sj+1);else{b=Kb(this.segments,function(d){return a=d.endTime?1:0}); +if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.Ma-b.Ma-1))+1)+b.Ma}return this.Go(b)}; +g.k.Go=function(a){if(!this.Dm)return g.KF.prototype.Go.call(this,a);if(!this.segments.length)return null;var b=oH(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.sj;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].Ma-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.Ma-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.Ma-d.Ma-1),d=d.endTime+(a-d.Ma-1)*b);return new JF(a,d,b,0,"sq/"+a,void 0,void 0, +!0)};g.w(qH,jH);g.k=qH.prototype;g.k.zC=function(){return!0}; +g.k.Jg=function(){return!0}; +g.k.Ar=function(a){return this.ov()&&a.u&&!a.bf||!a.j.index.OM(a.Ma)}; +g.k.Uu=function(){}; +g.k.Zp=function(a,b){return"number"!==typeof a||isFinite(a)?jH.prototype.Zp.call(this,a,void 0===b?!1:b):new fH([new XG(3,this,void 0,"mlLiveGetReqInfoStubForTime",-1,void 0,this.Xj,void 0,this.Xj*this.info.dc)],"")}; +g.k.Br=function(a,b){var c=void 0===c?!1:c;if(pH(this.index,a))return jH.prototype.Br.call(this,a,b);var d=this.index.getStartTime(a);return new fH([new XG(c?6:3,this,void 0,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,b?0:this.Xj*this.info.dc,!b)],0<=a?"sq/"+a:"")};g.w(rH,RG);g.k=rH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!1}; +g.k.zC=function(){return!1}; +g.k.Uu=function(){return new fH([new XG(1,this,void 0,"otfInit")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return kva(this,bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return kva(this,a,!0)}; +g.k.mM=function(a){1===a.info.type&&(this.j||(this.j=iua(a.j)),a.u&&"http://youtube.com/streaming/otf/durations/112015"===a.u.uri&&lva(this,a.u))}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.WL=function(){return 0}; +g.k.wO=function(){return!1};sH.prototype.verify=function(a){if(this.info.u!==this.j.totalLength)return a.slength=this.info.u.toString(),a.range=this.j.totalLength.toString(),!1;if(1===this.info.j.info.containerType){if(8>this.info.u||4===this.info.type)return!0;var b=tH(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2===this.info.type)return c===this.info.u&&1936286840===b;if(3===this.info.type&&0===this.info.Ob)return 1836019558===b||1936286840=== +b||1937013104===b||1718909296===b||1701671783===b||1936419184===b}else if(2===this.info.j.info.containerType){if(4>this.info.u||4===this.info.type)return!0;c=tH(this).getUint32(0,!1);a.ebm=c.toString();if(3===this.info.type&&0===this.info.Ob)return 524531317===c||440786851===c}return!0};g.k=g.zH.prototype;g.k.Yp=function(a){return this.offsets[a]}; +g.k.getStartTime=function(a){return this.Li[a]/this.j}; +g.k.dG=aa(1);g.k.Pf=function(){return NaN}; +g.k.getDuration=function(a){a=this.KT(a);return 0<=a?a/this.j:-1}; +g.k.KT=function(a){return a+1=this.td())return 0;var c=0;for(b=this.getStartTime(a)+b;athis.getStartTime(a);a++)c=Math.max(c,uva(this,a)/this.getDuration(a));return c}; +g.k.resize=function(a){a+=2;var b=this.offsets;this.offsets=new Float64Array(a+1);var c=this.Li;this.Li=new Float64Array(a+1);for(a=0;a=b+c)break}e.length||g.CD(new g.bA("b189619593",""+a,""+b,""+c));return new fH(e)}; +g.k.rR=function(a){for(var b=this.Jz(a.info),c=a.info.range.start+a.info.Ob,d=a.B,e=[],f=0;f=this.index.Yp(c+1);)c++;return this.cC(c,b,a.u).gb}; +g.k.Ar=function(a){YG(a);return this.Jg()?!0:a.range.end+1this.info.contentLength&&(b=new TG(b.start,this.info.contentLength-1)),new fH([new XG(4,a.j,b,"getNextRequestInfoByLength",void 0,void 0,void 0,void 0,void 0,void 0,a.clipId)]);4===a.type&&(a=this.Jz(a),a=a[a.length-1]);var c=0,d=a.range.start+a.Ob+a.u;3===a.type&&(YG(a),c=a.Ma,d===a.range.end+1&&(c+=1));return this.cC(c,d,b)}; +g.k.PA=function(){return null}; +g.k.Zp=function(a,b,c){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.cC(a,this.index.Yp(a),0,c)}; +g.k.Ym=function(){return!0}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.WL=function(){return this.indexRange.length+this.initRange.length}; +g.k.wO=function(){return this.indexRange&&this.initRange&&this.initRange.end+1===this.indexRange.start?!0:!1};CH.prototype.isMultiChannelAudio=function(){return 2this.Nt()?(this.jc.appendWindowEnd=b,this.jc.appendWindowStart=a):(this.jc.appendWindowStart=a,this.jc.appendWindowEnd=b))}; -g.k.ly=function(){return this.timestampOffset}; -g.k.ip=function(a){Qy?this.timestampOffset=a:this.supports(1)&&(this.jc.timestampOffset=a)}; -g.k.yc=function(){return Qy?this.timestampOffset:this.supports(1)?this.jc.timestampOffset:0}; -g.k.Se=function(a){if(void 0===a?0:a)return this.Xs||this.Kf()||(this.cC=this.Se(!1),this.Xs=!0),this.cC;try{return this.jc?this.jc.buffered:this.de?this.de.webkitSourceBuffered(this.id):Vz([0],[Infinity])}catch(b){return Vz([],[])}}; -g.k.Kf=function(){var a;return(null===(a=this.jc)||void 0===a?void 0:a.updating)||!1}; -g.k.qm=function(){return this.yu}; -g.k.Ot=function(){return this.iE}; -g.k.WA=function(a,b){this.containerType!==a&&(this.supports(4),yB()&&this.jc.changeType(b));this.containerType=a}; -g.k.Pt=function(){return this.Zy}; +g.k.tI=function(a,b,c){return this.isActive?this.Ed.tI(a,b,c):!1}; +g.k.eF=function(){return this.Ed.eF()?this.isActive:!1}; +g.k.isLocked=function(){return this.rE&&!this.isActive}; +g.k.lc=function(a){a=this.Ed.lc(a);a.vw=this.start+"-"+this.end;return a}; +g.k.UB=function(){return this.Ed.UB()}; +g.k.ZL=function(){return this.Ed.ZL()}; +g.k.qa=function(){fE(this.Ed,this.tU);g.dE.prototype.qa.call(this)};var CX=!1;g.w(sI,g.dE);g.k=sI.prototype; +g.k.appendBuffer=function(a,b,c){this.iB=!1;c&&(this.FC=c);if(!ecb&&(b&&Cva(this,b),!a.length))return;if(ecb){if(a.length){var d;(null==(d=this.Vb)?0:d.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}b&&Cva(this,b)}else{var e;(null==(e=this.Vb)?0:e.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}this.Kz&&(2<=this.Kz.length||1048576this.IB()?(this.Vb.appendWindowEnd=b,this.Vb.appendWindowStart=a):(this.Vb.appendWindowStart=a,this.Vb.appendWindowEnd=b))}; +g.k.dM=function(){return this.timestampOffset}; +g.k.Vq=function(a){CX?this.timestampOffset=a:this.supports(1)&&(this.Vb.timestampOffset=a)}; +g.k.Jd=function(){return CX?this.timestampOffset:this.supports(1)?this.Vb.timestampOffset:0}; +g.k.Ig=function(a){if(void 0===a?0:a)return this.iB||this.gj()||(this.GK=this.Ig(!1),this.iB=!0),this.GK;try{return this.Vb?this.Vb.buffered:this.Dg?this.Dg.webkitSourceBuffered(this.id):iI([0],[Infinity])}catch(b){return iI([],[])}}; +g.k.gj=function(){var a;return(null==(a=this.Vb)?void 0:a.updating)||!1}; +g.k.Ol=function(){return this.jF}; +g.k.IM=function(){return!this.jF&&this.gj()}; +g.k.Tx=function(){this.jF=!1}; +g.k.Wy=function(a){var b=null==a?void 0:a.Lb;a=null==a?void 0:a.containerType;return!b&&!a||b===this.Lb&&a===this.containerType}; +g.k.qs=function(){return this.FC}; +g.k.SF=function(){return this.XM}; +g.k.VP=function(a,b){this.containerType!==a&&(this.supports(4),tI()&&this.Vb.changeType(b));this.containerType=a}; +g.k.TF=function(){return this.Cf}; g.k.isView=function(){return!1}; -g.k.supports=function(a){var b,c,d,e,f;switch(a){case 1:return void 0!==(null===(b=this.jc)||void 0===b?void 0:b.timestampOffset);case 0:return!(null===(c=this.jc)||void 0===c||!c.appendBuffer);case 2:return!(null===(d=this.jc)||void 0===d||!d.remove);case 3:return!!((null===(e=this.jc)||void 0===e?0:e.addEventListener)&&(null===(f=this.jc)||void 0===f?0:f.removeEventListener));case 4:return!(!this.jc||!this.jc.changeType);default:return!1}}; -g.k.lx=function(){return!this.Kf()}; +g.k.supports=function(a){switch(a){case 1:var b;return void 0!==(null==(b=this.Vb)?void 0:b.timestampOffset);case 0:var c;return!(null==(c=this.Vb)||!c.appendBuffer);case 2:var d;return!(null==(d=this.Vb)||!d.remove);case 3:var e,f;return!!((null==(e=this.Vb)?0:e.addEventListener)&&(null==(f=this.Vb)?0:f.removeEventListener));case 4:return!(!this.Vb||!this.Vb.changeType);default:return!1}}; +g.k.eF=function(){return!this.gj()}; g.k.isLocked=function(){return!1}; -g.k.sb=function(a){var b,c;a.to=""+this.yc();a.up=""+ +this.Kf();var d=(null===(b=this.jc)||void 0===b?void 0:b.appendWindowStart)||0,e=(null===(c=this.jc)||void 0===c?void 0:c.appendWindowEnd)||Infinity;a.aw=d.toFixed(3)+"-"+e.toFixed(3);try{a.bu=Wz(this.Se())}catch(f){}return g.vB(a)}; -g.k.ca=function(){this.supports(3)&&(this.jc.removeEventListener("updateend",this.Oj),this.jc.removeEventListener("error",this.Oj));g.O.prototype.ca.call(this)}; -g.k.us=function(a,b,c){if(!this.supports(2)||this.Kf())return!1;var d=this.Se(),e=Xz(d,a);if(0>e)return!1;try{if(b&&e+1this.K&&this.Qa;this.ha=parseInt(dB(a,SB(this,"earliestMediaSequence")),10)|| -0;if(b=Date.parse(gB(dB(a,SB(this,"mpdResponseTime")))))this.R=(g.A()-b)/1E3;this.isLive&&0>=a.getElementsByTagName("SegmentTimeline").length||g.qh(a.getElementsByTagName("Period"),this.sR,this);this.Ka=2;this.V("loaded");XB(this);return this}; -g.k.HK=function(a){this.aa=a.xhr.status;this.Ka=3;this.V("loaderror");return wm(a.xhr)}; -g.k.refresh=function(){if(1!=this.Ka&&!this.na()){var a=g.Md(this.sourceUrl,{start_seq:Vga(this).toString()});Cm(VB(this,a),function(){})}}; -g.k.resume=function(){XB(this)}; -g.k.Oc=function(){if(this.isManifestless&&this.I&&YB(this))return YB(this);var a=this.u,b=!1,c=NaN,d=NaN,e;for(e in a){var f=a[e],h=f.index;h.Uc()&&(f.K&&(b=!0),h=h.Nk(),f.info.isAudio()&&(isNaN(c)||hxCa){H1=xCa;break a}}var yCa=I1.match("("+g.Mb(vCa).join("|")+")");H1=yCa?vCa[yCa[0]]:0}else H1=void 0}var lD=H1,kD=0<=lD;yC.prototype.canPlayType=function(a,b){var c=a.canPlayType?a.canPlayType(b):!1;or?c=c||zCa[b]:2.2===lD?c=c||ACa[b]:er()&&(c=c||BCa[b]);return!!c}; -yC.prototype.isTypeSupported=function(a){this.ea();return this.F?window.cast.receiver.platform.canDisplayType(a):oB(a)}; -yC.prototype.disableAv1=function(){this.K=!0}; -yC.prototype.ea=function(){}; -var ACa={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},BCa={"application/x-mpegURL":"maybe"},zCa={"application/x-mpegURL":"maybe"};CC.prototype.getLanguageInfo=function(){return this.u}; -CC.prototype.toString=function(){return this.u.name}; -CC.prototype.getLanguageInfo=CC.prototype.getLanguageInfo;DC.prototype.isLocked=function(){return this.C&&!!this.B&&this.B===this.u}; -DC.prototype.compose=function(a){if(a.C&&GC(a))return UD;if(a.C||GC(this))return a;if(this.C||GC(a))return this;var b=this.B&&a.B?Math.max(this.B,a.B):this.B||a.B,c=this.u&&a.u?Math.min(this.u,a.u):this.u||a.u;b=Math.min(b,c);return b===this.B&&c===this.u?this:new DC(b,c,!1,c===this.u?this.reason:a.reason)}; -DC.prototype.D=function(a){return a.video?IC(this,a.video.quality):!1}; -var CCa=FC("auto","hd1080",!1,"l"),vxa=FC("auto","large",!1,"l"),UD=FC("auto","auto",!1,"p");FC("small","auto",!1,"p");JC.prototype.nm=function(a){a=a||UD;for(var b=g.Ke(this.videoInfos,function(h){return a.D(h)}),c=[],d={},e=0;e'}; -g.k.supportsGaplessAudio=function(){return g.pB&&!or&&74<=br()||g.vC&&g.ae(68)?!0:!1}; -g.k.getPlayerType=function(){return this.deviceParams.cplayer}; -var wha=["www.youtube-nocookie.com","youtube.googleapis.com"];g.u(iE,g.O);g.u(oE,Aq);g.u(pE,Aq);var Kha=new Bq("aft-recorded",oE),aF=new Bq("timing-sent",pE);var J1=window,XE=J1.performance||J1.mozPerformance||J1.msPerformance||J1.webkitPerformance||new Jha;var BE=!1,Lha=(0,g.z)(XE.clearResourceTimings||XE.webkitClearResourceTimings||XE.mozClearResourceTimings||XE.msClearResourceTimings||XE.oClearResourceTimings||g.Ka,XE);var IE=g.v.ytLoggingLatencyUsageStats_||{};g.Fa("ytLoggingLatencyUsageStats_",IE,void 0);GE.prototype.tick=function(a,b,c){JE(this,"tick_"+a+"_"+b)||g.Nq("latencyActionTicked",{tickName:a,clientActionNonce:b},{timestamp:c})}; -GE.prototype.info=function(a,b){var c=Object.keys(a).join("");JE(this,"info_"+c+"_"+b)||(c=Object.assign({},a),c.clientActionNonce=b,g.Nq("latencyActionInfo",c))}; -GE.prototype.span=function(a,b){var c=Object.keys(a).join("");JE(this,"span_"+c+"_"+b)||(a.clientActionNonce=b,g.Nq("latencyActionSpan",a))};var K1={},QE=(K1.ad_to_ad="LATENCY_ACTION_AD_TO_AD",K1.ad_to_video="LATENCY_ACTION_AD_TO_VIDEO",K1.app_startup="LATENCY_ACTION_APP_STARTUP",K1["artist.analytics"]="LATENCY_ACTION_CREATOR_ARTIST_ANALYTICS",K1["artist.events"]="LATENCY_ACTION_CREATOR_ARTIST_CONCERTS",K1["artist.presskit"]="LATENCY_ACTION_CREATOR_ARTIST_PROFILE",K1.browse="LATENCY_ACTION_BROWSE",K1.channels="LATENCY_ACTION_CHANNELS",K1.creator_channel_dashboard="LATENCY_ACTION_CREATOR_CHANNEL_DASHBOARD",K1["channel.analytics"]="LATENCY_ACTION_CREATOR_CHANNEL_ANALYTICS", -K1["channel.comments"]="LATENCY_ACTION_CREATOR_CHANNEL_COMMENTS",K1["channel.content"]="LATENCY_ACTION_CREATOR_POST_LIST",K1["channel.copyright"]="LATENCY_ACTION_CREATOR_CHANNEL_COPYRIGHT",K1["channel.editing"]="LATENCY_ACTION_CREATOR_CHANNEL_EDITING",K1["channel.monetization"]="LATENCY_ACTION_CREATOR_CHANNEL_MONETIZATION",K1["channel.music"]="LATENCY_ACTION_CREATOR_CHANNEL_MUSIC",K1["channel.translations"]="LATENCY_ACTION_CREATOR_CHANNEL_TRANSLATIONS",K1["channel.videos"]="LATENCY_ACTION_CREATOR_CHANNEL_VIDEOS", -K1["channel.live_streaming"]="LATENCY_ACTION_CREATOR_LIVE_STREAMING",K1.chips="LATENCY_ACTION_CHIPS",K1["dialog.copyright_strikes"]="LATENCY_ACTION_CREATOR_DIALOG_COPYRIGHT_STRIKES",K1["dialog.uploads"]="LATENCY_ACTION_CREATOR_DIALOG_UPLOADS",K1.embed="LATENCY_ACTION_EMBED",K1.home="LATENCY_ACTION_HOME",K1.library="LATENCY_ACTION_LIBRARY",K1.live="LATENCY_ACTION_LIVE",K1.live_pagination="LATENCY_ACTION_LIVE_PAGINATION",K1.onboarding="LATENCY_ACTION_KIDS_ONBOARDING",K1.parent_profile_settings="LATENCY_ACTION_KIDS_PARENT_PROFILE_SETTINGS", -K1.parent_tools_collection="LATENCY_ACTION_PARENT_TOOLS_COLLECTION",K1.parent_tools_dashboard="LATENCY_ACTION_PARENT_TOOLS_DASHBOARD",K1.player_att="LATENCY_ACTION_PLAYER_ATTESTATION",K1["post.comments"]="LATENCY_ACTION_CREATOR_POST_COMMENTS",K1["post.edit"]="LATENCY_ACTION_CREATOR_POST_EDIT",K1.prebuffer="LATENCY_ACTION_PREBUFFER",K1.prefetch="LATENCY_ACTION_PREFETCH",K1.profile_settings="LATENCY_ACTION_KIDS_PROFILE_SETTINGS",K1.profile_switcher="LATENCY_ACTION_KIDS_PROFILE_SWITCHER",K1.results= -"LATENCY_ACTION_RESULTS",K1.search_ui="LATENCY_ACTION_SEARCH_UI",K1.search_zero_state="LATENCY_ACTION_SEARCH_ZERO_STATE",K1.secret_code="LATENCY_ACTION_KIDS_SECRET_CODE",K1.settings="LATENCY_ACTION_SETTINGS",K1.tenx="LATENCY_ACTION_TENX",K1.video_to_ad="LATENCY_ACTION_VIDEO_TO_AD",K1.watch="LATENCY_ACTION_WATCH",K1.watch_it_again="LATENCY_ACTION_KIDS_WATCH_IT_AGAIN",K1["watch,watch7"]="LATENCY_ACTION_WATCH",K1["watch,watch7_html5"]="LATENCY_ACTION_WATCH",K1["watch,watch7ad"]="LATENCY_ACTION_WATCH", -K1["watch,watch7ad_html5"]="LATENCY_ACTION_WATCH",K1.wn_comments="LATENCY_ACTION_LOAD_COMMENTS",K1.ww_rqs="LATENCY_ACTION_WHO_IS_WATCHING",K1["video.analytics"]="LATENCY_ACTION_CREATOR_VIDEO_ANALYTICS",K1["video.comments"]="LATENCY_ACTION_CREATOR_VIDEO_COMMENTS",K1["video.edit"]="LATENCY_ACTION_CREATOR_VIDEO_EDIT",K1["video.translations"]="LATENCY_ACTION_CREATOR_VIDEO_TRANSLATIONS",K1["video.video_editor"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR",K1["video.video_editor_async"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR_ASYNC", -K1["video.monetization"]="LATENCY_ACTION_CREATOR_VIDEO_MONETIZATION",K1.voice_assistant="LATENCY_ACTION_VOICE_ASSISTANT",K1.cast_load_by_entity_to_watch="LATENCY_ACTION_CAST_LOAD_BY_ENTITY_TO_WATCH",K1.networkless_performance="LATENCY_ACTION_NETWORKLESS_PERFORMANCE",K1),L1={},TE=(L1.ad_allowed="adTypesAllowed",L1.yt_abt="adBreakType",L1.ad_cpn="adClientPlaybackNonce",L1.ad_docid="adVideoId",L1.yt_ad_an="adNetworks",L1.ad_at="adType",L1.aida="appInstallDataAgeMs",L1.browse_id="browseId",L1.p="httpProtocol", -L1.t="transportProtocol",L1.cpn="clientPlaybackNonce",L1.ccs="creatorInfo.creatorCanaryState",L1.cseg="creatorInfo.creatorSegment",L1.csn="clientScreenNonce",L1.docid="videoId",L1.GetHome_rid="requestIds",L1.GetSearch_rid="requestIds",L1.GetPlayer_rid="requestIds",L1.GetWatchNext_rid="requestIds",L1.GetBrowse_rid="requestIds",L1.GetLibrary_rid="requestIds",L1.is_continuation="isContinuation",L1.is_nav="isNavigation",L1.b_p="kabukiInfo.browseParams",L1.is_prefetch="kabukiInfo.isPrefetch",L1.is_secondary_nav= -"kabukiInfo.isSecondaryNav",L1.prev_browse_id="kabukiInfo.prevBrowseId",L1.query_source="kabukiInfo.querySource",L1.voz_type="kabukiInfo.vozType",L1.yt_lt="loadType",L1.mver="creatorInfo.measurementVersion",L1.yt_ad="isMonetized",L1.nr="webInfo.navigationReason",L1.nrsu="navigationRequestedSameUrl",L1.ncnp="webInfo.nonPreloadedNodeCount",L1.pnt="performanceNavigationTiming",L1.prt="playbackRequiresTap",L1.plt="playerInfo.playbackType",L1.pis="playerInfo.playerInitializedState",L1.paused="playerInfo.isPausedOnLoad", -L1.yt_pt="playerType",L1.fmt="playerInfo.itag",L1.yt_pl="watchInfo.isPlaylist",L1.yt_pre="playerInfo.preloadType",L1.yt_ad_pr="prerollAllowed",L1.pa="previousAction",L1.yt_red="isRedSubscriber",L1.rce="mwebInfo.responseContentEncoding",L1.scrh="screenHeight",L1.scrw="screenWidth",L1.st="serverTimeMs",L1.ssdm="shellStartupDurationMs",L1.br_trs="tvInfo.bedrockTriggerState",L1.kebqat="kabukiInfo.earlyBrowseRequestInfo.abandonmentType",L1.kebqa="kabukiInfo.earlyBrowseRequestInfo.adopted",L1.label="tvInfo.label", -L1.is_mdx="tvInfo.isMdx",L1.preloaded="tvInfo.isPreloaded",L1.upg_player_vis="playerInfo.visibilityState",L1.query="unpluggedInfo.query",L1.upg_chip_ids_string="unpluggedInfo.upgChipIdsString",L1.yt_vst="videoStreamType",L1.vph="viewportHeight",L1.vpw="viewportWidth",L1.yt_vis="isVisible",L1.rcl="mwebInfo.responseContentLength",L1.GetSettings_rid="requestIds",L1.GetTrending_rid="requestIds",L1.GetMusicSearchSuggestions_rid="requestIds",L1.REQUEST_ID="requestIds",L1),Mha="isContinuation isNavigation kabukiInfo.earlyBrowseRequestInfo.adopted kabukiInfo.isPrefetch kabukiInfo.isSecondaryNav isMonetized navigationRequestedSameUrl performanceNavigationTiming playerInfo.isPausedOnLoad prerollAllowed isRedSubscriber tvInfo.isMdx tvInfo.isPreloaded isVisible watchInfo.isPlaylist playbackRequiresTap".split(" "), -M1={},UE=(M1.ccs="CANARY_STATE_",M1.mver="MEASUREMENT_VERSION_",M1.pis="PLAYER_INITIALIZED_STATE_",M1.yt_pt="LATENCY_PLAYER_",M1.pa="LATENCY_ACTION_",M1.yt_vst="VIDEO_STREAM_TYPE_",M1),Nha="all_vc ap aq c cver cbrand cmodel cplatform ctheme ei l_an l_mm plid srt yt_fss yt_li vpst vpni2 vpil2 icrc icrt pa GetAccountOverview_rid GetHistory_rid cmt d_vpct d_vpnfi d_vpni nsru pc pfa pfeh pftr pnc prerender psc rc start tcrt tcrc ssr vpr vps yt_abt yt_fn yt_fs yt_pft yt_pre yt_pt yt_pvis ytu_pvis yt_ref yt_sts tds".split(" ");var N1=window;N1.ytcsi&&(N1.ytcsi.info=OE,N1.ytcsi.tick=PE);bF.prototype.Ma=function(){this.tick("gv")}; -bF.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.N)()};cF.prototype.send=function(){g.qq(this.target,{format:"RAW",responseType:"arraybuffer",timeout:1E4,Zf:this.B,Bg:this.B,context:this});this.u=(0,g.N)()}; -cF.prototype.B=function(a){var b,c={rc:a.status,lb:(null===(b=a.response)||void 0===b?void 0:b.byteLength)||0,rt:(((0,g.N)()-this.u)/1E3).toFixed(3),shost:g.yd(this.target),trigger:this.trigger};204===a.status||a.response?this.C&&this.C(g.vB(c)):this.D(new uB("pathprobe.net",!1,c))};var O1={},dF=(O1.AD_MARKER="ytp-ad-progress",O1.CHAPTER_MARKER="ytp-chapter-marker",O1.TIME_MARKER="ytp-time-marker",O1);g.eF.prototype.getId=function(){return this.id}; -g.eF.prototype.toString=function(){return"CueRange{"+this.namespace+":"+this.id+"}["+fF(this.start)+", "+fF(this.end)+"]"}; -g.eF.prototype.contains=function(a,b){return a>=this.start&&(aa&&this.D.start()))}; -g.k.fk=function(){this.F=!0;if(!this.I){for(var a=3;this.F&&a;)this.F=!1,this.I=!0,this.UD(),this.I=!1,a--;this.K().Hb()&&(a=lF(this.u,this.C),!isNaN(a)&&0x7ffffffffffff>a&&(a=(a-this.C)/this.Y(),this.D.start(a)))}}; -g.k.UD=function(){if(this.started&&!this.na()){this.D.stop();var a=this.K();g.U(a,32)&&this.P.start();for(var b=g.U(this.K(),2)?0x8000000000000:1E3*this.X(),c=g.U(a,2),d=[],e=[],f=g.q(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(qF(this,e));f=e=null;c?(a=kF(this.u,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=Uha(this.u)):a=this.C<=b&&HM(a)?Tha(this.u,this.C,b):kF(this.u,b); -d=d.concat(pF(this,a));e&&(d=d.concat(qF(this,e)));f&&(d=d.concat(pF(this,f)));this.C=b;Vha(this,d)}}; -g.k.ca=function(){this.B=[];this.u.u=[];g.C.prototype.ca.call(this)}; -(function(a,b){if(yz&&b){var c={},d;for(d in b)b.hasOwnProperty(d)&&(c.Nw=a.prototype[d],c.Pw=b[d],a.prototype[d]=function(e){return function(f){for(var h=[],l=0;lb&&c.B.pop();a.D.length?a.B=g.db(g.db(a.D).info.u):a.C.B.length?a.B=Gy(a.C).info:a.B=jA(a);a.B&&bFCa.length)P1=void 0;else{var Q1=ECa.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);P1=Q1&&6==Q1.length?Number(Q1[5].replace("_",".")):0}var tJ=P1,UU=0<=tJ;UU&&0<=g.Vc.search("Safari")&&g.Vc.search("Version");var Ela={mW:1,EW:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var dZ=16/9,GCa=[.25,.5,.75,1,1.25,1.5,1.75,2],HCa=GCa.concat([3,4,5,6,7,8,9,10,15]);g.u(yH,g.C); -yH.prototype.initialize=function(a,b){for(var c=this,d=g.q(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.q(a[e.value]);for(var f=e.next();!f.done;f=e.next())if(f=f.value,f.Ud)for(var h=g.q(Object.keys(f.Ud)),l=h.next();!l.done;l=h.next())if(l=l.value,xC[l])for(var m=g.q(xC[l]),n=m.next();!n.done;n=m.next())n=n.value,this.B[n]=this.B[n]||new nC(l,n,f.Ud[l],this.experiments),this.D[l]=this.D[l]||{},this.D[l][f.mimeType]=!0}hr()&&(this.B["com.youtube.fairplay"]=new nC("fairplay","com.youtube.fairplay","", -this.experiments),this.D.fairplay={'video/mp4; codecs="avc1.4d400b"':!0,'audio/mp4; codecs="mp4a.40.5"':!0});this.u=fha(b,this.useCobaltWidevine,g.kB(this.experiments,"html5_hdcp_probing_stream_url")).filter(function(p){return!!c.B[p]})}; -yH.prototype.ea=function(){}; -yH.prototype.ba=function(a){return g.Q(this.experiments,a)};g.k=BH.prototype;g.k.Te=function(){return this.Oa}; -g.k.Yq=function(){return null}; -g.k.dD=function(){var a=this.Yq();return a?(a=g.Zp(a.u),Number(a.expire)):NaN}; -g.k.nA=function(){}; -g.k.Yb=function(){return this.Oa.Yb()}; -g.k.getHeight=function(){return this.Oa.Ma().height};g.u(GH,BH);GH.prototype.dD=function(){return this.expiration}; -GH.prototype.Yq=function(){if(!this.u||this.u.na()){var a=this.B;Iia(a);var b=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],c={};a:if(a.u)var d=a.u;else{d="";for(var e=g.q(a.C),f=e.next();!f.done;f=e.next())if(f=f.value,f.u){if(f.u.getIsDefault()){d=f.u.getId();break a}d||(d=f.u.getId())}}e=g.q(a.C);for(f=e.next();!f.done;f=e.next())f=f.value,f.u&&f.u.getId()!==d||(c[f.itag]=f);d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,f=c[e.B]){var h=b,l=h.push,m=a,n="#EXT-X-MEDIA:TYPE=AUDIO,",p="YES", -r="audio";if(f.u){r=f.u;var t=r.getId().split(".")[0];t&&(n+='LANGUAGE="'+t+'",');m.u||r.getIsDefault()||(p="NO");r=r.getName()}t="";null!==e&&(t=e.itag.toString());m=DH(m,f.url,t);n=n+('NAME="'+r+'",DEFAULT='+(p+',AUTOSELECT=YES,GROUP-ID="'))+(EH(f,e)+'",URI="'+(m+'"'));l.call(h,n)}d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,h=c[e.B])f=a,h="#EXT-X-STREAM-INF:BANDWIDTH="+(e.bitrate+h.bitrate)+',CODECS="'+(e.codecs+","+h.codecs+'",RESOLUTION=')+(e.width+"x"+e.height+',AUDIO="')+(EH(h, -e)+'",CLOSED-CAPTIONS=NONE'),1e)return!1;try{if(b&&e+1rcb){T3=rcb;break a}}var scb=U3.match("("+Object.keys(pcb).join("|")+")");T3=scb?pcb[scb[0]]:0}else T3=void 0}var jK=T3,iK=0<=jK;var wxa={RED:"red",F5a:"white"};var uxa={aea:"adunit",goa:"detailpage",Roa:"editpage",Zoa:"embedded",bpa:"embedded_unbranded",vCa:"leanback",pQa:"previewpage",fRa:"profilepage",iS:"unplugged",APa:"playlistoverview",rWa:"sponsorshipsoffer",HTa:"shortspage",Vva:"handlesclaiming",vxa:"immersivelivepage",wma:"creatormusic"};Lwa.prototype.ob=function(a){return"true"===this.flags[a]};var Mwa=Promise.resolve(),Pwa=window.queueMicrotask?window.queueMicrotask.bind(window):Nwa;tJ.prototype.canPlayType=function(a,b){a=a.canPlayType?a.canPlayType(b):!1;nB?a=a||tcb[b]:2.2===jK?a=a||ucb[b]:Xy()&&(a=a||vcb[b]);return!!a}; +tJ.prototype.isTypeSupported=function(a){return this.J?window.cast.receiver.platform.canDisplayType(a):fI(a)}; +var ucb={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},vcb={"application/x-mpegURL":"maybe"},tcb={"application/x-mpegURL":"maybe"};wJ.prototype.gf=function(){this.j=!1;if(this.queue.length&&!(this.u&&5>=this.queue.length&&15E3>(0,g.M)()-this.C)){var a=this.queue.shift(),b=a.url;a=a.options;a.timeout=1E4;g.Ly(b,a,3,1E3).then(this.B,this.B);this.u=!0;this.C=(0,g.M)();5this.j;)a[d++]^=c[this.j++];for(var e=b-(b-d)%16;db;b++)this.counter[b]=a[4*b]<<24|a[4*b+1]<<16|a[4*b+2]<<8|a[4*b+3];this.j=16};var FJ=!1;(function(){function a(d){for(var e=new Uint8Array(d.length),f=0;f=this.j&&(this.B=!0);for(;a--;)this.values[this.u]=b,this.u=(this.u+1)%this.j;this.D=!0}; +TJ.prototype.bj=function(){return this.J?(UJ(this,this.C-this.J)+UJ(this,this.C)+UJ(this,this.C+this.J))/3:UJ(this,this.C)};g.w(pxa,g.C);aK.prototype.then=function(a,b){return this.promise.then(a,b)}; +aK.prototype.resolve=function(a){this.u(a)}; +aK.prototype.reject=function(a){this.j(a)};var vxa="blogger gac books docs duo google-live google-one play shopping chat hangouts-meet photos-edu picasaweb gmail jamboard".split(" "),Bxa={Sia:"cbrand",bja:"cbr",cja:"cbrver",fya:"c",iya:"cver",hya:"ctheme",gya:"cplayer",mJa:"cmodel",cKa:"cnetwork",bOa:"cos",cOa:"cosver",POa:"cplatform"};g.w(vK,g.C);g.k=vK.prototype;g.k.K=function(a){return this.experiments.ob(a)}; +g.k.getVideoUrl=function(a,b,c,d,e,f,h){b={list:b};c&&(e?b.time_continue=c:b.t=c);c=g.zK(this);e="www.youtube.com"===c;f=f&&this.K("embeds_enable_shorts_links_for_eligible_shorts");h&&this.K("fill_live_watch_url_in_watch_endpoint")&&e?h="https://"+c+"/live/"+a:!f&&d&&e?h="https://youtu.be/"+a:g.mK(this)?(h="https://"+c+"/fire",b.v=a):(f&&e?(h=this.protocol+"://"+c+"/shorts/"+a,d&&(b.feature="share")):(h=this.protocol+"://"+c+"/watch",b.v=a),nB&&(a=Fna())&&(b.ebc=a));return g.Zi(h,b)}; +g.k.getVideoEmbedCode=function(a,b,c,d){b="https://"+g.zK(this)+"/embed/"+b;d&&(b=g.Zi(b,{list:d}));d=c.width;c=c.height;b=g.Me(b);a=g.Me(null!=a?a:"YouTube video player");return'')}; +g.k.supportsGaplessAudio=function(){return g.eI&&!nB&&74<=goa()||g.fJ&&g.Nc(68)?!0:!1}; +g.k.getPlayerType=function(){return this.j.cplayer}; +g.k.Rd=function(){return this.If}; +var Dxa=["www.youtube-nocookie.com","youtube.googleapis.com","www.youtubeeducation.com","youtubeeducation.com"],Axa=["EMBEDDED_PLAYER_LITE_MODE_UNKNOWN","EMBEDDED_PLAYER_LITE_MODE_NONE","EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT","EMBEDDED_PLAYER_LITE_MODE_DYNAMIC_PLAYBACK_LIMIT"];g.k=SK.prototype;g.k.rh=function(){return this.j}; +g.k.QA=function(){return null}; +g.k.sR=function(){var a=this.QA();return a?(a=g.sy(a.j),Number(a.expire)):NaN}; +g.k.ZO=function(){}; +g.k.getHeight=function(){return this.j.video.height};Exa.prototype.wf=function(){Hxa(this);var a=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],b={};a:if(this.j)var c=this.j;else{c="";for(var d=g.t(this.B),e=d.next();!e.done;e=d.next())if(e=e.value,e.Jc){if(e.Jc.getIsDefault()){c=e.Jc.getId();break a}c||(c=e.Jc.getId())}}d=g.t(this.B);for(var f=d.next();!f.done;f=d.next())if(e=f.value,this.I||!e.Jc||e.Jc.getId()===c)b[e.itag]||(b[e.itag]=[]),b[e.itag].push(e);c=g.t(this.u);for(e=c.next();!e.done;e=c.next())if(d=e.value,e=b[d.j])for(e=g.t(e),f=e.next();!f.done;f= +e.next()){var h=a,l=h.push;f=f.value;var m="#EXT-X-MEDIA:TYPE=AUDIO,",n="YES",p="audio";if(f.Jc){p=f.Jc;var q=p.getId().split(".")[0];q&&(m+='LANGUAGE="'+q+'",');(this.j?this.j===p.getId():p.getIsDefault())||(n="NO");p=p.getName()}q="";null!==d&&(q=d.itag.toString());q=UK(this,f.url,q);m=m+('NAME="'+p+'",DEFAULT='+(n+',AUTOSELECT=YES,GROUP-ID="'))+(Gxa(f,d)+'",URI="'+(q+'"'));l.call(h,m)}c=g.t(this.D);for(d=c.next();!d.done;d=c.next())d=d.value,e=ycb,d=(h=d.Jc)?'#EXT-X-MEDIA:URI="'+UK(this,d.url)+ +'",TYPE=SUBTITLES,GROUP-ID="'+e+'",LANGUAGE="'+h.getId()+'",NAME="'+h.getName()+'",DEFAULT=NO,AUTOSELECT=YES':void 0,d&&a.push(d);c=0=this.oz()&&this.dr();var b=Math.floor(a/(this.columns*this.rows)),c=this.columns*this.rows,d=a%c;a=d%this.columns;d=Math.floor(d/this.columns);var e=this.dr()+1-c*b;if(eh.getHeight())&&c.push(h)}return c}; -nI.prototype.F=function(a,b,c,d){return new g.mI(a,b,c,d)};g.u(pI,g.mI);g.k=pI.prototype;g.k.fy=function(){return this.B.fo()}; -g.k.dv=function(a){var b=this.rows*this.columns*this.I,c=this.B,d=c.Xb();a=c.Gh(a);return a>d-b?-1:a}; -g.k.dr=function(){return this.B.Xb()}; -g.k.oz=function(){return this.B.Eh()}; -g.k.SE=function(a){this.B=a};g.u(qI,nI);qI.prototype.B=function(a,b){return nI.prototype.B.call(this,"$N|"+a,b)}; -qI.prototype.F=function(a,b,c){return new pI(a,b,c,this.isLive)};g.u(g.rI,g.O);g.k=g.rI.prototype;g.k.nh=function(a,b,c){c&&(this.errorCode=null,this.errorDetail="",this.Ki=this.errorReason=null);b?(bD(a),this.setData(a),bJ(this)&&DI(this)):(a=a||{},this.ba("embeds_enable_updatedata_from_embeds_response_killswitch")||dJ(this,a),yI(this,a),uI(this,a),this.V("dataupdated"))}; -g.k.setData=function(a){a=a||{};var b=a.errordetail;null!=b&&(this.errorDetail=b);var c=a.errorcode;null!=c?this.errorCode=c:"fail"==a.status&&(this.errorCode="150");var d=a.reason;null!=d&&(this.errorReason=d);var e=a.subreason;null!=e&&(this.Ki=e);this.clientPlaybackNonce||(this.clientPlaybackNonce=a.cpn||this.Wx());this.Zi=R(this.Sa.Zi,a.livemonitor);dJ(this,a);var f=a.raw_player_response;if(!f){var h=a.player_response;h&&(f=JSON.parse(h))}f&&(this.playerResponse=f);if(this.playerResponse){var l= -this.playerResponse.annotations;if(l)for(var m=g.q(l),n=m.next();!n.done;n=m.next()){var p=n.value.playerAnnotationsUrlsRenderer;if(p){p.adsOnly&&(this.Ss=!0);p.allowInPlaceSwitch&&(this.bx=!0);var r=p.loadPolicy;r&&(this.annotationsLoadPolicy=ICa[r]);var t=p.invideoUrl;t&&(this.Mg=uw(t));this.ru=!0;break}}var w=this.playerResponse.attestation;w&&fI(this,w);var y=this.playerResponse.heartbeatParams;if(y){var x=y.heartbeatToken;x&&(this.drmSessionId=y.drmSessionId||"",this.heartbeatToken=x,this.GD= -Number(y.intervalMilliseconds),this.HD=Number(y.maxRetries),this.ID=!!y.softFailOnError,this.QD=!!y.useInnertubeHeartbeatsForDrm,this.Ds=!0)}var B=this.playerResponse.messages;B&&Wia(this,B);var E=this.playerResponse.multicamera;if(E){var G=E.playerLegacyMulticameraRenderer;if(G){var K=G.metadataList;K&&(this.rF=K,this.Vl=Yp(K))}}var H=this.playerResponse.overlay;if(H){var ya=H.playerControlsOverlayRenderer;if(ya){var ia=ya.controlBgHtml;null!=ia?(this.Gj=ia,this.qc=!0):(this.Gj="",this.qc=!1);if(ya.mutedAutoplay){var Oa= -ya.mutedAutoplay.playerMutedAutoplayOverlayRenderer;if(Oa&&Oa.endScreen){var Ra=Oa.endScreen.playerMutedAutoplayEndScreenRenderer;Ra&&Ra.text&&(this.tF=g.T(Ra.text))}}else this.mutedAutoplay=!1}}var Wa=this.playerResponse.playabilityStatus;if(Wa){var kc=Wa.backgroundability;kc&&kc.backgroundabilityRenderer.backgroundable&&(this.backgroundable=!0);var Yb=Wa.offlineability;Yb&&Yb.offlineabilityRenderer.offlineable&&(this.offlineable=!0);var Qe=Wa.contextParams;Qe&&(this.contextParams=Qe);var ue=Wa.pictureInPicture; -ue&&ue.pictureInPictureRenderer.playableInPip&&(this.pipable=!0);Wa.playableInEmbed&&(this.allowEmbed=!0);var lf=Wa.ypcClickwrap;if(lf){var Uf=lf.playerLegacyDesktopYpcClickwrapRenderer,Qc=lf.ypcRentalActivationRenderer;if(Uf)this.Bs=Uf.durationMessage||"",this.Bp=!0;else if(Qc){var kx=Qc.durationMessage;this.Bs=kx?g.T(kx):"";this.Bp=!0}}var Rd=Wa.errorScreen;if(Rd){if(Rd.playerLegacyDesktopYpcTrailerRenderer){var Hd=Rd.playerLegacyDesktopYpcTrailerRenderer;this.Jw=Hd.trailerVideoId||"";var lx=Rd.playerLegacyDesktopYpcTrailerRenderer.ypcTrailer; -var vi=lx&&lx.ypcTrailerRenderer}else if(Rd.playerLegacyDesktopYpcOfferRenderer)Hd=Rd.playerLegacyDesktopYpcOfferRenderer;else if(Rd.ypcTrailerRenderer){vi=Rd.ypcTrailerRenderer;var zr=vi.fullVideoMessage;this.Cs=zr?g.T(zr):""}Hd&&(this.Ew=Hd.itemTitle||"",Hd.itemUrl&&(this.Fw=Hd.itemUrl),Hd.itemBuyUrl&&(this.Cw=Hd.itemBuyUrl),this.Dw=Hd.itemThumbnail||"",this.Hw=Hd.offerHeadline||"",this.Es=Hd.offerDescription||"",this.Iw=Hd.offerId||"",this.Gw=Hd.offerButtonText||"",this.fB=Hd.offerButtonFormattedText|| -null,this.Fs=Hd.overlayDurationMsec||NaN,this.Cs=Hd.fullVideoMessage||"",this.un=!0);if(vi){var mx=vi.unserializedPlayerResponse;if(mx)this.Cp={raw_player_response:mx};else{var Ar=vi.playerVars;this.Cp=Ar?Xp(Ar):null}this.un=!0}}}var mf=this.playerResponse.playbackTracking;if(mf){var nx=a,Br=dI(mf.googleRemarketingUrl);Br&&(this.googleRemarketingUrl=Br);var ox=dI(mf.youtubeRemarketingUrl);ox&&(this.youtubeRemarketingUrl=ox);var Pn=dI(mf.ptrackingUrl);if(Pn){var Qn=eI(Pn),px=Qn.oid;px&&(this.zG=px); -var xh=Qn.pltype;xh&&(this.AG=xh);var qx=Qn.ptchn;qx&&(this.yG=qx);var Cr=Qn.ptk;Cr&&(this.Ev=encodeURIComponent(Cr))}var rx=dI(mf.ppvRemarketingUrl);rx&&(this.ppvRemarketingUrl=rx);var uE=dI(mf.qoeUrl);if(uE){for(var Rn=g.Zp(uE),Dr=g.q(Object.keys(Rn)),Er=Dr.next();!Er.done;Er=Dr.next()){var sx=Er.value,Sn=Rn[sx];Rn[sx]=Array.isArray(Sn)?Sn.join(","):Sn}var Tn=Rn.cat;Tn&&(this.Br=Tn);var Fr=Rn.live;Fr&&(this.dz=Fr)}var zc=dI(mf.remarketingUrl);if(zc){this.remarketingUrl=zc;var Ig=eI(zc);Ig.foc_id&& -(this.qd.focEnabled=!0);var Gr=Ig.data;Gr&&(this.qd.rmktEnabled=!0,Gr.engaged&&(this.qd.engaged="1"));this.qd.baseUrl=zd(zc)+vd(g.xd(5,zc))}var tx=dI(mf.videostatsPlaybackUrl);if(tx){var hd=eI(tx),ux=hd.adformat;ux&&(nx.adformat=ux);var vx=hd.aqi;vx&&(nx.ad_query_id=vx);var Hr=hd.autoplay;Hr&&(this.eh="1"==Hr);var Ir=hd.autonav;Ir&&(this.Kh="1"==Ir);var wx=hd.delay;wx&&(this.yh=g.rd(wx));var xx=hd.ei;xx&&(this.eventId=xx);"adunit"===hd.el&&(this.eh=!0);var yx=hd.feature;yx&&(this.Gr=yx);var Jr=hd.list; -Jr&&(this.playlistId=Jr);var Kr=hd.of;Kr&&(this.Mz=Kr);var vE=hd.osid;vE&&(this.osid=vE);var ml=hd.referrer;ml&&(this.referrer=ml);var Kj=hd.sdetail;Kj&&(this.Sv=Kj);var Lr=hd.ssrt;Lr&&(this.Ur="1"==Lr);var Mr=hd.subscribed;Mr&&(this.subscribed="1"==Mr,this.qd.subscribed=Mr);var zx=hd.uga;zx&&(this.userGenderAge=zx);var Ax=hd.upt;Ax&&(this.tw=Ax);var Bx=hd.vm;Bx&&(this.videoMetadata=Bx)}var wE=dI(mf.videostatsWatchtimeUrl);if(wE){var Re=eI(wE).ald;Re&&(this.Qs=Re)}var Un=this.ba("use_player_params_for_passing_desktop_conversion_urls"); -if(mf.promotedPlaybackTracking){var id=mf.promotedPlaybackTracking;id.startUrls&&(Un||(this.Mv=id.startUrls[0]),this.Nv=id.startUrls);id.firstQuartileUrls&&(Un||(this.Vz=id.firstQuartileUrls[0]),this.Wz=id.firstQuartileUrls);id.secondQuartileUrls&&(Un||(this.Xz=id.secondQuartileUrls[0]),this.Yz=id.secondQuartileUrls);id.thirdQuartileUrls&&(Un||(this.Zz=id.thirdQuartileUrls[0]),this.aA=id.thirdQuartileUrls);id.completeUrls&&(Un||(this.Tz=id.completeUrls[0]),this.Uz=id.completeUrls);id.engagedViewUrls&& -(1f.getHeight())&&c.push(f)}return c}; +WL.prototype.D=function(a,b,c,d){return new g.VL(a,b,c,d)};g.w(XL,g.VL);g.k=XL.prototype;g.k.NE=function(){return this.u.Fy()}; +g.k.OE=function(a){var b=this.rows*this.columns*this.I,c=this.u,d=c.td();a=c.uh(a);return a>d-b?-1:a}; +g.k.ix=function(){return this.u.td()}; +g.k.BJ=function(){return this.u.Lm()}; +g.k.tR=function(a){this.u=a};g.w(YL,WL);YL.prototype.u=function(a,b){return WL.prototype.u.call(this,"$N|"+a,b)}; +YL.prototype.D=function(a,b,c){return new XL(a,b,c,this.isLive)};g.w(g.$L,g.dE);g.k=g.$L.prototype;g.k.V=function(){return this.B}; +g.k.K=function(a){return this.B.K(a)}; +g.k.yh=function(){return!this.isLivePlayback||this.allowLiveDvr}; +g.k.hasSupportedAudio51Tracks=function(){var a;return!(null==(a=this.jm)||!a.Xb)}; +g.k.gW=function(){this.isDisposed()||(this.j.u||this.j.unsubscribe("refresh",this.gW,this),this.SS(-1))}; +g.k.SS=function(a){if(!this.isLivePlayback||!this.J||"fairplay"!=this.J.flavor){var b=Xva(this.j,this.dK);if(0=this.K&&(M(Error("durationMs was specified incorrectly with a value of: "+this.K)), -this.Ye());this.bd();this.J.addEventListener("progresssync",this.P)}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandonedreset")}; -g.k.bd=function(){var a=this.J.T();HK.prototype.bd.call(this);this.u=Math.floor(this.J.getCurrentTime());this.D=this.u+this.K/1E3;g.wD(a)?this.J.xa("onAdMessageChange",{renderer:this.C.u,startTimeSecs:this.u}):LK(this,[new iL(this.C.u)]);a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs;b&&g.Nq("adNotify",{clientScreenNonce:b,adMediaTimeSec:this.D, -timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)});if(this.I)for(this.R=!0,a=g.q(this.I.listeners),b=a.next();!b.done;b=a.next())if(b=b.value,b.B)if(b.u)S("Received AdNotify started event before another one exited");else{b.u=b.B;c=b.C();b=b.u;kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.cf(b)}else S("Received AdNotify started event without start requested event");g.U(g.uK(this.J,1),512)&& -(a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs,b&&g.Nq("adNotifyFailure",{clientScreenNonce:b,adMediaTimeSec:this.D,timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)}),this.Ye())}; -g.k.Ye=function(){HK.prototype.Ye.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.J.removeEventListener("progresssync",this.P);this.uh();this.V(a);lL(this)}; -g.k.dispose=function(){this.J.removeEventListener("progresssync",this.P);lL(this);HK.prototype.dispose.call(this)}; -g.k.uh=function(){g.wD(this.J.T())?this.J.xa("onAdMessageChange",{renderer:null,startTimeSecs:this.u}):HK.prototype.uh.call(this)};g.u(mL,BK);g.u(nL,HK);nL.prototype.je=function(){LK(this,[new mL(this.ad.u,this.macros)])}; -nL.prototype.If=function(a){yK(this.Ia,a)};g.u(oL,BK);g.u(pL,HK);pL.prototype.je=function(){var a=new oL(this.u.u,this.macros);LK(this,[a])};g.u(qL,BK);g.u(rL,HK);rL.prototype.je=function(){this.bd()}; -rL.prototype.bd=function(){LK(this,[new qL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -rL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(sL,BK);yL.prototype.sendAdsPing=function(a){this.F.send(a,CL(this),{})};g.u(EL,BK);g.u(FL,NK);FL.prototype.je=function(){PK(this)||this.Jl()}; -FL.prototype.Jl=function(){LK(this,[this.C])}; -FL.prototype.If=function(a){yK(this.Ia,a)};g.u(HL,g.O);HL.prototype.getProgressState=function(){return this.C}; -HL.prototype.start=function(){this.D=Date.now();GL(this,{current:this.u/1E3,duration:this.B/1E3});this.Za.start()}; -HL.prototype.stop=function(){this.Za.stop()};g.u(IL,BK);g.u(JL,HK);g.k=JL.prototype;g.k.je=function(){this.bd()}; -g.k.bd=function(){var a=this.D.u;g.wD(this.J.T())?(a=pma(this.I,a),this.J.xa("onAdInfoChange",a),this.K=Date.now(),this.u&&this.u.start()):LK(this,[new IL(a)]);HK.prototype.bd.call(this)}; -g.k.getDuration=function(){return this.D.B}; -g.k.Vk=function(){HK.prototype.Vk.call(this);this.u&&this.u.stop()}; -g.k.Nj=function(){HK.prototype.Nj.call(this);this.u&&this.u.start()}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -g.k.Wk=function(){HK.prototype.Wk.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.uh();this.V(a)}; -g.k.If=function(a){switch(a){case "skip-button":this.Wk();break;case "survey-submit":this.ac("adended")}}; -g.k.uh=function(){g.wD(this.J.T())?(this.u&&this.u.stop(),this.J.xa("onAdInfoChange",null)):HK.prototype.uh.call(this)};g.u(KL,BK);g.u(LL,HK);LL.prototype.je=function(){this.bd()}; -LL.prototype.bd=function(){LK(this,[new KL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -LL.prototype.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -LL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(ML,BK);g.u(NL,HK);g.k=NL.prototype;g.k.je=function(){0b&&RAa(this.J.app,d,b-a);return d}; -g.k.dispose=function(){dK(this.J)&&!this.daiEnabled&&this.J.stopVideo(2);aM(this,"adabandoned");HK.prototype.dispose.call(this)};fM.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.u[b];c?b=c:(c={Sn:null,nE:-Infinity},b=this.u[b]=c);c=a.startSecs+a.u/1E3;if(!(ctJ?.1:0,Zra=new yM;g.k=yM.prototype;g.k.Gs=null;g.k.getDuration=function(){return this.duration||0}; -g.k.getCurrentTime=function(){return this.currentTime||0}; -g.k.fi=function(){this.src&&(or&&0b.u.getCurrentTime(2,!1)&&!g.Q(b.u.T().experiments,"html5_dai_pseudogapless_seek_killswitch")))){c=b.B;if(c.Kq()){var d=g.Q(b.R.u.T().experiments,"html5_dai_enable_active_view_creating_completed_adblock");Al(c.K,d)}b.B.R.seek= -!0}0>FK(a,4)&&!(0>FK(a,2))&&(b=this.B.Ia,jK(b)||(lK(b)?vK(b,"resume"):pK(b,"resume")));!g.Q(this.J.T().experiments,"html5_dai_handle_suspended_state_killswitch")&&this.daiEnabled&&g.GK(a,512)&&!g.IM(a.state)&&vM(this.K)}}}; -g.k.Ra=function(){if(!this.daiEnabled)return!1;g.Q(this.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator handled video data change",void 0,void 0,{adCpn:(this.J.getVideoData(2)||{}).clientPlaybackNonce,contentCpn:(this.J.getVideoData(1)||{}).clientPlaybackNonce});return NM(this)}; -g.k.hn=function(){}; -g.k.resume=function(){this.B&&this.B.iA()}; -g.k.Jk=function(){this.B&&this.B.ac("adended")}; -g.k.Ii=function(){this.Jk()}; -g.k.fF=function(a){var b=this.Xc;b.C&&g.Q(b.u.T().experiments,"html5_bulleit_dai_publish_ad_ux_killswitch")||b.u.xa("onAdUxUpdate",a)}; -g.k.onAdUxClicked=function(a){this.B.If(a)}; -g.k.WC=function(){return 0}; -g.k.YC=function(){return 1}; -g.k.qw=function(a){this.daiEnabled&&this.u.R&&this.u.u.start<=a&&a=Math.abs(c-this.u.u.end/1E3)):c=!0;if(c&&!this.u.I.hasOwnProperty("ad_placement_end")){c=g.q(this.u.X);for(var d=c.next();!d.done;d=c.next())OM(d.value);this.u.I.ad_placement_end=!0}c=this.u.F;null!==c&&(qM(this.xh,{cueIdentifier:this.u.C&&this.u.C.identifier,driftRecoveryMs:c,CG:this.u.u.start,pE:SM(this)}),this.u.F=null);b||this.daiEnabled?wN(this.Xc, -!0):this.X&&this.uz()&&this.bl()?wN(this.Xc,!1,Ema(this)):wN(this.Xc,!1);PM(this,!0)}; -g.k.wy=function(a){AN(this.Xc,a)}; -g.k.Ut=function(){return this.F}; -g.k.isLiveStream=function(){return this.X}; -g.k.reset=function(){return new MM(this.Xc,this.J,this.K.reset(),this.u,this.xh,this.Tn,this.zk,this.daiEnabled)}; -g.k.ca=function(){g.fg(this.B);this.B=null;g.O.prototype.ca.call(this)};UM.prototype.create=function(a){return(a.B instanceof IJ?this.D:a.B instanceof iM?this.C:""===a.K?this.u:this.B)(a)};VM.prototype.clickCommand=function(a){var b=g.Rt();if(!a.clickTrackingParams||!b)return!1;$t(this.client,b,g.Lt(a.clickTrackingParams),void 0);return!0};g.u($M,g.O);g.k=$M.prototype;g.k.ir=function(){return this.u.u}; -g.k.kr=function(){return RJ(this.u)}; -g.k.uz=function(){return QJ(this.u)}; -g.k.Xi=function(){return!1}; -g.k.Ny=function(){return!1}; -g.k.no=function(){return!1}; -g.k.Jy=function(){return!1}; -g.k.pu=function(){return!1}; -g.k.Ty=function(){return!1}; -g.k.jr=function(){return!1}; +g.k.isDaiEnabled=function(){return!!(this.playerResponse&&this.playerResponse.playerConfig&&this.playerResponse.playerConfig.daiConfig&&this.playerResponse.playerConfig.daiConfig.enableDai)}; +g.k.lP=function(){return this.Uo||this.Vf}; +g.k.VD=function(){return this.ij||this.Vf}; +g.k.tK=function(){return fM(this,"html5_samsung_vp9_live")}; +g.k.useInnertubeDrmService=function(){return!0}; +g.k.xa=function(a,b,c){this.ma("ctmp",a,b,c)}; +g.k.IO=function(a,b,c){this.ma("ctmpstr",a,b,c)}; +g.k.hasProgressBarBoundaries=function(){return!(!this.progressBarStartPosition||!this.progressBarEndPosition)}; +g.k.qa=function(){g.dE.prototype.qa.call(this);this.uA=null;delete this.l1;delete this.accountLinkingConfig;delete this.j;this.C=this.QJ=this.playerResponse=this.jd=null;this.Jf=this.adaptiveFormats="";delete this.botguardData;this.ke=this.suggestions=this.Ow=null};bN.prototype.D=function(){return!1}; +bN.prototype.Ja=function(){return function(){return null}};var jN=null;g.w(iN,g.dE);iN.prototype.RB=function(a){return this.j.hasOwnProperty(a)?this.j[a].RB():{}}; +g.Fa("ytads.bulleit.getVideoMetadata",function(a){return kN().RB(a)}); +g.Fa("ytads.bulleit.triggerExternalActivityEvent",function(a,b,c){var d=kN();c=dAa(c);null!==c&&d.ma(c,{queryId:a,viewabilityString:b})});g.w(pN,bN);pN.prototype.isSkippable=function(){return null!=this.Aa}; +pN.prototype.Ce=function(){return this.T}; +pN.prototype.getVideoUrl=function(){return null}; +pN.prototype.D=function(){return!0};g.w(yN,bN);yN.prototype.D=function(){return!0}; +yN.prototype.Ja=function(){return function(){return g.kf("video-ads")}};$Aa.prototype.isPostroll=function(){return"AD_PLACEMENT_KIND_END"==this.j.j};var d5a={b$:"FINAL",eZ:"AD_BREAK_LENGTH",Kda:"AD_CPN",Rda:"AH",Vda:"AD_MT",Yda:"ASR",cea:"AW",mla:"NM",nla:"NX",ola:"NY",oZ:"CONN",fma:"CPN",Loa:"DV_VIEWABILITY",Hpa:"ERRORCODE",Qpa:"ERROR_MSG",Tpa:"EI",FZ:"GOOGLE_VIEWABILITY",mxa:"IAS_VIEWABILITY",tAa:"LACT",P0:"LIVE_TARGETING_CONTEXT",SFa:"I_X",TFa:"I_Y",gIa:"MT",uIa:"MIDROLL_POS",vIa:"MIDROLL_POS_MS",AIa:"MOAT_INIT",BIa:"MOAT_VIEWABILITY",X0:"P_H",sPa:"PV_H",tPa:"PV_W",Y0:"P_W",MPa:"TRIGGER_TYPE",tSa:"SDKV",f1:"SLOT_POS",ZYa:"SURVEY_LOCAL_TIME_EPOCH_S", +YYa:"SURVEY_ELAPSED_MS",t1:"VIS",Q3a:"VIEWABILITY",X3a:"VED",u1:"VOL",a4a:"WT",A1:"YT_ERROR_CODE"};var GBa=["FINAL","CPN","MIDROLL_POS","SDKV","SLOT_POS"];EN.prototype.send=function(a,b,c){try{HBa(this,a,b,c)}catch(d){}};g.w(FN,EN);FN.prototype.j=function(){return this.Dl?g.NK(this.Dl.V(),g.VM(this.Dl)):Oy("")}; +FN.prototype.B=function(){return this.Dl?this.Dl.V().pageId:""}; +FN.prototype.u=function(){return this.Dl?this.Dl.V().authUser:""}; +FN.prototype.K=function(a){return this.Dl?this.Dl.K(a):!1};var Icb=eaa(["attributionsrc"]); +JN.prototype.send=function(a,b,c){var d=!1;try{var e=new g.Bk(a);if("2"===e.u.get("ase"))g.DD(Error("Queries for attributionsrc label registration when sending pings.")),d=!0,a=HN(a);else if("1"===e.u.get("ase")&&"video_10s_engaged_view"===e.u.get("label")){var f=document.createElement("img");zga([new Yj(Icb[0].toLowerCase(),woa)],f,"attributionsrc",a+"&asr=1")}var h=a.match(Si);if("https"===h[1])var l=a;else h[1]="https",l=Qi("https",h[2],h[3],h[4],h[5],h[6],h[7]);var m=ala(l);h=[];yy(l)&&(h.push({headerType:"USER_AUTH"}), +h.push({headerType:"PLUS_PAGE_ID"}),h.push({headerType:"VISITOR_ID"}),h.push({headerType:"EOM_VISITOR_ID"}),h.push({headerType:"AUTH_USER"}));d&&h.push({headerType:"ATTRIBUTION_REPORTING_ELIGIBLE"});this.ou.send({baseUrl:l,scrubReferrer:m,headers:h},b,c)}catch(n){}};g.w(MBa,g.C);g.w(ZN,g.dE);g.k=ZN.prototype;g.k.RB=function(){return{}}; +g.k.sX=function(){}; +g.k.kh=function(a){this.Eu();this.ma(a)}; +g.k.Eu=function(){SBa(this,this.oa,3);this.oa=[]}; +g.k.getDuration=function(){return this.F.getDuration(2,!1)}; +g.k.iC=function(){var a=this.Za;KN(a)||!SN(a,"impression")&&!SN(a,"start")||SN(a,"abandon")||SN(a,"complete")||SN(a,"skip")||VN(a,"pause");this.B||(a=this.Za,KN(a)||!SN(a,"unmuted_impression")&&!SN(a,"unmuted_start")||SN(a,"unmuted_abandon")||SN(a,"unmuted_complete")||VN(a,"unmuted_pause"))}; +g.k.jC=function(){this.ya||this.J||this.Rm()}; +g.k.Ei=function(){NN(this.Za,this.getDuration());if(!this.B){var a=this.Za;this.getDuration();KN(a)||(PBa(a,0,!0),QBa(a,0,0,!0),MN(a,"unmuted_complete"))}}; +g.k.Ko=function(){var a=this.Za;!SN(a,"impression")||SN(a,"skip")||SN(a,"complete")||RN(a,"abandon");this.B||(a=this.Za,SN(a,"unmuted_impression")&&!SN(a,"unmuted_complete")&&RN(a,"unmuted_abandon"))}; +g.k.jM=function(){var a=this.Za;a.daiEnabled?MN(a,"skip"):!SN(a,"impression")||SN(a,"abandon")||SN(a,"complete")||MN(a,"skip")}; +g.k.Rm=function(){if(!this.J){var a=this.GB();this.Za.macros.AD_CPN=a;a=this.Za;if(a.daiEnabled){var b=a.u.getCurrentTime(2,!1);QN(a,"impression",b,0)}else MN(a,"impression");MN(a,"start");KN(a)||a.u.isFullscreen()&&RN(a,"fullscreen");this.J=!0;this.B=this.F.isMuted()||0==this.F.getVolume();this.B||(a=this.Za,MN(a,"unmuted_impression"),MN(a,"unmuted_start"),KN(a)||a.u.isFullscreen()&&RN(a,"unmuted_fullscreen"))}}; +g.k.Lo=function(a){a=a||"";var b="",c="",d="";cN(this.F)&&(b=this.F.Cb(2).state,this.F.qe()&&(c=this.F.qe().xj(),null!=this.F.qe().Ye()&&(d=this.F.qe().Ye())));var e=this.Za;e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d)));MN(e,"error");this.B||(e=this.Za,e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d))),MN(e,"unmuted_error"))}; +g.k.gh=function(){}; +g.k.cX=function(){this.ma("adactiveviewmeasurable")}; +g.k.dX=function(){this.ma("adfullyviewableaudiblehalfdurationimpression")}; +g.k.eX=function(){this.ma("adoverlaymeasurableimpression")}; +g.k.fX=function(){this.ma("adoverlayunviewableimpression")}; +g.k.gX=function(){this.ma("adoverlayviewableendofsessionimpression")}; +g.k.hX=function(){this.ma("adoverlayviewableimmediateimpression")}; +g.k.iX=function(){this.ma("adviewableimpression")}; +g.k.dispose=function(){this.isDisposed()||(this.Eu(),this.j.unsubscribe("adactiveviewmeasurable",this.cX,this),this.j.unsubscribe("adfullyviewableaudiblehalfdurationimpression",this.dX,this),this.j.unsubscribe("adoverlaymeasurableimpression",this.eX,this),this.j.unsubscribe("adoverlayunviewableimpression",this.fX,this),this.j.unsubscribe("adoverlayviewableendofsessionimpression",this.gX,this),this.j.unsubscribe("adoverlayviewableimmediateimpression",this.hX,this),this.j.unsubscribe("adviewableimpression", +this.iX,this),delete this.j.j[this.ad.J],g.dE.prototype.dispose.call(this))}; +g.k.GB=function(){var a=this.F.getVideoData(2);return a&&a.clientPlaybackNonce||""}; +g.k.rT=function(){return""};g.w($N,bN);g.w(aO,gN);g.w(bO,ZN);g.k=bO.prototype;g.k.PE=function(){0=this.T&&(g.CD(Error("durationMs was specified incorrectly with a value of: "+this.T)),this.Ei());this.Rm();this.F.addEventListener("progresssync",this.Z)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandonedreset",!0)}; +g.k.Rm=function(){var a=this.F.V();fF("apbs",void 0,"video_to_ad");ZN.prototype.Rm.call(this);this.C=a.K("disable_rounding_ad_notify")?this.F.getCurrentTime():Math.floor(this.F.getCurrentTime());this.D=this.C+this.T/1E3;g.tK(a)?this.F.Na("onAdMessageChange",{renderer:this.u.j,startTimeSecs:this.C}):TBa(this,[new hO(this.u.j)]);a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64;b&&g.rA("adNotify",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3* +this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:Number(c)});if(this.I){this.ea=!0;b=this.u.j;if(!gO(b)){g.DD(Error("adMessageRenderer is not augmented on ad started"));return}a=b.slot;b=b.layout;c=g.t(this.I.listeners);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=a,f=b;gCa(d.j(),e);j0(d.j(),e,f)}}g.S(this.F.Cb(1),512)&&(g.DD(Error("player stuck during adNotify")),a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64, +b&&g.rA("adNotifyFailure",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3*this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:c}),this.Ei())}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended",!0)}; +g.k.Lo=function(a){g.DD(new g.bA("Player error during adNotify.",{errorCode:a}));ZN.prototype.Lo.call(this,a);this.kh("aderror",!0)}; +g.k.kh=function(a,b){(void 0===b?0:b)||g.DD(Error("TerminateAd directly called from other class during adNotify."));this.F.removeEventListener("progresssync",this.Z);this.Eu();ZBa(this,a);"adended"===a||"aderror"===a?this.ma("adnotifyexitednormalorerror"):this.ma(a)}; +g.k.dispose=function(){this.F.removeEventListener("progresssync",this.Z);ZBa(this);ZN.prototype.dispose.call(this)}; +g.k.Eu=function(){g.tK(this.F.V())?this.F.Na("onAdMessageChange",{renderer:null,startTimeSecs:this.C}):ZN.prototype.Eu.call(this)};mO.prototype.sendAdsPing=function(a){this.B.send(a,$Ba(this),{})}; +mO.prototype.Hg=function(a){var b=this;if(a){var c=$Ba(this);Array.isArray(a)?a.forEach(function(d){return b.j.executeCommand(d,c)}):this.j.executeCommand(a,c)}};g.w(nO,ZN);g.k=nO.prototype;g.k.RB=function(){return{currentTime:this.F.getCurrentTime(2,!1),duration:this.u.u,isPlaying:bAa(this.F),isVpaid:!1,isYouTube:!0,volume:this.F.isMuted()?0:this.F.getVolume()/100}}; +g.k.PE=function(){var a=this.u.j.legacyInfoCardVastExtension,b=this.u.Ce();a&&b&&this.F.V().Aa.add(b,{jB:a});try{var c=this.u.j.sodarExtensionData;if(c&&c.siub&&c.bgub&&c.scs&&c.bgp)try{Yka(c.siub,c.scs,c.bgub,c.bgp)}catch(e){var d=g.Xd("//tpc.googlesyndication.com/sodar/%{path}");g.DD(new g.bA("Load Sodar Error.",d instanceof Vd,d.constructor===Vd,{Message:e.message,"Escaped injector basename":g.Me(c.siub),"BG vm basename":c.bgub}));if(d.constructor===Vd)throw e;}}catch(e){g.CD(e)}eN(this.F,!1); +a=iAa(this.u);b=this.F.V();a.iv_load_policy=b.u||g.tK(b)||g.FK(b)?3:1;b=this.F.getVideoData(1);b.Ki&&(a.ctrl=b.Ki);b.qj&&(a.ytr=b.qj);b.Kp&&(a.ytrcc=b.Kp);b.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,b.ek&&(a.vss_credentials_token_type=b.ek),b.mdxEnvironment&&(a.mdx_environment=b.mdxEnvironment));this.ma("adunstarted",-1);this.T?this.D.start():(this.F.cueVideoByPlayerVars(a,2),this.D.start(),this.F.playVideo(2))}; +g.k.iC=function(){ZN.prototype.iC.call(this);this.ma("adpause",2)}; +g.k.jC=function(){ZN.prototype.jC.call(this);this.ma("adplay",1)}; +g.k.Rm=function(){ZN.prototype.Rm.call(this);this.D.stop();this.ea.S(this.F,g.ZD("bltplayback"),this.Q_);var a=new g.XD(0x7ffffffffffff,0x8000000000000,{id:"bltcompletion",namespace:"bltplayback",priority:2});this.F.ye([a],2);a=rO(this);this.C.Ga=a;if(this.F.isMuted()){a=this.Za;var b=this.F.isMuted();a.daiEnabled||MN(a,b?"mute":"unmute")}this.ma("adplay",1);if(null!==this.I){a=null!==this.C.j.getVideoData(1)?this.C.j.getVideoData(1).clientPlaybackNonce:"";b=cCa(this);for(var c=this.u,d=bCa(this), +e=g.t(this.I.listeners),f=e.next();!f.done;f=e.next()){f=f.value;var h=b,l=c,m=d,n=[],p=l.Ce(),q=l.getVideoUrl();p&&n.push(new y_(p));q&&n.push(new v1a(q));(q=(p=l.j)&&p.playerOverlay&&p.playerOverlay.instreamAdPlayerOverlayRenderer)?(n.push(new A_(q)),(q=q.elementId)&&n.push(new E_(q))):GD("instreamVideoAdRenderer without instreamAdPlayerOverlayRenderer");(p=p&&p.playerUnderlay)&&n.push(new B_(p));l.j.adNextParams&&n.push(new p_(l.j.adNextParams||""));(p=l.Ga)&&n.push(new q_(p));(p=f.Va.get().vg(2))? +(n.push(new r_({channelId:p.bk,channelThumbnailUrl:p.profilePicture,channelTitle:p.author,videoTitle:p.title})),n.push(new s_(p.isListed))):GD("Expected meaningful PlaybackData on ad started.");n.push(new u_(l.B));n.push(new J_(l.u));n.push(new z_(a));n.push(new G_({current:this}));p=l.Qa;null!=p.kind&&n.push(new t_(p));(p=l.La)&&n.push(new V_(p));void 0!==m&&n.push(new W_(m));f.j?GD(f.j.layoutId===h?"Received repeat AD_START event.":"Received a new AD_START event before received AD_ENDED event."): +dCa(f,h,n,!0,l.j.adLayoutLoggingData)}}this.F.Na("onAdStart",rO(this));a=g.t(this.u.j.impressionCommands||[]);for(b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Q_=function(a){"bltcompletion"==a.getId()&&(this.F.Ff("bltplayback",2),NN(this.Za,this.getDuration()),qO(this,"adended"))}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended");for(var a=g.t(this.u.j.completeCommands||[]),b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandoned")}; +g.k.PH=function(){var a=this.Za;KN(a)||RN(a,"clickthrough");this.B||(a=this.Za,KN(a)||RN(a,"unmuted_clickthrough"))}; +g.k.gD=function(){this.jM()}; +g.k.jM=function(){ZN.prototype.jM.call(this);this.kh("adended")}; +g.k.Lo=function(a){ZN.prototype.Lo.call(this,a);this.kh("aderror")}; +g.k.kh=function(a){this.D.stop();eN(this.F,!0);"adabandoned"!=a&&this.F.Na("onAdComplete");qO(this,a);this.F.Na("onAdEnd",rO(this));this.ma(a)}; +g.k.Eu=function(){var a=this.F.V();g.tK(a)&&(g.FK(a)||a.K("enable_topsoil_wta_for_halftime")||a.K("enable_topsoil_wta_for_halftime_live_infra")||g.tK(a))?this.F.Na("onAdInfoChange",null):ZN.prototype.Eu.call(this)}; +g.k.sX=function(){this.s4&&this.F.playVideo()}; +g.k.s4=function(){return 2==this.F.getPlayerState(2)}; +g.k.rT=function(a,b){if(!Number.isFinite(a))return g.CD(Error("Playing the video after the current media has finished is not supported")),"";if(b<=a)return g.CD(Error("Start time is not earlier than end time")),"";var c=1E3*this.u.u,d=iAa(this.u);d=this.F.Kx(d,"",2,c,a,b);a+c>b&&this.F.jA(d,b-a);return d}; +g.k.dispose=function(){bAa(this.F)&&!this.T&&this.F.stopVideo(2);qO(this,"adabandoned");ZN.prototype.dispose.call(this)};sO.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.j[b];c?b=c:(c={oB:null,kV:-Infinity},b=this.j[b]=c);c=a.startSecs+a.j/1E3;if(!(cdM&&(a=Math.max(.1,a)),this.setCurrentTime(a))}; +g.k.Dn=function(){if(!this.u&&this.Wa)if(this.Wa.D)try{var a;yI(this,{l:"mer",sr:null==(a=this.va)?void 0:zI(a),rs:BI(this.Wa)});this.Wa.clear();this.u=this.Wa;this.Wa=void 0}catch(b){a=new g.bA("Error while clearing Media Source in MediaElement: "+b.name+", "+b.message),g.CD(a),this.stopVideo()}else this.stopVideo()}; +g.k.stopVideo=function(){var a=this,b;null==(b=this.Wa)||Hva(b);if(!this.u)if(Lcb){if(!this.C){var c=new aK;c.then(void 0,function(){}); +this.C=c;Mcb&&this.pause();g.Cy(function(){a.C===c&&(IO(a),c.resolve())},200)}}else IO(this)}; +g.k.Dy=function(){var a=this.Nh();return 0performance.now()?c-Date.now()+performance.now():c;c=this.u||this.Wa;if((null==c?0:c.Ol())||b<=((null==c?void 0:c.I)||0)){var d;yI(this,{l:"mede",sr:null==(d=this.va)?void 0:zI(d)});return!1}if(this.xM)return c&&"seeking"===a.type&&(c.I=performance.now(),this.xM=!1),!1}return this.D.dispatchEvent(a)}; +g.k.nL=function(){this.J=!1}; +g.k.lL=function(){this.J=!0;this.Sz(!0)}; +g.k.VS=function(){this.J&&!this.VF()&&this.Sz(!0)}; +g.k.equals=function(a){return!!a&&a.ub()===this.ub()}; +g.k.qa=function(){this.T&&this.removeEventListener("volumechange",this.VS);Lcb&&IO(this);g.C.prototype.qa.call(this)}; +var Lcb=!1,Mcb=!1,Kcb=!1,CCa=!1;g.k=g.KO.prototype;g.k.getData=function(){return this.j}; +g.k.bd=function(){return g.S(this,8)&&!g.S(this,512)&&!g.S(this,64)&&!g.S(this,2)}; +g.k.isCued=function(){return g.S(this,64)&&!g.S(this,8)&&!g.S(this,4)}; +g.k.isError=function(){return g.S(this,128)}; +g.k.isSuspended=function(){return g.S(this,512)}; +g.k.BC=function(){return g.S(this,64)&&g.S(this,4)}; +g.k.toString=function(){return"PSt."+this.state.toString(16)}; +var $3={},a4=($3.BUFFERING="buffering-mode",$3.CUED="cued-mode",$3.ENDED="ended-mode",$3.PAUSED="paused-mode",$3.PLAYING="playing-mode",$3.SEEKING="seeking-mode",$3.UNSTARTED="unstarted-mode",$3);g.w(VO,g.dE);g.k=VO.prototype;g.k.fv=function(){var a=this.u;return a.u instanceof pN||a.u instanceof yN||a.u instanceof qN}; +g.k.uJ=function(){return!1}; +g.k.iR=function(){return this.u.j}; +g.k.vJ=function(){return"AD_PLACEMENT_KIND_START"==this.u.j.j}; +g.k.jR=function(){return zN(this.u)}; +g.k.iU=function(a){if(!bE(a)){this.ea&&(this.Aa=this.F.isAtLiveHead(),this.ya=Math.ceil(g.Ra()/1E3));var b=new vO(this.wi);a=kCa(a);b.Ch(a)}this.kR()}; +g.k.XU=function(){return!0}; +g.k.DC=function(){return this.J instanceof pN}; +g.k.kR=function(){var a=this.wi;this.XU()&&(a.u&&YO(a,!1),a.u=this,this.fv()&&yEa(a));this.D.mI();this.QW()}; +g.k.QW=function(){this.J?this.RA(this.J):ZO(this)}; +g.k.onAdEnd=function(a,b){b=void 0===b?!1:b;this.Yl(0);ZO(this,b)}; +g.k.RV=function(){this.onAdEnd()}; +g.k.d5=function(){MN(this.j.Za,"active_view_measurable")}; +g.k.g5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_fully_viewable_audible_half_duration")}; +g.k.j5=function(){}; +g.k.k5=function(){}; +g.k.l5=function(){}; +g.k.m5=function(){}; +g.k.p5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_viewable")}; +g.k.e5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_audible")}; +g.k.f5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_measurable")}; +g.k.HT=function(){return this.DC()?[this.YF()]:[]}; +g.k.yd=function(a){if(null!==this.j){this.oa||(a=new g.WN(a.state,new g.KO),this.oa=!0);var b=a.state;if(g.YN(a,2))this.j.Ei();else{var c=a;(this.F.V().experiments.ob("html5_bulleit_handle_gained_playing_state")?c.state.bd()&&!c.Hv.bd():c.state.bd())?(this.D.bP(),this.j.jC()):b.isError()?this.j.Lo(b.getData().errorCode):g.YN(a,4)&&(this.Z||this.j.iC())}if(null!==this.j){if(g.YN(a,16)&&(b=this.j.Za,!(KN(b)||.5>b.u.getCurrentTime(2,!1)))){c=b.ad;if(c.D()){var d=b.C.F.V().K("html5_dai_enable_active_view_creating_completed_adblock"); +Wka(c.J,d)}b.ad.I.seek=!0}0>XN(a,4)&&!(0>XN(a,2))&&(b=this.j,c=b.Za,KN(c)||VN(c,"resume"),b.B||(b=b.Za,KN(b)||VN(b,"unmuted_resume")));this.daiEnabled&&g.YN(a,512)&&!g.TO(a.state)&&this.D.aA()}}}; +g.k.onVideoDataChange=function(){return this.daiEnabled?ECa(this):!1}; +g.k.resume=function(){this.j&&this.j.sX()}; +g.k.sy=function(){this.j&&this.j.kh("adended")}; +g.k.Sr=function(){this.sy()}; +g.k.Yl=function(a){this.wi.Yl(a)}; +g.k.R_=function(a){this.wi.j.Na("onAdUxUpdate",a)}; +g.k.onAdUxClicked=function(a){this.j.gh(a)}; +g.k.FT=function(){return 0}; +g.k.GT=function(){return 1}; +g.k.QP=function(a){this.daiEnabled&&this.u.I&&this.u.j.start<=a&&a=this.I?this.D.B:this.D.B.slice(this.I)).some(function(a){return a.Jf()})}; -g.k.lr=function(){return this.R instanceof OJ||this.R instanceof eL}; -g.k.bl=function(){return this.R instanceof EJ||this.R instanceof ZK}; -g.k.DG=function(){this.daiEnabled?cK(this.J)&&NM(this):cN(this)}; -g.k.je=function(a){var b=aN(a);this.R&&b&&this.P!==b&&(b?Ana(this.Xc):Cna(this.Xc),this.P=b);this.R=a;(g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_action")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_image")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_shopping"))&&xna(this.Xc,this);this.daiEnabled&&(this.I=this.D.B.findIndex(function(c){return c===a})); -MM.prototype.je.call(this,a)}; -g.k.Ik=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.C&&(g.fg(this.C),this.C=null);MM.prototype.Ik.call(this,a,b)}; -g.k.Ii=function(){this.I=this.D.B.length;this.C&&this.C.ac("adended");this.B&&this.B.ac("adended");this.Ik()}; -g.k.hn=function(){cN(this)}; -g.k.Jk=function(){this.Um()}; -g.k.lc=function(a){MM.prototype.lc.call(this,a);a=a.state;g.U(a,2)&&this.C?this.C.Ye():a.Hb()?(null==this.C&&(a=this.D.D)&&(this.C=this.zk.create(a,XJ(VJ(this.u)),this.u.u.u),this.C.subscribe("onAdUxUpdate",this.fF,this),JK(this.C)),this.C&&this.C.Nj()):a.isError()&&this.C&&this.C.Wd(a.getData().errorCode)}; -g.k.Um=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(AN(this.Xc,0),a?this.Ik(a,b):cN(this))}; -g.k.AF=function(){1==this.D.C?this.Ik():this.Um()}; -g.k.onAdUxClicked=function(a){MM.prototype.onAdUxClicked.call(this,a);this.C&&this.C.If(a)}; -g.k.Ut=function(){var a=0>=this.I?this.D.B:this.D.B.slice(this.I);return 0FK(a,16)&&(this.K.forEach(this.xv,this),this.K.clear())}; -g.k.YQ=function(a,b){if(this.C&&g.Q(this.u.T().experiments,"html5_dai_debug_bulleit_cue_range")){if(!this.B||this.B.Ra())for(var c=g.q(this.Ga),d=c.next();!d.done;d=c.next())d=d.value,d instanceof bN&&d.u.P[b.Hc]&&d.Tm()}else if(this.B&&this.B.Ra(),this.C){c=1E3*this.u.getCurrentTime(1);d=g.q(this.F.keys());for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.start<=c&&c=this.C?this.B.j:this.B.j.slice(this.C)).some(function(){return!0})}; +g.k.DC=function(){return this.I instanceof pN||this.I instanceof cO}; +g.k.QW=function(){this.daiEnabled?cN(this.F)&&ECa(this):HDa(this)}; +g.k.RA=function(a){var b=GDa(a);this.I&&b&&this.T!==b&&(b?yEa(this.wi):AEa(this.wi),this.T=b);this.I=a;this.daiEnabled&&(this.C=this.B.j.findIndex(function(c){return c===a})); +VO.prototype.RA.call(this,a)}; +g.k.dN=function(a){var b=this;VO.prototype.dN.call(this,a);a.subscribe("adnotifyexitednormalorerror",function(){return void ZO(b)})}; +g.k.Sr=function(){this.C=this.B.j.length;this.j&&this.j.kh("adended");ZO(this)}; +g.k.sy=function(){this.onAdEnd()}; +g.k.onAdEnd=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(this.Yl(0),a?ZO(this,b):HDa(this))}; +g.k.RV=function(){if(1==this.B.u)this.I instanceof dO&&g.DD(Error("AdNotify error with FailureMode.TERMINATING")),ZO(this);else this.onAdEnd()}; +g.k.YF=function(){var a=0>=this.C?this.B.j:this.B.j.slice(this.C);return 0XN(a,16)&&(this.J.forEach(this.IN,this),this.J.clear())}; +g.k.Q7=function(){if(this.u)this.u.onVideoDataChange()}; +g.k.T7=function(){if(cN(this.j)&&this.u){var a=this.j.getCurrentTime(2,!1),b=this.u;b.j&&UBa(b.j,a)}}; +g.k.b5=function(){this.Xa=!0;if(this.u){var a=this.u;a.j&&a.j.Ko()}}; +g.k.n5=function(a){if(this.u)this.u.onAdUxClicked(a)}; +g.k.U7=function(){if(2==this.j.getPresentingPlayerType()&&this.u){var a=this.u.j,b=a.Za,c=a.F.isMuted();b.daiEnabled||MN(b,c?"mute":"unmute");a.B||(b=a.F.isMuted(),MN(a.Za,b?"unmuted_mute":"unmuted_unmute"))}}; +g.k.a6=function(a){if(this.u){var b=this.u.j,c=b.Za;KN(c)||RN(c,a?"fullscreen":"end_fullscreen");b.B||(b=b.Za,KN(b)||RN(b,a?"unmuted_fullscreen":"unmuted_end_fullscreen"))}}; +g.k.Ch=function(a,b){GD("removeCueRanges called in AdService");this.j.Ch(a,b);a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,this.mu.delete(b),this.B.delete(b)}; +g.k.M9=function(){for(var a=[],b=g.t(this.mu),c=b.next();!c.done;c=b.next())c=c.value,bE(c)||a.push(c);this.j.WP(a,1)}; +g.k.Yl=function(a){this.j.Yl(a);switch(a){case 1:this.qG=1;break;case 0:this.qG=0}}; +g.k.qP=function(){var a=this.j.getVideoData(2);return a&&a.isListed&&!this.T?(GD("showInfoBarDuring Ad returns true"),!0):!1}; +g.k.sy=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAd"),this.u.sy())}; +g.k.Sr=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAdPlacement"),this.u.Sr())}; +g.k.yc=function(a){if(this.u){var b=this.u;b.j&&UBa(b.j,a)}}; +g.k.executeCommand=function(a,b,c){var d=this.tb,e=d.executeCommand;if(c=void 0===c?null:c){var f=!!this.u&&this.u||null;f?(f=f.j,c=f.ad.D()?ON(f.Za,c):{}):c={}}else c={};e.call(d,a,b,c)}; +g.k.isDaiEnabled=function(){return!1}; +g.k.DT=function(){return this.Aa}; +g.k.ET=function(){return this.Ja};g.w(WP,g.C);WP.prototype.append=function(a){if(!this.u)throw Error("This does not support the append operation");a=a.ub();this.ub().appendChild(a)}; +g.w(XP,WP);XP.prototype.ub=function(){return this.j};g.w(CEa,g.C);var qSa=16/9,Pcb=[.25,.5,.75,1,1.25,1.5,1.75,2],Qcb=Pcb.concat([3,4,5,6,7,8,9,10,15]);var EEa=1;g.w(g.ZP,g.C);g.k=g.ZP.prototype; +g.k.createElement=function(a,b){b=b||"svg"===a.G;var c=a.N,d=a.Ia;if(b){var e=document.createElementNS("http://www.w3.org/2000/svg",a.G);g.HK&&(a.X||(a.X={}),a.X.focusable="false")}else e=g.qf(a.G);if(c){if(c=$P(this,e,"class",c))aQ(this,e,"class",c),this.Pb[c]=e}else if(d){c=g.t(d);for(var f=c.next();!f.done;f=c.next())this.Pb[f.value]=e;aQ(this,e,"class",d.join(" "))}d=a.ra;c=a.W;if(d)b=$P(this,e,"child",d),void 0!==b&&e.appendChild(g.rf(b));else if(c)for(d=0,c=g.t(c),f=c.next();!f.done;f=c.next())if(f= +f.value)if("string"===typeof f)f=$P(this,e,"child",f),null!=f&&e.appendChild(g.rf(f));else if(f.element)e.appendChild(f.element);else{var h=f;f=this.createElement(h,b);e.appendChild(f);h.xc&&(h=YP(),f.id=h,f=document.createElementNS("http://www.w3.org/2000/svg","use"),f.setAttribute("class","ytp-svg-shadow"),f.setAttributeNS("http://www.w3.org/1999/xlink","href","#"+h),g.wf(e,f,d++))}if(a=a.X)for(b=e,d=g.t(Object.keys(a)),c=d.next();!c.done;c=d.next())c=c.value,f=a[c],aQ(this,b,c,"string"===typeof f? +$P(this,b,c,f):f);return e}; +g.k.Da=function(a){return this.Pb[a]}; +g.k.Ea=function(a,b){"number"===typeof b?g.wf(a,this.element,b):a.appendChild(this.element)}; +g.k.detach=function(){g.xf(this.element)}; +g.k.update=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.updateValue(c,a[c])}; +g.k.updateValue=function(a,b){(a=this.Nd["{{"+a+"}}"])&&aQ(this,a[0],a[1],b)}; +g.k.qa=function(){this.Pb={};this.Nd={};this.detach();g.C.prototype.qa.call(this)};g.w(g.U,g.ZP);g.k=g.U.prototype;g.k.ge=function(a,b){this.updateValue(b||"content",a)}; +g.k.show=function(){this.yb||(g.Hm(this.element,"display",""),this.yb=!0)}; +g.k.hide=function(){this.yb&&(g.Hm(this.element,"display","none"),this.yb=!1)}; +g.k.Zb=function(a){this.ea=a}; +g.k.Ra=function(a,b,c){return this.S(this.element,a,b,c)}; +g.k.S=function(a,b,c,d){c=(0,g.Oa)(c,d||this);d={target:a,type:b,listener:c};this.listeners.push(d);a.addEventListener(b,c);return d}; +g.k.Hc=function(a){var b=this;this.listeners.forEach(function(c,d){c===a&&(c=b.listeners.splice(d,1)[0],c.target.removeEventListener(c.type,c.listener))})}; +g.k.focus=function(){var a=this.element;Bf(a);a.focus()}; +g.k.qa=function(){for(;this.listeners.length;){var a=this.listeners.pop();a&&a.target.removeEventListener(a.type,a.listener)}g.ZP.prototype.qa.call(this)};g.w(g.dQ,g.U);g.dQ.prototype.subscribe=function(a,b,c){return this.La.subscribe(a,b,c)}; +g.dQ.prototype.unsubscribe=function(a,b,c){return this.La.unsubscribe(a,b,c)}; +g.dQ.prototype.Gh=function(a){return this.La.Gh(a)}; +g.dQ.prototype.ma=function(a){return this.La.ma.apply(this.La,[a].concat(g.u(g.ya.apply(1,arguments))))};var Rcb=new WeakSet;g.w(eQ,g.dQ);g.k=eQ.prototype;g.k.bind=function(a){this.Xa||a.renderer&&this.init(a.id,a.renderer,{},a);return Promise.resolve()}; +g.k.init=function(a,b,c){this.Xa=a;this.element.setAttribute("id",this.Xa);this.kb&&g.Qp(this.element,this.kb);this.T=b&&b.adRendererCommands;this.macros=c;this.I=b.trackingParams||null;null!=this.I&&this.Zf(this.element,this.I)}; g.k.clear=function(){}; -g.k.hide=function(){g.KN.prototype.hide.call(this);null!=this.K&&RN(this,this.element,!1)}; -g.k.show=function(){g.KN.prototype.show.call(this);if(!this.Zb){this.Zb=!0;var a=this.X&&this.X.impressionCommand;a&&Lna(this,a,null)}null!=this.K&&RN(this,this.element,!0)}; -g.k.onClick=function(a){if(this.K&&!RCa.has(a)){var b=this.element;g.PN(this.api,b)&&this.fb&&g.$T(this.api,b,this.u);RCa.add(a)}(a=this.X&&this.X.clickCommand)&&Lna(this,a,this.bD())}; -g.k.bD=function(){return null}; -g.k.yN=function(a){var b=this.aa;b.K=!0;b.B=a.touches.length;b.u.isActive()&&(b.u.stop(),b.F=!0);a=a.touches;b.I=Ina(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.R=Infinity,b.P=Infinity):(b.R=c.clientX,b.P=c.clientY);for(c=b.C.length=0;cMath.pow(5,2))b.D=!0}; -g.k.wN=function(a){if(this.aa){var b=this.aa,c=a.changedTouches;c&&b.K&&1==b.B&&!b.D&&!b.F&&!b.I&&Ina(b,c)&&(b.X=a,b.u.start());b.B=a.touches.length;0===b.B&&(b.K=!1,b.D=!1,b.C.length=0);b.F=!1}}; -g.k.ca=function(){this.clear(null);this.Mb(this.kb);for(var a=g.q(this.ha),b=a.next();!b.done;b=a.next())this.Mb(b.value);g.KN.prototype.ca.call(this)};g.u(TN,W);TN.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b=(a=b.thumbnail)&&SN(a)||"";g.pc(b)?(g.Q(this.api.T().experiments,"web_player_ad_image_error_rate_sampling_killswitch")||.01>Math.random())&&g.Fo(Error("Found AdImage without valid image URL")):(this.B?g.ug(this.element,"backgroundImage","url("+b+")"):ve(this.element,{src:b}),ve(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),this.show())}; -TN.prototype.clear=function(){this.hide()};g.u(fO,W); -fO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.B=b;if(null==b.text&&null==b.icon)g.Fo(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.I(this.element,a);null!=b.text&&(a=g.T(b.text),g.pc(a)||(this.element.setAttribute("aria-label",a),this.D=new g.KN({G:"span",L:"ytp-ad-button-text",Z:a}),g.D(this,this.D),this.D.ga(this.element)));null!=b.icon&&(b=eO(b.icon),null!= -b&&(this.C=new g.KN({G:"span",L:"ytp-ad-button-icon",S:[b]}),g.D(this,this.C)),this.F?g.Ie(this.element,this.C.element,0):this.C.ga(this.element))}}; -fO.prototype.clear=function(){this.hide()}; -fO.prototype.onClick=function(a){var b=this;W.prototype.onClick.call(this,a);boa(this).forEach(function(c){return b.Ha.executeCommand(c,b.macros)}); -this.api.onAdUxClicked(this.componentType,this.layoutId)};var apa={seekableStart:0,seekableEnd:1,current:0};g.u(gO,W);gO.prototype.clear=function(){this.dispose()};g.u(jO,gO);g.k=jO.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);g.ug(this.D,"stroke-dasharray","0 "+this.C);this.show()}; +g.k.hide=function(){g.dQ.prototype.hide.call(this);null!=this.I&&this.Ua(this.element,!1)}; +g.k.show=function(){g.dQ.prototype.show.call(this);if(!this.tb){this.tb=!0;var a=this.T&&this.T.impressionCommand;a&&this.WO(a)}null!=this.I&&this.Ua(this.element,!0)}; +g.k.onClick=function(a){if(this.I&&!Rcb.has(a)){var b=this.element;this.api.Dk(b)&&this.yb&&this.api.qb(b,this.interactionLoggingClientData);Rcb.add(a)}if(a=this.T&&this.T.clickCommand)a=this.bX(a),this.WO(a)}; +g.k.bX=function(a){return a}; +g.k.W_=function(a){var b=this.oa;b.J=!0;b.u=a.touches.length;b.j.isActive()&&(b.j.stop(),b.D=!0);a=a.touches;b.I=DEa(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.T=Infinity,b.ea=Infinity):(b.T=c.clientX,b.ea=c.clientY);for(c=b.B.length=0;cMath.pow(5,2))b.C=!0}; +g.k.U_=function(a){if(this.oa){var b=this.oa,c=a.changedTouches;c&&b.J&&1==b.u&&!b.C&&!b.D&&!b.I&&DEa(b,c)&&(b.Z=a,b.j.start());b.u=a.touches.length;0===b.u&&(b.J=!1,b.C=!1,b.B.length=0);b.D=!1}}; +g.k.WO=function(a){this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(new g.bA("There is undefined layoutId when calling the runCommand method.",{componentType:this.componentType}))}; +g.k.Zf=function(a,b){this.api.Zf(a,this);this.api.og(a,b)}; +g.k.Ua=function(a,b){this.api.Dk(a)&&this.api.Ua(a,b,this.interactionLoggingClientData)}; +g.k.qa=function(){this.clear(null);this.Hc(this.ib);for(var a=g.t(this.ya),b=a.next();!b.done;b=a.next())this.Hc(b.value);g.dQ.prototype.qa.call(this)};g.w(vQ,eQ); +vQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(null==b.text&&null==b.icon)g.DD(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.Qp(this.element,a);null!=b.text&&(a=g.gE(b.text),g.Tb(a)||(this.element.setAttribute("aria-label",a),this.B=new g.dQ({G:"span",N:"ytp-ad-button-text",ra:a}),g.E(this,this.B),this.B.Ea(this.element)));this.api.V().K("use_accessibility_data_on_desktop_player_button")&&b.accessibilityData&& +b.accessibilityData.accessibilityData&&b.accessibilityData.accessibilityData.label&&!g.Tb(b.accessibilityData.accessibilityData.label)&&this.element.setAttribute("aria-label",b.accessibilityData.accessibilityData.label);null!=b.icon&&(b=uQ(b.icon),null!=b&&(this.u=new g.dQ({G:"span",N:"ytp-ad-button-icon",W:[b]}),g.E(this,this.u)),this.C?g.wf(this.element,this.u.element,0):this.u.Ea(this.element))}}; +vQ.prototype.clear=function(){this.hide()}; +vQ.prototype.onClick=function(a){eQ.prototype.onClick.call(this,a);a=g.t(WEa(this));for(var b=a.next();!b.done;b=a.next())b=b.value,this.layoutId?this.rb.executeCommand(b,this.layoutId):g.CD(Error("Missing layoutId for button."));this.api.onAdUxClicked(this.componentType,this.layoutId)};g.w(wQ,g.C);wQ.prototype.qa=function(){this.u&&g.Fz(this.u);this.j.clear();xQ=null;g.C.prototype.qa.call(this)}; +wQ.prototype.register=function(a,b){b&&this.j.set(a,b)}; +var xQ=null;g.w(zQ,eQ); +zQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&g.K(b.button,g.mM)||null;null==b?g.CD(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),g.E(this,this.button),this.button.init(fN("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.gE(a)),this.button.Ea(this.element),this.D&&!g.Pp(this.button.element,"ytp-ad-clickable")&&g.Qp(this.button.element, +"ytp-ad-clickable"),a&&(this.u=new g.dQ({G:"div",N:"ytp-ad-hover-text-container"}),this.C&&(b=new g.dQ({G:"div",N:"ytp-ad-hover-text-callout"}),b.Ea(this.u.element),g.E(this,b)),g.E(this,this.u),this.u.Ea(this.element),b=yQ(a),g.wf(this.u.element,b,0)),this.show())}; +zQ.prototype.hide=function(){this.button&&this.button.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this)}; +zQ.prototype.show=function(){this.button&&this.button.show();eQ.prototype.show.call(this)};g.w(BQ,eQ); +BQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);c=(a=b.thumbnail)&&AQ(a)||"";g.Tb(c)?.01>Math.random()&&g.DD(Error("Found AdImage without valid image URL")):(this.j?g.Hm(this.element,"backgroundImage","url("+c+")"):lf(this.element,{src:c}),lf(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),b&&b.adRendererCommands&&b.adRendererCommands.clickCommand?this.element.classList.add("ytp-ad-clickable-element"):this.element.classList.remove("ytp-ad-clickable-element"),this.show())}; +BQ.prototype.clear=function(){this.hide()};g.w(CQ,eQ);g.k=CQ.prototype;g.k.hide=function(){eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.B=document.activeElement;eQ.prototype.show.call(this);this.C.focus()}; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?g.CD(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?g.CD(Error("ConfirmDialogRenderer.cancelLabel was not set.")):$Ea(this,b):g.CD(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; +g.k.clear=function(){g.Lz(this.j);this.hide()}; +g.k.FN=function(){this.hide()}; +g.k.CJ=function(){var a=this.u.cancelEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()}; +g.k.GN=function(){var a=this.u.confirmNavigationEndpoint||this.u.confirmEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()};g.w(DQ,eQ);g.k=DQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;if(null==b.defaultText&&null==b.defaultIcon)g.CD(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)g.CD(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.Qp(this.B,a)}a={};b.defaultText? +(c=g.gE(b.defaultText),g.Tb(c)||(a.buttonText=c,this.j.setAttribute("aria-label",c))):g.Tm(this.Aa,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.j.hasAttribute("aria-label")||this.Z.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=uQ(b.defaultIcon),this.updateValue("untoggledIconTemplateSpec",c),b.toggledIcon?(this.J=!0,c=uQ(b.toggledIcon),this.updateValue("toggledIconTemplateSpec",c)):(g.Tm(this.D,!0),g.Tm(this.C,!1)),g.Tm(this.j,!1)):g.Tm(this.Z,!1);g.hd(a)||this.update(a); +b.isToggled&&(g.Qp(this.B,"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));EQ(this);this.S(this.element,"change",this.uR);this.show()}}; +g.k.onClick=function(a){0a&&M(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ga&&g.I(this.C.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.ia=null==a||0===a?this.B.gF():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.D.init(AK("ad-text"),d,c);(d=this.api.getVideoData(1))&& -d.Vr&&b.thumbnail?this.I.init(AK("ad-image"),b.thumbnail,c):this.P.hide()}; +g.k.toggleButton=function(a){g.Up(this.B,"ytp-ad-toggle-button-toggled",a);this.j.checked=a;EQ(this)}; +g.k.isToggled=function(){return this.j.checked};g.w(FQ,Jz);FQ.prototype.I=function(a){if(Array.isArray(a)){a=g.t(a);for(var b=a.next();!b.done;b=a.next())b=b.value,b instanceof cE&&this.C(b)}};g.w(GQ,eQ);g.k=GQ.prototype;g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?g.CD(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.DD(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.DD(Error("AdFeedbackRenderer.title was not set.")),eFa(this,b)):g.CD(Error("AdFeedbackRenderer.reasons were not set."))}; +g.k.clear=function(){Hz(this.D);Hz(this.J);this.C.length=0;this.hide()}; +g.k.hide=function(){this.j&&this.j.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.j&&this.j.show();this.u&&this.u.show();this.B=document.activeElement;eQ.prototype.show.call(this);this.D.focus()}; +g.k.aW=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.ma("a");this.hide()}; +g.k.P7=function(){this.hide()}; +HQ.prototype.ub=function(){return this.j.element}; +HQ.prototype.isChecked=function(){return this.B.checked};g.w(IQ,CQ);IQ.prototype.FN=function(a){CQ.prototype.FN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.CJ=function(a){CQ.prototype.CJ.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.GN=function(a){CQ.prototype.GN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.ma("b")};g.w(JQ,eQ);g.k=JQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.D=b;if(null==b.dialogMessage&&null==b.title)g.CD(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.DD(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&g.K(b.closeOverlayRenderer,g.mM)||null)this.j=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"), +g.E(this,this.j),this.j.init(fN("button"),a,this.macros),this.j.Ea(this.element);b.title&&(a=g.gE(b.title),this.updateValue("title",a));if(b.adReasons)for(a=b.adReasons,c=0;ca&&g.CD(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ya&&g.Qp(this.u.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.Aa=null==a||0===a?this.j.Jl():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.B.init(fN("ad-text"),d,c);(d=this.api.getVideoData(1))&& +d.Zn&&b.thumbnail?this.C.init(fN("ad-image"),b.thumbnail,c):this.J.hide()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){this.C.hide();this.D.hide();this.I.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.show=function(){hO(this);this.C.show();this.D.show();this.I.show();gO.prototype.show.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.za&&a>=this.ia?(g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")||this.Y.hide(),this.za=!0,this.V("c")):this.D&&this.D.isTemplated()&&(a=Math.max(0,Math.ceil((this.ia-a)/1E3)),a!=this.Aa&&(lO(this.D,{TIME_REMAINING:String(a)}),this.Aa=a)))}};g.u(qO,g.C);g.k=qO.prototype;g.k.ca=function(){this.reset();g.C.prototype.ca.call(this)}; -g.k.reset=function(){g.ut(this.F);this.I=!1;this.u&&this.u.stop();this.D.stop();this.B&&(this.B=!1,this.K.play())}; -g.k.start=function(){this.reset();this.F.N(this.C,"mouseover",this.CN,this);this.F.N(this.C,"mouseout",this.BN,this);this.u?this.u.start():(this.I=this.B=!0,g.ug(this.C,{opacity:this.P}))}; -g.k.CN=function(){this.B&&(this.B=!1,this.K.play());this.D.stop();this.u&&this.u.stop()}; -g.k.BN=function(){this.I?this.D.start():this.u&&this.u.start()}; -g.k.WB=function(){this.B||(this.B=!0,this.R.play(),this.I=!0)};g.u(rO,gO);g.k=rO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);this.P=b;this.ia=coa(this);if(!b||g.Sb(b))M(Error("SkipButtonRenderer was not specified or empty."));else if(!b.message||g.Sb(b.message))M(Error("SkipButtonRenderer.message was not specified or empty."));else{a={iconType:"SKIP_NEXT"};b=eO(a);null==b?M(Error("Icon for SkipButton was unable to be retrieved. yt.innertube.Icon.IconType: "+a.iconType+".")):(this.I=new g.KN({G:"button",la:["ytp-ad-skip-button","ytp-button"],S:[{G:"span",L:"ytp-ad-skip-button-icon", -S:[b]}]}),g.D(this,this.I),this.I.ga(this.D.element),this.C=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-ad-skip-button-text"),this.C.init(AK("ad-text"),this.P.message,c),g.D(this,this.C),g.Ie(this.I.element,this.C.element,0));var d=void 0===d?null:d;c=this.api.T();!(0this.B&&(this.u=this.B,this.Za.stop(),a=!0);this.D={seekableStart:0,seekableEnd:this.B/1E3,current:this.u/1E3};this.F&&this.F.sc(this.D.current);this.V("b");a&&this.V("a")}; -g.k.getProgressState=function(){return this.D};g.u(tO,W);g.k=tO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&b.actionButton.buttonRenderer)if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)M(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!= -e&&0f)M(Error("timeoutSeconds was specified incorrectly in AdChoiceInterstitialRenderer with a value of: "+f));else if(b.completeCommands)if(b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer){foa(this,b.text);var m=goa(b.defaultButtonChoiceIndex);ioa(this,e,a,m)?(koa(this,b.completeCommands,c,f),b&&b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer&&loa(this,b.adDurationRemaining.timedPieCountdownRenderer, -c),b&&b.background&&(c=this.ka("ytp-ad-choice-interstitial"),eoa(c,b.background)),joa(this,a),this.show(),g.Q(this.api.T().experiments,"self_podding_default_button_focused")&&g.mm(function(){0===m?d.B&&d.B.focus():d.D&&d.D.focus()})):M(Error("AdChoiceInterstitialRenderer failed to initialize buttons."))}else M(Error("AdChoiceInterstitialRenderer requires a timed_pie_countdown_renderer.")); -else M(Error("timeoutSeconds was specified yet no completeCommands were specified"))}else M(Error("AdChoiceInterstitialRenderer should have two choices."));else M(Error("AdChoiceInterstitialRenderer has no title."))}; -uO.prototype.clear=function(){this.hide()};g.u(vO,W);g.k=vO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.text?(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a?M(Error("durationMilliseconds was specified incorrectly in AdTextInterstitialRenderer with a value of: "+a)):(this.B.init(AK("ad-text"),b.text,c),this.show())):M(Error("AdTextInterstitialRenderer has no message AdText."))}; +g.k.hide=function(){this.u.hide();this.B.hide();this.C.hide();PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);this.u.show();this.B.show();this.C.show();NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(null!=this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Ja&&a>=this.Aa?(this.Z.hide(),this.Ja=!0,this.ma("i")):this.B&&this.B.isTemplated()&&(a=Math.max(0,Math.ceil((this.Aa-a)/1E3)),a!=this.Qa&&(MQ(this.B,{TIME_REMAINING:String(a)}),this.Qa=a)))}};g.w(UQ,NQ);g.k=UQ.prototype; +g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if((a=b.actionButton&&g.K(b.actionButton,g.mM))&&a.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d)if(b.image&&b.image.thumbnail){var e=b.image.thumbnail.thumbnails;null!=e&&0=this.Aa&&(PQ(this),g.Sp(this.element,"ytp-flyout-cta-inactive"),this.u.element.removeAttribute("tabIndex"))}}; +g.k.Vv=function(){this.clear()}; +g.k.clear=function(){this.hide();this.api.removeEventListener("playerUnderlayVisibilityChange",this.wR.bind(this))}; +g.k.show=function(){this.u&&this.u.show();NQ.prototype.show.call(this)}; +g.k.hide=function(){this.u&&this.u.hide();NQ.prototype.hide.call(this)}; +g.k.wR=function(a){"hidden"==a?this.show():this.hide()};g.w(VQ,eQ);g.k=VQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(this.j.rectangle)for(a=this.j.likeButton&&g.K(this.j.likeButton,u3),b=this.j.dislikeButton&&g.K(this.j.dislikeButton,u3),this.B.init(fN("toggle-button"),a,c),this.u.init(fN("toggle-button"),b,c),this.S(this.element,"change",this.xR),this.C.show(100),this.show(),c=g.t(this.j&&this.j.impressionCommands||[]),a=c.next();!a.done;a=c.next())a=a.value,this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for instream user sentiment."))}; g.k.clear=function(){this.hide()}; -g.k.show=function(){moa(!0);W.prototype.show.call(this)}; -g.k.hide=function(){moa(!1);W.prototype.hide.call(this)}; -g.k.onClick=function(){};g.u(wO,g.C);wO.prototype.ca=function(){this.B&&g.dp(this.B);this.u.clear();xO=null;g.C.prototype.ca.call(this)}; -wO.prototype.register=function(a,b){b&&this.u.set(a,b)}; -var xO=null;g.u(zO,W); -zO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&b.button.buttonRenderer||null;null==b?M(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new fO(this.api,this.Ha,this.layoutId,this.u),g.D(this,this.button),this.button.init(AK("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.T(a)),this.button.ga(this.element),this.I&&!g.qn(this.button.element,"ytp-ad-clickable")&&g.I(this.button.element,"ytp-ad-clickable"), -a&&(this.C=new g.KN({G:"div",L:"ytp-ad-hover-text-container"}),this.F&&(b=new g.KN({G:"div",L:"ytp-ad-hover-text-callout"}),b.ga(this.C.element),g.D(this,b)),g.D(this,this.C),this.C.ga(this.element),b=yO(a),g.Ie(this.C.element,b,0)),this.show())}; -zO.prototype.hide=function(){this.button&&this.button.hide();this.C&&this.C.hide();W.prototype.hide.call(this)}; -zO.prototype.show=function(){this.button&&this.button.show();W.prototype.show.call(this)};g.u(AO,W);g.k=AO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?M(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.Fo(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.Fo(Error("AdFeedbackRenderer.title was not set.")),toa(this,b)):M(Error("AdFeedbackRenderer.reasons were not set."))}; -g.k.clear=function(){np(this.F);np(this.P);this.D.length=0;this.hide()}; -g.k.hide=function(){this.B&&this.B.hide();this.C&&this.C.hide();W.prototype.hide.call(this);this.I&&this.I.focus()}; -g.k.show=function(){this.B&&this.B.show();this.C&&this.C.show();this.I=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.kF=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.V("f");this.hide()}; -g.k.VQ=function(){this.hide()}; -BO.prototype.Pa=function(){return this.u.element}; -BO.prototype.isChecked=function(){return this.C.checked};g.u(CO,W);g.k=CO.prototype;g.k.hide=function(){W.prototype.hide.call(this);this.D&&this.D.focus()}; -g.k.show=function(){this.D=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?M(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?M(Error("ConfirmDialogRenderer.cancelLabel was not set.")):uoa(this,b):M(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; -g.k.clear=function(){g.ut(this.B);this.hide()}; -g.k.Bz=function(){this.hide()}; -g.k.vz=function(){var a=this.C.cancelEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()}; -g.k.Cz=function(){var a=this.C.confirmNavigationEndpoint||this.C.confirmEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()};g.u(DO,CO);DO.prototype.Bz=function(a){CO.prototype.Bz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.vz=function(a){CO.prototype.vz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.Cz=function(a){CO.prototype.Cz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.V("g")};g.u(EO,W);g.k=EO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.I=b;if(null==b.dialogMessage&&null==b.title)M(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.Fo(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&b.closeOverlayRenderer.buttonRenderer||null)this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"),g.D(this,this.B), -this.B.init(AK("button"),a,this.macros),this.B.ga(this.element);b.title&&(a=g.T(b.title),this.ya("title",a));if(b.adReasons)for(a=b.adReasons,c=0;c=a&&M(Error("durationMs was specified incorrectly in AdMessageRenderer with a value of: "+a));a=b.durationMs;this.I=null==a||0===a?0:a+1E3*this.B.getProgressState().current;if(b.text)var d=b.text.templatedAdText;else b.staticMessage&&(d=b.staticMessage);this.C.init(AK("ad-text"),d,c);this.C.ga(this.D.element);this.P.show(100);this.show()}; +g.k.hide=function(){this.B.hide();this.u.hide();eQ.prototype.hide.call(this)}; +g.k.show=function(){this.B.show();this.u.show();eQ.prototype.show.call(this)}; +g.k.xR=function(){jla(this.element,"ytp-ad-instream-user-sentiment-selected");this.j.postMessageAction&&this.api.Na("onYtShowToast",this.j.postMessageAction);this.C.hide()}; +g.k.onClick=function(a){0=this.J&&pFa(this,!0)};g.w($Q,vQ);$Q.prototype.init=function(a,b,c){vQ.prototype.init.call(this,a,b,c);a=!1;null!=b.text&&(a=g.gE(b.text),a=!g.Tb(a));a?null==b.navigationEndpoint?g.DD(Error("No visit advertiser clickthrough provided in renderer,")):"STYLE_UNKNOWN"!==b.style?g.DD(Error("Button style was not a link-style type in renderer,")):this.show():g.DD(Error("No visit advertiser text was present in the renderer."))};g.w(aR,eQ);aR.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.text;g.Tb(fQ(a))?g.DD(Error("SimpleAdBadgeRenderer has invalid or empty text")):(a&&a.text&&(b=a.text,this.j&&(b=this.api.V(),b=a.text+" "+(b&&b.u?"\u2022":"\u00b7")),b={text:b,isTemplated:a.isTemplated},a.style&&(b.style=a.style),a.targetId&&(b.targetId=a.targetId),a=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),a.init(fN("simple-ad-badge"),b,c),a.Ea(this.element),g.E(this,a)),this.show())}; +aR.prototype.clear=function(){this.hide()};g.w(bR,gN);g.w(cR,g.dE);g.k=cR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(a){this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:a.current};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(dR,g.dE);g.k=dR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.start=function(){this.j||(this.j=!0,this.timer.start())}; +g.k.stop=function(){this.j&&(this.j=!1,this.timer.stop())}; +g.k.yc=function(){this.Mi+=100;var a=!1;this.Mi>this.durationMs&&(this.Mi=this.durationMs,this.timer.stop(),a=!0);this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:this.Mi/1E3};this.xe&&this.xe.yc(this.u.current);this.ma("h");a&&this.ma("g")}; +g.k.getProgressState=function(){return this.u};g.w(gR,NQ);g.k=gR.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);var d;if(null==b?0:null==(d=b.templatedCountdown)?0:d.templatedAdText){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.DD(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.u=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb);this.u.init(fN("ad-text"),a,{});this.u.Ea(this.element);g.E(this,this.u)}this.show()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){Noa(this,!1);gO.prototype.hide.call(this);this.D.hide();this.C.hide();iO(this)}; -g.k.show=function(){Noa(this,!0);gO.prototype.show.call(this);hO(this);this.D.show();this.C.show()}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Y&&a>=this.I?(this.P.hide(),this.Y=!0):this.C&&this.C.isTemplated()&&(a=Math.max(0,Math.ceil((this.I-a)/1E3)),a!=this.ia&&(lO(this.C,{TIME_REMAINING:String(a)}),this.ia=a)))}};g.u(ZO,gO);g.k=ZO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);a=b&&b.preskipRenderer&&b.preskipRenderer.adPreviewRenderer||{};if(a=g.Sb(a)?null:a){this.I=null!=a.durationMilliseconds&&void 0!==a.durationMilliseconds?a.durationMilliseconds:5E3;var d="countdown_next_to_thumbnail"==g.kB(this.api.T().experiments,"preskip_button_style_ads_backend")&&uD(this.api.T());this.C=new oO(this.api,this.Ha,this.layoutId,this.u,this.B,d);this.C.init(AK("preskip-component"),a,c);pO(this.C);g.D(this,this.C);this.C.ga(this.element); -g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")&&this.C.subscribe("c",this.PP,this)}else b.skipOffsetMilliseconds&&(this.I=b.skipOffsetMilliseconds);b=b&&b.skippableRenderer&&b.skippableRenderer.skipButtonRenderer||{};b=g.Sb(b)?null:b;null==b?M(Error("SkipButtonRenderer was not set in player response.")):(this.D=new rO(this.api,this.Ha,this.layoutId,this.u,this.B),this.D.init(AK("skip-button"),b,c),g.D(this,this.D),this.D.ga(this.element),this.show())}; -g.k.show=function(){this.P&&this.D?this.D.show():this.C&&this.C.show();hO(this);gO.prototype.show.call(this)}; -g.k.bn=function(){}; -g.k.clear=function(){this.C&&this.C.clear();this.D&&this.D.clear();iO(this);gO.prototype.hide.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();this.D&&this.D.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.PP=function(){$O(this,!0)}; -g.k.Cl=function(){g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")?this.C||1E3*this.B.getProgressState().current>=this.I&&$O(this,!0):1E3*this.B.getProgressState().current>=this.I&&$O(this,!0)};g.u(aP,W);aP.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.skipAd&&(a=b.skipAd,a.skipAdRenderer&&(b=new ZO(this.api,this.Ha,this.layoutId,this.u,this.B),b.ga(this.C),b.init(AK("skip-button"),a.skipAdRenderer,this.macros),g.D(this,b)));this.show()};g.u(dP,gO);g.k=dP.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.templatedCountdown){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.Fo(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.C=new kO(this.api,this.Ha,this.layoutId,this.u);this.C.init(AK("ad-text"),a,{});this.C.ga(this.element);g.D(this,this.C)}this.show()}; -g.k.clear=function(){this.hide()}; -g.k.hide=function(){iO(this);gO.prototype.hide.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();if(null!=a&&null!=a.current&&this.C){a=(void 0!==this.D?this.D:this.B instanceof sO?a.seekableEnd:this.api.getDuration(2,!1))-a.current;var b=g.bP(a);lO(this.C,{FORMATTED_AD_DURATION_REMAINING:String(b),TIME_REMAINING:String(Math.ceil(a))})}}}; -g.k.show=function(){hO(this);gO.prototype.show.call(this)};g.u(eP,kO);eP.prototype.onClick=function(a){kO.prototype.onClick.call(this,a);this.api.onAdUxClicked(this.componentType)};g.u(fP,gO);g.k=fP.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.actionButton&&b.actionButton.buttonRenderer&&b.actionButton.buttonRenderer.navigationEndpoint){a=this.api.getVideoData(2);if(null!=a)if(b.image&&b.image.thumbnail){var d=b.image.thumbnail.thumbnails;null!=d&&0=this.ia&&(iO(this),g.sn(this.element,"ytp-flyout-cta-inactive"))}}; -g.k.bn=function(){this.clear()}; -g.k.clear=function(){this.hide()}; -g.k.show=function(){this.C&&this.C.show();gO.prototype.show.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();gO.prototype.hide.call(this)};g.u(gP,W);g.k=gP.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;if(null==b.defaultText&&null==b.defaultIcon)M(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)M(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.I(this.D,a)}a={};b.defaultText? -(c=g.T(b.defaultText),g.pc(c)||(a.buttonText=c,this.B.setAttribute("aria-label",c))):g.Mg(this.ia,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.B.hasAttribute("aria-label")||this.Y.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=eO(b.defaultIcon),this.ya("untoggledIconTemplateSpec",c),b.toggledIcon?(this.P=!0,c=eO(b.toggledIcon),this.ya("toggledIconTemplateSpec",c)):(g.Mg(this.I,!0),g.Mg(this.F,!1)),g.Mg(this.B,!1)):g.Mg(this.Y,!1);g.Sb(a)||this.update(a);b.isToggled&&(g.I(this.D, -"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));hP(this);this.N(this.element,"change",this.iF);this.show()}}; -g.k.onClick=function(a){0a)M(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&b.ctaButton.buttonRenderer)if(b.brandImage)if(b.backgroundImage&&b.backgroundImage.thumbnailLandscapePortraitRenderer&&b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape){Zoa(this.F,b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape);Zoa(this.P, -b.brandImage);g.Ne(this.Y,g.T(b.text));this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-survey-interstitial-action-button"]);g.D(this,this.B);this.B.ga(this.I);this.B.init(AK("button"),b.ctaButton.buttonRenderer,c);this.B.show();var e=b.timeoutCommands;this.D=new sO(1E3*a);this.D.subscribe("a",function(){d.C.hide();e.forEach(function(f){return d.Ha.executeCommand(f,c)}); -d.Ha.executeCommand({adLifecycleCommand:{action:"END_LINEAR_AD"}},c)}); -g.D(this,this.D);this.N(this.element,"click",function(f){return Yoa(d,f,b)}); -this.C.show(100);b.impressionCommands&&b.impressionCommands.forEach(function(f){return d.Ha.executeCommand(f,c)})}else M(Error("SurveyTextInterstitialRenderer has no landscape background image.")); -else M(Error("SurveyTextInterstitialRenderer has no brandImage."));else M(Error("SurveyTextInterstitialRenderer has no button."));else M(Error("SurveyTextInterstitialRenderer has no text."));else M(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; -zP.prototype.clear=function(){this.hide()}; -zP.prototype.show=function(){$oa(!0);W.prototype.show.call(this)}; -zP.prototype.hide=function(){$oa(!1);W.prototype.hide.call(this)};g.u(AP,g.O);g.k=AP.prototype;g.k.gF=function(){return 1E3*this.u.getDuration(this.C,!1)}; -g.k.stop=function(){this.D&&this.B.Mb(this.D)}; -g.k.hF=function(){var a=this.u.getProgressState(this.C);this.F={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:g.Q(this.u.T().experiments,"halftime_ux_killswitch")?a.current:this.u.getCurrentTime(this.C,!1)};this.V("b")}; -g.k.getProgressState=function(){return this.F}; -g.k.vN=function(a){g.GK(a,2)&&this.V("a")};var SCa="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.u(CP,BN); -CP.prototype.C=function(a){var b=a.id,c=a.content;if(c){var d=c.componentType;if(!SCa.includes(d))switch(a.actionType){case 1:a=this.K();var e=this.D,f=c.layoutId,h=c.u;h=void 0===h?{}:h;switch(d){case "invideo-overlay":a=new SO(e,a,f,h);break;case "persisting-overlay":a=new aP(e,a,f,h,new AP(e));break;case "player-overlay":a=new pP(e,a,f,h,new AP(e));break;case "survey":a=new yP(e,a,f,h);break;case "ad-action-interstitial":a=new tO(e,a,f,h);break;case "ad-text-interstitial":a=new vO(e,a,f,h);break; -case "survey-interstitial":a=new zP(e,a,f,h);break;case "ad-choice-interstitial":a=new uO(e,a,f,h);break;case "ad-message":a=new YO(e,a,f,h,new AP(e,1));break;default:a=null}if(!a){g.Fo(Error("No UI component returned from ComponentFactory for type: "+d));break}Ob(this.B,b)?g.Fo(Error("Ad UI component already registered: "+b)):this.B[b]=a;a.bind(c);this.F.append(a.Nb);break;case 2:b=bpa(this,a);if(null==b)break;b.bind(c);break;case 3:c=bpa(this,a),null!=c&&(g.fg(c),Ob(this.B,b)?(c=this.B,b in c&& -delete c[b]):g.Fo(Error("Ad UI component does not exist: "+b)))}}}; -CP.prototype.ca=function(){g.gg(Object.values(this.B));this.B={};BN.prototype.ca.call(this)};var TCa={V1:"replaceUrlMacros",XX:"isExternalShelfAllowedFor"};DP.prototype.Dh=function(){return"adLifecycleCommand"}; -DP.prototype.handle=function(a){var b=this;switch(a.action){case "START_LINEAR_AD":g.mm(function(){b.controller.hn()}); -break;case "END_LINEAR_AD":g.mm(function(){b.controller.Jk()}); -break;case "END_LINEAR_AD_PLACEMENT":g.mm(function(){b.controller.Ii()}); -break;case "FILL_INSTREAM_SLOT":g.mm(function(){a.elementId&&b.controller.Ct(a.elementId)}); -break;case "FILL_ABOVE_FEED_SLOT":g.mm(function(){a.elementId&&b.controller.kq(a.elementId)}); -break;case "CLEAR_ABOVE_FEED_SLOT":g.mm(function(){b.controller.Vp()})}}; -DP.prototype.Si=function(a){this.handle(a)};EP.prototype.Dh=function(){return"adPlayerControlsCommand"}; -EP.prototype.handle=function(a){var b=this.Xp();switch(a.action){case "AD_PLAYER_CONTROLS_ACTION_SEEK_TO_END":var c=cK(b.u)&&b.B.bl()?b.u.getDuration(2):0;if(0>=c)break;b.seekTo(g.ce(c-(Number(a.seekOffsetMilliseconds)||0)/1E3,0,c));break;case "AD_PLAYER_CONTROLS_ACTION_RESUME":b.resume()}}; -EP.prototype.Si=function(a){this.handle(a)};FP.prototype.Dh=function(){return"clearCueRangesCommand"}; -FP.prototype.handle=function(){var a=this.Xp();g.mm(function(){mM(a,Array.from(a.I))})}; -FP.prototype.Si=function(a){this.handle(a)};GP.prototype.Dh=function(){return"muteAdEndpoint"}; -GP.prototype.handle=function(a){dpa(this,a)}; -GP.prototype.Si=function(a,b){dpa(this,a,b)};HP.prototype.Dh=function(){return"openPopupAction"}; -HP.prototype.handle=function(){}; -HP.prototype.Si=function(a){this.handle(a)};IP.prototype.Dh=function(){return"pingingEndpoint"}; -IP.prototype.handle=function(){}; -IP.prototype.Si=function(a){this.handle(a)};JP.prototype.Dh=function(){return"urlEndpoint"}; -JP.prototype.handle=function(a,b){var c=g.en(a.url,b);g.RL(c)}; -JP.prototype.Si=function(){S("Trying to handle UrlEndpoint with no macro in controlflow")};KP.prototype.Dh=function(){return"adPingingEndpoint"}; -KP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;this.Ip.send(a,b,c)}; -KP.prototype.Si=function(a,b,c){Gqa(this.Fa.get(),a,b,void 0,c)};LP.prototype.Dh=function(){return"changeEngagementPanelVisibilityAction"}; -LP.prototype.handle=function(a){this.J.xa("changeEngagementPanelVisibility",{changeEngagementPanelVisibilityAction:a})}; -LP.prototype.Si=function(a){this.handle(a)};MP.prototype.Dh=function(){return"loggingUrls"}; -MP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,this.ci.send(d.baseUrl,b,c,d.headers)}; -MP.prototype.Si=function(a,b,c){a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,Gqa(this.Fa.get(),d.baseUrl,b,d.headers,c)};g.u(fpa,g.C);var upa=new Map([[0,"normal"],[1,"skipped"],[2,"muted"],[6,"user_input_submitted"]]);var npa=new Map([["opportunity_type_ad_break_service_response_received","OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED"],["opportunity_type_live_stream_break_signal","OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL"],["opportunity_type_player_bytes_media_layout_entered","OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED"],["opportunity_type_player_response_received","OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED"],["opportunity_type_throttled_ad_break_request_slot_reentry","OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY"]]), -jpa=new Map([["trigger_type_on_new_playback_after_content_video_id","TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID"],["trigger_type_on_different_slot_id_enter_requested","TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED"],["trigger_type_slot_id_entered","TRIGGER_TYPE_SLOT_ID_ENTERED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_scheduled","TRIGGER_TYPE_SLOT_ID_SCHEDULED"],["trigger_type_slot_id_fulfilled_empty", -"TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY"],["trigger_type_slot_id_fulfilled_non_empty","TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY"],["trigger_type_layout_id_entered","TRIGGER_TYPE_LAYOUT_ID_ENTERED"],["trigger_type_on_different_layout_id_entered","TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED"],["trigger_type_layout_id_exited","TRIGGER_TYPE_LAYOUT_ID_EXITED"],["trigger_type_layout_exited_for_reason","TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON"],["trigger_type_on_layout_self_exit_requested","TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED"], -["trigger_type_on_element_self_enter_requested","TRIGGER_TYPE_ON_SLOT_SELF_ENTER_REQUESTED"],["trigger_type_before_content_video_id_started","TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED"],["trigger_type_after_content_video_id_ended","TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED"],["trigger_type_media_time_range","TRIGGER_TYPE_MEDIA_TIME_RANGE"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED","TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED","TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED"], -["trigger_type_close_requested","TRIGGER_TYPE_CLOSE_REQUESTED"],["trigger_type_time_relative_to_layout_enter","TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER"],["trigger_type_not_in_media_time_range","TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE"],["trigger_type_survey_submitted","TRIGGER_TYPE_SURVEY_SUBMITTED"],["trigger_type_skip_requested","TRIGGER_TYPE_SKIP_REQUESTED"],["trigger_type_on_opportunity_received","TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED"],["trigger_type_layout_id_active_and_slot_id_has_exited", -"TRIGGER_TYPE_LAYOUT_ID_ACTIVE_AND_SLOT_ID_HAS_EXITED"],["trigger_type_playback_minimized","TRIGGER_TYPE_PLAYBACK_MINIMIZED"]]),mpa=new Map([[5,"TRIGGER_CATEGORY_SLOT_ENTRY"],[4,"TRIGGER_CATEGORY_SLOT_FULFILLMENT"],[3,"TRIGGER_CATEGORY_SLOT_EXPIRATION"],[0,"TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL"],[1,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"],[2,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"],[6,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED"]]),ipa=new Map([["unspecified","CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"], -["core","CONTROL_FLOW_MANAGER_LAYER_CORE"],["adapter","CONTROL_FLOW_MANAGER_LAYER_ADAPTER"],["surface","CONTROL_FLOW_MANAGER_LAYER_SURFACE"],["external","CONTROL_FLOW_MANAGER_LAYER_EXTERNAL"]]),gpa=new Map([["normal",{Lr:"ADS_CLIENT_EVENT_TYPE_NORMAL_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_NORMALLY"}],["skipped",{Lr:"ADS_CLIENT_EVENT_TYPE_SKIP_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_SKIP"}],["muted",{Lr:"ADS_CLIENT_EVENT_TYPE_MUTE_EXIT_LAYOUT_REQUESTED", -gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_MUTE"}],["abandoned",{Lr:"ADS_CLIENT_EVENT_TYPE_ABANDON_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_ABANDON"}],["user_input_submitted",{Lr:"ADS_CLIENT_EVENT_TYPE_USER_INPUT_SUBMITTED_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_USER_INPUT_SUBMITTED"}]]);g.u(UP,g.C);g.k=UP.prototype;g.k.Zg=function(a,b){IQ(this.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_RECEIVED",a,b,void 0);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.Zg(a,b)}; -g.k.cf=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",a);this.u.cf(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.cf(a);qpa(this,a)}}; -g.k.df=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",a);this.u.df(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.df(a);YP(this.u,a)&&ZP(this.u,a).F&&WP(this,a,!1)}}; -g.k.xd=function(a,b){if(YP(this.u,a)){$P(this.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",a,b);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.xd(a,b)}}; -g.k.yd=function(a,b,c){if(YP(this.u,a)){$P(this.Gb,hpa(c),a,b);this.u.yd(a,b);for(var d=g.q(this.B),e=d.next();!e.done;e=d.next())e.value.yd(a,b,c);(c=lQ(this.u,a))&&b.layoutId===c.layoutId&&Bpa(this,a,!1)}}; -g.k.Nf=function(a,b,c){S(c,a,b,void 0,c.Ul);WP(this,a,!0)}; -g.k.ca=function(){var a=Cpa(this.u);a=g.q(a);for(var b=a.next();!b.done;b=a.next())WP(this,b.value,!1);g.C.prototype.ca.call(this)};oQ.prototype.isActive=function(){switch(this.u){case "entered":case "rendering":case "rendering_stop_requested":case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Vy=function(){switch(this.D){case "fill_requested":return!0;default:return!1}}; -oQ.prototype.Uy=function(){switch(this.u){case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Qy=function(){switch(this.u){case "rendering_stop_requested":return!0;default:return!1}};g.u(aQ,Ya);g.u(pQ,g.C);g.k=pQ.prototype;g.k.Ag=function(a){a=ZP(this,a);"not_scheduled"!==a.u&&mQ(a.slot,a.u,"onSlotScheduled");a.u="scheduled"}; -g.k.lq=function(a){a=ZP(this,a);a.D="fill_requested";a.I.lq()}; -g.k.cf=function(a){a=ZP(this,a);"enter_requested"!==a.u&&mQ(a.slot,a.u,"onSlotEntered");a.u="entered"}; -g.k.Nn=function(a){ZP(this,a).Nn=!0}; -g.k.Vy=function(a){return ZP(this,a).Vy()}; -g.k.Uy=function(a){return ZP(this,a).Uy()}; -g.k.Qy=function(a){return ZP(this,a).Qy()}; -g.k.df=function(a){a=ZP(this,a);"exit_requested"!==a.u&&mQ(a.slot,a.u,"onSlotExited");a.u="scheduled"}; -g.k.yd=function(a,b){var c=ZP(this,a);null!=c.layout&&c.layout.layoutId===b.layoutId&&("rendering_stop_requested"!==c.u&&mQ(c.slot,c.u,"onLayoutExited"),c.u="entered")};g.u(Gpa,g.C);g.u(sQ,g.C);sQ.prototype.get=function(){this.na()&&S("Tried to retrieve object during dispose",void 0,void 0,{type:typeof this.u});this.u||(this.u=this.B());return this.u};g.u(HQ,g.C);g.u(LQ,g.C);LQ.prototype.Tu=function(){}; -LQ.prototype.gz=function(a){var b=this,c=this.u.get(a);c&&(this.u["delete"](a),this.Bb.get().removeCueRange(a),nG(this.tb.get(),"opportunity_type_throttled_ad_break_request_slot_reentry",function(){var d=b.ib.get();d=OQ(d.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST");return[Object.assign(Object.assign({},c),{slotId:d,hc:c.hc?vqa(c.slotId,d,c.hc):void 0,Me:wqa(c.slotId,d,c.Me),Af:wqa(c.slotId,d,c.Af)})]},c.slotId))}; -LQ.prototype.ej=function(){for(var a=g.q(this.u.keys()),b=a.next();!b.done;b=a.next())b=b.value,this.Bb.get().removeCueRange(b);this.u.clear()}; -LQ.prototype.Pm=function(){};g.u(MQ,g.C);g.k=MQ.prototype;g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(a,b){this.B.has(a)||this.B.set(a,new Set);this.B.get(a).add(b)}; -g.k.jj=function(a,b){this.u.has(a)&&this.u.get(a)===b&&S("Unscheduled a Layout that is currently entered.",a,b);if(this.B.has(a)){var c=this.B.get(a);c.has(b)?(c["delete"](b),0===c.size&&this.B["delete"](a)):S("Trying to unscheduled a Layout that was not scheduled.",a,b)}else S("Trying to unscheduled a Layout that was not scheduled.",a,b)}; -g.k.xd=function(a,b){this.u.set(a,b)}; -g.k.yd=function(a){this.u["delete"](a)}; -g.k.Zg=function(){};ZQ.prototype.clone=function(a){var b=this;return new ZQ(function(){return b.triggerId},a)};$Q.prototype.clone=function(a){var b=this;return new $Q(function(){return b.triggerId},a)};aR.prototype.clone=function(a){var b=this;return new aR(function(){return b.triggerId},a)};bR.prototype.clone=function(a){var b=this;return new bR(function(){return b.triggerId},a)};cR.prototype.clone=function(a){var b=this;return new cR(function(){return b.triggerId},a)};g.u(fR,g.C);fR.prototype.logEvent=function(a){IQ(this,a)};g.u(hR,g.C);hR.prototype.addListener=function(a){this.listeners.push(a)}; -hR.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -hR.prototype.B=function(){g.Q(this.Ca.get().J.T().experiments,"html5_mark_internal_abandon_in_pacf")&&this.u&&Aqa(this,this.u)};g.u(iR,g.C);iR.prototype.addCueRange=function(a,b,c,d,e,f,h){f=void 0===f?2:f;h=void 0===h?1:h;this.u.has(a)?S("Tried to register duplicate cue range",void 0,void 0,{CueRangeID:a}):(a=new Bqa(a,b,c,d,f),this.u.set(a.id,{Kd:a,listener:e,yp:h}),g.zN(this.J,[a],h))}; -iR.prototype.removeCueRange=function(a){var b=this.u.get(a);b?(this.J.app.Zo([b.Kd],b.yp),this.u["delete"](a)):S("Requested to remove unknown cue range",void 0,void 0,{CueRangeID:a})}; -iR.prototype.C=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.Tu(a.id)}; -iR.prototype.D=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.gz(a.id)}; -g.u(Bqa,g.eF);mR.prototype.C=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.BE()}; -mR.prototype.B=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.AE()}; -mR.prototype.D=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.CE()};g.u(oR,ZJ);oR.prototype.uf=function(){return this.u()}; -oR.prototype.B=function(){return this.C()};pR.prototype.Yf=function(){var a=this.J.dc();return a&&(a=a.Yf(1))?a:null};g.u(g.tR,rt);g.tR.prototype.N=function(a,b,c,d,e){return rt.prototype.N.call(this,a,b,c,d,e)};g.u(uR,g.C);g.k=uR.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.ZQ=function(a,b,c){var d=this.Vs(b,c);this.u=d;this.listeners.forEach(function(e){e.cG(d)}); -a=pG(this,1);a.clientPlaybackNonce!==this.contentCpn&&(this.contentCpn=a.clientPlaybackNonce,this.listeners.forEach(function(){}))}; -g.k.Vs=function(a,b){var c,d,e,f,h=a.author,l=a.clientPlaybackNonce,m=a.isListed,n=a.Hc,p=a.title,r=a.gg,t=a.nf,w=a.isMdxPlayback,y=a.Gg,x=a.mdxEnvironment,B=a.Kh,E=a.eh,G=a.videoId||"",K=a.lf||"",H=a.kg||"",ya=a.Cj||void 0;n=this.Sc.get().u.get(n)||{layoutId:null,slotId:null};var ia=this.J.getVideoData(1),Oa=ia.Wg(),Ra=ia.getPlayerResponse();ia=1E3*this.J.getDuration(b);var Wa=1E3*this.J.getDuration(1);Ra=(null===(d=null===(c=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===c?void 0:c.daiConfig)|| -void 0===d?void 0:d.enableDai)||(null===(f=null===(e=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===e?void 0:e.daiConfig)||void 0===f?void 0:f.enableServerStitchedDai)||!1;return Object.assign(Object.assign({},n),{videoId:G,author:h,clientPlaybackNonce:l,playbackDurationMs:ia,uC:Wa,daiEnabled:Ra,isListed:m,Wg:Oa,lf:K,title:p,kg:H,gg:r,nf:t,Cj:ya,isMdxPlayback:w,Gg:y,mdxEnvironment:x,Kh:B,eh:E})}; -g.k.ca=function(){this.listeners.length=0;this.u=null;g.C.prototype.ca.call(this)};g.u(vR,g.C);g.k=vR.prototype;g.k.ej=function(){var a=this;this.u=cb(function(){a.J.na()||a.J.Wc("ad",1)})}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.playVideo=function(){this.J.playVideo()}; -g.k.pauseVideo=function(){this.J.pauseVideo()}; -g.k.getVolume=function(){return this.J.getVolume()}; -g.k.isMuted=function(){return this.J.isMuted()}; -g.k.getPresentingPlayerType=function(){return this.J.getPresentingPlayerType()}; -g.k.getPlayerState=function(a){return this.J.getPlayerState(a)}; -g.k.isFullscreen=function(){return this.J.isFullscreen()}; -g.k.XP=function(){if(2===this.J.getPresentingPlayerType())for(var a=kQ(this,2,!1),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Io(a)}; -g.k.OP=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ko(a)}; -g.k.UL=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.yo(a)}; -g.k.VL=function(){for(var a=g.q(this.listeners),b=a.next();!b.done;b=a.next())b.value.zo()}; -g.k.kj=function(){for(var a=this.J.app.visibility.u,b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.kj(a)}; -g.k.Va=function(){for(var a=g.cG(this.J).getPlayerSize(),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ho(a)};g.u(Mqa,g.C);wR.prototype.executeCommand=function(a,b){pN(this.u(),a,b)};yR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH),Zp:X(a.slot.va,"metadata_type_cue_point")})},function(b){b=b.ph; -(!b.length||2<=b.length)&&S("Unexpected ad placement renderers length",a.slot,null,{length:b.length})})}; -yR.prototype.u=function(){Qqa(this.B)};zR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH)})})}; -zR.prototype.u=function(){Qqa(this.B)};KQ.prototype.lq=function(){rpa(this.callback,this.slot,X(this.slot.va,"metadata_type_fulfilled_layout"))}; -KQ.prototype.u=function(){XP(this.callback,this.slot,new gH("Got CancelSlotFulfilling request for "+this.slot.ab+" in DirectFulfillmentAdapter."))};g.u(AR,Rqa);AR.prototype.u=function(a,b){if(JQ(b,{Be:["metadata_type_ad_break_request_data","metadata_type_cue_point"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new yR(a,b,this.od,this.Cb,this.gb,this.Ca);if(JQ(b,{Be:["metadata_type_ad_break_request_data"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new zR(a,b,this.od,this.Cb,this.gb,this.Ca);throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in AdBreakRequestSlotFulfillmentAdapterFactory.");};g.u(BR,Rqa);BR.prototype.u=function(a,b){throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in DefaultFulfillmentAdapterFactory.");};g.k=Sqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var b=X(a.va,"metadata_type_ad_break_response_data");"SLOT_TYPE_AD_BREAK_REQUEST"===this.slot.ab?(this.callback.xd(this.slot,a),yia(this.u,this.slot,b)):S("Unexpected slot type in AdBreakResponseLayoutRenderingAdapter - this should never happen", -this.slot,a)}}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};DR.prototype.u=function(a,b,c,d){if(CR(d,{Be:["metadata_type_ad_break_response_data"],wg:["LAYOUT_TYPE_AD_BREAK_RESPONSE","LAYOUT_TYPE_THROTTLED_AD_BREAK_RESPONSE"]}))return new Sqa(a,c,d,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in AdBreakRequestLayoutRenderingAdapterFactory.");};g.k=Tqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.callback.xd(this.slot,a),LO(this.Ia,"impression"),OR(this.u,a.layoutId))}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};ER.prototype.u=function(a,b,c,d){if(CR(d,Uqa()))return new Tqa(a,c,d,this.Fa,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in ForecastingLayoutRenderingAdapterFactory.");};g.u(FR,g.O);g.k=FR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){this.u.get().addListener(this)}; -g.k.release=function(){this.u.get().removeListener(this);this.dispose()}; -g.k.Eq=function(){}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(a=this.u.get(),kra(a,this.wk,1))}; -g.k.jh=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var c=this.u.get();kra(c,this.wk,3);this.wk=[];this.callback.yd(this.slot,a,b)}}; -g.k.ca=function(){this.u.get().removeListener(this);g.O.prototype.ca.call(this)};g.u(IR,FR);g.k=IR.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_action_companion_ad_renderer",function(b,c,d,e,f){return new RK(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(JR,FR);JR.prototype.init=function(){FR.prototype.init.call(this);var a=X(this.layout.va,"metadata_type_instream_ad_player_overlay_renderer"),b={adsClientData:this.layout.td};this.wk.push(new VL(a,this.layout.layoutId,X(this.layout.va,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"),b))}; -JR.prototype.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -JR.prototype.If=function(a){a:{var b=this.Nd.get();var c=this.cj;b=g.q(b.u.values());for(var d=b.next();!d.done;d=b.next())if(d.value.layoutId===c){c=!0;break a}c=!1}if(c)switch(a){case "visit-advertiser":this.Fa.get().J.sendVideoStatsEngageEvent(3,void 0,2)}switch(a){case "ad-mute-confirm-dialog-close-button":case "ad-feedback-undo-mute-button":case "ad-info-dialog-close-button":this.B||(a=this.ua.get(),2===a.J.getPlayerState(2)&&a.J.playVideo());break;case "ad-info-icon-button":(this.B=2===this.ua.get().J.getPlayerState(2))|| -this.ua.get().pauseVideo();break;case "visit-advertiser":this.ua.get().pauseVideo();X(this.layout.va,"metadata_type_player_bytes_callback").dA();break;case "skip-button":a=X(this.layout.va,"metadata_type_player_bytes_callback"),a.Y&&a.pG()}}; -JR.prototype.ca=function(){FR.prototype.ca.call(this)};LR.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in OtherWebInPlayerLayoutRenderingAdapterFactory.");};g.u(MR,g.C);MR.prototype.startRendering=function(a){if(a.layoutId!==this.Vd().layoutId)this.callback.Nf(this.Ve(),a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.Vd().layoutId+("and LayoutType: "+this.Vd().layoutType)));else{var b=this.ua.get().J;g.xN(b.app,2);uM(this.Tc.get());this.IH(a)}}; -MR.prototype.jh=function(a,b){this.JH(a,b);g.yN(this.ua.get().J,2);this.Yc.get().J.cueVideoByPlayerVars({},2);var c=nR(this.ua.get(),1);g.U(c,4)&&!g.U(c,2)&&this.ua.get().playVideo()};g.u(NR,MR);g.k=NR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){if(1>=this.u.length)throw new gH("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b=b.value,b.init(),eQ(this.D,this.slot,b.Vd())}; -g.k.release=function(){for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b.value.release()}; -g.k.IH=function(){PR(this)}; -g.k.HQ=function(a,b){fQ(this.D,a,b)}; -g.k.JH=function(a,b){var c=this;if(this.B!==this.u.length-1){var d=this.u[this.B];d.jh(d.Vd(),b);this.C=function(){c.callback.yd(c.slot,c.layout,b)}}else this.callback.yd(this.slot,this.layout,b)}; -g.k.JQ=function(a,b,c){$L(this.D,a,b,c);this.C?this.C():PR(this)}; -g.k.IQ=function(a,b){$L(this.D,a,b,"error");this.C?this.C():PR(this)};g.u(TR,g.C);g.k=TR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=this;VP(this.me(),this);this.ua.get().addListener(this);var a=X(this.layout.va,"metadata_type_video_length_seconds");Dqa(this.jb.get(),this.layout.layoutId,a,this);rR(this.Fa.get(),this)}; -g.k.release=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=null;this.me().B["delete"](this);this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId);sR(this.Fa.get(),this);this.u&&this.Bb.get().removeCueRange(this.u);this.u=void 0;this.D.dispose()}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else if(DK(this.Dd.get(),1)){Zqa(this,!1);var b=X(a.va,"metadata_type_ad_video_id"),c=X(a.va,"metadata_type_legacy_info_card_vast_extension");b&&c&&this.Gd.get().J.T().K.add(b,{Up:c});(b=X(a.va,"metadata_type_sodar_extension_data"))&&Nqa(this.Bd.get(), -b);Lqa(this.ua.get(),!1);this.C(-1);this.B="rendering_start_requested";b=this.Yc.get();a=X(a.va,"metadata_type_player_vars");b.J.cueVideoByPlayerVars(a,2);this.D.start();this.Yc.get().J.playVideo(2)}else SR(this,"ui_unstable",new aQ("Failed to render media layout because ad ui unstable."))}; -g.k.xd=function(a,b){var c,d;if(b.layoutId===this.layout.layoutId){this.B="rendering";LO(this.Ia,"impression");LO(this.Ia,"start");this.ua.get().isMuted()&&KO(this.Ia,"mute");this.ua.get().isFullscreen()&&KO(this.Ia,"fullscreen");this.D.stop();this.u="adcompletioncuerange:"+this.layout.layoutId;this.Bb.get().addCueRange(this.u,0x7ffffffffffff,0x8000000000000,!1,this,1,2);(this.adCpn=(null===(c=pG(this.Da.get(),2))||void 0===c?void 0:c.clientPlaybackNonce)||"")||S("Media layout confirmed started, but ad CPN not set."); -xM(this.Tc.get());this.C(1);this.ld.get().u("onAdStart",this.adCpn);var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.impressionCommands)||[],f=this.oc.get(),h=this.layout.layoutId;nN(f.u(),e,h)}}; -g.k.dA=function(){KO(this.Ia,"clickthrough")}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.B="rendering_stop_requested",this.F=b,this.D.stop(),Lqa(this.ua.get(),!0))}; -g.k.Tu=function(a){a!==this.u?S("Received CueRangeEnter signal for unknown layout.",this.slot,this.layout,{cueRangeId:a}):(this.Bb.get().removeCueRange(this.u),this.u=void 0,a=X(this.layout.va,"metadata_type_video_length_seconds"),Yqa(this,a,!0),LO(this.Ia,"complete"))}; -g.k.yd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.B="not_rendering",this.F=void 0,wM(this.Tc.get()),Zqa(this,!0),"abandoned"!==c&&this.ld.get().u("onAdComplete"),this.ld.get().u("onAdEnd",this.adCpn),this.C(0),c){case "abandoned":var d;LO(this.Ia,"abandon");var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.onAbandonCommands)||[];d=this.oc.get();a=this.layout.layoutId;nN(d.u(),e,a);break;case "normal":LO(this.Ia,"complete");d= -(null===(e=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===e?void 0:e.completeCommands)||[];e=this.oc.get();a=this.layout.layoutId;nN(e.u(),d,a);break;case "skipped":LO(this.Ia,"skip")}}; -g.k.tq=function(){return this.layout.layoutId}; -g.k.Xx=function(){return this.R}; -g.k.gz=function(){}; -g.k.Io=function(a){Yqa(this,a)}; -g.k.Ko=function(a){var b,c;if("not_rendering"!==this.B){this.I||(a=new g.EK(a.state,new g.AM),this.I=!0);var d=2===this.ua.get().getPresentingPlayerType();"rendering_start_requested"===this.B?d&&QR(a)&&this.callback.xd(this.slot,this.layout):g.GK(a,2)||!d?this.K():(QR(a)?this.C(1):a.state.isError()?SR(this,null===(b=a.state.getData())||void 0===b?void 0:b.errorCode,new aQ("There was a player error during this media layout.",{playerErrorCode:null===(c=a.state.getData())||void 0===c?void 0:c.errorCode})): -g.GK(a,4)&&!g.GK(a,2)&&(KO(this.Ia,"pause"),this.C(2)),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"))}}; -g.k.BE=function(){LO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){LO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){LO(this.Ia,"active_view_viewable")}; -g.k.yo=function(a){2===this.ua.get().getPresentingPlayerType()&&(a?KO(this.Ia,"fullscreen"):KO(this.Ia,"end_fullscreen"))}; -g.k.zo=function(){2===this.ua.get().getPresentingPlayerType()&&KO(this.Ia,this.ua.get().isMuted()?"mute":"unmute")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){};g.u(UR,MR);g.k=UR.prototype;g.k.Ve=function(){return this.u.Ve()}; -g.k.Vd=function(){return this.u.Vd()}; -g.k.init=function(){this.u.init()}; -g.k.release=function(){this.u.release()}; -g.k.IH=function(a){this.u.startRendering(a)}; -g.k.JH=function(a,b){this.u.jh(a,b)};VR.prototype.u=function(a,b,c,d){if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb,this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.u(WR,g.C);g.k=WR.prototype;g.k.xd=function(a,b){var c=this;if(bra(this)&&"LAYOUT_TYPE_MEDIA"===b.layoutType&&NP(b,this.C)){var d=pG(this.Da.get(),2),e=this.u(b,d);e?nG(this.tb.get(),"opportunity_type_player_bytes_media_layout_entered",function(){return[xqa(c.ib.get(),e.contentCpn,e.pw,function(f){return c.B(f.slotId,"core",e,SP(c.gb.get(),f))},e.MD)]}):S("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.yd=function(){};var HS=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=dra.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot)}; -g.k.release=function(){};ZR.prototype.u=function(a,b){return new dra(a,b)};g.k=era.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing")}; -g.k.release=function(){};g.k=fra.prototype;g.k.init=function(){lH(this.slot)&&(this.u=!0)}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.I(a.J.getRootNode(),"ad-interrupting");this.callback.cf(this.slot)}; -g.k.Qx=function(){gra(this);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.sn(a.J.getRootNode(),"ad-interrupting");this.callback.df(this.slot)}; -g.k.release=function(){gra(this)};$R.prototype.u=function(a,b){if(eH(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new era(a,b,this.ua);if(eH(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new fra(a,b,this.ua);throw new gH("Unsupported slot with type "+b.ab+" and client metadata: "+(PP(b.va)+" in PlayerBytesSlotAdapterFactory."));};g.u(bS,g.C);bS.prototype.Eq=function(a){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof xQ&&2===d.category&&e.u===a&&b.push(d)}b.length&&gQ(this.kz(),b)};g.u(cS,bS);g.k=cS.prototype;g.k.If=function(a,b){if(b)if("survey-submit"===a){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof yQ&&f.u===b&&c.push(e)}c.length?gQ(this.kz(),c):S("Survey is submitted but no registered triggers can be activated.")}else if("skip-button"===a){c=[];d=g.q(this.ob.values());for(e=d.next();!e.done;e=d.next())e=e.value,f=e.trigger,f instanceof xQ&&1===e.category&&f.u===b&&c.push(e);c.length&&gQ(this.kz(),c)}}; -g.k.Eq=function(a){bS.prototype.Eq.call(this,a)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof yQ||b instanceof xQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){};g.u(dS,g.C);g.k=dS.prototype; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof ZQ||b instanceof $Q||b instanceof aR||b instanceof bR||b instanceof cR||b instanceof RQ||b instanceof mH||b instanceof wQ||b instanceof DQ||b instanceof QQ||b instanceof VQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new aS(a,b,c,d);this.ob.set(b.triggerId,a);b instanceof cR&&this.F.has(b.B)&& -gQ(this.u(),[a]);b instanceof ZQ&&this.C.has(b.B)&&gQ(this.u(),[a]);b instanceof mH&&this.B.has(b.u)&&gQ(this.u(),[a])}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(a){this.F.add(a.slotId);for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof cR&&a.slotId===d.trigger.B&&b.push(d);0FK(a,16)){a=g.q(this.u);for(var b=a.next();!b.done;b=a.next())this.Tu(b.value);this.u.clear()}}; -g.k.Io=function(){}; -g.k.yo=function(){}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.zo=function(){};g.u(hS,g.C);g.k=hS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof zQ||b instanceof YQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.hn=function(){}; -g.k.Jk=function(){}; -g.k.Ii=function(){}; -g.k.xd=function(a,b){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.u?S("called onLayoutEntered with AboveFeedSlot but there is already a layout entered"):this.u=b.layoutId)}; -g.k.yd=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(this.u=null)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.B?S("called onSlotEntered with AboveFeedSlot but there is already a slot entered"):this.B=a.slotId)}; -g.k.df=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null===this.B?S("called onSlotExited with AboveFeedSlot but there is no entered slot"):this.B=null)}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.Vp=function(){null!=this.u&&OR(this,this.u)}; -g.k.kq=function(a){if(null===this.B){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof YQ&&d.trigger.slotId===a&&b.push(d);b.length&&gQ(this.C(),b)}}; -g.k.Ct=function(){};g.u(iS,g.C);g.k=iS.prototype;g.k.Zg=function(a,b){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&gQ(this.u(),c)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof rqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.xd=function(){}; -g.k.yd=function(){};g.u(jS,g.C);jS.prototype.init=function(){}; -jS.prototype.release=function(){}; -jS.prototype.ca=function(){this.Od.get().removeListener(this);g.C.prototype.ca.call(this)};kS.prototype.fetch=function(a){var b=this,c=a.DC;return this.Qw.fetch(a.pI,{Zp:void 0===a.Zp?void 0:a.Zp,Kd:c}).then(function(d){var e=null,f=null;if(g.Q(b.Ca.get().J.T().experiments,"get_midroll_info_use_client_rpc"))f=d;else try{(e=JSON.parse(d.response))&&(f=e)}catch(h){d.response&&(d=d.response,d.startsWith("GIF89")||(h.params=d.substr(0,256),g.Is(h)))}return jra(f,c)})};g.u(lS,g.C);g.k=lS.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.onAdUxClicked=function(a,b){mS(this,function(c){c.If(a,b)})}; -g.k.TL=function(a){mS(this,function(b){b.uy(a)})}; -g.k.SL=function(a){mS(this,function(b){b.ty(a)})}; -g.k.aO=function(a){mS(this,function(b){b.eu(a)})};oS.prototype.u=function(a,b){for(var c=[],d=1;d=Math.abs(e-f)}e&&LO(this.Ia,"ad_placement_end")}; -g.k.cG=function(a){a=a.layoutId;var b,c;this.u&&(null===(b=this.u.zi)||void 0===b?void 0:b.layout.layoutId)!==a&&(null===(c=this.u.zi)||void 0===c?void 0:c.jh("normal"),ora(this,a))}; -g.k.UF=function(){}; -g.k.LF=function(a){var b=X(this.layout.va,"metadata_type_layout_enter_ms"),c=X(this.layout.va,"metadata_type_layout_exit_ms");a*=1E3;b<=a&&ad&&(c=d-c,d=this.eg.get(),RAa(d.J.app,b,c))}else S("Unexpected failure to add to playback timeline",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}))}else S("Expected non-zero layout duration",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}));this.ua.get().addListener(this); -Dqa(this.jb.get(),this.layout.layoutId,a,this);eQ(this.callback,this.slot,this.layout)}; -g.k.release=function(){this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId)}; -g.k.startRendering=function(){if(this.u)S("Expected the layout not to be entered before start rendering",this.slot,this.layout);else{this.u={bz:null,tH:!1};var a=X(this.layout.va,"metadata_type_sodar_extension_data");if(a)try{Nqa(this.Bd.get(),a)}catch(b){S("Unexpected error when loading Sodar",this.slot,this.layout,{error:b})}fQ(this.callback,this.slot,this.layout)}}; -g.k.jh=function(a){this.u?(this.u=null,$L(this.callback,this.slot,this.layout,a)):S("Expected the layout to be entered before stop rendering",this.slot,this.layout)}; -g.k.Io=function(a){if(this.u){if(this.Ia.u.has("impression")){var b=nR(this.ua.get());sra(this,b,a,this.u.bz)}this.u.bz=a}}; -g.k.Ko=function(a){if(this.u){this.u.tH||(this.u.tH=!0,a=new g.EK(a.state,new g.AM));var b=kQ(this.ua.get(),2,!1);QR(a)&&RR(b,0,null)&&LO(this.Ia,"impression");if(this.Ia.u.has("impression")&&(g.GK(a,4)&&!g.GK(a,2)&&KO(this.Ia,"pause"),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"),g.GK(a,16)&&.5<=kQ(this.ua.get(),2,!1)&&KO(this.Ia,"seek"),g.GK(a,2))){var c=X(this.layout.va,"metadata_type_video_length_seconds"),d=1>=Math.abs(c-b);sra(this,a.state,d?c:b,this.u.bz);d&&LO(this.Ia,"complete")}}}; -g.k.yo=function(a){this.Ia.u.has("impression")&&KO(this.Ia,a?"fullscreen":"end_fullscreen")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.pG=function(){}; -g.k.zo=function(){}; -g.k.dA=function(){this.Ia.u.has("impression")&&KO(this.Ia,"clickthrough")}; -g.k.BE=function(){KO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_viewable")};tS.prototype.u=function(a,b,c,d){if(c.va.u.has("metadata_type_dai")){a:{var e=X(d.va,"metadata_type_sub_layouts"),f=X(d.va,"metadata_type_ad_placement_config");if(CR(d,{Be:["metadata_type_layout_enter_ms","metadata_type_drift_recovery_ms","metadata_type_layout_exit_ms"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})&&void 0!==e&&void 0!==f){var h=[];e=g.q(e);for(var l=e.next();!l.done;l=e.next()){l=l.value;var m=X(l.va,"metadata_type_sub_layout_index");if(!CR(l,{Be:["metadata_type_video_length_seconds", -"metadata_type_player_vars","metadata_type_layout_enter_ms","metadata_type_layout_exit_ms","metadata_type_player_bytes_callback_ref"],wg:["LAYOUT_TYPE_MEDIA"]})||void 0===m){a=null;break a}m=new GO(l.kd,this.Fa,f,l.layoutId,m);h.push(new rra(b,c,l,this.eg,m,this.ua,this.Sc,this.jb,this.Bd))}b=new GO(d.kd,this.Fa,f,d.layoutId);a=new mra(a,c,d,this.Da,this.eg,this.ee,this.ua,b,this.Fa,h)}else a=null}if(a)return a}else if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb, -this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesLayoutRenderingAdapterFactory.");};g.u(uS,g.C);g.k=uS.prototype;g.k.UF=function(a){this.u&&ura(this,this.u,a)}; -g.k.LF=function(){}; -g.k.ej=function(a){this.u&&this.u.contentCpn!==a&&(S("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn}),this.u=null)}; -g.k.Pm=function(a){this.u&&this.u.contentCpn!==a&&S("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn});this.u=null}; -g.k.ca=function(){g.C.prototype.ca.call(this);this.u=null};g.u(vS,g.C); -vS.prototype.ih=function(a,b,c,d){if(this.B.has(b.triggerId)||this.C.has(b.triggerId))throw new gH("Tried to re-register the trigger.");a=new aS(a,b,c,d);if(a.trigger instanceof uqa)this.B.set(a.trigger.triggerId,a);else if(a.trigger instanceof qqa)this.C.set(a.trigger.triggerId,a);else throw new gH("Incorrect TriggerType: Tried to register trigger of type "+a.trigger.triggerType+" in LiveStreamBreakTransitionTriggerAdapter");this.B.has(a.trigger.triggerId)&&a.slot.slotId===this.u&&gQ(this.D(),[a])}; -vS.prototype.mh=function(a){this.B["delete"](a.triggerId);this.C["delete"](a.triggerId)}; -vS.prototype.cG=function(a){a=a.slotId;if(this.u!==a){var b=[];null!=this.u&&b.push.apply(b,g.ma(vra(this.C,this.u)));null!=a&&b.push.apply(b,g.ma(vra(this.B,a)));this.u=a;b.length&&gQ(this.D(),b)}};g.u(wS,g.C);g.k=wS.prototype;g.k.ej=function(){this.D=new fM(this,Cqa(this.Ca.get()));this.C=new gM;wra(this)}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.VF=function(a){this.u.push(a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.UF(a)}; -g.k.MF=function(a){g.Bb(this.C.u,1E3*a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.LF(a)}; -g.k.Ez=function(a){var b=pG(this.Da.get(),1),c=b.clientPlaybackNonce;b=b.daiEnabled;var d=Date.now();a=g.q(a);for(var e=a.next();!e.done;e=a.next())e=e.value,b&&qR(this.Fa.get(),{cuepointTrigger:{event:xra(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:d,contentCpn:c}}),this.B.add(e),this.D.reduce(e)}; -g.k.ca=function(){this.J.getVideoData(1).unsubscribe("cuepointupdated",this.Ez,this);this.listeners.length=0;this.B.clear();this.u.length=0;g.C.prototype.ca.call(this)};xS.prototype.addListener=function(a){this.listeners.add(a)}; -xS.prototype.removeListener=function(a){this.listeners["delete"](a)};g.u(yS,FR);g.k=yS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_image_companion_ad_renderer",function(b,c,d,e,f){return new Fna(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(zS,FR);g.k=zS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_shopping_companion_carousel_renderer",function(b,c,d,e,f){return new EL(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};Dra.prototype.u=function(a,b,c,d){if(CR(d,Vqa()))return new IR(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Bra()))return new yS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Cra()))return new zS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in DesktopAboveFeedLayoutRenderingAdapterFactory.");};g.u(AS,FR);g.k=AS.prototype;g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout);if(this.C=PO(a,Kqa(this.ua.get())))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};g.u(BS,FR);g.k=BS.prototype;g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.uy=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.stop()}}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.ty=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.start()}}; -g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout),c=b.contentSupportedRenderer.imageOverlayAdContentRenderer,d=Kqa(this.ua.get());a:{c=c.image;c=void 0===c?null:c;if(null!=c&&(c=c.thumbnail,null!=c&&null!=c.thumbnails&&!g.kb(c.thumbnails)&&null!=c.thumbnails[0].width&&null!=c.thumbnails[0].height)){c=new g.ie(c.thumbnails[0].width||0,c.thumbnails[0].height||0);break a}c=new g.ie(0,0)}if(this.C=PO(a,d,c))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};CS.prototype.u=function(a,b,c,d){if(b=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return b;b=["metadata_type_invideo_overlay_ad_renderer"];for(var e=g.q(HO()),f=e.next();!f.done;f=e.next())b.push(f.value);if(CR(d,{Be:b,wg:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}))return new BS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.C,this.ua,this.oc,this.Ca);if(CR(d,Era()))return new AS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.ua,this.oc,this.Ca);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+ -PP(d.va)+" in WebDesktopMainAndEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.u(DS,g.C);DS.prototype.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof pqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in CloseRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -DS.prototype.mh=function(a){this.ob["delete"](a.triggerId)};g.u(FS,g.C);g.k=FS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof CQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d));a=this.u.has(b.u)?this.u.get(b.u):new Set;a.add(b);this.u.set(b.u,a)}; -g.k.mh=function(a){this.ob["delete"](a.triggerId);if(!(a instanceof CQ))throw new gH("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.B.get(a.triggerId);b&&(b.dispose(),this.B["delete"](a.triggerId));if(b=this.u.get(a.u))b["delete"](a),0===b.size&&this.u["delete"](a.u)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.xd=function(a,b){var c=this;if(this.u.has(b.layoutId)){var d=this.u.get(b.layoutId),e={};d=g.q(d);for(var f=d.next();!f.done;e={Ep:e.Ep},f=d.next())e.Ep=f.value,f=new g.F(function(h){return function(){var l=c.ob.get(h.Ep.triggerId);gQ(c.C(),[l])}}(e),e.Ep.durationMs),f.start(),this.B.set(e.Ep.triggerId,f)}}; -g.k.yd=function(){};g.u(GS,g.C);GS.prototype.init=function(){}; -GS.prototype.release=function(){}; -GS.prototype.ca=function(){this.bj.get().removeListener(this);g.C.prototype.ca.call(this)};g.u(Gra,g.C);g.u(Hra,g.C);g.u(Ira,g.C);g.u(Jra,g.C);g.u(IS,JR);IS.prototype.startRendering=function(a){JR.prototype.startRendering.call(this,a);X(this.layout.va,"metadata_ad_video_is_listed")&&(a=X(this.layout.va,"metadata_type_ad_info_ad_metadata"),this.Jn.get().J.xa("onAdMetadataAvailable",a))};Kra.prototype.u=function(a,b,c,d){b=Wqa();b.Be.push("metadata_type_ad_info_ad_metadata");if(CR(d,b))return new IS(a,c,d,this.Vb,this.ua,this.Fa,this.Nd,this.Jn);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.u(Lra,g.C);Mra.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.u(Nra,g.C);g.u(Pra,g.C);g.k=Qra.prototype;g.k.kq=function(a){a:{var b=g.q(this.B.u.u.values());for(var c=b.next();!c.done;c=b.next()){c=g.q(c.value.values());for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.slot.slotId===a&&"scheduled"===d.u){b=!0;break a}}b=!1}if(b)this.yi.kq(a);else try{this.u().kq(a)}catch(e){g.Fo(e)}}; -g.k.Vp=function(){a:{var a=jQ(this.B.u,"SLOT_TYPE_ABOVE_FEED_1");a=g.q(a.values());for(var b=a.next();!b.done;b=a.next())if(iQ(b.value)){a=!0;break a}a=!1}a?this.yi.Vp():this.u().Vp()}; -g.k.Ct=function(a){this.u().Ct(a)}; -g.k.hn=function(){this.u().hn()}; -g.k.Jk=function(){this.u().Jk()}; -g.k.Ii=function(){this.u().Ii()};g.u(g.JS,g.O);g.k=g.JS.prototype;g.k.create=function(){}; -g.k.load=function(){this.loaded=!0}; -g.k.unload=function(){this.loaded=!1}; -g.k.Ae=function(){}; -g.k.ii=function(){return!0}; -g.k.ca=function(){this.loaded&&this.unload();g.O.prototype.ca.call(this)}; -g.k.sb=function(){return{}}; -g.k.getOptions=function(){return[]};g.u(KS,g.JS);g.k=KS.prototype;g.k.create=function(){this.load();this.created=!0}; -g.k.load=function(){g.JS.prototype.load.call(this);this.player.getRootNode().classList.add("ad-created");var a=this.B.u.Ke.qg,b=this.F(),c=this.player.getVideoData(1),d=c&&c.videoId||"",e=c&&c.getPlayerResponse()||{},f=(e&&e.adPlacements||[]).map(function(l){return l.adPlacementRenderer}); -e=e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1;f=Tra(f,a,e);c=c&&c.clientPlaybackNonce||"";var h=1E3*this.player.getDuration(1);uN(a)?(this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em),zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),sN(this.u)):(zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em))}; -g.k.destroy=function(){var a=this.player.getVideoData(1);Aqa(this.B.u.ik,a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; -g.k.unload=function(){g.JS.prototype.unload.call(this);this.player.getRootNode().classList.remove("ad-created");if(null!==this.u){var a=this.u;this.u=null;a.dispose()}null!=this.C&&(a=this.C,this.C=null,a.dispose());this.D.reset()}; -g.k.ii=function(){return!1}; -g.k.yA=function(){return null===this.u?!1:this.u.yA()}; -g.k.ij=function(a){null!==this.u&&this.u.ij(a)}; -g.k.getAdState=function(){return this.u?this.u.Aa:-1}; -g.k.getOptions=function(){return Object.values(TCa)}; -g.k.Ae=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":var c=b;if(c.url){var d=TJ(this.player);Object.assign(d,c.u);this.u&&!d.AD_CPN&&(d.AD_CPN=this.u.Ja);c=g.en(c.url,d)}else c=null;return c;case "isExternalShelfAllowedFor":a:if(b.playerResponse){c=b.playerResponse.adPlacements||[];for(d=0;dthis.B;)a[e++]^=d[this.B++];for(var f=c-(c-e)%16;ea||10tJ&&(a=Math.max(.1,a)),this.Zv(a))}; -g.k.stopVideo=function(){this.We()&&(XCa&&or&&0=a)){a-=this.u.length;for(var b=0;b=(a||1)}; -g.k.pJ=function(){for(var a=this.C.length-1;0<=a;a--)XS(this,this.C[a]);this.u.length==this.B.length&&4<=this.u.length||(4>this.B.length?this.QC(4):(this.u=[],g.Cb(this.B,function(b){XS(this,b)},this)))}; -WS.prototype.fillPool=WS.prototype.QC;WS.prototype.getTag=WS.prototype.xK;WS.prototype.releaseTag=WS.prototype.ER;WS.prototype.hasTags=WS.prototype.bL;WS.prototype.activateTags=WS.prototype.pJ;g.u(g.YS,g.RS);g.k=g.YS.prototype;g.k.ol=function(){return!0}; -g.k.isView=function(){return!1}; -g.k.Wv=function(){return!1}; -g.k.Pa=function(){return this.u}; -g.k.We=function(){return this.u.src}; -g.k.bw=function(a){var b=this.getPlaybackRate();this.u.src=a;this.setPlaybackRate(b)}; -g.k.Uv=function(){this.u.removeAttribute("src")}; -g.k.getPlaybackRate=function(){try{return 0<=this.u.playbackRate?this.u.playbackRate:1}catch(a){return 1}}; -g.k.setPlaybackRate=function(a){this.getPlaybackRate()!=a&&(this.u.playbackRate=a);return a}; -g.k.sm=function(){return this.u.loop}; -g.k.setLoop=function(a){this.u.loop=a}; -g.k.canPlayType=function(a,b){return this.u.canPlayType(a,b)}; -g.k.pl=function(){return this.u.paused}; -g.k.Wq=function(){return this.u.seeking}; -g.k.Yi=function(){return this.u.ended}; -g.k.Rt=function(){return this.u.muted}; -g.k.gp=function(a){sB();this.u.muted=a}; -g.k.xm=function(){return this.u.played||Vz([],[])}; -g.k.Gf=function(){try{var a=this.u.buffered}catch(b){}return a||Vz([],[])}; -g.k.yq=function(){return this.u.seekable||Vz([],[])}; -g.k.Zu=function(){return this.u.getStartDate?this.u.getStartDate():null}; -g.k.getCurrentTime=function(){return this.u.currentTime}; -g.k.Zv=function(a){this.u.currentTime=a}; -g.k.getDuration=function(){return this.u.duration}; -g.k.load=function(){var a=this.u.playbackRate;this.u.load&&this.u.load();this.u.playbackRate=a}; -g.k.pause=function(){this.u.pause()}; -g.k.play=function(){var a=this.u.play();if(!a||!a.then)return null;a.then(void 0,function(){}); -return a}; -g.k.yg=function(){return this.u.readyState}; -g.k.St=function(){return this.u.networkState}; -g.k.Sh=function(){return this.u.error?this.u.error.code:null}; -g.k.Bo=function(){return this.u.error?this.u.error.message:""}; -g.k.getVideoPlaybackQuality=function(){var a={};if(this.u){if(this.u.getVideoPlaybackQuality)return this.u.getVideoPlaybackQuality();this.u.webkitDecodedFrameCount&&(a.totalVideoFrames=this.u.webkitDecodedFrameCount,a.droppedVideoFrames=this.u.webkitDroppedFrameCount)}return a}; -g.k.Ze=function(){return!!this.u.webkitCurrentPlaybackTargetIsWireless}; -g.k.fn=function(){return!!this.u.webkitShowPlaybackTargetPicker()}; -g.k.togglePictureInPicture=function(){qB()?this.u!=window.document.pictureInPictureElement?this.u.requestPictureInPicture():window.document.exitPictureInPicture():rB()&&this.u.webkitSetPresentationMode("picture-in-picture"==this.u.webkitPresentationMode?"inline":"picture-in-picture")}; -g.k.Pk=function(){var a=this.u;return new g.ge(a.offsetLeft,a.offsetTop)}; -g.k.setPosition=function(a){return g.Cg(this.u,a)}; -g.k.Co=function(){return g.Lg(this.u)}; -g.k.setSize=function(a){return g.Kg(this.u,a)}; -g.k.getVolume=function(){return this.u.volume}; -g.k.setVolume=function(a){sB();this.u.volume=a}; -g.k.Kx=function(a){if(!this.B[a]){var b=(0,g.z)(this.DL,this);this.u.addEventListener(a,b);this.B[a]=b}}; -g.k.DL=function(a){this.dispatchEvent(new VS(this,a.type,a))}; -g.k.setAttribute=function(a,b){this.u.setAttribute(a,b)}; -g.k.removeAttribute=function(a){this.u.removeAttribute(a)}; -g.k.hasAttribute=function(a){return this.u.hasAttribute(a)}; -g.k.Lp=ba(7);g.k.hs=ba(9);g.k.jn=ba(4);g.k.Wp=ba(11);g.k.iq=function(){return pt(this.u)}; -g.k.Aq=function(a){return g.yg(this.u,a)}; -g.k.Ky=function(){return g.Me(document.body,this.u)}; -g.k.ca=function(){for(var a in this.B)this.u.removeEventListener(a,this.B[a]);g.RS.prototype.ca.call(this)};g.u(g.ZS,g.RS);g.k=g.ZS.prototype;g.k.isView=function(){return!0}; -g.k.Wv=function(){var a=this.u.getCurrentTime();if(a=c.lk.length)c=!1;else{for(var d=g.q(c.lk),e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof GH)){c=!1;break a}var f=a.u.getId();e.B&&(e.B.u=f,e.u=null)}c.Qr=a;c= -!0}c&&(b.V("internalaudioformatchange",b.videoData,!0),V_(b)&&b.Na("hlsaudio",a.id))}}}; -g.k.dK=function(){return this.getAvailableAudioTracks()}; -g.k.getAvailableAudioTracks=function(){return g.Z(this.app,this.playerType).getAvailableAudioTracks()}; -g.k.getMaxPlaybackQuality=function(){var a=g.Z(this.app,this.playerType);return a&&a.getVideoData().Oa?HC(a.Id?Pxa(a.cg,a.Id,a.co()):UD):"unknown"}; -g.k.getUserPlaybackQualityPreference=function(){var a=g.Z(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; -g.k.getSubtitlesUserSettings=function(){var a=g.nU(this.app.C);return a?a.yK():null}; -g.k.resetSubtitlesUserSettings=function(){g.nU(this.app.C).MR()}; +g.k.setUserEngagement=function(a){this.app.V().jl!==a&&(this.app.V().jl=a,(a=g.qS(this.app,this.playerType))&&wZ(a))}; +g.k.updateSubtitlesUserSettings=function(a,b){b=void 0===b?!0:b;g.JT(this.app.wb()).IY(a,b)}; +g.k.getCaptionWindowContainerId=function(){var a=g.JT(this.app.wb());return a?a.getCaptionWindowContainerId():""}; +g.k.toggleSubtitlesOn=function(){var a=g.JT(this.app.wb());a&&a.mY()}; +g.k.isSubtitlesOn=function(){var a=g.JT(this.app.wb());return a?a.isSubtitlesOn():!1}; +g.k.getPresentingPlayerType=function(){var a=this.app.getPresentingPlayerType(!0);2===a&&this.app.mf()&&(a=1);return a}; +g.k.getPlayerResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getPlayerResponse():null}; +g.k.getHeartbeatResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getHeartbeatResponse():null}; +g.k.getStoryboardFrame=function(a,b){var c=this.app.Hj();if(!c)return null;b=c.levels[b];return b?(a=g.UL(b,a))?{column:a.column,columns:a.columns,height:a.Dv,row:a.row,rows:a.rows,url:a.url,width:a.NC}:null:null}; +g.k.getStoryboardFrameIndex=function(a,b){var c=this.app.Hj();if(!c)return-1;b=c.levels[b];if(!b)return-1;a-=this.Jd();return b.OE(a)}; +g.k.getStoryboardLevel=function(a){var b=this.app.Hj();return b?(b=b.levels[a])?{index:a,intervalMs:b.j,maxFrameIndex:b.ix(),minFrameIndex:b.BJ()}:null:null}; +g.k.getNumberOfStoryboardLevels=function(){var a=this.app.Hj();return a?a.levels.length:0}; +g.k.X2=function(){return this.getAudioTrack()}; +g.k.getAudioTrack=function(){var a=g.qS(this.app,this.playerType);return a?a.getAudioTrack():this.app.getVideoData().wm}; +g.k.setAudioTrack=function(a,b){3===this.getPresentingPlayerType()&&JS(this.app.wb()).bp("control_set_audio_track",a);var c=g.qS(this.app,this.playerType);if(c)if(c.isDisposed()||g.S(c.playerState,128))a=!1;else{var d;if(null==(d=c.videoData.C)?0:d.j)b=b?c.getCurrentTime()-c.Jd():NaN,c.Fa.setAudioTrack(a,b);else if(O_a(c)){b:{b=c.mediaElement.audioTracks();for(d=0;d=b.Nd.length)b=!1;else{d=g.t(b.Nd);for(e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof VK)){b=!1;break b}var f=a.Jc.getId();e.B&&(Fxa(e.B,f),e.u=null)}b.Xn=a;b=!0}b&&oZ(c)&&(c.ma("internalaudioformatchange",c.videoData,!0),c.xa("hlsaudio",{id:a.id}))}a=!0}else a=!1;return a}; +g.k.Y2=function(){return this.getAvailableAudioTracks()}; +g.k.getAvailableAudioTracks=function(){return g.qS(this.app,this.playerType).getAvailableAudioTracks()}; +g.k.getMaxPlaybackQuality=function(){var a=g.qS(this.app,this.playerType);return a&&a.getVideoData().u?nF(a.Df?oYa(a.Ji,a.Df,a.Su()):ZL):"unknown"}; +g.k.getUserPlaybackQualityPreference=function(){var a=g.qS(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; +g.k.getSubtitlesUserSettings=function(){var a=g.JT(this.app.wb());return a?a.v3():null}; +g.k.resetSubtitlesUserSettings=function(){g.JT(this.app.wb()).J8()}; g.k.setMinimized=function(a){this.app.setMinimized(a)}; -g.k.setGlobalCrop=function(a){this.app.template.setGlobalCrop(a)}; -g.k.getVisibilityState=function(){var a=this.app.T();a=this.app.visibility.u&&!g.Q(a.experiments,"kevlar_miniplayer_disable_vis");return this.app.getVisibilityState(this.Ze(),this.isFullscreen()||mD(this.app.T()),a,this.isInline(),this.app.visibility.pictureInPicture,this.app.visibility.B)}; -g.k.isMutedByMutedAutoplay=function(){return this.app.Ta}; +g.k.setInlinePreview=function(a){this.app.setInlinePreview(a)}; +g.k.setGlobalCrop=function(a){this.app.jb().setGlobalCrop(a)}; +g.k.getVisibilityState=function(){var a=this.zg();return this.app.getVisibilityState(this.wh(),this.isFullscreen()||g.kK(this.app.V()),a,this.isInline(),this.app.Ty(),this.app.Ry())}; +g.k.isMutedByMutedAutoplay=function(){return this.app.oz}; g.k.isInline=function(){return this.app.isInline()}; -g.k.setInternalSize=function(a,b){this.app.template.setInternalSize(new g.ie(a,b))}; -g.k.yc=function(){var a=g.Z(this.app,void 0);return a?a.yc():0}; -g.k.Ze=function(){var a=g.Z(this.app,this.playerType);return!!a&&a.Ze()}; +g.k.setInternalSize=function(a,b){this.app.jb().setInternalSize(new g.He(a,b))}; +g.k.Jd=function(){var a=g.qS(this.app);return a?a.Jd():0}; +g.k.zg=function(){return this.app.zg()}; +g.k.wh=function(){var a=g.qS(this.app,this.playerType);return!!a&&a.wh()}; g.k.isFullscreen=function(){return this.app.isFullscreen()}; -g.k.setSafetyMode=function(a){this.app.T().enableSafetyMode=a}; +g.k.setSafetyMode=function(a){this.app.V().enableSafetyMode=a}; g.k.canPlayType=function(a){return this.app.canPlayType(a)}; -g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;if(b&&b!==a.list)if(this.ba("player_enable_playback_playlist_change"))c=!0;else return;void 0!==a.external_list&&this.app.setIsExternalPlaylist(a.external_list);var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==b.Ma().videoId||(a.index=b.index)):H0(this.app,{list:a.list,index:a.index,playlist_length:d.length});iU(this.app.getPlaylist(),a);this.xa("onPlaylistUpdate")}else this.app.updatePlaylist()}; -g.k.updateVideoData=function(a,b){var c=g.Z(this.app,this.playerType||1);c&&c.getVideoData().nh(a,b)}; -g.k.updateEnvironmentData=function(a){this.app.T().nh(a,!1)}; +g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;b&&b!==a.list&&(c=!0);void 0!==a.external_list&&(this.app.Lh=jz(!1,a.external_list));var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==g.zT(b).videoId||(a.index=b.index)):JZ(this.app,{list:a.list,index:a.index,playlist_length:d.length});pLa(this.app.getPlaylist(),a);this.Na("onPlaylistUpdate")}else this.app.updatePlaylist()}; +g.k.updateVideoData=function(a,b){var c=g.qS(this.app,this.playerType||1);c&&g.cM(c.getVideoData(),a,b)}; +g.k.updateEnvironmentData=function(a){rK(this.app.V(),a,!1)}; g.k.sendVideoStatsEngageEvent=function(a){this.app.sendVideoStatsEngageEvent(a,this.playerType)}; -g.k.setCardsVisible=function(a,b,c){var d=g.RT(this.app.C);d&&d.Vq()&&d.setCardsVisible(a,b,c)}; -g.k.productsInVideoVisibilityUpdated=function(a){this.V("changeProductsInVideoVisibility",a)}; +g.k.productsInVideoVisibilityUpdated=function(a){this.ma("changeProductsInVideoVisibility",a)}; g.k.setInline=function(a){this.app.setInline(a)}; g.k.isAtLiveHead=function(a,b){return this.app.isAtLiveHead(a,void 0===b?!0:b)}; -g.k.getVideoAspectRatio=function(){return this.app.template.getVideoAspectRatio()}; -g.k.getPreferredQuality=function(){var a=g.Z(this.app);return a?a.getPreferredQuality():"unknown"}; -g.k.setPlaybackQualityRange=function(a,b){var c=g.Z(this.app,this.playerType);if(c){var d=FC(a,b||a,!0,"m");Qsa(c,d)}}; -g.k.onAdUxClicked=function(a,b){this.V("aduxclicked",a,b)}; -g.k.getLoopVideo=function(){return this.app.getLoopVideo()}; -g.k.setLoopVideo=function(a){this.app.setLoopVideo(a)}; -g.k.V=function(a,b){for(var c=[],d=1;da)){var d=this.api.getVideoData(),e=d.Pk;if(e&&aMath.random()){b=b?"pbp":"pbs";var c={startTime:this.j};a.T&&(c.cttAuthInfo={token:a.T,videoId:a.videoId});cF("seek",c);g.dF("cpn",a.clientPlaybackNonce,"seek");isNaN(this.u)||eF("pl_ss",this.u,"seek");eF(b,(0,g.M)(),"seek")}this.reset()}};g.k=hLa.prototype;g.k.reset=function(){$E(this.timerName)}; +g.k.tick=function(a,b){eF(a,b,this.timerName)}; +g.k.di=function(a){return Gta(a,this.timerName)}; +g.k.Mt=function(a){xT(a,void 0,this.timerName)}; +g.k.info=function(a,b){g.dF(a,b,this.timerName)};g.w(kLa,g.dE);g.k=kLa.prototype;g.k.Ck=function(a){return this.loop||!!a||this.index+1([^<>]+)<\/a>/;g.u(KU,g.tR);KU.prototype.Ra=function(){var a=this;this.B();var b=this.J.getVideoData();if(b.isValid()){var c=[];this.J.T().R||c.push({src:b.ne("mqdefault.jpg")||"",sizes:"320x180"});this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:c});c=b=null;g.NT(this.J)&&(this.u["delete"]("nexttrack"),this.u["delete"]("previoustrack"),b=function(){a.J.nextVideo()},c=function(){a.J.previousVideo()}); -JU(this,"nexttrack",b);JU(this,"previoustrack",c)}}; -KU.prototype.B=function(){var a=g.uK(this.J);a=a.isError()?"none":g.GM(a)?"playing":"paused";this.mediaSession.playbackState=a}; -KU.prototype.ca=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())JU(this,b.value,null);g.tR.prototype.ca.call(this)};g.u(LU,g.V);LU.prototype.Ra=function(a,b){Ita(this,b);this.Pc&&Jta(this,this.Pc)}; -LU.prototype.lc=function(a){var b=this.J.getVideoData();this.videoId!==b.videoId&&Ita(this,b);this.u&&Jta(this,a.state);this.Pc=a.state}; -LU.prototype.Bc=function(){this.B.show();this.J.V("paidcontentoverlayvisibilitychange",!0)}; -LU.prototype.nb=function(){this.B.hide();this.J.V("paidcontentoverlayvisibilitychange",!1)};g.u(NU,g.V);NU.prototype.hide=function(){this.u.stop();this.message.style.display="none";g.V.prototype.hide.call(this)}; -NU.prototype.B=function(a){MU(this,a.state)}; -NU.prototype.C=function(){MU(this,g.uK(this.api))}; -NU.prototype.D=function(){this.message.style.display="block"};g.u(g.OU,g.KN);g.k=g.OU.prototype;g.k.show=function(){var a=this.zf();g.KN.prototype.show.call(this);this.Y&&(this.K.N(window,"blur",this.nb),this.K.N(document,"click",this.VM));a||this.V("show",!0)}; -g.k.hide=function(){var a=this.zf();g.KN.prototype.hide.call(this);Kta(this);a&&this.V("show",!1)}; -g.k.Bc=function(a,b){this.u=a;this.X.show();b?(this.P||(this.P=this.K.N(this.J,"appresize",this.TB)),this.TB()):this.P&&(this.K.Mb(this.P),this.P=void 0)}; -g.k.TB=function(){var a=g.BT(this.J);this.u&&a.To(this.element,this.u)}; -g.k.nb=function(){var a=this.zf();Kta(this);this.X.hide();a&&this.V("show",!1)}; -g.k.VM=function(a){var b=fp(a);b&&(g.Me(this.element,b)||this.u&&g.Me(this.u,b)||!g.cP(a))||this.nb()}; -g.k.zf=function(){return this.fb&&4!==this.X.state};g.u(QU,g.OU);QU.prototype.D=function(a){this.C&&(a?(Lta(this),this.Bc()):(this.seen&&Mta(this),this.nb()))}; -QU.prototype.F=function(a){this.api.isMutedByMutedAutoplay()&&g.GK(a,2)&&this.nb()}; -QU.prototype.onClick=function(){this.api.unMute();Mta(this)};g.u(g.SU,g.tR);g.k=g.SU.prototype;g.k.init=function(){var a=g.uK(this.api);this.vb(a);this.vk();this.Va()}; -g.k.Ra=function(a,b){if(this.fa!==b.videoId){this.fa=b.videoId;var c=this.Nc;c.fa=b&&0=b){this.C=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.D-1);02*b&&d<3*b&&(this.Jr(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.ip(a)}this.Aa=Date.now();this.Ja.start()}}; -g.k.nQ=function(a){Pta(this,a)||(Ota(this)||!VU(this,a)||this.F.isActive()||(RU(this),g.ip(a)),this.C&&(this.C=!1))}; -g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!0});HAa(!0);Hp();window.location.reload()},function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!1}); -a.ev()})}; -g.k.ju=function(){}; -g.k.gn=function(){}; -g.k.Jr=function(){}; -g.k.ev=function(){var a=g.uK(this.api);g.U(a,2)&&JT(this.api)||(g.GM(a)?this.api.pauseVideo():(this.api.app.Ig=!0,this.api.playVideo(),this.B&&document.activeElement===this.B.D.element&&this.api.getRootNode().focus()))}; -g.k.oQ=function(a){var b=this.api.getPresentingPlayerType();if(!TU(this,fp(a)))if(a=this.api.T(),(g.Q(this.api.T().experiments,"player_doubletap_to_seek")||g.Q(this.api.T().experiments,"embeds_enable_mobile_dtts"))&&this.C)this.C=!1;else if(a.za&&3!==b)try{this.api.toggleFullscreen()["catch"](function(c){Qta(c)})}catch(c){Qta(c)}}; -g.k.pQ=function(a){Rta(this,.3,a.scale);g.ip(a)}; -g.k.qQ=function(a){Rta(this,.1,a.scale)}; -g.k.Va=function(){var a=g.cG(this.api).getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Nc.resize();g.J(b,"ytp-fullscreen",this.api.isFullscreen());g.J(b,"ytp-large-width-mode",c);g.J(b,"ytp-small-mode",this.Ie());g.J(b,"ytp-tiny-mode",this.Ie()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height));g.J(b,"ytp-big-mode",this.ge());this.u&&this.u.resize(a)}; -g.k.HM=function(a){this.vb(a.state);this.vk()}; -g.k.gy=function(){var a=!!this.fa&&!g.IT(this.api),b=2===this.api.getPresentingPlayerType(),c=this.api.T();if(b){if(CBa&&g.Q(c.experiments,"enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=sU(g.HT(this.api));return a&&b.yA()}return a&&(c.En||this.api.isFullscreen()||c.ng)}; -g.k.vk=function(){var a=this.gy();this.Vi!==a&&(this.Vi=a,g.J(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; -g.k.vb=function(a){var b=a.isCued()||this.api.Qj()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.ma&&this.Mb(this.ma),this.ma=this.N(g.cG(this.api),"touchstart",this.rQ,void 0,b));var c=a.Hb()&&!g.U(a,32)||UT(this.api);wU(this.Nc,128,!c);c=3===this.api.getPresentingPlayerType();wU(this.Nc,256,c);c=this.api.getRootNode();if(g.U(a,2))var d=[b2.ENDED];else d=[],g.U(a,8)?d.push(b2.PLAYING):g.U(a,4)&&d.push(b2.PAUSED),g.U(a,1)&&!g.U(a,32)&&d.push(b2.BUFFERING),g.U(a,32)&& -d.push(b2.SEEKING),g.U(a,64)&&d.push(b2.UNSTARTED);g.Ab(this.X,d)||(g.tn(c,this.X),this.X=d,g.rn(c,d));d=this.api.T();var e=g.U(a,2);g.J(c,"ytp-hide-controls",("3"===d.controlsType?!e:"1"!==d.controlsType)||b);g.J(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.aa);g.U(a,128)&&!g.hD(d)?(this.u||(this.u=new g.FU(this.api),g.D(this,this.u),g.BP(this.api,this.u.element,4)),this.u.B(a.getData()),this.u.show()):this.u&&(this.u.dispose(),this.u=null)}; -g.k.Ij=function(){return g.ST(this.api)&&g.TT(this.api)?(this.api.setCardsVisible(!1,!1),!0):g.IT(this.api)?(g.KT(this.api,!0),!0):!1}; -g.k.GM=function(a){this.aa=a;this.Fg()}; -g.k.ge=function(){return!1}; -g.k.Ie=function(){return!this.ge()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; -g.k.Nh=function(){return this.R}; -g.k.Qk=function(){return null}; -g.k.Pi=function(){var a=g.cG(this.api).getPlayerSize();return new g.jg(0,0,a.width,a.height)}; +g.k.Ak=function(){return this.u.getVideoUrl(g.zT(this).videoId,this.getPlaylistId())}; +g.k.qa=function(){this.j=null;g.$a(this.items);g.dE.prototype.qa.call(this)};var AT=new Map;g.w(g.CT,g.dE);g.k=g.CT.prototype;g.k.create=function(){}; +g.k.load=function(){this.loaded=!0}; +g.k.unload=function(){this.loaded=!1}; +g.k.qh=function(){}; +g.k.Tk=function(){return!0}; +g.k.qa=function(){this.loaded&&this.unload();g.dE.prototype.qa.call(this)}; +g.k.lc=function(){return{}}; +g.k.getOptions=function(){return[]};g.w(g.FT,g.C);g.k=g.FT.prototype;g.k.Qs=aa(29);g.k.cz=function(){}; +g.k.gr=function(){}; +g.k.Wu=function(){return""}; +g.k.AO=aa(30);g.k.qa=function(){this.gr();g.C.prototype.qa.call(this)};g.w(g.GT,g.FT);g.GT.prototype.Qs=aa(28);g.GT.prototype.cz=function(a){if(this.audioTrack)for(var b=g.t(this.audioTrack.captionTracks),c=b.next();!c.done;c=b.next())g.ET(this.j,c.value);a()}; +g.GT.prototype.Wu=function(a,b){var c=a.Ze(),d={fmt:b};if("srv3"===b||"3"===b||"json3"===b)g.Yy()?Object.assign(d,{xorb:2,xobt:1,xovt:1}):Object.assign(d,{xorb:2,xobt:3,xovt:3});a.translationLanguage&&(d.tlang=g.aL(a));this.Y.K("web_player_topify_subtitles_for_shorts")&&this.B&&(d.xosf="1");this.Y.K("captions_url_add_ei")&&this.eventId&&(d.ei=this.eventId);Object.assign(d,this.Y.j);return ty(c,d)}; +g.GT.prototype.gr=function(){this.u&&this.u.abort()};g.xLa.prototype.override=function(a){a=g.t(Object.entries(a));for(var b=a.next();!b.done;b=a.next()){var c=g.t(b.value);b=c.next().value;c=c.next().value;Object.defineProperty(this,b,{value:c})}};g.Vcb=new Map;g.w(g.IT,g.FT);g.IT.prototype.Qs=aa(27); +g.IT.prototype.cz=function(a){var b=this,c=this.B,d={type:"list",tlangs:1,v:this.videoId,vssids:1};this.JU&&(d.asrs=1);c=ty(c,d);this.gr();this.u=g.Hy(c,{format:"RAW",onSuccess:function(e){b.u=null;if((e=e.responseXML)&&e.firstChild){for(var f=e.getElementsByTagName("track"),h=0;h([^<>]+)<\/a>/;g.w(aU,g.bI);aU.prototype.Hi=function(){zMa(this)}; +aU.prototype.onVideoDataChange=function(){var a=this,b=this.F.getVideoData();if(b.De()){var c=this.F.V(),d=[],e="";if(!c.oa){var f=xMa(this);c.K("enable_web_media_session_metadata_fix")&&g.nK(c)&&f?(d=yMa(f.thumbnailDetails),f.album&&(e=g.gE(f.album))):d=[{src:b.wg("mqdefault.jpg")||"",sizes:"320x180",type:"image/jpeg"}]}zMa(this);wMa(this);this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:d,album:e});c=b=null;g.KS(this.F)&&(this.j.delete("nexttrack"),this.j.delete("previoustrack"), +b=function(){a.F.nextVideo()},c=function(){a.F.previousVideo()}); +bU(this,"nexttrack",b);bU(this,"previoustrack",c)}}; +aU.prototype.qa=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.t(this.j),b=a.next();!b.done;b=a.next())bU(this,b.value,null);g.bI.prototype.qa.call(this)};g.w(AMa,g.U);g.k=AMa.prototype;g.k.onClick=function(a){g.UT(a,this.F,!0);this.F.qb(this.element)}; +g.k.onVideoDataChange=function(a,b){CMa(this,b);this.Te&&DMa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&CMa(this,b);this.j&&DMa(this,a.state);this.Te=a.state}; +g.k.od=function(){this.C.show();this.F.ma("paidcontentoverlayvisibilitychange",!0);this.F.Ua(this.element,!0)}; +g.k.Fb=function(){this.C.hide();this.F.ma("paidcontentoverlayvisibilitychange",!1);this.F.Ua(this.element,!1)};g.w(cU,g.U);cU.prototype.hide=function(){this.j.stop();this.message.style.display="none";g.U.prototype.hide.call(this)}; +cU.prototype.onStateChange=function(a){this.qc(a.state)}; +cU.prototype.qc=function(a){if(g.S(a,128))var b=!1;else{var c;b=(null==(c=this.api.Rc())?0:c.Ns)?!1:g.S(a,16)||g.S(a,1)?!0:!1}b?this.j.start():this.hide()}; +cU.prototype.u=function(){this.message.style.display="block"};g.w(dU,g.PS);dU.prototype.onMutedAutoplayChange=function(a){this.B&&(a?(EMa(this),this.od()):(this.j&&this.qb(),this.Fb()))}; +dU.prototype.Hi=function(a){this.api.isMutedByMutedAutoplay()&&g.YN(a,2)&&this.Fb()}; +dU.prototype.onClick=function(){this.api.unMute();this.qb()}; +dU.prototype.qb=function(){this.clicked||(this.clicked=!0,this.api.qb(this.element))};g.w(g.eU,g.bI);g.k=g.eU.prototype;g.k.init=function(){var a=this.api,b=a.Cb();this.qC=a.getPlayerSize();this.pc(b);this.wp();this.Db();this.api.ma("basechromeinitialized",this)}; +g.k.onVideoDataChange=function(a,b){var c=this.GC!==b.videoId;if(c||"newdata"===a)a=this.api,a.isFullscreen()||(this.qC=a.getPlayerSize());c&&(this.GC=b.videoId,c=this.Ve,c.Aa=b&&0=b){this.vB=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.PC-1);02*b&&d<3*b&&(this.GD(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.EO(a)}else RT&&this.api.K("embeds_web_enable_mobile_dtts")&& +this.api.V().T&&fU(this,a)&&g.EO(a);this.hV=Date.now();this.qX.start()}}; +g.k.h7=function(){this.uN.HU=!1;this.api.ma("rootnodemousedown",this.uN)}; +g.k.d7=function(a){this.uN.HU||JMa(this,a)||(IMa(this)||!fU(this,a)||this.uF.isActive()||(g.GK(this.api.V())&&this.api.Cb().isCued()&&yT(this.api.Oh()),GMa(this),g.EO(a)),this.vB&&(this.vB=!1))}; +g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.rA("embedsRequestStorageAccessResult",{resolved:!0});qwa(!0);xD();window.location.reload()},function(){g.rA("embedsRequestStorageAccessResult",{resolved:!1}); +a.fA()})}; +g.k.nG=function(){}; +g.k.nw=function(){}; +g.k.GD=function(){}; +g.k.FD=function(){}; +g.k.fA=function(){var a=this.api.Cb();g.S(a,2)&&g.HS(this.api)||(g.RO(a)?this.api.pauseVideo():(this.Fm&&(a=this.Fm.B,document.activeElement===a.element&&this.api.ma("largeplaybuttonclicked",a.element)),this.api.GG(),this.api.playVideo(),this.Fm&&document.activeElement===this.Fm.B.element&&this.api.getRootNode().focus()))}; +g.k.e7=function(a){var b=this,c=this.api.getPresentingPlayerType();if(!HMa(this,CO(a)))if(a=this.api.V(),(this.api.V().K("player_doubletap_to_seek")||this.api.K("embeds_web_enable_mobile_dtts")&&this.api.V().T)&&this.vB)this.vB=!1;else if(a.Tb&&3!==c)try{this.api.toggleFullscreen().catch(function(d){b.lC(d)})}catch(d){this.lC(d)}}; +g.k.lC=function(a){String(a).includes("fullscreen error")?g.DD(a):g.CD(a)}; +g.k.f7=function(a){KMa(this,.3,a.scale);g.EO(a)}; +g.k.g7=function(a){KMa(this,.1,a.scale)}; +g.k.Db=function(){var a=this.api.jb().getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Ve.resize();g.Up(b,"ytp-fullscreen",this.api.isFullscreen());g.Up(b,"ytp-large-width-mode",c);g.Up(b,"ytp-small-mode",this.Wg());g.Up(b,"ytp-tiny-mode",this.xG());g.Up(b,"ytp-big-mode",this.yg());this.rg&&this.rg.resize(a)}; +g.k.Hi=function(a){this.pc(a.state);this.wp()}; +g.k.TD=aa(31);g.k.SL=function(){var a=!!this.GC&&!this.api.Af()&&!this.pO,b=2===this.api.getPresentingPlayerType(),c=this.api.V();if(b){if(S8a&&c.K("enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=MT(this.api.wb());return a&&b.qP()}return a&&(c.vl||this.api.isFullscreen()||c.ij)}; +g.k.wp=function(){var a=this.SL();this.To!==a&&(this.To=a,g.Up(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; +g.k.pc=function(a){var b=a.isCued()||this.api.Mo()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.OP&&this.Hc(this.OP),this.OP=this.S(this.api.jb(),"touchstart",this.i7,void 0,b));var c=a.bd()&&!g.S(a,32)||this.api.AC();QT(this.Ve,128,!c);c=3===this.api.getPresentingPlayerType();QT(this.Ve,256,c);c=this.api.getRootNode();if(g.S(a,2))var d=[a4.ENDED];else d=[],g.S(a,8)?d.push(a4.PLAYING):g.S(a,4)&&d.push(a4.PAUSED),g.S(a,1)&&!g.S(a,32)&&d.push(a4.BUFFERING),g.S(a,32)&& +d.push(a4.SEEKING),g.S(a,64)&&d.push(a4.UNSTARTED);g.Mb(this.jK,d)||(g.Tp(c,this.jK),this.jK=d,g.Rp(c,d));d=this.api.V();var e=g.S(a,2);a:{var f=this.api.V();var h=f.controlsType;switch(h){case "2":case "0":f=!1;break a}f="3"===h&&!g.S(a,2)||this.isCued||(2!==this.api.getPresentingPlayerType()?0:z8a(MT(this.api.wb())))||g.fK(f)&&2===this.api.getPresentingPlayerType()?!1:!0}g.Up(c,"ytp-hide-controls",!f);g.Up(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.vM);g.S(a,128)&&!g.fK(d)?(this.rg|| +(this.rg=new g.XT(this.api),g.E(this,this.rg),g.NS(this.api,this.rg.element,4)),this.rg.u(a.getData()),this.rg.show()):this.rg&&(this.rg.dispose(),this.rg=null)}; +g.k.Il=function(){return this.api.nk()&&this.api.xo()?(this.api.Rz(!1,!1),!0):this.api.Af()?(g.IS(this.api,!0),!0):!1}; +g.k.onMutedAutoplayChange=function(a){this.vM=a;this.fl()}; +g.k.yg=function(){return!1}; +g.k.Wg=function(){return!this.yg()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; +g.k.xG=function(){return this.Wg()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height)}; +g.k.Sb=function(){var a=this.api.V();if(!g.fK(a)||"EMBEDDED_PLAYER_MODE_DEFAULT"!==(a.Qa||"EMBEDDED_PLAYER_MODE_DEFAULT")||this.api.getPlaylist())return!1;a=this.qC;var b,c;return a.width<=a.height&&!!(null==(b=this.api.getVideoData())?0:null==(c=b.embeddedPlayerConfig)?0:c.isShortsExperienceEligible)}; +g.k.Ql=function(){return this.qI}; +g.k.Nm=function(){return null}; +g.k.PF=function(){return null}; +g.k.zk=function(){var a=this.api.jb().getPlayerSize();return new g.Em(0,0,a.width,a.height)}; g.k.handleGlobalKeyDown=function(){return!1}; g.k.handleGlobalKeyUp=function(){return!1}; -g.k.To=function(){}; -g.k.showControls=function(a){void 0!==a&&fK(g.cG(this.api),a)}; -g.k.tk=function(){}; -g.k.oD=function(){return null};g.u(WU,g.V);WU.prototype.onClick=function(){this.J.xa("BACK_CLICKED")};g.u(g.XU,g.V);g.XU.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -g.XU.prototype.hide=function(){this.B.stop();g.V.prototype.hide.call(this)}; -g.XU.prototype.gn=function(a){a?g.U(g.uK(this.J),64)||YU(this,Zna(),"Play"):(a=this.J.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?YU(this,aoa(),"Stop live playback"):YU(this,Xna(),"Pause"))};g.u($U,g.V);g.k=$U.prototype;g.k.fI=function(){g.ST(this.J)&&g.TT(this.J)&&this.zf()&&this.nb()}; -g.k.kS=function(){this.nb();g.Po("iv-teaser-clicked",null!=this.u);this.J.setCardsVisible(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}; -g.k.IM=function(){g.Po("iv-teaser-mouseover");this.u&&this.u.stop()}; -g.k.LQ=function(a){this.u||!a||g.TT(this.J)||this.B&&this.B.isActive()||(this.Bc(a),g.Po("iv-teaser-shown"))}; -g.k.Bc=function(a){this.ya("text",a.teaserText);this.element.setAttribute("dir",g.Bn(a.teaserText));this.D.show();this.B=new g.F(function(){g.I(this.J.getRootNode(),"ytp-cards-teaser-shown");this.ZA()},0,this); -this.B.start();aV(this.Di,!1);this.u=new g.F(this.nb,580+a.durationMs,this);this.u.start();this.F.push(this.wa("mouseover",this.VE,this));this.F.push(this.wa("mouseout",this.UE,this))}; -g.k.ZA=function(){if(g.hD(this.J.T())&&this.fb){var a=this.Di.element.offsetLeft,b=g.se("ytp-cards-button-icon"),c=this.J.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Di.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; -g.k.GJ=function(){g.hD(this.J.T())&&this.X.Ie()&&this.fb&&this.P.start()}; -g.k.VE=function(){this.I.stop();this.u&&this.u.isActive()&&this.K.start()}; -g.k.UE=function(){this.K.stop();this.u&&!this.u.isActive()&&this.I.start()}; -g.k.wP=function(){this.u&&this.u.stop()}; -g.k.vP=function(){this.nb()}; -g.k.nb=function(){!this.u||this.C&&this.C.isActive()||(g.Po("iv-teaser-hidden"),this.D.hide(),g.sn(this.J.getRootNode(),"ytp-cards-teaser-shown"),this.C=new g.F(function(){for(var a=g.q(this.F),b=a.next();!b.done;b=a.next())this.Mb(b.value);this.F=[];this.u&&(this.u.dispose(),this.u=null);aV(this.Di,!0)},330,this),this.C.start())}; -g.k.zf=function(){return this.fb&&4!==this.D.state}; -g.k.ca=function(){var a=this.J.getRootNode();a&&g.sn(a,"ytp-cards-teaser-shown");g.gg(this.B,this.C,this.u);g.V.prototype.ca.call(this)};g.u(bV,g.V);g.k=bV.prototype;g.k.Bc=function(){this.B.show();g.Po("iv-button-shown")}; -g.k.nb=function(){g.Po("iv-button-hidden");this.B.hide()}; -g.k.zf=function(){return this.fb&&4!==this.B.state}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)}; -g.k.YO=function(){g.Po("iv-button-mouseover")}; -g.k.onClicked=function(a){g.ST(this.J);var b=g.qn(this.J.getRootNode(),"ytp-cards-teaser-shown");g.Po("iv-teaser-clicked",b);a=0===a.screenX&&0===a.screenY;this.J.setCardsVisible(!g.TT(this.J),a,"YOUTUBE_DRAWER_MANUAL_OPEN")};var Tta=new Set("embed_config endscreen_ad_tracking home_group_info ic_track player_request watch_next_request".split(" "));var f2={},fV=(f2.BUTTON="ytp-button",f2.TITLE_NOTIFICATIONS="ytp-title-notifications",f2.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f2.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f2.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f2);g.u(gV,g.V);gV.prototype.onClick=function(){g.$T(this.api,this.element);var a=!this.u;this.ya("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.ya("pressed",a);Wta(this,a)};g.u(g.iV,g.V);g.iV.prototype.B=function(){g.I(this.element,"ytp-sb-subscribed")}; -g.iV.prototype.C=function(){g.sn(this.element,"ytp-sb-subscribed")};g.u(jV,g.V);g.k=jV.prototype;g.k.hA=function(){aua(this);this.channel.classList.remove("ytp-title-expanded")}; +g.k.Uv=function(){}; +g.k.showControls=function(a){void 0!==a&&this.api.jb().SD(a)}; +g.k.tp=function(){}; +g.k.TL=function(){return this.qC};g.w(gU,g.dE);g.k=gU.prototype;g.k.Jl=function(){return 1E3*this.api.getDuration(this.In,!1)}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(){var a=this.api.getProgressState(this.In);this.u={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:this.api.getCurrentTime(this.In,!1)};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(LMa,g.U);LMa.prototype.onClick=function(){this.F.Na("BACK_CLICKED")};g.w(g.hU,g.U);g.hU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.j)}; +g.hU.prototype.hide=function(){this.u.stop();g.U.prototype.hide.call(this)}; +g.hU.prototype.nw=function(a){a?g.S(this.F.Cb(),64)||iU(this,pQ(),"Play"):(a=this.F.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?iU(this,VEa(),"Stop live playback"):iU(this,REa(),"Pause"))};g.w(PMa,g.U);g.k=PMa.prototype;g.k.od=function(){this.F.V().K("player_new_info_card_format")&&g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown")&&!g.fK(this.F.V())||(this.u.show(),g.rC("iv-button-shown"))}; +g.k.Fb=function(){g.rC("iv-button-hidden");this.u.hide()}; +g.k.ej=function(){return this.yb&&4!==this.u.state}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)}; +g.k.f6=function(){g.rC("iv-button-mouseover")}; +g.k.L5=function(a){this.F.nk();var b=g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown");g.rC("iv-teaser-clicked",b);var c;if(null==(c=this.F.getVideoData())?0:g.MM(c)){var d;a=null==(d=this.F.getVideoData())?void 0:g.NM(d);(null==a?0:a.onIconTapCommand)&&this.F.Na("innertubeCommand",a.onIconTapCommand)}else d=0===a.screenX&&0===a.screenY,this.F.Rz(!this.F.xo(),d,"YOUTUBE_DRAWER_MANUAL_OPEN")};g.w(QMa,g.U);g.k=QMa.prototype;g.k.CY=function(){this.F.nk()&&this.F.xo()&&this.ej()&&this.Fb()}; +g.k.DP=function(){this.Fb();!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb();g.rC("iv-teaser-clicked",null!=this.j);if(this.onClickCommand)this.F.Na("innertubeCommand",this.onClickCommand);else{var a;(null==(a=this.F.getVideoData())?0:g.MM(a))||this.F.Rz(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}}; +g.k.g0=function(){g.rC("iv-teaser-mouseover");this.j&&this.j.stop()}; +g.k.E7=function(a){this.F.V().K("player_new_info_card_format")&&!g.fK(this.F.V())?this.Wi.Fb():this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.od();this.j||!a||this.F.xo()||this.u&&this.u.isActive()||(this.od(a),g.rC("iv-teaser-shown"))}; +g.k.od=function(a){this.onClickCommand=a.onClickCommand;this.updateValue("text",a.teaserText);this.element.setAttribute("dir",g.fq(a.teaserText));this.C.show();this.u=new g.Ip(function(){g.Qp(this.F.getRootNode(),"ytp-cards-teaser-shown");this.F.K("player_new_info_card_format")&&!g.fK(this.F.V())&&this.Wi.Fb();this.aQ()},0,this); +this.u.start();OMa(this.Wi,!1);this.j=new g.Ip(this.Fb,580+a.durationMs,this);this.j.start();this.D.push(this.Ra("mouseover",this.ER,this));this.D.push(this.Ra("mouseout",this.DR,this))}; +g.k.aQ=function(){if(!this.F.V().K("player_new_info_card_format")&&g.fK(this.F.V())&&this.yb){var a=this.Wi.element.offsetLeft,b=g.kf("ytp-cards-button-icon"),c=this.F.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Wi.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; +g.k.m2=function(){g.fK(this.F.V())&&this.Z.Wg()&&this.yb&&this.T.start()}; +g.k.ER=function(){this.I.stop();this.j&&this.j.isActive()&&this.J.start()}; +g.k.DR=function(){this.J.stop();this.j&&!this.j.isActive()&&this.I.start()}; +g.k.s6=function(){this.j&&this.j.stop()}; +g.k.r6=function(){this.Fb()}; +g.k.Zo=function(){this.Fb()}; +g.k.Fb=function(){!this.j||this.B&&this.B.isActive()||(g.rC("iv-teaser-hidden"),this.C.hide(),g.Sp(this.F.getRootNode(),"ytp-cards-teaser-shown"),this.B=new g.Ip(function(){for(var a=g.t(this.D),b=a.next();!b.done;b=a.next())this.Hc(b.value);this.D=[];this.j&&(this.j.dispose(),this.j=null);OMa(this.Wi,!0);!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb()},330,this),this.B.start())}; +g.k.ej=function(){return this.yb&&4!==this.C.state}; +g.k.qa=function(){var a=this.F.getRootNode();a&&g.Sp(a,"ytp-cards-teaser-shown");g.$a(this.u,this.B,this.j);g.U.prototype.qa.call(this)};var f4={},kU=(f4.BUTTON="ytp-button",f4.TITLE_NOTIFICATIONS="ytp-title-notifications",f4.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f4.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f4.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f4);g.w(RMa,g.U);RMa.prototype.onClick=function(){this.api.qb(this.element);var a=!this.j;this.updateValue("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.updateValue("pressed",a);SMa(this,a)};g.Fa("yt.pubsub.publish",g.rC);g.w(g.nU,g.U);g.nU.prototype.C=function(){window.location.reload()}; +g.nU.prototype.j=function(){g.Qp(this.element,"ytp-sb-subscribed")}; +g.nU.prototype.u=function(){g.Sp(this.element,"ytp-sb-subscribed")};g.w(VMa,g.U);g.k=VMa.prototype;g.k.I5=function(a){this.api.qb(this.j);var b=this.api.V();b.u||b.tb?XMa(this)&&(this.isExpanded()?this.nF():this.CF()):g.gk(oU(this));a.preventDefault()}; +g.k.RO=function(){ZMa(this);this.channel.classList.remove("ytp-title-expanded")}; g.k.isExpanded=function(){return this.channel.classList.contains("ytp-title-expanded")}; -g.k.Sx=function(){if(Zta(this)&&!this.isExpanded()){this.ya("flyoutUnfocusable","false");this.ya("channelTitleFocusable","0");this.C&&this.C.stop();this.subscribeButton&&(this.subscribeButton.show(),g.QN(this.api,this.subscribeButton.element,!0));var a=this.api.getVideoData();this.B&&a.kp&&a.subscribed&&(this.B.show(),g.QN(this.api,this.B.element,!0));this.channel.classList.add("ytp-title-expanded");this.channel.classList.add("ytp-title-show-expanded")}}; -g.k.yx=function(){this.ya("flyoutUnfocusable","true");this.ya("channelTitleFocusable","-1");this.C&&this.C.start()}; -g.k.oa=function(){var a=this.api.getVideoData(),b=this.api.T(),c=!1;2===this.api.getPresentingPlayerType()?c=!!a.videoId&&!!a.isListed&&!!a.author&&!!a.Ek&&!!a.lf:g.hD(b)&&(c=!!a.videoId&&!!a.Ek&&!!a.lf&&!(a.qc&&b.pfpChazalUi));b=g.TD(this.api.T())+a.Ek;g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_ch_name_ex")));var d=a.Ek,e=a.lf,f=a.author;d=void 0===d?"":d;e=void 0===e?"":e;f=void 0===f?"":f;c?(d=g.TD(this.api.T())+d,this.I!==e&&(this.u.style.backgroundImage="url("+e+")",this.I=e),this.ya("channelLink", -d),this.ya("channelLogoLabel",g.tL("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:f})),g.I(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.sn(this.api.getRootNode(),"ytp-title-enable-channel-logo");g.QN(this.api,this.u,c&&this.R);this.subscribeButton&&(this.subscribeButton.channelId=a.kg);this.ya("expandedTitle",a.Rx);this.ya("channelTitleLink",b);this.ya("expandedSubtitle",a.expandedSubtitle)};g.u(g.lV,g.KN);g.lV.prototype.ya=function(a,b){g.KN.prototype.ya.call(this,a,b);this.V("size-change")};g.u(oV,g.KN);oV.prototype.JF=function(){this.V("size-change")}; -oV.prototype.focus=function(){this.content.focus()}; -oV.prototype.rO=function(){this.V("back")};g.u(g.pV,oV);g.pV.prototype.Wb=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{var c=g.xb(this.items,a,bua);if(0<=c)return;c=~c;g.ub(this.items,c,0,a);g.Ie(this.menuItems.element,a.element,c)}a.subscribe("size-change",this.Hz,this);this.menuItems.V("size-change")}; -g.pV.prototype.re=function(a){a.unsubscribe("size-change",this.Hz,this);this.na()||(g.ob(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.V("size-change"))}; -g.pV.prototype.Hz=function(){this.menuItems.V("size-change")}; -g.pV.prototype.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone(); -d&&(h=a,e=b,f=5,65==(f&65)&&(h.x=d.right)&&(f&=-2),132==(f&132)&&(h.y=d.bottom)&&(f&=-5),h.xd.right&&(e.width=Math.min(d.right-h.x,c+e.width-d.left),e.width=Math.max(e.width,0))),h.x+e.width>d.right&&f&1&&(h.x=Math.max(d.right-e.width,d.left)),h.yd.bottom&&(e.height=Math.min(d.bottom-h.y,c+e.height-d.top),e.height=Math.max(e.height, -0))),h.y+e.height>d.bottom&&f&4&&(h.y=Math.max(d.bottom-e.height,d.top)));d=new g.jg(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Cg(this.element,new g.ge(d.left,d.top));g.ut(this.I);this.I.N(document,"contextmenu",this.OO);this.I.N(this.J,"fullscreentoggled",this.KM);this.I.N(this.J,"pageTransition",this.LM)}}; -g.k.OO=function(a){if(!g.kp(a)){var b=fp(a);g.Me(this.element,b)||this.nb();this.J.T().disableNativeContextMenu&&g.ip(a)}}; -g.k.KM=function(){this.nb();hua(this)}; -g.k.LM=function(){this.nb()};g.u(CV,g.V);CV.prototype.onClick=function(){return We(this,function b(){var c=this,d,e,f,h;return xa(b,function(l){if(1==l.u)return d=c.api.T(),e=c.api.getVideoData(),f=c.api.getPlaylistId(),h=d.getVideoUrl(e.videoId,f,void 0,!0),sa(l,jua(c,h),2);l.B&&iua(c);g.$T(c.api,c.element);l.u=0})})}; -CV.prototype.oa=function(){var a=this.api.T(),b=this.api.getVideoData();this.ya("icon",{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.ya("title-attr","Copy link");var c=g.cG(this.api).getPlayerSize().width;this.visible= -!!b.videoId&&240<=c&&b.Xr&&!(b.qc&&a.pfpChazalUi);g.J(this.element,"ytp-copylink-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -CV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -CV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-copylink-button-visible")};g.u(FV,g.V);FV.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -FV.prototype.hide=function(){this.B.stop();g.sn(this.element,"ytp-chapter-seek");g.V.prototype.hide.call(this)}; -FV.prototype.Jr=function(a,b,c,d){var e=-1===a?this.D:this.C;e&&g.$T(this.J,e);this.u.rg();this.B.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*g.cG(this.J).getPlayerSize().height;e=g.cG(this.J).getPlayerSize();e=e.width/3-3*e.height;var h=this.ka("ytp-doubletap-static-circle");h.style.width=f+"px";h.style.height=f+"px";1===a?(h.style.left="",h.style.right=e+"px"):-1===a&&(h.style.right="",h.style.left=e+"px");var l=2.5*f;f=l/2;h=this.ka("ytp-doubletap-ripple");h.style.width= -l+"px";h.style.height=l+"px";1===a?(a=g.cG(this.J).getPlayerSize().width-b+Math.abs(e),h.style.left="",h.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,h.style.right="",h.style.left=a-f+"px");h.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.ka("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");kua(this,d)};var ZCa={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(ZCa).reduce(function(a,b){a[ZCa[b]]=b;return a},{}); -var $Ca={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys($Ca).reduce(function(a,b){a[$Ca[b]]=b;return a},{}); -var aDa={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(aDa).reduce(function(a,b){a[aDa[b]]=b;return a},{});var g2,bDa;g2=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];bDa=[{option:0,text:HV(0)},{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]; -g.KV=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:g2},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:HV(.5)},{option:-1,text:HV(.75)},{option:0,text:HV(1)},{option:1,text:HV(1.5)},{option:2,text:HV(2)}, -{option:3,text:HV(3)},{option:4,text:HV(4)}]},{option:"background",text:"Background color",options:g2},{option:"backgroundOpacity",text:"Background opacity",options:bDa},{option:"windowColor",text:"Window color",options:g2},{option:"windowOpacity",text:"Window opacity",options:bDa},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity",text:"Font opacity", -options:[{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]}];g.u(g.JV,g.tR);g.k=g.JV.prototype; -g.k.AD=function(a){var b=!1,c=g.lp(a),d=fp(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey,f=!1,h=!1,l=this.api.T();g.kp(a)?(e=!1,h=!0):l.Hg&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role");break;case 38:case 40:m=d.getAttribute("role"), -d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);ZU(this.Tb,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);ZU(this.Tb,f,!0);this.api.setVolume(f);h=f=!0;break;case 36:this.api.He()&&(this.api.seekTo(0), -h=f=!0);break;case 35:this.api.He()&&(this.api.seekTo(Infinity),h=f=!0)}}b&&this.tA(!0);(b||h)&&this.Nc.tk();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.ip(a);l.C&&(a={keyCode:g.lp(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.kp(a),fullscreen:this.api.isFullscreen()},this.api.xa("onKeyPress",a))}; -g.k.BD=function(a){this.handleGlobalKeyUp(g.lp(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; -g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.PT(g.HT(this.api));c&&(c=c.Ml)&&c.fb&&(c.yD(a),b=!0);9===a&&(this.tA(!0),b=!0);return b}; -g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){e=!1;c=this.api.T();if(c.Hg)return e;var h=g.PT(g.HT(this.api));if(h&&(h=h.Ml)&&h.fb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:e=h.xD(a)}c.I||e||(e=f||String.fromCharCode(a).toLowerCase(),this.B+=e,0==="awesome".indexOf(this.B)?(e=!0,7===this.B.length&&un(this.api.getRootNode(),"ytp-color-party")):(this.B=e,e=0==="awesome".indexOf(this.B)));if(!e){f=(f=this.api.getVideoData())?f.Ea:[];switch(a){case 80:b&&!c.aa&&(YU(this.Tb, -$na(),"Previous"),this.api.previousVideo(),e=!0);break;case 78:b&&!c.aa&&(YU(this.Tb,$N(),"Next"),this.api.nextVideo(),e=!0);break;case 74:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(-10*this.api.getPlaybackRate()),e=!0);break;case 76:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(10*this.api.getPlaybackRate()),e=!0);break;case 37:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=nua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,-1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), -this.api.seekBy(-5*this.api.getPlaybackRate()),e=!0));break;case 39:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=mua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&null!=this.u?GV(this.u,1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), -this.api.seekBy(5*this.api.getPlaybackRate()),e=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),ZU(this.Tb,this.api.getVolume(),!1)):(this.api.mute(),ZU(this.Tb,0,!0));e=!0;break;case 32:case 75:c.aa||(b=!g.GM(g.uK(this.api)),this.Tb.gn(b),b?this.api.playVideo():this.api.pauseVideo(),e=!0);break;case 190:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b+.25,!0),Sta(this.Tb,!1),e=!0):this.api.He()&&(pua(this,1),e=!0);break;case 188:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b- -.25,!0),Sta(this.Tb,!0),e=!0):this.api.He()&&(pua(this,-1),e=!0);break;case 70:Eta(this.api)&&(this.api.toggleFullscreen()["catch"](function(){}),e=!0); -break;case 27:this.D()&&(e=!0)}if("3"!==c.controlsType)switch(a){case 67:g.nU(g.HT(this.api))&&(c=this.api.getOption("captions","track"),this.api.toggleSubtitles(),YU(this.Tb,Sna(),!c||c&&!c.displayName?"Subtitles/closed captions on":"Subtitles/closed captions off"),e=!0);break;case 79:LV(this,"textOpacity");break;case 87:LV(this,"windowOpacity");break;case 187:case 61:LV(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LV(this,"fontSizeIncrement",!0,!0)}var l;48<=a&&57>=a?l=a-48:96<=a&&105>= -a&&(l=a-96);null!=l&&this.api.He()&&(a=this.api.getProgressState(),this.api.seekTo(l/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),e=!0);e&&this.Nc.tk()}return e}; -g.k.tA=function(a){g.J(this.api.getRootNode(),"ytp-probably-keyboard-focus",a);g.J(this.contextMenu.element,"ytp-probably-keyboard-focus",a)}; -g.k.ca=function(){this.C.rg();g.tR.prototype.ca.call(this)};g.u(MV,g.V);MV.prototype.oa=function(){var a=g.hD(this.J.T())&&g.NT(this.J)&&g.U(g.uK(this.J),128),b=this.J.getPlayerSize();this.visible=this.u.Ie()&&!a&&240<=b.width&&!(this.J.getVideoData().qc&&this.J.T().pfpChazalUi);g.J(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&EV(this.tooltip);g.QN(this.J,this.element,this.visible&&this.R)}; -MV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)}; -MV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-overflow-button-visible")};g.u(NV,g.OU);g.k=NV.prototype;g.k.RM=function(a){a=fp(a);g.Me(this.element,a)&&(g.Me(this.B,a)||g.Me(this.closeButton,a)||PU(this))}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){this.fb&&this.J.V("OVERFLOW_PANEL_OPENED");g.OU.prototype.show.call(this);qua(this,!0)}; -g.k.hide=function(){g.OU.prototype.hide.call(this);qua(this,!1)}; -g.k.QM=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){for(var a=g.q(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.fb){b.focus();break}};g.u(PV,g.V);PV.prototype.Mc=function(a){this.element.setAttribute("aria-checked",String(a))}; -PV.prototype.onClick=function(a){g.AU(a,this.api)&&this.api.playVideoAt(this.index)};g.u(QV,g.OU);g.k=QV.prototype;g.k.show=function(){g.OU.prototype.show.call(this);this.C.N(this.api,"videodatachange",this.qz);this.C.N(this.api,"onPlaylistUpdate",this.qz);this.qz()}; -g.k.hide=function(){g.OU.prototype.hide.call(this);g.ut(this.C);this.updatePlaylist(null)}; -g.k.qz=function(){this.updatePlaylist(this.api.getPlaylist())}; -g.k.Xv=function(){var a=this.playlist,b=a.xu;if(b===this.D)this.selected.Mc(!1),this.selected=this.B[a.index];else{for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.dispose();c=a.getLength();this.B=[];for(d=0;dthis.api.getPlayerSize().width));c=b.profilePicture;a=g.fK(a)?b.ph:b.author;c=void 0===c?"":c;a=void 0===a?"":a;this.C?(this.J!==c&&(this.j.style.backgroundImage="url("+c+")",this.J=c),this.api.K("web_player_ve_conversion_fixes_for_channel_info")|| +this.updateValue("channelLink",oU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,this.C&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",oU(this));this.updateValue("expandedSubtitle", +b.expandedSubtitle)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.j,this.C&&a)};g.w(pU,g.dQ);pU.prototype.cW=function(){this.ma("size-change")}; +pU.prototype.focus=function(){this.content.focus()}; +pU.prototype.WV=function(){this.ma("back")};g.w(g.qU,pU);g.k=g.qU.prototype;g.k.Zc=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{b=g.Jb(this.items,a,aNa);if(0<=b)return;b=~b;g.Gb(this.items,b,0,a);g.wf(this.menuItems.element,a.element,b)}a.subscribe("size-change",this.WN,this);this.menuItems.ma("size-change")}; +g.k.jh=function(a){a.unsubscribe("size-change",this.WN,this);this.isDisposed()||(g.wb(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.ma("size-change"))}; +g.k.WN=function(){this.menuItems.ma("size-change")}; +g.k.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone();d&&(h=b,e=5,65==(e&65)&&(a.x=d.right)&&(e&=-2),132==(e&132)&&(a.y< +d.top||a.y>=d.bottom)&&(e&=-5),a.xd.right&&(h.width=Math.min(d.right-a.x,f+h.width-d.left),h.width=Math.max(h.width,0))),a.x+h.width>d.right&&e&1&&(a.x=Math.max(d.right-h.width,d.left)),a.yd.bottom&&(h.height=Math.min(d.bottom-a.y,f+h.height-d.top),h.height=Math.max(h.height,0))),a.y+h.height>d.bottom&&e&4&&(a.y=Math.max(d.bottom-h.height,d.top))); +d=new g.Em(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Nm(this.element,new g.Fe(d.left,d.top));g.Lz(this.C);this.C.S(document,"contextmenu",this.W5);this.C.S(this.F,"fullscreentoggled",this.onFullscreenToggled);this.C.S(this.F,"pageTransition",this.l0)}; +g.k.W5=function(a){if(!g.DO(a)){var b=CO(a);g.zf(this.element,b)||this.Fb();this.F.V().disableNativeContextMenu&&g.EO(a)}}; +g.k.onFullscreenToggled=function(){this.Fb();kNa(this)}; +g.k.l0=function(){this.Fb()};g.w(g.yU,g.U);g.yU.prototype.onClick=function(){var a=this,b,c,d,e;return g.A(function(f){if(1==f.j)return b=a.api.V(),c=a.api.getVideoData(),d=a.api.getPlaylistId(),e=b.getVideoUrl(c.videoId,d,void 0,!0),g.y(f,nNa(a,e),2);f.u&&mNa(a);a.api.qb(a.element);g.oa(f)})}; +g.yU.prototype.Pa=function(){this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.updateValue("title-attr","Copy link");this.visible=lNa(this);g.Up(this.element,"ytp-copylink-button-visible", +this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,this.visible&&this.ea)}; +g.yU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.yU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-copylink-button-visible")};g.w(AU,g.U);AU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.u)}; +AU.prototype.hide=function(){this.C.stop();this.B=0;g.Sp(this.element,"ytp-chapter-seek");g.Sp(this.element,"ytp-time-seeking");g.U.prototype.hide.call(this)}; +AU.prototype.GD=function(a,b,c,d){this.B=a===this.I?this.B+d:d;this.I=a;var e=-1===a?this.T:this.J;e&&this.F.qb(e);this.D?this.u.stop():g.Lp(this.u);this.C.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*this.F.jb().getPlayerSize().height;e=this.F.jb().getPlayerSize();e=e.width/3-3*e.height;this.j.style.width=f+"px";this.j.style.height=f+"px";1===a?(this.j.style.left="",this.j.style.right=e+"px"):-1===a&&(this.j.style.right="",this.j.style.left=e+"px");var h=2.5*f;f= +h/2;var l=this.Da("ytp-doubletap-ripple");l.style.width=h+"px";l.style.height=h+"px";1===a?(a=this.F.jb().getPlayerSize().width-b+Math.abs(e),l.style.left="",l.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,l.style.right="",l.style.left=a-f+"px");l.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.Da("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");oNa(this,this.D?this.B:d)};g.w(EU,g.U);g.k=EU.prototype;g.k.YG=function(){}; +g.k.WC=function(){}; +g.k.Yz=function(){return!0}; +g.k.g9=function(){if(this.expanded){this.Ga.show();var a=this.B.element.scrollWidth}else a=this.B.element.scrollWidth,this.Ga.hide();this.fb=34+a;g.Up(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.fb)+"px";this.Aa.start()}; +g.k.S2=function(){this.badge.element.style.width=(this.expanded?this.fb:34)+"px";this.La.start()}; +g.k.K9=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!0)}; +g.k.oP=function(){return this.Z||this.C||!this.D}; +g.k.dl=function(){this.Yz()?this.I.show():this.I.hide();qNa(this)}; +g.k.n0=function(){this.enabled=!1;this.dl()}; +g.k.J9=function(){this.dl()}; +g.k.F5=function(a){this.Xa=1===a;this.dl();g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!1)}; +g.k.Z5=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-fullscreen",this.F.isFullscreen());this.dl()};g.w(sNa,EU);g.k=sNa.prototype;g.k.Yz=function(){return!!this.J}; +g.k.oP=function(){return!!this.J}; +g.k.YG=function(a){a.target===this.dismissButton.element?a.preventDefault():FU(this,!1)}; +g.k.WC=function(){FU(this,!0);this.NH()}; +g.k.W8=function(a){var b;if(a.id!==(null==(b=this.J)?void 0:b.identifier)){this.NH();b=g.t(this.T);for(var c=b.next();!c.done;c=b.next()){var d=c.value,e=void 0,f=void 0;(c=null==(e=d)?void 0:null==(f=e.bannerData)?void 0:f.itemData)&&d.identifier===a.id&&(this.J=d,cQ(this.banner,c.accessibilityLabel||""),f=d=void 0,e=null==(f=g.K(g.K(c.onTapCommand,g.gT),g.pM))?void 0:f.url,this.banner.update({url:e,thumbnail:null==(d=(c.thumbnailSources||[])[0])?void 0:d.url,title:c.productTitle,vendor:c.vendorName, +price:c.price}),c.trackingParams&&(this.j=!0,this.F.og(this.badge.element,c.trackingParams)),this.I.show(),DU(this))}}}; +g.k.NH=function(){this.J&&(this.J=void 0,this.dl())}; +g.k.onVideoDataChange=function(a,b){var c=this;"dataloaded"===a&&tNa(this);var d,e;if(null==b?0:null==(d=b.getPlayerResponse())?0:null==(e=d.videoDetails)?0:e.isLiveContent){a=b.shoppingOverlayRenderer;var f=null==a?void 0:a.featuredProductsEntityKey,h;if(b=null==a?void 0:null==(h=a.dismissButton)?void 0:h.trackingParams)this.F.og(this.dismissButton.element,b),this.u=!0;var l;(h=null==a?void 0:null==(l=a.dismissButton)?void 0:l.a11yLabel)&&cQ(this.dismissButton,g.gE(h));this.T.length||uNa(this,f); +var m;null==(m=this.Ja)||m.call(this);this.Ja=g.sM.subscribe(function(){uNa(c,f)})}else this.NH()}; +g.k.qa=function(){tNa(this);EU.prototype.qa.call(this)};g.w(xNa,g.U);xNa.prototype.onClick=function(){this.F.qb(this.element,this.u)};g.w(yNa,g.PS);g.k=yNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.F.ma("infopaneldetailvisibilitychange",!0);this.F.Ua(this.element,!0);zNa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.F.ma("infopaneldetailvisibilitychange",!1);this.F.Ua(this.element,!1);zNa(this,!1)}; +g.k.getId=function(){return this.C}; +g.k.Ho=function(){return this.itemData.length}; +g.k.onVideoDataChange=function(a,b){if(b){var c,d,e,f;this.update({title:(null==(c=b.lm)?void 0:null==(d=c.title)?void 0:d.content)||"",body:(null==(e=b.lm)?void 0:null==(f=e.bodyText)?void 0:f.content)||""});var h;a=(null==(h=b.lm)?void 0:h.trackingParams)||null;this.F.og(this.element,a);h=g.t(this.itemData);for(a=h.next();!a.done;a=h.next())a.value.dispose();this.itemData=[];var l;if(null==(l=b.lm)?0:l.ctaButtons)for(b=g.t(b.lm.ctaButtons),l=b.next();!l.done;l=b.next())if(l=g.K(l.value,dab))l=new xNa(this.F, +l,this.j),l.De&&(this.itemData.push(l),l.Ea(this.items))}}; +g.k.qa=function(){this.hide();g.PS.prototype.qa.call(this)};g.w(CNa,g.U);g.k=CNa.prototype;g.k.onVideoDataChange=function(a,b){BNa(this,b);this.Te&&ENa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&BNa(this,b);ENa(this,a.state);this.Te=a.state}; +g.k.dW=function(a){(this.C=a)?this.hide():this.j&&this.show()}; +g.k.q0=function(){this.u||this.od();this.showControls=!0}; +g.k.o0=function(){this.u||this.Fb();this.showControls=!1}; +g.k.od=function(){this.j&&!this.C&&(this.B.show(),this.F.ma("infopanelpreviewvisibilitychange",!0),this.F.Ua(this.element,!0))}; +g.k.Fb=function(){this.j&&!this.C&&(this.B.hide(),this.F.ma("infopanelpreviewvisibilitychange",!1),this.F.Ua(this.element,!1))}; +g.k.Z8=function(){this.u=!1;this.showControls||this.Fb()};var Wcb={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(Wcb).reduce(function(a,b){a[Wcb[b]]=b;return a},{}); +var Xcb={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys(Xcb).reduce(function(a,b){a[Xcb[b]]=b;return a},{}); +var Ycb={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(Ycb).reduce(function(a,b){a[Ycb[b]]=b;return a},{});var Zcb,$cb;Zcb=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];$cb=[{option:0,text:GU(0)},{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]; +g.KU=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:Zcb},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:GU(.5)},{option:-1,text:GU(.75)},{option:0,text:GU(1)},{option:1,text:GU(1.5)},{option:2, +text:GU(2)},{option:3,text:GU(3)},{option:4,text:GU(4)}]},{option:"background",text:"Background color",options:Zcb},{option:"backgroundOpacity",text:"Background opacity",options:$cb},{option:"windowColor",text:"Window color",options:Zcb},{option:"windowOpacity",text:"Window opacity",options:$cb},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity", +text:"Font opacity",options:[{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]}];var adb=[27,9,33,34,13,32,187,61,43,189,173,95,79,87,67,80,78,75,70,65,68,87,83,107,221,109,219];g.w(g.JU,g.bI);g.k=g.JU.prototype; +g.k.oU=function(a){var b=!1,c=g.zO(a),d=CO(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey&&(!g.wS(this.api.app)||adb.includes(c)),f=!1,h=!1,l=this.api.V();g.DO(a)?(e=!1,h=!0):l.aj&&!g.wS(this.api.app)&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role"); +break;case 38:case 40:m=d.getAttribute("role"),d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);jU(this.Qc,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);jU(this.Qc,f,!0);this.api.setVolume(f); +h=f=!0;break;case 36:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(0),h=f=!0);break;case 35:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(Infinity),h=f=!0)}}b&&IU(this,!0);(b||h)&&this.Ve.tp();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.EO(a);l.I&&(a={keyCode:g.zO(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.DO(a),fullscreen:this.api.isFullscreen()},this.api.Na("onKeyPress",a))}; +g.k.pU=function(a){this.handleGlobalKeyUp(g.zO(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; +g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.LS(this.api.wb());c&&(c=c.Et)&&c.yb&&(c.kU(a),b=!0);9===a&&(IU(this,!0),b=!0);return b}; +g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){var h=!1;e=this.api.V();if(e.aj&&!g.wS(this.api.app))return h;var l=g.LS(this.api.wb());if(l&&(l=l.Et)&&l.yb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:h=l.jU(a)}e.J||h||(h=f||String.fromCharCode(a).toLowerCase(),this.u+=h,0==="awesome".indexOf(this.u)?(h=!0,7===this.u.length&&jla(this.api.getRootNode(),"ytp-color-party")):(this.u=h,h=0==="awesome".indexOf(this.u)));if(!h&&(!g.wS(this.api.app)||adb.includes(a))){l=this.api.getVideoData(); +var m,n;f=null==(m=this.Kc)?void 0:null==(n=m.u)?void 0:n.isEnabled;m=l?l.Pk:[];n=ZW?d:c;switch(a){case 80:b&&!e.Xa&&(iU(this.Qc,UEa(),"Previous"),this.api.previousVideo(),h=!0);break;case 78:b&&!e.Xa&&(iU(this.Qc,mQ(),"Next"),this.api.nextVideo(),h=!0);break;case 74:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,-1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(-10*this.api.getPlaybackRate()),h=!0);break;case 76:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(10*this.api.getPlaybackRate()),h=!0);break;case 37:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=HNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,-1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(this.j?BU(this.j,-1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), +this.api.seekBy(-5*this.api.getPlaybackRate()),h=!0));break;case 39:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=GNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(null!=this.j?BU(this.j,1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), +this.api.seekBy(5*this.api.getPlaybackRate()),h=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),jU(this.Qc,this.api.getVolume(),!1)):(this.api.mute(),jU(this.Qc,0,!0));h=!0;break;case 32:case 75:e.Xa||(LNa(this)&&this.api.Na("onExpandMiniplayer"),f?this.Kc.AL():(h=!g.RO(this.api.Cb()),this.Qc.nw(h),h?this.api.playVideo():this.api.pauseVideo()),h=!0);break;case 190:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h+.25,!0),MMa(this.Qc,!1),h=!0):this.api.yh()&&(this.step(1),h= +!0);break;case 188:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h-.25,!0),MMa(this.Qc,!0),h=!0):this.api.yh()&&(this.step(-1),h=!0);break;case 70:oMa(this.api)&&(this.api.toggleFullscreen().catch(function(){}),h=!0); +break;case 27:f?(this.Kc.Vr(),h=!0):this.C()&&(h=!0)}if("3"!==e.controlsType)switch(a){case 67:g.JT(this.api.wb())&&(e=this.api.getOption("captions","track"),this.api.toggleSubtitles(),NMa(this.Qc,!e||e&&!e.displayName),h=!0);break;case 79:LU(this,"textOpacity");break;case 87:LU(this,"windowOpacity");break;case 187:case 61:LU(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LU(this,"fontSizeIncrement",!0,!0)}var p;b||c||d||(48<=a&&57>=a?p=a-48:96<=a&&105>=a&&(p=a-96));null!=p&&this.api.yh()&& +(this.api.startSeekCsiAction(),a=this.api.getProgressState(),this.api.seekTo(p/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),h=!0);h&&this.Ve.tp()}return h}; +g.k.step=function(a){this.api.yh();if(g.QO(this.api.Cb())){var b=this.api.getVideoData().u;b&&(b=b.video)&&this.api.seekBy(a/(b.fps||30))}}; +g.k.qa=function(){g.Lp(this.B);g.bI.prototype.qa.call(this)};g.w(g.MU,g.U);g.MU.prototype.Sq=aa(33); +g.MU.prototype.Pa=function(){var a=this.F.V(),b=a.B||this.F.K("web_player_hide_overflow_button_if_empty_menu")&&this.Bh.Bf(),c=g.fK(a)&&g.KS(this.F)&&g.S(this.F.Cb(),128),d=this.F.getPlayerSize(),e=a.K("shorts_mode_to_player_api")?this.F.Sb():this.j.Sb();this.visible=this.j.Wg()&&!c&&240<=d.width&&!(this.F.getVideoData().D&&a.Z)&&!b&&!this.u&&!e;g.Up(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&$S(this.tooltip);this.F.Ua(this.element,this.visible&&this.ea)}; +g.MU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.F.Ua(this.element,this.visible&&a)}; +g.MU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-overflow-button-visible")};g.w(MNa,g.PS);g.k=MNa.prototype;g.k.r0=function(a){a=CO(a);g.zf(this.element,a)&&(g.zf(this.j,a)||g.zf(this.closeButton,a)||QS(this))}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element)}; +g.k.show=function(){this.yb&&this.F.ma("OVERFLOW_PANEL_OPENED");g.PS.prototype.show.call(this);this.element.setAttribute("aria-modal","true");ONa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.element.removeAttribute("aria-modal");ONa(this,!1)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.Bf=function(){return 0===this.actionButtons.length}; +g.k.focus=function(){for(var a=g.t(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.yb){b.focus();break}};g.w(PNa,g.U);PNa.prototype.onClick=function(a){g.UT(a,this.api)&&this.api.playVideoAt(this.index)};g.w(QNa,g.PS);g.k=QNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.B.S(this.api,"videodatachange",this.GJ);this.B.S(this.api,"onPlaylistUpdate",this.GJ);this.GJ()}; +g.k.hide=function(){g.PS.prototype.hide.call(this);g.Lz(this.B);this.updatePlaylist(null)}; +g.k.GJ=function(){this.updatePlaylist(this.api.getPlaylist());this.api.V().B&&(this.Da("ytp-playlist-menu-title-name").removeAttribute("href"),this.C&&(this.Hc(this.C),this.C=null))}; +g.k.TH=function(){var a=this.playlist,b=a.author,c=b?"by $AUTHOR \u2022 $CURRENT_POSITION/$PLAYLIST_LENGTH":"$CURRENT_POSITION/$PLAYLIST_LENGTH",d={CURRENT_POSITION:String(a.index+1),PLAYLIST_LENGTH:String(a.length)};b&&(d.AUTHOR=b);this.update({title:a.title,subtitle:g.lO(c,d),playlisturl:this.api.getVideoUrl(!0)});b=a.B;if(b===this.D)this.selected.element.setAttribute("aria-checked","false"),this.selected=this.j[a.index];else{c=g.t(this.j);for(d=c.next();!d.done;d=c.next())d.value.dispose();c=a.length; +this.j=[];for(d=0;dg.cG(this.api).getPlayerSize().width&&!a);this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.tL("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.getLength())}),title:g.tL("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}),this.fb||(this.show(),EV(this.tooltip)),this.visible=!0):this.fb&& -(this.hide(),EV(this.tooltip))}; -RV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -RV.prototype.u=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.oa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.oa,this);this.oa()};g.u(SV,g.V);g.k=SV.prototype; -g.k.rz=function(a,b){if(!this.C){if(a){this.tooltipRenderer=a;var c,d,e,f,h,l,m,n,p=this.tooltipRenderer.text,r=!1;(null===(c=null===p||void 0===p?void 0:p.runs)||void 0===c?0:c.length)&&p.runs[0].text&&(this.update({title:p.runs[0].text.toString()}),r=!0);g.Mg(this.title,r);p=this.tooltipRenderer.detailsText;c=!1;if((null===(d=null===p||void 0===p?void 0:p.runs)||void 0===d?0:d.length)&&p.runs[0].text){r=p.runs[0].text.toString();d=r.indexOf("$TARGET_ICON");if(-1=this.B&&!a;g.J(this.element,"ytp-share-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -g.VV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -g.VV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-share-button-visible")};g.u(g.WV,g.OU);g.k=g.WV.prototype;g.k.bN=function(a){a=fp(a);g.Me(this.F,a)||g.Me(this.closeButton,a)||PU(this)}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){var a=this.fb;g.OU.prototype.show.call(this);this.oa();a||this.api.xa("onSharePanelOpened")}; -g.k.oa=function(){var a=this;g.I(this.element,"ytp-share-panel-loading");g.sn(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId(),d=c&&this.D.checked,e=this.api.T();g.Q(e.experiments,"web_player_innertube_share_panel")&&b.getSharePanelCommand?cT(dG(this.api.app),b.getSharePanelCommand,{includeListId:d}).then(function(f){uua(a,f)}):(g.J(this.element,"ytp-share-panel-has-playlist",!!c),b={action_get_share_info:1, -video_id:b.videoId},e.ye&&(b.authuser=e.ye),e.pageId&&(b.pageid=e.pageId),g.hD(e)&&g.eV(b,"emb_share"),d&&(b.list=c),g.qq(e.P+"share_ajax",{method:"GET",onError:function(){wua(a)}, -onSuccess:function(f,h){h?uua(a,h):wua(a)}, -si:b,withCredentials:!0}));c=this.api.getVideoUrl(!0,!0,!1,!1);this.ya("link",c);this.ya("linkText",c);this.ya("shareLinkWithUrl",g.tL("Share link $URL",{URL:c}));DU(this.C)}; -g.k.aN=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){this.C.focus()}; -g.k.ca=function(){g.OU.prototype.ca.call(this);vua(this)};g.u(ZV,g.V);g.k=ZV.prototype;g.k.DF=function(){}; -g.k.EF=function(){}; -g.k.cw=function(){return!0}; -g.k.ZR=function(){if(this.expanded){this.Y.show();var a=this.D.element.scrollWidth}else a=this.D.element.scrollWidth,this.Y.hide();this.Ga=34+a;g.J(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.Ga)+"px";this.X.start()}; -g.k.ZJ=function(){this.badge.element.style.width=(this.expanded?this.Ga:34)+"px";this.ha.start()}; -g.k.ri=function(){this.cw()?this.P.show():this.P.hide();xua(this)}; -g.k.TM=function(){this.enabled=!1;this.ri()}; -g.k.zS=function(a){this.Qa=a;this.ri()}; -g.k.vO=function(a){this.za=1===a;this.ri()};g.u($V,ZV);g.k=$V.prototype;g.k.ca=function(){aW(this);ZV.prototype.ca.call(this)}; -g.k.DF=function(a){a.target!==this.dismissButton.element&&(yua(this,!1),this.J.xa("innertubeCommand",this.onClickCommand))}; -g.k.EF=function(){this.dismissed=!0;yua(this,!0);this.ri()}; -g.k.QP=function(a){this.fa=a;this.ri()}; -g.k.HP=function(a){var b=this.J.getVideoData();b&&b.videoId===this.videoId&&this.aa&&(this.K=a,a||(a=3+this.J.getCurrentTime(),zua(this,a)))}; -g.k.Ra=function(a,b){var c,d=!!b.videoId&&this.videoId!==b.videoId;d&&(this.videoId=b.videoId,this.dismissed=!1,this.u=!0,this.K=this.aa=this.F=this.I=!1,aW(this));if(d||!b.videoId)this.C=this.B=!1;d=b.shoppingOverlayRenderer;this.fa=this.enabled=!1;if(d){this.enabled=!0;var e,f;this.B||(this.B=!!d.trackingParams)&&g.NN(this.J,this.badge.element,d.trackingParams||null);this.C||(this.C=!(null===(e=d.dismissButton)||void 0===e||!e.trackingParams))&&g.NN(this.J,this.dismissButton.element,(null===(f= -d.dismissButton)||void 0===f?void 0:f.trackingParams)||null);this.text=g.T(d.text);if(e=null===(c=d.dismissButton)||void 0===c?void 0:c.a11yLabel)this.Aa=g.T(e);this.onClickCommand=d.onClickCommand;this.timing=d.timing;YI(b)?this.K=this.aa=!0:zua(this)}d=this.text||"";g.Ne(g.se("ytp-suggested-action-badge-title",this.element),d);this.badge.element.setAttribute("aria-label",d);this.dismissButton.element.setAttribute("aria-label",this.Aa?this.Aa:"");YV(this);this.ri()}; -g.k.cw=function(){return this.Qa&&!this.fa&&this.enabled&&!this.dismissed&&!this.Ta.Ie()&&!this.J.isFullscreen()&&!this.za&&!this.K&&(this.F||this.u)}; -g.k.ff=function(a){(this.F=a)?(XV(this),YV(this,!1)):(aW(this),this.ma.start());this.ri()};g.u(bW,g.OU);bW.prototype.show=function(){g.OU.prototype.show.call(this);this.B.start()}; -bW.prototype.hide=function(){g.OU.prototype.hide.call(this);this.B.stop()};g.u(cW,g.V);cW.prototype.onClick=function(){this.J.fn()}; -cW.prototype.oa=function(){g.JN(this,this.J.Jq());this.ya("icon",this.J.Ze()?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"}, -S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};new zq("yt.autonav");g.u(dW,g.V);g.k=dW.prototype; -g.k.er=function(){var a=this.J.getPresentingPlayerType();if(2!==a&&3!==a&&g.XT(this.J)&&400<=g.cG(this.J).getPlayerSize().width)this.u||(this.u=!0,g.JN(this,this.u),this.B.push(this.N(this.J,"videodatachange",this.er)),this.B.push(this.N(this.J,"videoplayerreset",this.er)),this.B.push(this.N(this.J,"onPlaylistUpdate",this.er)),this.B.push(this.N(this.J,"autonavchange",this.TE)),a=this.J.getVideoData(),this.TE(a.autonavState),g.QN(this.J,this.element,this.u));else{this.u=!1;g.JN(this,this.u);a=g.q(this.B); -for(var b=a.next();!b.done;b=a.next())this.Mb(b.value)}}; -g.k.TE=function(a){this.isChecked=1!==a||!g.jt(g.ht.getInstance(),140);Aua(this)}; -g.k.onClick=function(){this.isChecked=!this.isChecked;var a=this.J,b=this.isChecked?2:1;cBa(a.app,b);b&&a1(a.app,b);Aua(this);g.$T(this.J,this.element)}; -g.k.getValue=function(){return this.isChecked}; -g.k.setValue=function(a){this.isChecked=a;this.ka("ytp-autonav-toggle-button").setAttribute("aria-checked",String(this.isChecked))};g.u(g.fW,g.V);g.fW.prototype.ca=function(){this.u=null;g.V.prototype.ca.call(this)};g.u(gW,g.V);gW.prototype.Y=function(a){var b=g.Lg(this.I).width,c=g.Lg(this.X).width,d=this.K.ge()?3:1;a=a.width-b-c-40*d-52;0d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.Fz()}}; -g.k.disable=function(){var a=this;if(!this.message){var b=(null!=Xo(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.OU(this.J,{G:"div",la:["ytp-popup","ytp-generic-popup"],U:{role:"alert",tabindex:"0"},S:[b[0],{G:"a",U:{href:"https://support.google.com/youtube/answer/6276924", -target:this.J.T().F},Z:b[2]},b[4]]},100,!0);this.message.hide();g.D(this,this.message);this.message.subscribe("show",function(c){a.C.hq(a.message,c)}); -g.BP(this.J,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.u)();this.u=null}}; -g.k.oa=function(){g.JN(this,Eta(this.J))}; -g.k.WE=function(a){if(a){var b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", -L:"ytp-fullscreen-button-corner-1",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.EU(this.J,"Exit full screen","f");document.activeElement===this.element&&this.J.getRootNode().focus()}else b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-1",S:[{G:"path", -wb:!0,L:"ytp-svg-fill",U:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.EU(this.J,"Full screen","f");this.ya("icon",b);this.ya("title",this.message?null:a);EV(this.C.Rb())}; -g.k.ca=function(){this.message||((0,this.u)(),this.u=null);g.V.prototype.ca.call(this)};g.u(mW,g.V);mW.prototype.onClick=function(){this.J.xa("onCollapseMiniplayer");g.$T(this.J,this.element)}; -mW.prototype.oa=function(){this.visible=!this.J.isFullscreen();g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -mW.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)};g.u(nW,g.V);nW.prototype.Ra=function(a){this.oa("newdata"===a)}; -nW.prototype.oa=function(a){var b=this.J.getVideoData(),c=b.Vl,d=g.uK(this.J);d=(g.GM(d)||g.U(d,4))&&0a&&this.delay.start()}; -var dDa=new g.Cn(0,0,.4,0,.2,1,1,1),Hua=/[0-9.-]+|[^0-9.-]+/g;g.u(rW,g.V);g.k=rW.prototype;g.k.XE=function(a){this.visible=300<=a.width;g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -g.k.yP=function(){this.J.T().X?this.J.isMuted()?this.J.unMute():this.J.mute():PU(this.message,this.element,!0);g.$T(this.J,this.element)}; -g.k.PM=function(a){this.setVolume(a.volume,a.muted)}; -g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.J.T(),f=0===d?1:50this.clipEnd)&&this.Tv()}; -g.k.XM=function(a){if(!g.kp(a)){var b=!1;switch(g.lp(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.ip(a)}}; -g.k.YE=function(a,b){this.updateVideoData(b,"newdata"===a)}; -g.k.MK=function(){this.YE("newdata",this.api.getVideoData())}; -g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.isValid();this.fd=c&&a.allowLiveDvr;fva(this,this.api.He());b&&(c?(c=a.clipEnd,this.clipStart=a.clipStart,this.clipEnd=c,pX(this),lX(this,this.K,this.ma)):this.Tv(),g.dY(this.tooltip));if(a){c=a.watchNextResponse;if(c=!a.isLivePlayback&&c){c=this.api.getVideoData().multiMarkersPlayerBarRenderer;var d=this.api.getVideoData().sx;c=null!=c||null!=d&&0a.position&&(n=1);!m&&h/2>this.C-a.position&&(n=2);yva(this.tooltip, -c,d,b,!!f,l,e,n)}else yva(this.tooltip,c,d,b,!!f,l);g.J(this.api.getRootNode(),"ytp-progress-bar-hover",!g.U(g.uK(this.api),64));Zua(this)}; -g.k.SP=function(){g.dY(this.tooltip);g.sn(this.api.getRootNode(),"ytp-progress-bar-hover")}; -g.k.RP=function(a,b){this.D&&(this.D.dispose(),this.D=null);this.Ig=b;1e||1e&&a.D.start()}); -this.D.start()}if(g.U(g.uK(this.api),32)||3===this.api.getPresentingPlayerType())1.1*(this.B?60:40),f=iX(this));g.J(this.element,"ytp-pull-ui",e);d&&g.I(this.element,"ytp-pulling");d=0;f.B&&0>=f.position&&1===this.Ea.length?d=-1:f.F&&f.position>=f.width&&1===this.Ea.length&&(d=1);if(this.ub!==d&&1===this.Ea.length&&(this.ub=d,this.D&&(this.D.dispose(),this.D=null),d)){var h=(0,g.N)();this.D=new g.gn(function(){var l=c.C*(c.ha-1); -c.X=g.ce(c.X+c.ub*((0,g.N)()-h)*.3,0,l);mX(c);c.api.seekTo(oX(c,iX(c)),!1);0this.api.jb().getPlayerSize().width&&!a);(this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb())?this.hide():this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.lO("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.length)}),title:g.lO("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}), +this.yb||(this.show(),$S(this.tooltip)),this.visible=!0,this.Zb(!0)):this.yb&&this.hide()}; +NU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +NU.prototype.j=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.Pa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.Pa,this);this.Pa()};g.w(RNa,g.U);g.k=RNa.prototype;g.k.t0=function(){this.C?VNa(this):UNa(this)}; +g.k.s0=function(){this.C?(OU(this),this.I=!0):UNa(this)}; +g.k.c5=function(){this.D=!0;this.QD(1);this.F.ma("promotooltipacceptbuttonclicked",this.acceptButton);OU(this);this.u&&this.F.qb(this.acceptButton)}; +g.k.V5=function(){this.D=!0;this.QD(2);OU(this);this.u&&this.F.qb(this.dismissButton)}; +g.k.u0=function(a){if(1===this.F.getPresentingPlayerType()||2===this.F.getPresentingPlayerType()&&this.T){var b=!0,c=g.kf("ytp-ad-overlay-ad-info-dialog-container"),d=CO(a);if(this.B&&d&&g.zf(this.B,d))this.B=null;else{1===this.F.getPresentingPlayerType()&&d&&Array.from(d.classList).forEach(function(l){l.startsWith("ytp-ad")&&(b=!1)}); +var e=WNa(this.tooltipRenderer),f;if("TOOLTIP_DISMISS_TYPE_TAP_ANYWHERE"===(null==(f=this.tooltipRenderer.dismissStrategy)?void 0:f.type))e&&(b=b&&!g.zf(this.element,d));else{var h;"TOOLTIP_DISMISS_TYPE_TAP_INTERNAL"===(null==(h=this.tooltipRenderer.dismissStrategy)?void 0:h.type)&&(b=e?!1:b&&g.zf(this.element,d))}this.j&&this.yb&&!c&&(!d||b&&g.fR(a))&&(this.D=!0,OU(this))}}}; +g.k.QD=function(a){var b=this.tooltipRenderer.promoConfig;if(b){switch(a){case 0:var c;if(null==(c=b.impressionEndpoints)?0:c.length)var d=b.impressionEndpoints[0];break;case 1:d=b.acceptCommand;break;case 2:d=b.dismissCommand}var e;a=null==(e=g.K(d,cab))?void 0:e.feedbackToken;d&&a&&(e={feedbackTokens:[a]},a=this.F.Mm(),(null==a?0:vFa(d,a.rL))&&tR(a,d,e))}}; +g.k.Db=function(){this.I||(this.j||(this.j=SNa(this)),VNa(this))}; +var TNa={"ytp-settings-button":g.rQ()};g.w(PU,g.U);PU.prototype.onStateChange=function(a){this.qc(a.state)}; +PU.prototype.qc=function(a){g.bQ(this,g.S(a,2))}; +PU.prototype.onClick=function(){this.F.Cb();this.F.playVideo()};g.w(g.QU,g.U);g.k=g.QU.prototype;g.k.Tq=aa(35);g.k.onClick=function(){var a=this,b=this.api.V(),c=this.api.getVideoData(this.api.getPresentingPlayerType()),d=this.api.getPlaylistId();b=b.getVideoUrl(c.videoId,d,void 0,!0);if(navigator.share)try{var e=navigator.share({title:c.title,url:b});e instanceof Promise&&e.catch(function(f){YNa(a,f)})}catch(f){f instanceof Error&&YNa(this,f)}else this.j.Il(),QS(this.B,this.element,!1); +this.api.qb(this.element)}; +g.k.showShareButton=function(a){var b=!0;if(this.api.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){var c,d,e=null==(c=a.kf)?void 0:null==(d=c.embedPreview)?void 0:d.thumbnailPreviewRenderer;e&&(b=!!e.shareButton);var f,h;(c=null==(f=a.jd)?void 0:null==(h=f.playerOverlays)?void 0:h.playerOverlayRenderer)&&(b=!!c.shareButton);var l,m,n,p;if(null==(p=g.K(null==(l=a.jd)?void 0:null==(m=l.contents)?void 0:null==(n=m.twoColumnWatchNextResults)?void 0:n.desktopOverlay,nM))?0:p.suppressShareButton)b= +!1}else b=a.showShareButton;return b}; +g.k.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.j.Sb();g.Up(this.element,"ytp-show-share-title",g.fK(a)&&!g.oK(a)&&!b);this.j.yg()&&b?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.element,"right",a+"px")):b&&g.Hm(this.element,"right","0px");this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20.20,14.19 0,-4.45 7.79,7.79 -7.79,7.79 0,-4.56 C 16.27,20.69 12.10,21.81 9.34,24.76 8.80,25.13 7.60,27.29 8.12,25.65 9.08,21.32 11.80,17.18 15.98,15.38 c 1.33,-0.60 2.76,-0.98 4.21,-1.19 z"}}]}); +this.visible=XNa(this);g.Up(this.element,"ytp-share-button-visible",this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,XNa(this)&&this.ea)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-share-button-visible")};g.w(g.RU,g.PS);g.k=g.RU.prototype;g.k.v0=function(a){a=CO(a);g.zf(this.D,a)||g.zf(this.closeButton,a)||QS(this)}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element);this.api.Ua(this.j,!1);for(var a=g.t(this.B),b=a.next();!b.done;b=a.next())b=b.value,this.api.Dk(b.element)&&this.api.Ua(b.element,!1)}; +g.k.show=function(){var a=this.yb;g.PS.prototype.show.call(this);this.Pa();a||this.api.Na("onSharePanelOpened")}; +g.k.B4=function(){this.yb&&this.Pa()}; +g.k.Pa=function(){var a=this;g.Qp(this.element,"ytp-share-panel-loading");g.Sp(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId()&&this.C.checked;b.getSharePanelCommand&&tR(this.api.Mm(),b.getSharePanelCommand,{includeListId:c}).then(function(d){a.isDisposed()||(g.Sp(a.element,"ytp-share-panel-loading"),aOa(a,d))}); +b=this.api.getVideoUrl(!0,!0,!1,!1);g.oK(this.api.V())&&(b=g.Zi(b,g.hS({},"emb_share")));this.updateValue("link",b);this.updateValue("linkText",b);this.updateValue("shareLinkWithUrl",g.lO("Share link $URL",{URL:b}));rMa(this.j);this.api.Ua(this.j,!0)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.focus=function(){this.j.focus()}; +g.k.qa=function(){g.PS.prototype.qa.call(this);$Na(this)};g.w(cOa,EU);g.k=cOa.prototype;g.k.qa=function(){dOa(this);EU.prototype.qa.call(this)}; +g.k.YG=function(a){a.target!==this.dismissButton.element&&(FU(this,!1),this.F.Na("innertubeCommand",this.onClickCommand))}; +g.k.WC=function(){this.ya=!0;FU(this,!0);this.dl()}; +g.k.I6=function(a){this.Ja=a;this.dl()}; +g.k.B6=function(a){var b=this.F.getVideoData();b&&b.videoId===this.videoId&&this.T&&(this.J=a,a||(a=3+this.F.getCurrentTime(),this.ye(a)))}; +g.k.onVideoDataChange=function(a,b){if(a=!!b.videoId&&this.videoId!==b.videoId)this.videoId=b.videoId,this.ya=!1,this.C=!0,this.J=this.T=this.D=this.Z=!1,dOa(this);if(a||!b.videoId)this.u=this.j=!1;var c,d;if(this.F.K("web_player_enable_featured_product_banner_on_desktop")&&(null==b?0:null==(c=b.getPlayerResponse())?0:null==(d=c.videoDetails)?0:d.isLiveContent))this.Bg(!1);else{var e,f,h;c=b.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")?g.K(null==(e=b.jd)?void 0:null==(f=e.playerOverlays)? +void 0:null==(h=f.playerOverlayRenderer)?void 0:h.productsInVideoOverlayRenderer,qza):b.shoppingOverlayRenderer;this.Ja=this.enabled=!1;if(c){this.enabled=!0;if(!this.j){var l;e=null==(l=c.badgeInteractionLogging)?void 0:l.trackingParams;(this.j=!!e)&&this.F.og(this.badge.element,e||null)}if(!this.u){var m;if(this.u=!(null==(m=c.dismissButton)||!m.trackingParams)){var n;this.F.og(this.dismissButton.element,(null==(n=c.dismissButton)?void 0:n.trackingParams)||null)}}this.text=g.gE(c.text);var p;if(l= +null==(p=c.dismissButton)?void 0:p.a11yLabel)this.Ya=g.gE(l);this.onClickCommand=c.onClickCommand;this.timing=c.timing;BM(b)?this.J=this.T=!0:this.ye()}rNa(this);DU(this);this.dl()}}; +g.k.Yz=function(){return!this.Ja&&this.enabled&&!this.ya&&!this.kb.Wg()&&!this.Xa&&!this.J&&(this.D||this.C)}; +g.k.Bg=function(a){(this.D=a)?(CU(this),DU(this,!1)):(dOa(this),this.oa.start());this.dl()}; +g.k.ye=function(a){a=void 0===a?0:a;var b=[],c=this.timing.visible,d=this.timing.expanded;c&&b.push(new g.XD(1E3*(c.startSec+a),1E3*(c.endSec+a),{priority:9,namespace:"shopping_overlay_visible"}));d&&b.push(new g.XD(1E3*(d.startSec+a),1E3*(d.endSec+a),{priority:9,namespace:"shopping_overlay_expanded"}));this.F.ye(b)};g.w(fOa,g.U); +fOa.prototype.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.bQ(this,g.fK(a)&&b);this.subscribeButton&&this.api.Ua(this.subscribeButton.element,this.yb);b=this.api.getVideoData();var c=!1;2===this.api.getPresentingPlayerType()?c=!!b.videoId&&!!b.isListed&&!!b.author&&!!b.Lc&&!!b.profilePicture:g.fK(a)&&(c=!!b.videoId&&!!b.Lc&&!!b.profilePicture&&!(b.D&&a.Z)&&!a.B&&!(a.T&&200>this.api.getPlayerSize().width));var d=b.profilePicture;a=g.fK(a)?b.ph:b.author; +d=void 0===d?"":d;a=void 0===a?"":a;c?(this.B!==d&&(this.j.style.backgroundImage="url("+d+")",this.B=d),this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelLink",SU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,c&&this.ea);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&& +this.api.Ua(this.channelName,c&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",SU(this))};g.w(TU,g.PS);TU.prototype.show=function(){g.PS.prototype.show.call(this);this.j.start()}; +TU.prototype.hide=function(){g.PS.prototype.hide.call(this);this.j.stop()}; +TU.prototype.Gs=function(a,b){"dataloaded"===a&&((this.ri=b.ri,this.vf=b.vf,isNaN(this.ri)||isNaN(this.vf))?this.B&&(this.F.Ff("intro"),this.F.removeEventListener(g.ZD("intro"),this.I),this.F.removeEventListener(g.$D("intro"),this.D),this.F.removeEventListener("onShowControls",this.C),this.hide(),this.B=!1):(this.F.addEventListener(g.ZD("intro"),this.I),this.F.addEventListener(g.$D("intro"),this.D),this.F.addEventListener("onShowControls",this.C),a=new g.XD(this.ri,this.vf,{priority:9,namespace:"intro"}), +this.F.ye([a]),this.B=!0))};g.w(UU,g.U);UU.prototype.onClick=function(){this.F.Dt()}; +UU.prototype.Pa=function(){var a=!0;g.fK(this.F.V())&&(a=a&&480<=this.F.jb().getPlayerSize().width);g.bQ(this,a);this.updateValue("icon",this.F.wh()?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}: +{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};g.w(g.WU,g.U);g.WU.prototype.qa=function(){this.j=null;g.U.prototype.qa.call(this)};g.w(XU,g.U);XU.prototype.onClick=function(){this.F.Na("innertubeCommand",this.j)}; +XU.prototype.J=function(a){a!==this.D&&(this.update({title:a}),this.D=a);a?this.show():this.hide()}; +XU.prototype.I=function(){this.B.disabled=null==this.j;g.Up(this.B,"ytp-chapter-container-disabled",this.B.disabled);this.yc()};g.w(YU,XU);YU.prototype.onClickCommand=function(a){g.K(a,rM)&&this.yc()}; +YU.prototype.updateVideoData=function(a,b){var c;if(b.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")){var d,e;a=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.decoratedPlayerBarRenderer,HL);c=g.K(null==a?void 0:a.playerBarActionButton,g.mM)}else c=b.z1;var f;this.j=null==(f=c)?void 0:f.command;XU.prototype.I.call(this)}; +YU.prototype.yc=function(){var a="",b=this.C.j,c,d="clips"===(null==(c=this.F.getLoopRange())?void 0:c.type);if(1d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.NN()}}; +g.k.disable=function(){var a=this;if(!this.message){var b=(null!=wz(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.PS(this.F,{G:"div",Ia:["ytp-popup","ytp-generic-popup"],X:{role:"alert",tabindex:"0"},W:[b[0],{G:"a",X:{href:"https://support.google.com/youtube/answer/6276924", +target:this.F.V().ea},ra:b[2]},b[4]]},100,!0);this.message.hide();g.E(this,this.message);this.message.subscribe("show",function(c){a.u.qy(a.message,c)}); +g.NS(this.F,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.j)();this.j=null}}; +g.k.Pa=function(){var a=oMa(this.F),b=this.F.V().T&&250>this.F.getPlayerSize().width;g.bQ(this,a&&!b);this.F.Ua(this.element,this.yb)}; +g.k.cm=function(a){if(a){var b={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", +N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.WT(this.F,"Exit full screen","f");this.update({"data-title-no-tooltip":"Exit full screen"});document.activeElement===this.element&&this.F.getRootNode().focus();document.u&&document.j().catch(function(c){g.DD(c)})}else b={G:"svg", +X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3", +W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.WT(this.F,"Full screen","f"),this.update({"data-title-no-tooltip":"Full screen"});a=this.message?null:a;this.update({title:a,icon:b});$S(this.u.Ic())}; +g.k.qa=function(){this.message||((0,this.j)(),this.j=null);g.U.prototype.qa.call(this)};g.w(aV,g.U);aV.prototype.onClick=function(){this.F.qb(this.element);this.F.seekBy(this.j,!0);null!=this.C.Ou&&BU(this.C.Ou,0this.j&&a.push("backwards");this.element.classList.add.apply(this.element.classList,g.u(a));g.Jp(this.u)}};g.w(bV,XU);bV.prototype.onClickCommand=function(a){g.K(a,hbb)&&this.yc()}; +bV.prototype.updateVideoData=function(){var a,b;this.j=null==(a=kOa(this))?void 0:null==(b=a.onTap)?void 0:b.innertubeCommand;XU.prototype.I.call(this)}; +bV.prototype.yc=function(){var a="",b=this.C.I,c,d=null==(c=kOa(this))?void 0:c.headerTitle;c=d?g.gE(d):"";var e;d="clips"===(null==(e=this.F.getLoopRange())?void 0:e.type);1a&&this.delay.start()}; +var bdb=new gq(0,0,.4,0,.2,1,1,1),rOa=/[0-9.-]+|[^0-9.-]+/g;g.w(g.fV,g.U);g.k=g.fV.prototype;g.k.FR=function(a){this.visible=300<=a.width||this.Ga;g.bQ(this,this.visible);this.F.Ua(this.element,this.visible&&this.ea)}; +g.k.t6=function(){this.F.V().Ya?this.F.isMuted()?this.F.unMute():this.F.mute():QS(this.message,this.element,!0);this.F.qb(this.element)}; +g.k.onVolumeChange=function(a){this.setVolume(a.volume,a.muted)}; +g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.F.V();a=0===d?1:50=HOa(this)){this.api.seekTo(a,!1);g.Hm(this.B,"transform","translateX("+this.u+"px)");var b=g.eR(a),c=g.lO("Seek to $PROGRESS",{PROGRESS:g.eR(a,!0)});this.update({ariamin:0,ariamax:Math.floor(this.api.getDuration()),arianow:Math.floor(a),arianowtext:c,seekTime:b})}else this.u=this.J}; +g.k.x0=function(){var a=300>(0,g.M)()-this.Ja;if(5>Math.abs(this.T)&&!a){this.Ja=(0,g.M)();a=this.Z+this.T;var b=this.C/2-a;this.JJ(a);this.IJ(a+b);DOa(this);this.api.qb(this.B)}DOa(this)}; +g.k.xz=function(){iV(this,this.api.getCurrentTime())}; +g.k.play=function(a){this.api.seekTo(IOa(this,this.u));this.api.playVideo();a&&this.api.qb(this.playButton)}; +g.k.Db=function(a,b){this.Ga=a;this.C=b;iV(this,this.api.getCurrentTime())}; +g.k.enable=function(){this.isEnabled||(this.isEnabled=!0,this.La=this.api.getCurrentTime(),g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled),this.Aa=this.S(this.element,"wheel",this.y0),this.Ua(this.isEnabled))}; +g.k.disable=function(){this.isEnabled=!1;this.hide();g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled);this.Aa&&this.Hc(this.Aa);this.Ua(this.isEnabled)}; +g.k.reset=function(){this.disable();this.D=[];this.ya=!1}; +g.k.Ua=function(a){this.api.Ua(this.element,a);this.api.Ua(this.B,a);this.api.Ua(this.dismissButton,a);this.api.Ua(this.playButton,a)}; +g.k.qa=function(){for(;this.j.length;){var a=void 0;null==(a=this.j.pop())||a.dispose()}g.U.prototype.qa.call(this)}; +g.w(EOa,g.U);g.w(FOa,g.U);g.w(LOa,g.U);g.w(jV,g.U);jV.prototype.ub=function(a){return"PLAY_PROGRESS"===a?this.I:"LOAD_PROGRESS"===a?this.D:"LIVE_BUFFER"===a?this.C:this.u};NOa.prototype.update=function(a,b,c,d){c=void 0===c?0:c;this.width=b;this.B=c;this.j=b-c-(void 0===d?0:d);this.position=g.ze(a,c,c+this.j);this.u=this.position-c;this.fraction=this.u/this.j};g.w(OOa,g.U);g.w(g.mV,g.dQ);g.k=g.mV.prototype; +g.k.EY=function(){var a=!1,b=this.api.getVideoData();if(!b)return a;this.api.Ff("timedMarkerCueRange");ROa(this);for(var c=g.t(b.ke),d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0,f=null==(e=this.uc[d])?void 0:e.markers;if(f){a=g.t(f);for(e=a.next();!e.done;e=a.next()){f=e.value;e=new OOa;var h=void 0;e.title=(null==(h=f.title)?void 0:h.simpleText)||"";e.timeRangeStartMillis=Number(f.startMillis);e.j=Number(f.durationMillis);var l=h=void 0;e.onActiveCommand=null!=(l=null==(h=f.onActive)?void 0: +h.innertubeCommand)?l:void 0;WOa(this,e)}XOa(this,this.I);a=this.I;e=this.Od;f=[];h=null;for(l=0;lm&&(h.end=m);m=INa(m,m+p);f.push(m);h=m;e[m.id]=a[l].onActiveCommand}}this.api.ye(f);this.vf=this.uc[d];a=!0}}b.JR=this.I;g.Up(this.element,"ytp-timed-markers-enabled",a);return a}; +g.k.Db=function(){g.nV(this);pV(this);XOa(this,this.I);if(this.u){var a=g.Pm(this.element).x||0;this.u.Db(a,this.J)}}; +g.k.onClickCommand=function(a){if(a=g.K(a,rM)){var b=a.key;a.isVisible&&b&&aPa(this,b)}}; +g.k.H7=function(a){this.api.Na("innertubeCommand",this.Od[a.id])}; +g.k.yc=function(){pV(this);var a=this.api.getCurrentTime();(athis.clipEnd)&&this.LH()}; +g.k.A0=function(a){if(!g.DO(a)){var b=!1;switch(g.zO(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.EO(a)}}; +g.k.Gs=function(a,b){this.updateVideoData(b,"newdata"===a)}; +g.k.I3=function(){this.Gs("newdata",this.api.getVideoData())}; +g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.De();c&&(aN(a)||hPa(this)?this.je=!1:this.je=a.allowLiveDvr,g.Up(this.api.getRootNode(),"ytp-enable-live-buffer",!(null==a||!aN(a))));qPa(this,this.api.yh());if(b){if(c){b=a.clipEnd;this.clipStart=a.clipStart;this.clipEnd=b;tV(this);for(qV(this,this.Z,this.ib);0m&&(c=m,a.position=jR(this.B,m)*oV(this).j),b=this.B.u;hPa(this)&& +(b=this.B.u);m=f||g.eR(this.je?c-this.B.j:c-b);b=a.position+this.Jf;c-=this.api.Jd();var n;if(null==(n=this.u)||!n.isEnabled)if(this.api.Hj()){if(1=n);d=this.tooltip.scale;l=(isNaN(l)?0:l)-45*d;this.api.K("web_key_moments_markers")?this.vf?(n=FNa(this.I,1E3*c),n=null!=n?this.I[n].title:""):(n=HU(this.j,1E3*c),n=this.j[n].title):(n=HU(this.j,1E3*c),n=this.j[n].title);n||(l+=16*d);.6===this.tooltip.scale&&(l=n?110:126);d=HU(this.j,1E3*c);this.Xa=jPa(this,c,d)?d:jPa(this,c,d+1)?d+1:-1;g.Up(this.api.getRootNode(),"ytp-progress-bar-snap",-1!==this.Xa&&1=h.visibleTimeRangeStartMillis&&p<=h.visibleTimeRangeEndMillis&&(n=h.label,m=g.eR(h.decorationTimeMillis/1E3),d=!0)}this.rd!==d&&(this.rd=d,this.api.Ua(this.Vd,this.rd));g.Up(this.api.getRootNode(),"ytp-progress-bar-decoration",d);d=320*this.tooltip.scale;e=n.length*(this.C?8.55:5.7);e=e<=d?e:d;h=e<160*this.tooltip.scale;d=3;!h&&e/2>a.position&&(d=1);!h&&e/2>this.J-a.position&&(d=2);this.api.V().T&&(l-=10); +this.D.length&&this.D[0].De&&(l-=14*(this.C?2:1),this.Ga||(this.Ga=!0,this.api.Ua(this.oa,this.Ga)));var q;if(lV(this)&&((null==(q=this.u)?0:q.isEnabled)||0=.5*a?(this.u.enable(),iV(this.u,this.api.getCurrentTime()),pPa(this,a)):zV(this)}if(g.S(this.api.Cb(),32)||3===this.api.getPresentingPlayerType()){var b;if(null==(b=this.u)?0:b.isEnabled)this.api.pauseVideo();else{this.api.startSeekCsiAction();if(1=c.visibleTimeRangeStartMillis&&1E3*a<=c.visibleTimeRangeEndMillis&&this.api.qb(this.Vd)}g.Sp(this.element,"ytp-drag");this.ke&&!g.S(this.api.Cb(),2)&&this.api.playVideo()}}}; +g.k.N6=function(a,b){a=oV(this);a=sV(this,a);this.api.seekTo(a,!1);var c;lV(this)&&(null==(c=this.u)?0:c.ya)&&(iV(this.u,a),this.u.isEnabled||(this.Qa=g.ze(this.Kf-b-10,0,vV(this)),pPa(this,this.Qa)))}; +g.k.ZV=function(){this.Bb||(this.updateValue("clipstarticon",JEa()),this.updateValue("clipendicon",JEa()),g.Qp(this.element,"ytp-clip-hover"))}; +g.k.YV=function(){this.Bb||(this.updateValue("clipstarticon",LEa()),this.updateValue("clipendicon",KEa()),g.Sp(this.element,"ytp-clip-hover"))}; +g.k.LH=function(){this.clipStart=0;this.clipEnd=Infinity;tV(this);qV(this,this.Z,this.ib)}; +g.k.GY=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.visible){var c=b.getId();if(!this.Ja[c]){var d=g.qf("DIV");b.tooltip&&d.setAttribute("data-tooltip",b.tooltip);this.Ja[c]=b;this.jc[c]=d;g.Op(d,b.style);kPa(this,c);this.api.V().K("disable_ad_markers_on_content_progress_bar")||this.j[0].B.appendChild(d)}}else oPa(this,b)}; +g.k.D8=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())oPa(this,b.value)}; +g.k.Vr=function(a){if(this.u){var b=this.u;a=null!=a;b.api.seekTo(b.La);b.api.playVideo();a&&b.api.qb(b.dismissButton);zV(this)}}; +g.k.AL=function(a){this.u&&(this.u.play(null!=a),zV(this))}; +g.k.qa=function(){qPa(this,!1);g.dQ.prototype.qa.call(this)};g.w(AV,g.U);AV.prototype.isActive=function(){return!!this.F.getOption("remote","casting")}; +AV.prototype.Pa=function(){var a=!1;this.F.getOptions().includes("remote")&&(a=1=c;g.bQ(this,a);this.F.Ua(this.element,a)}; +BV.prototype.B=function(){if(this.Eb.yb)this.Eb.Fb();else{var a=g.JT(this.F.wb());a&&!a.loaded&&(a.qh("tracklist",{includeAsr:!0}).length||a.load());this.F.qb(this.element);this.Eb.od(this.element)}}; +BV.prototype.updateBadge=function(){var a=this.F.isHdr(),b=this.F.getPresentingPlayerType(),c=2!==b&&3!==b,d=g.MS(this.F),e=c&&!!g.LS(this.F.wb());b=e&&1===d.displayMode;d=e&&2===d.displayMode;c=(e=b||d)||!c?null:this.F.getPlaybackQuality();g.Up(this.element,"ytp-hdr-quality-badge",a);g.Up(this.element,"ytp-hd-quality-badge",!a&&("hd1080"===c||"hd1440"===c));g.Up(this.element,"ytp-4k-quality-badge",!a&&"hd2160"===c);g.Up(this.element,"ytp-5k-quality-badge",!a&&"hd2880"===c);g.Up(this.element,"ytp-8k-quality-badge", +!a&&"highres"===c);g.Up(this.element,"ytp-3d-badge-grey",!a&&e&&b);g.Up(this.element,"ytp-3d-badge",!a&&e&&d)};g.w(CV,aT);CV.prototype.isLoaded=function(){var a=g.PT(this.F.wb());return void 0!==a&&a.loaded}; +CV.prototype.Pa=function(){void 0!==g.PT(this.F.wb())&&3!==this.F.getPresentingPlayerType()?this.j||(this.Eb.Zc(this),this.j=!0):this.j&&(this.Eb.jh(this),this.j=!1);bT(this,this.isLoaded())}; +CV.prototype.onSelect=function(a){this.isLoaded();a?this.F.loadModule("annotations_module"):this.F.unloadModule("annotations_module");this.F.ma("annotationvisibility",a)}; +CV.prototype.qa=function(){this.j&&this.Eb.jh(this);aT.prototype.qa.call(this)};g.w(g.DV,g.SS);g.k=g.DV.prototype;g.k.open=function(){g.tU(this.Eb,this.u)}; +g.k.yj=function(a){tPa(this);this.options[a].element.setAttribute("aria-checked","true");this.ge(this.gk(a));this.B=a}; +g.k.DK=function(a,b,c){var d=this;b=new g.SS({G:"div",Ia:["ytp-menuitem"],X:{tabindex:"0",role:"menuitemradio","aria-checked":c?"true":void 0},W:[{G:"div",Ia:["ytp-menuitem-label"],ra:"{{label}}"}]},b,this.gk(a,!0));b.Ra("click",function(){d.eh(a)}); return b}; -g.k.enable=function(a){this.F?a||(this.F=!1,this.Go(!1)):a&&(this.F=!0,this.Go(!0))}; -g.k.Go=function(a){a?this.Xa.Wb(this):this.Xa.re(this)}; -g.k.af=function(a){this.V("select",a)}; -g.k.Th=function(a){return a.toString()}; -g.k.ZM=function(a){g.kp(a)||39!==g.lp(a)||(this.open(),g.ip(a))}; -g.k.ca=function(){this.F&&this.Xa.re(this);g.lV.prototype.ca.call(this);for(var a=g.q(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.u(yX,g.wX);yX.prototype.oa=function(){var a=this.J.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.F:this.F;this.en(b);g.ip(a)}; -g.k.dN=function(a){a=(a-g.Eg(this.B).x)/this.K*this.range+this.minimumValue;this.en(a)}; -g.k.en=function(a,b){b=void 0===b?"":b;var c=g.ce(a,this.minimumValue,this.maximumValue);""===b&&(b=c.toString());this.ya("valuenow",c);this.ya("valuetext",b);this.X.style.left=(c-this.minimumValue)/this.range*(this.K-this.P)+"px";this.u=c}; -g.k.focus=function(){this.aa.focus()};g.u(GX,EX);GX.prototype.Y=function(){this.J.setPlaybackRate(this.u,!0)}; -GX.prototype.en=function(a){EX.prototype.en.call(this,a,HX(this,a).toString());this.C&&(FX(this),this.fa())}; -GX.prototype.ha=function(){var a=this.J.getPlaybackRate();HX(this,this.u)!==a&&(this.en(a),FX(this))};g.u(IX,g.KN);IX.prototype.focus=function(){this.u.focus()};g.u(jva,oV);g.u(JX,g.wX);g.k=JX.prototype;g.k.Th=function(a){return"1"===a?"Normal":a.toLocaleString()}; -g.k.oa=function(){var a=this.J.getPresentingPlayerType();this.enable(2!==a&&3!==a);mva(this)}; -g.k.Go=function(a){g.wX.prototype.Go.call(this,a);a?(this.K=this.N(this.J,"onPlaybackRateChange",this.fN),mva(this),kva(this,this.J.getPlaybackRate())):(this.Mb(this.K),this.K=null)}; -g.k.fN=function(a){var b=this.J.getPlaybackRate();this.I.includes(b)||lva(this,b);kva(this,a)}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);a===this.u?this.J.setPlaybackRate(this.D,!0):this.J.setPlaybackRate(Number(a),!0);this.Xa.fg()};g.u(LX,g.wX);g.k=LX.prototype;g.k.Mc=function(a){g.wX.prototype.Mc.call(this,a)}; +g.k.enable=function(a){this.I?a||(this.I=!1,this.jx(!1)):a&&(this.I=!0,this.jx(!0))}; +g.k.jx=function(a){a?this.Eb.Zc(this):this.Eb.jh(this)}; +g.k.eh=function(a){this.ma("select",a)}; +g.k.gk=function(a){return a.toString()}; +g.k.B0=function(a){g.DO(a)||39!==g.zO(a)||(this.open(),g.EO(a))}; +g.k.qa=function(){this.I&&this.Eb.jh(this);g.SS.prototype.qa.call(this);for(var a=g.t(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.w(FV,g.DV);FV.prototype.Pa=function(){var a=this.F.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.J:this.J;this.hw(b);g.EO(a)}; +g.k.D0=function(a){a=(a-g.Pm(this.B).x)/this.Z*this.range+this.u;this.hw(a)}; +g.k.hw=function(a,b){b=void 0===b?"":b;a=g.ze(a,this.u,this.C);""===b&&(b=a.toString());this.updateValue("valuenow",a);this.updateValue("valuetext",b);this.oa.style.left=(a-this.u)/this.range*(this.Z-this.Aa)+"px";this.j=a}; +g.k.focus=function(){this.Ga.focus()};g.w(IV,HV);IV.prototype.ya=function(){this.F.setPlaybackRate(this.j,!0)}; +IV.prototype.hw=function(a){HV.prototype.hw.call(this,a,APa(this,a).toString());this.D&&(zPa(this),this.Ja())}; +IV.prototype.updateValues=function(){var a=this.F.getPlaybackRate();APa(this,this.j)!==a&&(this.hw(a),zPa(this))};g.w(BPa,g.dQ);BPa.prototype.focus=function(){this.j.focus()};g.w(CPa,pU);g.w(DPa,g.DV);g.k=DPa.prototype;g.k.gk=function(a){return"1"===a?"Normal":a.toLocaleString()}; +g.k.Pa=function(){var a=this.F.getPresentingPlayerType();this.enable(2!==a&&3!==a);HPa(this)}; +g.k.jx=function(a){g.DV.prototype.jx.call(this,a);a?(this.J=this.S(this.F,"onPlaybackRateChange",this.onPlaybackRateChange),HPa(this),FPa(this,this.F.getPlaybackRate())):(this.Hc(this.J),this.J=null)}; +g.k.onPlaybackRateChange=function(a){var b=this.F.getPlaybackRate();this.D.includes(b)||GPa(this,b);FPa(this,a)}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);a===this.j?this.F.setPlaybackRate(this.C,!0):this.F.setPlaybackRate(Number(a),!0);this.Eb.nj()};g.w(JPa,g.DV);g.k=JPa.prototype;g.k.yj=function(a){g.DV.prototype.yj.call(this,a)}; g.k.getKey=function(a){return a.option.toString()}; g.k.getOption=function(a){return this.settings[a]}; -g.k.Th=function(a){return this.getOption(a).text||""}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);this.V("settingChange",this.setting,this.settings[a].option)};g.u(MX,g.pV);MX.prototype.se=function(a){for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.kl[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.Mc(e),c.D.element.setAttribute("aria-checked",String(!d)),c.u.element.setAttribute("aria-checked",String(d)))}}}; -MX.prototype.ag=function(a,b){this.V("settingChange",a,b)};g.u(NX,g.wX);NX.prototype.getKey=function(a){return a.languageCode}; -NX.prototype.Th=function(a){return this.languages[a].languageName||""}; -NX.prototype.af=function(a){this.V("select",a);g.AV(this.Xa)};g.u(OX,g.wX);g.k=OX.prototype;g.k.getKey=function(a){return g.Sb(a)?"__off__":a.displayName}; -g.k.Th=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":("__off__"===a?{}:this.tracks[a]).displayName}; -g.k.af=function(a){"__translate__"===a?this.u.open():"__contribute__"===a?(this.J.pauseVideo(),this.J.isFullscreen()&&this.J.toggleFullscreen(),a=g.dV(this.J.T(),this.J.getVideoData()),g.RL(a)):(this.J.setOption("captions","track","__off__"===a?{}:this.tracks[a]),g.wX.prototype.af.call(this,a),this.Xa.fg())}; -g.k.oa=function(){var a=this.J.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.J.getVideoData();b=b&&b.gt;var c={};if(a||b){if(a){var d=this.J.getOption("captions","track");c=this.J.getOption("captions","tracklist",{includeAsr:!0});var e=this.J.getOption("captions","translationLanguages");this.tracks=g.Db(c,this.getKey,this);var f=g.Oc(c,this.getKey);if(e.length&&!g.Sb(d)){var h=d.translationLanguage;if(h&&h.languageName){var l=h.languageName;h=e.findIndex(function(m){return m.languageName=== -l}); -saa(e,h)}ova(this.u,e);f.push("__translate__")}e=this.getKey(d)}else this.tracks={},f=[],e="__off__";f.unshift("__off__");this.tracks.__off__={};b&&f.unshift("__contribute__");this.tracks[e]||(this.tracks[e]=d,f.push(e));g.xX(this,f);this.Mc(e);d&&d.translationLanguage?this.u.Mc(this.u.getKey(d.translationLanguage)):hva(this.u);a&&this.D.se(this.J.getSubtitlesUserSettings());this.K.Gc(c&&c.length?" ("+c.length+")":"");this.V("size-change");this.enable(!0)}else this.enable(!1)}; -g.k.jN=function(a){var b=this.J.getOption("captions","track");b=g.Vb(b);b.translationLanguage=this.u.languages[a];this.J.setOption("captions","track",b)}; -g.k.ag=function(a,b){if("reset"===a)this.J.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.J.updateSubtitlesUserSettings(c)}pva(this,!0);this.I.start();this.D.se(this.J.getSubtitlesUserSettings())}; -g.k.yQ=function(a){a||this.I.rg()}; -g.k.ca=function(){this.I.rg();g.wX.prototype.ca.call(this)};g.u(PX,g.xV);g.k=PX.prototype;g.k.initialize=function(){if(!this.Yd){this.Yd=!0;this.cz=new BX(this.J,this);g.D(this,this.cz);var a=new DX(this.J,this);g.D(this,a);a=new OX(this.J,this);g.D(this,a);a=new vX(this.J,this);g.D(this,a);this.J.T().Qc&&(a=new JX(this.J,this),g.D(this,a));this.J.T().Zb&&!g.Q(this.J.T().experiments,"web_player_move_autonav_toggle")&&(a=new zX(this.J,this),g.D(this,a));a=new yX(this.J,this);g.D(this,a);uX(this.settingsButton,this.sd.items.length)}}; -g.k.Wb=function(a){this.initialize();this.sd.Wb(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.re=function(a){this.fb&&1>=this.sd.items.length&&this.hide();this.sd.re(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.Bc=function(a){this.initialize();0=this.K&&(!this.B||!g.U(g.uK(this.api),64));g.JN(this,b);g.J(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.current:this.api.getCurrentTime(b,!1));this.C!==c&&(this.ya("currenttime",c),this.C=c);b=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.duration:this.api.getDuration(b, -!1));this.D!==b&&(this.ya("duration",b),this.D=b)}this.B&&(a=a.isAtLiveHead,this.I!==a||this.F!==this.isPremiere)&&(this.I=a,this.F=this.isPremiere,this.sc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.Gc(this.isPremiere?"Premiere":"Live"),a?this.u&&(this.u(),this.u=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.u=g.cV(this.tooltip,this.liveBadge.element)))}; -g.k.Ra=function(a,b,c){this.updateVideoData(g.Q(this.api.T().experiments,"enable_topsoil_wta_for_halftime")&&2===c?this.api.getVideoData(1):b);this.sc()}; -g.k.updateVideoData=function(a){this.B=a.isLivePlayback&&!a.Zi;this.isPremiere=a.isPremiere;g.J(this.element,"ytp-live",this.B)}; +g.k.gk=function(a){return this.getOption(a).text||""}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);this.ma("settingChange",this.J,this.settings[a].option)};g.w(JV,g.qU);JV.prototype.ah=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.Vs[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.yj(e),c.C.element.setAttribute("aria-checked",String(!d)),c.j.element.setAttribute("aria-checked",String(d)))}}}; +JV.prototype.Pj=function(a,b){this.ma("settingChange",a,b)};g.w(KV,g.DV);KV.prototype.getKey=function(a){return a.languageCode}; +KV.prototype.gk=function(a){return this.languages[a].languageName||""}; +KV.prototype.eh=function(a){this.ma("select",a);this.F.qb(this.element);g.wU(this.Eb)};g.w(MPa,g.DV);g.k=MPa.prototype;g.k.getKey=function(a){return g.hd(a)?"__off__":a.displayName}; +g.k.gk=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":"__correction__"===a?"Suggest caption corrections":("__off__"===a?{}:this.tracks[a]).displayName}; +g.k.eh=function(a){if("__translate__"===a)this.j.open();else if("__contribute__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var b=g.zJa(this.F.V(),this.F.getVideoData());g.IN(b)}else if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var c=NPa(this);LV(this,c);g.DV.prototype.eh.call(this,this.getKey(c));var d,e;c=null==(b=this.F.getVideoData().getPlayerResponse())?void 0:null==(d=b.captions)?void 0:null==(e=d.playerCaptionsTracklistRenderer)? +void 0:e.openTranscriptCommand;this.F.Na("innertubeCommand",c);this.Eb.nj();this.C&&this.F.qb(this.C)}else{if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();b=NPa(this);LV(this,b);g.DV.prototype.eh.call(this,this.getKey(b));var f,h;b=null==(c=this.F.getVideoData().getPlayerResponse())?void 0:null==(f=c.captions)?void 0:null==(h=f.playerCaptionsTracklistRenderer)?void 0:h.openTranscriptCommand;this.F.Na("innertubeCommand",b)}else this.F.qb(this.element), +LV(this,"__off__"===a?{}:this.tracks[a]),g.DV.prototype.eh.call(this,a);this.Eb.nj()}}; +g.k.Pa=function(){var a=this.F.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.F.getVideoData(),c=b&&b.gF,d,e=!(null==(d=this.F.getVideoData())||!g.ZM(d));d={};if(a||c){var f;if(a){var h=this.F.getOption("captions","track");d=this.F.getOption("captions","tracklist",{includeAsr:!0});var l=e?[]:this.F.getOption("captions","translationLanguages");this.tracks=g.Pb(d,this.getKey,this);e=g.Yl(d,this.getKey);var m=NPa(this),n,p;b.K("suggest_caption_correction_menu_item")&&m&&(null==(f=b.getPlayerResponse())? +0:null==(n=f.captions)?0:null==(p=n.playerCaptionsTracklistRenderer)?0:p.openTranscriptCommand)&&e.push("__correction__");if(l.length&&!g.hd(h)){if((f=h.translationLanguage)&&f.languageName){var q=f.languageName;f=l.findIndex(function(r){return r.languageName===q}); +Daa(l,f)}KPa(this.j,l);e.push("__translate__")}f=this.getKey(h)}else this.tracks={},e=[],f="__off__";e.unshift("__off__");this.tracks.__off__={};c&&e.unshift("__contribute__");this.tracks[f]||(this.tracks[f]=h,e.push(f));g.EV(this,e);this.yj(f);h&&h.translationLanguage?this.j.yj(this.j.getKey(h.translationLanguage)):tPa(this.j);a&&this.D.ah(this.F.getSubtitlesUserSettings());this.T.ge(d&&d.length?" ("+d.length+")":"");this.ma("size-change");this.F.Ua(this.element,!0);this.enable(!0)}else this.enable(!1)}; +g.k.F0=function(a){var b=this.F.getOption("captions","track");b=g.md(b);b.translationLanguage=this.j.languages[a];LV(this,b)}; +g.k.Pj=function(a,b){if("reset"===a)this.F.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.F.updateSubtitlesUserSettings(c)}LPa(this,!0);this.J.start();this.D.ah(this.F.getSubtitlesUserSettings())}; +g.k.q7=function(a){a||g.Lp(this.J)}; +g.k.qa=function(){g.Lp(this.J);g.DV.prototype.qa.call(this)}; +g.k.open=function(){g.DV.prototype.open.call(this);this.options.__correction__&&!this.C&&(this.C=this.options.__correction__.element,this.F.sb(this.C,this,167341),this.F.Ua(this.C,!0))};g.w(OPa,g.vU);g.k=OPa.prototype; +g.k.initialize=function(){if(!this.isInitialized){var a=this.F.V();this.isInitialized=!0;var b=new vPa(this.F,this);g.E(this,b);b=new MPa(this.F,this);g.E(this,b);a.B||(b=new CV(this.F,this),g.E(this,b));a.uf&&(b=new DPa(this.F,this),g.E(this,b));this.F.K("embeds_web_enable_new_context_menu_triggering")&&(g.fK(a)||a.J)&&(a.u||a.tb)&&(b=new uPa(this.F,this),g.E(this,b));a.Od&&!a.K("web_player_move_autonav_toggle")&&(a=new GV(this.F,this),g.E(this,a));a=new FV(this.F,this);g.E(this,a);this.F.ma("settingsMenuInitialized"); +sPa(this.settingsButton,this.Of.Ho())}}; +g.k.Zc=function(a){this.initialize();this.Of.Zc(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.jh=function(a){this.yb&&1>=this.Of.Ho()&&this.hide();this.Of.jh(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.od=function(a){this.initialize();0=b;g.bQ(this,c);this.F.Ua(this.element,c);a&&this.updateValue("pressed",this.isEnabled())};g.w(g.PV,g.U);g.k=g.PV.prototype; +g.k.yc=function(){var a=this.api.jb().getPlayerSize().width,b=this.J;this.api.V().T&&(b=400);b=a>=b&&(!RV(this)||!g.S(this.api.Cb(),64));g.bQ(this,b);g.Up(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=this.api.getCurrentTime(b,!1);this.u&&(c-=a.airingStart);QV(this)&&(c-=this.Bb.startTimeMs/1E3);c=g.eR(c);this.B!==c&&(this.updateValue("currenttime",c),this.B=c);b=QV(this)?g.eR((this.Bb.endTimeMs-this.Bb.startTimeMs)/ +1E3):g.eR(this.api.getDuration(b,!1));this.C!==b&&(this.updateValue("duration",b),this.C=b)}a=a.isAtLiveHead;!RV(this)||this.I===a&&this.D===this.isPremiere||(this.I=a,this.D=this.isPremiere,this.yc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.ge(this.isPremiere?"Premiere":"Live"),a?this.j&&(this.j(),this.j=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.j=g.ZS(this.tooltip,this.liveBadge.element)));a=this.api.getLoopRange();b=this.Bb!==a;this.Bb=a;b&&OV(this)}; +g.k.onLoopRangeChange=function(a){var b=this.Bb!==a;this.Bb=a;b&&(this.yc(),OV(this))}; +g.k.V7=function(){this.api.setLoopRange(null)}; +g.k.onVideoDataChange=function(a,b,c){this.updateVideoData((this.api.V().K("enable_topsoil_wta_for_halftime")||this.api.V().K("enable_topsoil_wta_for_halftime_live_infra"))&&2===c?this.api.getVideoData(1):b);this.yc();OV(this)}; +g.k.updateVideoData=function(a){this.yC=a.isLivePlayback&&!a.Xb;this.u=aN(a);this.isPremiere=a.isPremiere;g.Up(this.element,"ytp-live",RV(this))}; g.k.onClick=function(a){a.target===this.liveBadge.element&&(this.api.seekTo(Infinity),this.api.playVideo())}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)};g.u(VX,g.V);g.k=VX.prototype;g.k.jk=function(){var a=this.B.ge();this.F!==a&&(this.F=a,UX(this,this.api.getVolume(),this.api.isMuted()))}; -g.k.cF=function(a){g.JN(this,350<=a.width)}; -g.k.oN=function(a){if(!g.kp(a)){var b=g.lp(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ce(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.ip(a))}}; -g.k.mN=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ce(b/10,-10,10));g.ip(a)}; -g.k.CQ=function(){TX(this,this.u,!0,this.D,this.B.Nh());this.Y=this.volume;this.api.isMuted()&&this.api.unMute()}; -g.k.nN=function(a){var b=this.F?78:52,c=this.F?18:12;a-=g.Eg(this.X).x;this.api.setVolume(100*g.ce((a-c/2)/(b-c),0,1))}; -g.k.BQ=function(){TX(this,this.u,!1,this.D,this.B.Nh());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Y))}; -g.k.pN=function(a){UX(this,a.volume,a.muted)}; -g.k.pC=function(){TX(this,this.u,this.C,this.D,this.B.Nh())}; -g.k.ca=function(){g.V.prototype.ca.call(this);g.sn(this.K,"ytp-volume-slider-active")};g.u(g.WX,g.V);g.WX.prototype.Ra=function(){var a=this.api.getVideoData(1).qc,b=this.api.T();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.pfpChazalUi);g.JN(this,this.visible);g.QN(this.api,this.element,this.visible&&this.R);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.ya("url",a))}; -g.WX.prototype.onClick=function(a){var b=this.api.getVideoUrl(!g.cP(a),!1,!0,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_logo")));g.BU(b,this.api,a);g.$T(this.api,this.element)}; -g.WX.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)};g.u(YX,g.tR);g.k=YX.prototype;g.k.ie=function(){this.nd.sc();this.mi.sc()}; -g.k.Yh=function(){this.sz();this.Nc.B?this.ie():g.dY(this.nd.tooltip)}; -g.k.ur=function(){this.ie();this.Xd.start()}; -g.k.sz=function(){var a=!this.J.T().u&&300>g.gva(this.nd)&&g.uK(this.J).Hb()&&!!window.requestAnimationFrame,b=!a;this.Nc.B||(a=b=!1);b?this.K||(this.K=this.N(this.J,"progresssync",this.ie)):this.K&&(this.Mb(this.K),this.K=null);a?this.Xd.isActive()||this.Xd.start():this.Xd.stop()}; -g.k.Va=function(){var a=this.B.ge(),b=g.cG(this.J).getPlayerSize(),c=ZX(this),d=Math.max(b.width-2*c,100);if(this.za!==b.width||this.ma!==a){this.za=b.width;this.ma=a;var e=tva(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";this.nd.setPosition(c,e,a);this.B.Rb().fa=e}c=this.u;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-$X(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.fv=e;c.tp();this.sz();!this.J.T().ba("html5_player_bottom_linear_gradient")&&g.Q(this.J.T().experiments, -"html5_player_dynamic_bottom_gradient")&&g.eW(this.ha,b.height)}; -g.k.Ra=function(){var a=this.J.getVideoData();this.X.style.background=a.qc?a.Gj:"";g.JN(this.Y,a.zA)}; -g.k.Pa=function(){return this.C.element};var h2={},aY=(h2.CHANNEL_NAME="ytp-title-channel-name",h2.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",h2.LINK="ytp-title-link",h2.SESSIONLINK="yt-uix-sessionlink",h2.SUBTEXT="ytp-title-subtext",h2.TEXT="ytp-title-text",h2.TITLE="ytp-title",h2);g.u(bY,g.V);bY.prototype.onClick=function(a){g.$T(this.api,this.element);var b=this.api.getVideoUrl(!g.cP(a),!1,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_title")));g.BU(b,this.api,a)}; -bY.prototype.oa=function(){var a=this.api.getVideoData(),b=this.api.T();this.ya("title",a.title);uva(this);if(2===this.api.getPresentingPlayerType()){var c=this.api.getVideoData();c.videoId&&c.isListed&&c.author&&c.Ek&&c.lf?(this.ya("channelLink",c.Ek),this.ya("channelName",c.author)):uva(this)}c=b.externalFullscreen||!this.api.isFullscreen()&&b.ng;g.J(this.link,aY.FULLERSCREEN_LINK,c);b.R||!a.videoId||c||a.qc&&b.pfpChazalUi?this.u&&(this.ya("url",null),this.Mb(this.u),this.u=null):(this.ya("url", -this.api.getVideoUrl(!0)),this.u||(this.u=this.N(this.link,"click",this.onClick)))};g.u(g.cY,g.V);g.k=g.cY.prototype;g.k.QF=function(a,b){if(a<=this.C&&this.C<=b){var c=this.C;this.C=NaN;wva(this,c)}}; -g.k.rL=function(){lI(this.u,this.C,160*this.scale)}; -g.k.gj=function(){switch(this.type){case 2:var a=this.B;a.removeEventListener("mouseout",this.X);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.X);a.addEventListener("focus",this.D);zva(this);break;case 3:zva(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.QF,this),this.u=null),this.api.removeEventListener("videoready",this.Y),this.aa.stop()}this.type=null;this.K&&this.I.hide()}; -g.k.Ci=function(a){for(var b=0;b(b.height-d.height)/2?m=l.y-f.height-12:m=l.y+d.height+12);a.style.top=m+(e||0)+"px";a.style.left=c+"px"}; -g.k.Yh=function(a){a&&(this.tooltip.Ci(this.Cg.element),this.Bf&&this.tooltip.Ci(this.Bf.Pa()));g.SU.prototype.Yh.call(this,a)}; -g.k.Pi=function(a,b){var c=g.cG(this.api).getPlayerSize();c=new g.jg(0,0,c.width,c.height);if(a||this.Nc.B&&!this.Il()){if(this.api.T().En||b){var d=this.ge()?this.xx:this.wx;c.top+=d;c.height-=d}this.Bf&&(c.height-=$X(this.Bf))}return c}; -g.k.jk=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.T().externalFullscreen||(b.parentElement.insertBefore(this.Ht.element,b),b.parentElement.insertBefore(this.Gt.element,b.nextSibling))):M(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.Ht.detach(),this.Gt.detach());this.Va();this.vk()}; -g.k.ge=function(){var a=this.api.T();a=a.ba("embeds_enable_mobile_custom_controls")&&a.u;return this.api.isFullscreen()&&!a||!1}; -g.k.showControls=function(a){this.mt=!a;this.Fg()}; -g.k.Va=function(){var a=this.ge();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.J(this.contextMenu.element,"ytp-big-mode",a);this.Fg();if(this.Ie()&&this.dg)this.mg&&OV(this.dg,this.mg),this.shareButton&&OV(this.dg,this.shareButton),this.Dj&&OV(this.dg,this.Dj);else{if(this.dg){a=this.dg;for(var b=g.q(a.actionButtons),c=b.next();!c.done;c=b.next())c.value.detach();a.actionButtons=[]}this.mg&&!g.Me(this.Rf.element,this.mg.element)&&this.mg.ga(this.Rf.element);this.shareButton&&!g.Me(this.Rf.element, -this.shareButton.element)&&this.shareButton.ga(this.Rf.element);this.Dj&&!g.Me(this.Rf.element,this.Dj.element)&&this.Dj.ga(this.Rf.element)}this.vk();g.SU.prototype.Va.call(this)}; -g.k.gy=function(){if(Fva(this)&&!g.NT(this.api))return!1;var a=this.api.getVideoData();return!g.hD(this.api.T())||2===this.api.getPresentingPlayerType()||!this.Qg||((a=this.Qg||a.Qg)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&a.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.SU.prototype.gy.call(this):!1}; -g.k.vk=function(){g.SU.prototype.vk.call(this);g.QN(this.api,this.title.element,!!this.Vi);this.So&&this.So.Eb(!!this.Vi);this.channelAvatar.Eb(!!this.Vi);this.overflowButton&&this.overflowButton.Eb(this.Ie()&&!!this.Vi);this.shareButton&&this.shareButton.Eb(!this.Ie()&&!!this.Vi);this.mg&&this.mg.Eb(!this.Ie()&&!!this.Vi);this.Dj&&this.Dj.Eb(!this.Ie()&&!!this.Vi);if(!this.Vi){this.tooltip.Ci(this.Cg.element);for(var a=0;ae?jY(this,"next_player_future"):(this.I=d,this.C=GB(a,c,d,!0),this.D=GB(a,e,f,!1),a=this.B.getVideoData().clientPlaybackNonce,this.u.Na("gaplessPrep","cpn."+a),mY(this.u,this.C),this.u.setMediaElement(Lva(b,c,d,!this.u.getVideoData().isAd())), -lY(this,2),Rva(this))):this.ea():this.ea()}else jY(this,"no-elem")}else this.ea()}; -g.k.Lo=function(a){var b=Qva(this).xH,c=a===b;b=c?this.C.u:this.C.B;c=c?this.D.u:this.D.B;if(b.isActive&&!c.isActive){var d=this.I;cA(a.Se(),d-.01)&&(lY(this,4),b.isActive=!1,b.zs=b.zs||b.isActive,this.B.Na("sbh","1"),c.isActive=!0,c.zs=c.zs||c.isActive);a=this.D.B;this.D.u.isActive&&a.isActive&&lY(this,5)}}; -g.k.WF=function(){4<=this.status.status&&6>this.status.status&&jY(this,"player-reload-after-handoff")}; -g.k.ca=function(){Pva(this);this.u.unsubscribe("newelementrequired",this.WF,this);if(this.C){var a=this.C.B;this.C.u.Rc.unsubscribe("updateend",this.Lo,this);a.Rc.unsubscribe("updateend",this.Lo,this)}g.C.prototype.ca.call(this)}; -g.k.lc=function(a){g.GK(a,128)&&jY(this,"player-error-event")}; -g.k.ea=function(){};g.u(pY,g.C);pY.prototype.clearQueue=function(){this.ea();this.D&&this.D.reject("Queue cleared");qY(this)}; -pY.prototype.ca=function(){qY(this);g.C.prototype.ca.call(this)}; -pY.prototype.ea=function(){};g.u(tY,g.O);g.k=tY.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:Wva()?3:b?2:c?1:d?5:e?7:f?8:0}; -g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.ff())}; -g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.ff())}; -g.k.setImmersivePreview=function(a){this.B!==a&&(this.B=a,this.ff())}; -g.k.Ze=function(){return this.C}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)};g.w(RPa,g.U);g.k=RPa.prototype;g.k.Hq=function(){var a=this.j.yg();this.C!==a&&(this.C=a,QPa(this,this.api.getVolume(),this.api.isMuted()))}; +g.k.IR=function(a){g.bQ(this,350<=a.width)}; +g.k.I0=function(a){if(!g.DO(a)){var b=g.zO(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ze(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.EO(a))}}; +g.k.G0=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ze(b/10,-10,10));g.EO(a)}; +g.k.v7=function(){SV(this,this.u,!0,this.B,this.j.Ql());this.Z=this.volume;this.api.isMuted()&&this.api.unMute()}; +g.k.H0=function(a){var b=this.C?78:52,c=this.C?18:12;a-=g.Pm(this.T).x;this.api.setVolume(100*g.ze((a-c/2)/(b-c),0,1))}; +g.k.u7=function(){SV(this,this.u,!1,this.B,this.j.Ql());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Z))}; +g.k.onVolumeChange=function(a){QPa(this,a.volume,a.muted)}; +g.k.US=function(){SV(this,this.u,this.isDragging,this.B,this.j.Ql())}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.J,"ytp-volume-slider-active")};g.w(g.TV,g.U); +g.TV.prototype.onVideoDataChange=function(){var a=this.api.getVideoData(1).D,b=this.api.V();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.Z);g.bQ(this,this.visible);this.api.Ua(this.element,this.visible&&this.ea);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.updateValue("url",a));b.B&&(this.j&&(this.Hc(this.j),this.j=null),this.element.removeAttribute("href"),this.element.removeAttribute("title"),this.element.removeAttribute("aria-label"),g.Qp(this.element,"no-link"));this.Db()}; +g.TV.prototype.onClick=function(a){this.api.K("web_player_log_click_before_generating_ve_conversion_params")&&this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0,!0);if(g.fK(b)||g.oK(b)){var d={};b.ya&&g.fK(b)&&g.iS(d,b.loaderUrl);g.fK(b)&&g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_logo"))}g.VT(c,this.api,a);this.api.K("web_player_log_click_before_generating_ve_conversion_params")||this.api.qb(this.element)}; +g.TV.prototype.Db=function(){var a={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 67 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 45.09 10 L 45.09 25.82 L 47.16 25.82 L 47.41 24.76 L 47.47 24.76 C 47.66 25.14 47.94 25.44 48.33 25.66 C 48.72 25.88 49.16 25.99 49.63 25.99 C 50.48 25.99 51.1 25.60 51.5 24.82 C 51.9 24.04 52.09 22.82 52.09 21.16 L 52.09 19.40 C 52.12 18.13 52.05 17.15 51.90 16.44 C 51.75 15.74 51.50 15.23 51.16 14.91 C 50.82 14.59 50.34 14.44 49.75 14.44 C 49.29 14.44 48.87 14.57 48.47 14.83 C 48.27 14.96 48.09 15.11 47.93 15.29 C 47.78 15.46 47.64 15.65 47.53 15.86 L 47.51 15.86 L 47.51 10 L 45.09 10 z M 8.10 10.56 L 10.96 20.86 L 10.96 25.82 L 13.42 25.82 L 13.42 20.86 L 16.32 10.56 L 13.83 10.56 L 12.78 15.25 C 12.49 16.62 12.31 17.59 12.23 18.17 L 12.16 18.17 C 12.04 17.35 11.84 16.38 11.59 15.23 L 10.59 10.56 L 8.10 10.56 z M 30.10 10.56 L 30.10 12.58 L 32.59 12.58 L 32.59 25.82 L 35.06 25.82 L 35.06 12.58 L 37.55 12.58 L 37.55 10.56 L 30.10 10.56 z M 19.21 14.46 C 18.37 14.46 17.69 14.63 17.17 14.96 C 16.65 15.29 16.27 15.82 16.03 16.55 C 15.79 17.28 15.67 18.23 15.67 19.43 L 15.67 21.06 C 15.67 22.24 15.79 23.19 16 23.91 C 16.21 24.62 16.57 25.15 17.07 25.49 C 17.58 25.83 18.27 26 19.15 26 C 20.02 26 20.69 25.83 21.19 25.5 C 21.69 25.17 22.06 24.63 22.28 23.91 C 22.51 23.19 22.63 22.25 22.63 21.06 L 22.63 19.43 C 22.63 18.23 22.50 17.28 22.27 16.56 C 22.04 15.84 21.68 15.31 21.18 14.97 C 20.68 14.63 20.03 14.46 19.21 14.46 z M 56.64 14.47 C 55.39 14.47 54.51 14.84 53.99 15.61 C 53.48 16.38 53.22 17.60 53.22 19.27 L 53.22 21.23 C 53.22 22.85 53.47 24.05 53.97 24.83 C 54.34 25.40 54.92 25.77 55.71 25.91 C 55.97 25.96 56.26 25.99 56.57 25.99 C 57.60 25.99 58.40 25.74 58.96 25.23 C 59.53 24.72 59.81 23.94 59.81 22.91 C 59.81 22.74 59.79 22.61 59.78 22.51 L 57.63 22.39 C 57.62 23.06 57.54 23.54 57.40 23.83 C 57.26 24.12 57.01 24.27 56.63 24.27 C 56.35 24.27 56.13 24.18 56.00 24.02 C 55.87 23.86 55.79 23.61 55.75 23.25 C 55.71 22.89 55.68 22.36 55.68 21.64 L 55.68 21.08 L 59.86 21.08 L 59.86 19.16 C 59.86 17.99 59.77 17.08 59.58 16.41 C 59.39 15.75 59.07 15.25 58.61 14.93 C 58.15 14.62 57.50 14.47 56.64 14.47 z M 23.92 14.67 L 23.92 23.00 C 23.92 24.03 24.11 24.79 24.46 25.27 C 24.82 25.76 25.35 26.00 26.09 26.00 C 27.16 26.00 27.97 25.49 28.5 24.46 L 28.55 24.46 L 28.76 25.82 L 30.73 25.82 L 30.73 14.67 L 28.23 14.67 L 28.23 23.52 C 28.13 23.73 27.97 23.90 27.77 24.03 C 27.57 24.16 27.37 24.24 27.15 24.24 C 26.89 24.24 26.70 24.12 26.59 23.91 C 26.48 23.70 26.43 23.35 26.43 22.85 L 26.43 14.67 L 23.92 14.67 z M 36.80 14.67 L 36.80 23.00 C 36.80 24.03 36.98 24.79 37.33 25.27 C 37.60 25.64 37.97 25.87 38.45 25.96 C 38.61 25.99 38.78 26.00 38.97 26.00 C 40.04 26.00 40.83 25.49 41.36 24.46 L 41.41 24.46 L 41.64 25.82 L 43.59 25.82 L 43.59 14.67 L 41.09 14.67 L 41.09 23.52 C 40.99 23.73 40.85 23.90 40.65 24.03 C 40.45 24.16 40.23 24.24 40.01 24.24 C 39.75 24.24 39.58 24.12 39.47 23.91 C 39.36 23.70 39.31 23.35 39.31 22.85 L 39.31 14.67 L 36.80 14.67 z M 56.61 16.15 C 56.88 16.15 57.08 16.23 57.21 16.38 C 57.33 16.53 57.42 16.79 57.47 17.16 C 57.52 17.53 57.53 18.06 57.53 18.78 L 57.53 19.58 L 55.69 19.58 L 55.69 18.78 C 55.69 18.05 55.71 17.52 55.75 17.16 C 55.79 16.81 55.87 16.55 56.00 16.39 C 56.13 16.23 56.32 16.15 56.61 16.15 z M 19.15 16.19 C 19.50 16.19 19.75 16.38 19.89 16.75 C 20.03 17.12 20.09 17.7 20.09 18.5 L 20.09 21.97 C 20.09 22.79 20.03 23.39 19.89 23.75 C 19.75 24.11 19.51 24.29 19.15 24.30 C 18.80 24.30 18.54 24.11 18.41 23.75 C 18.28 23.39 18.22 22.79 18.22 21.97 L 18.22 18.5 C 18.22 17.7 18.28 17.12 18.42 16.75 C 18.56 16.38 18.81 16.19 19.15 16.19 z M 48.63 16.22 C 48.88 16.22 49.08 16.31 49.22 16.51 C 49.36 16.71 49.45 17.05 49.50 17.52 C 49.55 17.99 49.58 18.68 49.58 19.55 L 49.58 21 L 49.59 21 C 49.59 21.81 49.57 22.45 49.5 22.91 C 49.43 23.37 49.32 23.70 49.16 23.89 C 49.00 24.08 48.78 24.17 48.51 24.17 C 48.30 24.17 48.11 24.12 47.94 24.02 C 47.76 23.92 47.62 23.78 47.51 23.58 L 47.51 17.25 C 47.59 16.95 47.75 16.70 47.96 16.50 C 48.17 16.31 48.39 16.22 48.63 16.22 z "}}]}, +b=this.api.V(),c=b.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.oK(b)?(b=this.Da("ytp-youtube-music-button"),a=(c=300>this.api.getPlayerSize().width)?{G:"svg",X:{fill:"none",height:"24",width:"24"},W:[{G:"circle",X:{cx:"12",cy:"12",fill:"red",r:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09z",fill:"#fff"}}]}:{G:"svg",X:{viewBox:"0 0 80 24"},W:[{G:"ellipse",X:{cx:"12.18", +cy:"12",fill:"red",rx:"12.18",ry:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09zM37.43 9.64c-.57 2.85-1.01 6.33-1.25 7.77h-.16c-.18-1.48-.62-4.94-1.22-7.75L33.31 2.67h-4.52v18.85h2.80V5.98l.27 1.45 2.85 14.08h2.80l2.80-14.08.3-1.45v15.54h2.80V2.67h-4.56l-1.43 6.96zM51.01 18.69c-.25.51-.81.87-1.36.87-.64 0-.90-.49-.90-1.70V7.75H45.54v10.29c0 2.54.85 3.70 2.75 3.70 1.29 0 2.33-.56 3.05-1.90h.07l.27 1.68h2.50V7.75h-3.19v10.94h.00zM60.39 13.19c-1.04-.74-1.69-1.23-1.69-2.31 0-.76.37-1.19 1.25-1.19.90 0 1.20.60 1.22 2.67l2.68-.11c.20-3.34-.92-4.74-3.87-4.74-2.73 0-4.07 1.19-4.07 3.63 0 2.22 1.11 3.23 2.92 4.56 1.55 1.16 2.45 1.82 2.45 2.76 0 .72-.46 1.21-1.27 1.21-.95 0-1.50-.87-1.36-2.40l-2.71.04c-.41 2.85.76 4.51 3.91 4.51 2.75 0 4.19-1.23 4.19-3.70-.00-2.24-1.16-3.14-3.66-4.94zM68.87 7.75h-3.05v13.77h3.06V7.75zM67.36 2.31c-1.18 0-1.73.42-1.73 1.91 0 1.52.55 1.90 1.73 1.90 1.20 0 1.73-.38 1.73-1.90 0-1.41-.53-1.91-1.73-1.91zM79.15 16.56l-2.80-.13c0 2.42-.27 3.21-1.22 3.21-.95 0-1.11-.87-1.11-3.73v-2.67c0-2.76.18-3.63 1.13-3.63.88 0 1.11.83 1.11 3.39l2.77-.17c.18-2.13-.09-3.59-.94-4.42-.62-.60-1.57-.89-2.89-.89-3.10 0-4.37 1.61-4.37 6.15v1.93c0 4.67 1.08 6.17 4.26 6.17 1.34 0 2.27-.27 2.89-.85.90-.81 1.24-2.20 1.18-4.34z", +fill:"#fff"}}]},g.Up(b,"ytp-youtube-music-logo-icon-only",c)):c&&(a={G:"svg",X:{fill:"none",height:"100%",viewBox:"-10 -8 67 36",width:"100%"},W:[{G:"path",X:{d:"m.73 13.78 2.57-.05c-.05 2.31.36 3.04 1.34 3.04.95 0 1.34-.61 1.34-1.88 0-1.88-.97-2.83-2.37-4.04C1.47 8.99.55 7.96.55 5.23c0-2.60 1.15-4.14 4.17-4.14 2.91 0 4.12 1.70 3.71 5.20l-2.57.15c.05-2.39-.20-3.22-1.26-3.22-.97 0-1.31.64-1.31 1.82 0 1.77.74 2.31 2.34 3.84 1.98 1.88 3.09 2.98 3.09 5.54 0 3.24-1.26 4.48-4.20 4.48-3.06.02-4.30-1.62-3.78-5.12ZM9.67.74h2.83V4.58c0 1.15-.05 1.95-.15 2.93h.05c.54-1.15 1.44-1.75 2.60-1.75 1.75 0 2.5 1.23 2.5 3.35v9.53h-2.83V9.32c0-1.03-.25-1.54-.90-1.54-.48 0-.92.28-1.23.79V18.65H9.70V.74h-.02ZM18.67 13.27v-1.82c0-4.07 1.18-5.64 3.99-5.64 2.80 0 3.86 1.62 3.86 5.64v1.82c0 3.96-1.00 5.59-3.94 5.59-2.98 0-3.91-1.67-3.91-5.59Zm5 1.03v-3.94c0-1.72-.25-2.60-1.08-2.60-.79 0-1.05.87-1.05 2.60v3.94c0 1.80.25 2.62 1.05 2.62.82 0 1.08-.82 1.08-2.62ZM27.66 6.03h2.19l.25 2.73h.10c.28-2.01 1.21-3.01 2.39-3.01.15 0 .30.02.51.05l-.15 3.27c-1.18-.25-2.13-.05-2.57.72V18.63h-2.73V6.03ZM34.80 15.67V8.27h-1.03V6.05h1.15l.36-3.73h2.11V6.05h1.93v2.21h-1.80v6.98c0 1.18.15 1.44.61 1.44.41 0 .77-.05 1.10-.18l.36 1.80c-.85.41-1.93.54-2.60.54-1.82-.02-2.21-.97-2.21-3.19ZM40.26 14.81l2.39-.05c-.12 1.39.36 2.19 1.21 2.19.72 0 1.13-.46 1.13-1.10 0-.87-.79-1.46-2.16-2.5-1.62-1.23-2.60-2.16-2.60-4.20 0-2.24 1.18-3.32 3.63-3.32 2.60 0 3.63 1.28 3.42 4.35l-2.39.10c-.02-1.90-.28-2.44-1.08-2.44-.77 0-1.10.38-1.10 1.08 0 .97.56 1.44 1.49 2.11 2.21 1.64 3.24 2.47 3.24 4.53 0 2.26-1.28 3.40-3.73 3.40-2.78-.02-3.81-1.54-3.45-4.14Z", +fill:"#fff"}}]});a.X=Object.assign({},a.X,{"aria-hidden":"true"});this.updateValue("logoSvg",a)}; +g.TV.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)};g.w(TPa,g.bI);g.k=TPa.prototype;g.k.Ie=function(){g.S(this.F.Cb(),2)||(this.Kc.yc(),this.tj.yc())}; +g.k.qn=function(){this.KJ();if(this.Ve.u){this.Ie();var a;null==(a=this.tb)||a.show()}else{g.XV(this.Kc.tooltip);var b;null==(b=this.tb)||b.hide()}}; +g.k.Iv=function(){this.Ie();this.lf.start()}; +g.k.KJ=function(){var a=!this.F.V().u&&300>g.rPa(this.Kc)&&this.F.Cb().bd()&&!!window.requestAnimationFrame,b=!a;this.Ve.u||(a=b=!1);b?this.ea||(this.ea=this.S(this.F,"progresssync",this.Ie)):this.ea&&(this.Hc(this.ea),this.ea=null);a?this.lf.isActive()||this.lf.start():this.lf.stop()}; +g.k.Db=function(){var a=this.u.yg(),b=this.F.jb().getPlayerSize(),c=VPa(this),d=Math.max(b.width-2*c,100);if(this.ib!==b.width||this.fb!==a){this.ib=b.width;this.fb=a;var e=WPa(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";g.yV(this.Kc,c,e,a);this.u.Ic().LJ=e}c=this.B;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-XPa(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.UE=e;c.lA();this.KJ();this.F.V().K("html5_player_dynamic_bottom_gradient")&&g.VU(this.kb,b.height)}; +g.k.onVideoDataChange=function(){var a=this.F.getVideoData(),b,c,d,e=null==(b=a.kf)?void 0:null==(c=b.embedPreview)?void 0:null==(d=c.thumbnailPreviewRenderer)?void 0:d.controlBgHtml;b=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?!!e:a.D;e=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?null!=e?e:"":a.Wc;this.Ja.style.background=b?e:"";g.bQ(this.ya,a.jQ);this.oa&&jOa(this.oa,a.showSeekingControls);this.Z&&jOa(this.Z,a.showSeekingControls)}; +g.k.ub=function(){return this.C.element};g.w(YPa,EU);g.k=YPa.prototype;g.k.YG=function(a){a.target!==this.dismissButton.element&&(this.onClickCommand&&this.F.Na("innertubeCommand",this.onClickCommand),this.WC())}; +g.k.WC=function(){this.enabled=!1;this.I.hide()}; +g.k.onVideoDataChange=function(a,b){"dataloaded"===a&&ZPa(this);if(this.F.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){a=[];var c,d,e,f;if(b=null==(f=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.suggestedActionsRenderer,mza))?void 0:f.suggestedActions)for(c=g.t(b),d=c.next();!d.done;d=c.next())(d=g.K(d.value,nza))&&g.K(d.trigger,lM)&&a.push(d)}else a=b.suggestedActions;c=a;if(0!==c.length){a=[];c=g.t(c);for(d=c.next();!d.done;d= +c.next())if(d=d.value,e=g.K(d.trigger,lM))f=(f=d.title)?g.gE(f):"View Chapters",b=e.timeRangeStartMillis,e=e.timeRangeEndMillis,null!=b&&null!=e&&d.tapCommand&&(a.push(new g.XD(b,e,{priority:9,namespace:"suggested_action_button_visible",id:f})),this.suggestedActions[f]=d.tapCommand);this.F.ye(a)}}; +g.k.Yz=function(){return this.enabled}; +g.k.Bg=function(){this.enabled?this.oa.start():CU(this);this.dl()}; +g.k.qa=function(){ZPa(this);EU.prototype.qa.call(this)};var g4={},UV=(g4.CHANNEL_NAME="ytp-title-channel-name",g4.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",g4.LINK="ytp-title-link",g4.SESSIONLINK="yt-uix-sessionlink",g4.SUBTEXT="ytp-title-subtext",g4.TEXT="ytp-title-text",g4.TITLE="ytp-title",g4);g.w(VV,g.U); +VV.prototype.onClick=function(a){this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0);if(g.fK(b)){var d={};b.ya&&g.iS(d,b.loaderUrl);g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_title"))}g.VT(c,this.api,a)}; +VV.prototype.Pa=function(){var a=this.api.getVideoData(),b=this.api.V();this.updateValue("title",a.title);var c={G:"a",N:UV.CHANNEL_NAME,X:{href:"{{channelLink}}",target:"_blank"},ra:"{{channelName}}"};this.api.V().B&&(c={G:"span",N:UV.CHANNEL_NAME,ra:"{{channelName}}",X:{tabIndex:"{{channelSubtextFocusable}}"}});this.updateValue("subtextElement",c);$Pa(this);2===this.api.getPresentingPlayerType()&&(c=this.api.getVideoData(),c.videoId&&c.isListed&&c.author&&c.Lc&&c.profilePicture?(this.updateValue("channelLink", +c.Lc),this.updateValue("channelName",c.author),this.updateValue("channelTitleFocusable","0")):$Pa(this));c=b.externalFullscreen||!this.api.isFullscreen()&&b.ij;g.Up(this.link,UV.FULLERSCREEN_LINK,c);b.oa||!a.videoId||c||a.D&&b.Z||b.B?this.j&&(this.updateValue("url",null),this.Hc(this.j),this.j=null):(this.updateValue("url",this.api.getVideoUrl(!0)),this.j||(this.j=this.S(this.link,"click",this.onClick)));b.B&&(this.element.classList.add("ytp-no-link"),this.updateValue("channelName",g.fK(b)?a.ph:a.author), +this.updateValue("channelTitleFocusable","0"),this.updateValue("channelSubtextFocusable","0"))};g.w(g.WV,g.U);g.k=g.WV.prototype;g.k.fP=function(a){if(null!=this.type)if(a)switch(this.type){case 3:case 2:eQa(this);this.I.show();break;default:this.I.show()}else this.I.hide();this.T=a}; +g.k.iW=function(a,b){a<=this.C&&this.C<=b&&(a=this.C,this.C=NaN,bQa(this,a))}; +g.k.x4=function(){Qya(this.u,this.C,this.J*this.scale)}; +g.k.Nn=function(){switch(this.type){case 2:var a=this.j;a.removeEventListener("mouseout",this.oa);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.oa);a.addEventListener("focus",this.D);fQa(this);break;case 3:fQa(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.iW,this),this.u=null),this.api.removeEventListener("videoready",this.ya),this.Aa.stop()}this.type=null;this.T&&this.I.hide()}; +g.k.rk=function(){if(this.j)for(var a=0;a(b.height-d.height)/2?l.y-f.height-12:l.y+d.height+12);a.style.top=f+(e||0)+"px";a.style.left=c+"px"}; +g.k.qn=function(a){a&&(this.tooltip.rk(this.Fh.element),this.dh&&this.tooltip.rk(this.dh.ub()));this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide",a),g.Up(this.contextMenu.element,"ytp-autohide-active",!0));g.eU.prototype.qn.call(this,a)}; +g.k.DN=function(){g.eU.prototype.DN.call(this);this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide-active",!1),this.rG&&(this.contextMenu.hide(),this.Bh&&this.Bh.hide()))}; +g.k.zk=function(a,b){var c=this.api.jb().getPlayerSize();c=new g.Em(0,0,c.width,c.height);if(a||this.Ve.u&&!this.Ct()){if(this.api.V().vl||b)a=this.yg()?this.RK:this.QK,c.top+=a,c.height-=a;this.dh&&(c.height-=XPa(this.dh))}return c}; +g.k.Hq=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.V().externalFullscreen||(b.parentElement.insertBefore(this.IF.element,b),b.parentElement.insertBefore(this.HF.element,b.nextSibling))):g.CD(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.IF.detach(),this.HF.detach());this.Db();this.wp()}; +g.k.yg=function(){var a=this.api.V();return this.api.isFullscreen()&&!a.T||!1}; +g.k.showControls=function(a){this.pF=!a;this.fl()}; +g.k.Db=function(){var a=this.yg();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.Up(this.contextMenu.element,"ytp-big-mode",a);this.fl();this.api.K("web_player_hide_overflow_button_if_empty_menu")||nQa(this);this.wp();var b=this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.Sb();b&&a?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.Fh.element,"padding-left",a+"px"),g.Hm(this.Fh.element,"padding-right",a+"px")):b&&(g.Hm(this.Fh.element,"padding-left", +""),g.Hm(this.Fh.element,"padding-right",""));g.eU.prototype.Db.call(this)}; +g.k.SL=function(){if(mQa(this)&&!g.KS(this.api))return!1;var a=this.api.getVideoData();return!g.fK(this.api.V())||2===this.api.getPresentingPlayerType()||!this.kf||((a=this.kf||a.kf)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&g.K(a.videoDetails,Nza)||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.eU.prototype.SL.call(this):!1}; +g.k.wp=function(){g.eU.prototype.wp.call(this);this.api.Ua(this.title.element,!!this.To);this.Dz&&this.Dz.Zb(!!this.To);this.channelAvatar.Zb(!!this.To);this.overflowButton&&this.overflowButton.Zb(this.Wg()&&!!this.To);this.shareButton&&this.shareButton.Zb(!this.Wg()&&!!this.To);this.Jn&&this.Jn.Zb(!this.Wg()&&!!this.To);this.Bi&&this.Bi.Zb(!this.Wg()&&!!this.To);if(!this.To){this.tooltip.rk(this.Fh.element);for(var a=0;a=b)return d.return();(c=a.j.get(0))&&uQa(a,c);g.oa(d)})}; +var rQa={qQa:0,xSa:1,pRa:2,ySa:3,Ima:4,0:"PRIMARY",1:"SECONDARY",2:"RANDOM",3:"SENSITIVE_CONTENT",4:"C_YOUTUBE"};g.eW.prototype.info=function(){}; +var CQa=new Map;fW.prototype.Vj=function(){if(!this.Le.length)return[];var a=this.Le;this.Le=[];this.B=g.jb(a).info;return a}; +fW.prototype.Rv=function(){return this.Le};g.w(hW,g.C);g.k=hW.prototype;g.k.Up=function(){return Array.from(this.Xc.keys())}; +g.k.lw=function(a){a=this.Xc.get(a);var b=a.Le;a.Qx+=b.totalLength;a.Le=new LF;return b}; +g.k.Vg=function(a){return this.Xc.get(a).Vg}; +g.k.Qh=function(a){return this.Xc.get(a).Qh}; +g.k.Kv=function(a,b,c,d){this.Xc.get(a)||this.Xc.set(a,{Le:new LF,Cq:[],Qx:0,bytesReceived:0,KU:0,CO:!1,Vg:!1,Qh:!1,Ek:b,AX:[],gb:[],OG:[]});b=this.Xc.get(a);this.Sa?(c=MQa(this,a,c,d),LQa(this,a,b,c)):(c.Xm?b.KU=c.Pq:b.OG.push(c),b.AX.push(c))}; +g.k.Om=function(a){var b;return(null==(b=this.Xc.get(a))?void 0:b.gb)||[]}; +g.k.qz=function(){for(var a=g.t(this.Xc.values()),b=a.next();!b.done;b=a.next())b=b.value,b.CO&&(b.Ie&&b.Ie(),b.CO=!1)}; +g.k.Iq=function(a){a=this.Xc.get(a);iW&&a.Cq.push({data:new LF([]),qL:!0});a&&!a.Qh&&(a.Qh=!0)}; +g.k.Vj=function(a){var b,c=null==(b=this.Xc.get(a))?void 0:b.Zd;if(!c)return[];this.Sm(a,c);return c.Vj()}; +g.k.Nk=function(a){var b,c,d;return!!(null==(c=null==(b=this.Xc.get(a))?void 0:b.Zd)?0:null==(d=c.Rv())?0:d.length)||JQa(this,a)}; +g.k.Sm=function(a,b){for(;JQa(this,a);)if(iW){var c=this.Xc.get(a),d=c.Cq.shift();c.Qx+=(null==d?void 0:d.data.totalLength)||0;c=d;gW(b,c.data,c.qL)}else c=this.lw(a),d=a,d=this.Xc.get(d).Vg&&!IQa(this,d),gW(b,c,d&&KQa(this,a))}; +g.k.qa=function(){g.C.prototype.qa.call(this);for(var a=g.t(this.Xc.keys()),b=a.next();!b.done;b=a.next())FQa(this,b.value);this.Xc.clear()}; +var iW=!1;var lW=[],m0a=!1;g.PY=Nd(function(){var a="";try{var b=g.qf("CANVAS").getContext("webgl");b&&(b.getExtension("WEBGL_debug_renderer_info"),a=b.getParameter(37446),a=a.replace(/[ :]/g,"_"))}catch(c){}return a});g.w(mW,g.C);mW.prototype.B=function(){null!=this.j&&this.app.getVideoData()!==this.j&&aM(this.j)&&R0a(this.app,this.j,void 0,void 0,this.u)}; +mW.prototype.qa=function(){this.j=null;g.C.prototype.qa.call(this)};g.w(g.nW,FO);g.k=g.nW.prototype;g.k.isView=function(){return!0}; +g.k.QO=function(){var a=this.mediaElement.getCurrentTime();if(ae?this.Eg("next_player_future"):(this.D=d,this.currentVideoDuration=d-c,this.B=Gva(a,c,d,!0),this.C=Gva(a,e,h,!1),a=this.u.getVideoData().clientPlaybackNonce,this.j.xa("gaplessPrep",{cpn:a}),ZQa(this.j,this.B),this.j.setMediaElement(VQa(b,c,d,!this.j.getVideoData().isAd())), +pW(this,2),bRa(this))))}else this.Eg("no-elem")}; +g.k.kx=function(a){var b=a===aRa(this).LX,c=b?this.B.j:this.B.u;b=b?this.C.j:this.C.u;if(c.isActive&&!b.isActive){var d=this.D;lI(a.Ig(),d-.01)&&(pW(this,4),c.isActive=!1,c.rE=c.rE||c.isActive,this.u.xa("sbh",{}),b.isActive=!0,b.rE=b.rE||b.isActive);a=this.C.u;this.C.j.isActive&&a.isActive&&(pW(this,5),0!==this.T&&(this.j.getVideoData().QR=!0,this.j.setLoopRange({startTimeMs:0,endTimeMs:1E3*this.currentVideoDuration})))}}; +g.k.nW=function(){4<=this.status.status&&6>this.status.status&&this.Eg("player-reload-after-handoff")}; +g.k.Eg=function(a,b){b=void 0===b?{}:b;if(!this.isDisposed()&&6!==this.status.status){var c=4<=this.status.status&&"player-reload-after-handoff"!==a;this.status={status:Infinity,error:a};if(this.j&&this.u){var d=this.u.getVideoData().clientPlaybackNonce;this.j.Kd(new PK("dai.transitionfailure",Object.assign(b,{cpn:d,transitionTimeMs:this.fm,msg:a})));a=this.j;a.videoData.fb=!1;c&&IY(a);a.Fa&&XWa(a.Fa)}this.rp.reject(void 0);this.dispose()}}; +g.k.qa=function(){$Qa(this);this.j.unsubscribe("newelementrequired",this.nW,this);if(this.B){var a=this.B.u;this.B.j.Ed.unsubscribe("updateend",this.kx,this);a.Ed.unsubscribe("updateend",this.kx,this)}g.C.prototype.qa.call(this)}; +g.k.yd=function(a){g.YN(a,128)&&this.Eg("player-error-event")};g.w(rW,g.C);rW.prototype.clearQueue=function(){this.C&&this.C.reject("Queue cleared");sW(this)}; +rW.prototype.vv=function(){return!this.j}; +rW.prototype.qa=function(){sW(this);g.C.prototype.qa.call(this)};g.w(lRa,g.dE);g.k=lRa.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:hRa()?3:b?2:c?1:d?5:e?7:f?8:0}; +g.k.cm=function(a){this.fullscreen!==a&&(this.fullscreen=a,this.Bg())}; +g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.Bg())}; +g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.Bg())}; +g.k.Uz=function(a){this.pictureInPicture!==a&&(this.pictureInPicture=a,this.Bg())}; +g.k.wh=function(){return this.j}; g.k.isFullscreen=function(){return 0!==this.fullscreen}; +g.k.Ay=function(){return this.fullscreen}; +g.k.zg=function(){return this.u}; g.k.isInline=function(){return this.inline}; -g.k.isBackground=function(){return Wva()}; -g.k.ff=function(){this.V("visibilitychange");var a=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B);a!==this.F&&this.V("visibilitystatechange");this.F=a}; -g.k.ca=function(){Zva(this.D);g.O.prototype.ca.call(this)};g.u(vY,g.C);g.k=vY.prototype; -g.k.CM=function(a){var b,c,d,e;if(a=this.C.get(a))if(this.api.V("serverstitchedvideochange",a.Hc),a.cpn&&(null===(c=null===(b=a.playerResponse)||void 0===b?void 0:b.videoDetails)||void 0===c?0:c.videoId)){for(var f,h,l=0;l=a.pw?a.pw:void 0;return{Pz:{lK:f?KRa(this,f):[],S1:h,Qr:d,RX:b,T9:Se(l.split(";")[0]),U9:l.split(";")[1]||""}}}; +g.k.Im=function(a,b,c,d,e){var f=Number(c.split(";")[0]),h=3===d;a=GRa(this,a,b,d,c);this.Qa&&this.va.xa("sdai",{gdu:1,seg:b,itag:f,pb:""+!!a});if(!a)return KW(this,b,h),null;a.locations||(a.locations=new Map);if(!a.locations.has(f)){var l,m,n=null==(l=a.videoData.getPlayerResponse())?void 0:null==(m=l.streamingData)?void 0:m.adaptiveFormats;if(!n)return this.va.xa("sdai",{gdu:"noadpfmts",seg:b,itag:f}),KW(this,b,h),null;l=n.find(function(z){return z.itag===f}); +if(!l||!l.url){var p=a.videoData.videoId;a=[];d=g.t(n);for(var q=d.next();!q.done;q=d.next())a.push(q.value.itag);this.va.xa("sdai",{gdu:"nofmt",seg:b,vid:p,itag:f,fullitag:c,itags:a.join(",")});KW(this,b,h);return null}a.locations.set(f,new g.DF(l.url,!0))}n=a.locations.get(f);if(!n)return this.va.xa("sdai",{gdu:"nourl",seg:b,itag:f}),KW(this,b,h),null;n=new IG(n);this.Wc&&(n.get("dvc")?this.va.xa("sdai",{dvc:n.get("dvc")||""}):n.set("dvc","webm"));var r;(e=null==(r=JW(this,b-1,d,e))?void 0:r.Qr)&& +n.set("daistate",e);a.pw&&b>=a.pw&&n.set("skipsq",""+a.pw);(e=this.va.getVideoData().clientPlaybackNonce)&&n.set("cpn",e);r=[];a.Am&&(r=KRa(this,a.Am),0d?(this.kI(a,c,!0),this.va.seekTo(d),!0):!1}; +g.k.kI=function(a,b,c){c=void 0===c?!1:c;if(a=IW(this,a,b)){var d=a.Am;if(d){this.va.xa("sdai",{skipadonsq:b,sts:c,abid:d,acpn:a.cpn,avid:a.videoData.videoId});c=this.ea.get(d);if(!c)return;c=g.t(c);for(d=c.next();!d.done;d=c.next())d.value.pw=b}this.u=a.cpn;HRa(this)}}; +g.k.TO=function(){for(var a=g.t(this.T),b=a.next();!b.done;b=a.next())b.value.pw=NaN;HRa(this);this.va.xa("sdai",{rsac:"resetSkipAd",sac:this.u});this.u=""}; +g.k.kE=aa(38); +g.k.fO=function(a,b,c,d,e,f,h,l,m){m&&(h?this.Xa.set(a,{Qr:m,YA:l}):this.Aa.set(a,{Qr:m,YA:l}));if(h){if(d.length&&e.length)for(this.u&&this.u===d[0]&&this.va.xa("sdai",{skipfail:1,sq:a,acpn:this.u}),a=b+this.aq(),h=0;h=b+a)b=h.end;else{if(l=!1,h?bthis.C;)(c=this.data.shift())&&OY(this,c,!0);MY(this)}; -NY.prototype.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); -c&&(OY(this,c,b),g.pb(this.data,function(d){return d.key===a}),MY(this))}; -NY.prototype.ca=function(){var a=this;g.C.prototype.ca.call(this);this.data.forEach(function(b){OY(a,b,!0)}); -this.data=[]};PY.prototype.add=function(a){this.u=(this.u+1)%this.data.length;this.data[this.u]=a}; -PY.prototype.forEach=function(a){for(var b=this.u+1;b=c||cthis.C&&(this.C=c,g.Sb(this.u)||(this.u={},this.D.stop(),this.B.stop())),this.u[b]=a,this.B.Sb())}}; -iZ.prototype.F=function(){for(var a=g.q(Object.keys(this.u)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.V;for(var d=this.C,e=this.u[c].match(wd),f=[],h=g.q(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+md(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=a.size||(a.forEach(function(c,d){var e=qC(b.B)?d:c,f=new Uint8Array(qC(b.B)?c:d);qC(b.B)&&mxa(f);var h=g.sf(f,4);mxa(f);f=g.sf(f,4);b.u[h]?b.u[h].status=e:b.u[f]?b.u[f].status=e:b.u[h]={type:"",status:e}}),this.ea("Key statuses changed: "+ixa(this,",")),kZ(this,"onkeystatuschange"),this.status="kc",this.V("keystatuseschange",this))}; -g.k.error=function(a,b,c,d){this.na()||this.V("licenseerror",a,b,c,d);b&&this.dispose()}; -g.k.shouldRetry=function(a,b){return this.fa&&this.I?!1:!a&&this.requestNumber===b.requestNumber}; -g.k.ca=function(){g.O.prototype.ca.call(this)}; -g.k.sb=function(){var a={requestedKeyIds:this.aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.C&&(a.keyStatuses=this.u);return a}; -g.k.Te=function(){var a=this.F.join();if(mZ(this)){var b=[],c;for(c in this.u)"usable"!==this.u[c].status&&b.push(this.u[c].type);a+="/UKS."+b}return a+="/"+this.cryptoPeriodIndex}; -g.k.ea=function(){}; -g.k.Ld=function(){return this.url}; -var k2={},fxa=(k2.widevine="DRM_SYSTEM_WIDEVINE",k2.fairplay="DRM_SYSTEM_FAIRPLAY",k2.playready="DRM_SYSTEM_PLAYREADY",k2);g.u(oZ,g.C);g.k=oZ.prototype;g.k.NL=function(a){if(this.F){var b=a.messageType||"license-request";this.F(new Uint8Array(a.message),b)}}; -g.k.xl=function(){this.K&&this.K(this.u.keyStatuses)}; -g.k.fG=function(a){this.F&&this.F(a.message,"license-request")}; -g.k.eG=function(a){if(this.C){if(this.B){var b=this.B.error.code;a=this.B.error.u}else b=a.errorCode,a=a.systemCode;this.C("t.prefixedKeyError;c."+b+";sc."+a)}}; -g.k.dG=function(){this.I&&this.I()}; -g.k.update=function(a){var b=this;if(this.u)return this.u.update(a).then(null,Eo(function(c){pxa(b,"t.update",c)})); -this.B?this.B.update(a):this.element.addKey?this.element.addKey(this.R.u,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.R.u,a,this.initData,this.sessionId);return Ys()}; -g.k.ca=function(){this.u&&this.u.close();this.element=null;g.C.prototype.ca.call(this)};g.u(pZ,g.C);g.k=pZ.prototype;g.k.createSession=function(a,b){var c=a.initData;if(this.u.keySystemAccess){b&&b("createsession");var d=this.B.createSession();tC(this.u)&&(c=sxa(c,this.u.Bh));b&&b("genreq");c=d.generateRequest(a.contentType,c);var e=new oZ(null,null,null,d,null);c.then(function(){b&&b("genreqsuccess")},Eo(function(f){pxa(e,"t.generateRequest",f)})); -return e}if(pC(this.u))return uxa(this,c);if(sC(this.u))return txa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.u.u,c):this.element.webkitGenerateKeyRequest(this.u.u,c);return this.D=new oZ(this.element,this.u,c,null,null)}; -g.k.QL=function(a){var b=rZ(this,a);b&&b.fG(a)}; -g.k.PL=function(a){var b=rZ(this,a);b&&b.eG(a)}; -g.k.OL=function(a){var b=rZ(this,a);b&&b.dG(a)}; -g.k.ca=function(){g.C.prototype.ca.call(this);delete this.element};g.u(sZ,g.C); -sZ.prototype.init=function(){return We(this,function b(){var c=this,d,e;return xa(b,function(f){if(1==f.u)return g.ug(c.u,{position:"absolute",width:"1px",height:"1px",display:"block"}),c.u.src=c.C.D,document.body.appendChild(c.u),c.F.N(c.u,"encrypted",c.I),d=[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}],sa(f,navigator.requestMediaKeySystemAccess("com.youtube.fairplay",d),2);e=f.B;c.C.keySystemAccess= -e;c.B=new pZ(c.u,c.C);g.D(c,c.B);qZ(c.B);f.u=0})})}; -sZ.prototype.I=function(a){var b=this;if(!this.na()){var c=new Uint8Array(a.initData);a=new zy(c,a.initDataType);var d=Lwa(c).replace("skd://","https://"),e={},f=this.B.createSession(a,function(){b.ea()}); -f&&(g.D(this,f),this.D.push(f),Wwa(f,function(h){nxa(h,f.u,d,e,"fairplay")},function(){b.ea()},function(){},function(){}))}}; -sZ.prototype.ea=function(){}; -sZ.prototype.ca=function(){this.D=[];this.u&&this.u.parentNode&&this.u.parentNode.removeChild(this.u);g.C.prototype.ca.call(this)};g.u(tZ,hZ);tZ.prototype.F=function(a){var b=(0,g.N)(),c;if(!(c=this.D)){a:{c=a.cryptoPeriodIndex;if(!isNaN(c))for(var d=g.q(this.C.values),e=d.next();!e.done;e=d.next())if(1>=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}c=!1}c=!c}c?c=0:(c=a.u,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30)));this.u.push({time:b+c,info:a});this.B.Sb(c)};uZ.prototype.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; -uZ.prototype.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; -uZ.prototype.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; -uZ.prototype.findIndex=function(a){return g.gb(this.keys,function(b){return g.Ab(a,b)})};g.u(wZ,g.O);g.k=wZ.prototype;g.k.RL=function(a){vZ(this,"onecpt");a.initData&&yxa(this,new Uint8Array(a.initData),a.initDataType)}; -g.k.BP=function(a){vZ(this,"onndky");yxa(this,a.initData,a.contentType)}; -g.k.SB=function(a){this.C.push(a);yZ(this)}; -g.k.createSession=function(a){this.B.get(a.initData);this.Y=!0;var b=new lZ(this.videoData,this.W,a,this.drmSessionId);this.B.set(a.initData,b);b.subscribe("ctmp",this.FF,this);b.subscribe("hdentitled",this.RF,this);b.subscribe("keystatuseschange",this.xl,this);b.subscribe("licenseerror",this.yv,this);b.subscribe("newlicense",this.YF,this);b.subscribe("newsession",this.aG,this);b.subscribe("sessionready",this.nG,this);b.subscribe("fairplay_next_need_key_info",this.OF,this);Ywa(b,this.D)}; -g.k.YF=function(a){this.na()||(this.ea(),vZ(this,"onnelcswhb"),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.V("heartbeatparams",a)))}; -g.k.aG=function(){this.na()||(this.ea(),vZ(this,"newlcssn"),this.C.shift(),this.Y=!1,yZ(this))}; -g.k.nG=function(){if(pC(this.u)&&(this.ea(),vZ(this,"onsnrdy"),this.Ja--,0===this.Ja)){var a=this.X;a.element.msSetMediaKeys(a.C)}}; -g.k.xl=function(a){this.na()||(!this.ma&&this.videoData.ba("html5_log_drm_metrics_on_key_statuses")&&(Dxa(this),this.ma=!0),this.ea(),vZ(this,"onksch"),Cxa(this,hxa(a,this.ha)),this.V("keystatuseschange",a))}; -g.k.RF=function(){this.na()||this.fa||!rC(this.u)||(this.ea(),vZ(this,"onhdet"),this.Aa=CCa,this.V("hdproberequired"),this.V("qualitychange"))}; -g.k.FF=function(a,b){this.na()||this.V("ctmp",a,b)}; -g.k.OF=function(a,b){this.na()||this.V("fairplay_next_need_key_info",a,b)}; -g.k.yv=function(a,b,c,d){this.na()||(this.videoData.ba("html5_log_drm_metrics_on_error")&&Dxa(this),this.V("licenseerror",a,b,c,d))}; -g.k.co=function(a){return(void 0===a?0:a)&&this.Aa?this.Aa:this.K}; -g.k.ca=function(){this.u.keySystemAccess&&this.element.setMediaKeys(null);this.element=null;this.C=[];for(var a=g.q(this.B.values),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.FF,this),b.unsubscribe("hdentitled",this.RF,this),b.unsubscribe("keystatuseschange",this.xl,this),b.unsubscribe("licenseerror",this.yv,this),b.unsubscribe("newlicense",this.YF,this),b.unsubscribe("newsession",this.aG,this),b.unsubscribe("sessionready",this.nG,this),b.unsubscribe("fairplay_next_need_key_info", -this.OF,this),b.dispose();a=this.B;a.keys=[];a.values=[];g.O.prototype.ca.call(this)}; -g.k.sb=function(){for(var a={systemInfo:this.u.sb(),sessions:[]},b=g.q(this.B.values),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.sb());return a}; -g.k.Te=function(){return 0>=this.B.values.length?"no session":this.B.values[0].Te()+(this.F?"/KR":"")}; -g.k.ea=function(){};g.u(AZ,g.O); -AZ.prototype.handleError=function(a,b){var c=this;Hxa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!DZ(this,a.errorCode,a.details))&&!Kxa(this,a,b))if(Ixa(a)&&this.videoData.La&&this.videoData.La.B)BZ(this,a.errorCode,a.details),EZ(this,"highrepfallback","1",{BA:!0}),!this.videoData.ba("html5_hr_logging_killswitch")&&/^hr/.test(this.videoData.clientPlaybackNonce)&&btoa&&EZ(this,"afmts",btoa(this.videoData.adaptiveFormats),{BA:!0}), -Ola(this.videoData),this.V("highrepfallback");else if(a.u){var d=this.Ba?this.Ba.K.F:null;if(Ixa(a)&&d&&d.isLocked())var e="FORMAT_UNAVAILABLE";else if(!this.Sa.I&&"auth"===a.errorCode&&"429"===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}this.V("playererror",a.errorCode,e,g.vB(a.details),f)}else d=/^pp/.test(this.videoData.clientPlaybackNonce),BZ(this,a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(d="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+ -"&t="+(0,g.N)(),(new cF(d,"manifest",function(h){c.F=!0;EZ(c,"pathprobe",h)},function(h){BZ(c,h.errorCode,h.details)})).send())}; -AZ.prototype.ca=function(){this.Ba=null;this.setMediaElement(null);g.O.prototype.ca.call(this)}; -AZ.prototype.setMediaElement=function(a){this.da=a}; -AZ.prototype.ea=function(){};GZ.prototype.setPlaybackRate=function(a){this.playbackRate=a}; -GZ.prototype.ba=function(a){return g.Q(this.W.experiments,a)};g.u(JZ,g.C);JZ.prototype.lc=function(a){cya(this);this.playerState=a.state;0<=this.B&&g.GK(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; -JZ.prototype.onError=function(a){"player.fatalexception"!==a&&(a.match(fDa)?this.networkErrorCount++:this.nonNetworkErrorCount++)}; -JZ.prototype.send=function(){if(!(this.C||0>this.u)){cya(this);var a=g.rY(this.provider)-this.u,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.U(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.U(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.U(this.playerState,16)||g.U(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.U(this.playerState,1)&& -g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.U(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.U(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");var d=ZI(this.provider.videoData);c="LIVE_STREAM_MODE_UNKNOWN";"live"===d?c="LIVE_STREAM_MODE_LIVE":"dvr"===d&&(c="LIVE_STREAM_MODE_DVR");d=dya(this.provider);var e=0>this.B?a:this.B-this.u;a=this.provider.W.Ta+36E5<(0,g.N)();b={started:0<=this.B,stateAtSend:b, -joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.WI(this.provider.videoData),isGapless:this.provider.videoData.Lh};!a&&this.provider.ba("html5_health_to_gel")&&g.Nq("html5PlayerHealthEvent",b);this.provider.ba("html5_health_to_qoe")&&(b.muted=a,this.I(g.vB(b)));this.C=!0; -this.dispose()}}; -JZ.prototype.ca=function(){this.C||this.send();g.C.prototype.ca.call(this)}; -var fDa=/\bnet\b/;g.u(g.NZ,g.C);g.k=g.NZ.prototype;g.k.OK=function(){var a=g.rY(this.provider);OZ(this,a)}; -g.k.rq=function(){return this.ia}; -g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.na()&&(a=0<=a?a:g.rY(this.provider),-1<["PL","B","S"].indexOf(this.Pc)&&(!g.Sb(this.u)||a>=this.C+30)&&(g.MZ(this,a,"vps",[this.Pc]),this.C=a),!g.Sb(this.u)))if(7E3===this.sequenceNumber&&g.Is(Error("Sent over 7000 pings")),7E3<=this.sequenceNumber)this.u={};else{PZ(this,a);var b=a,c=this.provider.C(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Ga,h=e&&!this.Ya;if(d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.fu(),this.u.qoealert=["1"],this.ha=!0)}"B"!==a||"PL"!==this.Pc&&"PB"!==this.Pc||(this.Y=!0);this.C=c}"B"=== -a&&"PL"===this.Pc||this.provider.videoData.nk?PZ(this,c):OZ(this,c);"PL"===a&&this.Nb.Sb();g.MZ(this,c,"vps",[a]);this.Pc=a;this.C=this.ma=c;this.P=!0}a=b.getData();g.U(b,128)&&a&&this.Er(c,a.errorCode,a.cH);(g.U(b,2)||g.U(b,128))&&this.reportStats(c);b.Hb()&&!this.D&&(0<=this.B&&(this.u.user_intent=[this.B.toString()]),this.D=!0);QZ(this)}; -g.k.wl=ba(20);g.k.vl=ba(23);g.k.Zh=ba(16);g.k.getPlayerState=function(a){if(g.U(a,128))return"ER";if(g.U(a,512))return"SU";if(g.U(a,16)||g.U(a,32))return"S";var b=gDa[JM(a)];g.wD(this.provider.W)&&"B"===b&&3===this.provider.getVisibilityState()&&(b="SU");"B"===b&&g.U(a,4)&&(b="PB");return b}; -g.k.ca=function(){g.C.prototype.ca.call(this);window.clearInterval(this.Aa)}; -g.k.Na=function(a,b,c){var d=this.u.ctmp||[],e=-1!==this.Zb.indexOf(a);e||this.Zb.push(a);if(!c||!e){/[^a-zA-Z0-9;.!_-]/.test(b)&&(b=b.replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"));if(!c&&!/^t[.]/.test(b)){var f=1E3*g.rY(this.provider);b="t."+f.toFixed()+";"+b}hDa(a,b);d.push(a+":"+b);this.u.ctmp=d;QZ(this);return f}}; -g.k.Fr=function(a,b,c){this.F={NR:Number(this.Na("glrem","nst."+a.toFixed()+";rem."+b.toFixed()+";ca."+ +c)),xF:a,FR:b,isAd:c}}; -g.k.Yo=function(a,b,c){g.MZ(this,g.rY(this.provider),"ad_playback",[a,b,c])}; -g.k.cn=function(a,b,c,d,e,f){1===e&&this.reportStats();this.adCpn=a;this.K=b;this.adFormat=f;a=g.rY(this.provider);b=this.provider.u();1===e&&g.MZ(this,a,"vps",[this.Pc]);f=this.u.xvt||[];f.push("t."+a.toFixed(3)+";m."+b.toFixed(3)+";g.2;tt."+e+";np.0;c."+c+";d."+d);this.u.xvt=f;0===e&&(this.reportStats(),this.K=this.adCpn="",this.adFormat=void 0)}; -var hDa=g.Ka,l2={},gDa=(l2[5]="N",l2[-1]="N",l2[3]="B",l2[0]="EN",l2[2]="PA",l2[1]="PL",l2);jya.prototype.update=function(){if(this.K){var a=this.provider.u()||0,b=g.rY(this.provider);if(a!==this.u||oya(this,a,b)){var c;if(!(c=ab-this.lastUpdateTime+2||oya(this,a,b))){var d=this.provider.De();c=d.volume;var e=c!==this.P;d=d.muted;d!==this.R?(this.R=d,c=!0):(!e||0<=this.D||(this.P=c,this.D=b),c=b-this.D,0<=this.D&&2=this.provider.videoData.yh){if(this.C&&this.provider.videoData.yh){var a=$Z(this,"delayplay");a.ub=!0;a.send();this.X=!0}sya(this)}}; -g.k.lc=function(a){this.na()||(g.U(a.state,2)?(this.currentPlayerState="paused",g.GK(a,2)&&this.C&&d_(this).send()):g.U(a.state,8)?(this.currentPlayerState="playing",this.C&&isNaN(this.B)&&a_(this,!1)):this.currentPlayerState="paused",this.D&&g.U(a.state,128)&&(c_(this,"error-100"),g.Io(this.D)))}; -g.k.ca=function(){g.C.prototype.ca.call(this);g.Io(this.B);this.B=NaN;mya(this.u);g.Io(this.D)}; -g.k.sb=function(){return XZ($Z(this,"playback"))}; -g.k.rp=function(){this.provider.videoData.qd.eventLabel=kJ(this.provider.videoData);this.provider.videoData.qd.playerStyle=this.provider.W.playerStyle;this.provider.videoData.Wo&&(this.provider.videoData.qd.feature="pyv");this.provider.videoData.qd.vid=this.provider.videoData.videoId;var a=this.provider.videoData.qd;var b=this.provider.videoData;b=b.isAd()||!!b.Wo;a.isAd=b}; -g.k.Yf=function(a){var b=$Z(this,"engage");b.K=a;return pya(b,yya(this.provider))};xya.prototype.isEmpty=function(){return this.endTime===this.startTime};e_.prototype.ba=function(a){return g.Q(this.W.experiments,a)}; -var zya={other:1,none:2,wifi:3,cellular:7};g.u(g.f_,g.C);g.k=g.f_.prototype;g.k.lc=function(a){var b;if(g.GK(a,1024)||g.GK(a,2048)||g.GK(a,512)||g.GK(a,4)){if(this.B){var c=this.B;0<=c.B||(c.u=-1,c.delay.stop())}this.qoe&&(c=this.qoe,c.D||(c.B=-1))}this.provider.videoData.enableServerStitchedDai&&this.C?null===(b=this.D.get(this.C))||void 0===b?void 0:b.lc(a):this.u&&this.u.lc(a);this.qoe&&this.qoe.lc(a);this.B&&this.B.lc(a)}; -g.k.ie=function(){var a;this.provider.videoData.enableServerStitchedDai&&this.C?null===(a=this.D.get(this.C))||void 0===a?void 0:a.ie():this.u&&this.u.ie()}; -g.k.onError=function(a,b){if(this.qoe)this.qoe.onError(a,b);if(this.B)this.B.onError(a)}; -g.k.wl=ba(19);g.k.Na=function(a,b,c){this.qoe&&this.qoe.Na(a,b,c)}; -g.k.Fr=function(a,b,c){this.qoe&&this.qoe.Fr(a,b,c)}; -g.k.Dr=function(a){this.qoe&&this.qoe.Dr(a)}; -g.k.Yo=function(a,b,c){this.qoe&&this.qoe.Yo(a,b,c)}; -g.k.vl=ba(22);g.k.Zh=ba(15);g.k.rq=function(){if(this.qoe)return this.qoe.rq()}; -g.k.sb=function(){var a;if(this.provider.videoData.enableServerStitchedDai&&this.C)null===(a=this.D.get(this.C))||void 0===a?void 0:a.sb();else if(this.u)return this.u.sb();return{}}; -g.k.Yf=function(a){return this.u?this.u.Yf(a):function(){}}; -g.k.rp=function(){this.u&&this.u.rp()};Fya.prototype.Lc=function(){return this.La.Lc()};g.u(j_,g.O);j_.prototype.Tj=function(){return this.K}; -j_.prototype.Fh=function(){return Math.max(this.R()-Jya(this,!0),this.videoData.Kc())}; -j_.prototype.ea=function(){};g.u(o_,g.C);o_.prototype.setMediaElement=function(a){(this.da=a)&&this.C.Sb()}; -o_.prototype.lc=function(a){this.playerState=a.state}; -o_.prototype.X=function(){var a=this;if(this.da&&!this.playerState.isError()){var b=this.da,c=b.getCurrentTime(),d=8===this.playerState.state&&c>this.u,e=Bma(this.playerState),f=this.visibility.isBackground()||this.playerState.isSuspended();p_(this,this.fa,e&&!f,d,"qoe.slowseek",function(){},"timeout"); -e=e&&isFinite(this.u)&&0c-this.D;f=this.videoData.isAd()&&d&&!e&&f;p_(this,this.ia,f,!f,"ad.rebuftimeout",function(){return a.V("skipslowad")},"skip_slow_ad"); -this.D=c;this.C.start()}}; -o_.prototype.sb=function(a){a=a.sb();this.u&&(a.stt=this.u.toFixed(3));this.Ba&&Object.assign(a,this.Ba.sb());this.da&&Object.assign(a,this.da.sb());return a}; -m_.prototype.reset=function(){this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -m_.prototype.sb=function(){var a={},b=(0,g.N)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.B&&(a.wtd=(b-this.B).toFixed());this.u&&(a.wssd=(b-this.u).toFixed());return a};g.u(r_,g.O);g.k=r_.prototype;g.k.hi=function(a){t_(this);this.videoData=a;this.K=this.u=null;this.C=this.Ga=this.timestampOffset=0;this.ia=!0;this.I.dispose();this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);this.I.setMediaElement(this.da);this.I.Ba=this.Ba}; -g.k.setMediaElement=function(a){g.ut(this.Aa);(this.da=a)?(Yya(this),q_(this)):t_(this);this.I.setMediaElement(a)}; -g.k.lc=function(a){this.I.lc(a);this.ba("html5_exponential_memory_for_sticky")&&(a.state.Hb()?this.Y.Sb():this.Y.stop());var b;if(b=this.da)b=8===a.hk.state&&HM(a.state)&&g.IM(a.state)&&this.policy.D;if(b){a=this.da.getCurrentTime();b=this.da.Gf();var c=this.ba("manifestless_post_live_ufph")||this.ba("manifestless_post_live")?Xz(b,Math.max(a-3.5,0)):Xz(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.Qa-c)||(this.V("ctmp","seekover","b."+Wz(b, -"_")+";cmt."+a),this.Qa=c,this.seekTo(c,{Gq:!0})))}}; -g.k.getCurrentTime=function(){return!isNaN(this.B)&&isFinite(this.B)?this.B:this.da&&Wya(this)?this.da.getCurrentTime()+this.timestampOffset:this.C||0}; -g.k.Mi=function(){return this.getCurrentTime()-this.yc()}; -g.k.Fh=function(){return this.u?this.u.Fh():Infinity}; -g.k.isAtLiveHead=function(a){if(!this.u)return!1;void 0===a&&(a=this.getCurrentTime());return l_(this.u,a)}; -g.k.Tj=function(){return!!this.u&&this.u.Tj()}; -g.k.seekTo=function(a,b){var c=void 0===b?{}:b,d=void 0===c.bI?!1:c.bI,e=void 0===c.cI?0:c.cI,f=void 0===c.Gq?!1:c.Gq;c=void 0===c.OA?0:c.OA;var h=a,l=!isFinite(h)||(this.u?l_(this.u,h):h>=this.Oc())||!g.eJ(this.videoData);l||this.V("ctmp","seeknotallowed",h+";"+this.Oc());if(!l)return this.D&&(this.D=null,Tya(this)),vm(this.getCurrentTime());this.ea();if(a===this.B&&this.P)return this.ea(),this.F;this.P&&t_(this);this.F||(this.F=new py);a&&!isFinite(a)&&s_(this,!1);h=a;(v_(this)&&!(this.da&&0this.B;)(c=this.data.shift())&&TW(this,c,!0);RW(this)}; +g.k.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); +c&&(TW(this,c,b),g.yb(this.data,function(d){return d.key===a}),RW(this))}; +g.k.Ef=function(){var a;if(a=void 0===a?!1:a)for(var b=g.t(this.data),c=b.next();!c.done;c=b.next())TW(this,c.value,a);this.data=[];RW(this)}; +g.k.qa=function(){var a=this;g.C.prototype.qa.call(this);this.data.forEach(function(b){TW(a,b,!0)}); +this.data=[]};g.w(UW,g.C);UW.prototype.QF=function(a){if(a)return this.u.get(a)}; +UW.prototype.qa=function(){this.j.Ef();this.u.Ef();g.C.prototype.qa.call(this)};g.w(VW,g.lq);VW.prototype.ma=function(a){var b=g.ya.apply(1,arguments);if(this.D.has(a))return this.D.get(a).push(b),!0;var c=!1;try{for(b=[b],this.D.set(a,b);b.length;)c=g.lq.prototype.ma.call.apply(g.lq.prototype.ma,[this,a].concat(g.u(b.shift())))}finally{this.D.delete(a)}return c};g.w(jSa,g.C);jSa.prototype.qa=function(){g.C.prototype.qa.call(this);this.j=null;this.u&&this.u.disconnect()};g.cdb=Nd(function(){var a=window.AudioContext||window.webkitAudioContext;try{return new a}catch(b){return b.name}});var h4;h4={};g.WW=(h4.STOP_EVENT_PROPAGATION="html5-stop-propagation",h4.IV_DRAWER_ENABLED="ytp-iv-drawer-enabled",h4.IV_DRAWER_OPEN="ytp-iv-drawer-open",h4.MAIN_VIDEO="html5-main-video",h4.VIDEO_CONTAINER="html5-video-container",h4.VIDEO_CONTAINER_TRANSITIONING="html5-video-container-transitioning",h4.HOUSE_BRAND="house-brand",h4);g.w(mSa,g.U);g.k=mSa.prototype;g.k.Dr=function(){g.Rp(this.element,g.ya.apply(0,arguments))}; +g.k.rj=function(){this.kc&&(this.kc.removeEventListener("focus",this.MN),g.xf(this.kc),this.kc=null)}; +g.k.jL=function(){this.isDisposed();var a=this.app.V();a.wm||this.Dr("tag-pool-enabled");a.J&&this.Dr(g.WW.HOUSE_BRAND);"gvn"===a.playerStyle&&(this.Dr("ytp-gvn"),this.element.style.backgroundColor="transparent");a.Dc&&(this.YK=g.pC("yt-dom-content-change",this.resize,this));this.S(window,"orientationchange",this.resize,this);this.S(window,"resize",this.resize,this)}; +g.k.SD=function(a){g.kK(this.app.V());this.mG=!a;XW(this)}; +g.k.resize=function(){if(this.kc){var a=this.Ij();if(!a.Bf()){var b=!g.Ie(a,this.Ez.getSize()),c=rSa(this);b&&(this.Ez.width=a.width,this.Ez.height=a.height);a=this.app.V();(c||b||a.Dc)&&this.app.Ta.ma("resize",this.getPlayerSize())}}}; +g.k.Gs=function(a,b){this.updateVideoData(b)}; +g.k.updateVideoData=function(a){if(this.kc){var b=this.app.V();nB&&(this.kc.setAttribute("x-webkit-airplay","allow"),a.title?this.kc.setAttribute("title",a.title):this.kc.removeAttribute("title"));Cza(a)?this.kc.setAttribute("disableremoteplayback",""):this.kc.removeAttribute("disableremoteplayback");this.kc.setAttribute("controlslist","nodownload");b.Xo&&a.videoId&&(this.kc.poster=a.wg("default.jpg"))}b=g.DM(a,"yt:bgcolor");this.kB.style.backgroundColor=b?b:"";this.qN=nz(g.DM(a,"yt:stretch"));this.rN= +nz(g.DM(a,"yt:crop"),!0);g.Up(this.element,"ytp-dni",a.D);this.resize()}; +g.k.setGlobalCrop=function(a){this.gM=nz(a,!0);this.resize()}; +g.k.setCenterCrop=function(a){this.QS=a;this.resize()}; +g.k.cm=function(){}; +g.k.getPlayerSize=function(){var a=this.app.V(),b=this.app.Ta.isFullscreen();if(b&&Xy())return new g.He(window.outerWidth,window.outerHeight);if(b||a.Vn){if(window.matchMedia){a="(width: "+window.innerWidth+"px) and (height: "+window.innerHeight+"px)";this.LC&&this.LC.media===a||(this.LC=window.matchMedia(a));var c=this.LC&&this.LC.matches}if(c)return new g.He(window.innerWidth,window.innerHeight)}else if(!isNaN(this.FB.width)&&!isNaN(this.FB.height))return this.FB.clone();return new g.He(this.element.clientWidth, +this.element.clientHeight)}; +g.k.Ij=function(){var a=this.app.V().K("enable_desktop_player_underlay"),b=this.getPlayerSize(),c=g.gJ(this.app.V().experiments,"player_underlay_min_player_width");return a&&this.zO&&b.width>c?new g.He(b.width*g.gJ(this.app.V().experiments,"player_underlay_video_width_fraction"),b.height):b}; +g.k.getVideoAspectRatio=function(){return isNaN(this.qN)?oSa(this):this.qN}; +g.k.getVideoContentRect=function(a){var b=this.Ij();a=pSa(this,b,this.getVideoAspectRatio(),a);return new g.Em((b.width-a.width)/2,(b.height-a.height)/2,a.width,a.height)}; +g.k.Wz=function(a){this.zO=a;this.resize()}; +g.k.uG=function(){return this.vH}; +g.k.onMutedAutoplayChange=function(){XW(this)}; +g.k.setInternalSize=function(a){g.Ie(this.FB,a)||(this.FB=a,this.resize())}; +g.k.qa=function(){this.YK&&g.qC(this.YK);this.rj();g.U.prototype.qa.call(this)};g.k=sSa.prototype;g.k.click=function(a,b){this.elements.has(a);this.j.has(a);var c=g.FE();c&&a.visualElement&&g.kP(c,a.visualElement,b)}; +g.k.sb=function(a,b,c,d){var e=this;d=void 0===d?!1:d;this.elements.has(a);this.elements.add(a);c=fta(c);a.visualElement=c;var f=g.FE(),h=g.EE();f&&h&&g.my(g.bP)(void 0,f,h,c);g.bb(b,function(){tSa(e,a)}); +d&&this.u.add(a)}; +g.k.Zf=function(a,b,c){var d=this;c=void 0===c?!1:c;this.elements.has(a);this.elements.add(a);g.bb(b,function(){tSa(d,a)}); +c&&this.u.add(a)}; +g.k.fL=function(a,b){this.clientPlaybackNonce!==b&&(this.clientPlaybackNonce=b,pP().wk(a),uSa(this))}; +g.k.og=function(a,b){this.elements.has(a);b&&(a.visualElement=g.BE(b))}; +g.k.Dk=function(a){return this.elements.has(a)};vSa.prototype.setPlaybackRate=function(a){this.playbackRate=Math.max(1,a)}; +vSa.prototype.getPlaybackRate=function(){return this.playbackRate};zSa.prototype.seek=function(a,b){a!==this.j&&(this.seekCount=0);this.j=a;var c=this.videoTrack.u,d=this.audioTrack.u,e=this.audioTrack.Vb,f=CSa(this,this.videoTrack,a,this.videoTrack.Vb,b);b=CSa(this,this.audioTrack,this.policy.uf?a:f,e,b);a=Math.max(a,f,b);this.C=!0;this.Sa.isManifestless&&(ASa(this.videoTrack,c),ASa(this.audioTrack,d));return a}; +zSa.prototype.hh=function(){return this.C}; +var BSa=2/24;HSa.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.M)()};g.w(JSa,g.dE);g.k=JSa.prototype; +g.k.VN=function(a,b,c,d){if(this.C&&d){d=[];var e=[],f=[],h=void 0,l=0;b&&(d=b.j,e=b.u,f=b.C,h=b.B,l=b.YA);this.C.fO(a.Ma,a.startTime,this.u,d,e,f,c,l,h)}if(c){if(b&&!this.ya.has(a.Ma)){c=a.startTime;d=[];for(e=0;ethis.policy.ya&&(null==(c=this.j)?0:KH(c.info))&&(null==(d=this.nextVideo)||!KH(d.info))&&(this.T=!0)}};$Sa.prototype.Vq=function(a){this.timestampOffset=a};lTa.prototype.dispose=function(){this.oa=!0}; +lTa.prototype.isDisposed=function(){return this.oa}; +g.w(xX,Error);ATa.prototype.skip=function(a){this.offset+=a}; +ATa.prototype.Yp=function(){return this.offset};g.k=ETa.prototype;g.k.bU=function(){return this.u}; +g.k.vk=function(){this.u=[];BX(this);DTa(this)}; +g.k.lw=function(a){this.Qa=this.u.shift().info;a.info.equals(this.Qa)}; +g.k.Om=function(){return g.Yl(this.u,function(a){return a.info})}; +g.k.Ek=function(){return!!this.I.info.audio}; +g.k.getDuration=function(){return this.I.index.ys()};var WTa=0;g.k=EX.prototype;g.k.gs=function(){this.oa||(this.oa=this.callbacks.gs?this.callbacks.gs():1);return this.oa}; +g.k.wG=function(){return this.Hk?1!==this.gs():!1}; +g.k.Mv=function(){this.Qa=this.now();this.callbacks.Mv()}; +g.k.nt=function(a,b){$Ta(this,a,b);50>a-this.C&&HX(this)||aUa(this,a,b);this.callbacks.nt(a,b)}; +g.k.Jq=function(){this.callbacks.Jq()}; +g.k.qv=function(){return this.u>this.kH&&cUa(this,this.u)}; +g.k.now=function(){return(0,g.M)()};KX.prototype.feed=function(a){MF(this.j,a);this.gf()}; +KX.prototype.gf=function(){if(this.C){if(!this.j.totalLength)return;var a=this.j.split(this.B-this.u),b=a.oC;a=a.Wk;this.callbacks.aO(this.C,b,this.u,this.B);this.u+=b.totalLength;this.j=a;this.u===this.B&&(this.C=this.B=this.u=void 0)}for(;;){var c=0;a=g.t(jUa(this.j,c));b=a.next().value;c=a.next().value;c=g.t(jUa(this.j,c));a=c.next().value;c=c.next().value;if(0>b||0>a)break;if(!(c+a<=this.j.totalLength)){if(!(this.callbacks.aO&&c+1<=this.j.totalLength))break;c=this.j.split(c).Wk;this.callbacks.aO(b, +c,0,a)&&(this.C=b,this.u=c.totalLength,this.B=a,this.j=new LF([]));break}a=this.j.split(c).Wk.split(a);c=a.Wk;this.callbacks.yz(b,a.oC);this.j=c}}; +KX.prototype.dispose=function(){this.j=new LF};g.k=LX.prototype;g.k.JL=function(){return 0}; +g.k.RF=function(){return null}; +g.k.OT=function(){return null}; +g.k.Os=function(){return 1<=this.state}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.onStateChange=function(){}; +g.k.qc=function(a){var b=this.state;this.state=a;this.onStateChange(b);this.callback&&this.callback(this,b)}; +g.k.qz=function(a){a&&this.state=this.xhr.HEADERS_RECEIVED}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.B}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&!!this.B}; +g.k.nq=function(){return 0this.status&&!!this.u}; +g.k.nq=function(){return!!this.j.totalLength}; +g.k.jw=function(){var a=this.j;this.j=new LF;return a}; +g.k.pH=function(){return this.j}; +g.k.isDisposed=function(){return this.I}; +g.k.abort=function(){this.hp&&this.hp.cancel().catch(function(){}); +this.B&&this.B.abort();this.I=!0}; +g.k.Jt=function(){return!0}; +g.k.GH=function(){return this.J}; +g.k.zf=function(){return this.errorMessage};g.k=qUa.prototype;g.k.onDone=function(){if(!this.isDisposed){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.j=!0;this.callbacks.Jq()}}; +g.k.wz=function(){2===this.xhr.readyState&&this.callbacks.Mv()}; +g.k.Ie=function(a){this.isDisposed||(this.status=this.xhr.status,this.j||(this.u=a.loaded),this.callbacks.nt((0,g.M)(),a.loaded))}; +g.k.Zu=function(){return 2<=this.xhr.readyState}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.DD(Error("Could not read XHR header "+a)),""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.u}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&this.j&&!!this.u}; +g.k.nq=function(){return this.j&&!!this.response&&!!this.response.byteLength}; +g.k.jw=function(){var a=this.response;this.response=void 0;return new LF([new Uint8Array(a)])}; +g.k.pH=function(){return new LF([new Uint8Array(this.response)])}; +g.k.abort=function(){this.isDisposed=!0;this.xhr.abort()}; +g.k.Jt=function(){return!1}; +g.k.GH=function(){return!1}; +g.k.zf=function(){return""};g.w(MX,g.C);g.k=MX.prototype;g.k.G8=function(){if(!this.isDisposed()&&!this.D){var a=(0,g.M)(),b=!1;HX(this.timing)?(a=this.timing.ea,YTa(this.timing),this.timing.ea-a>=.8*this.policy.Nd?(this.u++,b=this.u>=this.policy.wm):this.u=0):(b=this.timing,b.Hk&&iUa(b,b.now()),a-=b.T,this.policy.zm&&01E3*b);0this.state)return!1;if(this.Zd&&this.Zd.Le.length)return!0;var a;return(null==(a=this.xhr)?0:a.nq())?!0:!1}; +g.k.Rv=function(){this.Sm(!1);return this.Zd?this.Zd.Rv():[]}; +g.k.Sm=function(a){try{if(a||this.xhr.Zu()&&this.xhr.nq()&&!yUa(this)&&!this.Bz){if(!this.Zd){var b;this.xhr.Jt()||this.uj?b=this.info.C:b=this.xhr.Kl();this.Zd=new fW(this.policy,this.info.gb,b)}this.xhr.nq()&&(this.uj?this.uj.feed(this.xhr.jw()):gW(this.Zd,this.xhr.jw(),a&&!this.xhr.nq()))}}catch(c){this.uj?xUa(this,c):g.DD(c)}}; +g.k.yz=function(a,b){switch(a){case 21:a=b.split(1).Wk;gW(this.Zd,a,!1);break;case 22:this.xY=!0;gW(this.Zd,new LF([]),!0);break;case 43:if(a=nL(new hL(b),1))this.info.Bk(this.Me,a),this.yY=!0;break;case 45:this.policy.Rk&&(b=KLa(new hL(b)),a=b.XH,b=b.YH,a&&b&&(this.FK=a/b))}}; +g.k.aO=function(a,b,c){if(21!==a)return!1;if(!c){if(1===b.totalLength)return!0;b=b.split(1).Wk}gW(this.Zd,b,!1);return!0}; +g.k.Kl=function(){return this.xhr.Kl()}; +g.k.JL=function(){return this.Wx}; +g.k.gs=function(){return this.wG()?2:1}; +g.k.wG=function(){if(!this.policy.I.dk||!isNaN(this.info.Tg)&&0this.info.gb[0].Ma?!1:!0}; +g.k.bM=function(){return+this.xhr.getResponseHeader("X-Segment-Lmt")||0}; +g.k.RF=function(){this.xhr&&(this.Po=Number(this.xhr.getResponseHeader("X-Head-Seqnum")));return this.Po}; +g.k.OT=function(){this.xhr&&(this.kq=Number(this.xhr.getResponseHeader("X-Head-Time-Millis")));return this.kq}; +g.k.Ye=function(){return this.Bd.Ye()};g.w(bX,LX);g.k=bX.prototype;g.k.onStateChange=function(){this.isDisposed()&&(jW(this.eg,this.formatId),this.j.dispose())}; +g.k.Vp=function(){var a=HQa(this.eg,this.formatId),b;var c=(null==(b=this.eg.Xc.get(this.formatId))?void 0:b.bytesReceived)||0;var d;b=(null==(d=this.eg.Xc.get(this.formatId))?void 0:d.Qx)||0;return{expected:a,received:c,bytesShifted:b,sliceLength:IQa(this.eg,this.formatId),isEnded:this.eg.Qh(this.formatId)}}; +g.k.JT=function(){return 0}; +g.k.qv=function(){return!0}; +g.k.Vj=function(){return this.eg.Vj(this.formatId)}; +g.k.Rv=function(){return[]}; +g.k.Nk=function(){return this.eg.Nk(this.formatId)}; +g.k.Ye=function(){return this.lastError}; +g.k.As=function(){return 0};g.k=zUa.prototype;g.k.lw=function(a){this.C.lw(a);var b;null!=(b=this.T)&&(b.j=fTa(b,b.ze,b.Az,b.j,a));this.dc=Math.max(this.dc,a.info.j.info.dc||0)}; +g.k.getDuration=function(){return this.j.index.ys()}; +g.k.vk=function(){dX(this);this.C.vk()}; +g.k.VL=function(){return this.C}; +g.k.isRequestPending=function(a){return this.B.length?a===this.B[this.B.length-1].info.gb[0].Ma:!1}; +g.k.Vq=function(a){var b;null==(b=this.T)||b.Vq(a)};g.w($X,g.C); +$X.prototype.Fs=function(a){var b=a.info.gb[0].j,c=a.Ye();if(GF(b.u.j)){var d=g.hg(a.zf(),3);this.Fa.xa("dldbrerr",{em:d||"none"})}d=a.info.gb[0].Ma;var e=LSa(this.j,a.info.gb[0].C,d);"net.badstatus"===c&&(this.I+=1);if(a.canRetry()){if(!(3<=a.info.j.u&&this.u&&a.info.Im()&&"net.badstatus"===a.Ye()&&this.u.Fs(e,d))){d=(b.info.video&&1b.SG||0b.tN)){this.Bd.iE(!1);this.NO=(0,g.M)();var c;null==(c=this.ID)||c.stop()}}}; +g.k.eD=function(a){this.callbacks.eD(a)}; +g.k.dO=function(a){this.yX=!0;this.info.j.Bk(this.Me,a.redirectUrl)}; +g.k.hD=function(a){this.callbacks.hD(a)}; +g.k.ZC=function(a){if(this.policy.C){var b=a.videoId,c=a.formatId,d=iVa({videoId:b,itag:c.itag,jj:c.jj,xtags:c.xtags}),e=a.mimeType||"",f,h,l=new TG((null==(f=a.LU)?void 0:f.first)||0,(null==(h=a.LU)?void 0:h.eV)||0),m,n;f=new TG((null==(m=a.indexRange)?void 0:m.first)||0,(null==(n=a.indexRange)?void 0:n.eV)||0);this.Sa.I.get(d)||(a=this.Sa,d=a.j[c.itag],c=JI({lmt:""+c.jj,itag:""+c.itag,xtags:c.xtags,type:e},null),EI(a,new BH(d.T,c,l,f),b));this.policy.C&&this.callbacks.ZC(b)}}; +g.k.fD=function(a){a.XH&&a.YH&&this.callbacks.fD(a)}; +g.k.canRetry=function(){this.isDisposed();return this.Bd.canRetry(!1)}; +g.k.dispose=function(){if(!this.isDisposed()){g.C.prototype.dispose.call(this);this.Bd.dispose();var a;null==(a=this.ID)||a.dispose();this.qc(-1)}}; +g.k.qc=function(a){this.state=a;qY(this.callbacks,this)}; +g.k.uv=function(){return this.info.uv()}; +g.k.Kv=function(a,b,c,d){d&&(this.clipId=d);this.eg.Kv(a,b,c,d)}; +g.k.Iq=function(a){this.eg.Iq(a);qY(this.callbacks,this)}; +g.k.Vj=function(a){return this.eg.Vj(a)}; +g.k.Om=function(a){return this.eg.Om(a)}; +g.k.Nk=function(a){return this.eg.Nk(a)}; +g.k.Up=function(){return this.eg.Up()}; +g.k.gs=function(){return 1}; +g.k.aG=function(){return this.Dh.requestNumber}; +g.k.hs=function(){return this.clipId}; +g.k.UV=function(){this.WA()}; +g.k.WA=function(){var a;null==(a=this.xhr)||a.abort();IX(this.Dh)}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.YU=function(){return 3===this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.ZU=function(){return 4===this.state}; +g.k.Os=function(){return 1<=this.state}; +g.k.As=function(){return this.Bd.As()}; +g.k.IT=function(){return this.info.data.EK}; +g.k.rU=function(){}; +g.k.Ye=function(){return this.Bd.Ye()}; +g.k.Vp=function(){var a=uUa(this.Bd);Object.assign(a,PVa(this.info));a.req="sabr";a.rn=this.aG();var b;if(null==(b=this.xhr)?0:b.status)a.rc=this.policy.Eq?this.xhr.status:this.xhr.status.toString();var c;(b=null==(c=this.xhr)?void 0:c.zf())&&(a.msg=b);this.NO&&(c=OVa(this,this.NO-this.Dh.j),a.letm=c.u4,a.mrbps=c.SG,a.mram=c.tN);return a};gY.prototype.uv=function(){return 1===this.requestType}; +gY.prototype.ML=function(){var a;return(null==(a=this.callbacks)?void 0:a.ML())||0};g.w(hY,g.C);hY.prototype.encrypt=function(a){(0,g.M)();if(this.u)var b=this.u;else this.B?(b=new QJ(this.B,this.j.j),g.E(this,b),this.u=b):this.u=new PJ(this.j.j),b=this.u;return b.encrypt(a,this.iv)}; +hY.prototype.decrypt=function(a,b){(0,g.M)();return(new PJ(this.j.j)).decrypt(a,b)};bWa.prototype.decrypt=function(a){var b=this,c,d,e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(b.j.length&&!b.j[0].isEncrypted)return m.return();b.u=!0;b.Mk.Vc("omd_s");c=new Uint8Array(16);HJ()?d=new OJ(a):e=new PJ(a);case 2:if(!b.j.length||!b.j[0].isEncrypted){m.Ka(3);break}f=b.j.shift();if(!d){h=e.decrypt(QF(f.buffer),c);m.Ka(4);break}return g.y(m,d.decrypt(QF(f.buffer),c),5);case 5:h=m.u;case 4:l=h;for(var n=0;nc&&d.u.pop();EUa(b);b.u&&cf||f!==h)&&b.xa("sbu_mismatch",{b:jI(e),c:b.currentTime,s:dH(d)})},0))}this.gf()}; +g.k.v5=function(a){if(this.Wa){var b=RX(a===this.Wa.j?this.audioTrack:this.videoTrack);if(a=a.ZL())for(var c=0;c=c||cthis.B&&(this.B=c,g.hd(this.j)||(this.j={},this.C.stop(),this.u.stop())),this.j[b]=a,g.Jp(this.u))}}; +AY.prototype.D=function(){for(var a=g.t(Object.keys(this.j)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.ma;for(var d=this.B,e=this.j[c].match(Si),f=[],h=g.t(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+g.Ke(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}}c=!1}c?(c=a.j,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30))):c=0;this.ma("log_qoe",{wvagt:"delay."+c,cpi:a.cryptoPeriodIndex,reqlen:this.j.length}); +0>=c?nXa(this,a):(this.j.push({time:b+c,info:a}),g.Jp(this.u,c))}}; +BY.prototype.qa=function(){this.j=[];zY.prototype.qa.call(this)};var q4={},uXa=(q4.DRM_TRACK_TYPE_AUDIO="AUDIO",q4.DRM_TRACK_TYPE_SD="SD",q4.DRM_TRACK_TYPE_HD="HD",q4.DRM_TRACK_TYPE_UHD1="UHD1",q4);g.w(rXa,g.C);rXa.prototype.RD=function(a,b){this.onSuccess=a;this.onError=b};g.w(wXa,g.dE);g.k=wXa.prototype;g.k.ep=function(a){var b=this;this.isDisposed()||0>=a.size||(a.forEach(function(c,d){var e=aJ(b.u)?d:c;d=new Uint8Array(aJ(b.u)?c:d);aJ(b.u)&&MXa(d);c=g.gg(d,4);MXa(d);d=g.gg(d,4);b.j[c]?b.j[c].status=e:b.j[d]?b.j[d].status=e:b.j[c]={type:"",status:e}}),HXa(this,","),CY(this,{onkeystatuschange:1}),this.status="kc",this.ma("keystatuseschange",this))}; +g.k.error=function(a,b,c,d){this.isDisposed()||(this.ma("licenseerror",a,b,c,d),"drm.provision"===a&&(a=(Date.now()-this.I)/1E3,this.I=NaN,this.ma("ctmp","provf",{et:a.toFixed(3)})));QK(b)&&this.dispose()}; +g.k.shouldRetry=function(a,b){return this.Ga&&this.J?!1:!a&&this.requestNumber===b.requestNumber}; +g.k.qa=function(){this.j={};g.dE.prototype.qa.call(this)}; +g.k.lc=function(){var a={ctype:this.ea.contentType||"",length:this.ea.initData.length,requestedKeyIds:this.Aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.B&&(a.keyStatuses=this.j);return a}; +g.k.rh=function(){var a=this.C.join();if(DY(this)){var b=new Set,c;for(c in this.j)"usable"!==this.j[c].status&&b.add(this.j[c].type);a+="/UKS."+Array.from(b)}return a+="/"+this.cryptoPeriodIndex}; +g.k.Ze=function(){return this.url};g.w(EY,g.C);g.k=EY.prototype;g.k.RD=function(a,b,c,d){this.D=a;this.B=b;this.I=c;this.J=d}; +g.k.K0=function(a){if(this.D){var b=a.messageType||"license-request";this.D(new Uint8Array(a.message),b)}}; +g.k.ep=function(){this.J&&this.J(this.j.keyStatuses)}; +g.k.vW=function(a){this.D&&this.D(a.message,"license-request")}; +g.k.uW=function(a){if(this.B){if(this.u){var b=this.u.error.code;a=this.u.error.systemCode}else b=a.errorCode,a=a.systemCode;this.B("t.prefixedKeyError;c."+b+";sc."+a,b,a)}}; +g.k.tW=function(){this.I&&this.I()}; +g.k.update=function(a){var b=this;if(this.j)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emeupd",this.j.update).call(this.j,a):this.j.update(a)).then(null,XI(function(c){OXa(b,"t.update",c)})); +this.u?this.u.update(a):this.element.addKey?this.element.addKey(this.T.keySystem,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.T.keySystem,a,this.initData,this.sessionId);return Oy()}; +g.k.qa=function(){this.j&&this.j.close();this.element=null;g.C.prototype.qa.call(this)};g.w(FY,g.C);g.k=FY.prototype;g.k.attach=function(){var a=this;if(this.j.keySystemAccess)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emenew",this.j.keySystemAccess.createMediaKeys).call(this.j.keySystemAccess):this.j.keySystemAccess.createMediaKeys()).then(function(b){a.isDisposed()||(a.u=b,qJ.isActive()&&qJ.ww()?qJ.Dw("emeset",a.element.setMediaKeys).call(a.element,b):a.element.setMediaKeys(b))}); +$I(this.j)?this.B=new (ZI())(this.j.keySystem):bJ(this.j)?(this.B=new (ZI())(this.j.keySystem),this.element.webkitSetMediaKeys(this.B)):(Kz(this.D,this.element,["keymessage","webkitkeymessage"],this.N0),Kz(this.D,this.element,["keyerror","webkitkeyerror"],this.M0),Kz(this.D,this.element,["keyadded","webkitkeyadded"],this.L0));return null}; +g.k.setServerCertificate=function(){return this.u.setServerCertificate?"widevine"===this.j.flavor&&this.j.rl?this.u.setServerCertificate(this.j.rl):dJ(this.j)&&this.j.Ya?this.u.setServerCertificate(this.j.Ya):null:null}; +g.k.createSession=function(a,b){var c=a.initData;if(this.j.keySystemAccess){b&&b("createsession");var d=this.u.createSession();cJ(this.j)?c=PXa(c,this.j.Ya):dJ(this.j)&&(c=mXa(c)||new Uint8Array(0));b&&b("genreq");a=qJ.isActive()&&qJ.ww()?qJ.Dw("emegen",d.generateRequest).call(d,a.contentType,c):d.generateRequest(a.contentType,c);var e=new EY(null,null,null,d,null);a.then(function(){b&&b("genreqsuccess")},XI(function(f){OXa(e,"t.generateRequest",f)})); +return e}if($I(this.j))return RXa(this,c);if(bJ(this.j))return QXa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.j.keySystem,c):this.element.webkitGenerateKeyRequest(this.j.keySystem,c);return this.C=new EY(this.element,this.j,c,null,null)}; +g.k.N0=function(a){var b=SXa(this,a);b&&b.vW(a)}; +g.k.M0=function(a){var b=SXa(this,a);b&&b.uW(a)}; +g.k.L0=function(a){var b=SXa(this,a);b&&b.tW(a)}; +g.k.getMetrics=function(){if(this.u&&this.u.getMetrics)try{var a=this.u.getMetrics()}catch(b){}return a}; +g.k.qa=function(){this.B=this.u=null;var a;null==(a=this.C)||a.dispose();a=g.t(Object.values(this.I));for(var b=a.next();!b.done;b=a.next())b.value.dispose();this.I={};g.C.prototype.qa.call(this);delete this.element};g.k=GY.prototype;g.k.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; +g.k.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; +g.k.Ef=function(){this.keys=[];this.values=[]}; +g.k.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; +g.k.findIndex=function(a){return g.ob(this.keys,function(b){return g.Mb(a,b)})};g.w(VXa,g.dE);g.k=VXa.prototype;g.k.Y5=function(a){this.Ri({onecpt:1});a.initData&&YXa(this,new Uint8Array(a.initData),a.initDataType)}; +g.k.v6=function(a){this.Ri({onndky:1});YXa(this,a.initData,a.contentType)}; +g.k.vz=function(a){this.Ri({onneedkeyinfo:1});this.Y.K("html5_eme_loader_sync")&&(this.J.get(a.initData)||this.J.set(a.initData,a));XXa(this,a)}; +g.k.wS=function(a){this.B.push(a);HY(this)}; +g.k.createSession=function(a){var b=$Xa(this)?yTa(a):g.gg(a.initData);this.u.get(b);this.ya=!0;a=new wXa(this.videoData,this.Y,a,this.drmSessionId);this.u.set(b,a);a.subscribe("ctmp",this.XV,this);a.subscribe("keystatuseschange",this.ep,this);a.subscribe("licenseerror",this.bH,this);a.subscribe("newlicense",this.pW,this);a.subscribe("newsession",this.qW,this);a.subscribe("sessionready",this.EW,this);a.subscribe("fairplay_next_need_key_info",this.hW,this);this.Y.K("html5_enable_vp9_fairplay")&&a.subscribe("qualitychange", +this.bQ,this);zXa(a,this.C)}; +g.k.pW=function(a){this.isDisposed()||(this.Ri({onnelcswhb:1}),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.ma("heartbeatparams",a)))}; +g.k.qW=function(){this.isDisposed()||(this.Ri({newlcssn:1}),this.B.shift(),this.ya=!1,HY(this))}; +g.k.EW=function(){if($I(this.j)&&(this.Ri({onsnrdy:1}),this.Ja--,0===this.Ja)){var a=this.Z;a.element.msSetMediaKeys(a.B)}}; +g.k.ep=function(a){if(!this.isDisposed()){!this.Ga&&this.videoData.K("html5_log_drm_metrics_on_key_statuses")&&(aYa(this),this.Ga=!0);this.Ri({onksch:1});var b=this.bQ;if(!DY(a)&&g.oB&&"com.microsoft.playready"===a.u.keySystem&&navigator.requestMediaKeySystemAccess)var c="large";else{c=[];var d=!0;if(DY(a))for(var e=g.t(Object.keys(a.j)),f=e.next();!f.done;f=e.next())f=f.value,"usable"===a.j[f].status&&c.push(a.j[f].type),"unknown"!==a.j[f].status&&(d=!1);if(!DY(a)||d)c=a.C;c=GXa(c)}b.call(this,c); +this.ma("keystatuseschange",a)}}; +g.k.XV=function(a,b){this.isDisposed()||this.ma("ctmp",a,b)}; +g.k.hW=function(a,b){this.isDisposed()||this.ma("fairplay_next_need_key_info",a,b)}; +g.k.bH=function(a,b,c,d){this.isDisposed()||(this.videoData.K("html5_log_drm_metrics_on_error")&&aYa(this),this.ma("licenseerror",a,b,c,d))}; +g.k.Su=function(){return this.T}; +g.k.bQ=function(a){var b=g.kF("auto",a,!1,"l");if(this.videoData.hm){if(this.T.equals(b))return}else if(Jta(this.T,a))return;this.T=b;this.ma("qualitychange");this.Ri({updtlq:a})}; +g.k.qa=function(){this.j.keySystemAccess&&this.element&&this.element.setMediaKeys(null);this.element=null;this.B=[];for(var a=g.t(this.u.values()),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.XV,this),b.unsubscribe("keystatuseschange",this.ep,this),b.unsubscribe("licenseerror",this.bH,this),b.unsubscribe("newlicense",this.pW,this),b.unsubscribe("newsession",this.qW,this),b.unsubscribe("sessionready",this.EW,this),b.unsubscribe("fairplay_next_need_key_info",this.hW,this),this.Y.K("html5_enable_vp9_fairplay")&& +b.unsubscribe("qualitychange",this.bQ,this),b.dispose();this.u.clear();this.I.Ef();this.J.Ef();this.heartbeatParams=null;g.dE.prototype.qa.call(this)}; +g.k.lc=function(){for(var a={systemInfo:this.j.lc(),sessions:[]},b=g.t(this.u.values()),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.lc());return a}; +g.k.rh=function(){return 0>=this.u.size?"no session":""+this.u.values().next().value.rh()+(this.D?"/KR":"")}; +g.k.Ri=function(a,b){b=void 0===b?!1:b;this.isDisposed()||(OK(a),(this.Y.Rd()||b)&&this.ma("ctmp","drmlog",a))};g.w(JY,g.C);JY.prototype.yG=function(){return this.B}; +JY.prototype.handleError=function(a){var b=this;fYa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!eYa(this,a.errorCode,a.details))&&!jYa(this,a)){if(this.J&&"yt"!==this.j.Ja&&hYa(this,a)&&this.videoData.jo&&(0,g.M)()/1E3>this.videoData.jo&&"hm"===this.j.Ja){var c=Object.assign({e:a.errorCode},a.details);c.stalesigexp="1";c.expire=this.videoData.jo;c.init=this.videoData.uY/1E3;c.now=(0,g.M)()/1E3;c.systelapsed=((0,g.M)()-this.videoData.uY)/ +1E3;a=new PK(a.errorCode,c,2);this.va.Ng(a.errorCode,2,"SIGNATURE_EXPIRED",OK(a.details))}if(QK(a.severity)){var d;c=null==(d=this.va.Fa)?void 0:d.ue.B;if(this.j.K("html5_use_network_error_code_enums"))if(gYa(a)&&c&&c.isLocked())var e="FORMAT_UNAVAILABLE";else{if(!this.j.J&&"auth"===a.errorCode&&429===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}}else gYa(a)&&c&&c.isLocked()?e="FORMAT_UNAVAILABLE":this.j.J||"auth"!==a.errorCode||"429"!==a.details.rc||(e="TOO_MANY_REQUESTS",f="6");this.va.Ng(a.errorCode, +a.severity,e,OK(a.details),f)}else this.va.ma("nonfatalerror",a),d=/^pp/.test(this.videoData.clientPlaybackNonce),this.Kd(a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(a="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+"&t="+(0,g.M)(),$V(a,"manifest",function(h){b.I=!0;b.xa("pathprobe",h)},function(h){b.Kd(h.errorCode,h.details)}))}}; +JY.prototype.xa=function(a,b){this.va.zc.xa(a,b)}; +JY.prototype.Kd=function(a,b){b=OK(b);this.va.zc.Kd(a,b)};mYa.prototype.K=function(a){return this.Y.K(a)};g.w(LY,g.C);LY.prototype.yd=function(a){EYa(this);this.playerState=a.state;0<=this.u&&g.YN(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; +LY.prototype.onError=function(a){if("player.fatalexception"!==a||this.provider.K("html5_exception_to_health"))a.match(edb)?this.networkErrorCount++:this.nonNetworkErrorCount++}; +LY.prototype.send=function(){if(!(this.B||0>this.j)){EYa(this);var a=g.uW(this.provider)-this.j,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.S(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.S(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.S(this.playerState,16)||g.S(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.S(this.playerState,1)&& +g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.S(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.S(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");c=$_a[CM(this.provider.videoData)];a:switch(this.provider.Y.playerCanaryState){case "canary":var d="HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";break a;case "holdback":d="HTML5_PLAYER_CANARY_TYPE_CONTROL";break a;default:d="HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}var e= +0>this.u?a:this.u-this.j;a=this.provider.Y.Jf+36E5<(0,g.M)();b={started:0<=this.u,stateAtSend:b,joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.AM(this.provider.videoData),isGapless:this.provider.videoData.fb,isServerStitchedDai:this.provider.videoData.enableServerStitchedDai}; +a||g.rA("html5PlayerHealthEvent",b);this.B=!0;this.dispose()}}; +LY.prototype.qa=function(){this.B||this.send();g.C.prototype.qa.call(this)}; +var edb=/\bnet\b/;var HYa=window;var FYa=/[?&]cpn=/;g.w(g.NY,g.C);g.k=g.NY.prototype;g.k.K3=function(){var a=g.uW(this.provider);LYa(this,a)}; +g.k.VB=function(){return this.ya}; +g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.isDisposed()&&(a=0<=a?a:g.uW(this.provider),-1<["PL","B","S"].indexOf(this.Te)&&(!g.hd(this.j)||a>=this.C+30)&&(g.MY(this,a,"vps",[this.Te]),this.C=a),!g.hd(this.j))){7E3===this.sequenceNumber&&g.DD(Error("Sent over 7000 pings"));if(!(7E3<=this.sequenceNumber)){OYa(this,a);var b=a,c=this.provider.va.hC(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Pb,h=e&&!this.jc;d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.va.YC(),this.j.qoealert=["1"],this.Ya=!0)),"B"!==a||"PL"!==this.Te&&"PB"!==this.Te||(this.Z=!0),this.C=c),"PL"===this.Te&&("B"===a||"S"===a)||this.provider.Y.Rd()?OYa(this,c):(this.fb||"PL"!==a||(this.fb= +!0,NYa(this,c,this.provider.va.eC())),LYa(this,c)),"PL"===a&&g.Jp(this.Oc),g.MY(this,c,"vps",[a]),this.Te=a,this.C=this.ib=c,this.D=!0);a=b.getData();g.S(b,128)&&a&&(a.EH=a.EH||"",SYa(this,c,a.errorCode,a.AF,a.EH));(g.S(b,2)||g.S(b,128))&&this.reportStats(c);b.bd()&&!this.I&&(0<=this.u&&(this.j.user_intent=[this.u.toString()]),this.I=!0);QYa(this)}; +g.k.iD=function(a){var b=g.uW(this.provider);g.MY(this,b,"vfs",[a.j.id,a.u,this.uc,a.reason]);this.uc=a.j.id;var c=this.provider.va.getPlayerSize();if(0b-this.Wo+2||aZa(this,a,b))){c=this.provider.va.getVolume();var d=c!==this.ea,e=this.provider.va.isMuted()?1:0;e!==this.T?(this.T=e,c=!0):(!d||0<=this.C||(this.ea=c,this.C=b),c=b-this.C,0<=this.C&&2=this.provider.videoData.Pb;a&&(this.u&&this.provider.videoData.Pb&&(a=UY(this,"delayplay"),a.vf=!0,a.send(),this.oa=!0),jZa(this))}; +g.k.yd=function(a){if(!this.isDisposed())if(g.S(a.state,2)||g.S(a.state,512))this.I="paused",(g.YN(a,2)||g.YN(a,512))&&this.u&&(XY(this),YY(this).send(),this.D=NaN);else if(g.S(a.state,8)){this.I="playing";var b=this.u&&isNaN(this.C)?VY(this):NaN;!isNaN(b)&&(0>XN(a,64)||0>XN(a,512))&&(a=oZa(this,!1),a.D=b,a.send())}else this.I="paused"}; +g.k.qa=function(){g.C.prototype.qa.call(this);XY(this);ZYa(this.j)}; +g.k.lc=function(){return dZa(UY(this,"playback"))}; +g.k.kA=function(){this.provider.videoData.ea.eventLabel=PM(this.provider.videoData);this.provider.videoData.ea.playerStyle=this.provider.Y.playerStyle;this.provider.videoData.Ui&&(this.provider.videoData.ea.feature="pyv");this.provider.videoData.ea.vid=this.provider.videoData.videoId;var a=this.provider.videoData.ea;var b=this.provider.videoData;b=b.isAd()||!!b.Ui;a.isAd=b}; +g.k.Gj=function(a){var b=UY(this,"engage");b.T=a;return eZa(b,tZa(this.provider))};rZa.prototype.Bf=function(){return this.endTime===this.startTime};sZa.prototype.K=function(a){return this.Y.K(a)}; +var uZa={other:1,none:2,wifi:3,cellular:7};g.w(g.ZY,g.C);g.k=g.ZY.prototype;g.k.yd=function(a){if(g.YN(a,1024)||g.YN(a,512)||g.YN(a,4)){var b=this.B;0<=b.u||(b.j=-1,b.delay.stop());this.qoe&&(b=this.qoe,b.I||(b.u=-1))}if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var c;null==(c=this.u.get(this.Ci))||c.yd(a)}else this.j&&this.j.yd(a);this.qoe&&this.qoe.yd(a);this.B.yd(a)}; +g.k.Ie=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.Ie()}else this.j&&this.j.Ie()}; +g.k.Kd=function(a,b){this.qoe&&TYa(this.qoe,a,b);this.B.onError(a)}; +g.k.iD=function(a){this.qoe&&this.qoe.iD(a)}; +g.k.VC=function(a){this.qoe&&this.qoe.VC(a)}; +g.k.onPlaybackRateChange=function(a){if(this.qoe)this.qoe.onPlaybackRateChange(a)}; +g.k.jt=aa(42);g.k.xa=function(a,b,c){this.qoe&&this.qoe.xa(a,b,c)}; +g.k.CD=function(a,b,c){this.qoe&&this.qoe.CD(a,b,c)}; +g.k.Hz=function(a,b,c){this.qoe&&this.qoe.Hz(a,b,c)}; +g.k.vn=aa(15);g.k.VB=function(){if(this.qoe)return this.qoe.VB()}; +g.k.lc=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.lc()}else if(this.j)return this.j.lc();return{}}; +g.k.Gj=function(a){return this.j?this.j.Gj(a):function(){}}; +g.k.kA=function(){this.j&&this.j.kA()};g.w($Y,g.C);g.k=$Y.prototype;g.k.ye=function(a,b){this.On();b&&2E3<=this.j.array.length&&this.CB("captions",1E4);b=this.j;if(1b.array.length)b.array=b.array.concat(a),b.array.sort(b.j);else{a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,!b.array.length||0a&&this.C.start()))}; +g.k.tL=function(a){var b=[];if(!a.length)return b;for(var c=0;ca&&(a=(a-this.u)/this.oa(),this.C.start(a)))}}; +g.k.RU=function(){if(this.started&&!this.isDisposed()){this.C.stop();var a=this.D();g.S(a,32)&&this.Z.start();for(var b=g.S(this.D(),2)?0x8000000000000:1E3*this.T(),c=g.S(a,2),d=[],e=[],f=g.t(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(this.wL(e));f=e=null;c?(a=FZa(this.j,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=GZa(this.j)):a=this.u<=b&&SO(a)?EZa(this.j,this.u,b):FZa(this.j,b); +d=d.concat(this.tL(a));e&&(d=d.concat(this.wL(e)));f&&(d=d.concat(this.tL(f)));this.u=b;JZa(this,d)}}; +g.k.qa=function(){this.B=[];this.j.array=[];g.C.prototype.qa.call(this)}; +g.oW.ev($Y,{ye:"crmacr",tL:"crmncr",wL:"crmxcr",RU:"crmis",Ch:"crmrcr"});g.w(cZ,g.dE);cZ.prototype.uq=function(){return this.J}; +cZ.prototype.Wp=function(){return Math.max(this.T()-QZa(this,!0),this.videoData.Id())};g.w(hZ,g.C);hZ.prototype.yd=function(){g.Jp(this.B)}; +hZ.prototype.gf=function(){var a=this,b=this.va.qe(),c=this.va.getPlayerState();if(b&&!c.isError()){var d=b.getCurrentTime(),e=8===c.state&&d>this.j,f=g.S(c,8)&&g.S(c,16),h=this.va.Es().isBackground()||c.isSuspended();iZ(this,this.Ja,f&&!h,e,"qoe.slowseek",function(){},"timeout"); +var l=isFinite(this.j);l=f&&l&&BCa(b,this.j);var m=!d||10d+5,z=q&&n&&x;x=this.va.getVideoData();var B=.002>d&&.002>this.j,F=0<=v,G=1===b.xj();iZ(this,this.ya,B&&f&&g.QM(x)&&!h,e,"qoe.slowseek",m,"slow_seek_shorts");iZ(this,this.Aa,B&&f&&g.QM(x)&&!h&&G,e,"qoe.slowseek",m,"slow_seek_shorts_vrs");iZ(this,this.oa,B&&f&&g.QM(x)&&!h&&F,e,"qoe.slowseek",m,"slow_seek_shorts_buffer_range");iZ(this,this.I,z&&!h,q&&!n,"qoe.longrebuffer",p,"jiggle_cmt"); +iZ(this,this.J,z&&!h,q&&!n,"qoe.longrebuffer",m,"new_elem_nnr");if(l){var D=l.getCurrentTime();f=b.Vu();f=Bva(f,D);f=!l.hh()&&d===f;iZ(this,this.fb,q&&n&&f&&!h,q&&!n&&!f,"qoe.longrebuffer",function(){b.seekTo(D)},"seek_to_loader")}f={}; +p=kI(r,Math.max(d-3.5,0));z=0<=p&&d>r.end(p)-1.1;B=0<=p&&p+1B;f.close2edge=z;f.gapsize=B;f.buflen=r.length;iZ(this,this.T,q&&n&&!h,q&&!n,"qoe.longrebuffer",function(){},"timeout",f); +r=c.isSuspended();r=g.rb(this.va.zn,"ad")&&!r;iZ(this,this.D,r,!r,"qoe.start15s",function(){a.va.jg("ad")},"ads_preroll_timeout"); +r=.5>d-this.C;v=x.isAd()&&q&&!n&&r;q=function(){var L=a.va,P=L.Nf.Rc();(!P||!L.videoData.isAd()||P.getVideoData().Nc!==L.getVideoData().Nc)&&L.videoData.mf||L.Ng("ad.rebuftimeout",2,"RETRYABLE_ERROR","skipslad.vid."+L.videoData.videoId)}; +iZ(this,this.Qa,v,!v,"ad.rebuftimeout",q,"skip_slow_ad");n=x.isAd()&&n&&lI(b.Nh(),d+5)&&r;iZ(this,this.Xa,n,!n,"ad.rebuftimeout",q,"skip_slow_ad_buf");iZ(this,this.Ya,g.RO(c)&&g.S(c,64)&&!h,e,"qoe.start15s",function(){},"timeout"); +iZ(this,this.ea,!!l&&!l.Wa&&g.RO(c),e,"qoe.start15s",m,"newElemMse");this.C=d;this.B.start()}}; +hZ.prototype.Kd=function(a,b,c){b=this.lc(b);b.wn=c;b.wdup=this.u[a]?"1":"0";this.va.Kd(new PK(a,b));this.u[a]=!0}; +hZ.prototype.lc=function(a){a=Object.assign(this.va.lc(!0),a.lc());this.j&&(a.stt=this.j.toFixed(3));delete a.uga;delete a.euri;delete a.referrer;delete a.fexp;delete a.vm;return a}; +fZ.prototype.reset=function(){this.j=this.u=this.B=this.startTimestamp=0;this.C=!1}; +fZ.prototype.lc=function(){var a={},b=(0,g.M)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.u&&(a.wtd=(b-this.u).toFixed());this.j&&(a.wssd=(b-this.j).toFixed());return a};g.w(XZa,g.C);g.k=XZa.prototype;g.k.setMediaElement=function(a){g.Lz(this.Qa);(this.mediaElement=a)?(i_a(this),jZ(this)):kZ(this)}; +g.k.yd=function(a){this.Z.yd(a);this.K("html5_exponential_memory_for_sticky")&&(a.state.bd()?g.Jp(this.oa):this.oa.stop());if(this.mediaElement)if(8===a.Hv.state&&SO(a.state)&&g.TO(a.state)){a=this.mediaElement.getCurrentTime();var b=this.mediaElement.Nh();var c=this.K("manifestless_post_live_ufph")||this.K("manifestless_post_live")?kI(b,Math.max(a-3.5,0)):kI(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.fb-c)||(this.va.xa("seekover",{b:jI(b, +"_"),cmt:a}),this.fb=c,this.seekTo(c,{bv:!0,Je:"seektimeline_postLiveDisc"})))}else(null==(b=a.state)?0:8===b.state)&&this.Y.K("embeds_enable_muted_autoplay")&&!this.Ya&&0=this.pe())||!g.GM(this.videoData))||this.va.xa("seeknotallowed",{st:v,mst:this.pe()});if(!m)return this.B&&(this.B=null,e_a(this)),Qf(this.getCurrentTime());if(.005>Math.abs(a-this.u)&&this.T)return this.D;h&&(v=a,(this.Y.Rd()||this.K("html5_log_seek_reasons"))&& +this.va.xa("seekreason",{reason:h,tgt:v}));this.T&&kZ(this);this.D||(this.D=new aK);a&&!isFinite(a)&&$Za(this,!1);if(h=!c)h=a,h=this.videoData.isLivePlayback&&this.videoData.C&&!this.videoData.C.j&&!(this.mediaElement&&0e.videoData.endSeconds&&isFinite(f)&&J_a(e);fb.start&&J_a(this.va);return this.D}; +g.k.pe=function(a){if(!this.videoData.isLivePlayback)return j0a(this.va);var b;if(aN(this.videoData)&&(null==(b=this.mediaElement)?0:b.Ip())&&this.videoData.j)return a=this.getCurrentTime(),Yza(1E3*this.Pf(a))+a;if(jM(this.videoData)&&this.videoData.rd&&this.videoData.j)return this.videoData.j.pe()+this.timestampOffset;if(this.videoData.C&&this.videoData.C.j){if(!a&&this.j)return this.j.Wp();a=j0a(this.va);this.policy.j&&this.mediaElement&&(a=Math.max(a,DCa(this.mediaElement)));return a+this.timestampOffset}return this.mediaElement? +Zy()?Yza(this.mediaElement.RE().getTime()):GO(this.mediaElement)+this.timestampOffset||this.timestampOffset:this.timestampOffset}; +g.k.Id=function(){var a=this.videoData?this.videoData.Id()+this.timestampOffset:this.timestampOffset;if(aN(this.videoData)&&this.videoData.j){var b,c=Number(null==(b=this.videoData.progressBarStartPosition)?void 0:b.utcTimeMillis)/1E3;b=this.getCurrentTime();b=this.Pf(b)-b;if(!isNaN(c)&&!isNaN(b))return Math.max(a,c-b)}return a}; +g.k.CL=function(){this.D||this.seekTo(this.C,{Je:"seektimeline_forceResumeTime_singleMediaSourceTransition"})}; +g.k.vG=function(){return this.T&&!isFinite(this.u)}; +g.k.qa=function(){a_a(this,null);this.Z.dispose();g.C.prototype.qa.call(this)}; +g.k.lc=function(){var a={};this.Fa&&Object.assign(a,this.Fa.lc());this.mediaElement&&Object.assign(a,this.mediaElement.lc());return a}; +g.k.gO=function(a){this.timestampOffset=a}; +g.k.getStreamTimeOffset=function(){return jM(this.videoData)?0:this.videoData.j?this.videoData.j.getStreamTimeOffset():0}; +g.k.Jd=function(){return this.timestampOffset}; +g.k.Pf=function(a){return this.videoData.j.Pf(a-this.timestampOffset)}; +g.k.Tu=function(){if(!this.mediaElement)return 0;if(HM(this.videoData)){var a=DCa(this.mediaElement)+this.timestampOffset-this.Id(),b=this.pe()-this.Id();return Math.max(0,Math.min(1,a/b))}return this.mediaElement.Tu()}; +g.k.bD=function(a){this.I&&(this.I.j=a.audio.index)}; +g.k.K=function(a){return this.Y&&this.Y.K(a)};lZ.prototype.Os=function(){return this.started}; +lZ.prototype.start=function(){this.started=!0}; +lZ.prototype.reset=function(){this.finished=this.started=!1};var o_a=!1;g.w(g.pZ,g.dE);g.k=g.pZ.prototype;g.k.qa=function(){this.oX();this.BH.stop();window.clearInterval(this.rH);kRa(this.Bg);this.visibility.unsubscribe("visibilitystatechange",this.Bg);xZa(this.zc);g.Za(this.zc);uZ(this);g.Ap.Em(this.Wv);this.rj();this.Df=null;g.Za(this.videoData);g.Za(this.Gl);g.$a(this.a5);this.Pp=null;g.dE.prototype.qa.call(this)}; +g.k.Hz=function(a,b,c,d){this.zc.Hz(a,b,c);this.K("html5_log_media_perf_info")&&this.xa("adloudness",{ld:d.toFixed(3),cpn:a})}; +g.k.KL=function(){var a;return null==(a=this.Fa)?void 0:a.KL()}; +g.k.NL=function(){var a;return null==(a=this.Fa)?void 0:a.NL()}; +g.k.OL=function(){var a;return null==(a=this.Fa)?void 0:a.OL()}; +g.k.LL=function(){var a;return null==(a=this.Fa)?void 0:a.LL()}; +g.k.Pl=function(){return this.videoData.Pl()}; g.k.getVideoData=function(){return this.videoData}; -g.k.T=function(){return this.W}; -g.k.Zc=function(){return this.da}; -g.k.vx=function(){if(this.videoData.Uc()){var a=this.Ac;0=a.start);return a}; -g.k.Tj=function(){return this.Kb.Tj()}; -g.k.Hb=function(){return this.playerState.Hb()}; +g.k.sendAbandonmentPing=function(){g.S(this.getPlayerState(),128)||(this.ma("internalAbandon"),this.aP(!0),xZa(this.zc),g.Za(this.zc),g.Ap.Em(this.Wv));var a;null==(a=this.Y.Rk)||a.flush()}; +g.k.jr=function(){wZa(this.zc)}; +g.k.Ng=function(a,b,c,d,e,f){var h,l;g.ad(Jcb,c)?h=c:c?l=c:h="GENERIC_WITHOUT_LINK";d=(d||"")+(";a6s."+FR());b={errorCode:a,errorDetail:e,errorMessage:l||g.$T[h]||"",uL:h,Gm:f||"",EH:d,AF:b,cpn:this.videoData.clientPlaybackNonce};this.videoData.errorCode=a;tZ(this,"dataloaderror");this.pc(LO(this.playerState,128,b));g.Ap.Em(this.Wv);uZ(this);this.Dn()}; +g.k.jg=function(a){this.zn=this.zn.filter(function(b){return a!==b}); +this.Lq.Os()&&E_a(this)}; +g.k.Mo=function(){var a;(a=!!this.zn.length)||(a=this.Xi.j.array[0],a=!!a&&-0x8000000000000>=a.start);return a}; +g.k.uq=function(){return this.xd.uq()}; +g.k.bd=function(){return this.playerState.bd()}; +g.k.BC=function(){return this.playerState.BC()&&this.videoData.Tn}; g.k.getPlayerState=function(){return this.playerState}; g.k.getPlayerType=function(){return this.playerType}; -g.k.getPreferredQuality=function(){if(this.Id){var a=this.Id;a=a.videoData.yw.compose(a.videoData.bC);a=HC(a)}else a="auto";return a}; -g.k.wq=ba(12);g.k.isGapless=function(){return!!this.da&&this.da.isView()}; -g.k.setMediaElement=function(a){this.ea();if(this.da&&a.Pa()===this.da.Pa()&&(a.isView()||this.da.isView())){if(a.isView()||!this.da.isView())g.ut(this.xp),this.da=a,gAa(this),this.Kb.setMediaElement(this.da),this.Ac.setMediaElement(this.da)}else{this.da&&this.Pf();if(!this.playerState.isError()){var b=DM(this.playerState,512);g.U(b,8)&&!g.U(b,2)&&(b=CM(b,1));a.isView()&&(b=DM(b,64));this.vb(b)}this.da=a;this.da.setLoop(this.loop);this.da.setPlaybackRate(this.playbackRate);gAa(this);this.Kb.setMediaElement(this.da); -this.Ac.setMediaElement(this.da)}}; -g.k.Pf=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.ea();if(this.da){var c=this.getCurrentTime();0c.u.length)c.u=c.u.concat(a),c.u.sort(c.B);else{a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,!c.u.length||0this.da.getCurrentTime()&&this.Ba)return;break;case "resize":oAa(this);this.videoData.Oa&&"auto"===this.videoData.Oa.Ma().quality&&this.V("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.YB&&g.U(this.playerState,8)&&!g.U(this.playerState,1024)&&0===this.getCurrentTime()&&g.Ur){e0(this,"safari_autoplay_disabled");return}}if(this.da&&this.da.We()===b){this.V("videoelementevent",a);b=this.playerState;if(!g.U(b,128)){c=this.Sp; -e=this.da;var f=this.W.experiments;d=b.state;e=e?e:a.target;var h=e.getCurrentTime();if(!g.U(b,64)||"ended"!==a.type&&"pause"!==a.type){var l=e.Yi()||1Math.abs(h-e.getDuration());h="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.U(b,4)&&!g_(c,h);if("pause"===a.type&&e.Yi()||l&&h)0a-this.wu)){var b=this.da.Ze();this.wu=a;b!==this.Ze()&&(a=this.visibility,a.C!==b&&(a.C=b,a.ff()),Z_(this));this.V("airplayactivechange")}}; -g.k.du=function(a){if(this.Ba){var b=this.Ba,c=b.R,d=b.I;c.V("ctmp","sdai","adfetchdone_to_"+a,!1);a||isNaN(c.F)||(a=c.F,zA(c.P,c.D,a,d),zA(c.aa,c.D,a,d),c.V("ctmp","sdai","joinad_rollbk2_seg_"+c.D+"_rbt_"+a.toFixed(3)+"_lt_"+d.toFixed(3),!1));c.B=4;KF(b)}}; -g.k.sc=function(a){var b=this;a=void 0===a?!1:a;if(this.da&&this.videoData){Rya(this.Kb,this.Hb());var c=this.getCurrentTime();this.Ba&&(g.U(this.playerState,4)&&g.eJ(this.videoData)||gia(this.Ba,c));5Math.abs(l-f)?(b.Na("setended","ct."+f+";bh."+h+";dur."+l+";live."+ +m),m&&b.ba("html5_set_ended_in_pfx_live_cfl")||(b.da.sm()?(b.ea(),b.seekTo(0)):sY(b))):(g.IM(b.playerState)||s0(b,"progress_fix"),b.vb(CM(b.playerState,1)))):(l&&!m&&!n&&0m-1&&b.Na("misspg", -"t:"+f.toFixed(2)+";d:"+m.toFixed(2)+";r:"+l.toFixed(2)+";bh:"+h.toFixed(2))),g.U(b.playerState,4)&&g.IM(b.playerState)&&5FK(b,8)||g.GK(b,1024))&&this.Mm.stop();!g.GK(b,8)||this.videoData.Rg||g.U(b.state,1024)||this.Mm.start();g.U(b.state,8)&&0>FK(b,16)&&!g.U(b.state,32)&&!g.U(b.state,2)&&this.playVideo();g.U(b.state,2)&&fJ(this.videoData)&&(this.gi(this.getCurrentTime()),this.sc(!0));g.GK(b,2)&&this.oA(!0);g.GK(b,128)&&this.fi();this.videoData.ra&&this.videoData.isLivePlayback&&!this.iI&&(0>FK(b,8)?(a=this.videoData.ra,a.D&&a.D.stop()):g.GK(b,8)&&this.videoData.ra.resume()); -this.Kb.lc(b);this.Jb.lc(b);if(c&&!this.na())try{for(var e=g.q(this.Iv),f=e.next();!f.done;f=e.next()){var h=f.value;this.Vf.lc(h);this.V("statechange",h)}}finally{this.Iv.length=0}}}; -g.k.fu=function(){this.videoData.isLivePlayback||this.V("connectionissue")}; -g.k.yv=function(a,b,c,d){a:{var e=this.Ac;d=void 0===d?"LICENSE":d;c=c.substr(0,256);if("drm.keyerror"===a&&this.Jc&&1e.C)a="drm.sessionlimitexhausted",b=!1;else if(e.videoData.ba("html5_drm_fallback_to_playready_on_retry")&&"drm.keyerror"===a&&2>e.D&&(e.D++,e.V("removedrmplaybackmanager"),1=e.B.values.length){var f="ns;";e.P||(f+="nr;");e=f+="ql."+e.C.length}else e=jxa(e.B.values[0]);d.drmp=e}g.Ua(c,(null===(a=this.Ba)||void 0===a?void 0:a.sb())||{});g.Ua(c,(null===(b=this.da)||void 0===b?void 0:b.sb())||{})}this.Jb.onError("qoe.start15s",g.vB(c));this.V("loadsofttimeout")}}; -g.k.DQ=function(){g.U(this.playerState,128)||this.mediaSource&&CB(this.mediaSource)||(this.Jb.onError("qoe.restart",g.vB({detail:"bufferattach"})),this.EH++,nY(this))}; -g.k.gi=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,c0(this))}; -g.k.oA=function(a){var b=this;a=void 0===a?!1:a;if(!this.Ln){WE("att_s","player_att")||ZE("att_s","player_att");var c=new ysa(this.videoData,this.ba("web_player_inline_botguard"));if("c1a"in c.u&&!oT(c)&&(ZE("att_wb","player_att"),2===this.Np&&.01>Math.random()&&g.Is(Error("Botguard not available after 2 attempts")),!a&&5>this.Np)){this.fx.Sb();this.Np++;return}if("c1b"in c.u){var d=Cya(this.Jb);d&&Bsa(c).then(function(e){e&&!b.Ln&&d?(ZE("att_f","player_att"),d(e),b.Ln=!0):ZE("att_e","player_att")}, -function(){ZE("att_e","player_att")})}else(a=zsa(c))?(ZE("att_f","player_att"),Bya(this.Jb,a),this.Ln=!0):ZE("att_e","player_att")}}; -g.k.Oc=function(a){return this.Kb.Oc(void 0===a?!1:a)}; -g.k.Kc=function(){return this.Kb.Kc()}; -g.k.yc=function(){return this.Kb?this.Kb.yc():0}; -g.k.getStreamTimeOffset=function(){return this.Kb?this.Kb.getStreamTimeOffset():0}; -g.k.setPlaybackRate=function(a){var b=this.videoData.La&&this.videoData.La.videoInfos&&32this.mediaElement.getCurrentTime()&&this.Fa)return;break;case "resize":i0a(this);this.videoData.u&&"auto"===this.videoData.u.video.quality&&this.ma("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.DS&&g.S(this.playerState,8)&&!g.S(this.playerState,1024)&&0===this.getCurrentTime()&&g.BA){vZ(this,"safari_autoplay_disabled");return}}if(this.mediaElement&&this.mediaElement.Qf()===b){this.ma("videoelementevent",a);b=this.playerState;c=this.videoData.clientPlaybackNonce; +if(!g.S(b,128)){d=this.gB;var e=this.mediaElement,f=this.Y.experiments,h=b.state;e=e?e:a.target;var l=e.getCurrentTime();if(!g.S(b,64)||"ended"!==a.type&&"pause"!==a.type){var m=e.Qh()||1Math.abs(l-e.getDuration()),n="pause"===a.type&&e.Qh();l="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.S(b,4)&&!aZ(d,l);if(n||m&&l)0a-this.AG||(this.AG=a,b!==this.wh()&&(a=this.visibility,a.j!==b&&(a.j=b,a.Bg()),this.xa("airplay",{rbld:b}),KY(this)),this.ma("airplayactivechange"))}; +g.k.kC=function(a){if(this.Fa){var b=this.Fa,c=b.B,d=b.currentTime,e=Date.now()-c.ea;c.ea=NaN;c.xa("sdai",{adfetchdone:a,d:e});a&&!isNaN(c.D)&&3!==c.u&&VWa(c.Fa,d,c.D,c.B);c.J=NaN;iX(c,4,3===c.u?"adfps":"adf");xY(b)}}; +g.k.yc=function(a){var b=this;a=void 0===a?!1:a;if(this.mediaElement&&this.videoData){b_a(this.xd,this.bd());var c=this.getCurrentTime();this.Fa&&(g.S(this.playerState,4)&&g.GM(this.videoData)||iXa(this.Fa,c));5Math.abs(m-h)?(b.xa("setended",{ct:h,bh:l,dur:m,live:n}),b.mediaElement.xs()?b.seekTo(0,{Je:"videoplayer_loop"}):vW(b)):(g.TO(b.playerState)||f0a(b,"progress_fix"),b.pc(MO(b.playerState,1)))):(m&&!n&&!p&&0n-1&&b.xa("misspg",{t:h.toFixed(2),d:n.toFixed(2), +r:m.toFixed(2),bh:l.toFixed(2)})),g.QO(b.playerState)&&g.TO(b.playerState)&&5XN(b,8)||g.YN(b,1024))&&this.Bv.stop();!g.YN(b,8)||this.videoData.kb||g.S(b.state,1024)||this.Bv.start();g.S(b.state,8)&&0>XN(b,16)&&!g.S(b.state,32)&&!g.S(b.state,2)&&this.playVideo();g.S(b.state,2)&&HM(this.videoData)&&(this.Sk(this.getCurrentTime()),this.yc(!0));g.YN(b,2)&&this.aP(!0);g.YN(b,128)&&this.Dn();this.videoData.j&&this.videoData.isLivePlayback&&!this.FY&&(0>XN(b,8)?(a=this.videoData.j,a.C&&a.C.stop()): +g.YN(b,8)&&this.videoData.j.resume());this.xd.yd(b);this.zc.yd(b);if(c&&!this.isDisposed())try{for(var e=g.t(this.uH),f=e.next();!f.done;f=e.next()){var h=f.value;this.Xi.yd(h);this.ma("statechange",h)}}finally{this.uH.length=0}}}; +g.k.YC=function(){this.videoData.isLivePlayback||this.K("html5_disable_connection_issue_event")||this.ma("connectionissue")}; +g.k.cO=function(){this.vb.tick("qoes")}; +g.k.CL=function(){this.xd.CL()}; +g.k.bH=function(a,b,c,d){a:{var e=this.Gl;d=void 0===d?"LICENSE":d;c=c.substr(0,256);var f=QK(b);"drm.keyerror"===a&&this.oe&&1e.D&&(a="drm.sessionlimitexhausted",f=!1);if(f)if(e.videoData.u&&e.videoData.u.video.isHdr())kYa(e,a);else{if(e.va.Ng(a,b,d,c),bYa(e,{detail:c}))break a}else e.Kd(a,{detail:c});"drm.sessionlimitexhausted"===a&&(e.xa("retrydrm",{sessionLimitExhausted:1}),e.D++,e0a(e.va))}}; +g.k.h6=function(){var a=this,b=g.gJ(this.Y.experiments,"html5_license_constraint_delay"),c=hz();b&&c?(b=new g.Ip(function(){wZ(a);tZ(a)},b),g.E(this,b),b.start()):(wZ(this),tZ(this))}; +g.k.aD=function(a){this.ma("heartbeatparams",a)}; +g.k.ep=function(a){this.xa("keystatuses",IXa(a));var b="auto",c=!1;this.videoData.u&&(b=this.videoData.u.video.quality,c=this.videoData.u.video.isHdr());if(this.K("html5_drm_check_all_key_error_states")){var d=JXa(b,c);d=DY(a)?KXa(a,d):a.C.includes(d)}else{a:{b=JXa(b,c);for(d in a.j)if("output-restricted"===a.j[d].status){var e=a.j[d].type;if(""===b||"AUDIO"===e||b===e){d=!0;break a}}d=!1}d=!d}if(this.K("html5_enable_vp9_fairplay")){if(c)if(a.T){var f;if(null==(f=this.oe)?0:dJ(f.j))if(null==(c=this.oe))c= +0;else{b=f=void 0;e=g.t(c.u.values());for(var h=e.next();!h.done;h=e.next())h=h.value,f||(f=LXa(h,"SD")),b||(b=LXa(h,"AUDIO"));c.Ri({sd:f,audio:b});c="output-restricted"===f||"output-restricted"===b}else c=!d;if(c){this.xa("drm",{dshdr:1});kYa(this.Gl);return}}else{this.videoData.WI||(this.videoData.WI=!0,this.xa("drm",{dphdr:1}),IY(this,!0));return}var l;if(null==(l=this.oe)?0:dJ(l.j))return}else if(l=a.T&&d,c&&!l){kYa(this.Gl);return}d||KXa(a,"AUDIO")&&KXa(a,"SD")||(a=IXa(a),this.UO?(this.ma("drmoutputrestricted"), +this.K("html5_report_fatal_drm_restricted_error_killswitch")||this.Ng("drm.keyerror",2,void 0,"info."+a)):(this.UO=!0,this.Kd(new PK("qoe.restart",Object.assign({},{retrydrm:1},a))),nZ(this),e0a(this)))}; +g.k.j6=function(){if(!this.videoData.kb&&this.mediaElement&&!this.isBackground()){var a="0";0=b.u.size){var c="ns;";b.ea||(c+="nr;");b=c+="ql."+b.B.length}else b=IXa(b.u.values().next().value),b=OK(b);a.drmp=b}var d;Object.assign(a,(null==(d=this.Fa)?void 0:d.lc())||{});var e;Object.assign(a,(null==(e=this.mediaElement)?void 0:e.lc())||{});this.zc.Kd("qoe.start15s",OK(a));this.ma("loadsofttimeout")}}; +g.k.Sk=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,tZ(this))}; +g.k.aP=function(a){var b=this;a=void 0===a?!1:a;if(!this.ZE){aF("att_s","player_att")||fF("att_s",void 0,"player_att");var c=new g.AJa(this.videoData);if("c1a"in c.j&&!g.fS.isInitialized()&&(fF("att_wb",void 0,"player_att"),2===this.xK&&.01>Math.random()&&g.DD(Error("Botguard not available after 2 attempts")),!a&&5>this.xK)){g.Jp(this.yK);this.xK++;return}if("c1b"in c.j){var d=zZa(this.zc);d&&DJa(c).then(function(e){e&&!b.ZE&&d?(fF("att_f",void 0,"player_att"),d(e),b.ZE=!0):fF("att_e",void 0,"player_att")}, +function(){fF("att_e",void 0,"player_att")})}else(a=g.BJa(c))?(fF("att_f",void 0,"player_att"),yZa(this.zc,a),this.ZE=!0):fF("att_e",void 0,"player_att")}}; +g.k.pe=function(a){return this.xd.pe(void 0===a?!1:a)}; +g.k.Id=function(){return this.xd.Id()}; +g.k.Jd=function(){return this.xd?this.xd.Jd():0}; +g.k.getStreamTimeOffset=function(){return this.xd?this.xd.getStreamTimeOffset():0}; +g.k.aq=function(){var a=0;this.Y.K("web_player_ss_media_time_offset")&&(a=0===this.getStreamTimeOffset()?this.Jd():this.getStreamTimeOffset());return a}; +g.k.setPlaybackRate=function(a){var b;this.playbackRate!==a&&pYa(this.Ji,null==(b=this.videoData.C)?void 0:b.videoInfos)&&nZ(this);this.playbackRate=a;this.mediaElement&&this.mediaElement.setPlaybackRate(a)}; g.k.getPlaybackRate=function(){return this.playbackRate}; -g.k.getPlaybackQuality=function(){var a="unknown";if(this.videoData.Oa&&(a=this.videoData.Oa.Ma().quality,"auto"===a&&this.da)){var b=xK(this);b&&0=c,b.dis=this.da.Aq("display"));(a=a?(0,g.SZ)():null)&&(b.gpu=a);b.cgr=!0;b.debug_playbackQuality=this.u.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; -g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.T().experiments.experimentIds.join(", ")},b=LT(this).getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; -g.k.getPresentingPlayerType=function(){return 1===this.Y?1:v0(this)?3:g.Z(this).getPlayerType()}; -g.k.getAppState=function(){return this.Y}; -g.k.Jz=function(a){switch(a.type){case "loadedmetadata":WE("fvb",this.eb.timerName)||this.eb.tick("fvb");ZE("fvb","video_to_ad");this.kc.start();break;case "loadstart":WE("gv",this.eb.timerName)||this.eb.tick("gv");ZE("gv","video_to_ad");break;case "progress":case "timeupdate":!WE("l2s",this.eb.timerName)&&2<=eA(a.target.Gf())&&this.eb.tick("l2s");break;case "playing":g.OD&&this.kc.start();if(g.wD(this.W))a=!1;else{var b=g.PT(this.C);a="none"===this.da.Aq("display")||0===ke(this.da.Co());var c=bZ(this.template), -d=this.D.getVideoData(),e=KD(this.W)||g.qD(this.W);d=AI(d);b=!c||b||e||d||this.W.ke;a=a&&!b}a&&(this.D.Na("hidden","1",!0),this.getVideoData().pj||(this.ba("html5_new_elem_on_hidden")?(this.getVideoData().pj=1,this.XF(null),this.D.playVideo()):bBa(this,"hidden",!0)))}}; -g.k.eP=function(a,b){this.u.xa("onLoadProgress",b)}; -g.k.GQ=function(){this.u.V("playbackstalledatstart")}; -g.k.xr=function(a,b){var c=D0(this,a);b=R0(this,c.getCurrentTime(),c);this.u.xa("onVideoProgress",b)}; -g.k.PO=function(){this.u.xa("onDompaused")}; -g.k.WP=function(){this.u.V("progresssync")}; -g.k.mO=function(a){if(1===this.getPresentingPlayerType()){g.GK(a,1)&&!g.U(a.state,64)&&E0(this).isLivePlayback&&this.B.isAtLiveHead()&&1=+c),b.dis=this.mediaElement.getStyle("display"));(a=a?(0,g.PY)():null)&&(b.gpu=a);b.debug_playbackQuality=this.Ta.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; +g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.V().experiments.experimentIds.join(", ")},b=this.Cb().getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; +g.k.getPresentingPlayerType=function(a){if(1===this.appState)return 1;if(HZ(this))return 3;var b;return a&&(null==(b=this.Ke)?0:zRa(b,this.getCurrentTime()))?2:g.qS(this).getPlayerType()}; +g.k.Cb=function(a){return 3===this.getPresentingPlayerType()?JS(this.hd).Te:g.qS(this,a).getPlayerState()}; +g.k.getAppState=function(){return this.appState}; +g.k.iO=function(a){switch(a.type){case "loadedmetadata":this.UH.start();a=g.t(this.Mz);for(var b=a.next();!b.done;b=a.next())b=b.value,V0a(this,b.id,b.R9,b.Q9,void 0,!1);this.Mz=[];break;case "loadstart":this.vb.Mt("gv");break;case "progress":case "timeupdate":2<=nI(a.target.Nh())&&this.vb.Mt("l2s");break;case "playing":g.HK&&this.UH.start();if(g.tK(this.Y))a=!1;else{b=g.LS(this.wb());a="none"===this.mediaElement.getStyle("display")||0===Je(this.mediaElement.getSize());var c=YW(this.template),d=this.Kb.getVideoData(), +e=g.nK(this.Y)||g.oK(this.Y);d=uM(d);b=!c||b||e||d||this.Y.Ld;a=a&&!b}a&&(this.Kb.xa("hidden",{},!0),this.getVideoData().Dc||(this.getVideoData().Dc=1,this.oW(),this.Kb.playVideo()))}}; +g.k.onLoadProgress=function(a,b){this.Ta.Na("onLoadProgress",b)}; +g.k.y7=function(){this.Ta.ma("playbackstalledatstart")}; +g.k.onVideoProgress=function(a,b){a=GZ(this,a);b=QZ(this,a.getCurrentTime(),a);this.Ta.Na("onVideoProgress",b)}; +g.k.onAutoplayBlocked=function(){this.Ta.Na("onAutoplayBlocked")}; +g.k.P6=function(){this.Ta.ma("progresssync")}; +g.k.y5=function(a){if(1===this.getPresentingPlayerType()){g.YN(a,1)&&!g.S(a.state,64)&&this.Hd().isLivePlayback&&this.zb.isAtLiveHead()&&1=1E3*(this.getDuration()-1)){J0a(this);return}A0a(this)}if(g.S(a.state,128)){var b=a.state;this.cancelPlayback(5);b=b.getData();JSON.stringify({errorData:b,debugInfo:this.getDebugText(!0)});this.Ta.Na("onError",TJa(b.errorCode));this.Ta.Na("onDetailedError",{errorCode:b.errorCode, +errorDetail:b.errorDetail,message:b.errorMessage,messageKey:b.uL,cpn:b.cpn});6048E5<(0,g.M)()-this.Y.Jf&&this.Ta.Na("onReloadRequired")}b={};if(a.state.bd()&&!g.TO(a.state)&&!aF("pbresume","ad_to_video")&&aF("_start","ad_to_video")){var c=this.getVideoData();b.clientPlaybackNonce=c.clientPlaybackNonce;c.videoId&&(b.videoId=c.videoId);bF(b,"ad_to_video");eF("pbresume",void 0,"ad_to_video");eMa(this.hd)}this.Ta.ma("applicationplayerstatechange",a)}}; +g.k.JW=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("presentingplayerstatechange",a)}; +g.k.Hi=function(a){EZ(this,UO(a.state));g.S(a.state,1024)&&this.Ta.isMutedByMutedAutoplay()&&(tS(this,{muted:!1,volume:this.ji.volume},!1),OZ(this,!1))}; +g.k.u5=function(a,b,c){"newdata"===a&&t0a(this);b=c.clipConfig;"dataloaded"===a&&b&&null!=b.startTimeMs&&null!=b.endTimeMs&&this.setLoopRange({startTimeMs:Math.floor(Number(b.startTimeMs)),endTimeMs:Math.floor(Number(b.endTimeMs)),postId:b.postId,type:"clips"})}; +g.k.VC=function(){this.Ta.Na("onPlaybackAudioChange",this.Ta.getAudioTrack().Jc.name)}; +g.k.iD=function(a){var b=this.Kb.getVideoData();a===b&&this.Ta.Na("onPlaybackQualityChange",a.u.video.quality)}; +g.k.onVideoDataChange=function(a,b,c){b===this.zb&&(this.Y.Zi=c.oauthToken);if(b===this.zb&&(this.getVideoData().enableServerStitchedDai&&!this.Ke?this.Ke=new g.zW(this.Ta,this.Y,this.zb):!this.getVideoData().enableServerStitchedDai&&this.Ke&&(this.Ke.dispose(),this.Ke=null),YM(this.getVideoData())&&"newdata"===a)){this.Sv.Ef();var d=oRa(this.Sv,1,0,this.getDuration(1),void 0,{video_id:this.getVideoData().videoId});var e=this.Sv;d.B===e&&(0===e.segments.length&&(e.j=d),e.segments.push(d));this.Og= +new LW(this.Ta,this.Sv,this.zb)}if("newdata"===a)LT(this.hd,2),this.Ta.ma("videoplayerreset",b);else{if(!this.mediaElement)return;"dataloaded"===a&&(this.Kb===this.zb?(rK(c.B,c.RY),this.zb.getPlayerState().isError()||(d=HZ(this),this.Hd().isLoaded(),d&&this.mp(6),E0a(this),cMa(this.hd)||D0a(this))):E0a(this));if(1===b.getPlayerType()&&(this.Y.Ya&&c1a(this),this.getVideoData().isLivePlayback&&!this.Y.Eo&&this.Eg("html5.unsupportedlive",2,"DEVICE_FALLBACK"),c.isLoaded())){if(Lza(c)||this.getVideoData().uA){d= +this.Lx;var f=this.getVideoData();e=this.zb;kS(d,"part2viewed",1,0x8000000000000,e);kS(d,"engagedview",Math.max(1,1E3*f.Pb),0x8000000000000,e);f.isLivePlayback||(f=1E3*f.lengthSeconds,kS(d,"videoplaytime25",.25*f,f,e),kS(d,"videoplaytime50",.5*f,f,e),kS(d,"videoplaytime75",.75*f,f,e),kS(d,"videoplaytime100",f,0x8000000000000,e),kS(d,"conversionview",f,0x8000000000000,e),kS(d,"videoplaybackstart",1,f,e),kS(d,"videoplayback2s",2E3,f,e),kS(d,"videoplayback10s",1E4,f,e))}if(c.hasProgressBarBoundaries()){var h; +d=Number(null==(h=this.getVideoData().progressBarEndPosition)?void 0:h.utcTimeMillis)/1E3;!isNaN(d)&&(h=this.Pf())&&(h-=this.getCurrentTime(),h=1E3*(d-h),d=this.CH.progressEndBoundary,(null==d?void 0:d.start)!==h&&(d&&this.MH([d]),h=new g.XD(h,0x7ffffffffffff,{id:"progressEndBoundary",namespace:"appprogressboundary"}),this.zb.addCueRange(h),this.CH.progressEndBoundary=h))}}this.Ta.ma("videodatachange",a,c,b.getPlayerType())}this.Ta.Na("onVideoDataChange",{type:a,playertype:b.getPlayerType()});this.ZH(); +(a=c.Nz)?this.Ls.fL(a,c.clientPlaybackNonce):uSa(this.Ls)}; +g.k.iF=function(){JZ(this,null);this.Ta.Na("onPlaylistUpdate")}; +g.k.TV=function(a){var b=a.getId(),c=this.Hd(),d=!this.isInline();if(!c.inlineMetricEnabled&&!this.Y.experiments.ob("enable_player_logging_lr_home_infeed_ads")||d){if("part2viewed"===b){if(c.pQ&&g.ZB(c.pQ),c.cN&&WZ(this,c.cN),c.zx)for(var e={CPN:this.getVideoData().clientPlaybackNonce},f=g.t(c.zx),h=f.next();!h.done;h=f.next())WZ(this,g.xp(h.value,e))}else"conversionview"===b?this.zb.kA():"engagedview"===b&&c.Ui&&(e={CPN:this.getVideoData().clientPlaybackNonce},g.ZB(g.xp(c.Ui,e)));c.qQ&&(e=a.getId(), +e=ty(c.qQ,{label:e}),g.ZB(e));switch(b){case "videoplaytime25":c.bZ&&WZ(this,c.bZ);c.yN&&XZ(this,c.yN);c.sQ&&g.ZB(c.sQ);break;case "videoplaytime50":c.cZ&&WZ(this,c.cZ);c.vO&&XZ(this,c.vO);c.xQ&&g.ZB(c.xQ);break;case "videoplaytime75":c.oQ&&WZ(this,c.oQ);c.FO&&XZ(this,c.FO);c.yQ&&g.ZB(c.yQ);break;case "videoplaytime100":c.aZ&&WZ(this,c.aZ),c.jN&&XZ(this,c.jN),c.rQ&&g.ZB(c.rQ)}(e=this.getVideoData().uA)&&Q0a(this,e,a.getId())&&Q0a(this,e,a.getId()+"gaia")}if(c.inlineMetricEnabled&&!d)switch(b){case "videoplaybackstart":var l, +m=null==(l=c.Ax)?void 0:l.j;m&&WZ(this,m);break;case "videoplayback2s":(l=null==(m=c.Ax)?void 0:m.B)&&WZ(this,l);break;case "videoplayback10s":var n;(l=null==(n=c.Ax)?void 0:n.u)&&WZ(this,l)}this.zb.removeCueRange(a)}; +g.k.O6=function(a){delete this.CH[a.getId()];this.zb.removeCueRange(a);a:{a=this.getVideoData();var b,c,d,e,f,h,l,m,n,p,q=(null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:null==(d=c.singleColumnWatchNextResults)?void 0:null==(e=d.autoplay)?void 0:null==(f=e.autoplay)?void 0:f.sets)||(null==(h=a.jd)?void 0:null==(l=h.contents)?void 0:null==(m=l.twoColumnWatchNextResults)?void 0:null==(n=m.autoplay)?void 0:null==(p=n.autoplay)?void 0:p.sets);if(q)for(b=g.t(q),c=b.next();!c.done;c=b.next())if(c=c.value, +e=d=void 0,c=c.autoplayVideo||(null==(d=c.autoplayVideoRenderer)?void 0:null==(e=d.autoplayEndpointRenderer)?void 0:e.endpoint),d=g.K(c,g.oM),f=e=void 0,null!=c&&(null==(e=d)?void 0:e.videoId)===a.videoId&&(null==(f=d)?0:f.continuePlayback)){a=c;break a}a=null}(b=g.K(a,g.oM))&&this.Ta.Na("onPlayVideo",{sessionData:{autonav:"1",itct:null==a?void 0:a.clickTrackingParams},videoId:b.videoId,watchEndpoint:b})}; +g.k.mp=function(a){a!==this.appState&&(2===a&&1===this.getPresentingPlayerType()&&(EZ(this,-1),EZ(this,5)),this.appState=a,this.Ta.ma("appstatechange",a))}; +g.k.Eg=function(a,b,c,d,e){this.zb.Ng(a,b,c,d,e)}; +g.k.Uq=function(a,b){this.zb.handleError(new PK(a,b))}; +g.k.isAtLiveHead=function(a,b){b=void 0===b?!1:b;var c=g.qS(this,a);if(!c)return!1;a=FZ(this,c);c=GZ(this,c);return a!==c?a.isAtLiveHead(QZ(this,c.getCurrentTime(),c),!0):a.isAtLiveHead(void 0,b)}; +g.k.us=function(){var a=g.qS(this);return a?FZ(this,a).us():0}; +g.k.seekTo=function(a,b,c,d){b=!1!==b;if(d=g.qS(this,d))2===this.appState&&MZ(this),this.mf(d)?PZ(this)?this.Ke.seekTo(a,b,c):this.kd.seekTo(a,b,c):d.seekTo(a,{vY:!b,wY:c,Je:"application"})}; g.k.seekBy=function(a,b,c,d){this.seekTo(this.getCurrentTime()+a,b,c,d)}; -g.k.LL=function(){this.u.xa("SEEK_COMPLETE")}; -g.k.wQ=function(a,b){var c=a.getVideoData();if(1===this.Y||2===this.Y)c.startSeconds=b;2===this.Y?L0(this):(this.u.xa("SEEK_TO",b),!this.ba("hoffle_api")&&this.F&&uT(this.F,c.videoId))}; -g.k.cO=function(){this.u.V("airplayactivechange")}; -g.k.dO=function(){this.u.V("airplayavailabilitychange")}; -g.k.tO=function(){this.u.V("beginseeking")}; -g.k.SO=function(){this.u.V("endseeking")}; -g.k.getStoryboardFormat=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().getStoryboardFormat():null}; -g.k.tg=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().tg():null}; -g.k.cd=function(a){if(a=a||this.D){a=a.getVideoData();if(this.I)a=a===this.I.u.getVideoData();else a:{var b=this.te;if(a===b.B.getVideoData()&&b.u.length)a=!0;else{b=g.q(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Hc===c.value.Hc){a=!0;break a}a=!1}}if(a)return!0}return!1}; -g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.cd();a=new g.rI(this.W,a);d&&(a.Hc=d);!g.Q(this.W.experiments,"html5_report_dai_ad_playback_killswitch")&&2===b&&this.B&&this.B.Yo(a.clientPlaybackNonce,a.Xo||"",a.breakType||0);SAa(this,a,b,c)}; -g.k.clearQueue=function(){this.ea();this.Ga.clearQueue()}; -g.k.loadVideoByPlayerVars=function(a,b,c,d,e){var f=!1,h=new g.rI(this.W,a);if(!this.ba("web_player_load_video_context_killswitch")&&e){for(;h.bk.length&&h.bk[0].isExpired();)h.bk.shift();for(var l=g.q(h.bk),m=l.next();!m.done;m=l.next())e.B(m.value)&&(f=!0);h.bk.push(e)}c||(a&&gU(a)?(FD(this.W)&&!this.R&&(a.fetch=0),H0(this,a)):this.playlist&&H0(this,null),a&&this.setIsExternalPlaylist(a.external_list),FD(this.W)&&!this.R&&I0(this));a=KY(this,h,b,d);f&&(f=("loadvideo.1;emsg."+h.bk.join()).replace(/[;:,]/g, -"_"),this.B.Rd("player.fatalexception","GENERIC_WITH_LINK_AND_CPN",f,void 0));return a}; -g.k.preloadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;c=void 0===c?NaN:c;e=void 0===e?"":e;d=bD(a);d=V0(b,d,e);this.kb.get(d)?this.ea():this.D&&this.D.di.started&&d===V0(this.D.getPlayerType(),this.D.getVideoData().videoId,this.D.getVideoData().Hc)?this.ea():(a=new g.rI(this.W,a),e&&(a.Hc=e),UAa(this,a,b,c))}; -g.k.setMinimized=function(a){this.visibility.setMinimized(a);a=this.C;a=a.J.T().showMiniplayerUiWhenMinimized?a.Vc.get("miniplayer"):void 0;a&&(this.visibility.u?a.load():a.unload());this.u.V("minimized")}; +g.k.xz=function(){this.Ta.Na("SEEK_COMPLETE")}; +g.k.n7=function(a,b){var c=a.getVideoData();if(1===this.appState||2===this.appState)c.startSeconds=b;2===this.appState?g.S(a.getPlayerState(),512)||MZ(this):this.Ta.Na("SEEK_TO",b)}; +g.k.onAirPlayActiveChange=function(){this.Ta.ma("airplayactivechange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayActiveChange",this.Ta.wh())}; +g.k.onAirPlayAvailabilityChange=function(){this.Ta.ma("airplayavailabilitychange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayAvailabilityChange",this.Ta.vC())}; +g.k.showAirplayPicker=function(){var a;null==(a=this.Kb)||a.Dt()}; +g.k.EN=function(){this.Ta.ma("beginseeking")}; +g.k.JN=function(){this.Ta.ma("endseeking")}; +g.k.getStoryboardFormat=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().getStoryboardFormat():null}; +g.k.Hj=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().Hj():null}; +g.k.mf=function(a){a=a||this.Kb;var b=!1;if(a){a=a.getVideoData();if(PZ(this))a=a===this.Ke.va.getVideoData();else a:if(b=this.kd,a===b.j.getVideoData()&&b.u.length)a=!0;else{b=g.t(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Nc===c.value.Nc){a=!0;break a}a=!1}b=a}return b}; +g.k.Kx=function(a,b,c,d,e,f,h){var l=PZ(this),m;null==(m=g.qS(this))||m.xa("appattl",{sstm:this.Ke?1:0,ssenable:this.getVideoData().enableServerStitchedDai,susstm:l});return l?wRa(this.Ke,a,b,c,d,e,f,h):WRa(this.kd,a,c,d,e,f)}; +g.k.rC=function(a,b,c,d,e,f,h){PZ(this)&&wRa(this.Ke,a,b,c,d,e,f,h);return""}; +g.k.kt=function(a){var b;null==(b=this.Ke)||b.kt(a)}; +g.k.Fu=function(a,b){a=void 0===a?-1:a;b=void 0===b?Infinity:b;PZ(this)||eSa(this.kd,a,b)}; +g.k.jA=function(a,b,c){if(PZ(this)){var d=this.Ke,e=d.Oc.get(a);e?(void 0===c&&(c=e.Dd),e.durationMs=b,e.Dd=c):d.KC("Invalid_timelinePlaybackId_"+a+"_specified")}else{d=this.kd;e=null;for(var f=g.t(d.u),h=f.next();!h.done;h=f.next())if(h=h.value,h.Nc===a){e=h;break}e?(void 0===c&&(c=e.Dd),dSa(d,e,b,c)):MW(d,"InvalidTimelinePlaybackId timelinePlaybackId="+a)}}; +g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.mf();a=new g.$L(this.Y,a);d&&(a.Nc=d);R0a(this,a,b,c)}; +g.k.queueNextVideo=function(a,b,c,d,e){c=void 0===c?NaN:c;a.prefer_gapless=!0;if((a=this.preloadVideoByPlayerVars(a,void 0===b?1:b,c,void 0===d?"":d,void 0===e?"":e))&&g.QM(a)&&!a.Xl){var f;null==(f=g.qS(this))||f.xa("sgap",{pcpn:a.clientPlaybackNonce});f=this.SY;f.j!==a&&(f.j=a,f.u=1,a.isLoaded()?f.B():f.j.subscribe("dataloaded",f.B,f))}}; +g.k.yF=function(a,b,c,d){var e=this;c=void 0===c?0:c;d=void 0===d?0:d;var f=g.qS(this);f&&(FZ(this,f).FY=!0);dRa(this.ir,a,b,c,d).then(function(){e.Ta.Na("onQueuedVideoLoaded")},function(){})}; +g.k.vv=function(){return this.ir.vv()}; +g.k.clearQueue=function(){this.ir.clearQueue()}; +g.k.loadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;var f=!1,h=new g.$L(this.Y,a);g.GK(this.Y)&&!h.Xl&&yT(this.vb);var l,m=null!=(l=h.Qa)?l:"";this.vb.timerName=m;this.vb.di("pl_i");this.K("web_player_early_cpn")&&h.clientPlaybackNonce&&this.vb.info("cpn",h.clientPlaybackNonce);if(this.K("html5_enable_short_gapless")){l=gRa(this.ir,h,b);if(null==l){EZ(this,-1);h=this.ir;h.app.setLoopRange(null);h.app.getVideoData().ZI=!0;var n;null==(n=h.j)||vZa(n.zc);h.app.seekTo(fRa(h));if(!h.app.Cb(b).bd()){var p; +null==(p=g.qS(h.app))||p.playVideo(!0)}h.I();return!0}this.ir.clearQueue();var q;null==(q=g.qS(this))||q.xa("sgap",{f:l})}if(e){for(;h.Sl.length&&h.Sl[0].isExpired();)h.Sl.shift();n=h.Sl.length-1;f=0Math.random()&&g.Nq("autoplayTriggered",{intentional:this.Ig});this.ng=!1;this.u.xa("onPlaybackStartExternal");g.Q(this.W.experiments,"mweb_client_log_screen_associated")||a();SE("player_att",["att_f","att_e"]);if(this.ba("web_player_inline_botguard")){var c=this.getVideoData().botguardData;c&&(this.ba("web_player_botguard_inline_skip_config_killswitch")&& -(so("BG_I",c.interpreterScript),so("BG_IU",c.interpreterUrl),so("BG_P",c.program)),g.HD(this.W)?rp(function(){M0(b)}):M0(this))}}; -g.k.IL=function(){this.u.V("internalAbandon");this.ba("html5_ad_module_cleanup_killswitch")||S0(this)}; -g.k.KF=function(a){a=a.u;!isNaN(a)&&0Math.random()&&g.rA("autoplayTriggered",{intentional:this.QU});this.pV=!1;eMa(this.hd);this.K("web_player_defer_ad")&&D0a(this);this.Ta.Na("onPlaybackStartExternal");(this.Y.K("mweb_client_log_screen_associated"),this.Y.K("kids_web_client_log_screen_associated")&&uK(this.Y))||a();var c={};this.getVideoData().T&&(c.cttAuthInfo={token:this.getVideoData().T, +videoId:this.getVideoData().videoId});cF("player_att",c);if(this.getVideoData().botguardData||this.K("fetch_att_independently"))g.DK(this.Y)||"MWEB"===g.rJ(this.Y)?g.gA(g.iA(),function(){NZ(b)}):NZ(this); +this.ZH()}; +g.k.PN=function(){this.Ta.ma("internalAbandon");RZ(this)}; +g.k.onApiChange=function(){this.Y.I&&this.Kb?this.Ta.Na("onApiChange",this.Kb.getPlayerType()):this.Ta.Na("onApiChange")}; +g.k.q6=function(){var a=this.mediaElement;a={volume:g.ze(Math.floor(100*a.getVolume()),0,100),muted:a.VF()};a.muted||OZ(this,!1);this.ji=g.md(a);this.Ta.Na("onVolumeChange",a)}; +g.k.mutedAutoplay=function(){var a=this.getVideoData().videoId;isNaN(this.xN)&&(this.xN=this.getVideoData().startSeconds);a&&(this.loadVideoByPlayerVars({video_id:a,playmuted:!0,start:this.xN}),this.Ta.Na("onMutedAutoplayStarts"))}; +g.k.onFullscreenChange=function(){var a=Z0a(this);this.cm(a?1:0);a1a(this,!!a)}; +g.k.cm=function(a){var b=!!a,c=!!this.Ay()!==b;this.visibility.cm(a);this.template.cm(b);this.K("html5_media_fullscreen")&&!b&&this.mediaElement&&Z0a(this)===this.mediaElement.ub()&&this.mediaElement.AB();this.template.resize();c&&this.vb.tick("fsc");c&&(this.Ta.ma("fullscreentoggled",b),a=this.Hd(),b={fullscreen:b,videoId:a.eJ||a.videoId,time:this.getCurrentTime()},this.Ta.getPlaylistId()&&(b.listId=this.Ta.getPlaylistId()),this.Ta.Na("onFullscreenChange",b))}; g.k.isFullscreen=function(){return this.visibility.isFullscreen()}; -g.k.lQ=function(){this.D&&(0!==this.visibility.fullscreen&&1!==this.visibility.fullscreen||B0(this,Z0(this)?1:0),this.W.yn&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.da&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.da.iq())}; -g.k.dP=function(a){3!==this.getPresentingPlayerType()&&this.u.V("liveviewshift",a)}; -g.k.playVideo=function(a){this.ea();if(a=g.Z(this,a))2===this.Y?L0(this):(null!=this.X&&this.X.fb&&this.X.start(),g.U(a.getPlayerState(),2)?this.seekTo(0):a.playVideo())}; -g.k.pauseVideo=function(a){(a=g.Z(this,a))&&a.pauseVideo()}; -g.k.stopVideo=function(){this.ea();var a=this.B.getVideoData(),b=new g.rI(this.W,{video_id:a.gB||a.videoId,oauth_token:a.oauthToken});b.li=g.Vb(a.li);this.cancelPlayback(6);X0(this,b,1);null!=this.X&&this.X.stop()}; -g.k.cancelPlayback=function(a,b){this.ea();Hq(this.za);this.za=0;var c=g.Z(this,b);if(c)if(1===this.Y||2===this.Y)this.ea();else{c===this.D&&(this.ea(),rU(this.C,a));var d=c.getVideoData();if(this.F&&qJ(d)&&d.videoId)if(this.ba("hoffle_api")){var e=this.F;d=d.videoId;if(2===Zx(d)){var f=qT(e,d);f&&f!==e.player&&qJ(f.getVideoData())&&(f.Bi(),RI(f.getVideoData(),!1),by(d,3),rT(e))}}else uT(this.F,d.videoId);1===b&&(g.Q(this.W.experiments,"html5_stop_video_in_cancel_playback")&&c.stopVideo(),S0(this)); -c.fi();VT(this,"cuerangesremoved",c.Lk());c.Vf.reset();this.Ga&&c.isGapless()&&(c.Pf(!0),c.setMediaElement(this.da))}else this.ea()}; -g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.Z(this,b))&&this.W.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; -g.k.Yf=function(a){var b=g.Z(this,void 0);return b&&this.W.enabledEngageTypes.has(a.toString())?b.Yf(a):null}; -g.k.updatePlaylist=function(){FD(this.W)?I0(this):g.Q(this.W.experiments,"embeds_wexit_list_ajax_migration")&&g.nD(this.W)&&J0(this);this.u.xa("onPlaylistUpdate")}; -g.k.setSizeStyle=function(a,b){this.wi=a;this.ce=b;this.u.V("sizestylechange",a,b);this.template.resize()}; -g.k.isWidescreen=function(){return this.ce}; +g.k.Ay=function(){return this.visibility.Ay()}; +g.k.b7=function(){this.Kb&&(0!==this.Ay()&&1!==this.Ay()||this.cm(Z0a(this)?1:0),this.Y.lm&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.mediaElement&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.mediaElement.AB())}; +g.k.i6=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("liveviewshift",a)}; +g.k.playVideo=function(a){if(a=g.qS(this,a))2===this.appState?(g.GK(this.Y)&&yT(this.vb),MZ(this)):g.S(a.getPlayerState(),2)?this.seekTo(0):a.playVideo()}; +g.k.pauseVideo=function(a){(a=g.qS(this,a))&&a.pauseVideo()}; +g.k.stopVideo=function(){var a=this.zb.getVideoData(),b=new g.$L(this.Y,{video_id:a.eJ||a.videoId,oauth_token:a.oauthToken});b.Z=g.md(a.Z);this.cancelPlayback(6);UZ(this,b,1)}; +g.k.cancelPlayback=function(a,b){var c=g.qS(this,b);c&&(2===b&&1===c.getPlayerType()&&Zza(this.Hd())?c.xa("canclpb",{r:"no_adpb_ssdai"}):(this.Y.Rd()&&c.xa("canclpb",{r:a}),1!==this.appState&&2!==this.appState&&(c===this.Kb&<(this.hd,a),1===b&&(c.stopVideo(),RZ(this)),c.Dn(void 0,6!==a),DZ(this,"cuerangesremoved",c.Hm()),c.Xi.reset(),this.ir&&c.isGapless()&&(c.rj(!0),c.setMediaElement(this.mediaElement)))))}; +g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.qS(this,b))&&this.Y.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; +g.k.Gj=function(a){var b=g.qS(this);return b&&this.Y.enabledEngageTypes.has(a.toString())?b.Gj(a):null}; +g.k.updatePlaylist=function(){BK(this.Y)?KZ(this):g.fK(this.Y)&&F0a(this);this.Ta.Na("onPlaylistUpdate")}; +g.k.setSizeStyle=function(a,b){this.QX=a;this.RM=b;this.Ta.ma("sizestylechange",a,b);this.template.resize()}; +g.k.wv=function(){return this.RM}; +g.k.zg=function(){return this.visibility.zg()}; g.k.isInline=function(){return this.visibility.isInline()}; -g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return g.MT(this.C).getAdState();if(!this.cd()){var a=sU(this.C);if(a)return a.getAdState()}return-1}; -g.k.kQ=function(a){var b=this.template.getVideoContentRect();kg(this.Jg,b)||(this.Jg=b,this.D&&g0(this.D),this.B&&this.B!==this.D&&g0(this.B),1===this.visibility.fullscreen&&this.Ya&&aBa(this,!0));this.ke&&g.je(this.ke,a)||(this.u.V("appresize",a),this.ke=a)}; -g.k.He=function(){return this.u.He()}; -g.k.AQ=function(){2===this.getPresentingPlayerType()&&this.te.isManifestless()&&!this.ba("web_player_manifestless_ad_signature_expiration_killswitch")?uwa(this.te):bBa(this,"signature",void 0,!0)}; -g.k.XF=function(){this.Pf();x0(this)}; -g.k.jQ=function(a){mY(a,this.da.tm())}; -g.k.JL=function(a){this.F&&this.F.u(a)}; -g.k.FO=function(){this.u.xa("CONNECTION_ISSUE")}; -g.k.tr=function(a){this.u.V("heartbeatparams",a)}; -g.k.Zc=function(){return this.da}; -g.k.setBlackout=function(a){this.W.ke=a;this.D&&(this.D.sn(),this.W.X&&eBa(this))}; -g.k.setAccountLinkState=function(a){var b=g.Z(this);b&&(b.getVideoData().In=a,b.sn())}; -g.k.updateAccountLinkingConfig=function(a){var b=g.Z(this);if(b){var c=b.getVideoData();c.accountLinkingConfig&&(c.accountLinkingConfig.linked=a);this.u.V("videodatachange","dataupdated",c,b.getPlayerType())}}; -g.k.EP=function(){var a=g.Z(this);if(a){var b=!UT(this.u);(a.Ay=b)||a.Mm.stop();if(a.videoData.ra)if(b)a.videoData.ra.resume();else{var c=a.videoData.ra;c.D&&c.D.stop()}g.Q(a.W.experiments,"html5_suspend_loader")&&a.Ba&&(b?a.Ba.resume():m0(a,!0));g.Q(a.W.experiments,"html5_fludd_suspend")&&(g.U(a.playerState,2)||b?g.U(a.playerState,512)&&b&&a.vb(DM(a.playerState,512)):a.vb(CM(a.playerState,512)));a=a.Jb;a.qoe&&(a=a.qoe,g.MZ(a,g.rY(a.provider),"stream",[b?"A":"I"]))}}; -g.k.gP=function(){this.u.xa("onLoadedMetadata")}; -g.k.RO=function(){this.u.xa("onDrmOutputRestricted")}; -g.k.ex=function(){void 0!==navigator.mediaCapabilities&&(QB=!0);g.Q(this.W.experiments,"html5_disable_subtract_cuepoint_offset")&&(Uy=!0);g.Q(this.W.experiments,"html5_log_opus_oboe_killswitch")&&(Hv=!1);g.Q(this.W.experiments,"html5_skip_empty_load")&&(UCa=!0);XCa=g.Q(this.W.experiments,"html5_ios_force_seek_to_zero_on_stop");VCa=g.Q(this.W.experiments,"html5_ios7_force_play_on_stall");WCa=g.Q(this.W.experiments,"html5_ios4_seek_above_zero");g.Q(this.W.experiments,"html5_mediastream_applies_timestamp_offset")&& -(Qy=!0);g.Q(this.W.experiments,"html5_dont_override_default_sample_desc_index")&&(pv=!0)}; -g.k.ca=function(){this.C.dispose();this.te.dispose();this.I&&this.I.dispose();this.B.dispose();this.Pf();g.gg(g.Lb(this.Oe),this.playlist);Hq(this.za);this.za=0;g.C.prototype.ca.call(this)}; -g.k.ea=function(){}; -g.k.ba=function(a){return g.Q(this.W.experiments,a)}; +g.k.Ty=function(){return this.visibility.Ty()}; +g.k.Ry=function(){return this.visibility.Ry()}; +g.k.PM=function(){return this.QX}; +g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return JS(this.hd).getAdState();if(!this.mf()){var a=MT(this.wb());if(a)return a.getAdState()}return-1}; +g.k.a7=function(a){var b=this.template.getVideoContentRect();Fm(this.iV,b)||(this.iV=b,this.Kb&&wZ(this.Kb),this.zb&&this.zb!==this.Kb&&wZ(this.zb),1===this.Ay()&&this.kD&&a1a(this,!0));this.YM&&g.Ie(this.YM,a)||(this.Ta.ma("appresize",a),this.YM=a)}; +g.k.yh=function(){return this.Ta.yh()}; +g.k.t7=function(){2===this.getPresentingPlayerType()&&this.kd.isManifestless()?cSa(this.kd):(this.Ke&&(DRa(this.Ke),RZ(this)),z0a(this,"signature"))}; +g.k.oW=function(){this.rj();CZ(this)}; +g.k.w6=function(a){"manifest.net.badstatus"===a.errorCode&&a.details.rc===(this.Y.experiments.ob("html5_use_network_error_code_enums")?401:"401")&&this.Ta.Na("onPlayerRequestAuthFailed")}; +g.k.YC=function(){this.Ta.Na("CONNECTION_ISSUE")}; +g.k.aD=function(a){this.Ta.ma("heartbeatparams",a)}; +g.k.RH=function(a){this.Ta.Na("onAutonavChangeRequest",1!==a)}; +g.k.qe=function(){return this.mediaElement}; +g.k.setBlackout=function(a){this.Y.Ld=a;this.Kb&&(this.Kb.jr(),this.Y.Ya&&c1a(this))}; +g.k.y6=function(){var a=g.qS(this);if(a){var b=!this.Ta.AC();(a.uU=b)||a.Bv.stop();if(a.videoData.j)if(b)a.videoData.j.resume();else{var c=a.videoData.j;c.C&&c.C.stop()}a.Fa&&(b?a.Fa.resume():zZ(a,!0));g.S(a.playerState,2)||b?g.S(a.playerState,512)&&b&&a.pc(NO(a.playerState,512)):a.pc(MO(a.playerState,512));a=a.zc;a.qoe&&(a=a.qoe,g.MY(a,g.uW(a.provider),"stream",[b?"A":"I"]))}}; +g.k.onLoadedMetadata=function(){this.Ta.Na("onLoadedMetadata")}; +g.k.onDrmOutputRestricted=function(){this.Ta.Na("onDrmOutputRestricted")}; +g.k.wK=function(){Lcb=this.K("html5_use_async_stopVideo");Mcb=this.K("html5_pause_for_async_stopVideo");Kcb=this.K("html5_not_reset_media_source");CCa=this.K("html5_rebase_video_to_ad_timeline");xI=this.K("html5_not_reset_media_source");fcb=this.K("html5_not_reset_media_source");rI=this.K("html5_retain_source_buffer_appends_for_debugging");ecb=this.K("html5_source_buffer_wrapper_reorder");this.K("html5_mediastream_applies_timestamp_offset")&&(CX=!0);var a=g.gJ(this.Y.experiments,"html5_cobalt_override_quic"); +a&&kW("QUIC",+(0r.start&&dE;E++)if(x=(x<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(w.charAt(E)),4==E%5){for(var G="",K=0;6>K;K++)G="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(x& -31)+G,x>>=5;B+=G}w=B.substr(0,4)+" "+B.substr(4,4)+" "+B.substr(8,4)}else w="";l={video_id_and_cpn:c.videoId+" / "+w,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",drm_style:p?"":"display:none",drm:p,debug_info:d,bandwidth_style:t,network_activity_style:t,network_activity_bytes:m.toFixed(0)+" KB",shader_info:r,shader_info_style:r?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1a)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":f="Optimized for Normal Latency";break;case "LOW":f="Optimized for Low Latency";break;case "ULTRALOW":f="Optimized for Ultra Low Latency";break;default:f="Unknown Latency Setting"}else f=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=f;(a=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= -", seq "+a.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=RY(h,"bandwidth");l.network_activity_samples=RY(h,"networkactivity");l.live_latency_samples=RY(h,"livelatency");l.buffer_health_samples=RY(h,"bufferhealth");FI(c,"web_player_release_debug")?(l.release_name="youtube.player.web_20201213_0_RC0",l.release_style=""):l.release_style="display:none";return l}; -g.k.getVideoUrl=function(a,b,c,d,e){return this.K&&this.K.postId?(a=this.W.getVideoUrl(a),a=Sd(a,"v"),a.replace("/watch","/clip/"+this.K.postId)):this.W.getVideoUrl(a,b,c,d,e)}; -var o2={};g.Fa("yt.player.Application.create",u0.create,void 0);g.Fa("yt.player.Application.createAlternate",u0.create,void 0);var p2=Es(),q2={Om:[{xL:/Unable to load player module/,weight:5}]};q2.Om&&(p2.Om=p2.Om.concat(q2.Om));q2.Pn&&(p2.Pn=p2.Pn.concat(q2.Pn));var lDa=g.Ja("ytcsi.tick");lDa&&lDa("pe");g.qU.ad=KS;var iBa=/#(.)(.)(.)/,hBa=/^#(?:[0-9a-f]{3}){1,2}$/i;var kBa=g.ye&&jBa();g.Va(g.f1,g.C);var mDa=[];g.k=g.f1.prototype;g.k.wa=function(a,b,c,d){Array.isArray(b)||(b&&(mDa[0]=b.toString()),b=mDa);for(var e=0;ethis.u.length)throw new N("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=this);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,b.init(),P1a(this.B,this.slot,b.Hb()),Q1a(this.B,this.slot,b.Hb())}; +g.k.wt=function(){var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=null);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,pO(this.B,this.slot,b.Hb()),b.release()}; +g.k.Qv=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("pauseLayout for a PlayerBytes layout that is not currently active",a,b):c.Qv()}; +g.k.ew=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("resumeLayout for a PlayerBytes layout that is not currently active",a,b):c.ew()}; +g.k.gD=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("onSkipRequested for a PlayerBytes layout that is not currently active",c.pd(),c.Hb(),{requestingSlot:a,requestingLayout:b}):Q5a(this,c.pd(),c.Hb(),"skipped")}; +g.k.Ft=function(){-1===this.j&&P5a(this,this.j+1)}; +g.k.A7=function(a,b){j0(this.B,a,b)}; +g.k.It=function(a,b){var c=this;this.j!==this.u.length?(a=this.u[this.j],a.Pg(a.Hb(),b),this.D=function(){c.callback.wd(c.slot,c.layout,b)}):this.callback.wd(this.slot,this.layout,b)}; +g.k.Tc=function(a,b){var c=this.u[this.j];c&&c.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);var d=this.u[this.j];d&&d.wd(a,b,c)}; +g.k.yV=function(){var a=this.u[this.j];a&&a.gG()}; +g.k.Mj=function(a){var b=this.u[this.j];b&&b.Mj(a)}; +g.k.wW=function(a){var b=this.u[this.j];b&&b.Jk(a)}; +g.k.fg=function(a,b,c){-1===this.j&&(this.callback.Tc(this.slot,this.layout),this.j++);var d=this.u[this.j];d?d.OC(a,b,c):GD("No active adapter found onLayoutError in PlayerBytesVodCompositeLayoutRenderingAdapter",void 0,void 0,{activeSubLayoutIndex:String(this.j),layoutId:this.Hb().layoutId})}; +g.k.onFullscreenToggled=function(a){var b=this.u[this.j];if(b)b.onFullscreenToggled(a)}; +g.k.Uh=function(a){var b=this.u[this.j];b&&b.Uh(a)}; +g.k.Ik=function(a){var b=this.u[this.j];b&&b.Ik(a)}; +g.k.onVolumeChange=function(){var a=this.u[this.j];if(a)a.onVolumeChange()}; +g.k.C7=function(a,b,c){Q5a(this,a,b,c)}; +g.k.B7=function(a,b){Q5a(this,a,b,"error")};g.w(a2,g.C);g.k=a2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){var a=ZZ(this.layout.Ba,"metadata_type_video_length_seconds"),b=ZZ(this.layout.Ba,"metadata_type_active_view_traffic_type");mN(this.layout.Rb)&&V4a(this.Mb.get(),this.layout.layoutId,b,a,this);Z4a(this.Oa.get(),this);this.Ks()}; +g.k.release=function(){mN(this.layout.Rb)&&W4a(this.Mb.get(),this.layout.layoutId);$4a(this.Oa.get(),this);this.wt()}; +g.k.Qv=function(){}; +g.k.ew=function(){}; +g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.fg(this.slot,a,new b0("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"):(this.Fc="rendering_start_requested",cAa(this.Xf.get(),1)?(this.vD(-1),this.Ft(a),this.Px(!1)):this.OC("ui_unstable",new b0("Failed to render media layout because ad ui unstable.", +void 0,"ADS_CLIENT_ERROR_MESSAGE_AD_UI_UNSTABLE"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"))}; +g.k.Tc=function(a,b){if(b.layoutId===this.layout.layoutId){this.Fc="rendering";this.CC=this.Ha.get().isMuted()||0===this.Ha.get().getVolume();this.md("impression");this.md("start");if(this.Ha.get().isMuted()){this.zw("mute");var c;a=(null==(c=$1(this))?void 0:c.muteCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId)}if(this.Ha.get().isFullscreen()){this.lh("fullscreen");var d;c=(null==(d=$1(this))?void 0:d.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}this.Mc.get().bP();this.vD(1); +this.kW();var e;d=(null==(e=$1(this))?void 0:e.impressionCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.OC=function(a,b,c){this.nu={AI:3,mE:"load_timeout"===a?402:400,errorMessage:b.message};this.md("error");var d;a=(null==(d=$1(this))?void 0:d.errorCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId);this.callback.fg(this.slot,this.layout,b,c)}; +g.k.gG=function(){this.XK()}; +g.k.lU=function(){if("rendering"===this.Fc){this.zw("pause");var a,b=(null==(a=$1(this))?void 0:a.pauseCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId);this.vD(2)}}; +g.k.mU=function(){if("rendering"===this.Fc){this.zw("resume");var a,b=(null==(a=$1(this))?void 0:a.resumeCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Pg=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.fg(this.slot,a,new b0("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_EXIT_LAYOUT_FAILED");else if("rendering_stop_requested"!==this.Fc){this.Fc="rendering_stop_requested";this.layoutExitReason=b;switch(b){case "normal":this.md("complete");break;case "skipped":this.md("skip"); +break;case "abandoned":N1(this.Za,"impression")&&this.md("abandon")}this.It(a,b)}}; +g.k.wd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.Fc="not_rendering",this.layoutExitReason=void 0,(a="normal"!==c||this.position+1===this.nY)&&this.Px(a),this.lW(c),this.vD(0),c){case "abandoned":if(N1(this.Za,"impression")){var d,e=(null==(d=$1(this))?void 0:d.abandonCommands)||[];this.Nb.get().Hg(e,this.layout.layoutId)}break;case "normal":d=(null==(e=$1(this))?void 0:e.completeCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId);break;case "skipped":var f;d=(null==(f=$1(this))? +void 0:f.skipCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.Cy=function(){return this.layout.layoutId}; +g.k.GL=function(){return this.nu}; +g.k.Jk=function(a){if("not_rendering"!==this.Fc){this.zX||(a=new g.WN(a.state,new g.KO),this.zX=!0);var b=2===this.Ha.get().getPresentingPlayerType();"rendering_start_requested"===this.Fc?b&&R5a(a)&&this.ZS():b?g.YN(a,2)?this.Ei():(R5a(a)?this.vD(1):g.YN(a,4)&&!g.YN(a,2)&&this.lU(),0>XN(a,4)&&!(0>XN(a,2))&&this.mU()):this.gG()}}; +g.k.TC=function(){if("rendering"===this.Fc){this.Za.md("active_view_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.SC=function(){if("rendering"===this.Fc){this.Za.md("active_view_fully_viewable_audible_half_duration");var a,b=(null==(a=$1(this))?void 0:a.activeViewFullyViewableAudibleHalfDurationCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.UC=function(){if("rendering"===this.Fc){this.Za.md("active_view_viewable");var a,b=(null==(a=$1(this))?void 0:a.activeViewViewableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.QC=function(){if("rendering"===this.Fc){this.Za.md("audio_audible");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioAudibleCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.RC=function(){if("rendering"===this.Fc){this.Za.md("audio_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Px=function(a){this.Mc.get().Px(ZZ(this.layout.Ba,"metadata_type_ad_placement_config").kind,a,this.position,this.nY,!1)}; +g.k.onFullscreenToggled=function(a){if("rendering"===this.Fc)if(a){this.lh("fullscreen");var b,c=(null==(b=$1(this))?void 0:b.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}else this.lh("end_fullscreen"),b=(null==(c=$1(this))?void 0:c.endFullscreenCommands)||[],this.Nb.get().Hg(b,this.layout.layoutId)}; +g.k.onVolumeChange=function(){if("rendering"===this.Fc)if(this.Ha.get().isMuted()){this.zw("mute");var a,b=(null==(a=$1(this))?void 0:a.muteCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}else this.zw("unmute"),a=(null==(b=$1(this))?void 0:b.unmuteCommands)||[],this.Nb.get().Hg(a,this.layout.layoutId)}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.Ul=function(){}; +g.k.lh=function(a){this.Za.lh(a,!this.CC)}; +g.k.md=function(a){this.Za.md(a,!this.CC)}; +g.k.zw=function(a){this.Za.zw(a,!this.CC)};g.w(W5a,a2);g.k=W5a.prototype;g.k.Ks=function(){}; +g.k.wt=function(){var a=this.Oa.get();a.nI===this&&(a.nI=null);this.timer.stop()}; +g.k.Ft=function(){V5a(this);j5a(this.Ha.get());this.Oa.get().nI=this;aF("pbp")||aF("pbs")||fF("pbp");aF("pbp","watch")||aF("pbs","watch")||fF("pbp",void 0,"watch");this.ZS()}; +g.k.kW=function(){Z5a(this)}; +g.k.Ei=function(){}; +g.k.Qv=function(){this.timer.stop();a2.prototype.lU.call(this)}; +g.k.ew=function(){Z5a(this);a2.prototype.mU.call(this)}; +g.k.By=function(){return ZZ(this.Hb().Ba,"METADATA_TYPE_MEDIA_BREAK_LAYOUT_DURATION_MILLISECONDS")}; +g.k.It=function(){this.timer.stop()}; +g.k.yc=function(){var a=Date.now(),b=a-this.aN;this.aN=a;this.Mi+=b;this.Mi>=this.By()?(this.Mi=this.By(),b2(this,this.Mi/1E3,!0),Y5a(this,this.Mi),this.XK()):(b2(this,this.Mi/1E3),Y5a(this,this.Mi))}; +g.k.lW=function(){}; +g.k.Mj=function(){};g.w(c2,a2);g.k=c2.prototype;g.k.Ks=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=this;this.shrunkenPlayerBytesConfig=ZZ(this.Hb().Ba,"metadata_type_shrunken_player_bytes_config")}; +g.k.wt=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=null;this.Iu&&this.wc.get().removeCueRange(this.Iu);this.Iu=void 0;this.NG.dispose();this.lz&&this.lz.dispose()}; +g.k.Ft=function(a){var b=P0(this.Ca.get()),c=Q0(this.Ca.get());if(b&&c){c=ZZ(a.Ba,"metadata_type_preload_player_vars");var d=g.gJ(this.Ca.get().F.V().experiments,"html5_preload_wait_time_secs");c&&this.lz&&this.lz.start(1E3*d)}c=ZZ(a.Ba,"metadata_type_ad_video_id");d=ZZ(a.Ba,"metadata_type_legacy_info_card_vast_extension");c&&d&&this.dg.get().F.V().Aa.add(c,{jB:d});(c=ZZ(a.Ba,"metadata_type_sodar_extension_data"))&&m5a(this.hf.get(),c);k5a(this.Ha.get(),!1);V5a(this);b?(c=this.Pe.get(),a=ZZ(a.Ba, +"metadata_type_player_vars"),c.F.loadVideoByPlayerVars(a,!1,2)):(c=this.Pe.get(),a=ZZ(a.Ba,"metadata_type_player_vars"),c.F.cueVideoByPlayerVars(a,2));this.NG.start();b||this.Pe.get().F.playVideo(2)}; +g.k.kW=function(){this.NG.stop();this.Iu="adcompletioncuerange:"+this.Hb().layoutId;this.wc.get().addCueRange(this.Iu,0x7ffffffffffff,0x8000000000000,!1,this,2,2);var a;(this.adCpn=(null==(a=this.Va.get().vg(2))?void 0:a.clientPlaybackNonce)||"")||GD("Media layout confirmed started, but ad CPN not set.");this.zd.get().Na("onAdStart",this.adCpn)}; +g.k.Ei=function(){this.XK()}; +g.k.By=function(){var a;return null==(a=this.Va.get().vg(2))?void 0:a.h8}; +g.k.PH=function(){this.Za.lh("clickthrough")}; +g.k.It=function(){this.NG.stop();this.lz&&this.lz.stop();k5a(this.Ha.get(),!0);var a;(null==(a=this.shrunkenPlayerBytesConfig)?0:a.shouldRequestShrunkenPlayerBytes)&&this.Ha.get().Wz(!1)}; +g.k.onCueRangeEnter=function(a){a!==this.Iu?GD("Received CueRangeEnter signal for unknown layout.",this.pd(),this.Hb(),{cueRangeId:a}):(this.wc.get().removeCueRange(this.Iu),this.Iu=void 0,a=ZZ(this.Hb().Ba,"metadata_type_video_length_seconds"),b2(this,a,!0),this.md("complete"))}; +g.k.lW=function(a){"abandoned"!==a&&this.zd.get().Na("onAdComplete");this.zd.get().Na("onAdEnd",this.adCpn)}; +g.k.onCueRangeExit=function(){}; +g.k.Mj=function(a){"rendering"===this.Fc&&(this.shrunkenPlayerBytesConfig&&this.shrunkenPlayerBytesConfig.shouldRequestShrunkenPlayerBytes&&a>=(this.shrunkenPlayerBytesConfig.playerProgressOffsetSeconds||0)&&this.Ha.get().Wz(!0),b2(this,a))};g.w(a6a,W1);g.k=a6a.prototype;g.k.pd=function(){return this.j.pd()}; +g.k.Hb=function(){return this.j.Hb()}; +g.k.Ks=function(){this.j.init()}; +g.k.wt=function(){this.j.release()}; +g.k.Qv=function(){this.j.Qv()}; +g.k.ew=function(){this.j.ew()}; +g.k.gD=function(a,b){GD("Unexpected onSkipRequested from PlayerBytesVodSingleLayoutRenderingAdapter. Skip should be handled by Triggers",this.pd(),this.Hb(),{requestingSlot:a,requestingLayout:b})}; +g.k.Ft=function(a){this.j.startRendering(a)}; +g.k.It=function(a,b){this.j.Pg(a,b)}; +g.k.Tc=function(a,b){this.j.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);this.j.wd(a,b,c);b.layoutId===this.Hb().layoutId&&this.Mc.get().aA()}; +g.k.yV=function(){this.j.gG()}; +g.k.Mj=function(a){this.j.Mj(a)}; +g.k.wW=function(a){this.j.Jk(a)}; +g.k.fg=function(a,b,c){this.j.OC(a,b,c)}; +g.k.onFullscreenToggled=function(a){this.j.onFullscreenToggled(a)}; +g.k.Uh=function(a){this.j.Uh(a)}; +g.k.Ik=function(a){this.j.Ik(a)}; +g.k.onVolumeChange=function(){this.j.onVolumeChange()};d2.prototype.wf=function(a,b,c,d){if(a=c6a(a,b,c,d,this.Ue,this.j,this.Oa,this.Mb,this.hf,this.Pe,this.Va,this.Ha,this.wc,this.Mc,this.zd,this.Xf,this.Nb,this.dg,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.w(e2,g.C);g.k=e2.prototype;g.k.mW=function(a){if(!this.j){var b;null==(b=this.qf)||b.get().kt(a.identifier);return!1}d6a(this,this.j,a);return!0}; +g.k.eW=function(){}; +g.k.Nj=function(a){this.j&&this.j.contentCpn!==a&&(GD("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn}),this.j=null)}; +g.k.un=function(a){this.j&&this.j.contentCpn!==a&&GD("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn},!0);this.j=null}; +g.k.qa=function(){g.C.prototype.qa.call(this);this.j=null};g.w(f2,g.C);g.k=f2.prototype;g.k.Tc=function(a,b){var c=this;if("LAYOUT_TYPE_MEDIA"===b.layoutType&&fO(b,this.B)){var d=this.Va.get().vg(2),e=this.j(b,d||void 0,this.Ca.get().F.V().experiments.ob("enable_post_ad_perception_survey_in_tvhtml5"));e?zC(this.ac.get(),"OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",function(){var f=[T2a(c.Ib.get(),e.contentCpn,e.vp,function(h){return c.u(h.slotId,"core",e,c_(c.Jb.get(),h))},e.inPlayerSlotId)]; +e.instreamAdPlayerUnderlayRenderer&&U2a(c.Ca.get())&&f.push(e6a(c,e,e.instreamAdPlayerUnderlayRenderer));return f}):GD("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Lg=function(){}; +g.k.Qj=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.wd=function(){};var M2=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=i6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot)}; +g.k.release=function(){};h2.prototype.wf=function(a,b){return new i6a(a,b)};g.k=j6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot);C1(this.Ha.get(),"ad-showing")}; +g.k.release=function(){};g.k=k6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.u=this.Ha.get().isAtLiveHead();this.j=Math.ceil(Date.now()/1E3);this.callback.Lg(this.slot)}; +g.k.BF=function(){C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");var a=this.u?Infinity:this.Ha.get().getCurrentTimeSec(1,!0)+Math.floor(Date.now()/1E3)-this.j;this.Ha.get().F.seekTo(a,void 0,void 0,1);this.callback.Mg(this.slot)}; +g.k.release=function(){};g.k=l6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.callback.Lg(this.slot)}; +g.k.BF=function(){VP(this.Ha.get());C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");this.callback.Mg(this.slot)}; +g.k.release=function(){VP(this.Ha.get())};i2.prototype.wf=function(a,b){if(BC(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new j6a(a,b,this.Ha);if(b.slotEntryTrigger instanceof Z0&&BC(b,["metadata_type_served_from_live_infra"],"SLOT_TYPE_PLAYER_BYTES"))return new k6a(a,b,this.Ha);if(BC(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new l6a(a,b,this.Ha);throw new N("Unsupported slot with type "+b.slotType+" and client metadata: "+($Z(b.Ba)+" in PlayerBytesSlotAdapterFactory."));};g.w(k2,g.C);k2.prototype.j=function(a){for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"===d.category&&e.triggeringLayoutId===a&&b.push(d)}b.length?k0(this.gJ(),b):GD("Mute requested but no registered triggers can be activated.")};g.w(l2,k2);g.k=l2.prototype;g.k.gh=function(a,b){if(b)if("skip-button"===a){a=[];for(var c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"===d.category&&e.triggeringLayoutId===b&&a.push(d)}a.length&&k0(this.gJ(),a)}else V0(this.Ca.get(),"supports_multi_step_on_desktop")?"ad-action-submit-survey"===a&&m6a(this,b):"survey-submit"===a?m6a(this,b):"survey-single-select-answer-button"===a&&m6a(this,b)}; +g.k.nM=function(a){k2.prototype.j.call(this,a)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof I0||b instanceof H0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.lM=function(){}; +g.k.kM=function(){}; +g.k.hG=function(){};g.w(m2,g.C);g.k=m2.prototype; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof C0||b instanceof D0||b instanceof f1||b instanceof g1||b instanceof y0||b instanceof h1||b instanceof v4a||b instanceof A0||b instanceof B0||b instanceof F0||b instanceof u4a||b instanceof d1))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new j2(a,b,c,d);this.Wb.set(b.triggerId,a);b instanceof +y0&&this.D.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof C0&&this.B.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof A0&&this.u.has(b.triggeringLayoutId)&&k0(this.j(),[a])}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(a){this.D.add(a.slotId);for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof y0&&a.slotId===d.trigger.triggeringSlotId&&b.push(d);0XN(a,16)){a=g.t(this.j);for(var b=a.next();!b.done;b=a.next())this.onCueRangeEnter(b.value,!0);this.j.clear()}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(a,b){a=g.t(this.Wb.values());for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.Cu.trigger;c=c.Lu;if(o6a(d)&&d.layoutId===b.layoutId){var e=1E3*this.Ha.get().getCurrentTimeSec(1,!1);d instanceof b1?d=0:(d=e+d.offsetMs,e=0x7ffffffffffff);this.wc.get().addCueRange(c,d,e,!1,this)}}}; +g.k.wd=function(a,b,c){var d=this;a={};for(var e=g.t(this.Wb.values()),f=e.next();!f.done;a={xA:a.xA,Bp:a.Bp},f=e.next())f=f.value,a.Bp=f.Cu.trigger,a.xA=f.Lu,o6a(a.Bp)&&a.Bp.layoutId===b.layoutId?P4a(this.wc.get(),a.xA):a.Bp instanceof e1&&a.Bp.layoutId===b.layoutId&&"user_cancelled"===c&&(this.wc.get().removeCueRange(a.xA),g.gA(g.iA(),function(h){return function(){d.wc.get().addCueRange(h.xA,h.Bp.j.start,h.Bp.j.end,h.Bp.visible,d)}}(a)))}; +g.k.lj=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.onVolumeChange=function(){}; +g.k.Ul=function(){};g.w(p2,g.C);g.k=p2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof G0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.sy=function(){}; +g.k.Sr=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){};g.w(q2,g.C);g.k=q2.prototype;g.k.lj=function(a,b){for(var c=[],d=g.t(this.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&k0(this.j(),c)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof w4a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){};g.w(r2,g.C);r2.prototype.qa=function(){this.hn.isDisposed()||this.hn.get().removeListener(this);g.C.prototype.qa.call(this)};g.w(s2,g.C);s2.prototype.qa=function(){this.cf.isDisposed()||this.cf.get().removeListener(this);g.C.prototype.qa.call(this)};t2.prototype.fetch=function(a){var b=a.gT;return this.fu.fetch(a.MY,{nB:void 0===a.nB?void 0:a.nB,me:b}).then(function(c){return r6a(c,b)})};g.w(u2,g.C);g.k=u2.prototype;g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.iI=function(a){s6a(this,a,1)}; +g.k.onAdUxClicked=function(a,b){v2(this,function(c){c.gh(a,b)})}; +g.k.CN=function(a){v2(this,function(b){b.lM(a)})}; +g.k.BN=function(a){v2(this,function(b){b.kM(a)})}; +g.k.o5=function(a){v2(this,function(b){b.hG(a)})};g.w(w2,g.C);g.k=w2.prototype; +g.k.Nj=function(){this.D=new sO(this,S4a(this.Ca.get()));this.B=new tO;var a=this.F.getVideoData(1);if(!a.enableServerStitchedDai){var b=this.F.getVideoData(1),c;(null==(c=this.j)?void 0:c.clientPlaybackNonce)!==b.clientPlaybackNonce&&(null!=this.j&&this.j.unsubscribe("cuepointupdated",this.HN,this),b.subscribe("cuepointupdated",this.HN,this),this.j=b)}this.sI.length=0;var d;b=(null==(d=a.j)?void 0:Xva(d,0))||[];d=g.t(b);for(b=d.next();!b.done;b=d.next())b=b.value,this.gt(b)&&GD("Unexpected a GetAdBreak to go out without player waiting", +void 0,void 0,{cuePointId:b.identifier,cuePointEvent:b.event,contentCpn:a.clientPlaybackNonce})}; +g.k.un=function(){}; +g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.YN=function(a){this.sI.push(a);for(var b=!1,c=g.t(this.listeners),d=c.next();!d.done;d=c.next())b=d.value.mW(a)||b;this.C=b}; +g.k.fW=function(a){g.Nb(this.B.j,1E3*a);for(var b=g.t(this.listeners),c=b.next();!c.done;c=b.next())c.value.eW(a)}; +g.k.gt=function(a){u6a(this,a);this.D.reduce(a);a=this.C;this.C=!1;return a}; +g.k.HN=function(a){var b=this.F.getVideoData(1).isDaiEnabled();if(b||!g.FK(this.F.V())){a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,u6a(this,c),b?this.D.reduce(c):0!==this.F.getCurrentTime(1)&&"start"===c.event&&(this.Ca.get().F.V().experiments.ob("ignore_overlapping_cue_points_on_endemic_live_html5")&&(null==this.u?0:c.startSecs+c.Sg>=this.u.startSecs&&c.startSecs<=this.u.startSecs+this.u.Sg)?GD("Latest Endemic Live Web cue point overlaps with previous cue point"):(this.u=c,this.YN(c)))}}; +g.k.qa=function(){null!=this.j&&(this.j.unsubscribe("cuepointupdated",this.HN,this),this.j=null);this.listeners.length=0;this.sI.length=0;g.C.prototype.qa.call(this)};z2.prototype.addListener=function(a){this.listeners.push(a)}; +z2.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})};g.k=w6a.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.Ha.get().addListener(this);this.Ha.get().oF.push(this)}; +g.k.release=function(){this.Ha.get().removeListener(this);g5a(this.Ha.get(),this)}; +g.k.startRendering=function(a){this.callback.Tc(this.slot,a)}; +g.k.Pg=function(a,b){this.callback.wd(this.slot,a,b)}; +g.k.Ul=function(a){switch(a.id){case "part2viewed":this.Za.md("start");break;case "videoplaytime25":this.Za.md("first_quartile");break;case "videoplaytime50":this.Za.md("midpoint");break;case "videoplaytime75":this.Za.md("third_quartile");break;case "videoplaytime100":this.Za.md("complete");break;case "engagedview":if(!T4a(this.Ca.get())){this.Za.md("progress");break}y5a(this.Za)||this.Za.md("progress");break;case "conversionview":case "videoplaybackstart":case "videoplayback2s":case "videoplayback10s":break; +default:GD("Cue Range ID unknown in DiscoveryLayoutRenderingAdapter",this.slot,this.layout)}}; +g.k.onVolumeChange=function(){}; +g.k.Ik=function(){}; +g.k.Uh=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Jk=function(){}; +g.k.Mj=function(){}; +g.k.bW=function(a){T4a(this.Ca.get())&&y5a(this.Za)&&M1(this.Za,1E3*a,!1)};x6a.prototype.wf=function(a,b,c,d){b=["metadata_type_ad_placement_config"];for(var e=g.t(K1()),f=e.next();!f.done;f=e.next())b.push(f.value);if(H1(d,{Ae:b,Rf:["LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER"]}))return new w6a(a,c,d,this.Ha,this.Oa,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlaybackTrackingLayoutRenderingAdapterFactory.");};g.k=A2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.xf.get().addListener(this);this.Ha.get().addListener(this);this.Ks();var a=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),b=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms"),c,d=null==(c=this.Va.get().Nu)?void 0:c.clientPlaybackNonce;c=this.layout.Ac.adClientDataEntry;y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:b-a,contentCpn:d,adClientData:c}});var e=this.xf.get();e=uO(e.B,a,b);null!==e&&(y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:e-a,contentCpn:d, +cueDurationChange:"DAI_CUE_DURATION_CHANGE_SHORTER",adClientData:c}}),this.qf.get().Fu(e,b))}; +g.k.release=function(){this.wt();this.xf.get().removeListener(this);this.Ha.get().removeListener(this)}; +g.k.startRendering=function(){this.Ft();this.callback.Tc(this.slot,this.layout)}; +g.k.Pg=function(a,b){this.It(b);null!==this.driftRecoveryMs&&(z6a(this,{driftRecoveryMs:this.driftRecoveryMs.toString(),breakDurationMs:Math.round(y6a(this)-ZZ(this.layout.Ba,"metadata_type_layout_enter_ms")).toString(),driftFromHeadMs:Math.round(1E3*this.Ha.get().F.us()).toString()}),this.driftRecoveryMs=null);this.callback.wd(this.slot,this.layout,b)}; +g.k.mW=function(){return!1}; +g.k.eW=function(a){var b=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),c=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms");a*=1E3;if(b<=a&&aa.width&&C2(this.C,this.layout)}; +g.k.onVolumeChange=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Jk=function(){}; +g.k.Ul=function(){}; +g.k.qa=function(){P1.prototype.qa.call(this)}; +g.k.release=function(){P1.prototype.release.call(this);this.Ha.get().removeListener(this)};w7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,{Ae:["METADATA_TYPE_VALID_INSTREAM_SURVEY_AD_RENDERER_FOR_VOD"],Rf:["LAYOUT_TYPE_SURVEY"]}))return new v7a(c,d,a,this.vc,this.u,this.Ha,this.Ca);if(H1(d, +{Ae:["metadata_type_player_bytes_layout_controls_callback_ref","metadata_type_valid_survey_text_interstitial_renderer","metadata_type_ad_placement_config"],Rf:["LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT"]}))return new F2(c,d,a,this.vc,this.Oa);if(H1(d,J5a()))return new U1(c,d,a,this.vc,this.Ha,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebDesktopMainInPlayerLayoutRenderingAdapterFactory.");};g.w(L2,g.C);g.k=L2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof O3a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d));a=this.j.has(b.triggeringLayoutId)?this.j.get(b.triggeringLayoutId):new Set;a.add(b);this.j.set(b.triggeringLayoutId,a)}; +g.k.gm=function(a){this.Wb.delete(a.triggerId);if(!(a instanceof O3a))throw new N("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.u.get(a.triggerId);b&&(b.dispose(),this.u.delete(a.triggerId));if(b=this.j.get(a.triggeringLayoutId))b.delete(a),0===b.size&&this.j.delete(a.triggeringLayoutId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.Tc=function(a,b){var c=this;if(this.j.has(b.layoutId)){b=this.j.get(b.layoutId);a={};b=g.t(b);for(var d=b.next();!d.done;a={AA:a.AA},d=b.next())a.AA=d.value,d=new g.Ip(function(e){return function(){var f=c.Wb.get(e.AA.triggerId);k0(c.B(),[f])}}(a),a.AA.durationMs),d.start(),this.u.set(a.AA.triggerId,d)}}; +g.k.wd=function(){};g.w(y7a,g.C);z7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.w(A7a,g.C);g.w(B7a,g.C);g.w(C7a,g.C);g.w(N2,T1);N2.prototype.startRendering=function(a){T1.prototype.startRendering.call(this,a);ZZ(this.layout.Ba,"metadata_ad_video_is_listed")&&(a=ZZ(this.layout.Ba,"metadata_type_ad_info_ad_metadata"),this.Bm.get().F.Na("onAdMetadataAvailable",a))};E7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.w(F7a,g.C);G7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);if(a=V1(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.j,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.w(H7a,g.C);g.w(J7a,g.C);J7a.prototype.B=function(){return this.u};g.w(K7a,FQ); +K7a.prototype.C=function(a){var b=a.content;if("shopping-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,shoppingCompanionCarouselRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:this.j.Na("updateKevlarOrC3Companion",{})}else if("action-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1); +this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,actionCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b.renderer&&(b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})),this.j.Na("updateKevlarOrC3Companion",{})}else if("image-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion", +{contentVideoId:a&&a.videoId,imageCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId}),this.j.Na("updateKevlarOrC3Companion",{})}else if("ads-engagement-panel"===b.componentType)switch(b=b.renderer,a.actionType){case 1:case 2:this.j.Na("updateEngagementPanelAction",b.addAction);this.j.Na("changeEngagementPanelVisibility", +b.expandAction);break;case 3:this.j.Na("changeEngagementPanelVisibility",b.hideAction),this.j.Na("updateEngagementPanelAction",b.removeAction)}};g.w(L7a,NQ);g.k=L7a.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);g.Hm(this.B,"stroke-dasharray","0 "+this.u);this.api.V().K("enable_dark_mode_style_endcap_timed_pie_countdown")&&(this.B.classList.add("ytp-ad-timed-pie-countdown-inner-light"),this.C.classList.add("ytp-ad-timed-pie-countdown-outer-light"));this.show()}; +g.k.clear=function(){this.hide()}; +g.k.hide=function(){PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&g.Hm(this.B,"stroke-dasharray",a.current/a.seekableEnd*this.u+" "+this.u)}};g.w(M7a,eQ);g.k=M7a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&g.K(b.actionButton,g.mM))if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)g.CD(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!=e&& +0=this.B?(this.C.hide(),this.J=!0):this.messageText&&this.messageText.isTemplated()&&(a=Math.max(0,Math.ceil((this.B-a)/1E3)),a!==this.Z&&(MQ(this.messageText,{TIME_REMAINING:String(a)}),this.Z=a)))}};g.w(a8a,eQ);g.k=a8a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,{});b.image&&b.image.thumbnail?b.headline?b.description?b.actionButton&&g.K(b.actionButton,g.mM)?(this.B.init(fN("ad-image"),b.image,c),this.u.init(fN("ad-text"),b.headline,c),this.C.init(fN("ad-text"),b.description,c),a=["ytp-ad-underlay-action-button"],this.api.V().K("use_blue_buttons_for_desktop_player_underlay")&&a.push("ytp-ad-underlay-action-button-blue"),this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb, +a),b.backgroundColor&&g.Hm(this.element,"background-color",g.nR(b.backgroundColor)),g.E(this,this.actionButton),this.actionButton.Ea(this.D),this.actionButton.init(fN("button"),g.K(b.actionButton,g.mM),c),b=g.gJ(this.api.V().experiments,"player_underlay_video_width_fraction"),this.api.V().K("place_shrunken_video_on_left_of_player")?(c=this.j,g.Sp(c,"ytp-ad-underlay-left-container"),g.Qp(c,"ytp-ad-underlay-right-container"),g.Hm(this.j,"margin-left",Math.round(100*(b+.02))+"%")):(c=this.j,g.Sp(c,"ytp-ad-underlay-right-container"), +g.Qp(c,"ytp-ad-underlay-left-container")),g.Hm(this.j,"width",Math.round(100*(1-b-.04))+"%"),this.api.uG()&&this.show(),this.api.addEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this)),this.api.addEventListener("resize",this.qU.bind(this))):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no button.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no description AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no headline AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no image."))}; +g.k.show=function(){b8a(!0);this.actionButton&&this.actionButton.show();eQ.prototype.show.call(this)}; +g.k.hide=function(){b8a(!1);this.actionButton&&this.actionButton.hide();eQ.prototype.hide.call(this)}; +g.k.clear=function(){this.api.removeEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this));this.api.removeEventListener("resize",this.qU.bind(this));this.hide()}; +g.k.onClick=function(a){eQ.prototype.onClick.call(this,a);this.actionButton&&g.zf(this.actionButton.element,a.target)&&this.api.pauseVideo()}; +g.k.CQ=function(a){"transitioning"===a?(this.j.classList.remove("ytp-ad-underlay-clickable"),this.show()):"visible"===a?this.j.classList.add("ytp-ad-underlay-clickable"):"hidden"===a&&(this.hide(),this.j.classList.remove("ytp-ad-underlay-clickable"))}; +g.k.qU=function(a){1200a)g.CD(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&g.K(b.ctaButton,g.mM))if(b.brandImage)if(b.backgroundImage&&g.K(b.backgroundImage,U0)&&g.K(b.backgroundImage,U0).landscape){this.layoutId||g.CD(Error("Missing layoutId for survey interstitial."));p8a(this.interstitial,g.K(b.backgroundImage, +U0).landscape);p8a(this.logoImage,b.brandImage);g.Af(this.text,g.gE(b.text));var e=["ytp-ad-survey-interstitial-action-button"];this.api.V().K("web_modern_buttons_bl_survey")&&e.push("ytp-ad-survey-interstitial-action-button-rounded");this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,e);g.E(this,this.actionButton);this.actionButton.Ea(this.u);this.actionButton.init(fN("button"),g.K(b.ctaButton,g.mM),c);this.actionButton.show();this.j=new cR(this.api,1E3*a); +this.j.subscribe("g",function(){d.transition.hide()}); +g.E(this,this.j);this.S(this.element,"click",function(f){var h=f.target===d.interstitial;f=d.actionButton.element.contains(f.target);if(h||f)if(d.transition.hide(),h)d.api.onAdUxClicked(d.componentType,d.layoutId)}); +this.transition.show(100)}else g.CD(Error("SurveyTextInterstitialRenderer has no landscape background image."));else g.CD(Error("SurveyTextInterstitialRenderer has no brandImage."));else g.CD(Error("SurveyTextInterstitialRenderer has no button."));else g.CD(Error("SurveyTextInterstitialRenderer has no text."));else g.CD(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; +X2.prototype.clear=function(){this.hide()}; +X2.prototype.show=function(){q8a(!0);eQ.prototype.show.call(this)}; +X2.prototype.hide=function(){q8a(!1);eQ.prototype.hide.call(this)};var idb="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.w(Y2,FQ); +Y2.prototype.C=function(a){var b=a.id,c=a.content,d=c.componentType;if(!idb.includes(d))switch(a.actionType){case 1:a=this.api;var e=this.rb,f=c.layoutId,h=c.interactionLoggingClientData,l=c instanceof aO?c.pP:!1,m=c instanceof aO||c instanceof bR?c.gI:!1;h=void 0===h?{}:h;l=void 0===l?!1:l;m=void 0===m?!1:m;switch(d){case "invideo-overlay":a=new R7a(a,f,h,e);break;case "player-overlay":a=new lR(a,f,h,e,new gU(a),m);break;case "survey":a=new W2(a,f,h,e);break;case "ad-action-interstitial":a=new M7a(a, +f,h,e,l,m);break;case "survey-interstitial":a=new X2(a,f,h,e);break;case "ad-message":a=new Z7a(a,f,h,e,new gU(a,1));break;case "player-underlay":a=new a8a(a,f,h,e);break;default:a=null}if(!a){g.DD(Error("No UI component returned from ComponentFactory for type: "+d));break}g.$c(this.u,b)?g.DD(Error("Ad UI component already registered: "+b)):this.u[b]=a;a.bind(c);c instanceof l7a?this.B?this.B.append(a.VO):g.CD(Error("Underlay view was not created but UnderlayRenderer was created")):this.D.append(a.VO); +break;case 2:b=r8a(this,a);if(null==b)break;b.bind(c);break;case 3:c=r8a(this,a),null!=c&&(g.Za(c),g.$c(this.u,b)?g.id(this.u,b):g.DD(Error("Ad UI component does not exist: "+b)))}}; +Y2.prototype.qa=function(){g.$a(Object.values(this.u));this.u={};FQ.prototype.qa.call(this)};g.w(s8a,g.CT);g.k=s8a.prototype;g.k.create=function(){try{t8a(this),this.load(),this.created=!0,t8a(this)}catch(a){GD(a instanceof Error?a:String(a))}}; +g.k.load=function(){try{v8a(this)}finally{k1(O2(this.j).Di)&&this.player.jg("ad",1)}}; +g.k.destroy=function(){var a=this.player.getVideoData(1);this.j.j.Zs.un(a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; +g.k.unload=function(){g.CT.prototype.unload.call(this);zsa(!1);try{this.player.getRootNode().classList.remove("ad-created")}catch(b){GD(b instanceof Error?b:String(b))}if(null!==this.xe){var a=this.xe;this.xe=null;a.dispose()}null!=this.u&&(a=this.u,this.u=null,a.dispose());this.fu.reset()}; +g.k.Tk=function(){return!1}; +g.k.qP=function(){return null===this.xe?!1:this.xe.qP()}; +g.k.bp=function(a){null!==this.xe&&this.xe.bp(a)}; +g.k.getAdState=function(){return this.xe?this.xe.qG:-1}; +g.k.getOptions=function(){return Object.values(hdb)}; +g.k.qh=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":return a=b,a.url?(b=BN(this.player),Object.assign(b,a.s6a),this.xe&&!b.AD_CPN&&(b.AD_CPN=this.xe.GB()),a=g.xp(a.url,b)):a=null,a;case "onAboutThisAdPopupClosed":this.Ys(b);break;case "executeCommand":a=b;a.command&&a.layoutId&&this.executeCommand(a);break;default:return null}}; +g.k.gt=function(a){var b;return!(null==(b=this.j.j.xf)||!b.get().gt(a))}; +g.k.Ys=function(a){a.isMuted&&hEa(this.xe,O2(this.j).Kj,O2(this.j).Tl,a.layoutId);this.Gx&&this.Gx.Ys()}; +g.k.executeCommand=function(a){O2(this.j).rb.executeCommand(a.command,a.layoutId)};g.BT("ad",s8a);var B8a=g.mf&&A8a();g.w(g.Z2,g.C);g.Z2.prototype.start=function(a,b,c){this.config={from:a,to:b,duration:c,startTime:(0,g.M)()};this.next()}; +g.Z2.prototype.stop=function(){this.delay.stop();this.config=void 0}; +g.Z2.prototype.next=function(){if(this.config){var a=this.config,b=a.from,c=a.to,d=a.duration;a=a.startTime;var e=(0,g.M)()-a;a=this.j;d=Ala(a,e/d);if(0==d)a=a.J;else if(1==d)a=a.T;else{e=De(a.J,a.D,d);var f=De(a.D,a.I,d);a=De(a.I,a.T,d);e=De(e,f,d);f=De(f,a,d);a=De(e,f,d)}a=g.ze(a,0,1);this.callback(b+(c-b)*a);1>a&&this.delay.start()}};g.w(g.$2,g.U);g.k=g.$2.prototype;g.k.JZ=function(){this.B&&this.scrollTo(this.j-this.containerWidth)}; +g.k.show=function(){g.U.prototype.show.call(this);F8a(this)}; +g.k.KZ=function(){this.B&&this.scrollTo(this.j+this.containerWidth)}; +g.k.Hq=function(){this.Db(this.api.jb().getPlayerSize())}; +g.k.isShortsModeEnabled=function(){return this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.I.Sb()}; +g.k.Db=function(a){var b=this.isShortsModeEnabled()?.5625:16/9,c=this.I.yg();a=a.width-(c?112:58);c=Math.ceil(a/(c?320:192));var d=(a-8*c)/c;b=Math.floor(d/b);for(var e=g.t(this.u),f=e.next();!f.done;f=e.next())f=f.value.Da("ytp-suggestion-image"),f.style.width=d+"px",f.style.height=b+"px";this.suggestions.element.style.height=b+"px";this.D=d;this.Z=b;this.containerWidth=a;this.columns=c;this.j=0;this.suggestions.element.scrollLeft=-0;g.a3(this)}; +g.k.onVideoDataChange=function(){var a=this.api.V(),b=this.api.getVideoData();this.J=b.D?!1:a.C;this.suggestionData=b.suggestions?g.Rn(b.suggestions,function(c){return c&&!c.playlistId}):[]; +H8a(this);b.D?this.title.update({title:g.lO("More videos from $DNI_RELATED_CHANNEL",{DNI_RELATED_CHANNEL:b.author})}):this.title.update({title:this.isShortsModeEnabled()?"More shorts":"More videos"})}; +g.k.scrollTo=function(a){a=g.ze(a,this.containerWidth-this.suggestionData.length*(this.D+8),0);this.T.start(this.j,a,1E3);this.j=a;g.a3(this);F8a(this)};})(_yt_player); diff --git a/test/files/videos/live-now/watch.html b/test/files/videos/live-now/watch.html index 4a010d34..afd2b707 100644 --- a/test/files/videos/live-now/watch.html +++ b/test/files/videos/live-now/watch.html @@ -14,10 +14,10 @@ false);function isGecko(){if(!w.navigator||!w.navigator.userAgent)return false;var ua=w.navigator.userAgent;return ua.indexOf("Gecko")>0&&ua.toLowerCase().indexOf("webkit")<0&&ua.indexOf("Edge")<0&&ua.indexOf("Trident")<0&&ua.indexOf("MSIE")<0}if(isGecko()){var isHidden=(d.visibilityState||d.webkitVisibilityState)=="hidden";if(isHidden)ytcsi.tick("vc")}var slt=function(el,t){setTimeout(function(){var n=ytcsi.now();el.loadTime=n;if(el.slt)el.slt()},t)};w.__ytRIL=function(el){if(!el.getAttribute("data-thumb"))if(w.requestAnimationFrame)w.requestAnimationFrame(function(){slt(el, 0)});else slt(el,16)}})(window,document); lofi hip hop radio - beats to relax/study to - YouTube
lofi hip hop radio - beats to relax/study to - YouTube
AboutPressCopyrightContact usCreatorsAdvertiseDevelopersTermsPrivacyPolicy & SafetyHow YouTube worksTest new features
\ No newline at end of file + };window.getPageData = function() {if (window.ytcsi) {window.ytcsi.tick('pr', null, '');}var endpoint = null;endpoint = {"clickTrackingParams":"IhMI-9yuo4nP7QIVJd7jBx18QwROMghleHRlcm5hbA==","commandMetadata":{"webCommandMetadata":{"url":"/watch?v=jfKfPfyJRdk","webPageType":"WEB_PAGE_TYPE_WATCH","rootVe":3832}},"watchEndpoint":{"videoId":"jfKfPfyJRdk"}};var data = {page: 'watch', player: window.ytplayer.config, playerResponse: window.ytInitialPlayerResponse,url: '\/watch?v\x3djfKfPfyJRdk\x26hl\x3den',response: window.ytInitialData, endpoint: endpoint,}; return {data: data, endpoint: endpoint};}; if (window.loadDataHook) {var pageData = window.getPageData(); window.loadDataHook(pageData.endpoint, pageData.data); window.loadDataHook = null;}setFiller();})(); \ No newline at end of file diff --git a/test/files/videos/live-with-cc/player_ias.vflset.js b/test/files/videos/live-with-cc/player_ias.vflset.js index 8e63698b..aab05559 100644 --- a/test/files/videos/live-with-cc/player_ias.vflset.js +++ b/test/files/videos/live-with-cc/player_ias.vflset.js @@ -1,8750 +1,12277 @@ var _yt_player={};(function(g){var window=this;/* + (The MIT License) + + Copyright (C) 2014 by Vitaly Puzrin + + 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. + + ----------------------------------------------------------------------------- + Ported from zlib, which is under the following license + https://github.com/madler/zlib/blob/master/zlib.h + + zlib.h -- interface of the 'zlib' general purpose compression library + version 1.2.8, April 28th, 2013 + Copyright (C) 1995-2013 Jean-loup Gailly and Mark Adler + This software is provided 'as-is', without any express or implied + warranty. In no event will the authors be held liable for any damages + arising from the use of this software. + Permission is granted to anyone to use this software for any purpose, + including commercial applications, and to alter it and redistribute it + freely, subject to the following restrictions: + 1. The origin of this software must not be misrepresented; you must not + claim that you wrote the original software. If you use this software + in a product, an acknowledgment in the product documentation would be + appreciated but is not required. + 2. Altered source versions must be plainly marked as such, and must not be + misrepresented as being the original software. + 3. This notice may not be removed or altered from any source distribution. + Jean-loup Gailly Mark Adler + jloup@gzip.org madler@alumni.caltech.edu + The data format used by the zlib library is described by RFCs (Request for + Comments) 1950 to 1952 in the files http://tools.ietf.org/html/rfc1950 + (zlib format), rfc1951 (deflate format) and rfc1952 (gzip format). +*/ +/* + + + The MIT License (MIT) + + Copyright (c) 2015-present Dan Abramov + + 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. +*/ +/* + Copyright The Closure Library Authors. SPDX-License-Identifier: Apache-2.0 */ -var ba,da,aaa,ha,ka,la,pa,qa,ra,sa,ta,ua,baa,caa,va,wa,daa,xa,za,Aa,Ba,Ca,Da,Ea,Ia,Ga,La,Ma,gaa,haa,Xa,Ya,Za,iaa,jaa,$a,kaa,bb,cb,laa,maa,eb,lb,naa,sb,tb,oaa,yb,vb,paa,wb,qaa,raa,saa,Hb,Jb,Kb,Ob,Qb,Rb,$b,bc,ec,fc,ic,jc,vaa,lc,nc,oc,xc,yc,Bc,Gc,Mc,Nc,Sc,Pc,zaa,Caa,Daa,Eaa,Wc,Xc,Zc,Yc,ad,dd,Faa,Gaa,cd,Haa,ld,md,nd,qd,sd,td,Jaa,ud,vd,zd,Ad,Bd,Cd,Dd,Ed,Fd,Gd,Ld,Nd,Od,Qd,Sd,Td,Laa,Ud,Vd,Wd,Xd,Yd,Zd,fe,he,ke,oe,pe,ve,we,ze,xe,Be,Ee,De,Ce,Qaa,me,Se,Oe,Pe,Ue,Te,le,Ve,We,Saa,$e,bf,Ze,df,ef,ff,gf,hf,jf,kf, -nf,Taa,uf,qf,Hf,Uaa,Lf,Nf,Pf,Vaa,Qf,Sf,Tf,Vf,Wf,Xf,Yf,Zf,ag,$f,bg,cg,Yaa,$aa,aba,cba,hg,ig,kg,mg,ng,dba,og,eba,pg,fba,qg,tg,zg,Ag,Dg,gba,Gg,Fg,Hg,hba,Qg,Rg,Sg,iba,Tg,Ug,Vg,Wg,Xg,Yg,Zg,jba,$g,ah,bh,kba,lba,ch,eh,dh,gh,hh,kh,ih,nba,jh,lh,mh,oh,nh,oba,ph,qba,pba,rba,sh,sba,uh,vh,wh,th,yh,tba,zh,uba,vba,Ch,xba,Dh,Eh,Fh,yba,Hh,Jh,Mh,Qh,Sh,Ph,Oh,Th,zba,Uh,Vh,Wh,Xh,Bba,bi,ci,di,ei,Dba,fi,gi,hi,ii,ji,Eba,li,mi,ni,oi,pi,qi,si,ti,ui,xi,yi,ri,zi,Ai,Bi,Fba,Ci,Di,Gba,Ei,Fi,Hba,Hi,Iba,Ii,Ji,Ki,Jba,Li,Mi,Oi,Si, -Ti,Ui,Vi,Wi,Ni,Pi,Lba,Xi,Yi,$i,Zi,Mba,Nba,Oba,aj,bj,cj,dj,Sba,Tba,Uba,ej,gj,Vba,Wba,Xba,ij,jj,Yba,kj,Zba,$ba,lj,mj,nj,aca,pj,qj,rj,sj,tj,uj,vj,wj,xj,yj,zj,bca,cca,Aj,dca,Cj,Bj,Fj,Gj,Ej,eca,ica,hca,Ij,jca,kca,lca,nca,mca,oca,Jj,Oj,Qj,Rj,Sj,qca,Uj,Vj,rca,sca,Wj,Xj,Yj,Zj,tca,ak,bk,vca,ck,wca,dk,fk,ek,gk,hk,jk,yca,kk,xca,lk,zca,nk,Aca,Bca,pk,rk,sk,tk,uk,qk,xk,yk,vk,Cca,Eca,Fca,Ak,Bk,Ck,Dk,Gca,Ek,Fk,Gk,Hk,Ik,Jk,Kk,Lk,Ok,Nk,Ica,Jca,Pk,Rk,Mk,Qk,Hca,Sk,Tk,Lca,Mca,Nca,Oca,Xk,Yk,Zk,Pca,Uk,$k,al,Kca,Qca,Rca, -Sca,dl,bl,el,gl,Xca,Tca,kl,ll,pl,ql,rl,sl,oj,Yca,tl,ul,Zca,$ca,ada,bda,cda,wl,xl,yl,zl,Al,Bl,fda,gda,Cl,Dl,Fl,Hl,ida,Il,Jl,Kl,Ll,Nl,Pl,jda,Ml,Vl,Wl,Sl,Zl,Yl,lda,Ql,Ol,bm,cm,dm,em,gm,nda,hm,im,oda,nm,pm,rm,sm,um,vm,wm,ym,pda,qda,Am,Cm,Dm,zm,Bm,qm,xm,sda,Gm,Em,Fm,Im,rda,Hm,Mm,Pm,Om,Um,Vm,Xm,vda,Wm,Zm,an,$m,tda,dn,fn,yda,hn,jn,ln,mn,nn,on,un,zda,wn,xn,Bda,yn,zn,Gda,Cda,Gn,Lda,Hn,In,Nda,Ln,Mn,Nn,On,Oda,$n,ao,bo,co,fo,go,ho,io,ko,lo,oo,po,qo,Rda,Sda,so,to,xo,uo,yo,Ao,Bo,zo,Tda,Eo,M,Ho,Ro,Qo,Wda,Xda,To, -Wo,Xo,Yo,Zo,Zda,$da,fp,gp,hp,aea,np,op,pp,rp,tp,qp,wp,zp,yp,xp,Bp,Hp,Gp,bea,eea,dea,Sp,Tp,Up,Vp,Wp,Xp,Yp,bq,$p,cq,dq,eq,hq,gq,hea,jq,iea,nq,mq,kea,oq,pq,lea,tq,mea,nea,rq,uq,oea,zq,Aq,Bq,Dq,pea,Iq,Hq,Cq,Jq,Kq,qea,rea,Rq,sea,tea,Sq,Uq,Vq,Tq,Wq,Xq,Yq,Zq,$q,ar,br,cr,er,fr,hr,ir,jr,lr,mr,nr,pr,rr,sr,dr,vr,wr,xr,Tr,yr,vea,Vr,Wr,wea,yea,xea,Rr,Xr,zea,Zr,uea,Aea,Sr,$r,Bea,as,Yr,Cea,bs,cs,ds,fs,gs,Dea,js,ks,ls,ms,os,ns,Eea,Fea,Gea,Hea,ps,qs,ts,vs,us,Jea,Iea,ws,ys,xs,As,Bs,Kea,Lea,Es,Gs,Fs,Mea,Pea,Ns,Os,Qea, -Qs,Ss,Us,Ts,Ws,Xs,Ys,$s,Zs,Sea,ct,dt,et,ft,kt,lt,it,Vea,Tea,mt,pt,qt,Xea,nt,ot,rt,tt,vt,wt,At,xt,Ct,Bt,Dt,Yea,Ht,It,Kt,$ea,Mt,Nt,Ot,Qt,afa,St,Ut,Vt,Zt,$t,bfa,Wt,cfa,hu,qu,ou,dfa,vu,uu,xu,tu,wu,yu,Au,Bu,zu,Cu,Du,Eu,Fu,Iu,Gu,ffa,Ju,Ku,Lu,Mu,Nu,gfa,Hu,Ou,Pu,Qu,Ru,Su,Tu,Uu,Vu,Wu,Xu,Yu,Zu,hfa,$u,ifa,av,bv,dv,fv,jfa,gv,kv,iv,ev,lv,hv,jv,mv,nv,ov,kfa,qv,rv,yv,lfa,uv,Av,Cv,Fv,Ev,wv,Bv,zv,mfa,Gv,Iv,Jv,nfa,Kv,Lv,tv,vv,xv,Dv,Mv,Nv,Ov,Pv,Qv,Rv,Sv,Tv,Uv,Vv,Wv,Xv,Yv,Zv,$v,bw,dw,cw,ew,fw,gw,iw,jw,lw,nw,ow,qw,ufa, -rw,tw,uw,vw,xw,yw,zw,Aw,ww,xfa,Bw,Cw,Dw,Ew,Fw,yfa,Gw,Hw,Iw,zfa,Afa,Bfa,Kw,Lw,Cfa,Nw,Dfa,Mw,Ow,Qw,Rw,Sw,Uw,Vw,Ww,Zw,$w,Xw,dx,ex,fx,gx,hx,ix,jx,bx,Mx,Nx,Px,Qx,Sx,Tx,Ux,Wx,Xx,Yx,Zx,$x,ay,by,Efa,cy,Ffa,hy,iy,Gfa,jy,Ifa,Jfa,Kfa,Lfa,my,Mfa,Nfa,Ofa,Pfa,ny,Qfa,Rfa,oy,Sfa,fy,ky,ly,Hfa,py,Tfa,Ufa,sy,uy,ty,Vfa,qy,ry,Wfa,Xfa,vy,wy,yy,Yfa,Zfa,$fa,aga,zy,Ay,By,Cy,Dy,Ey,Fy,Gy,Ny,Jy,cga,Py,Ky,Ly,Iy,My,Hy,Oy,Ty,Sy,Ry,Vy,Wy,ega,fga,Yy,Zy,gga,bz,hz,fz,kz,cz,lz,$y,nz,dz,az,jz,oz,pz,qz,sz,rz,tz,vz,wz,xz,Az,Bz,Cz,zz,Ez, -Hz,Iz,lga,Fz,oga,Gz,Qz,Sz,Rz,Lz,mga,pga,Tz,Uz,Mz,jga,Vz,Wz,Xz,cA,qga,dA,eA,fA,gA,hA,iA,jA,lA,kA,mA,nA,rA,tA,uA,vA,wA,yA,zA,CA,sA,pA,oA,qA,DA,EA,FA,GA,BA,xA,AA,HA,IA,JA,KA,MA,LA,NA,tga,ez,Oz,Nz,PA,gz,QA,RA,Xy,OA,SA,TA,VA,UA,vga,WA,XA,YA,ZA,$A,bB,aB,cB,wga,dB,eB,fB,gB,hB,xga,yga,Cga,Dga,zga,Aga,Bga,iB,jB,Ega,Fga,Gga,lB,mB,nB,Hga,oB,qB,rB,sB,tB,uB,wB,xB,yB,zB,AB,Iga,CB,BB,EB,DB,FB,GB,Jga,HB,JB,Lga,KB,Mga,Nga,LB,MB,Oga,Pga,Qga,NB,Rga,RB,OB,UB,Sga,Tga,VB,Uga,WB,XB,Vga,YB,ZB,Wga,Xga,Yga,SB,Zga,$B,aC,bC, -cC,dC,eC,bha,aha,gC,hC,fC,cha,dha,eha,mC,nC,pC,qC,rC,sC,tC,uC,oC,wC,fha,yC,zC,AC,iC,gha,CC,DC,EC,FC,GC,HC,IC,JC,LC,MC,KC,kha,lha,PC,OC,jha,iha,NC,QC,rga,RC,mha,SC,nha,oha,UC,WC,VC,TC,R,YC,ZC,$C,aD,bD,AD,BD,ED,FD,mD,rD,cD,vD,uD,yD,ID,KD,MD,QD,jD,RD,iD,SD,tD,xha,Aha,Bha,Cha,$D,aE,bE,cE,Dha,WD,dE,eE,VD,yha,gE,XD,YD,zha,hE,ZD,Eha,Fha,iE,Gha,jE,Hha,nE,kE,mE,lE,Iha,mz,hga,oE,pE,Jha,rE,sE,tE,yE,zE,qE,AE,xE,CE,DE,FE,EE,GE,HE,JE,KE,LE,ME,SE,OE,VE,PE,YE,WE,ZE,RE,Oha,$E,NE,bF,cF,Pha,fF,Rha,Sha,Tha,kF,Uha,jF, -lF,mF,nF,oF,pF,qF,Vha,rF,uF,Xha,vF,wF,xF,zF,BF,DF,FF,Zha,aia,bia,cia,EF,HF,JF,eia,KF,NF,fia,MF,QF,RF,LF,OF,sF,Wha,CF,Yha,gia,hia,tF,IF,AF,yF,PF,iia,jia,TF,SF,VF,WF,UF,XF,$F,kia,lia,aG,bG,gG,oia,pia,eG,mia,mG,yia,zia,rG,sG,tG,uG,vG,wG,xG,yG,zG,AG,BG,CG,DG,EG,FG,GG,HG,IG,JG,KG,LG,MG,NG,OG,PG,QG,RG,SG,TG,UG,VG,WG,XG,YG,ZG,$G,aH,bH,cH,dH,eH,fH,gH,Aia,jH,kH,lH,mH,nH,oH,pH,S,hH,qH,Bia,rH,sH,tH,uH,Cia,vH,wH,yH,Eia,zH,AH,Fia,Dia,Gia,BH,CH,Hia,DH,EH,Iia,Jia,FH,GH,Kia,Oia,HH,Lia,Nia,Mia,IH,Pia,JH,Qia,Ria,Sia, -YH,ZH,bI,aI,cI,dI,eI,fI,Uia,Via,Wia,hI,iI,lI,kI,Cla,nI,oI,jI,pI,qI,Dla,uI,yI,zI,BI,Gla,HI,JI,EI,KI,Fla,Hla,LI,NI,OI,MI,PI,Ila,DI,II,TI,Jla,Kla,Lla,Nla,UI,VI,Mla,XI,YI,ZI,aJ,bJ,GI,vI,dJ,xI,wI,fJ,SI,Ola,kJ,lJ,mJ,nJ,oJ,AI,qJ,pJ,RI,QI,rJ,cJ,CI,FI,Pla,tI,uJ,sI,gI,Qla,vJ,wJ,xJ,Rla,yJ,Sla,zJ,BJ,Tla,Ula,Wla,Vla,CJ,DJ,Xla,EJ,FJ,GJ,HJ,IJ,JJ,KJ,LJ,MJ,NJ,Yla,OJ,PJ,QJ,RJ,TJ,ama,SJ,bma,Zla,UJ,$la,VJ,cma,WJ,XJ,YJ,ZJ,$J,aK,bK,dK,cK,eK,gK,hK,ema,iK,oK,qK,kK,nK,tK,mK,vK,pK,wK,sK,rK,yK,lK,jK,zK,BK,AK,CK,DK,FK,HK,JK, -LK,MK,KK,IK,NK,PK,QK,RK,SK,TK,UK,VK,WK,XK,YK,ZK,$K,aL,bL,cL,dL,eL,fL,gL,hL,iL,jL,lL,mL,nL,oL,pL,qL,rL,sL,uL,vL,fma,wL,ima,gma,hma,jma,xL,yL,AL,BL,zL,CL,DL,kma,lma,EL,FL,mma,oma,pma,nma,HL,GL,IL,JL,KL,LL,ML,NL,OL,SL,TL,UL,VL,WL,XL,YL,qma,aM,bM,ZL,eM,cM,dM,rma,fM,sma,gM,hM,tma,iM,jM,kM,lM,nM,uma,wma,xma,qM,yma,pM,oM,vma,rM,tM,sM,uM,wM,vM,xM,zma,yM,BM,CM,DM,EM,HM,Bma,JM,LM,MM,NM,OM,PM,RM,Cma,TM,SM,Dma,Ema,UM,VM,WM,Fma,YM,XM,Gma,ZM,$M,Kma,Jma,bN,cN,aN,dN,Mma,eN,Nma,Oma,Qma,Pma,Rma,Sma,Tma,Uma,Vma,Wma, -Xma,Yma,fN,gN,Zma,$ma,ana,cna,dna,ena,fna,gna,oN,hna,ina,lN,mN,nN,pN,lna,jna,rN,qna,nna,ona,pna,rna,sN,sna,una,vna,tna,wna,tN,OK,zna,xna,vN,yna,Ana,wN,Cna,Dna,QM,mM,Bna,AN,BN,Fna,CN,DN,EN,Gna,Hna,Ina,FN,HN,Kna,IN,W,Lna,LN,Mna,Nna,ON,RN,SN,TN,UN,Pna,Qna,Rna,Sna,Tna,Una,Vna,ZN,Wna,$N,Xna,Yna,Zna,$na,aoa,dO,eO,fO,boa,gO,hO,iO,jO,kO,lO,nO,oO,pO,qO,rO,coa,sO,tO,doa,uO,eoa,foa,goa,ioa,hoa,joa,koa,loa,vO,moa,wO,noa,yO,poa,ooa,zO,AO,toa,qoa,soa,roa,BO,CO,uoa,DO,EO,voa,woa,xoa,yoa,FO,zoa,Aoa,GO,HO,JO,KO,LO, -Boa,NO,PO,Eoa,QO,RO,SO,Foa,Goa,Hoa,VO,Ioa,Joa,Koa,Loa,WO,UO,Moa,YO,Noa,ZO,$O,aP,dP,eP,fP,gP,hP,Ooa,iP,Poa,jP,kP,lP,mP,nP,oP,pP,Qoa,qP,rP,sP,tP,uP,Roa,Toa,Soa,Uoa,vP,Voa,Woa,wP,Xoa,xP,yP,zP,Yoa,Zoa,$oa,AP,CP,bpa,DP,EP,FP,GP,dpa,cpa,HP,IP,JP,KP,LP,MP,fpa,epa,NP,OP,X,PP,hpa,QP,lpa,kpa,opa,SP,ppa,TP,RP,UP,VP,XP,rpa,eQ,spa,fQ,$L,dQ,gQ,vpa,wpa,xpa,ypa,qpa,zpa,WP,Bpa,oQ,iQ,aQ,pQ,jQ,ZP,Cpa,Apa,YP,hQ,lQ,qQ,bQ,cQ,nQ,mQ,Epa,rQ,Gpa,Fpa,sQ,Y,Kpa,tQ,Lpa,Hpa,Mpa,uQ,Ppa,Npa,Upa,Rpa,Qpa,Xpa,Wpa,Ypa,aqa,$pa,dqa,fqa, -gqa,kqa,EQ,hqa,mqa,lqa,FQ,qG,nqa,HQ,nG,LQ,xia,MQ,MO,NQ,OQ,vQ,PQ,pqa,DQ,wQ,qqa,QQ,RQ,zQ,rqa,Tpa,xQ,yQ,CQ,sqa,tqa,SQ,TQ,GQ,BQ,AQ,iqa,Zpa,bqa,UQ,VQ,uqa,WQ,XQ,YQ,ZQ,$Q,aR,bR,cR,dR,iH,wqa,vqa,xqa,eqa,Spa,Opa,Jpa,Ipa,Vpa,jqa,cqa,eR,yqa,fR,kL,$P,tpa,IQ,gR,hR,zqa,Aqa,iR,Bqa,jR,kR,lR,qN,uN,Cqa,mR,Dqa,Eqa,Coa,oR,pR,Gqa,Fqa,qR,rR,sR,Doa,IO,Hqa,Iqa,uR,pG,vR,kQ,nR,Kqa,Lqa,Mqa,wR,xR,Nqa,Oqa,Pqa,Qqa,yR,zR,KQ,JQ,Rqa,AR,BR,Sqa,CR,DR,Tqa,Uqa,ER,FR,GR,HR,IR,Vqa,JR,Wqa,KR,LR,MR,NR,PR,QR,RR,TR,Xqa,SR,Yqa,Zqa,UR,ara,$qa, -VR,WR,bra,YR,cra,dra,ZR,era,fra,gra,$R,aS,bS,cS,dS,eS,hra,fS,gS,ira,hS,OR,iS,jS,kS,jra,lS,kra,mS,nS,oS,pS,qS,lra,mra,ora,qra,nra,rS,rra,sra,tra,sS,tS,uS,oqa,ura,vS,vra,wS,pra,wra,xra,yra,Ara,xS,yS,Bra,zS,Cra,Dra,AS,Era,BS,CS,DS,ES,FS,Fra,GS,Gra,Hra,Ira,Jra,IS,Kra,Lra,Mra,Nra,Pra,Ora,Qra,KS,Rra,Sra,oG,Tra,QS,Ura,Vra,SS,Wra,TS,Xra,Yra,US,VS,WS,$ra,XS,$S,asa,bsa,aT,cT,fG,csa,fsa,esa,dsa,gsa,isa,bT,dT,eT,fT,gT,hT,iT,jsa,ksa,kT,lsa,nsa,osa,msa,psa,lT,mT,ssa,rsa,Mq,Pq,usa,tsa,vsa,wsa,xsa,ysa,zsa,Bsa,oT, -Asa,Csa,pT,Dsa,Fsa,Gsa,Hsa,sT,tT,Isa,Lsa,uT,Msa,qT,Ksa,Nsa,Psa,rT,Osa,Jsa,Rsa,yT,wT,zT,xT,mna,Ssa,Tsa,Usa,Vsa,DT,CT,JT,Ena,UT,zra,gta,dU,hta,$sa,gU,kta,lta,hU,ita,jta,iU,jU,kU,qta,sta,mU,xta,pU,zta,wta,Ata,Bta,oU,yta,rU,sU,tU,uU,Wsa,vU,Cta,xU,Dta,wU,zU,Eta,CU,DU,IU,Gta,Hta,KU,JU,LU,Ita,Jta,NU,MU,Kta,PU,QU,Mta,Lta,TU,Ota,VU,RU,Pta,Qta,Rta,Nta,WU,ZU,Sta,YU,$U,bV,aV,Uta,Vta,gV,Wta,Xta,jV,Yta,aua,Zta,nV,oV,bua,rV,sV,uV,wV,cua,dua,zV,fua,yV,eua,gua,hua,CV,iua,jua,FV,GV,lua,kua,HV,IV,mua,nua,LV,pua,oua, -MV,NV,OV,qua,PV,QV,RV,SV,rua,TV,sua,UV,uua,tua,wua,vua,ZV,XV,YV,xua,yua,$V,zua,aW,bW,cW,dW,Aua,gW,Bua,iW,jW,kW,Cua,mW,nW,oW,pW,Dua,Gua,qW,Eua,Fua,rW,Kua,Lua,sW,Nua,Mua,Oua,Pua,Qua,vW,xW,yW,gX,Rua,Sua,Tua,Uua,Wua,Xua,Yua,kX,oX,$ua,ava,mX,iX,lX,qX,dva,rX,nX,Vua,cva,pX,Zua,bva,eva,fva,sX,tX,uX,vX,hva,yX,zX,AX,BX,CX,DX,iva,EX,GX,FX,HX,IX,jva,JX,kva,mva,lva,KX,LX,nva,MX,NX,ova,OX,pva,PX,qva,QX,RX,VX,UX,rva,TX,YX,sva,tva,ZX,$X,bY,uva,hV,yva,DV,vva,XX,xva,EV,wva,zva,Dva,Cva,fY,Eva,gY,Fva,hY,Gva,Hva,Iva, -Jva,kY,Ova,Rva,Pva,Lva,lY,jY,Kva,Qva,pY,Tva,Sva,qY,Wva,Yva,Zva,Xva,tY,$va,vY,fwa,yY,ewa,dwa,zY,uY,AY,bU,gwa,xY,$ha,jwa,hwa,wY,iwa,bwa,dia,CY,owa,EY,qwa,rwa,mwa,GY,swa,HY,kwa,JY,nwa,twa,IY,FY,uwa,cU,vwa,DY,xwa,NY,LY,OY,MY,PY,ywa,QY,RY,SY,TY,zwa,UY,VY,Bwa,$Y,Dwa,fK,Ewa,Fwa,cZ,bZ,aZ,Gwa,Hwa,dta,eta,Iwa,Jwa,eZ,fZ,gZ,Kwa,hZ,iZ,Lwa,Mwa,Nwa,Pwa,Owa,jZ,Qwa,Swa,Rwa,Uwa,lZ,Ywa,Vwa,Zwa,$wa,Xwa,axa,mZ,exa,cxa,dxa,hxa,ixa,jxa,kxa,lxa,kZ,mxa,gxa,bxa,nxa,oZ,oxa,Wwa,pxa,pZ,qZ,qxa,rxa,txa,uxa,rZ,sxa,sZ,tZ,uZ,wZ,wxa, -yxa,zxa,Bxa,Axa,xZ,xxa,zZ,yZ,Cxa,vZ,Dxa,AZ,DZ,Exa,Gxa,Fxa,CZ,Hxa,Ixa,Kxa,Jxa,Lxa,EZ,BZ,Mxa,Nxa,FZ,GZ,Pxa,Qxa,Rxa,Oxa,Sxa,Txa,Vxa,Xxa,Yxa,Uxa,$xa,aya,Wxa,JZ,bya,cya,dya,eya,KZ,LZ,OZ,PZ,gya,QZ,hya,iya,RZ,jya,UZ,kya,lya,nya,mya,oya,VZ,WZ,pya,XZ,YZ,ZZ,tya,a_,$Z,uya,d_,sya,vya,rya,c_,wya,b_,xya,e_,yya,fya,TZ,Aya,Bya,Cya,Dya,Eya,g_,h_,Fya,Gya,Hya,j_,Jya,l_,Kya,Lya,k_,i_,Iya,o_,n_,p_,m_,Mya,r_,Qya,u_,Rya,Oya,s_,v_,Pya,Sya,Tya,Vya,q_,Wya,Xya,Uya,t_,Yya,Nya,w_,x_,y_,$ya,bza,aza,cza,eza,dza,z_,A_,fza,B_,C_, -D_,E_,F_,G_,gza,hza,jza,kza,lza,mza,nza,oza,pza,H_,qza,rza,I_,J_,K_,L_,M_,N_,sza,O_,tza,uza,vza,wza,xza,zza,P_,Aza,Q_,Bza,Dza,Cza,Eza,Kza,Fza,Iza,Jza,Gza,Lza,Hza,Nza,R_,Pza,Qza,Rza,$_,xK,a0,vT,Uza,awa,Wza,b0,Z_,Xza,Yza,h0,d0,sY,Vza,j0,$za,k0,Qsa,g0,l0,U_,Zza,Sza,X_,o0,p0,eAa,mY,fAa,nY,Vva,n0,BY,c0,gAa,iAa,hAa,jAa,q0,Nva,Zsa,kAa,cAa,T_,lAa,r0,e0,V_,Y_,oY,Tza,s0,mAa,nAa,f0,oAa,Mva,m0,dAa,u0,wAa,rAa,dG,qAa,zAa,AAa,x0,aU,CAa,BAa,y0,fta,t0,C0,D0,EAa,E0,G0,uAa,vAa,M0,IAa,L0,v0,Q0,xAa,R0,FAa,LT,JAa,KAa, -I0,J0,H0,U0,PAa,z0,QAa,RAa,SAa,pwa,UAa,V0,P0,Uva,A0,KY,W0,X0,VAa,K0,DAa,T0,LAa,XAa,ata,AT,ZAa,O0,Z0,aBa,B0,VT,$0,bBa,cBa,a1,eBa,tAa,S0,fBa,sAa,b1,c1,Cwa,gBa,jBa,lBa,g1,h1,aa,fa,ea,eaa,Ha,Qa,faa;ba=function(a){return function(){return aa[a].apply(this,arguments)}}; -g.ca=function(a,b){return aa[a]=b}; -da=function(a){var b=0;return function(){return bb?null:"string"===typeof a?a.charAt(b):a[b]}; -eb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; -oaa=function(a){for(var b={},c=0,d=0;d>>1),n;c?n=b.call(e,a[m],m,a):n=b(d,a[m]);0b?1:ac&&g.ub(a,-(c+1),0,b)}; -g.Db=function(a,b,c){var d={};(0,g.Cb)(a,function(e,f){d[b.call(c,e,f,a)]=e}); +naa=function(a,b,c){a instanceof String&&(a=String(a));for(var d=a.length,e=0;eb?null:"string"===typeof a?a.charAt(b):a[b]}; +kb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; +yaa=function(a){for(var b=0,c=0,d={};c>>1),m=void 0;c?m=b.call(void 0,a[l],l,a):m=b(d,a[l]);0b?1:ac&&g.Gb(a,-(c+1),0,b)}; +g.Pb=function(a,b,c){var d={};(0,g.Ob)(a,function(e,f){d[b.call(c,e,f,a)]=e}); return d}; -raa=function(a){for(var b=[],c=0;c")&&(a=a.replace(sc,">"));-1!=a.indexOf('"')&&(a=a.replace(tc,"""));-1!=a.indexOf("'")&&(a=a.replace(uc,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(vc,"�"))}return a}; -yc=function(a,b){return-1!=a.toLowerCase().indexOf(b.toLowerCase())}; -g.Cc=function(a,b){for(var c=0,d=Ac(String(a)).split("."),e=Ac(String(b)).split("."),f=Math.max(d.length,e.length),h=0;0==c&&hb?1:0}; -g.Ec=function(a,b){this.C=b===Dc?a:""}; -g.Fc=function(a){return a instanceof g.Ec&&a.constructor===g.Ec?a.C:"type_error:SafeUrl"}; -Gc=function(a){a=String(a);a=a.replace(/(%0A|%0D)/g,"");var b=a.match(xaa);return b&&yaa.test(b[1])?new g.Ec(a,Dc):null}; -g.Jc=function(a){a instanceof g.Ec||(a="object"==typeof a&&a.Rj?a.Tg():String(a),a=Hc.test(a)?new g.Ec(a,Dc):Gc(a));return a||Ic}; -g.Kc=function(a,b){if(a instanceof g.Ec)return a;a="object"==typeof a&&a.Rj?a.Tg():String(a);if(b&&/^data:/i.test(a)){var c=Gc(a)||Ic;if(c.Tg()==a)return c}Hc.test(a)||(a="about:invalid#zClosurez");return new g.Ec(a,Dc)}; -Mc=function(a,b){this.u=b===Lc?a:""}; -Nc=function(a){return a instanceof Mc&&a.constructor===Mc?a.u:"type_error:SafeStyle"}; -Sc=function(a){var b="",c;for(c in a)if(Object.prototype.hasOwnProperty.call(a,c)){if(!/^[-_a-zA-Z0-9]+$/.test(c))throw Error("Name allows only [-_a-zA-Z0-9], got: "+c);var d=a[c];null!=d&&(d=Array.isArray(d)?g.Oc(d,Pc).join(" "):Pc(d),b+=c+":"+d+";")}return b?new Mc(b,Lc):Rc}; -Pc=function(a){if(a instanceof g.Ec)return'url("'+g.Fc(a).replace(/>>0;return b}; -g.rd=function(a){var b=Number(a);return 0==b&&g.pc(a)?NaN:b}; -sd=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; -td=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; -Jaa=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; -ud=function(a,b,c,d,e,f,h){var l="";a&&(l+=a+":");c&&(l+="//",b&&(l+=b+"@"),l+=c,d&&(l+=":"+d));e&&(l+=e);f&&(l+="?"+f);h&&(l+="#"+h);return l}; -vd=function(a){return a?decodeURI(a):a}; -g.xd=function(a,b){return b.match(wd)[a]||null}; -g.yd=function(a){return vd(g.xd(3,a))}; -zd=function(a){a=a.match(wd);return ud(a[1],null,a[3],a[4])}; -Ad=function(a){a=a.match(wd);return ud(null,null,null,null,a[5],a[6],a[7])}; -Bd=function(a,b){if(a)for(var c=a.split("&"),d=0;db&&(b=a.length);var c=a.indexOf("?");if(0>c||c>b){c=b;var d=""}else d=a.substring(c+1,b);return[a.substr(0,c),d,a.substr(b)]}; -Dd=function(a,b){return b?a?a+"&"+b:b:a}; -Ed=function(a,b){if(!b)return a;var c=Cd(a);c[1]=Dd(c[1],b);return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Fd=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return nd(a.substr(d,e-d))}; -Sd=function(a,b){for(var c=a.search(Pd),d=0,e,f=[];0<=(e=Od(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.substr(d));return f.join("").replace(Kaa,"$1")}; -Td=function(a,b,c){return Nd(Sd(a,b),b,c)}; -Laa=function(a,b){var c=Cd(a),d=c[1],e=[];d&&d.split("&").forEach(function(f){var h=f.indexOf("=");b.hasOwnProperty(0<=h?f.substr(0,h):f)||e.push(f)}); -c[1]=Dd(e.join("&"),g.Kd(b));return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Ud=function(){return Wc("iPhone")&&!Wc("iPod")&&!Wc("iPad")}; -Vd=function(){return Ud()||Wc("iPad")||Wc("iPod")}; -Wd=function(a){Wd[" "](a);return a}; -Xd=function(a,b){try{return Wd(a[b]),!0}catch(c){}return!1}; -Yd=function(a,b,c,d){d=d?d(b):b;return Object.prototype.hasOwnProperty.call(a,d)?a[d]:a[d]=c(b)}; -Zd=function(){var a=g.v.document;return a?a.documentMode:void 0}; -g.ae=function(a){return Yd(Maa,a,function(){return 0<=g.Cc($d,a)})}; -g.be=function(a){return Number(Naa)>=a}; -g.ce=function(a,b,c){return Math.min(Math.max(a,b),c)}; -g.de=function(a,b){var c=a%b;return 0>c*b?c+b:c}; -g.ee=function(a,b,c){return a+c*(b-a)}; -fe=function(a,b){return 1E-6>=Math.abs(a-b)}; -g.ge=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; -he=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; -g.ie=function(a,b){this.width=a;this.height=b}; -g.je=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; -ke=function(a){return a.width*a.height}; -oe=function(a){return a?new le(me(a)):ne||(ne=new le)}; -pe=function(a,b){return"string"===typeof b?a.getElementById(b):b}; -g.re=function(a,b){var c=b||document;return c.querySelectorAll&&c.querySelector?c.querySelectorAll("."+a):g.qe(document,"*",a,b)}; -g.se=function(a,b){var c=b||document;if(c.getElementsByClassName)c=c.getElementsByClassName(a)[0];else{c=document;var d=b||c;c=d.querySelectorAll&&d.querySelector&&a?d.querySelector(a?"."+a:""):g.qe(c,"*",a,b)[0]||null}return c||null}; -g.qe=function(a,b,c,d){a=d||a;b=b&&"*"!=b?String(b).toUpperCase():"";if(a.querySelectorAll&&a.querySelector&&(b||c))return a.querySelectorAll(b+(c?"."+c:""));if(c&&a.getElementsByClassName){a=a.getElementsByClassName(c);if(b){d={};for(var e=0,f=0,h;h=a[f];f++)b==h.nodeName&&(d[e++]=h);d.length=e;return d}return a}a=a.getElementsByTagName(b||"*");if(c){d={};for(f=e=0;h=a[f];f++)b=h.className,"function"==typeof b.split&&g.jb(b.split(/\s+/),c)&&(d[e++]=h);d.length=e;return d}return a}; -ve=function(a,b){g.Eb(b,function(c,d){c&&"object"==typeof c&&c.Rj&&(c=c.Tg());"style"==d?a.style.cssText=c:"class"==d?a.className=c:"for"==d?a.htmlFor=c:te.hasOwnProperty(d)?a.setAttribute(te[d],c):nc(d,"aria-")||nc(d,"data-")?a.setAttribute(d,c):a[d]=c})}; -we=function(a){a=a.document;a="CSS1Compat"==a.compatMode?a.documentElement:a.body;return new g.ie(a.clientWidth,a.clientHeight)}; -ze=function(a){var b=xe(a);a=a.parentWindow||a.defaultView;return g.ye&&g.ae("10")&&a.pageYOffset!=b.scrollTop?new g.ge(b.scrollLeft,b.scrollTop):new g.ge(a.pageXOffset||b.scrollLeft,a.pageYOffset||b.scrollTop)}; -xe=function(a){return a.scrollingElement?a.scrollingElement:g.Ae||"CSS1Compat"!=a.compatMode?a.body||a.documentElement:a.documentElement}; -Be=function(a){return a?a.parentWindow||a.defaultView:window}; -Ee=function(a,b,c){var d=arguments,e=document,f=String(d[0]),h=d[1];if(!Oaa&&h&&(h.name||h.type)){f=["<",f];h.name&&f.push(' name="',g.od(h.name),'"');if(h.type){f.push(' type="',g.od(h.type),'"');var l={};g.Zb(l,h);delete l.type;h=l}f.push(">");f=f.join("")}f=Ce(e,f);h&&("string"===typeof h?f.className=h:Array.isArray(h)?f.className=h.join(" "):ve(f,h));2a}; -Ue=function(a,b,c,d){if(!b&&!c)return null;var e=b?String(b).toUpperCase():null;return Te(a,function(f){return(!e||f.nodeName==e)&&(!c||"string"===typeof f.className&&g.jb(f.className.split(/\s+/),c))},!0,d)}; -Te=function(a,b,c,d){a&&!c&&(a=a.parentNode);for(c=0;a&&(null==d||c<=d);){if(b(a))return a;a=a.parentNode;c++}return null}; -le=function(a){this.u=a||g.v.document||document}; -Ve=function(a,b,c,d){var e=window,f="//pagead2.googlesyndication.com/bg/"+g.od(c)+".js";c=e.document;var h={};b&&(h._scs_=b);h._bgu_=f;h._bgp_=d;h._li_="v_h.3.0.0.0";(b=e.GoogleTyFxhY)&&"function"==typeof b.push||(b=e.GoogleTyFxhY=[]);b.push(h);e=oe(c).createElement("SCRIPT");e.type="text/javascript";e.async=!0;a=vaa(g.gc("//tpc.googlesyndication.com/sodar/%{path}"),{path:g.od(a)+".js"});g.kd(e,a);c.getElementsByTagName("head")[0].appendChild(e)}; -We=function(a,b){var c=void 0;return new (c||(c=Promise))(function(d,e){function f(m){try{l(b.next(m))}catch(n){e(n)}} -function h(m){try{l(b["throw"](m))}catch(n){e(n)}} -function l(m){m.done?d(m.value):(new c(function(n){n(m.value)})).then(f,h)} -l((b=b.apply(a,void 0)).next())})}; -Saa=function(a){return g.Oc(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; -g.Ye=function(a){for(var b=[],c=0,d=0;ce)b[d++]=String.fromCharCode(e);else if(191e){var f=a[c++];b[d++]=String.fromCharCode((e&31)<<6|f&63)}else if(239e){f=a[c++];var h=a[c++],l=a[c++];e=((e&7)<<18|(f&63)<<12|(h&63)<<6|l&63)-65536;b[d++]=String.fromCharCode(55296+(e>>10));b[d++]=String.fromCharCode(56320+(e&1023))}else f=a[c++],h=a[c++],b[d++]=String.fromCharCode((e&15)<<12|(f&63)<<6|h&63)}return b.join("")}; -$e=function(a,b,c){this.B=null;this.u=this.C=this.D=0;this.F=!1;a&&Ze(this,a,b,c)}; -bf=function(a,b,c){if(af.length){var d=af.pop();a&&Ze(d,a,b,c);return d}return new $e(a,b,c)}; -Ze=function(a,b,c,d){b=b.constructor===Uint8Array?b:b.constructor===ArrayBuffer?new Uint8Array(b):b.constructor===Array?new Uint8Array(b):b.constructor===String?g.cf(b):new Uint8Array(0);a.B=b;a.D=void 0!==c?c:0;a.C=void 0!==d?a.D+d:a.B.length;a.u=a.D}; -df=function(a){for(var b=128,c=0,d=0,e=0;4>e&&128<=b;e++)b=a.B[a.u++],c|=(b&127)<<7*e;128<=b&&(b=a.B[a.u++],c|=(b&127)<<28,d|=(b&127)>>4);if(128<=b)for(e=0;5>e&&128<=b;e++)b=a.B[a.u++],d|=(b&127)<<7*e+3;if(128>b){a=c>>>0;b=d>>>0;if(d=b&2147483648)a=~a+1>>>0,b=~b>>>0,0==a&&(b=b+1>>>0);a=4294967296*b+(a>>>0);return d?-a:a}a.F=!0}; -ef=function(a){var b=a.B;var c=b[a.u+0];var d=c&127;if(128>c)return a.u+=1,d;c=b[a.u+1];d|=(c&127)<<7;if(128>c)return a.u+=2,d;c=b[a.u+2];d|=(c&127)<<14;if(128>c)return a.u+=3,d;c=b[a.u+3];d|=(c&127)<<21;if(128>c)return a.u+=4,d;c=b[a.u+4];d|=(c&15)<<28;if(128>c)return a.u+=5,d>>>0;a.u+=5;128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&a.u++;return d}; -ff=function(a){this.u=bf(a,void 0,void 0);this.F=this.u.u;this.B=this.C=-1;this.D=!1}; -gf=function(a){var b=a.u;(b=b.u==b.C)||(b=a.D)||(b=a.u,b=b.F||0>b.u||b.u>b.C);if(b)return!1;a.F=a.u.u;b=ef(a.u);var c=b&7;if(0!=c&&5!=c&&1!=c&&2!=c&&3!=c&&4!=c)return a.D=!0,!1;a.C=b>>>3;a.B=c;return!0}; -hf=function(a){switch(a.B){case 0:if(0!=a.B)hf(a);else{for(a=a.u;a.B[a.u]&128;)a.u++;a.u++}break;case 1:1!=a.B?hf(a):a.u.advance(8);break;case 2:if(2!=a.B)hf(a);else{var b=ef(a.u);a.u.advance(b)}break;case 5:5!=a.B?hf(a):a.u.advance(4);break;case 3:b=a.C;do{if(!gf(a)){a.D=!0;break}if(4==a.B){a.C!=b&&(a.D=!0);break}hf(a)}while(1);break;default:a.D=!0}}; -jf=function(a){var b=ef(a.u);a=a.u;var c=a.B,d=a.u,e=d+b;b=[];for(var f="";dh)b.push(h);else if(192>h)continue;else if(224>h){var l=c[d++];b.push((h&31)<<6|l&63)}else if(240>h){l=c[d++];var m=c[d++];b.push((h&15)<<12|(l&63)<<6|m&63)}else if(248>h){l=c[d++];m=c[d++];var n=c[d++];h=(h&7)<<18|(l&63)<<12|(m&63)<<6|n&63;h-=65536;b.push((h>>10&1023)+55296,(h&1023)+56320)}8192<=b.length&&(f+=String.fromCharCode.apply(null,b),b.length=0)}c=f;if(8192>=b.length)b=String.fromCharCode.apply(null, -b);else{e="";for(f=0;fb||a.u+b>a.B.length)a.F=!0,b=new Uint8Array(0);else{var c=a.B.subarray(a.u,a.u+b);a.u+=b;b=c}return b}; -nf=function(){this.u=[]}; -g.of=function(a,b){for(;127>>=7;a.u.push(b)}; -g.pf=function(a,b){a.u.push(b>>>0&255);a.u.push(b>>>8&255);a.u.push(b>>>16&255);a.u.push(b>>>24&255)}; -g.sf=function(a,b){void 0===b&&(b=0);qf();for(var c=rf[b],d=[],e=0;e>2;f=(f&3)<<4|l>>4;l=(l&15)<<2|n>>6;n&=63;m||(n=64,h||(l=64));d.push(c[p],c[f],c[l]||"",c[n]||"")}return d.join("")}; -g.tf=function(a){for(var b=[],c=0,d=0;d>=8);b[c++]=e}return g.sf(b,3)}; -Taa=function(a){var b=[];uf(a,function(c){b.push(c)}); +Caa=function(a){for(var b=[],c=0;c")&&(a=a.replace(Laa,">"));-1!=a.indexOf('"')&&(a=a.replace(Maa,"""));-1!=a.indexOf("'")&&(a=a.replace(Naa,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(Oaa,"�"));return a}; +g.Vb=function(a,b){return-1!=a.indexOf(b)}; +ac=function(a,b){return g.Vb(a.toLowerCase(),b.toLowerCase())}; +g.ec=function(a,b){var c=0;a=cc(String(a)).split(".");b=cc(String(b)).split(".");for(var d=Math.max(a.length,b.length),e=0;0==c&&eb?1:0}; +g.hc=function(){var a=g.Ea.navigator;return a&&(a=a.userAgent)?a:""}; +mc=function(a){return ic||jc?kc?kc.brands.some(function(b){return(b=b.brand)&&g.Vb(b,a)}):!1:!1}; +nc=function(a){return g.Vb(g.hc(),a)}; +oc=function(){return ic||jc?!!kc&&0=a}; +$aa=function(a){return g.Pc?"webkit"+a:a.toLowerCase()}; +Qc=function(a,b){g.ib.call(this,a?a.type:"");this.relatedTarget=this.currentTarget=this.target=null;this.button=this.screenY=this.screenX=this.clientY=this.clientX=0;this.key="";this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.altKey=this.ctrlKey=!1;this.state=null;this.pointerId=0;this.pointerType="";this.j=null;a&&this.init(a,b)}; +Rc=function(a){return!(!a||!a[aba])}; +cba=function(a,b,c,d,e){this.listener=a;this.proxy=null;this.src=b;this.type=c;this.capture=!!d;this.ud=e;this.key=++bba;this.removed=this.cF=!1}; +Sc=function(a){a.removed=!0;a.listener=null;a.proxy=null;a.src=null;a.ud=null}; +g.Tc=function(a,b,c){for(var d in a)b.call(c,a[d],d,a)}; +g.Uc=function(a,b,c){var d={},e;for(e in a)b.call(c,a[e],e,a)&&(d[e]=a[e]);return d}; +Vc=function(a,b){var c={},d;for(d in a)c[d]=b.call(void 0,a[d],d,a);return c}; +g.Wc=function(a,b,c){for(var d in a)if(b.call(c,a[d],d,a))return!0;return!1}; +dba=function(a,b){for(var c in a)if(!b.call(void 0,a[c],c,a))return!1;return!0}; +g.Xc=function(a){for(var b in a)return b}; +eba=function(a){for(var b in a)return a[b]}; +Yc=function(a){var b=[],c=0,d;for(d in a)b[c++]=a[d];return b}; +g.Zc=function(a){var b=[],c=0,d;for(d in a)b[c++]=d;return b}; +g.$c=function(a,b){return null!==a&&b in a}; +g.ad=function(a,b){for(var c in a)if(a[c]==b)return!0;return!1}; +gd=function(a,b){for(var c in a)if(b.call(void 0,a[c],c,a))return c}; +fba=function(a,b){return(b=gd(a,b))&&a[b]}; +g.hd=function(a){for(var b in a)return!1;return!0}; +g.gba=function(a){for(var b in a)delete a[b]}; +g.id=function(a,b){b in a&&delete a[b]}; +g.jd=function(a,b,c){return null!==a&&b in a?a[b]:c}; +g.kd=function(a,b){for(var c in a)if(!(c in b)||a[c]!==b[c])return!1;for(var d in b)if(!(d in a))return!1;return!0}; +g.md=function(a){var b={},c;for(c in a)b[c]=a[c];return b}; +g.nd=function(a){if(!a||"object"!==typeof a)return a;if("function"===typeof a.clone)return a.clone();if("undefined"!==typeof Map&&a instanceof Map)return new Map(a);if("undefined"!==typeof Set&&a instanceof Set)return new Set(a);if(a instanceof Date)return new Date(a.getTime());var b=Array.isArray(a)?[]:"function"!==typeof ArrayBuffer||"function"!==typeof ArrayBuffer.isView||!ArrayBuffer.isView(a)||a instanceof DataView?{}:new a.constructor(a.length),c;for(c in a)b[c]=g.nd(a[c]);return b}; +g.od=function(a,b){for(var c,d,e=1;ea.u&&(a.u++,b.next=a.j,a.j=b)}; +Ld=function(a){return function(){return a}}; +g.Md=function(){}; +rba=function(a){var b=b||0;return function(){return a.apply(this,Array.prototype.slice.call(arguments,0,b))}}; +Nd=function(a){var b=!1,c;return function(){b||(c=a(),b=!0);return c}}; +Od=function(a){var b=a;return function(){if(b){var c=b;b=null;c()}}}; +sba=function(a,b){var c=0;return function(d){g.Ea.clearTimeout(c);var e=arguments;c=g.Ea.setTimeout(function(){a.apply(b,e)},50)}}; +Ud=function(){if(void 0===Td){var a=null,b=g.Ea.trustedTypes;if(b&&b.createPolicy){try{a=b.createPolicy("goog#html",{createHTML:Ua,createScript:Ua,createScriptURL:Ua})}catch(c){g.Ea.console&&g.Ea.console.error(c.message)}Td=a}else Td=a}return Td}; +Vd=function(a,b){this.j=a===tba&&b||"";this.u=uba}; +Wd=function(a){return a instanceof Vd&&a.constructor===Vd&&a.u===uba?a.j:"type_error:Const"}; +g.Xd=function(a){return new Vd(tba,a)}; +Yd=function(a,b){this.j=b===vba?a:"";this.Qo=!0}; +wba=function(a){return a instanceof Yd&&a.constructor===Yd?a.j:"type_error:SafeScript"}; +xba=function(a){var b=Ud();a=b?b.createScript(a):a;return new Yd(a,vba)}; +Zd=function(a,b){this.j=b===yba?a:""}; +zba=function(a){return a instanceof Zd&&a.constructor===Zd?a.j:"type_error:TrustedResourceUrl"}; +Cba=function(a,b){var c=Wd(a);if(!Aba.test(c))throw Error("Invalid TrustedResourceUrl format: "+c);a=c.replace(Bba,function(d,e){if(!Object.prototype.hasOwnProperty.call(b,e))throw Error('Found marker, "'+e+'", in format string, "'+c+'", but no valid label mapping found in args: '+JSON.stringify(b));d=b[e];return d instanceof Vd?Wd(d):encodeURIComponent(String(d))}); +return $d(a)}; +$d=function(a){var b=Ud();a=b?b.createScriptURL(a):a;return new Zd(a,yba)}; +ae=function(a,b){this.j=b===Dba?a:""}; +g.be=function(a){return a instanceof ae&&a.constructor===ae?a.j:"type_error:SafeUrl"}; +Eba=function(a){var b=a.indexOf("#");0a*b?a+b:a}; +De=function(a,b,c){return a+c*(b-a)}; +Ee=function(a,b){return 1E-6>=Math.abs(a-b)}; +g.Fe=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; +Ge=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; +g.He=function(a,b){this.width=a;this.height=b}; +g.Ie=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; +Je=function(a){return a.width*a.height}; +g.Ke=function(a){return encodeURIComponent(String(a))}; +Le=function(a){return decodeURIComponent(a.replace(/\+/g," "))}; +g.Me=function(a){return a=Ub(a)}; +g.Qe=function(a){return null==a?"":String(a)}; +Re=function(a){for(var b=0,c=0;c>>0;return b}; +Se=function(a){var b=Number(a);return 0==b&&g.Tb(a)?NaN:b}; +bca=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; +cca=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; +dca=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; +eca=function(a){var b=1;a=a.split(":");for(var c=[];0a}; +Df=function(a,b,c){if(!b&&!c)return null;var d=b?String(b).toUpperCase():null;return Cf(a,function(e){return(!d||e.nodeName==d)&&(!c||"string"===typeof e.className&&g.rb(e.className.split(/\s+/),c))},!0)}; +Cf=function(a,b,c){a&&!c&&(a=a.parentNode);for(c=0;a;){if(b(a))return a;a=a.parentNode;c++}return null}; +Te=function(a){this.j=a||g.Ea.document||document}; +Ff=function(a){"function"!==typeof g.Ea.setImmediate||g.Ea.Window&&g.Ea.Window.prototype&&!tc()&&g.Ea.Window.prototype.setImmediate==g.Ea.setImmediate?(Ef||(Ef=nca()),Ef(a)):g.Ea.setImmediate(a)}; +nca=function(){var a=g.Ea.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!nc("Presto")&&(a=function(){var e=g.qf("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.Oa)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()}, +this); +f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); +if("undefined"!==typeof a&&!qc()){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.MS;c.MS=null;e()}}; +return function(e){d.next={MS:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.Ea.setTimeout(e,0)}}; +oca=function(a){g.Ea.setTimeout(function(){throw a;},0)}; +Gf=function(){this.u=this.j=null}; +Hf=function(){this.next=this.scope=this.fn=null}; +g.Mf=function(a,b){If||pca();Lf||(If(),Lf=!0);qca.add(a,b)}; +pca=function(){if(g.Ea.Promise&&g.Ea.Promise.resolve){var a=g.Ea.Promise.resolve(void 0);If=function(){a.then(rca)}}else If=function(){Ff(rca)}}; +rca=function(){for(var a;a=qca.remove();){try{a.fn.call(a.scope)}catch(b){oca(b)}qba(sca,a)}Lf=!1}; +g.Of=function(a){this.j=0;this.J=void 0;this.C=this.u=this.B=null;this.D=this.I=!1;if(a!=g.Md)try{var b=this;a.call(void 0,function(c){Nf(b,2,c)},function(c){Nf(b,3,c)})}catch(c){Nf(this,3,c)}}; +tca=function(){this.next=this.context=this.u=this.B=this.j=null;this.C=!1}; +Pf=function(a,b,c){var d=uca.get();d.B=a;d.u=b;d.context=c;return d}; +Qf=function(a){if(a instanceof g.Of)return a;var b=new g.Of(g.Md);Nf(b,2,a);return b}; +Rf=function(a){return new g.Of(function(b,c){c(a)})}; +g.wca=function(a,b,c){vca(a,b,c,null)||g.Mf(g.Pa(b,a))}; +xca=function(a){return new g.Of(function(b,c){a.length||b(void 0);for(var d=0,e;d=a.C&&a.gx()}; +Ica=function(a,b){return a.I.has(b)?void 0:a.u.get(b)}; +Jca=function(a){for(var b=0;b "+a)}; +eg=function(){throw Error("Invalid UTF8");}; +Vca=function(a,b){b=String.fromCharCode.apply(null,b);return null==a?b:a+b}; +Yca=function(a){var b=!1;b=void 0===b?!1:b;if(Wca){if(b&&/(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])/.test(a))throw Error("Found an unpaired surrogate");a=(Xca||(Xca=new TextEncoder)).encode(a)}else{for(var c=0,d=new Uint8Array(3*a.length),e=0;ef)d[c++]=f;else{if(2048>f)d[c++]=f>>6|192;else{if(55296<=f&&57343>=f){if(56319>=f&&e=h){f=1024*(f-55296)+h-56320+65536;d[c++]=f>> +18|240;d[c++]=f>>12&63|128;d[c++]=f>>6&63|128;d[c++]=f&63|128;continue}else e--}if(b)throw Error("Found an unpaired surrogate");f=65533}d[c++]=f>>12|224;d[c++]=f>>6&63|128}d[c++]=f&63|128}}a=c===d.length?d:d.subarray(0,c)}return a}; +Zca=function(a){return Array.prototype.map.call(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; +g.gg=function(a,b){void 0===b&&(b=0);ada();b=bda[b];for(var c=Array(Math.floor(a.length/3)),d=b[64]||"",e=0,f=0;e>2];h=b[(h&3)<<4|l>>4];l=b[(l&15)<<2|m>>6];m=b[m&63];c[f++]=""+n+h+l+m}n=0;m=d;switch(a.length-e){case 2:n=a[e+1],m=b[(n&15)<<2]||d;case 1:a=a[e],c[f]=""+b[a>>2]+b[(a&3)<<4|n>>4]+m+d}return c.join("")}; +g.hg=function(a,b){if(cda&&!b)a=g.Ea.btoa(a);else{for(var c=[],d=0,e=0;e>=8);c[d++]=f}a=g.gg(c,b)}return a}; +eda=function(a){var b=[];dda(a,function(c){b.push(c)}); return b}; -g.cf=function(a){!g.ye||g.ae("10");var b=a.length,c=3*b/4;c%3?c=Math.floor(c):-1!="=.".indexOf(a[b-1])&&(c=-1!="=.".indexOf(a[b-2])?c-2:c-1);var d=new Uint8Array(c),e=0;uf(a,function(f){d[e++]=f}); -return d.subarray(0,e)}; -uf=function(a,b){function c(m){for(;d>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; -qf=function(){if(!vf){vf={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));rf[c]=d;for(var e=0;eb;b++)a.u.push(c&127|128),c>>=7;a.u.push(1)}}; -g.Cf=function(a,b,c){if(null!=c&&null!=c){g.of(a.u,8*b);a=a.u;var d=c;c=0>d;d=Math.abs(d);b=d>>>0;d=Math.floor((d-b)/4294967296);d>>>=0;c&&(d=~d>>>0,b=(~b>>>0)+1,4294967295>>7|b<<25)>>>0,b>>>=7;a.u.push(c)}}; -g.Df=function(a,b,c){if(null!=c){g.of(a.u,8*b+1);a=a.u;var d=c;d=(c=0>d?1:0)?-d:d;if(0===d)g.Bf=0<1/d?0:2147483648,g.Af=0;else if(isNaN(d))g.Bf=2147483647,g.Af=4294967295;else if(1.7976931348623157E308>>0,g.Af=0;else if(2.2250738585072014E-308>d)d/=Math.pow(2,-1074),g.Bf=(c<<31|d/4294967296)>>>0,g.Af=d>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;g.Af=4503599627370496* -d>>>0}g.pf(a,g.Af);g.pf(a,g.Bf)}}; -g.Ef=function(){}; -g.Jf=function(a,b,c,d){a.u=null;b||(b=[]);a.I=void 0;a.C=-1;a.Mf=b;a:{if(b=a.Mf.length){--b;var e=a.Mf[b];if(!(null===e||"object"!=typeof e||Array.isArray(e)||Ff&&e instanceof Uint8Array)){a.D=b-a.C;a.B=e;break a}}a.D=Number.MAX_VALUE}a.F={};if(c)for(b=0;b>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; +ada=function(){if(!rg){rg={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));bda[c]=d;for(var e=0;ea;a=Math.abs(a);var c=a>>>0;a=Math.floor((a-c)/4294967296);b&&(c=g.t(qda(c,a)),b=c.next().value,a=c.next().value,c=b);Ag=c>>>0;Bg=a>>>0}; +tda=function(a){if(16>a.length)rda(Number(a));else if(sda)a=BigInt(a),Ag=Number(a&BigInt(4294967295))>>>0,Bg=Number(a>>BigInt(32)&BigInt(4294967295));else{var b=+("-"===a[0]);Bg=Ag=0;for(var c=a.length,d=0+b,e=(c-b)%6+b;e<=c;d=e,e+=6)d=Number(a.slice(d,e)),Bg*=1E6,Ag=1E6*Ag+d,4294967296<=Ag&&(Bg+=Ag/4294967296|0,Ag%=4294967296);b&&(b=g.t(qda(Ag,Bg)),a=b.next().value,b=b.next().value,Ag=a,Bg=b)}}; +qda=function(a,b){b=~b;a?a=~a+1:b+=1;return[a,b]}; +Cg=function(a,b){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.init(a,void 0,void 0,b)}; +Eg=function(a){var b=0,c=0,d=0,e=a.u,f=a.j;do{var h=e[f++];b|=(h&127)<d&&h&128);32>4);for(d=3;32>d&&h&128;d+=7)h=e[f++],c|=(h&127)<h){a=b>>>0;h=c>>>0;if(c=h&2147483648)a=~a+1>>>0,h=~h>>>0,0==a&&(h=h+1>>>0);a=4294967296*h+(a>>>0);return c?-a:a}throw dg();}; +Dg=function(a,b){a.j=b;if(b>a.B)throw Uca(a.B,b);}; +Fg=function(a){var b=a.u,c=a.j,d=b[c++],e=d&127;if(d&128&&(d=b[c++],e|=(d&127)<<7,d&128&&(d=b[c++],e|=(d&127)<<14,d&128&&(d=b[c++],e|=(d&127)<<21,d&128&&(d=b[c++],e|=d<<28,d&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128)))))throw dg();Dg(a,c);return e}; +Gg=function(a){var b=a.u,c=a.j,d=b[c+0],e=b[c+1],f=b[c+2];b=b[c+3];a.advance(4);return(d<<0|e<<8|f<<16|b<<24)>>>0}; +Hg=function(a){var b=Gg(a),c=Gg(a);a=2*(c>>31)+1;var d=c>>>20&2047;b=4294967296*(c&1048575)+b;return 2047==d?b?NaN:Infinity*a:0==d?a*Math.pow(2,-1074)*b:a*Math.pow(2,d-1075)*(b+4503599627370496)}; +Ig=function(a){for(var b=0,c=a.j,d=c+10,e=a.u;cb)throw Error("Tried to read a negative byte length: "+b);var c=a.j,d=c+b;if(d>a.B)throw Uca(b,a.B-c);a.j=d;return c}; +wda=function(a,b){if(0==b)return wg();var c=uda(a,b);a.XE&&a.D?c=a.u.subarray(c,c+b):(a=a.u,b=c+b,c=c===b?tg():vda?a.slice(c,b):new Uint8Array(a.subarray(c,b)));return pda(c)}; +Kg=function(a,b){if(Jg.length){var c=Jg.pop();c.init(a,void 0,void 0,b);a=c}else a=new Cg(a,b);this.j=a;this.B=this.j.j;this.u=this.C=-1;xda(this,b)}; +xda=function(a,b){b=void 0===b?{}:b;a.mL=void 0===b.mL?!1:b.mL}; +yda=function(a){var b=a.j;if(b.j==b.B)return!1;a.B=a.j.j;var c=Fg(a.j)>>>0;b=c>>>3;c&=7;if(!(0<=c&&5>=c))throw Tca(c,a.B);if(1>b)throw Error("Invalid field number: "+b+" (at position "+a.B+")");a.C=b;a.u=c;return!0}; +Lg=function(a){switch(a.u){case 0:0!=a.u?Lg(a):Ig(a.j);break;case 1:a.j.advance(8);break;case 2:if(2!=a.u)Lg(a);else{var b=Fg(a.j)>>>0;a.j.advance(b)}break;case 5:a.j.advance(4);break;case 3:b=a.C;do{if(!yda(a))throw Error("Unmatched start-group tag: stream EOF");if(4==a.u){if(a.C!=b)throw Error("Unmatched end-group tag");break}Lg(a)}while(1);break;default:throw Tca(a.u,a.B);}}; +Mg=function(a,b,c){var d=a.j.B,e=Fg(a.j)>>>0,f=a.j.j+e,h=f-d;0>=h&&(a.j.B=f,c(b,a,void 0,void 0,void 0),h=f-a.j.j);if(h)throw Error("Message parsing ended unexpectedly. Expected to read "+(e+" bytes, instead read "+(e-h)+" bytes, either the data ended unexpectedly or the message misreported its own length"));a.j.j=f;a.j.B=d}; +Pg=function(a){var b=Fg(a.j)>>>0;a=a.j;var c=uda(a,b);a=a.u;if(zda){var d=a,e;(e=Ng)||(e=Ng=new TextDecoder("utf-8",{fatal:!0}));a=c+b;d=0===c&&a===d.length?d:d.subarray(c,a);try{var f=e.decode(d)}catch(n){if(void 0===Og){try{e.decode(new Uint8Array([128]))}catch(p){}try{e.decode(new Uint8Array([97])),Og=!0}catch(p){Og=!1}}!Og&&(Ng=void 0);throw n;}}else{f=c;b=f+b;c=[];for(var h=null,l,m;fl?c.push(l):224>l?f>=b?eg():(m=a[f++],194>l||128!==(m&192)?(f--,eg()):c.push((l&31)<<6|m&63)): +240>l?f>=b-1?eg():(m=a[f++],128!==(m&192)||224===l&&160>m||237===l&&160<=m||128!==((d=a[f++])&192)?(f--,eg()):c.push((l&15)<<12|(m&63)<<6|d&63)):244>=l?f>=b-2?eg():(m=a[f++],128!==(m&192)||0!==(l<<28)+(m-144)>>30||128!==((d=a[f++])&192)||128!==((e=a[f++])&192)?(f--,eg()):(l=(l&7)<<18|(m&63)<<12|(d&63)<<6|e&63,l-=65536,c.push((l>>10&1023)+55296,(l&1023)+56320))):eg(),8192<=c.length&&(h=Vca(h,c),c.length=0);f=Vca(h,c)}return f}; +Ada=function(a){var b=Fg(a.j)>>>0;return wda(a.j,b)}; +Bda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Dda=function(a){if(!a)return Cda||(Cda=new Bda(0,0));if(!/^\d+$/.test(a))return null;tda(a);return new Bda(Ag,Bg)}; +Eda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Gda=function(a){if(!a)return Fda||(Fda=new Eda(0,0));if(!/^-?\d+$/.test(a))return null;tda(a);return new Eda(Ag,Bg)}; +Zg=function(){this.j=[]}; +Hda=function(a,b,c){for(;0>>7|c<<25)>>>0,c>>>=7;a.j.push(b)}; +$g=function(a,b){for(;127>>=7;a.j.push(b)}; +Ida=function(a,b){if(0<=b)$g(a,b);else{for(var c=0;9>c;c++)a.j.push(b&127|128),b>>=7;a.j.push(1)}}; +ah=function(a,b){a.j.push(b>>>0&255);a.j.push(b>>>8&255);a.j.push(b>>>16&255);a.j.push(b>>>24&255)}; +Jda=function(){this.B=[];this.u=0;this.j=new Zg}; +bh=function(a,b){0!==b.length&&(a.B.push(b),a.u+=b.length)}; +Kda=function(a,b){ch(a,b,2);b=a.j.end();bh(a,b);b.push(a.u);return b}; +Lda=function(a,b){var c=b.pop();for(c=a.u+a.j.length()-c;127>>=7,a.u++;b.push(c);a.u++}; +Mda=function(a,b){if(b=b.uC){bh(a,a.j.end());for(var c=0;c>>0,c=Math.floor((c-b)/4294967296)>>>0,Ag=b,Bg=c,ah(a,Ag),ah(a,Bg)):(c=Dda(c),a=a.j,b=c.j,ah(a,c.u),ah(a,b)))}; +dh=function(a,b,c){ch(a,b,2);$g(a.j,c.length);bh(a,a.j.end());bh(a,c)}; +fh=function(a,b){if(eh)return a[eh]|=b;if(void 0!==a.So)return a.So|=b;Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return b}; +Oda=function(a,b){var c=gh(a);(c&b)!==b&&(Object.isFrozen(a)&&(a=Array.prototype.slice.call(a)),hh(a,c|b));return a}; +Pda=function(a,b){eh?a[eh]&&(a[eh]&=~b):void 0!==a.So&&(a.So&=~b)}; +gh=function(a){var b;eh?b=a[eh]:b=a.So;return null==b?0:b}; +hh=function(a,b){eh?a[eh]=b:void 0!==a.So?a.So=b:Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return a}; +ih=function(a){fh(a,1);return a}; +jh=function(a){return!!(gh(a)&2)}; +Qda=function(a){fh(a,16);return a}; +Rda=function(a,b){hh(b,(a|0)&-51)}; +kh=function(a,b){hh(b,(a|18)&-41)}; +Sda=function(a){return null!==a&&"object"===typeof a&&!Array.isArray(a)&&a.constructor===Object}; +lh=function(a,b,c,d){if(null==a){if(!c)throw Error();}else if("string"===typeof a)a=a?new vg(a,ug):wg();else if(a.constructor!==vg)if(sg(a))a=d?pda(a):a.length?new vg(new Uint8Array(a),ug):wg();else{if(!b)throw Error();a=void 0}return a}; +nh=function(a){mh(gh(a.Re))}; +mh=function(a){if(a&2)throw Error();}; +oh=function(a){if(null!=a&&"number"!==typeof a)throw Error("Value of float/double field must be a number|null|undefined, found "+typeof a+": "+a);return a}; +Tda=function(a){return a.displayName||a.name||"unknown type name"}; +Uda=function(a){return null==a?a:!!a}; +Vda=function(a){return a}; +Wda=function(a){return a}; +Xda=function(a){return a}; +Yda=function(a){return a}; +ph=function(a,b){if(!(a instanceof b))throw Error("Expected instanceof "+Tda(b)+" but got "+(a&&Tda(a.constructor)));return a}; +rh=function(a,b,c,d){var e=!1;if(null!=a&&"object"===typeof a&&!(e=Array.isArray(a))&&a.pN===qh)return a;if(!e)return c?d&2?(a=b[Zda])?b=a:(a=new b,fh(a.Re,18),b=b[Zda]=a):b=new b:b=void 0,b;e=c=gh(a);0===e&&(e|=d&16);e|=d&2;e!==c&&hh(a,e);return new b(a)}; +$da=function(a){var b=a.u+a.vu;0<=b&&Number.isInteger(b);return a.mq||(a.mq=a.Re[b]={})}; +Ah=function(a,b,c){return-1===b?null:b>=a.u?a.mq?a.mq[b]:void 0:c&&a.mq&&(c=a.mq[b],null!=c)?c:a.Re[b+a.vu]}; +H=function(a,b,c,d){nh(a);return Bh(a,b,c,d)}; +Bh=function(a,b,c,d){a.C&&(a.C=void 0);if(b>=a.u||d)return $da(a)[b]=c,a;a.Re[b+a.vu]=c;(c=a.mq)&&b in c&&delete c[b];return a}; +Ch=function(a,b,c){return void 0!==aea(a,b,c,!1)}; +Eh=function(a,b,c,d,e){var f=Ah(a,b,d);Array.isArray(f)||(f=Dh);var h=gh(f);h&1||ih(f);if(e)h&2||fh(f,18),c&1||Object.freeze(f);else{e=!(c&2);var l=h&2;c&1||!l?e&&h&16&&!l&&Pda(f,16):(f=ih(Array.prototype.slice.call(f)),Bh(a,b,f,d))}return f}; +bea=function(a,b){var c=Ah(a,b);var d=null==c?c:"number"===typeof c||"NaN"===c||"Infinity"===c||"-Infinity"===c?Number(c):void 0;null!=d&&d!==c&&Bh(a,b,d);return d}; +cea=function(a,b){var c=Ah(a,b),d=lh(c,!0,!0,!!(gh(a.Re)&18));null!=d&&d!==c&&Bh(a,b,d);return d}; +Fh=function(a,b,c,d,e){var f=jh(a.Re),h=Eh(a,b,e||1,d,f),l=gh(h);if(!(l&4)){Object.isFrozen(h)&&(h=ih(h.slice()),Bh(a,b,h,d));for(var m=0,n=0;mc||c>=a.length)throw Error();return a[c]}; +mea=function(a,b){ci=b;a=new a(b);ci=void 0;return a}; +oea=function(a,b){return nea(b)}; +nea=function(a){switch(typeof a){case "number":return isFinite(a)?a:String(a);case "object":if(a&&!Array.isArray(a)){if(sg(a))return gda(a);if(a instanceof vg){var b=a.j;return null==b?"":"string"===typeof b?b:a.j=gda(b)}}}return a}; +pea=function(a,b,c,d,e,f){if(null!=a){if(Array.isArray(a))a=e&&0==a.length&&gh(a)&1?void 0:f&&gh(a)&2?a:di(a,b,c,void 0!==d,e,f);else if(Sda(a)){var h={},l;for(l in a)h[l]=pea(a[l],b,c,d,e,f);a=h}else a=b(a,d);return a}}; +di=function(a,b,c,d,e,f){var h=gh(a);d=d?!!(h&16):void 0;a=Array.prototype.slice.call(a);for(var l=0;lh&&"number"!==typeof a[h]){var l=a[h++];c(b,l)}for(;hd?-2147483648:0)?-d:d,1.7976931348623157E308>>0,Ag=0;else if(2.2250738585072014E-308>d)b=d/Math.pow(2,-1074),Bg=(c|b/4294967296)>>>0,Ag=b>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;Ag=4503599627370496*d>>>0}ah(a, +Ag);ah(a,Bg)}}; +oi=function(a,b,c){b=Ah(b,c);null!=b&&("string"===typeof b&&Gda(b),null!=b&&(ch(a,c,0),"number"===typeof b?(a=a.j,rda(b),Hda(a,Ag,Bg)):(c=Gda(b),Hda(a.j,c.u,c.j))))}; +pi=function(a,b,c){a:if(b=Ah(b,c),null!=b){switch(typeof b){case "string":b=+b;break a;case "number":break a}b=void 0}null!=b&&null!=b&&(ch(a,c,0),Ida(a.j,b))}; +Lea=function(a,b,c){b=Uda(Ah(b,c));null!=b&&(ch(a,c,0),a.j.j.push(b?1:0))}; +Mea=function(a,b,c){b=Ah(b,c);null!=b&&dh(a,c,Yca(b))}; +Nea=function(a,b,c,d,e){b=Mh(b,d,c);null!=b&&(c=Kda(a,c),e(b,a),Lda(a,c))}; +Oea=function(a){return function(){var b=new Jda;Cea(this,b,li(a));bh(b,b.j.end());for(var c=new Uint8Array(b.u),d=b.B,e=d.length,f=0,h=0;hv;v+=4)r[v/4]=q[v]<<24|q[v+1]<<16|q[v+2]<<8|q[v+3];for(v=16;80>v;v++)q=r[v-3]^r[v-8]^r[v-14]^r[v-16],r[v]=(q<<1|q>>>31)&4294967295;q=e[0];var x=e[1],z=e[2],B=e[3],F=e[4];for(v=0;80>v;v++){if(40>v)if(20>v){var G=B^x&(z^B);var D=1518500249}else G=x^z^B,D=1859775393;else 60>v?(G=x&z|B&(x|z),D=2400959708):(G=x^z^B,D=3395469782);G=((q<<5|q>>>27)&4294967295)+G+F+D+r[v]&4294967295;F=B;B=z;z=(x<<30|x>>>2)&4294967295;x=q;q=G}e[0]=e[0]+q&4294967295;e[1]=e[1]+x&4294967295;e[2]= +e[2]+z&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+F&4294967295} +function c(q,r){if("string"===typeof q){q=unescape(encodeURIComponent(q));for(var v=[],x=0,z=q.length;xn?c(l,56-n):c(l,64-(n-56));for(var v=63;56<=v;v--)f[v]=r&255,r>>>=8;b(f);for(v=r=0;5>v;v++)for(var x=24;0<=x;x-=8)q[r++]=e[v]>>x&255;return q} +for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,I2:function(){for(var q=d(),r="",v=0;vc&&(c=a.length);var d=a.indexOf("?");if(0>d||d>c){d=c;var e=""}else e=a.substring(d+1,c);a=[a.slice(0,d),e,a.slice(c)];c=a[1];a[1]=b?c?c+"&"+b:b:c;return a[0]+(a[1]?"?"+a[1]:"")+a[2]}; +Xi=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return Le(a.slice(d,-1!==e?e:0))}; +mj=function(a,b){for(var c=a.search(xfa),d=0,e,f=[];0<=(e=wfa(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.slice(d));return f.join("").replace(yfa,"$1")}; +zfa=function(a,b,c){return $i(mj(a,b),b,c)}; +g.nj=function(a){g.Fd.call(this);this.headers=new Map;this.T=a||null;this.B=!1;this.ya=this.j=null;this.Z="";this.u=0;this.C="";this.D=this.Ga=this.ea=this.Aa=!1;this.J=0;this.oa=null;this.Ja="";this.La=this.I=!1}; +Bfa=function(a,b,c,d,e,f,h){var l=new g.nj;Afa.push(l);b&&l.Ra("complete",b);l.CG("ready",l.j2);f&&(l.J=Math.max(0,f));h&&(l.I=h);l.send(a,c,d,e)}; +Cfa=function(a){return g.mf&&"number"===typeof a.timeout&&void 0!==a.ontimeout}; +Efa=function(a,b){a.B=!1;a.j&&(a.D=!0,a.j.abort(),a.D=!1);a.C=b;a.u=5;Dfa(a);oj(a)}; +Dfa=function(a){a.Aa||(a.Aa=!0,a.dispatchEvent("complete"),a.dispatchEvent("error"))}; +Ffa=function(a){if(a.B&&"undefined"!=typeof pj)if(a.ya[1]&&4==g.qj(a)&&2==a.getStatus())a.getStatus();else if(a.ea&&4==g.qj(a))g.ag(a.yW,0,a);else if(a.dispatchEvent("readystatechange"),a.isComplete()){a.getStatus();a.B=!1;try{if(rj(a))a.dispatchEvent("complete"),a.dispatchEvent("success");else{a.u=6;try{var b=2a.ib()?"https://www.google.com/log?format=json&hasfast=true":"https://play.google.com/log?format=json&hasfast=true");return a.Z}; +Vfa=function(a,b){a.D=new g.Ki(1>b?1:b,3E5,.1);a.j.setInterval(a.D.getValue())}; +Xfa=function(a){Wfa(a,function(b,c){b=$i(b,"format","json");var d=!1;try{d=nf().navigator.sendBeacon(b,c.jp())}catch(e){}a.ya&&!d&&(a.ya=!1);return d})}; +Wfa=function(a,b){if(0!==a.u.length){var c=mj(Ufa(a),"format");c=vfa(c,"auth",a.La(),"authuser",a.sessionIndex||"0");for(var d=0;10>d&&a.u.length;++d){var e=a.u.slice(0,32),f=a.C.wf(e,a.J,a.I);if(!b(c,f)){++a.I;break}a.J=0;a.I=0;a.u=a.u.slice(e.length)}a.j.enabled&&a.j.stop()}}; +Yfa=function(a){g.ib.call(this,"event-logged",void 0);this.j=a}; +Sfa=function(a,b){this.B=b=void 0===b?!1:b;this.u=this.locale=null;this.j=new Ofa;H(this.j,2,a);b||(this.locale=document.documentElement.getAttribute("lang"));zj(this,new $h)}; +zj=function(a,b){I(a.j,$h,1,b);Ah(b,1)||H(b,1,1);a.B||(b=Bj(a),Ah(b,5)||H(b,5,a.locale));a.u&&(b=Bj(a),Mh(b,wj,9)||I(b,wj,9,a.u))}; +Zfa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,1,b))}; +$fa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,2,b))}; +cga=function(a,b){var c=void 0===c?aga:c;b(nf(),c).then(function(d){a.u=d;d=Bj(a);I(d,wj,9,a.u);return!0}).catch(function(){return!1})}; +Bj=function(a){a=Mh(a.j,$h,1);var b=Mh(a,xj,11);b||(b=new xj,I(a,xj,11,b));return b}; +Cj=function(a){a=Bj(a);var b=Mh(a,vj,10);b||(b=new vj,H(b,2,!1),I(a,vj,10,b));return b}; +dga=function(a,b,c){Bfa(a.url,function(d){d=d.target;rj(d)?b(g.sj(d)):c(d.getStatus())},a.requestType,a.body,a.dw,a.timeoutMillis,a.withCredentials)}; +Dj=function(a,b){g.C.call(this);this.I=a;this.Ga=b;this.C="https://play.google.com/log?format=json&hasfast=true";this.D=!1;this.oa=dga;this.j=""}; +Ej=function(a,b,c,d,e,f){a=void 0===a?-1:a;b=void 0===b?"":b;c=void 0===c?"":c;d=void 0===d?!1:d;e=void 0===e?"":e;g.C.call(this);f?b=f:(a=new Dj(a,"0"),a.j=b,g.E(this,a),""!=c&&(a.C=c),d&&(a.D=!0),e&&(a.u=e),b=a.wf());this.j=b}; +ega=function(a){switch(a){case 200:return 0;case 400:return 3;case 401:return 16;case 403:return 7;case 404:return 5;case 409:return 10;case 412:return 9;case 429:return 8;case 499:return 1;case 500:return 2;case 501:return 12;case 503:return 14;case 504:return 4;default:return 2}}; +fga=function(a){switch(a){case 0:return"OK";case 1:return"CANCELLED";case 2:return"UNKNOWN";case 3:return"INVALID_ARGUMENT";case 4:return"DEADLINE_EXCEEDED";case 5:return"NOT_FOUND";case 6:return"ALREADY_EXISTS";case 7:return"PERMISSION_DENIED";case 16:return"UNAUTHENTICATED";case 8:return"RESOURCE_EXHAUSTED";case 9:return"FAILED_PRECONDITION";case 10:return"ABORTED";case 11:return"OUT_OF_RANGE";case 12:return"UNIMPLEMENTED";case 13:return"INTERNAL";case 14:return"UNAVAILABLE";case 15:return"DATA_LOSS"; +default:return""}}; +Fj=function(a,b,c){c=void 0===c?{}:c;b=Error.call(this,b);this.message=b.message;"stack"in b&&(this.stack=b.stack);this.code=a;this.metadata=c}; +Gj=function(){var a,b,c;return null!=(c=null==(a=globalThis.performance)?void 0:null==(b=a.now)?void 0:b.call(a))?c:Date.now()}; +Hj=function(a,b){this.logger=a;this.j=b;this.startMillis=Gj()}; +Ij=function(a,b){this.logger=a;this.operation=b;this.startMillis=Gj()}; +gga=function(a,b){var c=Gj()-a.startMillis;a.logger.fN(b?"h":"m",c)}; +hga=function(){}; +iga=function(a,b){this.sf=a;a=new Dj(1654,"0");a.u="10";if(b){var c=new Qea;b=fea(c,b,Vda);a.B=b}b=new Ej(1654,"","",!1,"",a.wf());b=new g.cg(b);this.clientError=new Mca(b);this.J=new Lca(b);this.T=new Kca(b);this.I=new Nca(b);this.B=new Oca(b);this.C=new Pca(b);this.j=new Qca(b);this.D=new Rca(b);this.u=new Sca(b)}; +jga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fiec",{Xe:3,We:"rk"},{Xe:2,We:"ec"})}; +Jj=function(a,b,c){a.j.yl("/client_streamz/bg/fiec",b,c)}; +kga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fil",{Xe:3,We:"rk"})}; +lga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fsc",{Xe:3,We:"rk"})}; +mga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fsl",{Xe:3,We:"rk"})}; +pga=function(a){function b(){c-=d;c-=e;c^=e>>>13;d-=e;d-=c;d^=c<<8;e-=c;e-=d;e^=d>>>13;c-=d;c-=e;c^=e>>>12;d-=e;d-=c;d^=c<<16;e-=c;e-=d;e^=d>>>5;c-=d;c-=e;c^=e>>>3;d-=e;d-=c;d^=c<<10;e-=c;e-=d;e^=d>>>15} +a=nga(a);for(var c=2654435769,d=2654435769,e=314159265,f=a.length,h=f,l=0;12<=h;h-=12,l+=12)c+=Kj(a,l),d+=Kj(a,l+4),e+=Kj(a,l+8),b();e+=f;switch(h){case 11:e+=a[l+10]<<24;case 10:e+=a[l+9]<<16;case 9:e+=a[l+8]<<8;case 8:d+=a[l+7]<<24;case 7:d+=a[l+6]<<16;case 6:d+=a[l+5]<<8;case 5:d+=a[l+4];case 4:c+=a[l+3]<<24;case 3:c+=a[l+2]<<16;case 2:c+=a[l+1]<<8;case 1:c+=a[l+0]}b();return oga.toString(e)}; +nga=function(a){for(var b=[],c=0;ca.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; -g.Eg=function(a){var b=me(a),c=new g.ge(0,0);var d=b?me(b):document;d=!g.ye||g.be(9)||"CSS1Compat"==oe(d).u.compatMode?d.documentElement:d.body;if(a==d)return c;a=Dg(a);b=ze(oe(b).u);c.x=a.left+b.x;c.y=a.top+b.y;return c}; -Gg=function(a,b){var c=new g.ge(0,0),d=Be(me(a));if(!Xd(d,"parent"))return c;var e=a;do{var f=d==b?g.Eg(e):Fg(e);c.x+=f.x;c.y+=f.y}while(d&&d!=b&&d!=d.parent&&(e=d.frameElement)&&(d=d.parent));return c}; -g.Jg=function(a,b){var c=Hg(a),d=Hg(b);return new g.ge(c.x-d.x,c.y-d.y)}; -Fg=function(a){a=Dg(a);return new g.ge(a.left,a.top)}; -Hg=function(a){if(1==a.nodeType)return Fg(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.ge(a.clientX,a.clientY)}; -g.Kg=function(a,b,c){if(b instanceof g.ie)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Bg(b,!0);a.style.height=g.Bg(c,!0)}; -g.Bg=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; -g.Lg=function(a){var b=hba;if("none"!=Ag(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; -hba=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Ae&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Dg(a),new g.ie(a.right-a.left,a.bottom-a.top)):new g.ie(b,c)}; -g.Mg=function(a,b){a.style.display=b?"":"none"}; -Qg=function(){if(Ng&&!bg(Og)){var a="."+Pg.domain;try{for(;2b)throw Error("Bad port number "+b);a.C=b}else a.C=null}; +Fk=function(a,b,c){b instanceof Hk?(a.u=b,Uga(a.u,a.J)):(c||(b=Ik(b,Vga)),a.u=new Hk(b,a.J))}; +g.Jk=function(a,b,c){a.u.set(b,c)}; +g.Kk=function(a){return a instanceof g.Bk?a.clone():new g.Bk(a)}; +Gk=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; +Ik=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,Wga),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; +Wga=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; +Hk=function(a,b){this.u=this.j=null;this.B=a||null;this.C=!!b}; +Ok=function(a){a.j||(a.j=new Map,a.u=0,a.B&&Vi(a.B,function(b,c){a.add(Le(b),c)}))}; +Xga=function(a,b){Ok(a);b=Pk(a,b);return a.j.has(b)}; +g.Yga=function(a,b,c){a.remove(b);0>7,a.error.code].concat(g.fg(b)))}; +kl=function(a,b,c){dl.call(this,a);this.I=b;this.clientState=c;this.B="S";this.u="q"}; +el=function(a){return new Promise(function(b){return void setTimeout(b,a)})}; +ll=function(a,b){return Promise.race([a,el(12E4).then(b)])}; +ml=function(a){this.j=void 0;this.C=new g.Wj;this.state=1;this.B=0;this.u=void 0;this.Qu=a.Qu;this.jW=a.jW;this.onError=a.onError;this.logger=a.k8a?new hga:new iga(a.sf,a.WS);this.DH=!!a.DH}; +qha=function(a,b){var c=oha(a);return new ml({sf:a,Qu:c,onError:b,WS:void 0})}; +rha=function(a,b,c){var d=window.webpocb;if(!d)throw new cl(4,Error("PMD:Undefined"));d=d(yg(Gh(b,1)));if(!(d instanceof Function))throw new cl(16,Error("APF:Failed"));return new gl(a.logger,c,d,Th(Zh(b,3),0),1E3*Th(Zh(b,2),0))}; +sha=function(a){var b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B;return g.A(function(F){switch(F.j){case 1:b=void 0,c=a.isReady()?6E4:1E3,d=new g.Ki(c,6E5,.25,2),e=1;case 2:if(!(2>=e)){F.Ka(4);break}g.pa(F,5);a.state=3;a.B=e-1;return g.y(F,a.u&&1===e?a.u:a.EF(e),7);case 7:return f=F.u,a.u=void 0,a.state=4,h=new Hj(a.logger,"b"),g.y(F,Cga(f),8);case 8:return l=new Xj({challenge:f}),a.state=5,g.y(F,ll(l.snapshot({}),function(){return Promise.reject(new cl(15,"MDA:Timeout"))}),9); +case 9:return m=F.u,h.done(),a.state=6,g.y(F,ll(a.logger.gN("g",e,Jga(a.Qu,m)),function(){return Promise.reject(new cl(10,"BWB:Timeout"))}),10); +case 10:n=F.u;a.state=7;p=new Hj(a.logger,"i");if(g.ai(n,4)){l.dispose();var G=new il(a.logger,g.ai(n,4),1E3*Th(Zh(n,2),0))}else Th(Zh(n,3),0)?G=rha(a,n,l):(l.dispose(),G=new hl(a.logger,yg(Gh(n,1)),1E3*Th(Zh(n,2),0)));q=G;p.done();v=r=void 0;null==(v=(r=a).jW)||v.call(r,yg(Gh(n,1)));a.state=8;return F.return(q);case 5:x=g.sa(F);b=x instanceof cl?x:x instanceof Fj?new cl(11,x):new cl(12,x);a.logger.JC(b.code);B=z=void 0;null==(B=(z=a).onError)||B.call(z,b);a:{if(x instanceof Fj)switch(x.code){case 2:case 13:case 14:case 4:break; +default:G=!1;break a}G=!0}if(!G)throw b;return g.y(F,el(d.getValue()),11);case 11:g.Li(d);case 3:e++;F.Ka(2);break;case 4:throw b;}})}; +tha=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:return b=void 0,g.pa(e,4),g.y(e,sha(a),6);case 6:b=e.u;g.ra(e,5);break;case 4:c=g.sa(e);if(a.j){a.logger.JC(13);e.Ka(0);break}a.logger.JC(14);c instanceof cl||(c=new cl(14,c instanceof Error?c:Error(String(c))));b=new jl(a.logger,c,!a.DH);case 5:return d=void 0,null==(d=a.j)||d.dispose(),a.j=b,a.C.resolve(),g.y(e,a.j.D.promise,1)}})}; +uha=function(a){try{var b=!0;if(globalThis.sessionStorage){var c;null!=(c=globalThis.sessionStorage.getItem)&&c.call||(a.logger.ez("r"),b=!1);var d;null!=(d=globalThis.sessionStorage.setItem)&&d.call||(a.logger.ez("w"),b=!1);var e;null!=(e=globalThis.sessionStorage.removeItem)&&e.call||(a.logger.ez("d"),b=!1)}else a.logger.ez("n"),b=!1;if(b){a.logger.ez("a");var f=Array.from({length:83}).map(function(){return 9*Math.random()|0}).join(""),h=new Ij(a.logger,"m"),l=globalThis.sessionStorage.getItem("nWC1Uzs7EI"); +b=!!l;gga(h,b);var m=Date.now();if(l){var n=Number(l.substring(0,l.indexOf("l")));n?(a.logger.DG("a"),a.logger.rV(m-n)):a.logger.DG("c")}else a.logger.DG("n");f=m+"l"+f;if(b&&.5>Math.random()){var p=new Ij(a.logger,"d");globalThis.sessionStorage.removeItem("nWC1Uzs7EI");p.done();var q=new Ij(a.logger,"a");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);q.done()}else{var r=new Ij(a.logger,b?"w":"i");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);r.done()}}}catch(v){a.logger.qV()}}; +vha=function(a){var b={};g.Ob(a,function(c){var d=c.event,e=b[d];b.hasOwnProperty(d)?null!==e&&(c.equals(e)||(b[d]=null)):b[d]=c}); +xaa(a,function(c){return null===b[c.event]})}; +nl=function(){this.Xd=0;this.j=!1;this.u=-1;this.hv=!1;this.Tj=0}; +ol=function(){this.u=null;this.j=!1}; +pl=function(a){ol.call(this);this.C=a}; +ql=function(){ol.call(this)}; +rl=function(){ol.call(this)}; +sl=function(){this.j={};this.u=!0;this.B={}}; +tl=function(a,b,c){a.j[b]||(a.j[b]=new pl(c));return a.j[b]}; +wha=function(a){a.j.queryid||(a.j.queryid=new rl)}; +ul=function(a,b,c){(a=a.j[b])&&a.B(c)}; +vl=function(a,b){if(g.$c(a.B,b))return a.B[b];if(a=a.j[b])return a.getValue()}; +wl=function(a){var b={},c=g.Uc(a.j,function(d){return d.j}); +g.Tc(c,function(d,e){d=void 0!==a.B[e]?String(a.B[e]):d.j&&null!==d.u?String(d.u):"";0e?encodeURIComponent(oh(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; -oba=function(a){var b=1,c;for(c in a.B)b=c.length>b?c.length:b;return 3997-b-a.C.length-1}; -ph=function(a,b){this.u=a;this.depth=b}; -qba=function(){function a(l,m){return null==l?m:l} -var b=ih(),c=Math.max(b.length-1,0),d=kh(b);b=d.u;var e=d.B,f=d.C,h=[];f&&h.push(new ph([f.url,f.Sy?2:0],a(f.depth,1)));e&&e!=f&&h.push(new ph([e.url,2],0));b.url&&b!=f&&h.push(new ph([b.url,0],a(b.depth,c)));d=g.Oc(h,function(l,m){return h.slice(0,h.length-m)}); -!b.url||(f||e)&&b!=f||(e=$aa(b.url))&&d.push([new ph([e,1],a(b.depth,c))]);d.push([]);return g.Oc(d,function(l){return pba(c,l)})}; -pba=function(a,b){g.qh(b,function(e){return 0<=e.depth}); -var c=g.rh(b,function(e,f){return Math.max(e,f.depth)},-1),d=raa(c+2); -d[0]=a;g.Cb(b,function(e){return d[e.depth+1]=e.u}); +Wl=function(a,b,c,d,e){if(null==a)return"";b=b||"&";c=c||",$";"string"==typeof c&&(c=c.split(""));if(a instanceof Array){if(d=d||0,de?encodeURIComponent(Pha(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; +Qha=function(a){var b=1,c;for(c in a.u)b=c.length>b?c.length:b;return 3997-b-a.B.length-1}; +Xl=function(a,b){this.j=a;this.depth=b}; +Sha=function(){function a(l,m){return null==l?m:l} +var b=Tl(),c=Math.max(b.length-1,0),d=Oha(b);b=d.j;var e=d.u,f=d.B,h=[];f&&h.push(new Xl([f.url,f.MM?2:0],a(f.depth,1)));e&&e!=f&&h.push(new Xl([e.url,2],0));b.url&&b!=f&&h.push(new Xl([b.url,0],a(b.depth,c)));d=g.Yl(h,function(l,m){return h.slice(0,h.length-m)}); +!b.url||(f||e)&&b!=f||(e=Gha(b.url))&&d.push([new Xl([e,1],a(b.depth,c))]);d.push([]);return g.Yl(d,function(l){return Rha(c,l)})}; +Rha=function(a,b){g.Zl(b,function(e){return 0<=e.depth}); +var c=$l(b,function(e,f){return Math.max(e,f.depth)},-1),d=Caa(c+2); +d[0]=a;g.Ob(b,function(e){return d[e.depth+1]=e.j}); return d}; -rba=function(){var a=qba();return g.Oc(a,function(b){return nh(b)})}; -sh=function(){this.B=new hh;this.u=dh()?new eh:new ch}; -sba=function(){th();var a=fh.document;return!!(a&&a.body&&a.body.getBoundingClientRect&&"function"===typeof fh.setInterval&&"function"===typeof fh.clearInterval&&"function"===typeof fh.setTimeout&&"function"===typeof fh.clearTimeout)}; -uh=function(a){th();var b=Qg()||fh;b.google_image_requests||(b.google_image_requests=[]);var c=b.document.createElement("img");c.src=a;b.google_image_requests.push(c)}; -vh=function(){th();return rba()}; -wh=function(){}; -th=function(){return wh.getInstance().getContext()}; -yh=function(a){g.Jf(this,a,null,null)}; -tba=function(a){this.D=a;this.u=-1;this.B=this.C=0}; -zh=function(a,b){return function(c){for(var d=[],e=0;eMath.random())}; -Jh=function(a){a&&Ih&&Gh()&&(Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; -Mh=function(){var a=Kh;this.F=Lh;this.D="jserror";this.C=!0;this.u=null;this.I=this.B;this.Za=void 0===a?null:a}; -Qh=function(a,b,c,d){return zh(Ch.getInstance().u.u,function(){try{if(a.Za&&a.Za.u){var e=a.Za.start(b.toString(),3);var f=c();a.Za.end(e)}else f=c()}catch(m){var h=a.C;try{Jh(e);var l=new Oh(Ph(m));h=a.I(b,l,void 0,d)}catch(n){a.B(217,n)}if(!h)throw m;}return f})()}; -Sh=function(a,b,c){var d=Rh;return zh(Ch.getInstance().u.u,function(e){for(var f=[],h=0;hd?500:h}; -bi=function(a,b,c){var d=new hg(0,0,0,0);this.time=a;this.volume=null;this.C=b;this.u=d;this.B=c}; -ci=function(a,b,c,d,e,f,h,l){this.D=a;this.K=b;this.C=c;this.I=d;this.u=e;this.F=f;this.B=h;this.R=l}; -di=function(a){for(var b=0,c=a,d=0;a&&a!=a.parent;)a=a.parent,d++,bg(a)&&(c=a,b=d);return{Df:c,level:b}}; -ei=function(a){var b=a!==a.top,c=a.top===di(a).Df,d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),Jb(Cba,function(h){return"function"===typeof f[h]})||(e=1)); -return{Vh:f,compatibility:e,YR:d}}; -Dba=function(a){return(a=a.document)&&"function"===typeof a.elementFromPoint}; -fi=function(a,b,c,d){var e=void 0===e?!1:e;c=Sh(d,c,void 0);Yf(a,b,c,{capture:e})}; -gi=function(a,b){var c=Math.pow(10,b);return Math.floor(a*c)/c}; -hi=function(a){return new hg(a.top,a.right,a.bottom,a.left)}; -ii=function(a){var b=a.top||0,c=a.left||0;return new hg(b,c+(a.width||0),b+(a.height||0),c)}; -ji=function(a){return null!=a&&0<=a&&1>=a}; -Eba=function(){var a=g.Vc;return a?ki("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return yc(a,b)})||yc(a,"OMI/")&&!yc(a,"XiaoMi/")?!0:yc(a,"Presto")&&yc(a,"Linux")&&!yc(a,"X11")&&!yc(a,"Android")&&!yc(a,"Mobi"):!1}; -li=function(){this.C=!bg(fh.top);this.isMobileDevice=$f()||ag();var a=ih();this.domain=0c.height?n>r?(e=n,f=p):(e=r,f=t):nb.C?!1:a.Bb.B?!1:typeof a.utypeof b.u?!1:a.uMath.random())}; +lia=function(a){a&&jm&&hm()&&(jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; +mia=function(){var a=km;this.j=lm;this.tT="jserror";this.sP=!0;this.sK=null;this.u=this.iN;this.Gc=void 0===a?null:a}; +nia=function(a,b,c){var d=mm;return em(fm().j.j,function(){try{if(d.Gc&&d.Gc.j){var e=d.Gc.start(a.toString(),3);var f=b();d.Gc.end(e)}else f=b()}catch(l){var h=d.sP;try{lia(e),h=d.u(a,new nm(om(l)),void 0,c)}catch(m){d.iN(217,m)}if(!h)throw l;}return f})()}; +pm=function(a,b,c,d){return em(fm().j.j,function(){var e=g.ya.apply(0,arguments);return nia(a,function(){return b.apply(c,e)},d)})}; +om=function(a){var b=a.toString();a.name&&-1==b.indexOf(a.name)&&(b+=": "+a.name);a.message&&-1==b.indexOf(a.message)&&(b+=": "+a.message);if(a.stack){a=a.stack;var c=b;try{-1==a.indexOf(c)&&(a=c+"\n"+a);for(var d;a!=d;)d=a,a=a.replace(/((https?:\/..*\/)[^\/:]*:\d+(?:.|\n)*)\2/,"$1");b=a.replace(/\n */g,"\n")}catch(e){b=c}}return b}; +nm=function(a){hia.call(this,Error(a),{message:a})}; +oia=function(){Bl&&"undefined"!=typeof Bl.google_measure_js_timing&&(Bl.google_measure_js_timing||km.disable())}; +pia=function(a){mm.sK=function(b){g.Ob(a,function(c){c(b)})}}; +qia=function(a,b){return nia(a,b)}; +qm=function(a,b){return pm(a,b)}; +rm=function(a,b,c,d){mm.iN(a,b,c,d)}; +sm=function(){return Date.now()-ria}; +sia=function(){var a=fm().B,b=0<=tm?sm()-tm:-1,c=um?sm()-vm:-1,d=0<=wm?sm()-wm:-1;if(947190542==a)return 100;if(79463069==a)return 200;a=[2E3,4E3];var e=[250,500,1E3];rm(637,Error(),.001);var f=b;-1!=c&&cd?500:h}; +xm=function(a,b,c,d){this.top=a;this.right=b;this.bottom=c;this.left=d}; +ym=function(a){return a.right-a.left}; +zm=function(a,b){return a==b?!0:a&&b?a.top==b.top&&a.right==b.right&&a.bottom==b.bottom&&a.left==b.left:!1}; +Am=function(a,b,c){b instanceof g.Fe?(a.left+=b.x,a.right+=b.x,a.top+=b.y,a.bottom+=b.y):(a.left+=b,a.right+=b,"number"===typeof c&&(a.top+=c,a.bottom+=c));return a}; +Bm=function(a,b,c){var d=new xm(0,0,0,0);this.time=a;this.volume=null;this.B=b;this.j=d;this.u=c}; +Cm=function(a,b,c,d,e,f,h,l){this.C=a;this.J=b;this.B=c;this.I=d;this.j=e;this.D=f;this.u=h;this.T=l}; +uia=function(a){var b=a!==a.top,c=a.top===Kha(a),d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),dba(tia,function(h){return"function"===typeof f[h]})||(e=1)); +return{jn:f,compatibility:e,f9:d}}; +via=function(){var a=window.document;return a&&"function"===typeof a.elementFromPoint}; +wia=function(a,b,c){a&&null!==b&&b!=b.top&&(b=b.top);try{return(void 0===c?0:c)?(new g.He(b.innerWidth,b.innerHeight)).round():hca(b||window).round()}catch(d){return new g.He(-12245933,-12245933)}}; +Dm=function(a,b,c){try{a&&(b=b.top);var d=wia(a,b,c),e=d.height,f=d.width;if(-12245933===f)return new xm(f,f,f,f);var h=jca(Ve(b.document).j),l=h.x,m=h.y;return new xm(m,l+f,m+e,l)}catch(n){return new xm(-12245933,-12245933,-12245933,-12245933)}}; +g.Em=function(a,b,c,d){this.left=a;this.top=b;this.width=c;this.height=d}; +Fm=function(a,b){return a==b?!0:a&&b?a.left==b.left&&a.width==b.width&&a.top==b.top&&a.height==b.height:!1}; +g.Hm=function(a,b,c){if("string"===typeof b)(b=Gm(a,b))&&(a.style[b]=c);else for(var d in b){c=a;var e=b[d],f=Gm(c,d);f&&(c.style[f]=e)}}; +Gm=function(a,b){var c=xia[b];if(!c){var d=bca(b);c=d;void 0===a.style[d]&&(d=(g.Pc?"Webkit":Im?"Moz":g.mf?"ms":null)+dca(d),void 0!==a.style[d]&&(c=d));xia[b]=c}return c}; +g.Jm=function(a,b){var c=a.style[bca(b)];return"undefined"!==typeof c?c:a.style[Gm(a,b)]||""}; +Km=function(a,b){var c=Ue(a);return c.defaultView&&c.defaultView.getComputedStyle&&(a=c.defaultView.getComputedStyle(a,null))?a[b]||a.getPropertyValue(b)||"":""}; +Lm=function(a,b){return Km(a,b)||(a.currentStyle?a.currentStyle[b]:null)||a.style&&a.style[b]}; +g.Nm=function(a,b,c){if(b instanceof g.Fe){var d=b.x;b=b.y}else d=b,b=c;a.style.left=g.Mm(d,!1);a.style.top=g.Mm(b,!1)}; +Om=function(a){try{return a.getBoundingClientRect()}catch(b){return{left:0,top:0,right:0,bottom:0}}}; +yia=function(a){if(g.mf&&!g.Oc(8))return a.offsetParent;var b=Ue(a),c=Lm(a,"position"),d="fixed"==c||"absolute"==c;for(a=a.parentNode;a&&a!=b;a=a.parentNode)if(11==a.nodeType&&a.host&&(a=a.host),c=Lm(a,"position"),d=d&&"static"==c&&a!=b.documentElement&&a!=b.body,!d&&(a.scrollWidth>a.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; +g.Pm=function(a){var b=Ue(a),c=new g.Fe(0,0);var d=b?Ue(b):document;d=!g.mf||g.Oc(9)||"CSS1Compat"==Ve(d).j.compatMode?d.documentElement:d.body;if(a==d)return c;a=Om(a);b=jca(Ve(b).j);c.x=a.left+b.x;c.y=a.top+b.y;return c}; +Aia=function(a,b){var c=new g.Fe(0,0),d=nf(Ue(a));if(!Hc(d,"parent"))return c;do{var e=d==b?g.Pm(a):zia(a);c.x+=e.x;c.y+=e.y}while(d&&d!=b&&d!=d.parent&&(a=d.frameElement)&&(d=d.parent));return c}; +g.Qm=function(a,b){a=Bia(a);b=Bia(b);return new g.Fe(a.x-b.x,a.y-b.y)}; +zia=function(a){a=Om(a);return new g.Fe(a.left,a.top)}; +Bia=function(a){if(1==a.nodeType)return zia(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.Fe(a.clientX,a.clientY)}; +g.Rm=function(a,b,c){if(b instanceof g.He)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Mm(b,!0);a.style.height=g.Mm(c,!0)}; +g.Mm=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; +g.Sm=function(a){var b=Cia;if("none"!=Lm(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; +Cia=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Pc&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Om(a),new g.He(a.right-a.left,a.bottom-a.top)):new g.He(b,c)}; +g.Tm=function(a,b){a.style.display=b?"":"none"}; +Um=function(a,b){b=Math.pow(10,b);return Math.floor(a*b)/b}; +Dia=function(a){return new xm(a.top,a.right,a.bottom,a.left)}; +Eia=function(a){var b=a.top||0,c=a.left||0;return new xm(b,c+(a.width||0),b+(a.height||0),c)}; +Vm=function(a){return null!=a&&0<=a&&1>=a}; +Fia=function(){var a=g.hc();return a?Wm("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return ac(a,b)})||ac(a,"OMI/")&&!ac(a,"XiaoMi/")?!0:ac(a,"Presto")&&ac(a,"Linux")&&!ac(a,"X11")&&!ac(a,"Android")&&!ac(a,"Mobi"):!1}; +Gia=function(){this.B=!Rl(Bl.top);this.isMobileDevice=Ql()||Dha();var a=Tl();this.domain=0c.height?m>p?(d=m,e=n):(d=p,e=q):mb.B?!1:a.ub.u?!1:typeof a.jtypeof b.j?!1:a.jc++;){if(a===b)return!0;try{if(a=g.Le(a)||a){var d=me(a),e=d&&Be(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; -Nba=function(a,b,c){if(!a||!b)return!1;b=ig(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;var d=Qg();bg(d.top)&&d.top&&d.top.document&&(d=d.top);if(!Dba(d))return!1;a=d.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=me(c))&&b.defaultView&&b.defaultView.frameElement)&&Mba(b,a);d=a===c;a=!d&&a&&Te(a,function(e){return e===c}); +Tia=function(){if(xn&&"unreleased"!==xn)return xn}; +Uia=function(a){var b=void 0===b?4E3:b;a=a.toString();if(!/&v=[^&]+/.test(a)){var c=Tia();a=c?a+"&v="+encodeURIComponent(c):a}b=a=a.substring(0,b);cm();Uha(b)}; +Via=function(){this.j=0}; +Wia=function(a,b,c){(0,g.Ob)(a.B,function(d){var e=a.j;if(!d.j&&(d.B(b,c),d.C())){d.j=!0;var f=d.u(),h=new un;h.add("id","av-js");h.add("type","verif");h.add("vtype",d.D);d=am(Via);h.add("i",d.j++);h.add("adk",e);vn(h,f);e=new Ria(h);Uia(e)}})}; +yn=function(){this.u=this.B=this.C=this.j=0}; +zn=function(a){this.u=a=void 0===a?Xia:a;this.j=g.Yl(this.u,function(){return new yn})}; +An=function(a,b){return Yia(a,function(c){return c.j},void 0===b?!0:b)}; +Cn=function(a,b){return Bn(a,b,function(c){return c.j})}; +Zia=function(a,b){return Yia(a,function(c){return c.B},void 0===b?!0:b)}; +Dn=function(a,b){return Bn(a,b,function(c){return c.B})}; +En=function(a,b){return Bn(a,b,function(c){return c.u})}; +$ia=function(a){g.Ob(a.j,function(b){b.u=0})}; +Yia=function(a,b,c){a=g.Yl(a.j,function(d){return b(d)}); +return c?a:aja(a)}; +Bn=function(a,b,c){var d=g.ob(a.u,function(e){return b<=e}); +return-1==d?0:c(a.j[d])}; +aja=function(a){return g.Yl(a,function(b,c,d){return 0c++;){if(a===b)return!0;try{if(a=g.yf(a)||a){var d=Ue(a),e=d&&nf(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; +cja=function(a,b,c){if(!a||!b)return!1;b=Am(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;Rl(window.top)&&window.top&&window.top.document&&(window=window.top);if(!via())return!1;a=window.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=Ue(c))&&b.defaultView&&b.defaultView.frameElement)&&bja(b,a);var d=a===c;a=!d&&a&&Cf(a,function(e){return e===c}); return!(b||d||a)}; -Oba=function(a,b,c,d){return li.getInstance().C?!1:0>=a.Ee()||0>=a.getHeight()?!0:c&&d?Uh(208,function(){return Nba(a,b,c)}):!1}; -aj=function(a,b,c){g.C.call(this);this.position=Pba.clone();this.Nu=this.Tt();this.ez=-2;this.oS=Date.now();this.RH=-1;this.lastUpdateTime=b;this.zu=null;this.vt=!1;this.vv=null;this.opacity=-1;this.requestSource=c;this.dI=this.fz=g.Ka;this.Uf=new lba;this.Uf.jl=a;this.Uf.u=a;this.qo=!1;this.jm={Az:null,yz:null};this.BH=!0;this.Zr=null;this.ko=this.nL=!1;Ch.getInstance().I++;this.Je=this.iy();this.QH=-1;this.Ec=null;this.jL=!1;a=this.xb=new Yg;Zg(a,"od",Qba);Zg(a,"opac",Bh).u=!0;Zg(a,"sbeos",Bh).u= -!0;Zg(a,"prf",Bh).u=!0;Zg(a,"mwt",Bh).u=!0;Zg(a,"iogeo",Bh);(a=this.Uf.jl)&&a.getAttribute&&!/-[a-z]/.test("googleAvInapp")&&(Rba&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+td()):a.getAttribute("data-"+td()))&&(li.getInstance().B=!0);1==this.requestSource?$g(this.xb,"od",1):$g(this.xb,"od",0)}; -bj=function(a,b){if(b!=a.ko){a.ko=b;var c=li.getInstance();b?c.I++:0c?0:a}; -Sba=function(a,b,c){if(a.Ec){a.Ec.Ck();var d=a.Ec.K,e=d.D,f=e.u;if(null!=d.I){var h=d.C;a.vv=new g.ge(h.left-f.left,h.top-f.top)}f=a.dw()?Math.max(d.u,d.F):d.u;h={};null!==e.volume&&(h.volume=e.volume);e=a.lD(d);a.zu=d;a.oa(f,b,c,!1,h,e,d.R)}}; -Tba=function(a){if(a.vt&&a.Zr){var b=1==ah(a.xb,"od"),c=li.getInstance().u,d=a.Zr,e=a.Ec?a.Ec.getName():"ns",f=new g.ie(c.Ee(),c.getHeight());c=a.dw();a={dS:e,vv:a.vv,HS:f,dw:c,xc:a.Je.xc,FS:b};if(b=d.B){b.Ck();e=b.K;f=e.D.u;var h=null,l=null;null!=e.I&&f&&(h=e.C,h=new g.ge(h.left-f.left,h.top-f.top),l=new g.ie(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.u,e.F):e.u;c={dS:b.getName(),vv:h,HS:l,dw:c,FS:!1,xc:e}}else c=null;c&&Jba(d,a,c)}}; -Uba=function(a,b,c){b&&(a.fz=b);c&&(a.dI=c)}; -ej=function(){}; -gj=function(a){if(a instanceof ej)return a;if("function"==typeof a.wj)return a.wj(!1);if(g.Na(a)){var b=0,c=new ej;c.next=function(){for(;;){if(b>=a.length)throw fj;if(b in a)return a[b++];b++}}; -return c}throw Error("Not implemented");}; -g.hj=function(a,b,c){if(g.Na(a))try{g.Cb(a,b,c)}catch(d){if(d!==fj)throw d;}else{a=gj(a);try{for(;;)b.call(c,a.next(),void 0,a)}catch(d){if(d!==fj)throw d;}}}; -Vba=function(a){if(g.Na(a))return g.rb(a);a=gj(a);var b=[];g.hj(a,function(c){b.push(c)}); -return b}; -Wba=function(){this.D=this.u=this.C=this.B=this.F=0}; -Xba=function(a){var b={};b=(b.ptlt=g.A()-a.F,b);var c=a.B;c&&(b.pnk=c);(c=a.C)&&(b.pnc=c);(c=a.D)&&(b.pnmm=c);(a=a.u)&&(b.pns=a);return b}; -ij=function(){Tg.call(this);this.fullscreen=!1;this.volume=void 0;this.paused=!1;this.mediaTime=-1}; -jj=function(a){return ji(a.volume)&&.1<=a.volume}; -Yba=function(){var a={};this.B=(a.vs=[1,0],a.vw=[0,1],a.am=[2,2],a.a=[4,4],a.f=[8,8],a.bm=[16,16],a.b=[32,32],a.avw=[0,64],a.avs=[64,0],a.pv=[256,256],a.gdr=[0,512],a.p=[0,1024],a.r=[0,2048],a.m=[0,4096],a.um=[0,8192],a.ef=[0,16384],a.s=[0,32768],a.pmx=[0,16777216],a);this.u={};for(var b in this.B)0Math.max(1E4,a.D/3)?0:c);var d=a.aa(a)||{};d=void 0!==d.currentTime?d.currentTime:a.X;var e=d-a.X,f=0;0<=e?(a.Y+=c,a.ma+=Math.max(c-e,0),f=Math.min(e,a.Y)):a.Aa+=Math.abs(e);0!=e&&(a.Y=0);-1==a.Ja&&0=a.D/2:0=a.ia:!1:!1}; -dca=function(a){var b=gi(a.Je.xc,2),c=a.ze.C,d=a.Je,e=yj(a),f=xj(e.D),h=xj(e.I),l=xj(d.volume),m=gi(e.K,2),n=gi(e.Y,2),p=gi(d.xc,2),r=gi(e.aa,2),t=gi(e.ha,2);d=gi(d.jg,2);a=a.Pk().clone();a.round();e=Yi(e,!1);return{GS:b,Hq:c,Ou:f,Ku:h,Op:l,Pu:m,Lu:n,xc:p,Qu:r,Mu:t,jg:d,position:a,ov:e}}; -Cj=function(a,b){Bj(a.u,b,function(){return{GS:0,Hq:void 0,Ou:-1,Ku:-1,Op:-1,Pu:-1,Lu:-1,xc:-1,Qu:-1,Mu:-1,jg:-1,position:void 0,ov:[]}}); -a.u[b]=dca(a)}; -Bj=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; -dk=function(a){a=void 0===a?fh:a;Ai.call(this,new qi(a,2))}; -fk=function(){var a=ek();qi.call(this,fh.top,a,"geo")}; -ek=function(){Ch.getInstance();var a=li.getInstance();return a.C||a.B?0:2}; -gk=function(){}; -hk=function(){this.done=!1;this.u={qJ:0,OB:0,s5:0,KC:0,Ey:-1,NJ:0,MJ:0,OJ:0};this.F=null;this.I=!1;this.B=null;this.K=0;this.C=new pi(this)}; -jk=function(){var a=ik;a.I||(a.I=!0,xca(a,function(b){for(var c=[],d=0;dg.Mb(Dca).length?null:(0,g.rh)(b,function(c,d){var e=d.toLowerCase().split("=");if(2!=e.length||void 0===zk[e[0]]||!zk[e[0]](e[1]))throw Error("Entry ("+e[0]+", "+e[1]+") is invalid.");c[e[0]]=e[1];return c},{})}catch(c){return null}}; -Fca=function(a,b){if(void 0==a.u)return 0;switch(a.F){case "mtos":return a.B?Ui(b.u,a.u):Ui(b.B,a.u);case "tos":return a.B?Si(b.u,a.u):Si(b.B,a.u)}return 0}; -Ak=function(a,b,c,d){qj.call(this,b,d);this.K=a;this.I=c}; -Bk=function(a){qj.call(this,"fully_viewable_audible_half_duration_impression",a)}; -Ck=function(a,b){qj.call(this,a,b)}; -Dk=function(){this.B=this.D=this.I=this.F=this.C=this.u=""}; -Gca=function(){}; -Ek=function(a,b,c,d,e){var f={};if(void 0!==a)if(null!=b)for(var h in b){var l=b[h];h in Object.prototype||null!=l&&(f[h]="function"===typeof l?l(a):a[l])}else g.Zb(f,a);void 0!==c&&g.Zb(f,c);a=Fi(Ei(new Di,f));0String(Function.prototype.toString).indexOf("[native code]")?!1:0<=String(a).indexOf("[native code]")&&!0||!1}; -gl=function(a){return!!(1<>>0]|=f<>>0).toString(16)+"&"}); -c=105;g.Cb(Vca,function(d){var e="false";try{e=d(fh)}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -g.Cb(Wca,function(d){var e="";try{e=g.tf(d(fh))}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -return a.slice(0,-1)}; -Tca=function(){if(!hl){var a=function(){il=!0;fh.document.removeEventListener("webdriver-evaluate",a,!0)}; -fh.document.addEventListener("webdriver-evaluate",a,!0);var b=function(){jl=!0;fh.document.removeEventListener("webdriver-evaluate-response",b,!0)}; -fh.document.addEventListener("webdriver-evaluate-response",b,!0);hl=!0}}; -kl=function(){this.B=-1}; -ll=function(){this.B=64;this.u=Array(4);this.F=Array(this.B);this.D=this.C=0;this.reset()}; -pl=function(a,b,c){c||(c=0);var d=Array(16);if("string"===typeof b)for(var e=0;16>e;++e)d[e]=b.charCodeAt(c++)|b.charCodeAt(c++)<<8|b.charCodeAt(c++)<<16|b.charCodeAt(c++)<<24;else for(e=0;16>e;++e)d[e]=b[c++]|b[c++]<<8|b[c++]<<16|b[c++]<<24;b=a.u[0];c=a.u[1];e=a.u[2];var f=a.u[3];var h=b+(f^c&(e^f))+d[0]+3614090360&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[1]+3905402710&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[2]+606105819&4294967295;e=f+(h<<17&4294967295|h>>>15); -h=c+(b^e&(f^b))+d[3]+3250441966&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[4]+4118548399&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[5]+1200080426&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[6]+2821735955&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[7]+4249261313&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[8]+1770035416&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[9]+2336552879&4294967295;f=b+(h<<12&4294967295| -h>>>20);h=e+(c^f&(b^c))+d[10]+4294925233&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[11]+2304563134&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[12]+1804603682&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[13]+4254626195&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[14]+2792965006&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[15]+1236535329&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(e^f&(c^e))+d[1]+4129170786&4294967295;b=c+(h<< -5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[6]+3225465664&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[11]+643717713&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[0]+3921069994&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[5]+3593408605&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[10]+38016083&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[15]+3634488961&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[4]+3889429448&4294967295;c= -e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[9]+568446438&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[14]+3275163606&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[3]+4107603335&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[8]+1163531501&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[13]+2850285829&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[2]+4243563512&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[7]+1735328473&4294967295; -e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[12]+2368359562&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(c^e^f)+d[5]+4294588738&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[8]+2272392833&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[11]+1839030562&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[14]+4259657740&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[1]+2763975236&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[4]+1272893353&4294967295;f=b+(h<<11&4294967295| -h>>>21);h=e+(f^b^c)+d[7]+4139469664&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[10]+3200236656&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[13]+681279174&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[0]+3936430074&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[3]+3572445317&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[6]+76029189&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[9]+3654602809&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[12]+ -3873151461&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[15]+530742520&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[2]+3299628645&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(e^(c|~f))+d[0]+4096336452&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[7]+1126891415&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[14]+2878612391&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[5]+4237533241&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[12]+1700485571& -4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[3]+2399980690&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[10]+4293915773&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[1]+2240044497&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[8]+1873313359&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[15]+4264355552&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[6]+2734768916&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[13]+1309151649& -4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[4]+4149444226&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[11]+3174756917&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[2]+718787259&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[9]+3951481745&4294967295;a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+(e+(h<<21&4294967295|h>>>11))&4294967295;a.u[2]=a.u[2]+e&4294967295;a.u[3]=a.u[3]+f&4294967295}; -ql=function(){this.B=null}; -rl=function(a){return function(b){var c=new ll;c.update(b+a);return Saa(c.digest()).slice(-8)}}; -sl=function(a,b){this.B=a;this.C=b}; -oj=function(a,b,c){var d=a.u(c);if("function"===typeof d){var e={};e=(e.sv="884",e.cb="j",e.e=Yca(b),e);var f=Fj(c,b,oi());g.Zb(e,f);c.tI[b]=f;a=2==c.Oi()?Iba(e).join("&"):a.C.u(e).u;try{return d(c.mf,a,b),0}catch(h){return 2}}else return 1}; -Yca=function(a){var b=yk(a)?"custom_metric_viewable":a;a=Qb(Dj,function(c){return c==b}); -return wk[a]}; -tl=function(a,b,c){sl.call(this,a,b);this.D=c}; -ul=function(){Sk.call(this);this.I=null;this.F=!1;this.R={};this.C=new ql}; -Zca=function(a,b,c){c=c.opt_configurable_tracking_events;null!=a.B&&Array.isArray(c)&&Lca(a,c,b)}; -$ca=function(a,b,c){var d=Rj(Tj,b);d||(d=c.opt_nativeTime||-1,d=Tk(a,b,Yk(a),d),c.opt_osdId&&(d.Qo=c.opt_osdId));return d}; -ada=function(a,b,c){var d=Rj(Tj,b);d||(d=Tk(a,b,"n",c.opt_nativeTime||-1));return d}; -bda=function(a,b){var c=Rj(Tj,b);c||(c=Tk(a,b,"h",-1));return c}; -cda=function(a){Ch.getInstance();switch(Yk(a)){case "b":return"ytads.bulleit.triggerExternalActivityEvent";case "n":return"ima.bridge.triggerExternalActivityEvent";case "h":case "m":case "ml":return"ima.common.triggerExternalActivityEvent"}return null}; -wl=function(a,b,c,d){c=void 0===c?{}:c;var e={};g.Zb(e,{opt_adElement:void 0,opt_fullscreen:void 0},c);if(e.opt_bounds)return a.C.u(xk("ol",d));if(void 0!==d)if(void 0!==vk(d))if(Vk)b=xk("ue",d);else if(Oca(a),"i"==Wk)b=xk("i",d),b["if"]=0;else if(b=a.Xt(b,e))if(a.D&&3==b.pe)b="stopped";else{b:{"i"==Wk&&(b.qo=!0,a.pA());c=e.opt_fullscreen;void 0!==c&&bj(b,!!c);var f;if(c=!li.getInstance().B)(c=yc(g.Vc,"CrKey")||yc(g.Vc,"PlayStation")||yc(g.Vc,"Roku")||Eba()||yc(g.Vc,"Xbox"))||(c=g.Vc,c=yc(c,"AppleTV")|| -yc(c,"Apple TV")||yc(c,"CFNetwork")||yc(c,"tvOS")),c||(c=g.Vc,c=yc(c,"sdk_google_atv_x86")||yc(c,"Android TV")),c=!c;c&&(th(),c=0===gh(Pg));if(f=c){switch(b.Oi()){case 1:$k(a,b,"pv");break;case 2:a.fA(b)}Xk("pv")}c=d.toLowerCase();if(f=!f)f=ah(Ch.getInstance().xb,"ssmol")&&"loaded"===c?!1:g.jb(dda,c);if(f&&0==b.pe){"i"!=Wk&&(ik.done=!1);f=void 0!==e?e.opt_nativeTime:void 0;ai=f="number"===typeof f?f:Xh();b.vt=!0;var h=oi();b.pe=1;b.Le={};b.Le.start=!1;b.Le.firstquartile=!1;b.Le.midpoint=!1;b.Le.thirdquartile= -!1;b.Le.complete=!1;b.Le.resume=!1;b.Le.pause=!1;b.Le.skip=!1;b.Le.mute=!1;b.Le.unmute=!1;b.Le.viewable_impression=!1;b.Le.measurable_impression=!1;b.Le.fully_viewable_audible_half_duration_impression=!1;b.Le.fullscreen=!1;b.Le.exitfullscreen=!1;b.Dx=0;h||(b.Xf().R=f);kk(ik,[b],!h)}(f=b.qn[c])&&kj(b.ze,f);g.jb(eda,c)&&(b.hH=!0,wj(b));switch(b.Oi()){case 1:var l=yk(c)?a.K.custom_metric_viewable:a.K[c];break;case 2:l=a.X[c]}if(l&&(d=l.call(a,b,e,d),void 0!==d)){e=xk(void 0,c);g.Zb(e,d);d=e;break b}d= -void 0}3==b.pe&&(a.D?b.Ec&&b.Ec.Xq():a.cq(b));b=d}else b=xk("nf",d);else b=void 0;else Vk?b=xk("ue"):(b=a.Xt(b,e))?(d=xk(),g.Zb(d,Ej(b,!0,!1,!1)),b=d):b=xk("nf");return"string"===typeof b?a.D&&"stopped"===b?vl:a.C.u(void 0):a.C.u(b)}; -xl=function(a){return Ch.getInstance(),"h"!=Yk(a)&&Yk(a),!1}; -yl=function(a){var b={};return b.viewability=a.u,b.googleViewability=a.C,b.moatInit=a.F,b.moatViewability=a.I,b.integralAdsViewability=a.D,b.doubleVerifyViewability=a.B,b}; -zl=function(a,b,c){c=void 0===c?{}:c;a=wl(ul.getInstance(),b,c,a);return yl(a)}; -Al=function(a,b){b=void 0===b?!1:b;var c=ul.getInstance().Xt(a,{});c?vj(c):b&&(c=ul.getInstance().Hr(null,Xh(),!1,a),c.pe=3,Wj([c]))}; -Bl=function(a){if(!a)return"";a=a.split("#")[0].split("?")[0];a=a.toLowerCase();0==a.indexOf("//")&&(a=window.location.protocol+a);/^[\w\-]*:\/\//.test(a)||(a=window.location.href);var b=a.substring(a.indexOf("://")+3),c=b.indexOf("/");-1!=c&&(b=b.substring(0,c));c=a.substring(0,a.indexOf("://"));if(!c)throw Error("URI is missing protocol: "+a);if("http"!==c&&"https"!==c&&"chrome-extension"!==c&&"moz-extension"!==c&&"file"!==c&&"android-app"!==c&&"chrome-search"!==c&&"chrome-untrusted"!==c&&"chrome"!== -c&&"app"!==c&&"devtools"!==c)throw Error("Invalid URI scheme in origin: "+c);a="";var d=b.indexOf(":");if(-1!=d){var e=b.substring(d+1);b=b.substring(0,d);if("http"===c&&"80"!==e||"https"===c&&"443"!==e)a=":"+e}return c+"://"+b+a}; -fda=function(){function a(){e[0]=1732584193;e[1]=4023233417;e[2]=2562383102;e[3]=271733878;e[4]=3285377520;p=n=0} -function b(r){for(var t=h,w=0;64>w;w+=4)t[w/4]=r[w]<<24|r[w+1]<<16|r[w+2]<<8|r[w+3];for(w=16;80>w;w++)r=t[w-3]^t[w-8]^t[w-14]^t[w-16],t[w]=(r<<1|r>>>31)&4294967295;r=e[0];var y=e[1],x=e[2],B=e[3],E=e[4];for(w=0;80>w;w++){if(40>w)if(20>w){var G=B^y&(x^B);var K=1518500249}else G=y^x^B,K=1859775393;else 60>w?(G=y&x|B&(y|x),K=2400959708):(G=y^x^B,K=3395469782);G=((r<<5|r>>>27)&4294967295)+G+E+K+t[w]&4294967295;E=B;B=x;x=(y<<30|y>>>2)&4294967295;y=r;r=G}e[0]=e[0]+r&4294967295;e[1]=e[1]+y&4294967295;e[2]= -e[2]+x&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+E&4294967295} -function c(r,t){if("string"===typeof r){r=unescape(encodeURIComponent(r));for(var w=[],y=0,x=r.length;yn?c(l,56-n):c(l,64-(n-56));for(var w=63;56<=w;w--)f[w]=t&255,t>>>=8;b(f);for(w=t=0;5>w;w++)for(var y=24;0<=y;y-=8)r[t++]=e[w]>>y&255;return r} -for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,UJ:function(){for(var r=d(),t="",w=0;wc.keyCode||void 0!=c.returnValue)){a:{var f=!1;if(0==c.keyCode)try{c.keyCode=-1;break a}catch(m){f=!0}if(f||void 0==c.returnValue)c.returnValue=!0}c=[];for(f=d.currentTarget;f;f=f.parentNode)c.push(f);f=a.type;for(var h=c.length-1;!d.u&&0<=h;h--){d.currentTarget=c[h];var l=Zl(c[h],f,!0,d);e=e&&l}for(h=0;!d.u&&ha.B&&(a.B++,b.next=a.u,a.u=b)}; -em=function(a){g.v.setTimeout(function(){throw a;},0)}; -gm=function(a){a=mda(a);"function"!==typeof g.v.setImmediate||g.v.Window&&g.v.Window.prototype&&!Wc("Edge")&&g.v.Window.prototype.setImmediate==g.v.setImmediate?(fm||(fm=nda()),fm(a)):g.v.setImmediate(a)}; -nda=function(){var a=g.v.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!Wc("Presto")&&(a=function(){var e=g.Fe("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.z)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()},this); -f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); -if("undefined"!==typeof a&&!Wc("Trident")&&!Wc("MSIE")){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.hC;c.hC=null;e()}}; -return function(e){d.next={hC:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.v.setTimeout(e,0)}}; -hm=function(){this.B=this.u=null}; -im=function(){this.next=this.scope=this.u=null}; -g.mm=function(a,b){jm||oda();km||(jm(),km=!0);lm.add(a,b)}; -oda=function(){if(g.v.Promise&&g.v.Promise.resolve){var a=g.v.Promise.resolve(void 0);jm=function(){a.then(nm)}}else jm=function(){gm(nm)}}; -nm=function(){for(var a;a=lm.remove();){try{a.u.call(a.scope)}catch(b){em(b)}dm(om,a)}km=!1}; -pm=function(a){if(!a)return!1;try{return!!a.$goog_Thenable}catch(b){return!1}}; -rm=function(a){this.Ka=0;this.Fl=void 0;this.On=this.Dk=this.Wm=null;this.cu=this.Px=!1;if(a!=g.Ka)try{var b=this;a.call(void 0,function(c){qm(b,2,c)},function(c){qm(b,3,c)})}catch(c){qm(this,3,c)}}; -sm=function(){this.next=this.context=this.onRejected=this.C=this.u=null;this.B=!1}; -um=function(a,b,c){var d=tm.get();d.C=a;d.onRejected=b;d.context=c;return d}; -vm=function(a){if(a instanceof rm)return a;var b=new rm(g.Ka);qm(b,2,a);return b}; -wm=function(a){return new rm(function(b,c){c(a)})}; -ym=function(a,b,c){xm(a,b,c,null)||g.mm(g.Ta(b,a))}; -pda=function(a){return new rm(function(b,c){a.length||b(void 0);for(var d=0,e;db)throw Error("Bad port number "+b);a.D=b}else a.D=null}; -Um=function(a,b,c){b instanceof Wm?(a.C=b,tda(a.C,a.K)):(c||(b=Xm(b,uda)),a.C=new Wm(b,a.K))}; -g.Ym=function(a){return a instanceof g.Qm?a.clone():new g.Qm(a,void 0)}; -Vm=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; -Xm=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,vda),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; -vda=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; -Wm=function(a,b){this.B=this.u=null;this.C=a||null;this.D=!!b}; -Zm=function(a){a.u||(a.u=new g.Nm,a.B=0,a.C&&Bd(a.C,function(b,c){a.add(nd(b),c)}))}; -an=function(a,b){Zm(a);b=$m(a,b);return Om(a.u.B,b)}; -g.bn=function(a,b,c){a.remove(b);0e;e++)d[e]=b.charCodeAt(c)<<24|b.charCodeAt(c+1)<<16|b.charCodeAt(c+2)<<8|b.charCodeAt(c+3),c+=4;else for(e=0;16>e;e++)d[e]=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4;for(e=16;80>e;e++){var f=d[e-3]^d[e-8]^d[e-14]^d[e-16];d[e]=(f<<1|f>>>31)&4294967295}b=a.u[0];c=a.u[1];var h=a.u[2],l=a.u[3],m=a.u[4];for(e=0;80>e;e++){if(40>e)if(20>e){f=l^c&(h^l);var n=1518500249}else f=c^h^l,n=1859775393;else 60>e?(f=c&h|l&(c|h),n=2400959708): -(f=c^h^l,n=3395469782);f=(b<<5|b>>>27)+f+m+n+d[e]&4294967295;m=l;l=h;h=(c<<30|c>>>2)&4294967295;c=b;b=f}a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+c&4294967295;a.u[2]=a.u[2]+h&4294967295;a.u[3]=a.u[3]+l&4294967295;a.u[4]=a.u[4]+m&4294967295}; -nn=function(a){return"string"==typeof a.className?a.className:a.getAttribute&&a.getAttribute("class")||""}; -on=function(a){return a.classList?a.classList:nn(a).match(/\S+/g)||[]}; -g.pn=function(a,b){"string"==typeof a.className?a.className=b:a.setAttribute&&a.setAttribute("class",b)}; -g.qn=function(a,b){return a.classList?a.classList.contains(b):g.jb(on(a),b)}; -g.I=function(a,b){if(a.classList)a.classList.add(b);else if(!g.qn(a,b)){var c=nn(a);g.pn(a,c+(0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; -Gda=function(a){if(!a)return Rc;var b=document.createElement("div").style,c=Cda(a);g.Cb(c,function(d){var e=g.Ae&&d in Dda?d:d.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");nc(e,"--")||nc(e,"var")||(d=zn(Eda,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[d])||"",d=Bda(d),null!=d&&zn(Fda,b,b.setProperty?"setProperty":"setAttribute",[e,d]))}); -return Haa(b.cssText||"")}; -Cda=function(a){g.Na(a)?a=g.rb(a):(a=g.Mb(a),g.ob(a,"cssText"));return a}; -g.Bn=function(a){var b,c=b=0,d=!1;a=a.split(Hda);for(var e=0;eg.A()}; -g.Zn=function(a){this.u=a}; -Oda=function(){}; +dja=function(a,b,c,d){return Xm().B?!1:0>=ym(a)||0>=a.getHeight()?!0:c&&d?qia(208,function(){return cja(a,b,c)}):!1}; +Kn=function(a,b,c){g.C.call(this);this.position=eja.clone();this.LG=this.XF();this.eN=-2;this.u9=Date.now();this.lY=-1;this.Wo=b;this.BG=null;this.wB=!1;this.XG=null;this.opacity=-1;this.requestSource=c;this.A9=!1;this.kN=function(){}; +this.BY=function(){}; +this.Cj=new Aha;this.Cj.Ss=a;this.Cj.j=a;this.Ms=!1;this.Ju={wN:null,vN:null};this.PX=!0;this.ZD=null;this.Oy=this.r4=!1;fm().I++;this.Ah=this.XL();this.hY=-1;this.nf=null;this.hasCompleted=this.o4=!1;this.Cc=new sl;zha(this.Cc);fja(this);1==this.requestSource?ul(this.Cc,"od",1):ul(this.Cc,"od",0)}; +fja=function(a){a=a.Cj.Ss;var b;if(b=a&&a.getAttribute)b=/-[a-z]/.test("googleAvInapp")?!1:gja&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+cca()):!!a.getAttribute("data-"+cca());b&&(Xm().u=!0)}; +Ln=function(a,b){b!=a.Oy&&(a.Oy=b,a=Xm(),b?a.I++:0c?0:a}; +jja=function(a,b,c){if(a.nf){a.nf.Hr();var d=a.nf.J,e=d.C,f=e.j;if(null!=d.I){var h=d.B;a.XG=new g.Fe(h.left-f.left,h.top-f.top)}f=a.hI()?Math.max(d.j,d.D):d.j;h={};null!==e.volume&&(h.volume=e.volume);e=a.VT(d);a.BG=d;a.Pa(f,b,c,!1,h,e,d.T)}}; +kja=function(a){if(a.wB&&a.ZD){var b=1==vl(a.Cc,"od"),c=Xm().j,d=a.ZD,e=a.nf?a.nf.getName():"ns",f=new g.He(ym(c),c.getHeight());c=a.hI();a={j9:e,XG:a.XG,W9:f,hI:c,Xd:a.Ah.Xd,P9:b};if(b=d.u){b.Hr();e=b.J;f=e.C.j;var h=null,l=null;null!=e.I&&f&&(h=e.B,h=new g.Fe(h.left-f.left,h.top-f.top),l=new g.He(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.j,e.D):e.j;c={j9:b.getName(),XG:h,W9:l,hI:c,P9:!1,Xd:e}}else c=null;c&&Wia(d,a,c)}}; +lja=function(a,b,c){b&&(a.kN=b);c&&(a.BY=c)}; +g.Mn=function(){}; +g.Nn=function(a){return{value:a,done:!1}}; +mja=function(){this.C=this.j=this.B=this.u=this.D=0}; +nja=function(a){var b={};var c=g.Ra()-a.D;b=(b.ptlt=c,b);(c=a.u)&&(b.pnk=c);(c=a.B)&&(b.pnc=c);(c=a.C)&&(b.pnmm=c);(a=a.j)&&(b.pns=a);return b}; +oja=function(){nl.call(this);this.fullscreen=!1;this.volume=void 0;this.B=!1;this.mediaTime=-1}; +On=function(a){return Vm(a.volume)&&0=this.u.length){for(var c=this.u,d=0;d>1,a[d].getKey()>c.getKey())a[b]=a[d],b=d;else break;a[b]=c}; -g.no=function(){lo.call(this)}; -oo=function(){}; -po=function(a){g.Jf(this,a,Qda,null)}; -qo=function(a){g.Jf(this,a,null,null)}; -Rda=function(a,b){for(;gf(b)&&4!=b.B;)switch(b.C){case 1:var c=kf(b);g.Mf(a,1,c);break;case 2:c=kf(b);g.Mf(a,2,c);break;case 3:c=kf(b);g.Mf(a,3,c);break;case 4:c=kf(b);g.Mf(a,4,c);break;case 5:c=ef(b.u);g.Mf(a,5,c);break;default:hf(b)}return a}; -Sda=function(a){a=a.split("");var b=[a,"continue",function(c,d){for(var e=64,f=[];++e-f.length-32;)switch(e){case 58:e=96;continue;case 91:e=44;break;case 65:e=47;continue;case 46:e=153;case 123:e-=58;default:f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}, -a,-1200248212,262068875,404102954,-460285145,null,179465532,-1669371385,a,-490898646,function(c,d){for(d=(d%c.length+c.length)%c.length;d--;)c.unshift(c.pop())}, -628191186,null,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(d,1)}, --824641148,2119880155,function(c){c.reverse()}, -1440092226,1303924481,-197075122,1501939637,865495029,-1026578168,function(c){for(var d=c.length;d;)c.push(c.splice(--d,1)[0])}, --1683749005,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(0,1,c.splice(d,1,c[0])[0])}, --191802705,-870332615,-1920825481,-327446973,1960953908,function(c,d){c.push(d)}, -791473723,-802486607,283062326,-134195793,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(-d).reverse().forEach(function(e){c.unshift(e)})}, --1264016128,function(c,d){d=(d%c.length+c.length)%c.length;var e=c[0];c[0]=c[d];c[d]=e}, --80833027,-1733582932,1879123177,null,"unRRLXb",-197075122,function(c,d){for(var e=64,f=[];++e-f.length-32;){switch(e){case 58:e-=14;case 91:case 92:case 93:continue;case 123:e=47;case 94:case 95:case 96:continue;case 46:e=95}f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}]; -b[8]=b;b[15]=b;b[45]=b;b[41](b[45],b[21]);b[28](b[34],b[43]);b[39](b[3],b[47]);b[39](b[15],b[44]);b[21](b[44],b[0]);b[19](b[25],b[16]);b[34](b[40],b[9]);b[9](b[5],b[48]);b[28](b[12]);b[1](b[5],b[39]);b[1](b[12],b[32]);b[1](b[12],b[40]);b[37](b[20],b[27]);b[0](b[43]);b[1](b[17],b[2]);b[1](b[12],b[34]);b[1](b[12],b[36]);b[23](b[12]);b[1](b[5],b[33]);b[22](b[24],b[35]);b[44](b[39],b[16]);b[20](b[15],b[8]);b[32](b[0],b[14]);b[46](b[19],b[36]);b[17](b[19],b[9]);b[45](b[32],b[41]);b[29](b[44],b[14]);b[48](b[2]); -b[7](b[37],b[16]);b[21](b[44],b[38]);b[31](b[32],b[30]);b[42](b[13],b[20]);b[19](b[2],b[8]);b[45](b[13],b[0]);b[28](b[2],b[26]);b[43](b[37]);b[43](b[18],b[14]);b[43](b[37],b[4]);b[43](b[6],b[33]);return a.join("")}; -so=function(a){var b=arguments;1f&&(c=a.substring(f,e),c=c.replace(Uda,""),c=c.replace(Vda,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else Wda(a,b,c)}; -Wda=function(a,b,c){c=void 0===c?null:c;var d=To(a),e=document.getElementById(d),f=e&&Bo(e),h=e&&!f;f?b&&b():(b&&(f=g.No(d,b),b=""+g.Sa(b),Uo[b]=f),h||(e=Xda(a,d,function(){Bo(e)||(Ao(e,"loaded","true"),g.Po(d),g.Go(g.Ta(Ro,d),0))},c)))}; -Xda=function(a,b,c,d){d=void 0===d?null:d;var e=g.Fe("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; -e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; -d&&e.setAttribute("nonce",d);g.kd(e,g.sg(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; -To=function(a){var b=document.createElement("a");g.jd(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+qd(a)}; -Wo=function(){var a=document;if("visibilityState"in a)return a.visibilityState;var b=Vo+"VisibilityState";if(b in a)return a[b]}; -Xo=function(a,b){var c;ki(a,function(d){c=b[d];return!!c}); -return c}; -Yo=function(a){this.type="";this.state=this.source=this.data=this.currentTarget=this.relatedTarget=this.target=null;this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.ctrlKey=this.altKey=!1;this.rotation=this.clientY=this.clientX=0;this.scale=1;this.changedTouches=this.touches=null;try{if(a=a||window.event){this.event=a;for(var b in a)b in Yda||(this[b]=a[b]);this.scale=a.scale;this.rotation=a.rotation;var c=a.target||a.srcElement;c&&3==c.nodeType&&(c=c.parentNode);this.target=c;var d=a.relatedTarget; -if(d)try{d=d.nodeName?d:null}catch(e){d=null}else"mouseover"==this.type?d=a.fromElement:"mouseout"==this.type&&(d=a.toElement);this.relatedTarget=d;this.clientX=void 0!=a.clientX?a.clientX:a.pageX;this.clientY=void 0!=a.clientY?a.clientY:a.pageY;this.keyCode=a.keyCode?a.keyCode:a.which;this.charCode=a.charCode||("keypress"==this.type?this.keyCode:0);this.altKey=a.altKey;this.ctrlKey=a.ctrlKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.u=a.pageX;this.B=a.pageY}}catch(e){}}; -Zo=function(a){if(document.body&&document.documentElement){var b=document.body.scrollTop+document.documentElement.scrollTop;a.u=a.clientX+(document.body.scrollLeft+document.documentElement.scrollLeft);a.B=a.clientY+b}}; -Zda=function(a,b,c,d){d=void 0===d?{}:d;a.addEventListener&&("mouseenter"!=b||"onmouseenter"in document?"mouseleave"!=b||"onmouseenter"in document?"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"):b="mouseout":b="mouseover");return Qb($o,function(e){var f="boolean"===typeof e[4]&&e[4]==!!d,h=g.Pa(e[4])&&g.Pa(d)&&g.Ub(e[4],d);return!!e.length&&e[0]==a&&e[1]==b&&e[2]==c&&(f||h)})}; -g.cp=function(a,b,c,d){d=void 0===d?{}:d;if(!a||!a.addEventListener&&!a.attachEvent)return"";var e=Zda(a,b,c,d);if(e)return e;e=++ap.count+"";var f=!("mouseenter"!=b&&"mouseleave"!=b||!a.addEventListener||"onmouseenter"in document);var h=f?function(l){l=new Yo(l);if(!Te(l.relatedTarget,function(m){return m==a},!0))return l.currentTarget=a,l.type=b,c.call(a,l)}:function(l){l=new Yo(l); -l.currentTarget=a;return c.call(a,l)}; -h=Eo(h);a.addEventListener?("mouseenter"==b&&f?b="mouseover":"mouseleave"==b&&f?b="mouseout":"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"),bp()||"boolean"===typeof d?a.addEventListener(b,h,d):a.addEventListener(b,h,!!d.capture)):a.attachEvent("on"+b,h);$o[e]=[a,b,c,h,d];return e}; -$da=function(a,b){var c=document.body||document;return g.cp(c,"click",function(d){var e=Te(d.target,function(f){return f===c||b(f)},!0); -e&&e!==c&&!e.disabled&&(d.currentTarget=e,a.call(e,d))})}; -g.dp=function(a){a&&("string"==typeof a&&(a=[a]),g.Cb(a,function(b){if(b in $o){var c=$o[b],d=c[0],e=c[1],f=c[3];c=c[4];d.removeEventListener?bp()||"boolean"===typeof c?d.removeEventListener(e,f,c):d.removeEventListener(e,f,!!c.capture):d.detachEvent&&d.detachEvent("on"+e,f);delete $o[b]}}))}; -g.ep=function(a){a=a||window.event;a=a.target||a.srcElement;3==a.nodeType&&(a=a.parentNode);return a}; -fp=function(a){a=a||window.event;var b;a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path;return b&&b.length?b[0]:g.ep(a)}; -gp=function(a){a=a||window.event;var b=a.relatedTarget;b||("mouseover"==a.type?b=a.fromElement:"mouseout"==a.type&&(b=a.toElement));return b}; -hp=function(a){a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));return new g.ge(b,c)}; -g.ip=function(a){a=a||window.event;a.returnValue=!1;a.preventDefault&&a.preventDefault()}; -g.kp=function(a){a=a||window.event;return!1===a.returnValue||a.WD&&a.WD()}; -g.lp=function(a){a=a||window.event;return a.keyCode?a.keyCode:a.which}; -aea=function(a){return $da(a,function(b){return g.qn(b,"ytp-ad-has-logging-urls")})}; -g.mp=function(a,b,c){var d=void 0===d?{}:d;var e;return e=g.cp(a,b,function(){g.dp(e);c.apply(a,arguments)},d)}; -np=function(a){for(var b in $o)$o[b][0]==a&&g.dp(b)}; -op=function(a){this.P=a;this.u=null;this.D=0;this.I=null;this.F=0;this.B=[];for(a=0;4>a;a++)this.B.push(0);this.C=0;this.R=g.cp(window,"mousemove",(0,g.z)(this.Y,this));this.X=Ho((0,g.z)(this.K,this),25)}; -pp=function(){}; -rp=function(a,b){return qp(a,0,b)}; -g.sp=function(a,b){return qp(a,1,b)}; -tp=function(){pp.apply(this,arguments)}; -g.up=function(){return!!g.Ja("yt.scheduler.instance")}; -qp=function(a,b,c){isNaN(c)&&(c=void 0);var d=g.Ja("yt.scheduler.instance.addJob");return d?d(a,b,c):void 0===c?(a(),NaN):g.Go(a,c||0)}; -g.vp=function(a){if(!isNaN(a)){var b=g.Ja("yt.scheduler.instance.cancelJob");b?b(a):g.Io(a)}}; -wp=function(a){var b=g.Ja("yt.scheduler.instance.setPriorityThreshold");b&&b(a)}; -zp=function(){var a={},b=void 0===a.eL?!0:a.eL;a=void 0===a.yR?!1:a.yR;if(null==g.Ja("_lact",window)){var c=parseInt(g.L("LACT"),10);c=isFinite(c)?g.A()-Math.max(c,0):-1;g.Fa("_lact",c,window);g.Fa("_fact",c,window);-1==c&&xp();g.cp(document,"keydown",xp);g.cp(document,"keyup",xp);g.cp(document,"mousedown",xp);g.cp(document,"mouseup",xp);b&&(a?g.cp(window,"touchmove",function(){yp("touchmove",200)},{passive:!0}):(g.cp(window,"resize",function(){yp("resize",200)}),g.cp(window,"scroll",function(){yp("scroll", -200)}))); -new op(function(){yp("mouse",100)}); -g.cp(document,"touchstart",xp,{passive:!0});g.cp(document,"touchend",xp,{passive:!0})}}; -yp=function(a,b){Ap[a]||(Ap[a]=!0,g.sp(function(){xp();Ap[a]=!1},b))}; -xp=function(){null==g.Ja("_lact",window)&&(zp(),g.Ja("_lact",window));var a=g.A();g.Fa("_lact",a,window);-1==g.Ja("_fact",window)&&g.Fa("_fact",a,window);(a=g.Ja("ytglobal.ytUtilActivityCallback_"))&&a()}; -Bp=function(){var a=g.Ja("_lact",window),b;null==a?b=-1:b=Math.max(g.A()-a,0);return b}; -Hp=function(a){a=void 0===a?!1:a;return new rm(function(b){g.Io(Cp);g.Io(Dp);Dp=0;Ep&&Ep.isReady()?(bea(b,a),Fp.clear()):(Gp(),b())})}; -Gp=function(){g.vo("web_gel_timeout_cap")&&!Dp&&(Dp=g.Go(Hp,6E4));g.Io(Cp);var a=g.L("LOGGING_BATCH_TIMEOUT",g.wo("web_gel_debounce_ms",1E4));g.vo("shorten_initial_gel_batch_timeout")&&Ip&&(a=cea);Cp=g.Go(Hp,a)}; -bea=function(a,b){var c=Ep;b=void 0===b?!1:b;for(var d=Math.round((0,g.N)()),e=Fp.size,f=g.q(Fp),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;var m=l.next().value;l=g.Wb(g.Jp(c.Tf||g.Kp()));l.events=m;(m=Lp[h])&&dea(l,h,m);delete Lp[h];eea(l,d);g.Mp(c,"log_event",l,{retry:!0,onSuccess:function(){e--;e||a();Np=Math.round((0,g.N)()-d)}, -onError:function(){e--;e||a()}, -JS:b});Ip=!1}}; -eea=function(a,b){a.requestTimeMs=String(b);g.vo("unsplit_gel_payloads_in_logs")&&(a.unsplitGelPayloadsInLogs=!0);var c=g.L("EVENT_ID",void 0);if(c){var d=g.L("BATCH_CLIENT_COUNTER",void 0)||0;!d&&g.vo("web_client_counter_random_seed")&&(d=Math.floor(Math.random()*Op/2));d++;d>Op&&(d=1);so("BATCH_CLIENT_COUNTER",d);c={serializedEventId:c,clientCounter:String(d)};a.serializedClientEventId=c;Pp&&Np&&g.vo("log_gel_rtt_web")&&(a.previousBatchInfo={serializedClientEventId:Pp,roundtripMs:String(Np)});Pp= -c;Np=0}}; -dea=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; -Sp=function(a,b,c,d){d=void 0===d?{}:d;var e={};e.eventTimeMs=Math.round(d.timestamp||(0,g.N)());e[a]=b;a=Bp();e.context={lastActivityMs:String(d.timestamp||!isFinite(a)?-1:a)};g.vo("log_sequence_info_on_gel_web")&&d.pk&&(a=e.context,b=d.pk,Qp[b]=b in Qp?Qp[b]+1:0,a.sequence={index:Qp[b],groupKey:b},d.YJ&&delete Qp[d.pk]);d=d.Fi;a="";d&&(a={},d.videoId?a.videoId=d.videoId:d.playlistId&&(a.playlistId=d.playlistId),Lp[d.token]=a,a=d.token);d=Fp.get(a)||[];Fp.set(a,d);d.push(e);c&&(Ep=new c);c=g.wo("web_logging_max_batch")|| -100;e=(0,g.N)();d.length>=c?Hp(!0):10<=e-Rp&&(Gp(),Rp=e)}; -Tp=function(){return g.Ja("yt.ads.biscotti.lastId_")||""}; -Up=function(a){g.Fa("yt.ads.biscotti.lastId_",a,void 0)}; -Vp=function(a){for(var b=a.split("&"),c={},d=0,e=b.length;dMath.max(1E4,a.B/3)?0:b);var c=a.J(a)||{};c=void 0!==c.currentTime?c.currentTime:a.Z;var d=c-a.Z,e=0;0<=d?(a.oa+=b,a.Ja+=Math.max(b-d,0),e=Math.min(d,a.oa)):a.Qa+=Math.abs(d);0!=d&&(a.oa=0);-1==a.Xa&&0=a.B/2:0=a.Ga:!1:!1}; +Bja=function(a){var b=Um(a.Ah.Xd,2),c=a.Rg.B,d=a.Ah,e=ho(a),f=go(e.C),h=go(e.I),l=go(d.volume),m=Um(e.J,2),n=Um(e.oa,2),p=Um(d.Xd,2),q=Um(e.ya,2),r=Um(e.Ga,2);d=Um(d.Tj,2);a=a.Bs().clone();a.round();e=Gn(e,!1);return{V9:b,sC:c,PG:f,IG:h,cB:l,QG:m,JG:n,Xd:p,TG:q,KG:r,Tj:d,position:a,VG:e}}; +Dja=function(a,b){Cja(a.j,b,function(){return{V9:0,sC:void 0,PG:-1,IG:-1,cB:-1,QG:-1,JG:-1,Xd:-1,TG:-1,KG:-1,Tj:-1,position:void 0,VG:[]}}); +a.j[b]=Bja(a)}; +Cja=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; +vo=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +wo=function(){var a=bka();an.call(this,Bl.top,a,"geo")}; +bka=function(){fm();var a=Xm();return a.B||a.u?0:2}; +cka=function(){}; +xo=function(){this.done=!1;this.j={E1:0,tS:0,n8a:0,mT:0,AM:-1,w2:0,v2:0,z2:0,i9:0};this.D=null;this.I=!1;this.B=null;this.J=0;this.u=new $m(this)}; +zo=function(){var a=yo;a.I||(a.I=!0,dka(a,function(){return a.C.apply(a,g.u(g.ya.apply(0,arguments)))}),a.C())}; +eka=function(){am(cka);var a=am(qo);null!=a.j&&a.j.j?Jia(a.j.j):Xm().update(Bl)}; +Ao=function(a,b,c){if(!a.done&&(a.u.cancel(),0!=b.length)){a.B=null;try{eka();var d=sm();fm().D=d;if(null!=am(qo).j)for(var e=0;eg.Zc(oka).length?null:$l(b,function(c,d){d=d.toLowerCase().split("=");if(2!=d.length||void 0===pka[d[0]]||!pka[d[0]](d[1]))throw Error("Entry ("+d[0]+", "+d[1]+") is invalid.");c[d[0]]=d[1];return c},{})}catch(c){return null}}; +rka=function(a,b){if(void 0==a.j)return 0;switch(a.D){case "mtos":return a.u?Dn(b.j,a.j):Dn(b.u,a.j);case "tos":return a.u?Cn(b.j,a.j):Cn(b.u,a.j)}return 0}; +Uo=function(a,b,c,d){Yn.call(this,b,d);this.J=a;this.T=c}; +Vo=function(){}; +Wo=function(a){Yn.call(this,"fully_viewable_audible_half_duration_impression",a)}; +Xo=function(a){this.j=a}; +Yo=function(a,b){Yn.call(this,a,b)}; +Zo=function(a){Zn.call(this,"measurable_impression",a)}; +$o=function(){Xo.apply(this,arguments)}; +ap=function(a,b,c){bo.call(this,a,b,c)}; +bp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +cp=function(a,b,c){bo.call(this,a,b,c)}; +dp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +ep=function(){an.call(this,Bl,2,"mraid");this.Ja=0;this.oa=this.ya=!1;this.J=null;this.u=uia(this.B);this.C.j=new xm(0,0,0,0);this.La=!1}; +fp=function(a,b,c){a.zt("addEventListener",b,c)}; +vka=function(a){fm().C=!!a.zt("isViewable");fp(a,"viewableChange",ska);"loading"===a.zt("getState")?fp(a,"ready",tka):uka(a)}; +uka=function(a){"string"===typeof a.u.jn.AFMA_LIDAR?(a.ya=!0,wka(a)):(a.u.compatibility=3,a.J="nc",a.fail("w"))}; +wka=function(a){a.oa=!1;var b=1==vl(fm().Cc,"rmmt"),c=!!a.zt("isViewable");(b?!c:1)&&cm().setTimeout(qm(524,function(){a.oa||(xka(a),rm(540,Error()),a.J="mt",a.fail("w"))}),500); +yka(a);fp(a,a.u.jn.AFMA_LIDAR,zka)}; +yka=function(a){var b=1==vl(fm().Cc,"sneio"),c=void 0!==a.u.jn.AFMA_LIDAR_EXP_1,d=void 0!==a.u.jn.AFMA_LIDAR_EXP_2;(b=b&&d)&&(a.u.jn.AFMA_LIDAR_EXP_2=!0);c&&(a.u.jn.AFMA_LIDAR_EXP_1=!b)}; +xka=function(a){a.zt("removeEventListener",a.u.jn.AFMA_LIDAR,zka);a.ya=!1}; +Aka=function(a,b){if("loading"===a.zt("getState"))return new g.He(-1,-1);b=a.zt(b);if(!b)return new g.He(-1,-1);a=parseInt(b.width,10);b=parseInt(b.height,10);return isNaN(a)||isNaN(b)?new g.He(-1,-1):new g.He(a,b)}; +tka=function(){try{var a=am(ep);a.zt("removeEventListener","ready",tka);uka(a)}catch(b){rm(541,b)}}; +zka=function(a,b){try{var c=am(ep);c.oa=!0;var d=a?new xm(a.y,a.x+a.width,a.y+a.height,a.x):new xm(0,0,0,0);var e=sm(),f=Zm();var h=new Bm(e,f,c);h.j=d;h.volume=b;c.Hs(h)}catch(l){rm(542,l)}}; +ska=function(a){var b=fm(),c=am(ep);a&&!b.C&&(b.C=!0,c.La=!0,c.J&&c.fail("w",!0))}; +gp=function(){this.isInitialized=!1;this.j=this.u=null;var a={};this.J=(a.start=this.Y3,a.firstquartile=this.T3,a.midpoint=this.V3,a.thirdquartile=this.Z3,a.complete=this.Q3,a.error=this.R3,a.pause=this.tO,a.resume=this.tX,a.skip=this.X3,a.viewable_impression=this.Jo,a.mute=this.hA,a.unmute=this.hA,a.fullscreen=this.U3,a.exitfullscreen=this.S3,a.fully_viewable_audible_half_duration_impression=this.Jo,a.measurable_impression=this.Jo,a.abandon=this.tO,a.engagedview=this.Jo,a.impression=this.Jo,a.creativeview= +this.Jo,a.progress=this.hA,a.custom_metric_viewable=this.Jo,a.bufferstart=this.tO,a.bufferfinish=this.tX,a.audio_measurable=this.Jo,a.audio_audible=this.Jo,a);a={};this.T=(a.overlay_resize=this.W3,a.abandon=this.pM,a.close=this.pM,a.collapse=this.pM,a.overlay_unmeasurable_impression=function(b){return ko(b,"overlay_unmeasurable_impression",Zm())},a.overlay_viewable_immediate_impression=function(b){return ko(b,"overlay_viewable_immediate_impression",Zm())},a.overlay_unviewable_impression=function(b){return ko(b, +"overlay_unviewable_impression",Zm())},a.overlay_viewable_end_of_session_impression=function(b){return ko(b,"overlay_viewable_end_of_session_impression",Zm())},a); +fm().u=3;Bka(this);this.B=!1}; +hp=function(a,b,c,d){b=a.ED(null,d,!0,b);b.C=c;Vja([b],a.B);return b}; +Cka=function(a,b,c){vha(b);var d=a.j;g.Ob(b,function(e){var f=g.Yl(e.criteria,function(h){var l=qka(h);if(null==l)h=null;else if(h=new nka,null!=l.visible&&(h.j=l.visible/100),null!=l.audible&&(h.u=1==l.audible),null!=l.time){var m="mtos"==l.timetype?"mtos":"tos",n=Haa(l.time,"%")?"%":"ms";l=parseInt(l.time,10);"%"==n&&(l/=100);h.setTime(l,n,m)}return h}); +Wm(f,function(h){return null==h})||zja(c,new Uo(e.id,e.event,f,d))})}; +Dka=function(){var a=[],b=fm();a.push(am(wo));vl(b.Cc,"mvp_lv")&&a.push(am(ep));b=[new bp,new dp];b.push(new ro(a));b.push(new vo(Bl));return b}; +Eka=function(a){if(!a.isInitialized){a.isInitialized=!0;try{var b=sm(),c=fm(),d=Xm();tm=b;c.B=79463069;"o"!==a.u&&(ika=Kha(Bl));if(Vha()){yo.j.tS=0;yo.j.AM=sm()-b;var e=Dka(),f=am(qo);f.u=e;Xja(f,function(){ip()})?yo.done||(fka(),bn(f.j.j,a),zo()):d.B?ip():zo()}else jp=!0}catch(h){throw oo.reset(),h; +}}}; +lp=function(a){yo.u.cancel();kp=a;yo.done=!0}; +mp=function(a){if(a.u)return a.u;var b=am(qo).j;if(b)switch(b.getName()){case "nis":a.u="n";break;case "gsv":a.u="m"}a.u||(a.u="h");return a.u}; +np=function(a,b,c){if(null==a.j)return b.nA|=4,!1;a=Fka(a.j,c,b);b.nA|=a;return 0==a}; +ip=function(){var a=[new vo(Bl)],b=am(qo);b.u=a;Xja(b,function(){lp("i")})?yo.done||(fka(),zo()):lp("i")}; +Gka=function(a,b){if(!a.Pb){var c=ko(a,"start",Zm());c=a.uO.j(c).j;var d={id:"lidarv"};d.r=b;d.sv="951";null!==Co&&(d.v=Co);Vi(c,function(e,f){return d[e]="mtos"==e||"tos"==e?f:encodeURIComponent(f)}); +b=jka();Vi(b,function(e,f){return d[e]=encodeURIComponent(f)}); +b="//pagead2.googlesyndication.com/pagead/gen_204?"+wn(vn(new un,d));Uia(b);a.Pb=!0}}; +op=function(a,b,c){Ao(yo,[a],!Zm());Dja(a,c);4!=c&&Cja(a.ya,c,a.XF);return ko(a,b,Zm())}; +Bka=function(a){hka(function(){var b=Hka();null!=a.u&&(b.sdk=a.u);var c=am(qo);null!=c.j&&(b.avms=c.j.getName());return b})}; +Ika=function(a,b,c,d){if(a.B)var e=no(oo,b);else e=Rja(oo,c),null!==e&&e.Zh!==b&&(a.rB(e),e=null);e||(b=a.ED(c,sm(),!1,b),0==oo.u.length&&(fm().B=79463069),Wja([b]),e=b,e.C=mp(a),d&&(e.Ya=d));return e}; +Jka=function(a){g.Ob(oo.j,function(b){3==b.Gi&&a.rB(b)})}; +Kka=function(a,b){var c=a[b];void 0!==c&&0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; +vla=function(a){if(!a)return le;var b=document.createElement("div").style;rla(a).forEach(function(c){var d=g.Pc&&c in sla?c:c.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");Rb(d,"--")||Rb(d,"var")||(c=qla(tla,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[c])||"",c=ola(c),null!=c&&qla(ula,b,b.setProperty?"setProperty":"setAttribute",[d,c]))}); +return Wba(g.Xd("Output of CSS sanitizer"),b.cssText||"")}; +rla=function(a){g.Ia(a)?a=g.Bb(a):(a=g.Zc(a),g.wb(a,"cssText"));return a}; +g.fq=function(a){var b,c=b=0,d=!1;a=a.split(wla);for(var e=0;e=c)return 0;if(1<=c)return 1;for(var d=0,e=1,f=0,h=0;8>h;h++){f=hq(a,c);var l=(hq(a,c+1E-6)-f)/1E-6;if(1E-6>Math.abs(f-b))return c;if(1E-6>Math.abs(l))break;else fh;h++)fg.Ra()}; +g.pq=function(a){this.j=a}; +Gla=function(){}; +qq=function(){}; +rq=function(a){this.j=a}; +sq=function(){var a=null;try{a=window.localStorage||null}catch(b){}this.j=a}; +Hla=function(){var a=null;try{a=window.sessionStorage||null}catch(b){}this.j=a}; +uq=function(a,b){this.u=a;this.j=null;if(g.mf&&!g.Oc(9)){tq||(tq=new g.Zp);this.j=tq.get(a);this.j||(b?this.j=document.getElementById(b):(this.j=document.createElement("userdata"),this.j.addBehavior("#default#userData"),document.body.appendChild(this.j)),tq.set(a,this.j));try{this.j.load(this.u)}catch(c){this.j=null}}}; +vq=function(a){return"_"+encodeURIComponent(a).replace(/[.!~*'()%]/g,function(b){return Ila[b]})}; +wq=function(a){try{a.j.save(a.u)}catch(b){throw"Storage mechanism: Quota exceeded";}}; +xq=function(a,b){this.u=a;this.j=b+"::"}; +g.yq=function(a){var b=new sq;return b.isAvailable()?a?new xq(b,a):b:null}; +Lq=function(a,b){this.j=a;this.u=b}; +Mq=function(a){this.j=[];if(a)a:{if(a instanceof Mq){var b=a.Xp();a=a.Ml();if(0>=this.j.length){for(var c=this.j,d=0;df?1:2048>f?2:65536>f?3:4}var l=new Oq.Nw(e);for(b=c=0;cf?l[c++]=f:(2048>f?l[c++]=192|f>>>6:(65536>f?l[c++]=224|f>>>12:(l[c++]=240|f>>>18,l[c++]=128|f>>>12&63),l[c++]=128|f>>> +6&63),l[c++]=128|f&63);return l}; +Pq=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +Qq=function(a,b,c,d,e){this.XX=a;this.b3=b;this.Z2=c;this.O2=d;this.J4=e;this.BU=a&&a.length}; +Rq=function(a,b){this.nT=a;this.jz=0;this.Ht=b}; +Sq=function(a,b){a.hg[a.pending++]=b&255;a.hg[a.pending++]=b>>>8&255}; +Tq=function(a,b,c){a.Kh>16-c?(a.Vi|=b<>16-a.Kh,a.Kh+=c-16):(a.Vi|=b<>>=1,c<<=1;while(0<--b);return c>>>1}; +Mla=function(a,b,c){var d=Array(16),e=0,f;for(f=1;15>=f;f++)d[f]=e=e+c[f-1]<<1;for(c=0;c<=b;c++)e=a[2*c+1],0!==e&&(a[2*c]=Lla(d[e]++,e))}; +Nla=function(a){var b;for(b=0;286>b;b++)a.Ej[2*b]=0;for(b=0;30>b;b++)a.Pu[2*b]=0;for(b=0;19>b;b++)a.Ai[2*b]=0;a.Ej[512]=1;a.Kq=a.cA=0;a.Rl=a.matches=0}; +Ola=function(a){8e?Zq[e]:Zq[256+(e>>>7)];Uq(a,h,c);l=$q[h];0!==l&&(e-=ar[h],Tq(a,e,l))}}while(da.lq;){var m=a.xg[++a.lq]=2>l?++l:0;c[2*m]=1;a.depth[m]=0;a.Kq--;e&&(a.cA-=d[2*m+1])}b.jz=l;for(h=a.lq>>1;1<=h;h--)Vq(a,c,h);m=f;do h=a.xg[1],a.xg[1]=a.xg[a.lq--],Vq(a,c,1),d=a.xg[1],a.xg[--a.Ky]=h,a.xg[--a.Ky]=d,c[2*m]=c[2*h]+c[2*d],a.depth[m]=(a.depth[h]>=a.depth[d]?a.depth[h]:a.depth[d])+1,c[2*h+1]=c[2*d+1]=m,a.xg[1]=m++,Vq(a,c,1);while(2<= +a.lq);a.xg[--a.Ky]=a.xg[1];h=b.nT;m=b.jz;d=b.Ht.XX;e=b.Ht.BU;f=b.Ht.b3;var n=b.Ht.Z2,p=b.Ht.J4,q,r=0;for(q=0;15>=q;q++)a.Jp[q]=0;h[2*a.xg[a.Ky]+1]=0;for(b=a.Ky+1;573>b;b++){var v=a.xg[b];q=h[2*h[2*v+1]+1]+1;q>p&&(q=p,r++);h[2*v+1]=q;if(!(v>m)){a.Jp[q]++;var x=0;v>=n&&(x=f[v-n]);var z=h[2*v];a.Kq+=z*(q+x);e&&(a.cA+=z*(d[2*v+1]+x))}}if(0!==r){do{for(q=p-1;0===a.Jp[q];)q--;a.Jp[q]--;a.Jp[q+1]+=2;a.Jp[p]--;r-=2}while(0m||(h[2*d+1]!==q&&(a.Kq+=(q- +h[2*d+1])*h[2*d],h[2*d+1]=q),v--)}Mla(c,l,a.Jp)}; +Sla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);b[2*(c+1)+1]=65535;for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];++h=h?a.Ai[34]++:a.Ai[36]++,h=0,e=n,0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4))}}; +Tla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];if(!(++h=h?(Uq(a,17,a.Ai),Tq(a,h-3,3)):(Uq(a,18,a.Ai),Tq(a,h-11,7));h=0;e=n;0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4)}}}; +Ula=function(a){var b=4093624447,c;for(c=0;31>=c;c++,b>>>=1)if(b&1&&0!==a.Ej[2*c])return 0;if(0!==a.Ej[18]||0!==a.Ej[20]||0!==a.Ej[26])return 1;for(c=32;256>c;c++)if(0!==a.Ej[2*c])return 1;return 0}; +cr=function(a,b,c){a.hg[a.pB+2*a.Rl]=b>>>8&255;a.hg[a.pB+2*a.Rl+1]=b&255;a.hg[a.UM+a.Rl]=c&255;a.Rl++;0===b?a.Ej[2*c]++:(a.matches++,b--,a.Ej[2*(Wq[c]+256+1)]++,a.Pu[2*(256>b?Zq[b]:Zq[256+(b>>>7)])]++);return a.Rl===a.IC-1}; +er=function(a,b){a.msg=dr[b];return b}; +fr=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +gr=function(a){var b=a.state,c=b.pending;c>a.le&&(c=a.le);0!==c&&(Oq.Mx(a.Sj,b.hg,b.oD,c,a.pz),a.pz+=c,b.oD+=c,a.LP+=c,a.le-=c,b.pending-=c,0===b.pending&&(b.oD=0))}; +jr=function(a,b){var c=0<=a.qk?a.qk:-1,d=a.xb-a.qk,e=0;if(0>>3;var h=a.cA+3+7>>>3;h<=f&&(f=h)}else f=h=d+5;if(d+4<=f&&-1!==c)Tq(a,b?1:0,3),Pla(a,c,d);else if(4===a.strategy||h===f)Tq(a,2+(b?1:0),3),Rla(a,hr,ir);else{Tq(a,4+(b?1:0),3);c=a.zG.jz+1;d=a.rF.jz+1;e+=1;Tq(a,c-257,5);Tq(a,d-1,5);Tq(a,e-4,4);for(f=0;f>>8&255;a.hg[a.pending++]=b&255}; +Wla=function(a,b){var c=a.zV,d=a.xb,e=a.Ok,f=a.PV,h=a.xb>a.Oi-262?a.xb-(a.Oi-262):0,l=a.window,m=a.Qt,n=a.gp,p=a.xb+258,q=l[d+e-1],r=l[d+e];a.Ok>=a.hU&&(c>>=2);f>a.Yb&&(f=a.Yb);do{var v=b;if(l[v+e]===r&&l[v+e-1]===q&&l[v]===l[d]&&l[++v]===l[d+1]){d+=2;for(v++;l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&de){a.gz=b;e=v;if(v>=f)break;q=l[d+e-1];r=l[d+e]}}}while((b=n[b&m])>h&&0!== +--c);return e<=a.Yb?e:a.Yb}; +or=function(a){var b=a.Oi,c;do{var d=a.YY-a.Yb-a.xb;if(a.xb>=b+(b-262)){Oq.Mx(a.window,a.window,b,b,0);a.gz-=b;a.xb-=b;a.qk-=b;var e=c=a.lG;do{var f=a.head[--e];a.head[e]=f>=b?f-b:0}while(--c);e=c=b;do f=a.gp[--e],a.gp[e]=f>=b?f-b:0;while(--c);d+=b}if(0===a.Sd.Ti)break;e=a.Sd;c=a.window;f=a.xb+a.Yb;var h=e.Ti;h>d&&(h=d);0===h?c=0:(e.Ti-=h,Oq.Mx(c,e.input,e.Gv,h,f),1===e.state.wrap?e.Cd=mr(e.Cd,c,h,f):2===e.state.wrap&&(e.Cd=nr(e.Cd,c,h,f)),e.Gv+=h,e.yw+=h,c=h);a.Yb+=c;if(3<=a.Yb+a.Ph)for(d=a.xb-a.Ph, +a.Yd=a.window[d],a.Yd=(a.Yd<a.Yb+a.Ph););}while(262>a.Yb&&0!==a.Sd.Ti)}; +pr=function(a,b){for(var c;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +qr=function(a,b){for(var c,d;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<=a.Fe&&(1===a.strategy||3===a.Fe&&4096a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Xla=function(a,b){for(var c,d,e,f=a.window;;){if(258>=a.Yb){or(a);if(258>=a.Yb&&0===b)return 1;if(0===a.Yb)break}a.Fe=0;if(3<=a.Yb&&0a.Yb&&(a.Fe=a.Yb)}3<=a.Fe?(c=cr(a,1,a.Fe-3),a.Yb-=a.Fe,a.xb+=a.Fe,a.Fe=0):(c=cr(a,0,a.window[a.xb]),a.Yb--,a.xb++);if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4=== +b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Yla=function(a,b){for(var c;;){if(0===a.Yb&&(or(a),0===a.Yb)){if(0===b)return 1;break}a.Fe=0;c=cr(a,0,a.window[a.xb]);a.Yb--;a.xb++;if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +rr=function(a,b,c,d,e){this.y3=a;this.I4=b;this.X4=c;this.H4=d;this.func=e}; +Zla=function(){this.Sd=null;this.status=0;this.hg=null;this.wrap=this.pending=this.oD=this.Vl=0;this.Ad=null;this.Qm=0;this.method=8;this.Zy=-1;this.Qt=this.gQ=this.Oi=0;this.window=null;this.YY=0;this.head=this.gp=null;this.PV=this.hU=this.strategy=this.level=this.hN=this.zV=this.Ok=this.Yb=this.gz=this.xb=this.Cv=this.ZW=this.Fe=this.qk=this.jq=this.iq=this.uM=this.lG=this.Yd=0;this.Ej=new Oq.Cp(1146);this.Pu=new Oq.Cp(122);this.Ai=new Oq.Cp(78);fr(this.Ej);fr(this.Pu);fr(this.Ai);this.GS=this.rF= +this.zG=null;this.Jp=new Oq.Cp(16);this.xg=new Oq.Cp(573);fr(this.xg);this.Ky=this.lq=0;this.depth=new Oq.Cp(573);fr(this.depth);this.Kh=this.Vi=this.Ph=this.matches=this.cA=this.Kq=this.pB=this.Rl=this.IC=this.UM=0}; +$la=function(a,b){if(!a||!a.state||5b)return a?er(a,-2):-2;var c=a.state;if(!a.Sj||!a.input&&0!==a.Ti||666===c.status&&4!==b)return er(a,0===a.le?-5:-2);c.Sd=a;var d=c.Zy;c.Zy=b;if(42===c.status)if(2===c.wrap)a.Cd=0,kr(c,31),kr(c,139),kr(c,8),c.Ad?(kr(c,(c.Ad.text?1:0)+(c.Ad.Is?2:0)+(c.Ad.Ur?4:0)+(c.Ad.name?8:0)+(c.Ad.comment?16:0)),kr(c,c.Ad.time&255),kr(c,c.Ad.time>>8&255),kr(c,c.Ad.time>>16&255),kr(c,c.Ad.time>>24&255),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,c.Ad.os&255),c.Ad.Ur&& +c.Ad.Ur.length&&(kr(c,c.Ad.Ur.length&255),kr(c,c.Ad.Ur.length>>8&255)),c.Ad.Is&&(a.Cd=nr(a.Cd,c.hg,c.pending,0)),c.Qm=0,c.status=69):(kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,3),c.status=113);else{var e=8+(c.gQ-8<<4)<<8;e|=(2<=c.strategy||2>c.level?0:6>c.level?1:6===c.level?2:3)<<6;0!==c.xb&&(e|=32);c.status=113;lr(c,e+(31-e%31));0!==c.xb&&(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));a.Cd=1}if(69===c.status)if(c.Ad.Ur){for(e=c.pending;c.Qm<(c.Ad.Ur.length& +65535)&&(c.pending!==c.Vl||(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending!==c.Vl));)kr(c,c.Ad.Ur[c.Qm]&255),c.Qm++;c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));c.Qm===c.Ad.Ur.length&&(c.Qm=0,c.status=73)}else c.status=73;if(73===c.status)if(c.Ad.name){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){var f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.Qm=0,c.status=91)}else c.status=91;if(91===c.status)if(c.Ad.comment){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.status=103)}else c.status=103;103===c.status&& +(c.Ad.Is?(c.pending+2>c.Vl&&gr(a),c.pending+2<=c.Vl&&(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),a.Cd=0,c.status=113)):c.status=113);if(0!==c.pending){if(gr(a),0===a.le)return c.Zy=-1,0}else if(0===a.Ti&&(b<<1)-(4>=8,c.Kh-=8)):5!==b&&(Tq(c,0,3),Pla(c,0,0),3===b&&(fr(c.head),0===c.Yb&&(c.xb=0,c.qk=0,c.Ph=0))),gr(a),0===a.le))return c.Zy=-1,0}if(4!==b)return 0;if(0>=c.wrap)return 1;2===c.wrap?(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),kr(c,a.Cd>>16&255),kr(c,a.Cd>>24&255),kr(c,a.yw&255),kr(c,a.yw>>8&255),kr(c,a.yw>>16&255),kr(c,a.yw>>24&255)):(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));gr(a);0a.Rt&&(a.Rt+=16);this.err=0;this.msg="";this.ended=!1;this.chunks=[];this.Sd=new ama;this.Sd.le=0;var b=this.Sd;var c=a.level,d=a.method,e=a.Rt,f=a.O4,h=a.strategy;if(b){var l=1;-1===c&&(c=6);0>e?(l=0,e=-e):15f||9e||15c||9h||4c.wrap&&(c.wrap=-c.wrap);c.status=c.wrap?42:113;b.Cd=2===c.wrap?0:1;c.Zy=0;if(!bma){d=Array(16);for(f=h=0;28>f;f++)for(Yq[f]=h,e=0;e< +1<f;f++)for(ar[f]=h,e=0;e<1<<$q[f];e++)Zq[h++]=f;for(h>>=7;30>f;f++)for(ar[f]=h<<7,e=0;e<1<<$q[f]-7;e++)Zq[256+h++]=f;for(e=0;15>=e;e++)d[e]=0;for(e=0;143>=e;)hr[2*e+1]=8,e++,d[8]++;for(;255>=e;)hr[2*e+1]=9,e++,d[9]++;for(;279>=e;)hr[2*e+1]=7,e++,d[7]++;for(;287>=e;)hr[2*e+1]=8,e++,d[8]++;Mla(hr,287,d);for(e=0;30>e;e++)ir[2*e+1]=5,ir[2*e]=Lla(e,5);cma=new Qq(hr,Xq,257,286,15);dma=new Qq(ir,$q,0,30,15);ema=new Qq([],fma,0,19,7);bma=!0}c.zG=new Rq(c.Ej,cma); +c.rF=new Rq(c.Pu,dma);c.GS=new Rq(c.Ai,ema);c.Vi=0;c.Kh=0;Nla(c);c=0}else c=er(b,-2);0===c&&(b=b.state,b.YY=2*b.Oi,fr(b.head),b.hN=sr[b.level].I4,b.hU=sr[b.level].y3,b.PV=sr[b.level].X4,b.zV=sr[b.level].H4,b.xb=0,b.qk=0,b.Yb=0,b.Ph=0,b.Fe=b.Ok=2,b.Cv=0,b.Yd=0);b=c}}else b=-2;if(0!==b)throw Error(dr[b]);a.header&&(b=this.Sd)&&b.state&&2===b.state.wrap&&(b.state.Ad=a.header);if(a.sB){var n;"string"===typeof a.sB?n=Kla(a.sB):"[object ArrayBuffer]"===gma.call(a.sB)?n=new Uint8Array(a.sB):n=a.sB;a=this.Sd; +f=n;h=f.length;if(a&&a.state)if(n=a.state,b=n.wrap,2===b||1===b&&42!==n.status||n.Yb)b=-2;else{1===b&&(a.Cd=mr(a.Cd,f,h,0));n.wrap=0;h>=n.Oi&&(0===b&&(fr(n.head),n.xb=0,n.qk=0,n.Ph=0),c=new Oq.Nw(n.Oi),Oq.Mx(c,f,h-n.Oi,n.Oi,0),f=c,h=n.Oi);c=a.Ti;d=a.Gv;e=a.input;a.Ti=h;a.Gv=0;a.input=f;for(or(n);3<=n.Yb;){f=n.xb;h=n.Yb-2;do n.Yd=(n.Yd<=c[19]?(0,c[87])(c[Math.pow(2,2)-138- -218],c[79]):(0,c[76])(c[29],c[28]),c[26]!==14763-Math.pow(1,1)-14772&&(6>=c[24]&&((0,c[48])((0,c[184-108*Math.pow(1,4)])(c[70],c[24]),c[32],c[68],c[84]),1)||((0,c[47])((0,c[43])(),c[49],c[745+-27*Math.pow(5,2)]),c[47])((0,c[69])(),c[9],c[84])),-3>c[27]&&(0>=c[83]||((0,c[32])(c[46],c[82]),null))&&(0,c[1])(c[88]),-2!==c[50]&&(-6 +c[74]?((0,c[16+Math.pow(8,3)-513])((0,c[81])(c[69],c[34]),c[54],c[24],c[91]),c[64])((0,c[25])(c[42],c[22]),c[54],c[30],c[34]):(0,c[10])((0,c[54])(c[85],c[12]),(0,c[25])(c[42],c[8]),c[new Date("1969-12-31T18:46:04.000-05:15")/1E3],(0,c[82])(c[49],c[30]),c[82],c[20],c[28])),3=c[92]&&(0,c[15])((0,c[35])(c[36],c[20]),c[11],c[29])}catch(d){(0,c[60])(c[92],c[93])}try{1>c[45]?((0,c[60])(c[2],c[93]),c[60])(c[91],c[93]):((0,c[88])(c[93],c[86]),c[11])(c[57])}catch(d){(0,c[85])((0,c[80])(),c[56],c[0])}}catch(d){return"enhanced_except_j5gB8Of-_w8_"+a}return b.join("")}; +g.zr=function(a){this.name=a}; +Ar=function(a){J.call(this,a)}; +Br=function(a){J.call(this,a)}; +Cr=function(a){J.call(this,a)}; +Dr=function(a){J.call(this,a)}; +Er=function(a){J.call(this,a)}; +Fr=function(a){J.call(this,a)}; +Gr=function(a){J.call(this,a)}; +Hr=function(a){J.call(this,a)}; +Ir=function(a){J.call(this,a,-1,rma)}; +Jr=function(a){J.call(this,a,-1,sma)}; +Kr=function(a){J.call(this,a)}; +Lr=function(a){J.call(this,a)}; +Mr=function(a){J.call(this,a)}; +Nr=function(a){J.call(this,a)}; +Or=function(a){J.call(this,a)}; +Pr=function(a){J.call(this,a)}; +Qr=function(a){J.call(this,a)}; +Rr=function(a){J.call(this,a)}; +Sr=function(a){J.call(this,a)}; +Tr=function(a){J.call(this,a,-1,tma)}; +Ur=function(a){J.call(this,a,-1,uma)}; +Vr=function(a){J.call(this,a)}; +Wr=function(a){J.call(this,a)}; +Xr=function(a){J.call(this,a)}; +Yr=function(a){J.call(this,a)}; +Zr=function(a){J.call(this,a)}; +$r=function(a){J.call(this,a)}; +as=function(a){J.call(this,a,-1,vma)}; +bs=function(a){J.call(this,a)}; +cs=function(a){J.call(this,a,-1,wma)}; +ds=function(a){J.call(this,a)}; +es=function(a){J.call(this,a)}; +fs=function(a){J.call(this,a)}; +gs=function(a){J.call(this,a)}; +hs=function(a){J.call(this,a)}; +is=function(a){J.call(this,a)}; +js=function(a){J.call(this,a)}; +ks=function(a){J.call(this,a)}; +ls=function(a){J.call(this,a)}; +ms=function(a){J.call(this,a)}; +ns=function(a){J.call(this,a)}; +os=function(a){J.call(this,a)}; +ps=function(a){J.call(this,a)}; +qs=function(a){J.call(this,a)}; +rs=function(a){J.call(this,a)}; +ts=function(a){J.call(this,a,-1,xma)}; +us=function(a){J.call(this,a)}; +vs=function(a){J.call(this,a)}; +ws=function(a){J.call(this,a)}; +xs=function(a){J.call(this,a)}; +ys=function(a){J.call(this,a)}; +zs=function(a){J.call(this,a)}; +As=function(a){J.call(this,a,-1,yma)}; +Bs=function(a){J.call(this,a)}; +Cs=function(a){J.call(this,a)}; +Ds=function(a){J.call(this,a)}; +Es=function(a){J.call(this,a,-1,zma)}; +Fs=function(a){J.call(this,a)}; +Gs=function(a){J.call(this,a)}; +Hs=function(a){J.call(this,a)}; +Is=function(a){J.call(this,a,-1,Ama)}; +Js=function(a){J.call(this,a)}; +Ks=function(a){J.call(this,a)}; +Bma=function(a,b){return H(a,1,b)}; +Ls=function(a){J.call(this,a,-1,Cma)}; +Ms=function(a){J.call(this,a,-1,Dma)}; +Ns=function(a){J.call(this,a)}; +Os=function(a){J.call(this,a)}; +Ps=function(a){J.call(this,a)}; +Qs=function(a){J.call(this,a)}; +Rs=function(a){J.call(this,a)}; +Ss=function(a){J.call(this,a)}; +Ts=function(a){J.call(this,a)}; +Fma=function(a){J.call(this,a,-1,Ema)}; +g.Us=function(a){J.call(this,a,-1,Gma)}; +Vs=function(a){J.call(this,a)}; +Ws=function(a){J.call(this,a,-1,Hma)}; +Xs=function(a){J.call(this,a,-1,Ima)}; +Ys=function(a){J.call(this,a)}; +pt=function(a){J.call(this,a,-1,Jma)}; +rt=function(a){J.call(this,a,-1,Kma)}; +tt=function(a){J.call(this,a)}; +ut=function(a){J.call(this,a)}; +vt=function(a){J.call(this,a)}; +wt=function(a){J.call(this,a)}; +xt=function(a){J.call(this,a)}; +zt=function(a){J.call(this,a)}; +At=function(a){J.call(this,a,-1,Lma)}; +Bt=function(a){J.call(this,a)}; +Ct=function(a){J.call(this,a)}; +Dt=function(a){J.call(this,a)}; +Et=function(a){J.call(this,a)}; +Ft=function(a){J.call(this,a)}; +Gt=function(a){J.call(this,a)}; +Ht=function(a){J.call(this,a)}; +It=function(a){J.call(this,a)}; +Jt=function(a){J.call(this,a)}; +Kt=function(a){J.call(this,a,-1,Mma)}; +Lt=function(a){J.call(this,a,-1,Nma)}; +Mt=function(a){J.call(this,a,-1,Oma)}; +Nt=function(a){J.call(this,a)}; +Ot=function(a){J.call(this,a,-1,Pma)}; +Pt=function(a){J.call(this,a)}; +Qt=function(a){J.call(this,a,-1,Qma)}; +Rt=function(a){J.call(this,a,-1,Rma)}; +St=function(a){J.call(this,a,-1,Sma)}; +Tt=function(a){J.call(this,a)}; +Ut=function(a){J.call(this,a)}; +Vt=function(a){J.call(this,a,-1,Tma)}; +Wt=function(a){J.call(this,a)}; +Xt=function(a){J.call(this,a)}; +Yt=function(a){J.call(this,a)}; +Zt=function(a){J.call(this,a)}; +$t=function(a){J.call(this,a)}; +au=function(a){J.call(this,a)}; +bu=function(a){J.call(this,a)}; +cu=function(a){J.call(this,a)}; +du=function(a){J.call(this,a)}; +eu=function(a){J.call(this,a)}; +fu=function(a){J.call(this,a)}; +gu=function(a){J.call(this,a)}; +hu=function(a){J.call(this,a)}; +iu=function(a){J.call(this,a)}; +ju=function(a){J.call(this,a)}; +ku=function(a){J.call(this,a)}; +lu=function(a){J.call(this,a)}; +mu=function(a){J.call(this,a)}; +nu=function(a){J.call(this,a)}; +ou=function(a){J.call(this,a)}; +pu=function(a){J.call(this,a)}; +qu=function(a){J.call(this,a)}; +ru=function(a){J.call(this,a)}; +tu=function(a){J.call(this,a,-1,Uma)}; +uu=function(a){J.call(this,a,-1,Vma)}; +vu=function(a){J.call(this,a,-1,Wma)}; +wu=function(a){J.call(this,a)}; +xu=function(a){J.call(this,a)}; +yu=function(a){J.call(this,a)}; +zu=function(a){J.call(this,a)}; +Au=function(a){J.call(this,a)}; +Bu=function(a){J.call(this,a)}; +Cu=function(a){J.call(this,a)}; +Du=function(a){J.call(this,a)}; +Eu=function(a){J.call(this,a)}; +Fu=function(a){J.call(this,a)}; +Gu=function(a){J.call(this,a)}; +Hu=function(a){J.call(this,a)}; +Iu=function(a){J.call(this,a)}; +Ju=function(a){J.call(this,a)}; +Ku=function(a){J.call(this,a,-1,Xma)}; +Lu=function(a){J.call(this,a)}; +Mu=function(a){J.call(this,a,-1,Yma)}; +Nu=function(a){J.call(this,a)}; +Ou=function(a){J.call(this,a,-1,Zma)}; +Pu=function(a){J.call(this,a,-1,$ma)}; +Qu=function(a){J.call(this,a,-1,ana)}; +Ru=function(a){J.call(this,a)}; +Su=function(a){J.call(this,a)}; +Tu=function(a){J.call(this,a)}; +Uu=function(a){J.call(this,a)}; +Vu=function(a){J.call(this,a,-1,bna)}; +Wu=function(a){J.call(this,a)}; +Xu=function(a){J.call(this,a)}; +Yu=function(a){J.call(this,a,-1,cna)}; +Zu=function(a){J.call(this,a)}; +$u=function(a){J.call(this,a,-1,dna)}; +av=function(a){J.call(this,a)}; +bv=function(a){J.call(this,a)}; +cv=function(a){J.call(this,a)}; +dv=function(a){J.call(this,a)}; +ev=function(a){J.call(this,a)}; +fv=function(a){J.call(this,a,-1,ena)}; +gv=function(a){J.call(this,a)}; +hv=function(a){J.call(this,a,-1,fna)}; +iv=function(a){J.call(this,a)}; +jv=function(a){J.call(this,a,-1,gna)}; +kv=function(a){J.call(this,a)}; +lv=function(a){J.call(this,a)}; +mv=function(a){J.call(this,a,-1,hna)}; +nv=function(a){J.call(this,a)}; +ov=function(a){J.call(this,a,-1,ina)}; +pv=function(a){J.call(this,a)}; +qv=function(a){J.call(this,a)}; +rv=function(a){J.call(this,a)}; +tv=function(a){J.call(this,a)}; +uv=function(a){J.call(this,a,-1,jna)}; +vv=function(a){J.call(this,a,-1,kna)}; +wv=function(a){J.call(this,a)}; +xv=function(a){J.call(this,a)}; +yv=function(a){J.call(this,a)}; +zv=function(a){J.call(this,a)}; +Av=function(a){J.call(this,a)}; +Bv=function(a){J.call(this,a)}; +Cv=function(a){J.call(this,a)}; +Dv=function(a){J.call(this,a)}; +Ev=function(a){J.call(this,a)}; +Fv=function(a){J.call(this,a)}; +Gv=function(a){J.call(this,a)}; +Hv=function(a){J.call(this,a)}; +Iv=function(a){J.call(this,a,-1,lna)}; +Jv=function(a){J.call(this,a)}; +Kv=function(a){J.call(this,a,-1,mna)}; +Lv=function(a){J.call(this,a)}; +Mv=function(a){J.call(this,a)}; +Nv=function(a){J.call(this,a)}; +Ov=function(a){J.call(this,a)}; +Pv=function(a){J.call(this,a)}; +Qv=function(a){J.call(this,a)}; +Rv=function(a){J.call(this,a)}; +Sv=function(a){J.call(this,a)}; +Tv=function(a){J.call(this,a)}; +Uv=function(a){J.call(this,a)}; +Vv=function(a){J.call(this,a)}; +Wv=function(a){J.call(this,a)}; +Xv=function(a){J.call(this,a)}; +Yv=function(a){J.call(this,a)}; +Zv=function(a){J.call(this,a)}; +$v=function(a){J.call(this,a)}; +aw=function(a){J.call(this,a)}; +bw=function(a){J.call(this,a)}; +cw=function(a){J.call(this,a)}; +dw=function(a){J.call(this,a)}; +ew=function(a){J.call(this,a)}; +fw=function(a){J.call(this,a)}; +gw=function(a){J.call(this,a)}; +hw=function(a){J.call(this,a)}; +iw=function(a){J.call(this,a)}; +jw=function(a){J.call(this,a)}; +kw=function(a){J.call(this,a)}; +lw=function(a){J.call(this,a)}; +mw=function(a){J.call(this,a)}; +nw=function(a){J.call(this,a)}; +ow=function(a){J.call(this,a)}; +pw=function(a){J.call(this,a,-1,nna)}; +qw=function(a){J.call(this,a)}; +rw=function(a){J.call(this,a)}; +tw=function(a){J.call(this,a,-1,ona)}; +uw=function(a){J.call(this,a)}; +vw=function(a){J.call(this,a)}; +ww=function(a){J.call(this,a)}; +xw=function(a){J.call(this,a)}; +yw=function(a){J.call(this,a)}; +Aw=function(a){J.call(this,a)}; +Fw=function(a){J.call(this,a)}; +Gw=function(a){J.call(this,a)}; +Hw=function(a){J.call(this,a)}; +Iw=function(a){J.call(this,a)}; +Jw=function(a){J.call(this,a)}; +Kw=function(a){J.call(this,a)}; +Lw=function(a){J.call(this,a)}; +Mw=function(a){J.call(this,a)}; +Nw=function(a){J.call(this,a)}; +Ow=function(a){J.call(this,a,-1,pna)}; +Pw=function(a){J.call(this,a)}; +Qw=function(a){J.call(this,a)}; +Rw=function(a){J.call(this,a)}; +Sw=function(a){J.call(this,a)}; +Tw=function(a){J.call(this,a)}; +Uw=function(a){J.call(this,a)}; +Vw=function(a){J.call(this,a)}; +Ww=function(a){J.call(this,a)}; +Xw=function(a){J.call(this,a)}; +Yw=function(a){J.call(this,a)}; +Zw=function(a){J.call(this,a)}; +$w=function(a){J.call(this,a)}; +ax=function(a){J.call(this,a)}; +bx=function(a){J.call(this,a)}; +cx=function(a){J.call(this,a)}; +dx=function(a){J.call(this,a)}; +ex=function(a){J.call(this,a)}; +fx=function(a){J.call(this,a)}; +gx=function(a){J.call(this,a)}; +hx=function(a){J.call(this,a)}; +ix=function(a){J.call(this,a)}; +jx=function(a){J.call(this,a)}; +kx=function(a){J.call(this,a)}; +lx=function(a){J.call(this,a)}; +mx=function(a){J.call(this,a)}; +nx=function(a){J.call(this,a)}; +ox=function(a){J.call(this,a)}; +px=function(a){J.call(this,a,-1,qna)}; +qx=function(a){J.call(this,a)}; +rna=function(a,b){I(a,Tv,1,b)}; +rx=function(a){J.call(this,a)}; +sna=function(a,b){return I(a,Tv,1,b)}; +sx=function(a){J.call(this,a,-1,tna)}; +una=function(a,b){return I(a,Tv,2,b)}; +tx=function(a){J.call(this,a)}; +ux=function(a){J.call(this,a)}; +vx=function(a){J.call(this,a)}; +wx=function(a){J.call(this,a)}; +xx=function(a){J.call(this,a)}; +yx=function(a){J.call(this,a)}; +zx=function(a){var b=new yx;return H(b,1,a)}; +Ax=function(a,b){return H(a,2,b)}; +Bx=function(a){J.call(this,a,-1,vna)}; +Cx=function(a){J.call(this,a)}; +Dx=function(a){J.call(this,a,-1,wna)}; +Ex=function(a,b){Sh(a,68,yx,b)}; +Fx=function(a){J.call(this,a)}; +Gx=function(a){J.call(this,a)}; +Hx=function(a){J.call(this,a,-1,xna)}; +Ix=function(a){J.call(this,a,-1,yna)}; +Jx=function(a){J.call(this,a)}; +Kx=function(a){J.call(this,a)}; +Lx=function(a){J.call(this,a,-1,zna)}; +Mx=function(a){J.call(this,a)}; +Nx=function(a){J.call(this,a,-1,Ana)}; +Ox=function(a){J.call(this,a)}; +Px=function(a){J.call(this,a)}; +Qx=function(a){J.call(this,a,-1,Bna)}; +Rx=function(a){J.call(this,a)}; +Sx=function(a){J.call(this,a)}; +Tx=function(a){J.call(this,a,-1,Cna)}; +Ux=function(a){J.call(this,a,-1,Dna)}; +Vx=function(a){J.call(this,a)}; +Wx=function(a){J.call(this,a)}; +Xx=function(a){J.call(this,a)}; +Yx=function(a){J.call(this,a)}; +Zx=function(a){J.call(this,a,475)}; +$x=function(a){J.call(this,a)}; +ay=function(a){J.call(this,a)}; +by=function(a){J.call(this,a,-1,Ena)}; +Fna=function(){return g.Ga("yt.ads.biscotti.lastId_")||""}; +Gna=function(a){g.Fa("yt.ads.biscotti.lastId_",a)}; +dy=function(){var a=arguments;1h.status)?h.json().then(m,function(){m(null)}):m(null)}}); -b.PF&&0m.status,t=500<=m.status&&600>m.status;if(n||r||t)p=lea(a,c,m,b.U4);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};r=b.context||g.v;n?b.onSuccess&&b.onSuccess.call(r,m,p):b.onError&&b.onError.call(r,m,p);b.Zf&&b.Zf.call(r,m,p)}},b.method,d,b.headers,b.responseType, -b.withCredentials); -if(b.Bg&&0m.status,r=500<=m.status&&600>m.status;if(n||q||r)p=Zna(a,c,m,b.convertToSafeHtml);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};q=b.context||g.Ea;n?b.onSuccess&&b.onSuccess.call(q,m,p):b.onError&&b.onError.call(q,m,p);b.onFinish&&b.onFinish.call(q,m, +p)}},b.method,d,b.headers,b.responseType,b.withCredentials); +d=b.timeout||0;if(b.onTimeout&&0=m||403===Ay(p.xhr))return Rf(new Jy("Request retried too many times","net.retryexhausted",p.xhr,p));p=Math.pow(2,c-m+1)*n;var q=0a;a++)this.u.push(0);this.B=0;this.oa=g.Ez(window,"mousemove",(0,g.Oa)(this.ea,this));this.T=g.Dy((0,g.Oa)(this.Z,this),25)}; +Jz=function(a){g.C.call(this);this.T=[];this.Pb=a||this}; +Kz=function(a,b,c,d){for(var e=0;eMath.random()&&g.Fo(new g.tr("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.tr("innertube xhrclient not ready",b,c,d),M(a),a.sampleWeight=0,a;var e={headers:{"Content-Type":"application/json"},method:"POST",tc:c,HG:"JSON",Bg:function(){d.Bg()}, -PF:d.Bg,onSuccess:function(l,m){if(d.onSuccess)d.onSuccess(m)}, -k5:function(l){if(d.onSuccess)d.onSuccess(l)}, -onError:function(l,m){if(d.onError)d.onError(m)}, -j5:function(l){if(d.onError)d.onError(l)}, -timeout:d.timeout,withCredentials:!0};c="";var f=a.Tf.RD;f&&(c=f);f=oea(a.Tf.TD||!1,c,d);Object.assign(e.headers,f);e.headers.Authorization&&!c&&(e.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.Tf.innertubeApiVersion+"/"+b;f={alt:"json"};a.Tf.SD&&e.headers.Authorization||(f.key=a.Tf.innertubeApiKey);var h=g.aq(""+c+b,f);js().then(function(){try{g.vo("use_fetch_for_op_xhr")?kea(h,e):g.vo("networkless_gel")&&d.retry?(e.method="POST",!d.JS&&g.vo("nwl_send_fast_on_unload")?Kea(h,e):As(h, -e)):(e.method="POST",e.tc||(e.tc={}),g.qq(h,e))}catch(l){if("InvalidAccessError"==l.name)g.Fo(Error("An extension is blocking network request."));else throw l;}})}; -g.Nq=function(a,b,c){c=void 0===c?{}:c;var d=g.Cs;g.L("ytLoggingEventsDefaultDisabled",!1)&&g.Cs==g.Cs&&(d=null);Sp(a,b,d,c)}; -Lea=function(){this.Pn=[];this.Om=[]}; -Es=function(){Ds||(Ds=new Lea);return Ds}; -Gs=function(a,b,c,d){c+="."+a;a=Fs(b);d[c]=a;return c.length+a.length}; -Fs=function(a){return("string"===typeof a?a:String(JSON.stringify(a))).substr(0,500)}; -Mea=function(a){g.Hs(a)}; -g.Is=function(a){g.Hs(a,"WARNING")}; -g.Hs=function(a,b){var c=void 0===c?{}:c;c.name=g.L("INNERTUBE_CONTEXT_CLIENT_NAME",1);c.version=g.L("INNERTUBE_CONTEXT_CLIENT_VERSION",void 0);var d=c||{};c=void 0===b?"ERROR":b;c=void 0===c?"ERROR":c;var e=void 0===e?!1:e;if(a){if(g.vo("console_log_js_exceptions")){var f=[];f.push("Name: "+a.name);f.push("Message: "+a.message);a.hasOwnProperty("params")&&f.push("Error Params: "+JSON.stringify(a.params));f.push("File name: "+a.fileName);f.push("Stacktrace: "+a.stack);window.console.log(f.join("\n"), -a)}if((!g.vo("web_yterr_killswitch")||window&&window.yterr||e)&&!(5<=Js)&&0!==a.sampleWeight){var h=Vaa(a);e=h.message||"Unknown Error";f=h.name||"UnknownError";var l=h.stack||a.u||"Not available";if(l.startsWith(f+": "+e)){var m=l.split("\n");m.shift();l=m.join("\n")}m=h.lineNumber||"Not available";h=h.fileName||"Not available";if(a.hasOwnProperty("args")&&a.args&&a.args.length)for(var n=0,p=0;p=l||403===jq(n.xhr)?wm(new Ts("Request retried too many times","net.retryexhausted",n.xhr)):f(m).then(function(){return e(Us(a,b),l-1,Math.pow(2,c-l+1)*m)})})} -function f(h){return new rm(function(l){setTimeout(l,h)})} -return e(Us(a,b),c-1,d)}; -Ts=function(a,b,c){Ya.call(this,a+", errorCode="+b);this.errorCode=b;this.xhr=c;this.name="PromiseAjaxError"}; -Ws=function(){this.Ka=0;this.u=null}; -Xs=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=2;b.u=void 0===a?null:a;return b}; -Ys=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=1;b.u=void 0===a?null:a;return b}; -$s=function(a){Ya.call(this,a.message||a.description||a.name);this.isMissing=a instanceof Zs;this.isTimeout=a instanceof Ts&&"net.timeout"==a.errorCode;this.isCanceled=a instanceof Hm}; -Zs=function(){Ya.call(this,"Biscotti ID is missing from server")}; -Sea=function(){if(g.vo("disable_biscotti_fetch_on_html5_clients"))return wm(Error("Fetching biscotti ID is disabled."));if(g.vo("condition_biscotti_fetch_on_consent_cookie_html5_clients")&&!Qs())return wm(Error("User has not consented - not fetching biscotti id."));if("1"===g.Nb(g.L("PLAYER_CONFIG",{}),"args","privembed"))return wm(Error("Biscotti ID is not available in private embed mode"));at||(at=Cm(Us("//googleads.g.doubleclick.net/pagead/id",bt).then(ct),function(a){return dt(2,a)})); -return at}; -ct=function(a){a=a.responseText;if(!nc(a,")]}'"))throw new Zs;a=JSON.parse(a.substr(4));if(1<(a.type||1))throw new Zs;a=a.id;Up(a);at=Ys(a);et(18E5,2);return a}; -dt=function(a,b){var c=new $s(b);Up("");at=Xs(c);0b;b++){c=g.A();for(var d=0;d"',style:"display:none"}),me(a).body.appendChild(a)));else if(e)rq(a,b,"POST",e,d);else if(g.L("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)rq(a,b,"GET","",d);else{b:{try{var f=new jaa({url:a});if(f.C&&f.B||f.D){var h=vd(g.xd(5,a));var l=!(!h||!h.endsWith("/aclk")|| -"1"!==Qd(a,"ri"));break b}}catch(m){}l=!1}l?ou(a)?(b&&b(),c=!0):c=!1:c=!1;c||dfa(a,b)}}; -qu=function(a,b,c){c=void 0===c?"":c;ou(a,c)?b&&b():g.pu(a,b,void 0,void 0,c)}; -ou=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; -dfa=function(a,b){var c=new Image,d=""+efa++;ru[d]=c;c.onload=c.onerror=function(){b&&ru[d]&&b();delete ru[d]}; -c.src=a}; -vu=function(a,b){for(var c=[],d=1;da.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(97>d||122=a.B.byteLength}; -yv=function(a,b,c){var d=new qv(c);if(!tv(d,a))return!1;d=uv(d);if(!vv(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.u;var e=wv(d,!0);d=a+(d.start+d.u-b)+e;d=9d;d++)c=256*c+Ev(a);return c}d=128;for(var e=0;6>e&&d>c;e++)c=256*c+Ev(a),d*=128;return b?c-d:c}; -Bv=function(a){var b=wv(a,!0);a.u+=b}; -zv=function(a){var b=a.u;a.u=0;var c=!1;try{vv(a,440786851)&&(a.u=0,vv(a,408125543)&&(c=!0))}catch(d){if(d instanceof RangeError)a.u=0,c=!1,g.Fo(d);else throw d;}a.u=b;return c}; -mfa=function(a){if(!vv(a,440786851,!0))return null;var b=a.u;wv(a,!1);var c=wv(a,!0)+a.u-b;a.u=b+c;if(!vv(a,408125543,!1))return null;wv(a,!0);if(!vv(a,357149030,!0))return null;var d=a.u;wv(a,!1);var e=wv(a,!0)+a.u-d;a.u=d+e;if(!vv(a,374648427,!0))return null;var f=a.u;wv(a,!1);var h=wv(a,!0)+a.u-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295);l.set(new Uint8Array(a.B.buffer, -a.B.byteOffset+d,e),c+12);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+f,h),c+12+e);return l}; -Gv=function(a){var b=a.u,c={HA:1E6,IA:1E9,duration:0,mA:0,Pr:0};if(!vv(a,408125543))return a.u=b,null;c.mA=wv(a,!0);c.Pr=a.start+a.u;if(vv(a,357149030))for(var d=uv(a);!rv(d);){var e=wv(d,!1);2807729===e?c.HA=Av(d):2807730===e?c.IA=Av(d):17545===e?c.duration=Cv(d):Bv(d)}else return a.u=b,null;a.u=b;return c}; -Iv=function(a,b,c){var d=a.u,e=[];if(!vv(a,475249515))return a.u=d,null;for(var f=uv(a);vv(f,187);){var h=uv(f);if(vv(h,179)){var l=Av(h);if(vv(h,183)){h=uv(h);for(var m=b;vv(h,241);)m=Av(h)+b;e.push({im:m,nt:l})}}}if(0c&&(c=a.totalLength-b);a.focus(b);if(!Qv(a,b,c)){var d=a.B,e=a.C;a.focus(b+c-1);e=new Uint8Array(a.C+a.u[a.B].length-e);for(var f=0,h=d;h<=a.B;h++)e.set(a.u[h],f),f+=a.u[h].length;a.u.splice(d,a.B-d+1,e);Pv(a);a.focus(b)}d=a.u[a.B];return new DataView(d.buffer,d.byteOffset+b-a.C,c)}; -Tv=function(a,b,c){a=Sv(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; -Uv=function(a){a=Tv(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ch)c=!1;else{for(f=h-1;0<=f;f--)c.B.setUint8(c.u+f,d&255),d>>>=8;c.u=e;c=!0}else c=!1;return c}; -ew=function(a){g.aw(a.info.u.info)||a.info.u.info.Zd();if(a.B&&6==a.info.type)return a.B.kh;if(g.aw(a.info.u.info)){var b=Yv(a);var c=0;b=ov(b,1936286840);b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=lv(d.value),c+=d.lw[0]/d.ow;c=c||NaN;if(!(0<=c))a:{c=Yv(a);b=a.info.u.u;for(var e=d=0,f=0;hv(c,d);){var h=iv(c,d);if(1836476516===h.type)e=ev(h);else if(1836019558===h.type){!e&&b&&(e=fv(b));if(!e){c=NaN;break a}var l=gv(h.data,h.dataOffset,1953653094),m=e,n=gv(l.data,l.dataOffset,1952868452);l=gv(l.data, -l.dataOffset,1953658222);var p=Wu(n);Wu(n);p&2&&Wu(n);n=p&8?Wu(n):0;var r=Wu(l),t=r&1;p=r&4;var w=r&256,y=r&512,x=r&1024;r&=2048;var B=Xu(l);t&&Wu(l);p&&Wu(l);for(var E=t=0;E=b.NB||1<=d.u)if(a=Mw(a),c=Lw(c,xw(a)),c.B+c.u<=d.B+d.u)return!0;return!1}; -Dfa=function(a,b){var c=b?Mw(a):a.u;return new Ew(c)}; -Mw=function(a){a.C||(a.C=Aw(a.D));return a.C}; -Ow=function(a){return 1=1.3*Math.floor(16*l/9)||d>=1.3*l)return e;e=h}return"tiny"}; -dx=function(a,b,c,d,e,f,h,l,m){this.id=a;this.mimeType=b;this.audio=void 0===c?null:c;this.video=void 0===d?null:d;this.u=void 0===e?null:e;this.Ud=void 0===f?null:f;this.captionTrack=void 0===m?null:m;this.D=!0;this.B=null;this.containerType=bx(b);this.zb=h||0;this.C=l||0;this.Db=cx[this.Yb()]||""}; -ex=function(a){return 0a.Xb())a.segments=[];else{var c=eb(a.segments,function(d){return d.qb>=b},a); -0=c+d)break}return new Qw(e)}; -Wx=function(){void 0===Vx&&(Vx=g.jo());return Vx}; -Xx=function(){var a=Wx();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; -Yx=function(a){var b=Wx();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; -Zx=function(a){return Xx()[a]||0}; -$x=function(){var a=Xx();return Object.keys(a)}; -ay=function(a){var b=Xx();return Object.keys(b).filter(function(c){return b[c]===a})}; -by=function(a,b,c){c=void 0===c?!1:c;var d=Xx();if(c&&Object.keys(d).pop()!==a)delete d[a];else if(b===d[a])return;0!==b?d[a]=b:delete d[a];Yx(d)}; -Efa=function(a){var b=Xx();b=Object.assign({},b);a=Object.assign({},a);for(var c in b)a[c]?(4!==b[c]&&(b[c]=a[c]),delete a[c]):3!==b[c]&&2!==b[c]&&(b[c]=4);Object.assign(b,a);Yx(b);JSON.stringify(b);return b}; -cy=function(a){return!!a&&1===Zx(a)}; -Ffa=function(){var a=Wx();if(!a)return!1;try{return null!==a.get("yt-player-lv-id")}catch(b){return!1}}; -hy=function(){return We(this,function b(){var c,d,e,f;return xa(b,function(h){if(1==h.u){c=Wx();if(!c)return h["return"](Promise.reject("No LocalStorage"));if(dy){h.u=2;return}d=Kq().u(ey);var l=Object.assign({},d);delete l.Authorization;var m=Dl();if(m){var n=new ln;n.update(g.L("INNERTUBE_API_KEY",void 0));n.update(m);l.hash=g.sf(n.digest(),3)}m=new ln;m.update(JSON.stringify(l,Object.keys(l).sort()));l=m.digest();m="";for(n=0;nc;){var t=p.shift(); -if(t!==a){n-=m[t]||0;delete m[t];var w=IDBKeyRange.bound(t+"|",t+"~");r.push(Sr(l,"index")["delete"](w));r.push(Sr(l,"media")["delete"](w));by(t,0)}}return qs.all(r).then(function(){})})}))})})}; -Kfa=function(a,b){return We(this,function d(){var e,f;return xa(d,function(h){if(1==h.u)return sa(h,hy(),2);e=h.B;f={offlineVideoData:b};return sa(h,Tr(e,"metadata",f,a),0)})})}; -Lfa=function(a,b){var c=Math.floor(Date.now()/1E3);We(this,function e(){var f,h;return xa(e,function(l){if(1==l.u)return JSON.stringify(b.offlineState),f={timestampSecs:c,player:b},sa(l,hy(),2);h=l.B;return sa(l,Tr(h,"playerdata",f,a),0)})})}; -my=function(a,b,c,d,e){return We(this,function h(){var l,m,n,p;return xa(h,function(r){switch(r.u){case 1:return l=Zx(a),4===l?r["return"](Promise.resolve(4)):sa(r,hy(),2);case 2:return m=r.B,r.C=3,sa(r,yr(m,["index","media"],"readwrite",function(t){if(void 0!==d&&void 0!==e){var w=""+a+"|"+b.id+"|"+d;w=Rr(Sr(t,"media"),e,w)}else w=qs.resolve(void 0);var y=ly(a,b.isVideo()),x=ly(a,!b.isVideo()),B={fmts:c};y=Rr(Sr(t,"index"),B,y);var E=ky(c);t=E?Sr(t,"index").get(x):qs.resolve(void 0);return qs.all([t, -w,y]).then(function(G){G=g.q(G).next().value;var K=Zx(a);4!==K&&E&&void 0!==G&&ky(G.fmts)&&(K=1,by(a,K));return K})}),5); -case 5:return r["return"](r.B);case 3:n=ua(r);p=Zx(a);if(4===p)return r["return"](p);by(a,4);throw n;}})})}; -Mfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index"],"readonly",function(f){return iy(f,a)}))})})}; -Nfa=function(a,b,c){return We(this,function e(){var f;return xa(e,function(h){if(1==h.u)return sa(h,hy(),2);f=h.B;return h["return"](yr(f,["media"],"readonly",function(l){var m=""+a+"|"+b+"|"+c;return Sr(l,"media").get(m)}))})})}; -Ofa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](d.get("playerdata",a))})})}; -Pfa=function(a){return We(this,function c(){var d,e,f,h;return xa(c,function(l){return 1==l.u?sa(l,hy(),2):3!=l.u?(d=l.B,e=[],f=[],h=[],sa(l,yr(d,["metadata"],"readonly",function(m){return Xr(Sr(m,"metadata"),{},function(n){var p,r,t=n.getKey(),w=null===(p=n.getValue())||void 0===p?void 0:p.offlineVideoData;if(!w)return n["continue"]();if(t===a){if(t=null===(r=w.thumbnail)||void 0===r?void 0:r.thumbnails){t=g.q(t);for(var y=t.next();!y.done;y=t.next())y=y.value,y.url&&e.push(y.url)}f.push.apply(f, -g.ma(ny(w)))}else h.push.apply(h,g.ma(ny(w)));return n["continue"]()})}),3)):l["return"](e.concat(f.filter(function(m){return!h.includes(m)})))})})}; -ny=function(a){var b,c,d,e=null===(d=null===(c=null===(b=a.channel)||void 0===b?void 0:b.offlineChannelData)||void 0===c?void 0:c.thumbnail)||void 0===d?void 0:d.thumbnails;if(!e)return[];a=[];e=g.q(e);for(var f=e.next();!f.done;f=e.next())f=f.value,f.url&&a.push(f.url);return a}; -Qfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index","metadata"],"readonly",function(f){return oy(f,a)}))})})}; -Rfa=function(){return We(this,function b(){var c;return xa(b,function(d){if(1==d.u)return sa(d,hy(),2);c=d.B;return d["return"](yr(c,["index","metadata"],"readonly",function(e){return qs.all($x().map(function(f){return oy(e,f)}))}))})})}; -oy=function(a,b){var c=Sr(a,"metadata").get(b);return iy(a,b).then(function(d){var e={videoId:b,totalSize:0,downloadedSize:0,status:Zx(b),videoData:null};if(d.length){d=Yp(d);d=g.q(d);for(var f=d.next();!f.done;f=d.next())f=f.value,e.totalSize+=+f.mket*+f.avbr,e.downloadedSize+=f.hasOwnProperty("dlt")?(+f.dlt||0)*+f.avbr:+f.mket*+f.avbr}return c.then(function(h){e.videoData=(null===h||void 0===h?void 0:h.offlineVideoData)||null;return e})})}; -Sfa=function(a){return We(this,function c(){return xa(c,function(d){by(a,0);return d["return"](jy(a,!0))})})}; -fy=function(){return We(this,function b(){var c;return xa(b,function(d){c=Wx();if(!c)return d["return"](Promise.reject("No LocalStorage"));c.remove("yt-player-lv-id");var e=Wx();e&&e.remove("yt-player-lv");return sa(d,Gfa(),0)})})}; -ky=function(a){return!!a&&-1===a.indexOf("dlt")}; -ly=function(a,b){return""+a+"|"+(b?"v":"a")}; -Hfa=function(){}; -py=function(){var a=this;this.u=this.B=iaa;this.promise=new rm(function(b,c){a.B=b;a.u=c})}; -Tfa=function(a,b){this.K=a;this.u=b;this.F=a.qL;this.I=new Uint8Array(this.F);this.D=this.C=0;this.B=null;this.R=[];this.X=this.Y=null;this.P=new py}; -Ufa=function(a){var b=qy(a);b=my(a.K.C,a.u.info,b);ry(a,b)}; -sy=function(a){return!!a.B&&a.B.F}; -uy=function(a,b){if(!sy(a)){if(1==b.info.type)a.Y=Fu(0,b.u.getLength());else if(2==b.info.type){if(!a.B||1!=a.B.type)return;a.X=Fu(a.D*a.F+a.C,b.u.getLength())}else if(3==b.info.type){if(3==a.B.type&&!Lu(a.B,b.info)&&(a.R=[],b.info.B!=Nu(a.B)||0!=b.info.C))return;if(b.info.D)a.R.map(function(c){return ty(a,c)}),a.R=[]; -else{a.R.push(b);a.B=b.info;return}}a.B=b.info;ty(a,b);Vfa(a)}}; -ty=function(a,b){for(var c=0,d=Tv(b.u);c=e)break;var f=c.getUint32(d+4);if(1836019574===f)d+=8;else{if(1886614376===f){f=a.subarray(d,d+e);var h=new Uint8Array(b.length+f.length);h.set(b);h.set(f,b.length);b=h}d+=e}}return b}; -Zfa=function(a){a=ov(a,1886614376);g.Cb(a,function(b){return!b.B}); -return g.Oc(a,function(b){return new Uint8Array(b.data.buffer,b.offset+b.data.byteOffset,b.size)})}; -$fa=function(a){var b=g.rh(a,function(e,f){return e+f.length},0),c=new Uint8Array(b),d=0; -g.Cb(a,function(e){c.set(e,d);d+=e.length}); +hpa=function(a){return new Promise(function(b,c){gpa(a,b,c)})}; +HA=function(a){return new g.FA(new EA(function(b,c){gpa(a,b,c)}))}; +IA=function(a,b){return new g.FA(new EA(function(c,d){function e(){var f=a?b(a):null;f?f.then(function(h){a=h;e()},d):c()} +e()}))}; +ipa=function(a,b){this.request=a;this.cursor=b}; +JA=function(a){return HA(a).then(function(b){return b?new ipa(a,b):null})}; +jpa=function(a,b){this.j=a;this.options=b;this.transactionCount=0;this.B=Math.round((0,g.M)());this.u=!1}; +g.LA=function(a,b,c){a=a.j.createObjectStore(b,c);return new KA(a)}; +MA=function(a,b){a.j.objectStoreNames.contains(b)&&a.j.deleteObjectStore(b)}; +g.PA=function(a,b,c){return g.NA(a,[b],{mode:"readwrite",Ub:!0},function(d){return g.OA(d.objectStore(b),c)})}; +g.NA=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x,z;return g.A(function(B){switch(B.j){case 1:var F={mode:"readonly",Ub:!1,tag:"IDB_TRANSACTION_TAG_UNKNOWN"};"string"===typeof c?F.mode=c:Object.assign(F,c);e=F;a.transactionCount++;f=e.Ub?3:1;h=0;case 2:if(l){B.Ka(3);break}h++;m=Math.round((0,g.M)());g.pa(B,4);n=a.j.transaction(b,e.mode);F=new QA(n);F=kpa(F,d);return g.y(B,F,6);case 6:return p=B.u,q=Math.round((0,g.M)()),lpa(a,m,q,h,void 0,b.join(),e),B.return(p);case 4:r=g.sa(B);v=Math.round((0,g.M)()); +x=CA(r,a.j.name,b.join(),a.j.version);if((z=x instanceof g.yA&&!x.j)||h>=f)lpa(a,m,v,h,x,b.join(),e),l=x;B.Ka(2);break;case 3:return B.return(Promise.reject(l))}})}; +lpa=function(a,b,c,d,e,f,h){b=c-b;e?(e instanceof g.yA&&("QUOTA_EXCEEDED"===e.type||"QUOTA_MAYBE_EXCEEDED"===e.type)&&vA("QUOTA_EXCEEDED",{dbName:xA(a.j.name),objectStoreNames:f,transactionCount:a.transactionCount,transactionMode:h.mode}),e instanceof g.yA&&"UNKNOWN_ABORT"===e.type&&(c-=a.B,0>c&&c>=Math.pow(2,31)&&(c=0),vA("TRANSACTION_UNEXPECTEDLY_ABORTED",{objectStoreNames:f,transactionDuration:b,transactionCount:a.transactionCount,dbDuration:c}),a.u=!0),mpa(a,!1,d,f,b,h.tag),uA(e)):mpa(a,!0,d, +f,b,h.tag)}; +mpa=function(a,b,c,d,e,f){vA("TRANSACTION_ENDED",{objectStoreNames:d,connectionHasUnknownAbortedTransaction:a.u,duration:e,isSuccessful:b,tryCount:c,tag:void 0===f?"IDB_TRANSACTION_TAG_UNKNOWN":f})}; +KA=function(a){this.j=a}; +g.RA=function(a,b,c){a.j.createIndex(b,c,{unique:!1})}; +npa=function(a,b){return g.fB(a,{query:b},function(c){return c.delete().then(function(){return c.continue()})}).then(function(){})}; +opa=function(a,b,c){var d=[];return g.fB(a,{query:b},function(e){if(!(void 0!==c&&d.length>=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +qpa=function(a){return"getAllKeys"in IDBObjectStore.prototype?HA(a.j.getAllKeys(void 0,void 0)):ppa(a)}; +ppa=function(a){var b=[];return g.rpa(a,{query:void 0},function(c){b.push(c.ZF());return c.continue()}).then(function(){return b})}; +g.OA=function(a,b,c){return HA(a.j.put(b,c))}; +g.fB=function(a,b,c){a=a.j.openCursor(b.query,b.direction);return gB(a).then(function(d){return IA(d,c)})}; +g.rpa=function(a,b,c){var d=b.query;b=b.direction;a="openKeyCursor"in IDBObjectStore.prototype?a.j.openKeyCursor(d,b):a.j.openCursor(d,b);return JA(a).then(function(e){return IA(e,c)})}; +QA=function(a){var b=this;this.j=a;this.B=new Map;this.u=!1;this.done=new Promise(function(c,d){b.j.addEventListener("complete",function(){c()}); +b.j.addEventListener("error",function(e){e.currentTarget===e.target&&d(b.j.error)}); +b.j.addEventListener("abort",function(){var e=b.j.error;if(e)d(e);else if(!b.u){e=g.yA;for(var f=b.j.objectStoreNames,h=[],l=0;l=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +g.hB=function(a,b,c){a=a.j.openCursor(void 0===b.query?null:b.query,void 0===b.direction?"next":b.direction);return gB(a).then(function(d){return IA(d,c)})}; +upa=function(a,b){this.request=a;this.cursor=b}; +gB=function(a){return HA(a).then(function(b){return b?new upa(a,b):null})}; +vpa=function(a,b,c){return new Promise(function(d,e){function f(){r||(r=new jpa(h.result,{closed:q}));return r} +var h=void 0!==b?self.indexedDB.open(a,b):self.indexedDB.open(a);var l=c.blocked,m=c.blocking,n=c.q9,p=c.upgrade,q=c.closed,r;h.addEventListener("upgradeneeded",function(v){try{if(null===v.newVersion)throw Error("Invariant: newVersion on IDbVersionChangeEvent is null");if(null===h.transaction)throw Error("Invariant: transaction on IDbOpenDbRequest is null");v.dataLoss&&"none"!==v.dataLoss&&vA("IDB_DATA_CORRUPTED",{reason:v.dataLossMessage||"unknown reason",dbName:xA(a)});var x=f(),z=new QA(h.transaction); +p&&p(x,function(B){return v.oldVersion=B},z); +z.done.catch(function(B){e(B)})}catch(B){e(B)}}); +h.addEventListener("success",function(){var v=h.result;m&&v.addEventListener("versionchange",function(){m(f())}); +v.addEventListener("close",function(){vA("IDB_UNEXPECTEDLY_CLOSED",{dbName:xA(a),dbVersion:v.version});n&&n()}); +d(f())}); +h.addEventListener("error",function(){e(h.error)}); +l&&h.addEventListener("blocked",function(){l()})})}; +wpa=function(a,b,c){c=void 0===c?{}:c;return vpa(a,b,c)}; +iB=function(a,b){b=void 0===b?{}:b;var c,d,e,f;return g.A(function(h){if(1==h.j)return g.pa(h,2),c=self.indexedDB.deleteDatabase(a),d=b,(e=d.blocked)&&c.addEventListener("blocked",function(){e()}),g.y(h,hpa(c),4); +if(2!=h.j)return g.ra(h,0);f=g.sa(h);throw CA(f,a,"",-1);})}; +jB=function(a,b){this.name=a;this.options=b;this.B=!0;this.D=this.C=0}; +xpa=function(a,b){return new g.yA("INCOMPATIBLE_DB_VERSION",{dbName:a.name,oldVersion:a.options.version,newVersion:b})}; +g.kB=function(a,b){if(!b)throw g.DA("openWithToken",xA(a.name));return a.open()}; +ypa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,g.kB(lB,b),2);c=d.u;return d.return(g.NA(c,["databases"],{Ub:!0,mode:"readwrite"},function(e){var f=e.objectStore("databases");return f.get(a.actualName).then(function(h){if(h?a.actualName!==h.actualName||a.publicName!==h.publicName||a.userIdentifier!==h.userIdentifier:1)return g.OA(f,a).then(function(){})})}))})}; +mB=function(a,b){var c;return g.A(function(d){if(1==d.j)return a?g.y(d,g.kB(lB,b),2):d.return();c=d.u;return d.return(c.delete("databases",a))})}; +zpa=function(a,b){var c,d;return g.A(function(e){return 1==e.j?(c=[],g.y(e,g.kB(lB,b),2)):3!=e.j?(d=e.u,g.y(e,g.NA(d,["databases"],{Ub:!0,mode:"readonly"},function(f){c.length=0;return g.fB(f.objectStore("databases"),{},function(h){a(h.getValue())&&c.push(h.getValue());return h.continue()})}),3)):e.return(c)})}; +Apa=function(a,b){return zpa(function(c){return c.publicName===a&&void 0!==c.userIdentifier},b)}; +Bpa=function(){var a,b,c,d;return g.A(function(e){switch(e.j){case 1:a=nA();if(null==(b=a)?0:b.hasSucceededOnce)return e.return(!0);if(nB&&az()&&!bz()||g.oB)return e.return(!1);try{if(c=self,!(c.indexedDB&&c.IDBIndex&&c.IDBKeyRange&&c.IDBObjectStore))return e.return(!1)}catch(f){return e.return(!1)}if(!("IDBTransaction"in self&&"objectStoreNames"in IDBTransaction.prototype))return e.return(!1);g.pa(e,2);d={actualName:"yt-idb-test-do-not-use",publicName:"yt-idb-test-do-not-use",userIdentifier:void 0}; +return g.y(e,ypa(d,pB),4);case 4:return g.y(e,mB("yt-idb-test-do-not-use",pB),5);case 5:return e.return(!0);case 2:return g.sa(e),e.return(!1)}})}; +Cpa=function(){if(void 0!==qB)return qB;tA=!0;return qB=Bpa().then(function(a){tA=!1;var b;if(null!=(b=mA())&&b.j){var c;b={hasSucceededOnce:(null==(c=nA())?void 0:c.hasSucceededOnce)||a};var d;null==(d=mA())||d.set("LAST_RESULT_ENTRY_KEY",b,2592E3,!0)}return a})}; +rB=function(){return g.Ga("ytglobal.idbToken_")||void 0}; +g.sB=function(){var a=rB();return a?Promise.resolve(a):Cpa().then(function(b){(b=b?pB:void 0)&&g.Fa("ytglobal.idbToken_",b);return b})}; +Dpa=function(a){if(!g.dA())throw a=new g.yA("AUTH_INVALID",{dbName:a}),uA(a),a;var b=g.cA();return{actualName:a+":"+b,publicName:a,userIdentifier:b}}; +Epa=function(a,b,c,d){var e,f,h,l,m,n;return g.A(function(p){switch(p.j){case 1:return f=null!=(e=Error().stack)?e:"",g.y(p,g.sB(),2);case 2:h=p.u;if(!h)throw l=g.DA("openDbImpl",a,b),g.gy("ytidb_async_stack_killswitch")||(l.stack=l.stack+"\n"+f.substring(f.indexOf("\n")+1)),uA(l),l;wA(a);m=c?{actualName:a,publicName:a,userIdentifier:void 0}:Dpa(a);g.pa(p,3);return g.y(p,ypa(m,h),5);case 5:return g.y(p,wpa(m.actualName,b,d),6);case 6:return p.return(p.u);case 3:return n=g.sa(p),g.pa(p,7),g.y(p,mB(m.actualName, +h),9);case 9:g.ra(p,8);break;case 7:g.sa(p);case 8:throw n;}})}; +Fpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!1,c)}; +Gpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!0,c)}; +Hpa=function(a,b){b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);d=Dpa(a);return g.y(e,iB(d.actualName,b),3)}return g.y(e,mB(d.actualName,c),0)})}; +Ipa=function(a,b,c){a=a.map(function(d){return g.A(function(e){return 1==e.j?g.y(e,iB(d.actualName,b),2):g.y(e,mB(d.actualName,c),0)})}); +return Promise.all(a).then(function(){})}; +Jpa=function(a){var b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);return g.y(e,Apa(a,c),3)}d=e.u;return g.y(e,Ipa(d,b,c),0)})}; +Kpa=function(a,b){b=void 0===b?{}:b;var c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){c=d.u;if(!c)return d.return();wA(a);return g.y(d,iB(a,b),3)}return g.y(d,mB(a,c),0)})}; +tB=function(a,b){jB.call(this,a,b);this.options=b;wA(a)}; +Lpa=function(a,b){var c;return function(){c||(c=new tB(a,b));return c}}; +g.uB=function(a,b){return Lpa(a,b)}; +vB=function(a){return g.kB(Mpa(),a)}; +Npa=function(a,b,c,d){var e,f,h;return g.A(function(l){switch(l.j){case 1:return e={config:a,hashData:b,timestamp:void 0!==d?d:(0,g.M)()},g.y(l,vB(c),2);case 2:return f=l.u,g.y(l,f.clear("hotConfigStore"),3);case 3:return g.y(l,g.PA(f,"hotConfigStore",e),4);case 4:return h=l.u,l.return(h)}})}; +Opa=function(a,b,c,d,e){var f,h,l;return g.A(function(m){switch(m.j){case 1:return f={config:a,hashData:b,configData:c,timestamp:void 0!==e?e:(0,g.M)()},g.y(m,vB(d),2);case 2:return h=m.u,g.y(m,h.clear("coldConfigStore"),3);case 3:return g.y(m,g.PA(h,"coldConfigStore",f),4);case 4:return l=m.u,m.return(l)}})}; +Ppa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["coldConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("coldConfigStore").index("coldTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Qpa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["hotConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("hotConfigStore").index("hotTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Rpa=function(){return g.A(function(a){return g.y(a,Jpa("ytGcfConfig"),0)})}; +CB=function(){var a=this;this.D=!1;this.B=this.C=0;this.Ne={F7a:function(){a.D=!0}, +Y6a:function(){return a.j}, +u8a:function(b){wB(a,b)}, +q8a:function(b){xB(a,b)}, +q3:function(){return a.coldHashData}, +r3:function(){return a.hotHashData}, +j7a:function(){return a.u}, +d7a:function(){return yB()}, +f7a:function(){return zB()}, +e7a:function(){return g.Ga("yt.gcf.config.coldHashData")}, +g7a:function(){return g.Ga("yt.gcf.config.hotHashData")}, +J8a:function(){Spa(a)}, +l8a:function(){AB(a,"hotHash");BB(a,"coldHash");delete CB.instance}, +s8a:function(b){a.B=b}, +a7a:function(){return a.B}}}; +Tpa=function(){CB.instance||(CB.instance=new CB);return CB.instance}; +Upa=function(a){var b;g.A(function(c){if(1==c.j)return g.gy("gcf_config_store_enabled")||g.gy("delete_gcf_config_db")?g.gy("gcf_config_store_enabled")?g.y(c,g.sB(),3):c.Ka(2):c.return();2!=c.j&&((b=c.u)&&g.dA()&&!g.gy("delete_gcf_config_db")?(a.D=!0,Spa(a)):(xB(a,g.ey("RAW_COLD_CONFIG_GROUP")),BB(a,g.ey("SERIALIZED_COLD_HASH_DATA")),DB(a,a.j.configData),wB(a,g.ey("RAW_HOT_CONFIG_GROUP")),AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"))));return g.gy("delete_gcf_config_db")?g.y(c,Rpa(),0):c.Ka(0)})}; +Vpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.u)return l.return(zB());if(!a.D)return b=g.DA("getHotConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getHotConfig token error");ny(e);l.Ka(2);break}return g.y(l,Qpa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return wB(a,f.config),AB(a,f.hashData),l.return(zB());case 2:wB(a,g.ey("RAW_HOT_CONFIG_GROUP"));AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"));if(!(c&&a.u&&a.hotHashData)){l.Ka(4); +break}return g.y(l,Npa(a.u,a.hotHashData,c,d),4);case 4:return a.u?l.return(zB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Wpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.j)return l.return(yB());if(!a.D)return b=g.DA("getColdConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getColdConfig");ny(e);l.Ka(2);break}return g.y(l,Ppa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return xB(a,f.config),DB(a,f.configData),BB(a,f.hashData),l.return(yB());case 2:xB(a,g.ey("RAW_COLD_CONFIG_GROUP"));BB(a,g.ey("SERIALIZED_COLD_HASH_DATA"));DB(a,a.j.configData); +if(!(c&&a.j&&a.coldHashData&&a.configData)){l.Ka(4);break}return g.y(l,Opa(a.j,a.coldHashData,a.configData,c,d),4);case 4:return a.j?l.return(yB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Spa=function(a){if(!a.u||!a.j){if(!rB()){var b=g.DA("scheduleGetConfigs");ny(b)}a.C||(a.C=g.Ap.xi(function(){return g.A(function(c){if(1==c.j)return g.y(c,Vpa(a),2);if(3!=c.j)return g.y(c,Wpa(a),3);a.C&&(a.C=0);g.oa(c)})},100))}}; +Xpa=function(a,b,c){var d,e,f;return g.A(function(h){if(1==h.j){if(!g.gy("update_log_event_config"))return h.Ka(0);c&&wB(a,c);AB(a,b);return(d=rB())?c?h.Ka(4):g.y(h,Qpa(d),5):h.Ka(0)}4!=h.j&&(e=h.u,c=null==(f=e)?void 0:f.config);return g.y(h,Npa(c,b,d),0)})}; +Ypa=function(a,b,c){var d,e,f,h;return g.A(function(l){if(1==l.j){if(!g.gy("update_log_event_config"))return l.Ka(0);BB(a,b);return(d=rB())?c?l.Ka(4):g.y(l,Ppa(d),5):l.Ka(0)}4!=l.j&&(e=l.u,c=null==(f=e)?void 0:f.config);if(!c)return l.Ka(0);h=c.configData;return g.y(l,Opa(c,b,h,d),0)})}; +wB=function(a,b){a.u=b;g.Fa("yt.gcf.config.hotConfigGroup",a.u)}; +xB=function(a,b){a.j=b;g.Fa("yt.gcf.config.coldConfigGroup",a.j)}; +AB=function(a,b){a.hotHashData=b;g.Fa("yt.gcf.config.hotHashData",a.hotHashData)}; +BB=function(a,b){a.coldHashData=b;g.Fa("yt.gcf.config.coldHashData",a.coldHashData)}; +DB=function(a,b){a.configData=b;g.Fa("yt.gcf.config.coldConfigData",a.configData)}; +zB=function(){return g.Ga("yt.gcf.config.hotConfigGroup")}; +yB=function(){return g.Ga("yt.gcf.config.coldConfigGroup")}; +Zpa=function(){return"INNERTUBE_API_KEY"in cy&&"INNERTUBE_API_VERSION"in cy}; +g.EB=function(){return{innertubeApiKey:g.ey("INNERTUBE_API_KEY"),innertubeApiVersion:g.ey("INNERTUBE_API_VERSION"),pG:g.ey("INNERTUBE_CONTEXT_CLIENT_CONFIG_INFO"),CM:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME","WEB"),NU:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",1),innertubeContextClientVersion:g.ey("INNERTUBE_CONTEXT_CLIENT_VERSION"),EM:g.ey("INNERTUBE_CONTEXT_HL"),DM:g.ey("INNERTUBE_CONTEXT_GL"),OU:g.ey("INNERTUBE_HOST_OVERRIDE")||"",PU:!!g.ey("INNERTUBE_USE_THIRD_PARTY_AUTH",!1),FM:!!g.ey("INNERTUBE_OMIT_API_KEY_WHEN_AUTH_HEADER_IS_PRESENT", +!1),appInstallData:g.ey("SERIALIZED_CLIENT_CONFIG_DATA")}}; +g.FB=function(a){var b={client:{hl:a.EM,gl:a.DM,clientName:a.CM,clientVersion:a.innertubeContextClientVersion,configInfo:a.pG}};navigator.userAgent&&(b.client.userAgent=String(navigator.userAgent));var c=g.Ea.devicePixelRatio;c&&1!=c&&(b.client.screenDensityFloat=String(c));c=iy();""!==c&&(b.client.experimentsToken=c);c=jy();0=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.u.getLength())throw Error();return Vv(a.u,a.offset++)}; -Dy=function(a,b){b=void 0===b?!1:b;var c=Cy(a);if(1===c){c=-1;for(var d=0;7>d;d++){var e=Cy(a);-1===c&&255!==e&&(c=0);-1e&&d>c;e++)c=256*c+Cy(a),d*=128;return b?c:c-d}; -Ey=function(a,b,c){g.O.call(this);var d=this;this.D=a;this.B=[];this.u=null;this.Y=-1;this.R=0;this.ia=NaN;this.P=0;this.C=b;this.Ta=c;this.F=NaN;this.Aa=0;this.Ja=-1;this.I=this.X=this.Ga=this.aa=this.ha=this.K=this.fa=null;this.D.C&&(this.I=new Tfa(this.D,this.C),this.I.P.promise.then(function(e){d.I=null;1==e&&d.V("localmediachange",e)},function(){d.I=null; -d.V("localmediachange",4)}),Ufa(this.I)); -this.Qa=!1;this.ma=0}; -Fy=function(a){return a.B.length?a.B[0]:null}; -Gy=function(a){return a.B.length?a.B[a.B.length-1]:null}; -Ny=function(a,b,c){if(a.ha){if(a.D.Ms){var d=a.ha;var e=c.info;d=d.B!=e.B&&e.B!=d.B+1||d.type!=e.type||fe(d.K,e.K)&&d.B===e.B?!1:Mu(d,e)}else d=Mu(a.ha,c.info);d||(a.F=NaN,a.Aa=0,a.Ja=-1)}a.ha=c.info;a.C=c.info.u;0==c.info.C?Hy(a):!a.C.tf()&&a.K&&Pu(c.info,a.K);a.u?(c=$v(a.u,c),a.u=c):a.u=c;a:{c=g.aw(a.u.info.u.info);if(3!=a.u.info.type){if(!a.u.info.D)break a;6==a.u.info.type?Iy(a,b,a.u):Jy(a,a.u);a.u=null}for(;a.u;){d=a.u.u.getLength();if(0>=a.Y&&0==a.R){var f=a.u.u,h=-1;e=-1;if(c){for(var l=0;l+ -8e&&(h=-1)}else{f=new By(f);for(m=l=!1;;){n=f.offset;var p=f;try{var r=Dy(p,!0),t=Dy(p,!1);var w=r;var y=t}catch(B){y=w=-1}p=w;var x=y;if(0>p)break;if(408125543!==p)if(524531317===p)l=!0,0<=x&&(e=f.offset+x,m=!0);else{if(l&&(160===p||163===p)&&(0>h&&(h=n),m))break;163===p&&(h=Math.max(0,h),e=f.offset+x);if(160===p){0>h&&(e=h=f.offset+x);break}f.skip(x)}}0>h&&(e=-1)}if(0>h)break;a.Y=h;a.R= -e-h}if(a.Y>d)break;a.Y?(d=Ky(a,a.Y),d.C&&!a.C.tf()&&Ly(a,d),Iy(a,b,d),My(a,d),a.Y=0):a.R&&(d=Ky(a,0>a.R?Infinity:a.R),a.R-=d.u.getLength(),My(a,d))}}a.u&&a.u.info.D&&(My(a,a.u),a.u=null)}; -Jy=function(a,b){!a.C.tf()&&0==b.info.C&&(g.aw(b.info.u.info)||b.info.u.info.Zd())&&gw(b);if(1==b.info.type)try{Ly(a,b),Oy(a,b)}catch(d){M(d);var c=Ou(b.info);c.hms="1";a.V("error",c||{})}b.info.u.gu(b);a.I&&uy(a.I,b)}; -cga=function(a){var b=a.B.reduce(function(c,d){return c+d.u.getLength()},0); -a.u&&(b+=a.u.u.getLength());return b}; -Py=function(a){return g.Oc(a.B,function(b){return b.info})}; -Ky=function(a,b){var c=a.u,d=Math.min(b,c.u.getLength());if(d==c.u.getLength())return a.u=null,c;c.u.getLength();d=Math.min(d,c.info.rb);var e=c.u.split(d),f=e.iu;e=e.ln;var h=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C,d,!1,!1);f=new Xv(h,f,c.C);c=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C+d,c.info.rb-d,c.info.F,c.info.D);c=new Xv(c,e,!1);c=[f,c];a.u=c[1];return c[0]}; -Ly=function(a,b){b.u.getLength();var c=Yv(b);if(!a.D.sB&&gx(b.info.u.info)&&"bt2020"===b.info.u.info.Ma().primaries){var d=new qv(c);tv(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.u,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.u.info;fx(d)&&!gx(d)&&(d=Yv(b),zv(new qv(d)),yv([408125543,374648427,174,224],21936,d));b.info.u.info.isVideo()&&(d=b.info.u,d.info&&d.info.video&&4==d.info.video.projectionType&&!d.C&&(g.aw(d.info)?d.C=jfa(c):d.info.Zd()&&(d.C=lfa(c)))); -b.info.u.info.Zd()&&b.info.isVideo()&&(c=Yv(b),zv(new qv(c)),yv([408125543,374648427,174,224],30320,c)&&yv([408125543,374648427,174,224],21432,c));if(a.D.Cn&&b.info.u.info.Zd()){c=Yv(b);var e=new qv(c);if(tv(e,[408125543,374648427,174,29637])){d=wv(e,!0);e=e.start+e.u;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=Xu(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.u,e))}}if(b=a.fa&&!!a.fa.C.K)if(b=c.info.isVideo())b=fw(c),h=a.fa,Qy?(l=1/b,b=Ry(a,b)>=Ry(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&a.C.tf()&&c.info.B==c.info.u.index.Xb()&& -(b=a.fa,Qy?(l=fw(c),h=1/l,l=Ry(a,l),b=Ry(b)+h-l):b=b.getDuration()-a.getDuration(),b=1+b/c.info.duration,dv(Yv(c),b))}else{h=!1;a.K||(gw(c),c.B&&(a.K=c.B,h=!0,Pu(c.info,c.B),e=c.info.u.info,d=Yv(c),g.aw(e)?nv(d,1701671783):e.Zd()&&yv([408125543],307544935,d)));if(d=e=ew(c))d=c.info.u.info.Zd()&&160==Vv(c.u,0);if(d)a.P+=e,a.F=l+e;else{if(a.D.DB){if(l=f=a.Ta(bw(c),1),0<=a.F&&6!=c.info.type){f-=a.F;var n=f-a.Aa;d=c.info.B;var p=c.info.K,r=a.aa?a.aa.B:-1,t=a.aa?a.aa.K:-1,w=a.aa?a.aa.duration:-1;m=a.D.Hg&& -f>a.D.Hg;var y=a.D.sf&&n>a.D.sf;1E-4m&&d>a.Ja)&&p&&(d=Math.max(.95,Math.min(1.05,(e-(y-f))/e)),dv(Yv(c),d),d=ew(c),n=e-d,e=d))); -a.Aa=f+n}}else isNaN(a.F)?f=c.info.startTime:f=a.F,l=f;cw(c,l)?(isNaN(a.ia)&&(a.ia=l),a.P+=e,a.F=l+e):(l=Ou(c.info),l.smst="1",a.V("error",l||{}))}if(h&&a.K){h=Sy(a,!0);Qu(c.info,h);a.u&&Qu(a.u.info,h);b=g.q(b.info.u);for(l=b.next();!l.done;l=b.next())Qu(l.value,h);(c.info.D||a.u&&a.u.info.D)&&6!=c.info.type||(a.X=h,a.V("placeholderinfo",h),Ty(a))}}Oy(a,c);a.ma&&dw(c,a.ma);a.aa=c.info}; -My=function(a,b){if(b.info.D){a.Ga=b.info;if(a.K){var c=Sy(a,!1);a.V("segmentinfo",c);a.X||Ty(a);a.X=null}Hy(a)}a.I&&uy(a.I,b);if(c=Gy(a))if(c=$v(c,b,a.D.Ls)){a.B.pop();a.B.push(c);return}a.B.push(b)}; -Hy=function(a){a.u=null;a.Y=-1;a.R=0;a.K=null;a.ia=NaN;a.P=0;a.X=null}; -Oy=function(a,b){if(a.C.info.Ud){if(b.info.u.info.Zd()){var c=new qv(Yv(b));if(tv(c,[408125543,374648427,174,28032,25152,20533,18402])){var d=wv(c,!0);c=16!==d?null:Dv(c,d)}else c=null;d="webm"}else b.info.X=Zfa(Yv(b)),c=$fa(b.info.X),d="cenc";c&&c.length&&(c=new zy(c,d),c.Zd=b.info.u.info.Zd(),b.B&&b.B.cryptoPeriodIndex&&(c.cryptoPeriodIndex=b.B.cryptoPeriodIndex),a.D.Ps&&b.B&&b.B.D&&(c.u=b.B.D),a.V("needkeyinfo",c))}}; -Ty=function(a){var b=a.K,c;b.data["Cuepoint-Type"]?c=new yu(Uy?Number(b.data["Cuepoint-Playhead-Time-Sec"])||0:-(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0),Number(b.data["Cuepoint-Total-Duration-Sec"])||0,b.data["Cuepoint-Context"],b.data["Cuepoint-Identifier"]||"",dga[b.data["Cuepoint-Event"]||""]||"unknown",1E3*(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0)):c=null;c&&(c.startSecs+=a.ia,a.V("cuepoint",c,b.u))}; -Sy=function(a,b){var c=a.K;if(c.data["Stitched-Video-Id"]||c.data["Stitched-Video-Duration-Us"]||c.data["Stitched-Video-Start-Frame-Index"]||c.data["Serialized-State"]){var d=c.data["Stitched-Video-Id"]?c.data["Stitched-Video-Id"].split(",").slice(0,-1):[];var e=[];if(c.data["Stitched-Video-Duration-Us"])for(var f=g.q(c.data["Stitched-Video-Duration-Us"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push((Number(h.value)||0)/1E6);e=[];if(c.data["Stitched-Video-Start-Frame-Index"])for(f= -g.q(c.data["Stitched-Video-Start-Frame-Index"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push(Number(h.value)||0);d=new aga(d,c.data["Serialized-State"]?c.data["Serialized-State"]:"")}return new Cu(c.u,a.ia,b?c.kh:a.P,c.ingestionTime,"sq/"+c.u,void 0,void 0,b,d)}; -Ry=function(a,b){b=void 0===b?0:b;var c=b?Math.round(a.ma*b)/b:a.ma;a.C.K&&c&&(c+=a.C.K.u);return c+a.getDuration()}; -Vy=function(a,b){0>b||(a.B.forEach(function(c){return dw(c,b)}),a.ma=b)}; -Wy=function(a,b,c){var d=this;this.fl=a;this.ie=b;this.loaded=this.status=0;this.error="";a=Eu(this.fl.get("range")||"");if(!a)throw Error("bad range");this.range=a;this.u=new Mv;ega(this).then(c,function(e){d.error=""+e||"unknown_err";c()})}; -ega=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w,y,x,B;return xa(c,function(E){if(1==E.u){d.status=200;e=d.fl.get("docid");f=nd(d.fl.get("fmtid")||"");h=+(d.fl.get("csz")||0);if(!e||!f||!h)throw Error("Invalid local URL");l=d.range;m=Math.floor(l.start/h);n=Math.floor(l.end/h);p=m}if(5!=E.u)return p<=n?E=sa(E,Nfa(e,f,p),5):(E.u=0,E=void 0),E;r=E.B;if(void 0===r)throw Error("invariant: data is undefined");t=p*h;w=(p+1)*h;y=Math.max(0,l.start-t);x=Math.min(l.end+1,w)-(y+t);B= -new Uint8Array(r.buffer,y,x);d.u.append(B);d.loaded+=x;d.loadedf?(a.C+=e,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=lz(a)?d+b:d+Math.max(b,c);a.P=d}; -jz=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; -oz=function(){return!("function"!==typeof window.fetch||!window.ReadableStream)}; -pz=function(a){if(a.nq())return!1;a=a.qe("content-type");return"audio/mp4"===a||"video/mp4"===a||"video/webm"===a}; -qz=function(a,b,c,d,e,f){var h=void 0===f?{}:f;f=void 0===h.method?"GET":h.method;var l=h.headers,m=h.body;h=void 0===h.credentials?"include":h.credentials;this.aa=b;this.Y=c;this.fa=d;this.policy=e;this.status=0;this.response=void 0;this.X=!1;this.B=0;this.R=NaN;this.aborted=this.I=this.P=!1;this.errorMessage="";this.method=f;this.headers=l;this.body=m;this.credentials=h;this.u=new Mv;this.id=iga++;this.D=window.AbortController?new AbortController:void 0;this.start(a);this.startTime=Date.now()}; -sz=function(a){a.C.read().then(function(b){if(!a.na()){var c;window.performance&&window.performance.now&&(c=window.performance.now());var d=Date.now(),e=b.value?b.value:void 0;a.F&&(a.u.append(a.F),a.F=void 0);b.done?(a.C=void 0,a.onDone()):(a.B+=e.length,rz(a)?a.u.append(e):a.F=e,a.aa(d,a.B,c),sz(a))}},function(b){a.onError(b)}).then(void 0,M)}; -rz=function(a){var b=a.qe("content-type");b="audio/mp4"===b||"video/mp4"===b;return a.policy.B&&a.policy.rf&&pz(a)&&b}; -tz=function(a,b,c,d){var e=this;this.status=0;this.na=this.B=!1;this.u=NaN;this.xhr=new XMLHttpRequest;this.xhr.open("GET",a);this.xhr.responseType="arraybuffer";this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){2===e.xhr.readyState&&e.F()}; -this.C=c;this.D=b;this.F=d;a=Eo(function(f){e.onDone(f)}); -this.xhr.addEventListener("load",a,!1);this.xhr.addEventListener("error",a,!1);this.xhr.send();this.xhr.addEventListener("progress",Eo(function(f){e.ie(f)}),!1)}; -vz=function(){this.C=this.u=0;this.B=Array.from({length:uz.length}).fill(0)}; -wz=function(){}; -xz=function(a){this.name=a;this.startTimeMs=(0,g.N)();this.u=!1}; -Az=function(a,b){var c=this;return yz?function(d){for(var e=[],f=0;fb||(a in Dz||(Dz[a]=new vz),Dz[a].iH(b,c))}; -Ez=function(a,b){var c="";49=d.getLength()&&(c=Tv(d),c=Su(c),c=ow(c)?c:"")}if(c){d=Fz(a);(0,g.N)();d.started=0;d.B=0;d.u=0;d=a.info;var e=a.B;g.Pw(d.B,e,c);d.requestId=e.get("req_id");return 4}c=b.Uu();if((d=!!a.info.range&&a.info.range.length)&&d!==c||b.bA())return a.Yg="net.closed",6;Mz(a,!0);if(a.u.FD&&!d&&a.le&&(d=a.le.u,d.length&&!Zv(d[0])))return a.Yg= -"net.closed",6;e=wy(a)?b.qe("X-Bandwidth-Est"):0;if(d=wy(a)?b.qe("X-Bandwidth-Est3"):0)a.vH=!0,a.u.rB&&(e=d);d=a.timing;var f=e?parseInt(e,10):0;e=g.A();if(!d.ma){d.ma=!0;if(!d.aj){e=e>d.u&&4E12>e?e:g.A();kz(d,e,c);hz(d,e,c);var h=bz(d);if(2===h&&f)fz(d,d.B/f,d.B);else if(2===h||1===h)f=(e-d.u)/1E3,(f<=d.schedule.P.u||!d.schedule.P.u)&&!d.Aa&&lz(d)&&fz(d,f,c),lz(d)&&Nz(d.schedule,c,d.C);Oz(d.schedule,(e-d.u)/1E3||.05,d.B,d.aa,d.Ng,d.Fm)}d.deactivate()}c=Fz(a);(0,g.N)();c.started=0;c.B=0;c.u=0;a.info.B.B= -0;(0,g.N)()c.indexOf("googlevideo.com")||(nga({primary:c}),Pz=(0,g.N)());return 5}; -Gz=function(a){if("net.timeout"===a.Yg){var b=a.timing,c=g.A();if(!b.aj){c=c>b.u&&4E12>c?c:g.A();kz(b,c,1024*b.Y);var d=(c-b.u)/1E3;2!==bz(b)&&(lz(b)?(b.C+=(c-b.D)/1E3,Nz(b.schedule,b.B,b.C)):(dz(b)||b.aj||ez(b.schedule,d),b.fa=c));Oz(b.schedule,d,b.B,b.aa,b.Ng,b.Fm);gz(b.schedule,(c-b.D)/1E3,0)}}"net.nocontent"!=a.Yg&&("net.timeout"===a.Yg||"net.connect"===a.Yg?(b=Fz(a),b.B+=1):(b=Fz(a),b.u+=1),a.info.B.B++);yy(a,6)}; -Qz=function(a){a.na();var b=Fz(a);return 100>b.B&&b.u=c)}; -mga=function(a){var b=(0,g.z)(a.hR,a),c=(0,g.z)(a.jR,a),d=(0,g.z)(a.iR,a);if(yw(a.B.og))return new Wy(a.B,c,b);var e=a.B.Ld();return a.u.fa&&(a.u.yB&&!isNaN(a.info.wf)&&a.info.wf>a.u.yI?0:oz())?new qz(e,c,b,d,a.u.D):new tz(e,c,b,d)}; -pga=function(a){a.le&&a.le.F?(a=a.le.F,a=new Iu(a.type,a.u,a.range,"getEmptyStubAfter_"+a.R,a.B,a.startTime+a.duration,0,a.C+a.rb,0,!1)):(a=a.info.u[0],a=new Iu(a.type,a.u,a.range,"getEmptyStubBefore_"+a.R,a.B,a.startTime,0,a.C,0,!1));return a}; -Tz=function(a){return 1>a.state?!1:a.le&&a.le.u.length||a.Ab.Mh()?!0:!1}; -Uz=function(a){Mz(a,!1);return a.le?a.le.u:[]}; -Mz=function(a,b){if(b||a.Ab.Dm()&&a.Ab.Mh()&&!Lz(a)&&!a.Oo){if(!a.le){if(a.Ab.tj())a.info.range&&(c=a.info.range.length);else var c=a.Ab.Uu();a.le=new Wfa(a.info.u,c)}for(;a.Ab.Mh();)a:{c=a.le;var d=a.Ab.Vu(),e=b&&!a.Ab.Mh();c.D&&(Ov(c.D,d),d=c.D,c.D=null);for(var f=0,h=0,l=g.q(c.B),m=l.next();!m.done;m=l.next())if(m=m.value,m.range&&f+m.rb<=c.C)f+=m.rb;else{d.getLength();if(Ju(m)&&!e&&c.C+d.getLength()-ha.info.u[0].B)return!1}return!0}; -Vz=function(a,b){return{start:function(c){return a[c]}, -end:function(c){return b[c]}, -length:a.length}}; -Wz=function(a,b,c){b=void 0===b?",":b;c=void 0===c?a?a.length:0:c;var d=[];if(a)for(c=Math.max(a.length-c,0);c=b)return c}catch(d){}return-1}; -cA=function(a,b){return 0<=Xz(a,b)}; -qga=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.start(c):NaN}; -dA=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.end(c):NaN}; -eA=function(a){return a&&a.length?a.end(a.length-1):NaN}; -fA=function(a,b){var c=dA(a,b);return 0<=c?c-b:0}; -gA=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return Vz(d,e)}; -hA=function(a,b,c){this.aa=a;this.u=b;this.D=[];this.C=new Ey(a,b,c);this.B=this.K=null;this.ma=0;this.zb=b.info.zb;this.ia=0;this.R=b.po();this.I=-1;this.za=b.po();this.F=this.R;this.P=!1;this.Y=-1;this.ha=null;this.fa=0;this.X=!1}; -iA=function(a,b){b&&Qy&&Vy(a.C,b.ly());a.K=b}; -jA=function(a){return a.K&&a.K.Pt()}; -lA=function(a){for(;a.D.length&&5==a.D[0].state;){var b=a.D.shift();kA(a,b);b=b.timing;a.ma=(b.D-b.u)/1E3}a.D.length&&Tz(a.D[0])&&!a.D[0].info.Ng()&&kA(a,a.D[0])}; -kA=function(a,b){if(Tz(b)){if(Uz(b).length){b.I=!0;var c=b.le;var d=c.u;c.u=[];c.F=g.db(d).info;c=d}else c=[];c=g.q(c);for(d=c.next();!d.done;d=c.next())mA(a,b,d.value)}}; -mA=function(a,b,c){switch(c.info.type){case 1:case 2:Jy(a.C,c);break;case 4:var d=c.info.u.HE(c);c=c.info;var e=a.B;e&&e.u==c.u&&e.type==c.type&&(c.range&&e.range?e.range.start==c.range.start&&e.range.end==c.range.end:e.range==c.range)&&e.B==c.B&&e.C==c.C&&e.rb==c.rb&&(a.B=g.db(d).info);d=g.q(d);for(c=d.next();!c.done;c=d.next())mA(a,b,c.value);break;case 3:Ny(a.C,b,c);break;case 6:Ny(a.C,b,c),a.B=c.info}}; -nA=function(a,b){var c=b.info;c.u.info.zb>=a.zb&&(a.zb=c.u.info.zb)}; -rA=function(a,b,c){c=void 0===c?!1:c;if(a.K){var d=a.K.Se(),e=dA(d,b),f=NaN,h=jA(a);h&&(f=dA(d,h.u.index.Xe(h.B)));if(e==f&&a.B&&a.B.rb&&oA(pA(a),0))return b}a=qA(a,b,c);return 0<=a?a:NaN}; -tA=function(a,b){a.u.Fe();var c=qA(a,b);if(0<=c)return c;c=a.C;c.I?(c=c.I,c=c.B&&3==c.B.type?c.B.startTime:0):c=Infinity;b=Math.min(b,c);a.B=a.u.Kj(b).u[0];sA(a)&&a.K&&a.K.abort();a.ia=0;return a.B.startTime}; -uA=function(a){a.R=!0;a.F=!0;a.I=-1;tA(a,Infinity)}; -vA=function(a){var b=0;g.Cb(a.D,function(c){var d=b;c=c.le&&c.le.length?Xfa(c.le):Uw(c.info);b=d+c},a); -return b+=cga(a.C)}; -wA=function(a,b){if(!a.K)return 0;var c=jA(a);if(c&&c.F)return c.I;c=a.K.Se(!0);return fA(c,b)}; -yA=function(a){xA(a);a=a.C;a.B=[];Hy(a)}; -zA=function(a,b,c,d){xA(a);for(var e=a.C,f=!1,h=e.B.length-1;0<=h;h--){var l=e.B[h];l.info.B>=b&&(e.B.pop(),e.F-=ew(l),f=!0)}f&&(e.ha=0c?tA(a,d):a.B=a.u.ql(b-1,!1).u[0]}; -CA=function(a,b){var c;for(c=0;ce.C&&d.C+d.rb<=e.C+e.rb})?a.B=d:Ku(b.info.u[0])?a.B=pga(b):a.B=null}}; -sA=function(a){var b;!(b=!a.aa.Js&&"f"===a.u.info.Db)&&(b=a.aa.zh)&&(b=a.C,b=!!b.I&&sy(b.I));if(b)return!0;b=jA(a);if(!b)return!1;var c=b.F&&b.D;return a.za&&0=a.Y:c}; -pA=function(a){var b=[],c=jA(a);c&&b.push(c);b=g.qb(b,Py(a.C));g.Cb(a.D,function(d){g.Cb(d.info.u,function(e){d.I&&(b=g.Ke(b,function(f){return!(f.u!=e.u?0:f.range&&e.range?f.range.start+f.C>=e.range.start+e.C&&f.range.start+f.C+f.rb<=e.range.start+e.C+e.rb:f.B==e.B&&f.C>=e.C&&(f.C+f.rb<=e.C+e.rb||e.D))})); -(Ku(e)||4==e.type)&&b.push(e)})}); -a.B&&!ffa(a.B,g.db(b),a.B.u.tf())&&b.push(a.B);return b}; -oA=function(a,b){if(!a.length)return!1;for(var c=b+1;c=b){b=f;break a}}b=e}return 0>b?NaN:oA(a,c?b:0)?a[b].startTime:NaN}; -DA=function(a){return ki(a.D,function(b){return 3<=b.state})}; -EA=function(a){return!(!a.B||a.B.u==a.u)}; -FA=function(a){return EA(a)&&a.u.Fe()&&a.B.u.info.zbb&&a.I=l)if(l=e.shift(),h=(h=m.exec(l))?+h[1]/1E3:0)l=(l=n.exec(l))?+l[1]:0,l+=1; -else return;c.push(new Cu(p,f,h,NaN,"sq/"+(p+1)));f+=h;l--}a.index.append(c)}}; -Fga=function(a,b){this.experimentIds=a?a.split(","):[];this.flags=Vp(b||"");var c={};g.Cb(this.experimentIds,function(d){c[d]=!0}); -this.experiments=c}; -g.Q=function(a,b){return"true"===a.flags[b]}; -g.P=function(a,b){return Number(a.flags[b])||0}; -g.kB=function(a,b){var c=a.flags[b];return c?c.toString():""}; -Gga=function(a,b,c,d){this.displayName=a;this.vssId=b;this.languageCode=c;this.kind=void 0===d?"":d}; -lB=function(a,b,c){this.name=a;this.id=b;this.isDefault=c}; -mB=function(){var a=g.Ja("yt.player.utils.videoElement_");a||(a=g.Fe("VIDEO"),g.Fa("yt.player.utils.videoElement_",a,void 0));return a}; -nB=function(a){var b=mB();return!!(b&&b.canPlayType&&b.canPlayType(a))}; -Hga=function(a){try{var b=oB('video/mp4; codecs="avc1.42001E"')||oB('video/webm; codecs="vp9"');return(oB('audio/mp4; codecs="mp4a.40.2"')||oB('audio/webm; codecs="opus"'))&&(b||!a)||nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')?null:"fmt.noneavailable"}catch(c){return"html5.missingapi"}}; -oB=function(a){if(/opus/.test(a)&&(g.pB&&!In("38")||g.pB&&dr("crkey")))return!1;if(window.MediaSource&&window.MediaSource.isTypeSupported)return window.MediaSource.isTypeSupported(a);if(/webm/.test(a)&&!jr())return!1;'audio/mp4; codecs="mp4a.40.2"'===a&&(a='video/mp4; codecs="avc1.4d401f"');return!!nB(a)}; -qB=function(){return"pictureInPictureEnabled"in window.document&&!!window.document.pictureInPictureEnabled}; -rB=function(){var a=mB();return!!a.webkitSupportsPresentationMode&&"function"===typeof a.webkitSetPresentationMode}; -sB=function(){var a=mB();try{var b=a.muted;a.muted=!b;return a.muted!==b}catch(c){}return!1}; -tB=function(a,b,c,d){g.O.call(this);var e=this;this.Rc=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.CD={error:function(){!e.na()&&e.isActive&&e.V("error",e)}, -updateend:function(){!e.na()&&e.isActive&&e.V("updateend",e)}}; -vt(this.Rc,this.CD);this.zs=this.isActive}; -uB=function(a,b,c){this.errorCode=a;this.u=b;this.details=c||{}}; -g.vB=function(a){var b;for(b in a)if(a.hasOwnProperty(b)){var c=(""+a[b]).replace(/[:,=]/g,"_");var d=(d?d+";":"")+b+"."+c}return d||""}; -wB=function(a){var b=void 0===b?!1:b;if(a instanceof uB)return a;a=a&&a instanceof Error?a:Error(""+a);b?g.Hs(a):g.Is(a);return new uB(b?"player.fatalexception":"player.exception",b,{name:""+a.name,message:""+a.message})}; -xB=function(a,b,c,d,e){var f;g.O.call(this);var h=this;this.jc=a;this.de=b;this.id=c;this.containerType=d;this.isVideo=e;this.iE=this.yu=this.Zy=null;this.appendWindowStart=this.timestampOffset=0;this.cC=Vz([],[]);this.Xs=!1;this.Oj=function(l){return h.V(l.type,h)}; -if(null===(f=this.jc)||void 0===f?0:f.addEventListener)this.jc.addEventListener("updateend",this.Oj),this.jc.addEventListener("error",this.Oj)}; -yB=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; -zB=function(a,b){this.u=a;this.B=void 0===b?!1:b;this.C=!1}; -AB=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaSource=a;this.de=b;this.isView=c;this.C=0;this.callback=null;this.events=new rt(this);g.D(this,this.events);this.Tq=new zB(this.mediaSource?window.URL.createObjectURL(this.mediaSource):this.de.webkitMediaSourceURL,!0);a=this.mediaSource||this.de;tt(this.events,a,["sourceopen","webkitsourceopen"],this.FQ);tt(this.events,a,["sourceclose","webkitsourceclose"],this.EQ)}; -Iga=function(a,b){BB(a)?g.mm(function(){return b(a)}):a.callback=b}; -CB=function(a){return!!a.u||!!a.B}; -BB=function(a){try{return"open"===DB(a)}catch(b){return!1}}; -EB=function(a){try{return"closed"===DB(a)}catch(b){return!0}}; -DB=function(a){if(a.mediaSource)return a.mediaSource.readyState;switch(a.de.webkitSourceState){case a.de.SOURCE_OPEN:return"open";case a.de.SOURCE_ENDED:return"ended";default:return"closed"}}; -FB=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; -GB=function(a,b,c,d){if(!a.u||!a.B)return null;var e=a.u.isView()?a.u.Rc:a.u,f=a.B.isView()?a.B.Rc:a.B,h=new AB(a.mediaSource,a.de,!0);h.Tq=a.Tq;e=new tB(e,b,c,d);b=new tB(f,b,c,d);h.u=e;h.B=b;g.D(h,e);g.D(h,b);BB(a)||a.u.ip(a.u.yc());return h}; -Jga=function(a,b){return HB(function(c,d){return g.Vs(c,d,4,1E3)},a,b)}; -g.IB=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=Su(new Uint8Array(a.response))):b=a.responseText;return!b||2048=a.K}; -XB=function(a){var b=a.K;isFinite(b)&&(WB(a)?a.refresh():(b=Math.max(0,a.Y+b-(0,g.N)()),a.D||(a.D=new g.F(a.refresh,b,a),g.D(a,a.D)),a.D.start(b)))}; -Vga=function(a){a=a.u;for(var b in a){var c=a[b].index;if(c.Uc())return c.Xb()+1}return 0}; -YB=function(a){return a.Nm&&a.B?a.Nm-a.B:0}; -ZB=function(a){if(!isNaN(a.X))return a.X;var b=a.u,c;for(c in b){var d=b[c].index;if(d.Uc()){b=0;for(c=d.Eh();c<=d.Xb();c++)b+=d.getDuration(c);b/=d.fo();b=.5*Math.round(b/.5);d.fo()>a.ma&&(a.X=b);return b}if(a.isLive&&(d=b[c],d.kh))return d.kh}return NaN}; -Wga=function(a,b){var c=Rb(a.u,function(e){return e.index.Uc()}); -if(!c)return NaN;c=c.index;var d=c.Gh(b);return c.Xe(d)==b?b:d=c||(c=new yu(a.u.Ce.startSecs-(a.R.Dc&&!isNaN(a.I)?a.I:0),c,a.u.Ce.context,a.u.Ce.identifier,"stop",a.u.Ce.u+1E3*b.duration),a.V("ctmp","cuepointdiscontinuity","segNum."+b.qb,!1),a.Y(c,b.qb))}}; -bC=function(a,b){a.C=null;a.K=!1;0=f&&a.Da.I?(a.I++,fC(a,"iterativeSeeking","inprogress;count."+a.I+";target."+ -a.D+";actual."+f+";duration."+h+";isVideo."+c,!1),a.seek(a.D)):(fC(a,"iterativeSeeking","incomplete;count."+a.I+";target."+a.D+";actual."+f,!1),a.I=0,a.B.F=!1,a.u.F=!1,a.V("seekplayerrequired",f+.1,!0)))}})}; -aha=function(a,b,c){if(!a.C)return-1;c=(c?a.B:a.u).u.index;var d=c.Gh(a.D);return(bB(c,a.F.Hd)||b.qb==a.F.Hd)&&d=navigator.hardwareConcurrency&&(d=e);(e=g.P(a.experiments,"html5_av1_thresh_hcc"))&&4=c)}; -JC=function(a,b,c){this.videoInfos=a;this.audioTracks=[];this.u=b||null;this.B=c||null;if(this.u)for(a=new Set,b=g.q(this.u),c=b.next();!c.done;c=b.next())if(c=c.value,c.u&&!a.has(c.u.id)){var d=new CC(c.id,c.u);a.add(c.u.id);this.audioTracks.push(d)}}; -LC=function(a,b,c,d){var e=[],f={};if(LB(c)){for(var h in c.u)d=c.u[h],f[d.info.Db]=[d.info];return f}for(var l in c.u){h=c.u[l];var m=h.info.Yb();if(""==h.info.Db)e.push(m),e.push("unkn");else if("304"!=m&&"266"!=m||!a.fa)if(a.ia&&"h"==h.info.Db&&h.info.video&&1080y}; -a.u&&e("lth."+w+".uth."+y);n=n.filter(function(B){return x(B.Ma().Fc)}); -p=p.filter(function(B){return!x(B.Ma().Fc)})}t=["1", -m];r=[].concat(n,p).filter(function(B){return B})}if(r.length&&!a.C){OC(r,d,t); -if(a.u){a=[];m=g.q(r);for(c=m.next();!c.done;c=m.next())a.push(c.value.Yb());e("hbdfmt."+a.join("."))}return Ys(new JC(r,d,PC(l,"",b)))}r=dha(a);r=g.fb(r,h);if(!r)return a.u&&e("novideo"),Xs();a.Ub&&"1"==r&&l[m]&&(c=NC(l["1"]),NC(l[m])>c&&(r=m));"9"==r&&l.h&&(m=NC(l["9"]),NC(l.h)>1.5*m&&(r="h"));a.u&&e("vfmly."+MC(r));m=l[r];if(!m.length)return a.u&&e("novfmly."+MC(r)),Xs();OC(m,d);return Ys(new JC(m,d,PC(l,r,b)))}; -PC=function(a,b,c){var d=a.h;"f"==b&&(d=a[b]);var e=a.a;b=a[b]!=d;a=a[c]!=e;return d&&e&&(b||a)?(OC(d,e),new JC(d,e)):null}; -OC=function(a,b,c){c=void 0===c?[]:c;g.zb(a,function(d,e){var f=e.Ma().height*e.Ma().width-d.Ma().height*d.Ma().width;if(!f&&c&&0c&&(b=a.I&&(a.X||iC(a,jC.FRAMERATE))?g.Ke(b,function(d){return 32oqa||h=rqa&&(SB++,g.gy("abandon_compression_after_N_slow_zips")?RB===g.hy("compression_disable_point")&&SB>sqa&&(PB=!1):PB=!1);tqa(f);if(uqa(l,b)||!g.gy("only_compress_gel_if_smaller"))c.headers||(c.headers={}),c.headers["Content-Encoding"]="gzip",c.postBody=l,c.postParams=void 0}d(a, +c)}catch(n){ny(n),d(a,c)}else d(a,c)}; +vqa=function(a){var b=void 0===b?!1:b;var c=(0,g.M)(),d={startTime:c,ticks:{},infos:{}};if(PB){if(!a.body)return a;try{var e="string"===typeof a.body?a.body:JSON.stringify(a.body),f=QB(e);if(f>oqa||f=rqa)if(SB++,g.gy("abandon_compression_after_N_slow_zips")){b=SB/RB;var m=sqa/g.hy("compression_disable_point"); +0=m&&(PB=!1)}else PB=!1;tqa(d)}a.headers=Object.assign({},{"Content-Encoding":"gzip"},a.headers||{});a.body=h;return a}catch(n){return ny(n),a}}else return a}; +uqa=function(a,b){if(!window.Blob)return!0;var c=a.lengtha.xH)return p.return();a.potentialEsfErrorCounter++;if(void 0===(null==(n=b)?void 0:n.id)){p.Ka(8);break}return b.sendCountNumber(f.get("dhmu",h.toString())));this.Ns=h;this.Ya="3"===this.controlsType||this.u||R(!1,a.use_media_volume); -this.X=sB();this.tu=g.gD;this.An=R(!1,b&&e?b.embedOptOutDeprecation:a.opt_out_deprecation);this.pfpChazalUi=R(!1,(b&&e?b.pfpChazalUi:a.pfp_chazal_ui)&&!this.ba("embeds_pfp_chazal_ui_killswitch"));var m;b?void 0!==b.hideInfo&&(m=!b.hideInfo):m=a.showinfo;this.En=g.hD(this)&&!this.An||R(!iD(this)&&!jD(this)&&!this.I,m);this.Bn=b?!!b.mobileIphoneSupportsInlinePlayback:R(!1,a.playsinline);m=this.u&&kD&&null!=lD&&0=lD;h=b?b.useNativeControls:a.use_native_controls;f=this.u&&!this.ba("embeds_enable_mobile_custom_controls"); -h=mD(this)||!m&&R(f,h)?"3":"1";f=b?b.controlsType:a.controls;this.controlsType="0"!==f&&0!==f?h:"0";this.Oe=this.u;this.color=YC("red",b&&e?b.progressBarColor:a.color,vha);this.Bt="3"===this.controlsType||R(!1,b&&e?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Ga=!this.B;this.Fn=(h=!this.Ga&&!jD(this)&&!this.R&&!this.I&&!iD(this))&&!this.Bt&&"1"===this.controlsType;this.Nb=g.nD(this)&&h&&"0"===this.controlsType&&!this.Fn;this.tv=this.Mt=m;this.Gn=oD&&!g.ae(601)?!1:!0;this.Ms= -this.B||!1;this.Qa=jD(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=$C("",b&&e?b.widgetReferrer:a.widget_referrer);var n;b&&e?b.disableCastApi&&(n=!1):n=a.enablecastapi;n=!this.C||R(!0,n);m=!0;b&&b.disableMdxCast&&(m=!1);this.Ig=n&&m&&"1"===this.controlsType&&!this.u&&(jD(this)||g.nD(this)||g.pD(this))&&!g.qD(this)&&!rD(this);this.qv=qB()||rB();n=b?!!b.supportsAutoplayOverride:R(!1,a.autoplayoverride);this.Sl=!this.u&&!dr("nintendo wiiu")&&!dr("nintendo 3ds")|| -n;n=b?!!b.enableMutedAutoplay:R(!1,a.mutedautoplay);m=this.ba("embeds_enable_muted_autoplay")&&g.hD(this);this.Tl=n&&m&&this.X&&!mD(this);n=(jD(this)||iD(this))&&"blazer"===this.playerStyle;this.Jg=b?!!b.disableFullscreen:!R(!0,a.fs);this.za=!this.Jg&&(n||nt());this.yn=this.ba("uniplayer_block_pip")&&(er()&&In(58)&&!rr()||or);n=g.hD(this)&&!this.An;var p;b?void 0!==b.disableRelatedVideos&&(p=!b.disableRelatedVideos):p=a.rel;this.ub=n||R(!this.I,p);this.Dn=R(!1,b&&e?b.enableContentOwnerRelatedVideos: -a.co_rel);this.F=rr()&&0=lD?"_top":"_blank";this.Ne=g.pD(this);this.Ql=R("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":p="bl";break;case "gmail":p="gm";break;case "books":p="gb";break;case "docs":p="gd";break;case "duo":p="gu";break;case "google-live":p="gl";break;case "google-one":p="go";break;case "play":p="gp";break;case "chat":p="hc";break;case "hangouts-meet":p="hm";break;case "photos-edu":case "picasaweb":p="pw";break;default:p= -"yt"}this.Y=p;this.ye=$C("",b&&e?b.authorizedUserIndex:a.authuser);var r;b?void 0!==b.disableWatchLater&&(r=!b.disableWatchLater):r=a.showwatchlater;this.Ll=(this.B&&!this.ma||!!this.ye)&&R(!this.R,this.C?r:void 0);this.Hg=b?!!b.disableKeyboardControls:R(!1,a.disablekb);this.loop=R(!1,a.loop);this.pageId=$C("",a.pageid);this.uu=R(!0,a.canplaylive);this.Zi=R(!1,a.livemonitor);this.disableSharing=R(this.I,b?b.disableSharing:a.ss);(r=a.video_container_override)?(p=r.split("x"),2!==p.length?r=null:(r= -Number(p[0]),p=Number(p[1]),r=isNaN(r)||isNaN(p)||0>=r*p?null:new g.ie(r,p))):r=null;this.Hn=r;this.mute=b?!!b.startMuted:R(!1,a.mute);this.Rl=!this.mute&&R("0"!==this.controlsType,a.store_user_volume);r=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:YC(void 0,r,sD);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":$C("",a.cc_lang_pref);r=YC(2,b&&e?b.captionsLanguageLoadPolicy:a.cc_load_policy,sD);"3"===this.controlsType&&2===r&&(r= -3);this.zj=r;this.Lg=b?b.hl||"en_US":$C("en_US",a.hl);this.region=b?b.contentRegion||"US":$C("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":$C("en",a.host_language);this.Is=!this.ma&&Math.random()Math.random();this.xi=a.onesie_hot_config?new nha(a.onesie_hot_config):void 0;this.isTectonic=!!a.isTectonic;this.lu=c;this.fd=new UC;g.D(this,this.fd)}; -BD=function(a,b){return!a.I&&er()&&In(55)&&"3"===a.controlsType&&!b}; -g.CD=function(a){a=tD(a.P);return"www.youtube-nocookie.com"===a?"www.youtube.com":a}; -g.DD=function(a){return g.qD(a)?"music.youtube.com":g.CD(a)}; -ED=function(a,b,c){return a.protocol+"://i1.ytimg.com/vi/"+b+"/"+(c||"hqdefault.jpg")}; -FD=function(a){return jD(a)&&!g.xD(a)}; -mD=function(a){return oD&&!a.Bn||dr("nintendo wiiu")||dr("nintendo 3ds")?!0:!1}; -rD=function(a){return"area120-boutique"===a.playerStyle}; -g.qD=function(a){return"music-embed"===a.playerStyle}; -g.wD=function(a){return/^TVHTML5/.test(a.deviceParams.c)?!0:"TV"===a.deviceParams.cplatform}; -cD=function(a){return"TVHTML5_SIMPLY_EMBEDDED_PLAYER"===a.deviceParams.c}; -vD=function(a){return"CHROMECAST ULTRA/STEAK"===a.deviceParams.cmodel||"CHROMECAST/STEAK"===a.deviceParams.cmodel}; -g.GD=function(){return 1b)return!0;return!1}; -bE=function(a,b){return new QC(a.X,a.B,b||a.F.reason)}; -cE=function(a){return a.F.isLocked()}; -Dha=function(a){return 0(0,g.N)()-a.aa,c=a.D&&3*ZD(a,a.D.info)a.u.Ga,m=f<=a.u.Ga?hx(e):fx(e);if(!h||l||m)c[f]=e}return c}; -VD=function(a,b){a.F=b;var c=a.R.videoInfos;if(!cE(a)){var d=(0,g.N)()-6E4;c=g.Ke(c,function(p){if(p.zb>this.u.zb)return!1;p=this.K.u[p.id];var r=p.info.Db;return this.u.Us&&this.Aa.has(r)||p.X>d?!1:4b.u)&&(e=e.filter(function(p){return!!p&&!!p.video&&!!p.B})); -if(!yB()&&0n.video.width?(g.nb(e,c),c--):ZD(a,f)*a.u.u>ZD(a,n)&&(g.nb(e,c-1),c--)}c=e[e.length-1];a.Ub=!!a.B&&!!a.B.info&&a.B.info.Db!=c.Db;a.C=e;zfa(a.u,c)}; -yha=function(a,b){if(b)a.I=a.K.u[b];else{var c=g.fb(a.R.u,function(d){return!!d.u&&d.u.isDefault}); -c=c||a.R.u[0];a.I=a.K.u[c.id]}XD(a)}; -gE=function(a,b){for(var c=0;c+1d}; -XD=function(a){if(!a.I||!a.u.C&&!a.u.Dn)if(!a.I||!a.I.info.u)if(a.I=a.K.u[a.R.u[0].id],1a.F.u:gE(a,a.I);b&&(a.I=a.K.u[g.db(a.R.u).id])}}; -YD=function(a){a.u.Tl&&(a.za=a.za||new g.F(function(){a.u.Tl&&a.B&&!aE(a)&&1===Math.floor(10*Math.random())?$D(a,a.B):a.za.start()},6E4),a.za.Sb()); -if(!a.D||!a.u.C&&!a.u.Dn)if(cE(a))a.D=360>=a.F.u?a.K.u[a.C[0].id]:a.K.u[g.db(a.C).id];else{for(var b=Math.min(a.P,a.C.length-1),c=XA(a.ma),d=ZD(a,a.I.info),e=c/a.u.B-d;0=c);b++);a.D=a.K.u[a.C[b].id];a.P=b}}; -zha=function(a){var b=a.u.B,c=XA(a.ma)/b-ZD(a,a.I.info);b=g.gb(a.C,function(d){return ZD(this,d)b&&(b=0);a.P=b;a.D=a.K.u[a.C[b].id]}; -hE=function(a,b){a.u.Ga=mC(b,{},a.R);VD(a,a.F);dE(a);a.Y=a.D!=a.B}; -ZD=function(a,b){if(!a.ia[b.id]){var c=a.K.u[b.id].index.kD(a.ha,15);c=b.C&&a.B&&a.B.index.Uc()?c||b.C:c||b.zb;a.ia[b.id]=c}c=a.ia[b.id];a.u.Nb&&b.video&&b.video.Fc>a.u.Nb&&(c*=1.5);return c}; -Eha=function(a,b){var c=Rb(a.K.u,function(d){return d.info.Yb()==b}); -if(!c)throw Error("Itag "+b+" from server not known.");return c}; -Fha=function(a){var b=[];if("m"==a.F.reason||"s"==a.F.reason)return b;var c=!1;if(Nga(a.K)){for(var d=Math.max(0,a.P-2);d=c)a.X=NaN;else{var d=RA(a.ha),e=b.index.Qf;c=Math.max(1,d/c);a.X=Math.round(1E3*Math.max(((c-1)*e+a.u.R)/c,e-a.u.Cc))}}}; -Hha=function(a,b){var c=g.A()/1E3,d=c-a.I,e=c-a.R,f=e>=a.u.En,h=!1;if(f){var l=0;!isNaN(b)&&b>a.K&&(l=b-a.K,a.K=b);l/e=a.u.Cc&&!a.D;if(!f&&!c&&kE(a,b))return NaN;c&&(a.D=!0);a:{d=h;c=g.A()/1E3-(a.fa.u()||0)-a.P.B-a.u.R;f=a.C.startTime;c=f+c;if(d){if(isNaN(b)){lE(a,NaN,"n",b);f=NaN;break a}d=b-a.u.kc;db)return!0;var c=a.Xb();return bb)return 1;c=a.Xb();return b=a?!1:!0}; +yqa=function(a){var b;a=null==a?void 0:null==(b=a.error)?void 0:b.code;return!(400!==a&&415!==a)}; +Aqa=function(){if(XB)return XB();var a={};XB=g.uB("LogsDatabaseV2",{Fq:(a.LogsRequestsStore={Cm:2},a),shared:!1,upgrade:function(b,c,d){c(2)&&g.LA(b,"LogsRequestsStore",{keyPath:"id",autoIncrement:!0});c(3);c(5)&&(d=d.objectStore("LogsRequestsStore"),d.j.indexNames.contains("newRequest")&&d.j.deleteIndex("newRequest"),g.RA(d,"newRequestV2",["status","interface","timestamp"]));c(7)&&MA(b,"sapisid");c(9)&&MA(b,"SWHealthLog")}, +version:9});return XB()}; +YB=function(a){return g.kB(Aqa(),a)}; +Cqa=function(a,b){var c,d,e,f;return g.A(function(h){if(1==h.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_WRITE"},ticks:{}},g.y(h,YB(b),2);if(3!=h.j)return d=h.u,e=Object.assign({},a,{options:JSON.parse(JSON.stringify(a.options)),interface:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0)}),g.y(h,g.PA(d,"LogsRequestsStore",e),3);f=h.u;c.ticks.tc=(0,g.M)();Bqa(c);return h.return(f)})}; +Dqa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_READ"},ticks:{}},g.y(n,YB(b),2);if(3!=n.j)return d=n.u,e=g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0),f=[a,e,0],h=[a,e,(0,g.M)()],l=IDBKeyRange.bound(f,h),m=void 0,g.y(n,g.NA(d,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(p){return g.hB(p.objectStore("LogsRequestsStore").index("newRequestV2"),{query:l,direction:"prev"},function(q){q.getValue()&&(m= +q.getValue(),"NEW"===a&&(m.status="QUEUED",q.update(m)))})}),3); +c.ticks.tc=(0,g.M)();Bqa(c);return n.return(m)})}; +Eqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(g.NA(c,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){var f=e.objectStore("LogsRequestsStore");return f.get(a).then(function(h){if(h)return h.status="QUEUED",g.OA(f,h).then(function(){return h})})}))})}; +Fqa=function(a,b,c,d){c=void 0===c?!0:c;var e;return g.A(function(f){if(1==f.j)return g.y(f,YB(b),2);e=f.u;return f.return(g.NA(e,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(h){var l=h.objectStore("LogsRequestsStore");return l.get(a).then(function(m){return m?(m.status="NEW",c&&(m.sendCount+=1),void 0!==d&&(m.options.compress=d),g.OA(l,m).then(function(){return m})):g.FA.resolve(void 0)})}))})}; +Gqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(c.delete("LogsRequestsStore",a))})}; +Hqa=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,YB(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("LogsRequestsStore"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Iqa=function(){g.A(function(a){return g.y(a,Jpa("LogsDatabaseV2"),0)})}; +Bqa=function(a){g.gy("nwl_csi_killswitch")||OB("networkless_performance",a,{sampleRate:1})}; +Kqa=function(a){return g.kB(Jqa(),a)}; +Lqa=function(a){var b,c;g.A(function(d){if(1==d.j)return g.y(d,Kqa(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["SWHealthLog"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("SWHealthLog"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Mqa=function(a){var b;return g.A(function(c){if(1==c.j)return g.y(c,Kqa(a),2);b=c.u;return g.y(c,b.clear("SWHealthLog"),0)})}; +g.ZB=function(a,b,c,d,e,f){e=void 0===e?"":e;f=void 0===f?!1:f;if(a)if(c&&!g.Yy()){if(a){a=g.be(g.he(a));if("about:invalid#zClosurez"===a||a.startsWith("data"))a="";else{var h=void 0===h?{}:h;a=a.replace(/&/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'");h.g8a&&(a=a.replace(/(^|[\r\n\t ]) /g,"$1 "));h.f8a&&(a=a.replace(/(\r\n|\n|\r)/g,"
"));h.h8a&&(a=a.replace(/(\t+)/g,'$1'));h=g.we(a);a=g.Ke(g.Mi(g.ve(h).toString()))}g.Tb(a)|| +(h=pf("IFRAME",{src:'javascript:""',style:"display:none"}),Ue(h).body.appendChild(h))}}else if(e)Gy(a,b,"POST",e,d);else if(g.ey("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)Gy(a,b,"GET","",d,void 0,f);else{b:{try{var l=new Xka({url:a});if(l.B&&l.u||l.C){var m=Ri(g.Ti(5,a));var n=!(!m||!m.endsWith("/aclk")||"1"!==lj(a,"ri"));break b}}catch(p){}n=!1}n?Nqa(a)?(b&&b(),h=!0):h=!1:h=!1;h||Oqa(a,b)}}; +Nqa=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; +Oqa=function(a,b){var c=new Image,d=""+Pqa++;$B[d]=c;c.onload=c.onerror=function(){b&&$B[d]&&b();delete $B[d]}; +c.src=a}; +aC=function(){this.j=new Map;this.u=!1}; +bC=function(){if(!aC.instance){var a=g.Ga("yt.networkRequestMonitor.instance")||new aC;g.Fa("yt.networkRequestMonitor.instance",a);aC.instance=a}return aC.instance}; +dC=function(){cC||(cC=new lA("yt.offline"));return cC}; +Qqa=function(a){if(g.gy("offline_error_handling")){var b=dC().get("errors",!0)||{};b[a.message]={name:a.name,stack:a.stack};a.level&&(b[a.message].level=a.level);dC().set("errors",b,2592E3,!0)}}; +eC=function(){g.Fd.call(this);var a=this;this.u=!1;this.j=dla();this.j.Ra("networkstatus-online",function(){if(a.u&&g.gy("offline_error_handling")){var b=dC().get("errors",!0);if(b){for(var c in b)if(b[c]){var d=new g.bA(c,"sent via offline_errors");d.name=b[c].name;d.stack=b[c].stack;d.level=b[c].level;g.ly(d)}dC().set("errors",{},2592E3,!0)}}})}; +Rqa=function(){if(!eC.instance){var a=g.Ga("yt.networkStatusManager.instance")||new eC;g.Fa("yt.networkStatusManager.instance",a);eC.instance=a}return eC.instance}; +g.fC=function(a){a=void 0===a?{}:a;g.Fd.call(this);var b=this;this.j=this.C=0;this.u=Rqa();var c=g.Ga("yt.networkStatusManager.instance.listen").bind(this.u);c&&(a.FH?(this.FH=a.FH,c("networkstatus-online",function(){Sqa(b,"publicytnetworkstatus-online")}),c("networkstatus-offline",function(){Sqa(b,"publicytnetworkstatus-offline")})):(c("networkstatus-online",function(){b.dispatchEvent("publicytnetworkstatus-online")}),c("networkstatus-offline",function(){b.dispatchEvent("publicytnetworkstatus-offline")})))}; +Sqa=function(a,b){a.FH?a.j?(g.Ap.Em(a.C),a.C=g.Ap.xi(function(){a.B!==b&&(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)())},a.FH-((0,g.M)()-a.j))):(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)()):a.dispatchEvent(b)}; +hC=function(){var a=VB.call;gC||(gC=new g.fC({R7a:!0,H6a:!0}));a.call(VB,this,{ih:{h2:Hqa,ly:Gqa,XT:Dqa,C4:Eqa,SO:Fqa,set:Cqa},Zg:gC,handleError:function(b,c,d){var e,f=null==d?void 0:null==(e=d.error)?void 0:e.code;if(400===f||415===f){var h;ny(new g.bA(b.message,c,null==d?void 0:null==(h=d.error)?void 0:h.code),void 0,void 0,void 0,!0)}else g.ly(b)}, +Iy:ny,Qq:Tqa,now:g.M,ZY:Qqa,cn:g.iA(),lO:"publicytnetworkstatus-online",zN:"publicytnetworkstatus-offline",wF:!0,hF:.1,xH:g.hy("potential_esf_error_limit",10),ob:g.gy,uB:!(g.dA()&&"www.youtube-nocookie.com"!==g.Ui(document.location.toString()))});this.u=new g.Wj;g.gy("networkless_immediately_drop_all_requests")&&Iqa();Kpa("LogsDatabaseV2")}; +iC=function(){var a=g.Ga("yt.networklessRequestController.instance");a||(a=new hC,g.Fa("yt.networklessRequestController.instance",a),g.gy("networkless_logging")&&g.sB().then(function(b){a.yf=b;wqa(a);a.u.resolve();a.wF&&Math.random()<=a.hF&&a.yf&&Lqa(a.yf);g.gy("networkless_immediately_drop_sw_health_store")&&Uqa(a)})); +return a}; +Uqa=function(a){var b;g.A(function(c){if(!a.yf)throw b=g.DA("clearSWHealthLogsDb"),b;return c.return(Mqa(a.yf).catch(function(d){a.handleError(d)}))})}; +Tqa=function(a,b,c){g.gy("use_cfr_monitor")&&Vqa(a,b);if(g.gy("use_request_time_ms_header"))b.headers&&(b.headers["X-Goog-Request-Time"]=JSON.stringify(Math.round((0,g.M)())));else{var d;if(null==(d=b.postParams)?0:d.requestTimeMs)b.postParams.requestTimeMs=Math.round((0,g.M)())}c&&0===Object.keys(b).length?g.ZB(a):b.compress?b.postBody?("string"!==typeof b.postBody&&(b.postBody=JSON.stringify(b.postBody)),TB(a,b.postBody,b,g.Hy)):TB(a,JSON.stringify(b.postParams),b,Iy):g.Hy(a,b)}; +Vqa=function(a,b){var c=b.onError?b.onError:function(){}; +b.onError=function(e,f){bC().requestComplete(a,!1);c(e,f)}; +var d=b.onSuccess?b.onSuccess:function(){}; +b.onSuccess=function(e,f){bC().requestComplete(a,!0);d(e,f)}}; +g.jC=function(a){this.config_=null;a?this.config_=a:Zpa()&&(this.config_=g.EB())}; +g.kC=function(a,b,c,d){function e(p){try{if((void 0===p?0:p)&&d.retry&&!d.KV.bypassNetworkless)f.method="POST",d.KV.writeThenSend?iC().writeThenSend(n,f):iC().sendAndWrite(n,f);else if(d.compress)if(f.postBody){var q=f.postBody;"string"!==typeof q&&(q=JSON.stringify(f.postBody));TB(n,q,f,g.Hy)}else TB(n,JSON.stringify(f.postParams),f,Iy);else g.gy("web_all_payloads_via_jspb")?g.Hy(n,f):Iy(n,f)}catch(r){if("InvalidAccessError"==r.name)ny(Error("An extension is blocking network request."));else throw r; +}} +!g.ey("VISITOR_DATA")&&"visitor_id"!==b&&.01>Math.random()&&ny(new g.bA("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.bA("innertube xhrclient not ready",b,c,d),g.ly(a),a;var f={headers:d.headers||{},method:"POST",postParams:c,postBody:d.postBody,postBodyFormat:d.postBodyFormat||"JSON",onTimeout:function(){d.onTimeout()}, +onFetchTimeout:d.onTimeout,onSuccess:function(p,q){if(d.onSuccess)d.onSuccess(q)}, +onFetchSuccess:function(p){if(d.onSuccess)d.onSuccess(p)}, +onError:function(p,q){if(d.onError)d.onError(q)}, +onFetchError:function(p){if(d.onError)d.onError(p)}, +timeout:d.timeout,withCredentials:!0,compress:d.compress};f.headers["Content-Type"]||(f.headers["Content-Type"]="application/json");c="";var h=a.config_.OU;h&&(c=h);var l=a.config_.PU||!1;h=kqa(l,c,d);Object.assign(f.headers,h);(h=f.headers.Authorization)&&!c&&l&&(f.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.config_.innertubeApiVersion+"/"+b;l={alt:"json"};var m=a.config_.FM&&h;m=m&&h.startsWith("Bearer");m||(l.key=a.config_.innertubeApiKey);var n=ty(""+c+b,l);g.Ga("ytNetworklessLoggingInitializationOptions")&& +Wqa.isNwlInitialized?Cpa().then(function(p){e(p)}):e(!1)}; +g.pC=function(a,b,c){var d=g.lC();if(d&&b){var e=d.subscribe(a,function(){var f=arguments;var h=function(){mC[e]&&b.apply&&"function"==typeof b.apply&&b.apply(c||window,f)}; +try{g.nC[a]?h():g.Cy(h,0)}catch(l){g.ly(l)}},c); +mC[e]=!0;oC[a]||(oC[a]=[]);oC[a].push(e);return e}return 0}; +Xqa=function(a){var b=g.pC("LOGGED_IN",function(c){a.apply(void 0,arguments);g.qC(b)})}; +g.qC=function(a){var b=g.lC();b&&("number"===typeof a?a=[a]:"string"===typeof a&&(a=[parseInt(a,10)]),g.Ob(a,function(c){b.unsubscribeByKey(c);delete mC[c]}))}; +g.rC=function(a,b){var c=g.lC();return c?c.publish.apply(c,arguments):!1}; +Zqa=function(a){var b=g.lC();if(b)if(b.clear(a),a)Yqa(a);else for(var c in oC)Yqa(c)}; +g.lC=function(){return g.Ea.ytPubsubPubsubInstance}; +Yqa=function(a){oC[a]&&(a=oC[a],g.Ob(a,function(b){mC[b]&&delete mC[b]}),a.length=0)}; +g.sC=function(a,b,c){c=void 0===c?null:c;if(window.spf&&spf.script){c="";if(a){var d=a.indexOf("jsbin/"),e=a.lastIndexOf(".js"),f=d+6;-1f&&(c=a.substring(f,e),c=c.replace($qa,""),c=c.replace(ara,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else bra(a,b,c)}; +bra=function(a,b,c){c=void 0===c?null:c;var d=cra(a),e=document.getElementById(d),f=e&&yoa(e),h=e&&!f;f?b&&b():(b&&(f=g.pC(d,b),b=""+g.Na(b),dra[b]=f),h||(e=era(a,d,function(){yoa(e)||(xoa(e,"loaded","true"),g.rC(d),g.Cy(g.Pa(Zqa,d),0))},c)))}; +era=function(a,b,c,d){d=void 0===d?null:d;var e=g.qf("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; +e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; +d&&e.setAttribute("nonce",d);g.fk(e,g.wr(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; +cra=function(a){var b=document.createElement("a");g.xe(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+Re(a)}; +vC=function(a){var b=g.ya.apply(1,arguments);if(!tC(a)||b.some(function(d){return!tC(d)}))throw Error("Only objects may be merged."); +b=g.t(b);for(var c=b.next();!c.done;c=b.next())uC(a,c.value);return a}; +uC=function(a,b){for(var c in b)if(tC(b[c])){if(c in a&&!tC(a[c]))throw Error("Cannot merge an object into a non-object.");c in a||(a[c]={});uC(a[c],b[c])}else if(wC(b[c])){if(c in a&&!wC(a[c]))throw Error("Cannot merge an array into a non-array.");c in a||(a[c]=[]);fra(a[c],b[c])}else a[c]=b[c];return a}; +fra=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next())c=c.value,tC(c)?a.push(uC({},c)):wC(c)?a.push(fra([],c)):a.push(c);return a}; +tC=function(a){return"object"===typeof a&&!Array.isArray(a)}; +wC=function(a){return"object"===typeof a&&Array.isArray(a)}; +xC=function(a,b,c,d,e,f,h){g.C.call(this);this.Ca=a;this.ac=b;this.Ib=c;this.Wd=d;this.Va=e;this.u=f;this.j=h}; +ira=function(a,b,c){var d,e=(null!=(d=c.adSlots)?d:[]).map(function(f){return g.K(f,gra)}); +c.dA?(a.Ca.get().F.V().K("h5_check_forecasting_renderer_for_throttled_midroll")?(d=c.qo.filter(function(f){var h;return null!=(null==(h=f.renderer)?void 0:h.clientForecastingAdRenderer)}),0!==d.length?yC(a.j,d,e,b.slotId,c.ssdaiAdsConfig):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId)):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId),hra(a.u,b)):yC(a.j,c.qo,e,b.slotId,c.ssdaiAdsConfig)}; +kra=function(a,b,c,d,e,f){var h=a.Va.get().vg(1);zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return jra(a.Wd.get(),c,d,e,h.clientPlaybackNonce,h.bT,h.daiEnabled,h,f)},b)}; +BC=function(a,b,c){if(c&&c!==a.slotType)return!1;b=g.t(b);for(c=b.next();!c.done;c=b.next())if(!AC(a.Ba,c.value))return!1;return!0}; +CC=function(){return""}; +lra=function(a,b){switch(a){case "TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL":return 0;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED":return 1;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED":return 2;case "TRIGGER_CATEGORY_SLOT_EXPIRATION":return 3;case "TRIGGER_CATEGORY_SLOT_FULFILLMENT":return 4;case "TRIGGER_CATEGORY_SLOT_ENTRY":return 5;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED":return 6;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED":return 7;default:return b(a),8}}; +N=function(a,b,c,d){d=void 0===d?!1:d;cb.call(this,a);this.lk=c;this.pu=d;this.args=[];b&&this.args.push(b)}; +DC=function(a,b,c){this.er=b;this.triggerType="TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED";this.triggerId=c||a(this.triggerType)}; +mra=function(a){if("JavaException"===a.name)return!0;a=a.stack;return a.includes("chrome://")||a.includes("chrome-extension://")||a.includes("moz-extension://")}; +nra=function(){this.Ir=[];this.Dq=[]}; +FC=function(){if(!EC){var a=EC=new nra;a.Dq.length=0;a.Ir.length=0;ora(a,pra)}return EC}; +ora=function(a,b){b.Dq&&a.Dq.push.apply(a.Dq,b.Dq);b.Ir&&a.Ir.push.apply(a.Ir,b.Ir)}; +qra=function(a){function b(){return a.charCodeAt(d++)} +var c=a.length,d=0;do{var e=GC(b);if(Infinity===e)break;var f=e>>3;switch(e&7){case 0:e=GC(b);if(2===f)return e;break;case 1:if(2===f)return;d+=8;break;case 2:e=GC(b);if(2===f)return a.substr(d,e);d+=e;break;case 5:if(2===f)return;d+=4;break;default:return}}while(db)return c;b=a();c|=(b&127)<<7;if(128>b)return c;b=a();c|=(b&127)<<14;if(128>b)return c;b=a();return 128>b?c|(b&127)<<21:Infinity}; +rra=function(a,b,c,d){if(a)if(Array.isArray(a)){var e=d;for(d=0;d=d.length&&WC(b)===d[0])return d;for(var e=[],f=0;f=a?fD||(fD=gD(function(){hD({writeThenSend:!0},g.gy("flush_only_full_queue")?b:void 0,c);fD=void 0},0)):10<=e-f&&(zra(c),c?dD.B=e:eD.B=e)}; +Ara=function(a,b){if("log_event"===a.endpoint){$C(a);var c=aD(a),d=new Map;d.set(c,[a.payload]);b&&(cD=new b);return new g.Of(function(e,f){cD&&cD.isReady()?iD(d,cD,e,f,{bypassNetworkless:!0},!0):e()})}}; +Bra=function(a,b){if("log_event"===a.endpoint){$C(void 0,a);var c=aD(a,!0),d=new Map;d.set(c,[a.payload.toJSON()]);b&&(cD=new b);return new g.Of(function(e){cD&&cD.isReady()?jD(d,cD,e,{bypassNetworkless:!0},!0):e()})}}; +aD=function(a,b){var c="";if(a.dangerousLogToVisitorSession)c="visitorOnlyApprovedKey";else if(a.cttAuthInfo){if(void 0===b?0:b){b=a.cttAuthInfo.token;c=a.cttAuthInfo;var d=new ay;c.videoId?d.setVideoId(c.videoId):c.playlistId&&Kh(d,2,kD,c.playlistId);lD[b]=d}else b=a.cttAuthInfo,c={},b.videoId?c.videoId=b.videoId:b.playlistId&&(c.playlistId=b.playlistId),mD[a.cttAuthInfo.token]=c;c=a.cttAuthInfo.token}return c}; +hD=function(a,b,c){a=void 0===a?{}:a;c=void 0===c?!1:c;new g.Of(function(d,e){c?(nD(dD.u),nD(dD.j),dD.j=0):(nD(eD.u),nD(eD.j),eD.j=0);if(cD&&cD.isReady()){var f=a,h=c,l=cD;f=void 0===f?{}:f;h=void 0===h?!1:h;var m=new Map,n=new Map;if(void 0!==b)h?(e=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),m.set(b,e),jD(m,l,d,f)):(m=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),n.set(b,m),iD(n,l,d,e,f));else if(h){e=g.t(Object.keys(bD));for(h=e.next();!h.done;h=e.next())n=h.value,h=ZC().extractMatchingEntries({isJspb:!0, +cttAuthInfo:n}),0Mra&&(a=1);dy("BATCH_CLIENT_COUNTER",a);return a}; +Era=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; +Jra=function(a,b,c){if(c.Ce())var d=1;else if(c.getPlaylistId())d=2;else return;I(a,ay,4,c);a=a.getContext()||new rt;c=Mh(a,pt,3)||new pt;var e=new Ys;e.setToken(b);H(e,1,d);Sh(c,12,Ys,e);I(a,pt,3,c)}; +Ira=function(a){for(var b=[],c=0;cMath.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.bA(a);if(a.args)for(var f=g.t(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign({},h,d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.slotType:"");c&&(d.layout=c?"layout: "+c.layoutType:"");e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.DD(a)}}; +HD=function(a,b,c,d,e,f,h,l){g.C.call(this);this.ac=a;this.Wd=b;this.mK=c;this.Ca=d;this.j=e;this.Va=f;this.Ha=h;this.Mc=l}; +Asa=function(a){for(var b=Array(a),c=0;ce)return new N("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},"ADS_CLIENT_ERROR_MESSAGE_AD_PLACEMENT_END_SHOULD_GREATER_THAN_START",e===b&&a-500<=e);d={Cn:new iq(a,e),zD:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Rp=new iq(a,e)}return d; +default:return new N("AdPlacementKind not supported in convertToRange.",{kind:e,adPlacementConfig:a})}}; +Tsa=function(a){var b=1E3*a.startSecs;return new iq(b,b+1E3*a.Sg)}; +iE=function(a){return g.Ga("ytcsi."+(a||"")+"data_")||Usa(a)}; +jE=function(){var a=iE();a.info||(a.info={});return a.info}; +kE=function(a){a=iE(a);a.metadata||(a.metadata={});return a.metadata}; +lE=function(a){a=iE(a);a.tick||(a.tick={});return a.tick}; +mE=function(a){a=iE(a);if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}else a.gel={gelTicks:{},gelInfos:{}};return a.gel}; +nE=function(a){a=mE(a);a.gelInfos||(a.gelInfos={});return a.gelInfos}; +oE=function(a){var b=iE(a).nonce;b||(b=g.KD(16),iE(a).nonce=b);return b}; +Usa=function(a){var b={tick:{},info:{}};g.Fa("ytcsi."+(a||"")+"data_",b);return b}; +pE=function(){var a=g.Ga("ytcsi.debug");a||(a=[],g.Fa("ytcsi.debug",a),g.Fa("ytcsi.reference",{}));return a}; +qE=function(a){a=a||"";var b=Vsa();if(b[a])return b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);return b[a]=d}; +Wsa=function(a){a=a||"";var b=Vsa();b[a]&&delete b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);b[a]=d}; +Vsa=function(){var a=g.Ga("ytcsi.reference");if(a)return a;pE();return g.Ga("ytcsi.reference")}; +rE=function(a){return Xsa[a]||"LATENCY_ACTION_UNKNOWN"}; +bta=function(a,b,c){c=mE(c);if(c.gelInfos)c.gelInfos[a]=!0;else{var d={};c.gelInfos=(d[a]=!0,d)}if(a.match("_rid")){var e=a.split("_rid")[0];a="REQUEST_ID"}if(a in Ysa){c=Ysa[a];g.rb(Zsa,c)&&(b=!!b);a in $sa&&"string"===typeof b&&(b=$sa[a]+b.toUpperCase());a=b;b=c.split(".");for(var f=d={},h=0;h1E5*Math.random()&&(c=new g.bA("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.DD(c)),!0):!1}; +cta=function(){this.timing={};this.clearResourceTimings=function(){}; this.webkitClearResourceTimings=function(){}; this.mozClearResourceTimings=function(){}; this.msClearResourceTimings=function(){}; this.oClearResourceTimings=function(){}}; -rE=function(a){var b=qE(a);if(b.aft)return b.aft;a=g.L((a||"")+"TIMING_AFT_KEYS",["ol"]);for(var c=a.length,d=0;d1E5*Math.random()&&(c=new g.tr("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.Is(c)),!0):!1}; -KE=function(a){return!!g.L("FORCE_CSI_ON_GEL",!1)||g.vo("csi_on_gel")||!!yE(a).useGel}; -LE=function(a){a=yE(a);if(!("gel"in a))a.gel={gelTicks:{},gelInfos:{}};else if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}return a.gel}; -ME=function(a){xE(a);Lha();tE(!1,a);a||(g.L("TIMING_ACTION")&&so("PREVIOUS_ACTION",g.L("TIMING_ACTION")),so("TIMING_ACTION",""))}; -SE=function(a,b,c,d){d=d?d:a;NE(d);var e=d||"",f=EE();f[e]&&delete f[e];var h=DE(),l={timerName:e,info:{},tick:{},span:{}};h.push(l);f[e]=l;FE(d||"").info.actionType=a;ME(d);yE(d).useGel=!0;so(d+"TIMING_AFT_KEYS",b);so(d+"TIMING_ACTION",a);OE("yt_sts","c",d);PE("_start",c,d);if(KE(d)){a={actionType:QE[to((d||"")+"TIMING_ACTION")]||"LATENCY_ACTION_UNKNOWN",previousAction:QE[to("PREVIOUS_ACTION")]||"LATENCY_ACTION_UNKNOWN"};if(b=g.Rt())a.clientScreenNonce=b;b=AE(d);HE().info(a,b)}g.Fa("ytglobal.timing"+ -(d||"")+"ready_",!0,void 0);RE(d)}; -OE=function(a,b,c){if(null!==b)if(zE(c)[a]=b,KE(c)){var d=b;b=LE(c);if(b.gelInfos)b.gelInfos["info_"+a]=!0;else{var e={};b.gelInfos=(e["info_"+a]=!0,e)}if(a.match("_rid")){var f=a.split("_rid")[0];a="REQUEST_ID"}if(a in TE){b=TE[a];g.jb(Mha,b)&&(d=!!d);a in UE&&"string"===typeof d&&(d=UE[a]+d.toUpperCase());a=d;d=b.split(".");for(var h=e={},l=0;lc)break}return d}; -kF=function(a,b){for(var c=[],d=g.q(a.u),e=d.next();!e.done&&!(e=e.value,e.contains(b)&&c.push(e),e.start>b);e=d.next());return c}; -Uha=function(a){return a.u.slice(jF(a,0x7ffffffffffff),a.u.length)}; -jF=function(a,b){var c=yb(a.u,function(d){return b-d.start||1}); -return 0>c?-(c+1):c}; -lF=function(a,b){for(var c=NaN,d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,e.contains(b)&&(isNaN(c)||e.endb&&(isNaN(c)||e.start=a.u.sI&&!a.u.Zb||!a.u.nB&&0=a.u.AI)return!1;d=b.B;if(!d)return!0;if(!Ow(d.u.B))return!1; -4==d.type&&d.u.Fe()&&(b.B=g.db(d.u.Yv(d)),d=b.B);if(!d.F&&!d.u.ek(d))return!1;var e=a.F.he||a.F.I;if(a.F.isManifestless&&e){e=b.u.index.Xb();var f=c.u.index.Xb();e=Math.min(e,f);if(0=e)return b.Y=e,c.Y=e,!1}if(d.u.info.audio&&4==d.type)return!1;if(FA(b)&&!a.u.ma)return!0;if(d.F||vA(b)&&vA(b)+vA(c)>a.u.Ob)return!1;e=!b.F&&!c.F;f=b==a.B&&a.ha;if(!(c=!!(c.B&&!c.B.F&&c.B.Ia}return c?!1:(b=b.K)&&b.isLocked()?!1:!0}; -FF=function(a,b,c){if(DF(a,b,c))if(c=Zha(a,b,c),a.u.EB&&a.F.isManifestless&&!b.R&&0>c.u[0].B)a.dd("invalidsq",Hu(c.u[0]));else{if(a.ub){var d=a.R;var e=c.u[0].B;d=0>e&&!isNaN(d.D)?d.D:e;e=a.R;var f=0>d&&!isNaN(e.F)?e.F:c.u[0].K;if(e=$ha(a.ub.te,f,d,c.u[0].u.info.id))d="decurl_itag_"+c.u[0].u.info.Yb()+"_sg_"+d+"_st_"+f.toFixed(3)+".",a.dd("sdai",d),c.F=e}a.u.Ns&&-1!=c.u[0].B&&c.u[0].Bd.B&&(c=Ou(d),c.pr=""+b.D.length,a.X.C&&(c.sk="1"),a.dd("nosq",d.R+";"+g.vB(c))),d=h.Ok(d));a.ha&&d.u.forEach(function(l){l.type=6}); -return d}; -aia=function(a,b,c){if(!EA(b)||!b.u.Fe())return!1;var d=Math.min(15,.5*CF(a,b,!0));return FA(b)||c<=d||a.K.Y}; -bia=function(a,b,c){b=a.u.Sm(a,b);if(b.range&&1d&&(b=a.u.Sm(a,b.range.length-c.rb))}return b}; -cia=function(a,b){var c=Uw(b),d=a.aa,e=Math.min(2.5,PA(d.B));d=WA(d);var f=Ju(b.u[0]),h=yw(b.B.u),l=a.u.zh,m;a.Qc?m={Ng:f,aj:h,Fm:l,dj:a.Qc,qb:b.u[0].B,wf:b.wf}:m={Ng:f,aj:h,Fm:l};return new Yy(a.fa,c,c-e*d,m)}; -EF=function(a,b){Ku(b.u[b.u.length-1])&&HF(a,Cha(a.K,b.u[0].u));var c=cia(a,b);a.u.sH&&(c.F=[]);var d={dm:Math.max(0,b.u[0].K-a.I)};a.u.wi&&Sw(b)&&b.u[0].u.info.video&&(d.BG=Fha(a.K));a.ha&&(d.ds=!0);return new Hz(a.u,b,c,a.Qa,function(e){a:{var f=e.info.u[0].u,h=f.info.video?a.B:a.D;if(!(2<=e.state)||4<=e.state||!e.Ab.tj()||e.mk||!(!a.C||a.ma||3f.D&&(f.D=NaN,f.F=NaN),f.u&&f.u.qb===h.u[0].B)if(m=f.u.Ce.event,"start"===m||"continue"===m){if(1===f.B||5===f.B)f.D=h.u[0].B,f.F=h.u[0].K,f.B=2,f.V("ctmp","sdai", -"joinad_sg_"+f.D+"_st_"+f.F.toFixed(3),!1),dia(l.te,f.u.Ce)}else f.B=5;else 1===f.B&&(f.B=5)}else if(a.u.fa&&Tz(e)&&!(4<=e.state)&&!JF(a,e)&&!e.isFailed()){e=void 0;break a}e.isFailed()&&(f=e.info.u[0].u,h=e.Yg,yw(f.B.u)&&(l=g.tf(e.Ab.Qm()||""),a.dd("dldbrerr",l||"none")),Qz(e)?(l=(f.info.video&&1(0,g.N)()||(e=Vw(e.info,!1,a.u.Rl))&&EF(a,e))}}}e=void 0}return e},d)}; -HF=function(a,b){b&&a.V("videoformatchange",b);a.u.NH&&a.K.Ob&&a.V("audioformatchange",bE(a.K,"a"))}; -JF=function(a,b){var c=b.info.u[0].u,d=c.info.video?a.B:a.D;eia(a,d,b);b.info.Ng()&&!Rw(b.info)&&(g.Cb(Uz(b),function(e){Jy(d.C,e)}),a.V("metadata",c)); -lA(d);return!!Fy(d.C)}; -eia=function(a,b,c){if(a.F.isManifestless&&b){b.R&&(c.na(),4<=c.state||c.Ab.tj()||Tz(c),b.R=!1);c.ay()&&a.Ya.C(1,c.ay());b=c.eF();c=c.gD();a=a.F;for(var d in a.u){var e=a.u[d].index;e.Ai&&(b&&(e.D=Math.max(e.D,b)),c&&(e.u=Math.max(e.u||0,c)))}}}; -KF=function(a){a.Oe.Sb()}; -NF=function(a){var b=a.C.u,c=a.C.B;if(fia(a)){if(a.u.Is){if(!b.qm()){var d=Fy(a.D.C);d&&LF(a,b,d)}c.qm()||(b=Fy(a.B.C))&&LF(a,c,b)}a.Ga||(a.Ga=(0,g.N)())}else{if(a.Ga){d=(0,g.N)()-a.Ga;var e=wA(a.D,a.I),f=wA(a.B,a.I);a.dd("appendpause","dur."+d.toFixed()+";abuf."+((1E3*e).toFixed()+";vbuf.")+(1E3*f).toFixed());a.Ga=0}if(a.P){d=a.P;e=a.D;f=eA(a.C.B.Se());if(d.F)d=Hha(d,f);else{if(f=Fy(e.C)){var h=f.B;h&&h.C&&h.B&&(e=e.D.length?e.D[0]:null)&&2<=e.state&&!e.isFailed()&&0==e.info.wf&&e.Ab.tj()&&(d.F= -e,d.P=h,d.C=f.info,d.I=g.A()/1E3,d.R=d.I,d.K=d.C.startTime)}d=NaN}d&&a.V("seekplayerrequired",d,!0)}d=!1;MF(a,a.B,c)&&(d=!0,e=a.Ja,e.D||(e.D=g.A(),e.tick("vda"),ZE("vda","video_to_ad"),e.C&&wp(4)));if(a.C&&!EB(a.C)&&(MF(a,a.D,b)&&(d=a.Ja,d.C||(d.C=g.A(),d.tick("ada"),ZE("ada","video_to_ad"),d.D&&wp(4)),d=!0),!a.na()&&a.C)){!a.u.aa&&sA(a.B)&&sA(a.D)&&BB(a.C)&&!a.C.Kf()&&(e=jA(a.D).u,e==a.F.u[e.info.id]&&(e=a.C,BB(e)&&(e.mediaSource?e.mediaSource.endOfStream():e.de.webkitSourceEndOfStream(e.de.EOS_NO_ERROR)), -OA(a.fa)));e=a.u.KI;f=a.u.GC;d||!(0c*(10-e)/XA(b)}(b=!b)||(b=a.B,b=0a.I||360(e?e.B:-1);e=!!f}if(e)return!1;e=d.info;f=jA(b);!f||f.D||Lu(f,e)||c.abort();!c.qq()||yB()?c.WA(e.u.info.containerType,e.u.info.mimeType):e.u.info.containerType!=c.qq()&&a.dd("ctu","ct."+yB()+";prev_c."+c.qq()+";curr_c."+e.u.info.containerType);f=e.u.K;a.u.Mt&&f&&(e=0+f.duration,f=-f.u,0==c.Nt()&&e==c.Yx()||c.qA(0,e),f!=c.yc()&&(c.ip(f), -Qy&&Vy(a.D.C,c.ly())));if(a.F.C&&0==d.info.C&&(g.aw(d.info.u.info)||a.u.gE)){if(null==c.qm()){e=jA(b);if(!(f=!e||e.u!=d.info.u)){b:if(e=e.X,f=d.info.X,e.length!==f.length)e=!1;else{for(var h=0;he)){a:if(a.u.Oe&&(!d.info.C||d.info.D)&&a.dd("sba",c.sb({as:Hu(d.info)})),e=d.C?d.info.u.u:null,f=Tv(d.u),d.C&&(f=new Uint8Array(f.buffer,0,f.byteOffset+f.length)),e=OF(a,c,f,d.info,e),"s"==e)a.kc=0,a=!0;else{a.u.ut||(PF(a,b),c.abort(),yA(b));if("i"==e||"x"==e)QF(a,"checked",e,d.info);else{if("q"== -e&&(d.info.isVideo()?(e=a.u,e.I=Math.floor(.8*e.I),e.X=Math.floor(.8*e.X),e.F=Math.floor(.8*e.F)):(e=a.u,e.K=Math.floor(.8*e.K),e.Ub=Math.floor(.8*e.Ub),e.F=Math.floor(.8*e.F)),!c.Kf()&&!a.C.isView&&c.us(Math.min(a.I,d.info.startTime),!0,5))){a=!1;break a}a.V("reattachrequired")}a=!1}e=!a}if(e)return!1;b.C.B.shift();nA(b,d);return!0}; -QF=function(a,b,c,d){var e="fmt.unplayable",f=!0;"x"==c||"m"==c?(e="fmt.unparseable",d.u.F=e,d.u.info.video&&!aE(a.K)&&$D(a.K,d.u)):"i"==c&&(15>a.kc?(a.kc++,e="html5.invalidstate",f=!1):e="fmt.unplayable");d=Ou(d);d.mrs=DB(a.C);d.origin=b;d.reason=c;AF(a,f,e,d)}; -RF=function(a,b,c){var d=a.F,e=!1,f;for(f in d.u){var h=jx(d.u[f].info.mimeType)||d.u[f].info.isVideo();c==h&&(h=d.u[f].index,bB(h,b.qb)||(h.ME(b),e=!0))}bha(a.X,b,c,e);c&&(a=a.R,a.R.Ya&&(c=a.u&&a.C&&a.u.qb==a.C.qb-1,c=a.u&&c&&"stop"!=a.u.Ce.event&&"predictStart"!=a.u.Ce.event,a.C&&a.C.qbc&&a.dd("bwcapped","1",!0), -c=Math.max(c,15),d=Math.min(d,c));return d}; -Yha=function(a){if(!a.ce)return Infinity;var b=g.Ke(a.ce.Lk(),function(d){return"ad"==d.namespace}); -b=g.q(b);for(var c=b.next();!c.done;c=b.next())if(c=c.value,c.start/1E3>a.I)return c.start/1E3;return Infinity}; -gia=function(a,b){if(a.C&&a.C.B){b-=!isNaN(a.ia)&&a.u.Dc?a.ia:0;a.I!=b&&a.resume();if(a.X.C&&!EB(a.C)){var c=a.I<=b&&b=b&&tF(a,d.startTime,!1)}); -return c&&c.startTime=zE()&&0c.duration?d:c},{duration:0}))&&0=b)}; +oF=function(a,b,c){this.videoInfos=a;this.j=b;this.audioTracks=[];if(this.j){a=new Set;null==c||c({ainfolen:this.j.length});b=g.t(this.j);for(var d=b.next();!d.done;d=b.next())if(d=d.value,!d.Jc||a.has(d.Jc.id)){var e=void 0,f=void 0,h=void 0;null==(h=c)||h({atkerr:!!d.Jc,itag:d.itag,xtag:d.u,lang:(null==(e=d.Jc)?void 0:e.name)||"",langid:(null==(f=d.Jc)?void 0:f.id)||""})}else e=new g.hF(d.id,d.Jc),a.add(d.Jc.id),this.audioTracks.push(e);null==c||c({atklen:this.audioTracks.length})}}; +pF=function(){g.C.apply(this,arguments);this.j=null}; +Nta=function(a,b,c,d,e,f){if(a.j)return a.j;var h={},l=new Set,m={};if(qF(d)){for(var n in d.j)d.j.hasOwnProperty(n)&&(a=d.j[n],m[a.info.Lb]=[a.info]);return m}n=Kta(b,d,h);f&&e({aftsrt:rF(n)});for(var p={},q=g.t(Object.keys(n)),r=q.next();!r.done;r=q.next()){r=r.value;for(var v=g.t(n[r]),x=v.next();!x.done;x=v.next()){x=x.value;var z=x.itag,B=void 0,F=r+"_"+((null==(B=x.video)?void 0:B.fps)||0);p.hasOwnProperty(F)?!0===p[F]?m[r].push(x):h[z]=p[F]:(B=sF(b,x,c,d.isLive,l),!0!==B?(h[z]=B,"disablevp9hfr"=== +B&&(p[F]="disablevp9hfr")):(m[r]=m[r]||[],m[r].push(x),p[F]=!0))}}f&&e({bfflt:rF(m)});for(var G in m)m.hasOwnProperty(G)&&(d=G,m[d]&&m[d][0].Xg()&&(m[d]=m[d],m[d]=Lta(b,m[d],h),m[d]=Mta(m[d],h)));f&&e(h);b=g.t(l.values());for(d=b.next();!d.done;d=b.next())(d=c.u.get(d.value))&&--d.uX;f&&e({aftflt:rF(m)});a.j=g.Uc(m,function(D){return!!D.length}); +return a.j}; +Pta=function(a,b,c,d,e,f,h){if(b.Vd&&h&&1p&&(e=c));"9"===e&&n.h&&vF(n.h)>vF(n["9"])&&(e="h");b.jc&&d.isLive&&"("===e&&n.H&&1440>vF(n["("])&&(e="H");l&&f({vfmly:wF(e)});b=n[e];if(!b.length)return l&&f({novfmly:wF(e)}),Ny();uF(b);return Oy(new oF(b, +a,m))}; +Rta=function(a,b){var c=b.J&&!(!a.mac3&&!a.MAC3),d=b.T&&!(!a.meac3&&!a.MEAC3);return b.Aa&&!(!a.m&&!a.M)||c||d}; +wF=function(a){switch(a){case "*":return"v8e";case "(":return"v9e";case "(h":return"v9he";default:return a}}; +rF=function(a){var b=[],c;for(c in a)if(a.hasOwnProperty(c)){var d=c;b.push(wF(d));d=g.t(a[d]);for(var e=d.next();!e.done;e=d.next())b.push(e.value.itag)}return b.join(".")}; +Qta=function(a,b,c,d,e,f){var h={},l={};g.Tc(b,function(m,n){m=m.filter(function(p){var q=p.itag;if(!p.Pd)return l[q]="noenc",!1;if(f.uc&&"(h"===p.Lb&&f.Tb)return l[q]="lichdr",!1;if("("===p.Lb||"(h"===p.Lb){if(a.B&&c&&"widevine"===c.flavor){var r=p.mimeType+"; experimental=allowed";(r=!!p.Pd[c.flavor]&&!!c.j[r])||(l[q]=p.Pd[c.flavor]?"unspt":"noflv");return r}if(!xF(a,yF.CRYPTOBLOCKFORMAT)&&!a.ya||a.Z)return l[q]=a.Z?"disvp":"vpsub",!1}return c&&p.Pd[c.flavor]&&c.j[p.mimeType]?!0:(l[q]=c?p.Pd[c.flavor]? +"unspt":"noflv":"nosys",!1)}); +m.length&&(h[n]=m)}); +d&&Object.entries(l).length&&e(l);return h}; +Mta=function(a,b){var c=$l(a,function(d,e){return 32c&&(a=a.filter(function(d){if(32e.length||(e[0]in iG&&(h.clientName=iG[e[0]]),e[1]in jG&&(h.platform=jG[e[1]]),h.applicationState=l,h.clientVersion=2a.ea)return"max"+a.ea;if(a.Pb&&"h"===b.Lb&&b.video&&1080a.td())a.segments=[];else{var c=kb(a.segments,function(d){return d.Ma>=b},a); +0c&&(c=a.totalLength-b);a.focus(b);if(!PF(a,b,c)){var d=a.u,e=a.B;a.focus(b+c-1);e=new Uint8Array(a.B+a.j[a.u].length-e);for(var f=0,h=d;h<=a.u;h++)e.set(a.j[h],f),f+=a.j[h].length;a.j.splice(d,a.u-d+1,e);OF(a);a.focus(b)}d=a.j[a.u];return new DataView(d.buffer,d.byteOffset+b-a.B,c)}; +QF=function(a,b,c){a=hua(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; +iua=function(a){a=QF(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ce&&bf)VF[e++]=f;else{if(224>f)f=(f&31)<<6|a[b++]&63;else if(240>f)f=(f&15)<<12|(a[b++]&63)<<6|a[b++]&63;else{if(1024===e+1){--b;break}f=(f&7)<<18|(a[b++]&63)<<12|(a[b++]&63)<<6|a[b++]&63;f-=65536;VF[e++]=55296|f>>10;f=56320|f&1023}VF[e++]=f}}f=String.fromCharCode.apply(String,VF); +1024>e&&(f=f.substr(0,e));c.push(f)}return c.join("")}; +YF=function(a,b){var c;if(null==(c=XF)?0:c.encodeInto)return b=XF.encodeInto(a,b),b.reade?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296===(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return c}; +lua=function(a){if(XF)return XF.encode(a);var b=new Uint8Array(Math.ceil(1.2*a.length)),c=YF(a,b);b.lengthc&&(b=b.subarray(0,c));return b}; +ZF=function(a,b,c,d,e){e=void 0===e?!1:e;this.data=a;this.offset=b;this.size=c;this.type=d;this.j=(this.u=e)?0:8;this.dataOffset=this.offset+this.j}; +$F=function(a){var b=a.data.getUint8(a.offset+a.j);a.j+=1;return b}; +aG=function(a){var b=a.data.getUint16(a.offset+a.j);a.j+=2;return b}; +bG=function(a){var b=a.data.getInt32(a.offset+a.j);a.j+=4;return b}; +cG=function(a){var b=a.data.getUint32(a.offset+a.j);a.j+=4;return b}; +dG=function(a){var b=a.data;var c=a.offset+a.j;b=4294967296*b.getUint32(c)+b.getUint32(c+4);a.j+=8;return b}; +eG=function(a,b){b=void 0===b?NaN:b;if(isNaN(b))var c=a.size;else for(c=a.j;ca.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(48>d||122d;d++)c[d]=a.getInt8(b.offset+16+d);return c}; +uG=function(a,b){this.j=a;this.pos=0;this.start=b||0}; +vG=function(a){return a.pos>=a.j.byteLength}; +AG=function(a,b,c){var d=new uG(c);if(!wG(d,a))return!1;d=xG(d);if(!yG(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.pos;var e=zG(d,!0);d=a+(d.start+d.pos-b)+e;d=9b;b++)c=256*c+FG(a);return c}for(var d=128,e=0;6>e&&d>c;e++)c=256*c+FG(a),d*=128;return b?c-d:c}; +CG=function(a){var b=zG(a,!0);a.pos+=b}; +Eua=function(a){if(!yG(a,440786851,!0))return null;var b=a.pos;zG(a,!1);var c=zG(a,!0)+a.pos-b;a.pos=b+c;if(!yG(a,408125543,!1))return null;zG(a,!0);if(!yG(a,357149030,!0))return null;var d=a.pos;zG(a,!1);var e=zG(a,!0)+a.pos-d;a.pos=d+e;if(!yG(a,374648427,!0))return null;var f=a.pos;zG(a,!1);var h=zG(a,!0)+a.pos-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295); +l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+d,e),c+12);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+f,h),c+12+e);return l}; +GG=function(a){var b=a.pos;a.pos=0;var c=1E6;wG(a,[408125543,357149030,2807729])&&(c=BG(a));a.pos=b;return c}; +Fua=function(a,b){var c=a.pos;a.pos=0;if(160!==a.j.getUint8(a.pos)&&!HG(a)||!yG(a,160))return a.pos=c,NaN;zG(a,!0);var d=a.pos;if(!yG(a,161))return a.pos=c,NaN;zG(a,!0);FG(a);var e=FG(a)<<8|FG(a);a.pos=d;if(!yG(a,155))return a.pos=c,NaN;d=BG(a);a.pos=c;return(e+d)*b/1E9}; +HG=function(a){if(!Gua(a)||!yG(a,524531317))return!1;zG(a,!0);return!0}; +Gua=function(a){if(a.Xm()){if(!yG(a,408125543))return!1;zG(a,!0)}return!0}; +wG=function(a,b){for(var c=0;cd.timedOut&&1>d.j)return!1;d=d.timedOut+d.j;a=NG(a,b);c=LG(c,FF(a));return c.timedOut+c.j+ +(b.Sn&&!c.C)b.Qg?1E3*Math.pow(b.Yi,c-b.Qg):0;return 0===b?!0:a.J+b<(0,g.M)()}; +Mua=function(a,b,c){a.j.set(b,c);a.B.set(b,c);a.C&&a.C.set(b,c)}; +RG=function(a,b,c,d){this.T=a;this.initRange=c;this.indexRange=d;this.j=null;this.C=!1;this.J=0;this.D=this.B=null;this.info=b;this.u=new MG(a)}; +SG=function(a,b,c){return Nua(a.info,b,c)}; +TG=function(a,b){this.start=a;this.end=b;this.length=b-a+1}; +UG=function(a){a=a.split("-");var b=Number(a[0]),c=Number(a[1]);if(!isNaN(b)&&!isNaN(c)&&2===a.length&&(a=new TG(b,c),!isNaN(a.start)&&!isNaN(a.end)&&!isNaN(a.length)&&0=b.range.start+b.Ob&&a.range.start+a.Ob+a.u<=b.range.start+b.Ob+b.u:a.Ma===b.Ma&&a.Ob>=b.Ob&&(a.Ob+a.u<=b.Ob+b.u||b.bf)}; +Yua=function(a,b){return a.j!==b.j?!1:4===a.type&&3===b.type&&a.j.Jg()?(a=a.j.Jz(a),Wm(a,function(c){return Yua(c,b)})):a.Ma===b.Ma&&!!b.u&&b.Ob+b.u>a.Ob&&b.Ob+b.u<=a.Ob+a.u}; +eH=function(a,b){var c=b.Ma;a.D="updateWithSegmentInfo";a.Ma=c;if(a.startTime!==b.startTime||a.duration!==b.duration)a.startTime=b.startTime,a.duration=b.duration,Pua(a)}; +fH=function(a,b){var c=this;this.gb=a;this.J=this.u=null;this.D=this.Tg=NaN;this.I=this.requestId=null;this.Ne={v7a:function(){return c.range}}; +this.j=a[0].j.u;this.B=b||"";this.gb[0].range&&0Math.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.tr(a);if(a.args)for(var f=g.q(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign(Object.assign({},h),d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.ab:"");c&&(d.layout=oH(c));e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.Is(a)}}; -hH=function(a,b,c,d){var e=a.kind;d=d?!1:!a.hideCueRangeMarker;switch(e){case "AD_PLACEMENT_KIND_START":return d={gh:new Gn(-0x8000000000000,-0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(-0x8000000000000,-0x8000000000000)),d;case "AD_PLACEMENT_KIND_END":return d={gh:new Gn(0x7ffffffffffff,0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(Math.max(0,b-c),0x8000000000000)),d;case "AD_PLACEMENT_KIND_MILLISECONDS":e=a.adTimeOffset;e.offsetStartMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing start milliseconds."); -e.offsetEndMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing end milliseconds.");a=Number(e.offsetStartMilliseconds);e=Number(e.offsetEndMilliseconds);-1===e&&(e=b);if(Number.isNaN(a)||Number.isNaN(e)||a>e)return new gH("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},e===b&&a-500<=e);d={gh:new Gn(a,e),Ov:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Wn=new Gn(a,e)}return d;default:return new gH("AdPlacementKind not supported in convertToRange.", -{kind:e,adPlacementConfig:a})}}; -qH=function(a,b,c,d,e,f){g.C.call(this);this.tb=a;this.uc=b;this.Tw=c;this.Ca=d;this.u=e;this.Da=f}; -Bia=function(a,b,c){var d=[];a=g.q(a);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.renderer.invideoOverlayAdRenderer||e.renderer.adBreakServiceRenderer&&jH(e);"AD_PLACEMENT_KIND_MILLISECONDS"===e.config.adPlacementConfig.kind&&f&&(f=hH(e.config.adPlacementConfig,0x7ffffffffffff),f instanceof gH||d.push({range:f.gh,renderer:e.renderer.invideoOverlayAdRenderer?"overlay":"ABSR"}))}d.sort(function(h,l){return h.range.start-l.range.start}); -a=!1;for(e=0;ed[e+1].range.start){a=!0;break}a&&(d=d.map(function(h){return h.renderer+"|s:"+h.range.start+("|e:"+h.range.end)}).join(","),S("Conflicting renderers.",void 0,void 0,{detail:d, -cpn:b,videoId:c}))}; -rH=function(a,b,c,d){this.C=a;this.Ce=null;this.B=b;this.u=0;this.daiEnabled=void 0===c?!1:c;this.visible=!0;this.D=void 0===d?!1:d}; -sH=function(a,b,c,d,e){g.eF.call(this,b.start,b.end,{id:d,namespace:"ad",priority:e,visible:c});this.u=a.kind||"AD_PLACEMENT_KIND_UNKNOWN";this.B=!1;this.C=null}; -tH=function(a){return"AD_PLACEMENT_KIND_START"==a.u}; -uH=function(a){return"AD_PLACEMENT_KIND_MILLISECONDS"==a.u}; -Cia=function(a){return a.end-a.start}; -vH=function(a,b,c){c=void 0===c?!1:c;switch(a.kind){case "AD_PLACEMENT_KIND_START":return new Gn(-0x8000000000000,-0x8000000000000);case "AD_PLACEMENT_KIND_END":return c?new Gn(Math.max(0,b.C-b.u),0x7ffffffffffff):new Gn(0x7ffffffffffff,0x8000000000000);case "AD_PLACEMENT_KIND_MILLISECONDS":var d=a.adTimeOffset;a=parseInt(d.offsetStartMilliseconds,10);d=parseInt(d.offsetEndMilliseconds,10);-1===d&&(d=b.C);if(c&&(d=a,a=Math.max(0,a-b.u),a==d))break;return new Gn(a,d);case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":d= -b.Ce;a=1E3*d.startSecs;if(c){if(a=h)if(h=b.shift(),f=(f=l.exec(h))?+f[1]/1E3:0)h=(h=m.exec(h))?+h[1]:0,h+=1;else return;c.push(new JF(n,e,f,NaN,"sq/"+(n+1)));e+=f;h--}a.index.append(c)}}; +sH=function(a,b,c){this.info=a;this.j=b;this.B=c;this.u=null;this.D=-1;this.timestampOffset=0;this.I=!1;this.C=this.info.j.Vy()&&!this.info.Ob}; +tH=function(a){return hua(a.j)}; +mva=function(a,b){if(1!==a.info.j.info.containerType||a.info.Ob||!a.info.bf)return!0;a=tH(a);for(var c=0,d=0;c+4e)b=!1;else{for(d=e-1;0<=d;d--)c.j.setUint8(c.pos+d,b&255),b>>>=8;c.pos=a;b=!0}else b=!1;return b}; +xH=function(a,b){b=void 0===b?!1:b;var c=qva(a);a=b?0:a.info.I;return c||a}; +qva=function(a){g.vH(a.info.j.info)||a.info.j.info.Ee();if(a.u&&6===a.info.type)return a.u.Xj;if(g.vH(a.info.j.info)){var b=tH(a);var c=0;b=g.tG(b,1936286840);b=g.t(b);for(var d=b.next();!d.done;d=b.next())d=wua(d.value),c+=d.CP[0]/d.Nt;c=c||NaN;if(!(0<=c))a:{c=tH(a);b=a.info.j.j;for(var e=d=0,f=0;oG(c,d);){var h=pG(c,d);if(1836476516===h.type)e=g.lG(h);else if(1836019558===h.type){!e&&b&&(e=mG(b));if(!e){c=NaN;break a}var l=nG(h.data,h.dataOffset,1953653094),m=e,n=nG(l.data,l.dataOffset,1952868452); +l=nG(l.data,l.dataOffset,1953658222);var p=bG(n);bG(n);p&2&&bG(n);n=p&8?bG(n):0;var q=bG(l),r=q&1;p=q&4;var v=q&256,x=q&512,z=q&1024;q&=2048;var B=cG(l);r&&bG(l);p&&bG(l);for(var F=r=0;F=1.3*Math.floor(16*f/9)||a>=1.3*f)return b;b=e}return"tiny"}; +IH=function(a,b,c){c=void 0===c?{}:c;this.id=a;this.mimeType=b;0=b)return c}catch(d){}return-1}; +lI=function(a,b){return 0<=kI(a,b)}; +Bva=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.start(b):NaN}; +mI=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.end(b):NaN}; +nI=function(a){return a&&a.length?a.end(a.length-1):NaN}; +oI=function(a,b){a=mI(a,b);return 0<=a?a-b:0}; +pI=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return iI(d,e)}; +qI=function(a,b,c,d){g.dE.call(this);var e=this;this.Ed=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.tU={error:function(){!e.isDisposed()&&e.isActive&&e.ma("error",e)}, +updateend:function(){!e.isDisposed()&&e.isActive&&e.ma("updateend",e)}}; +g.eE(this.Ed,this.tU);this.rE=this.isActive}; +sI=function(a,b,c,d,e,f){g.dE.call(this);var h=this;this.Vb=a;this.Dg=b;this.id=c;this.containerType=d;this.Lb=e;this.Xg=f;this.XM=this.FC=this.Cf=null;this.jF=!1;this.appendWindowStart=this.timestampOffset=0;this.GK=iI([],[]);this.iB=!1;this.Kz=rI?[]:void 0;this.ud=function(m){return h.ma(m.type,h)}; +var l;if(null==(l=this.Vb)?0:l.addEventListener)this.Vb.addEventListener("updateend",this.ud),this.Vb.addEventListener("error",this.ud)}; +Cva=function(a,b){b.isEncrypted()&&(a.XM=a.FC);3===b.type&&(a.Cf=b)}; +tI=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; +uI=function(a,b){this.j=a;this.u=void 0===b?!1:b;this.B=!1}; +vI=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaElement=a;this.Wa=b;this.isView=c;this.I=0;this.C=!1;this.D=!0;this.T=0;this.callback=null;this.Wa||(this.Dg=this.mediaElement.ub());this.events=new g.bI(this);g.E(this,this.events);this.B=new uI(this.Wa?window.URL.createObjectURL(this.Wa):this.Dg.webkitMediaSourceURL,!0);a=this.Wa||this.Dg;Kz(this.events,a,["sourceopen","webkitsourceopen"],this.x7);Kz(this.events,a,["sourceclose","webkitsourceclose"],this.w7);this.J={updateend:this.O_}}; +Dva=function(){return!!(window.MediaSource||window.WebKitMediaSource||window.HTMLMediaElement&&HTMLMediaElement.prototype.webkitSourceAddId)}; +Eva=function(a,b){wI(a)?g.Mf(function(){b(a)}):a.callback=b}; +Fva=function(a,b,c){if(xI){var d;yI(a.mediaElement,{l:"mswssb",sr:null==(d=a.mediaElement.va)?void 0:zI(d)},!1);g.eE(b,a.J,a);g.eE(c,a.J,a)}a.j=b;a.u=c;g.E(a,b);g.E(a,c)}; +AI=function(a){return!!a.j||!!a.u}; +wI=function(a){try{return"open"===BI(a)}catch(b){return!1}}; +BI=function(a){if(a.Wa)return a.Wa.readyState;switch(a.Dg.webkitSourceState){case a.Dg.SOURCE_OPEN:return"open";case a.Dg.SOURCE_ENDED:return"ended";default:return"closed"}}; +CI=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; +Gva=function(a,b,c,d){if(!a.j||!a.u)return null;var e=a.j.isView()?a.j.Ed:a.j,f=a.u.isView()?a.u.Ed:a.u,h=new vI(a.mediaElement,a.Wa,!0);h.B=a.B;Fva(h,new qI(e,b,c,d),new qI(f,b,c,d));wI(a)||a.j.Vq(a.j.Jd());return h}; +Hva=function(a){var b;null==(b=a.j)||b.Tx();var c;null==(c=a.u)||c.Tx();a.D=!1}; +Iva=function(a){return DI(function(b,c){return g.Ly(b,c,4,1E3)},a,{format:"RAW", +method:"GET",withCredentials:!0})}; +g.Jva=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=UF(new Uint8Array(a.response))):b=a.responseText;return!b||2048a.T&&a.isLivePlayback;a.Ja=Number(kH(c,a.D+":earliestMediaSequence"))||0;if(d=Date.parse(cva(kH(c,a.D+":mpdResponseTime"))))a.Z=(Date.now()-d)/1E3;a.isLive&&0>=c.getElementsByTagName("SegmentTimeline").length||g.Zl(c.getElementsByTagName("Period"),a.c8,a);a.state=2;a.ma("loaded");bwa(a)}return a}).Zj(function(c){if(c instanceof Jy){var d=c.xhr; +a.Kg=d.status}a.state=3;a.ma("loaderror");return Rf(d)})}; +dwa=function(a,b,c){return cwa(new FI(a,b,c),a)}; +LI=function(a){return a.isLive&&(0,g.M)()-a.Aa>=a.T}; +bwa=function(a){var b=a.T;isFinite(b)&&(LI(a)?a.refresh():(b=Math.max(0,a.Aa+b-(0,g.M)()),a.C||(a.C=new g.Ip(a.refresh,b,a),g.E(a,a.C)),a.C.start(b)))}; +ewa=function(a){a=a.j;for(var b in a){var c=a[b].index;if(c.isLoaded())return c.td()+1}return 0}; +MI=function(a){return a.Ld?a.Ld-(a.J||a.timestampOffset):0}; +NI=function(a){return a.jc?a.jc-(a.J||a.timestampOffset):0}; +OI=function(a){if(!isNaN(a.ya))return a.ya;var b=a.j,c;for(c in b){var d=b[c].index;if(d.isLoaded()){b=0;for(c=d.Lm();c<=d.td();c++)b+=d.getDuration(c);b/=d.Fy();b=.5*Math.round(b/.5);10(0,g.M)()-1E3*a))return 0;a=g.Qz("yt-player-quality");if("string"===typeof a){if(a=g.jF[a],0a.previousQuality)return 1;if(a.quality=navigator.hardwareConcurrency&&(a=480);b.coreCount=navigator.hardwareConcurrency;hoa()&&(b.isArm=1,a=240);if(c){var e,f;if(d=null==(e=c.videoInfos.find(function(h){return KH(h)}))?void 0:null==(f=e.j)?void 0:f.powerEfficient)a=8192,b.isEfficient=1; +c=c.videoInfos[0].video;e=Math.min(UI("1",c.fps),UI("1",30));b.perfCap=e;a=Math.min(a,e);c.isHdr()&&!d&&(b.hdr=1,a*=.75)}else c=UI("1",30),b.perfCap30=c,a=Math.min(a,c),c=UI("1",60),b.perfCap60=c,a=Math.min(a,c);return b.av1Threshold=a}; +XI=function(a){return a?function(){try{return a.apply(this,arguments)}catch(b){g.CD(b)}}:a}; +YI=function(a,b,c,d){this.flavor=a;this.keySystem=b;this.u=c;this.experiments=d;this.j={};this.Ya=this.keySystemAccess=null;this.nx=this.ox=-1;this.rl=null;this.B=!!d&&d.ob("edge_nonprefixed_eme")}; +$I=function(a){return a.B?!1:!a.keySystemAccess&&!!ZI()&&"com.microsoft.playready"===a.keySystem}; +aJ=function(a){return"com.microsoft.playready"===a.keySystem}; +bJ=function(a){return!a.keySystemAccess&&!!ZI()&&"com.apple.fps.1_0"===a.keySystem}; +cJ=function(a){return"com.youtube.fairplay"===a.keySystem}; +dJ=function(a){return"com.youtube.fairplay.sbdl"===a.keySystem}; +g.eJ=function(a){return"fairplay"===a.flavor}; +ZI=function(){var a=window,b=a.MSMediaKeys;az()&&!b&&(b=a.WebKitMediaKeys);return b&&b.isTypeSupported?b:null}; +hJ=function(a){if(!navigator.requestMediaKeySystemAccess)return!1;if(g.eI&&!g.Yy())return kq("45");if(g.oB||g.mf)return a.ob("edge_nonprefixed_eme");if(g.fJ)return kq("47");if(g.BA){if(a.ob("html5_enable_safari_fairplay"))return!1;if(a=g.gJ(a,"html5_safari_desktop_eme_min_version"))return kq(a)}return!0}; +uwa=function(a,b,c,d){var e=Zy(),f=(c=e||c&&az())?["com.youtube.fairplay"]:["com.widevine.alpha"];b&&f.unshift("com.youtube.widevine.l3");e&&d&&f.unshift("com.youtube.fairplay.sbdl");return c?f:a?[].concat(g.u(f),g.u(iJ.playready)):[].concat(g.u(iJ.playready),g.u(f))}; +kJ=function(){this.B=this.j=0;this.u=Array.from({length:jJ.length}).fill(0)}; +vwa=function(a){if(0===a.j)return null;for(var b=a.j.toString()+"."+Math.round(a.B).toString(),c=0;c=f&&f>d&&!0===Vta(a,e,c)&&(d=f)}return d}; +g.vJ=function(a,b){b=void 0===b?!1:b;return uJ()&&a.isTypeSupported('audio/mp4; codecs="mp4a.40.2"')||!b&&a.canPlayType(cI(),"application/x-mpegURL")?!0:!1}; +Qwa=function(a){Pwa(function(){for(var b=g.t(Object.keys(yF)),c=b.next();!c.done;c=b.next())xF(a,yF[c.value])})}; +xF=function(a,b){b.name in a.I||(a.I[b.name]=Rwa(a,b));return a.I[b.name]}; +Rwa=function(a,b){if(a.C)return!!a.C[b.name];if(b===yF.BITRATE&&a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=2000000')&&!a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=20000000'))return!1;if(b===yF.AV1_CODECS)return a.isTypeSupported("video/mp4; codecs="+b.valid)&&!a.isTypeSupported("video/mp4; codecs="+b.Vm);if(b.video){var c='video/webm; codecs="vp9"';a.isTypeSupported(c)||(c='video/mp4; codecs="avc1.4d401e"')}else c='audio/webm; codecs="opus"', +a.isTypeSupported(c)||(c='audio/mp4; codecs="mp4a.40.2"');return a.isTypeSupported(c+"; "+b.name+"="+b.valid)&&!a.isTypeSupported(c+"; "+b.name+"="+b.Vm)}; +Swa=function(a){a.T=!1;a.j=!0}; +Twa=function(a){a.B||(a.B=!0,a.j=!0)}; +Uwa=function(a,b){var c=0;a.u.has(b)&&(c=a.u.get(b).d3);a.u.set(b,{d3:c+1,uX:Math.pow(2,c+1)});a.j=!0}; +wJ=function(){var a=this;this.queue=[];this.C=0;this.j=this.u=!1;this.B=function(){a.u=!1;a.gf()}}; +Vwa=function(a){a.j||(Pwa(function(){a.gf()}),a.j=!0)}; +xJ=function(){g.dE.call(this);this.items={}}; +yJ=function(a){return window.Int32Array?new Int32Array(a):Array(a)}; +EJ=function(a){this.counter=[0,0,0,0];this.u=new Uint8Array(16);this.j=16;if(!Wwa){var b,c=new Uint8Array(256),d=new Uint8Array(256);var e=1;for(b=0;256>b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);zJ=new Uint8Array(256);AJ=yJ(256);BJ=yJ(256);CJ=yJ(256);DJ=yJ(256);for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;zJ[f]=e;b=e<<1^(e>>7&&283);var h=b^e;AJ[f]=b<<24|e<<16|e<<8|h;BJ[f]=h<<24|AJ[f]>>>8;CJ[f]=e<<24|BJ[f]>>>8;DJ[f]=e<<24|CJ[f]>>>8}Wwa=!0}e=yJ(44);for(c=0;4>c;c++)e[c]= +a[4*c]<<24|a[4*c+1]<<16|a[4*c+2]<<8|a[4*c+3];for(d=1;44>c;c++)a=e[c-1],c%4||(a=(zJ[a>>16&255]^d)<<24|zJ[a>>8&255]<<16|zJ[a&255]<<8|zJ[a>>>24],d=d<<1^(d>>7&&283)),e[c]=e[c-4]^a;this.key=e}; +Xwa=function(a){for(var b=a.key,c=a.counter[0]^b[0],d=a.counter[1]^b[1],e=a.counter[2]^b[2],f=a.counter[3]^b[3],h=3;0<=h&&!(a.counter[h]=-~a.counter[h]);h--);for(var l,m,n=4;40>n;)h=AJ[c>>>24]^BJ[d>>16&255]^CJ[e>>8&255]^DJ[f&255]^b[n++],l=AJ[d>>>24]^BJ[e>>16&255]^CJ[f>>8&255]^DJ[c&255]^b[n++],m=AJ[e>>>24]^BJ[f>>16&255]^CJ[c>>8&255]^DJ[d&255]^b[n++],f=AJ[f>>>24]^BJ[c>>16&255]^CJ[d>>8&255]^DJ[e&255]^b[n++],c=h,d=l,e=m;a=a.u;h=b[40];a[0]=zJ[c>>>24]^h>>>24;a[1]=zJ[d>>16&255]^h>>16&255;a[2]=zJ[e>>8&255]^ +h>>8&255;a[3]=zJ[f&255]^h&255;h=b[41];a[4]=zJ[d>>>24]^h>>>24;a[5]=zJ[e>>16&255]^h>>16&255;a[6]=zJ[f>>8&255]^h>>8&255;a[7]=zJ[c&255]^h&255;h=b[42];a[8]=zJ[e>>>24]^h>>>24;a[9]=zJ[f>>16&255]^h>>16&255;a[10]=zJ[c>>8&255]^h>>8&255;a[11]=zJ[d&255]^h&255;h=b[43];a[12]=zJ[f>>>24]^h>>>24;a[13]=zJ[c>>16&255]^h>>16&255;a[14]=zJ[d>>8&255]^h>>8&255;a[15]=zJ[e&255]^h&255}; +HJ=function(){if(!FJ&&!g.oB){if(GJ)return GJ;var a;GJ=null==(a=window.crypto)?void 0:a.subtle;var b,c,d;if((null==(b=GJ)?0:b.importKey)&&(null==(c=GJ)?0:c.sign)&&(null==(d=GJ)?0:d.encrypt))return GJ;GJ=void 0}}; +IJ=function(a,b){g.C.call(this);var c=this;this.j=a;this.cipher=this.j.AES128CTRCipher_create(b.byteOffset);g.bb(this,function(){c.j.AES128CTRCipher_release(c.cipher)})}; +g.JJ=function(a){this.C=a}; +g.KJ=function(a){this.u=a}; +LJ=function(a,b){this.j=a;this.D=b}; +MJ=function(a){this.D=new Uint8Array(64);this.B=new Uint8Array(64);this.C=0;this.I=new Uint8Array(64);this.u=0;this.D.set(a);this.B.set(a);for(a=0;64>a;a++)this.D[a]^=92,this.B[a]^=54;this.reset()}; +Ywa=function(a,b,c){for(var d=a.J,e=a.j[0],f=a.j[1],h=a.j[2],l=a.j[3],m=a.j[4],n=a.j[5],p=a.j[6],q=a.j[7],r,v,x,z=0;64>z;)16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=q+NJ[z]+x+((m>>>6|m<<26)^(m>>>11|m<<21)^(m>>>25|m<<7))+(m&n^~m&p),v=((e>>>2|e<<30)^(e>>>13|e<<19)^(e>>>22|e<<10))+(e&f^e&h^f&h),q=r+v,l+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r= +d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=p+NJ[z]+x+((l>>>6|l<<26)^(l>>>11|l<<21)^(l>>>25|l<<7))+(l&m^~l&n),v=((q>>>2|q<<30)^(q>>>13|q<<19)^(q>>>22|q<<10))+(q&e^q&f^e&f),p=r+v,h+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=n+NJ[z]+x+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^ +~h&m),v=((p>>>2|p<<30)^(p>>>13|p<<19)^(p>>>22|p<<10))+(p&q^p&e^q&e),n=r+v,f+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=m+NJ[z]+x+((f>>>6|f<<26)^(f>>>11|f<<21)^(f>>>25|f<<7))+(f&h^~f&l),v=((n>>>2|n<<30)^(n>>>13|n<<19)^(n>>>22|n<<10))+(n&p^n&q^p&q),x=q,q=l,l=x,x=p,p=h,h=x,x=n,n=f,f=x,m=e+r,e=r+v,z++;a.j[0]=e+a.j[0]|0;a.j[1]=f+a.j[1]|0;a.j[2]=h+a.j[2]|0;a.j[3]= +l+a.j[3]|0;a.j[4]=m+a.j[4]|0;a.j[5]=n+a.j[5]|0;a.j[6]=p+a.j[6]|0;a.j[7]=q+a.j[7]|0}; +$wa=function(a){var b=new Uint8Array(32),c=64-a.u;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.j[c]>>>24,b[4*c+1]=a.j[c]>>>16&255,b[4*c+2]=a.j[c]>>>8&255,b[4*c+3]=a.j[c]&255;Zwa(a);return b}; +Zwa=function(a){a.j=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.J=[];a.J.length=64;a.C=0;a.u=0}; +axa=function(a){this.j=a}; +bxa=function(a,b,c){a=new MJ(a.j);a.update(b);a.update(c);b=$wa(a);a.update(a.D);a.update(b);b=$wa(a);a.reset();return b}; +cxa=function(a){this.u=a}; +dxa=function(a,b,c,d){var e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(a.j){m.Ka(2);break}e=a;return g.y(m,d.importKey("raw",a.u,{name:"HMAC",hash:"SHA-256"},!1,["sign"]),3);case 3:e.j=m.u;case 2:return f=new Uint8Array(b.length+c.length),f.set(b),f.set(c,b.length),h={name:"HMAC",hash:"SHA-256"},g.y(m,d.sign(h,a.j,f),4);case 4:return l=m.u,m.return(new Uint8Array(l))}})}; +exa=function(a,b,c){a.B||(a.B=new axa(a.u));return bxa(a.B,b,c)}; +fxa=function(a,b,c){var d,e;return g.A(function(f){if(1==f.j){d=HJ();if(!d)return f.return(exa(a,b,c));g.pa(f,3);return g.y(f,dxa(a,b,c,d),5)}if(3!=f.j)return f.return(f.u);e=g.sa(f);g.DD(e);FJ=!0;return f.return(exa(a,b,c))})}; +OJ=function(){g.JJ.apply(this,arguments)}; +PJ=function(){g.KJ.apply(this,arguments)}; +QJ=function(a,b){if(b.buffer!==a.memory.buffer){var c=new Uint8Array(a.memory.buffer,a.malloc(b.byteLength),b.byteLength);c.set(b)}LJ.call(this,a,c||b);this.u=new Set;this.C=!1;c&&this.u.add(c.byteOffset)}; +gxa=function(a,b,c){this.encryptedClientKey=b;this.D=c;this.j=new Uint8Array(a.buffer,0,16);this.B=new Uint8Array(a.buffer,16)}; +hxa=function(a){a.u||(a.u=new OJ(a.j));return a.u}; +RJ=function(a){try{return ig(a)}catch(b){return null}}; +ixa=function(a,b){if(!b&&a)try{b=JSON.parse(a)}catch(e){}if(b){a=b.clientKey?RJ(b.clientKey):null;var c=b.encryptedClientKey?RJ(b.encryptedClientKey):null,d=b.keyExpiresInSeconds?1E3*Number(b.keyExpiresInSeconds)+(0,g.M)():null;a&&c&&d&&(this.j=new gxa(a,c,d));b.onesieUstreamerConfig&&(this.onesieUstreamerConfig=RJ(b.onesieUstreamerConfig)||void 0);this.baseUrl=b.baseUrl}}; +SJ=function(a){this.j=this.u=0;this.alpha=Math.exp(Math.log(.5)/a)}; +TJ=function(a,b,c,d){c=void 0===c?.5:c;d=void 0===d?0:d;this.resolution=b;this.u=0;this.B=!1;this.D=!0;this.j=Math.round(a*this.resolution);this.values=Array(this.j);for(a=0;a=jK;f=b?b.useNativeControls:a.use_native_controls;this.T=g.fK(this)&&this.u;d=this.u&&!this.T;f=g.kK(this)|| +!h&&jz(d,f)?"3":"1";d=b?b.controlsType:a.controls;this.controlsType="0"!==d&&0!==d?f:"0";this.ph=this.u;this.color=kz("red",b?b.progressBarColor:a.color,wxa);this.jo="3"===this.controlsType||jz(!1,b?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Dc=!this.C;this.qm=(f=!this.Dc&&!hK(this)&&!this.oa&&!this.J&&!gK(this))&&!this.jo&&"1"===this.controlsType;this.rd=g.lK(this)&&f&&"0"===this.controlsType&&!this.qm;this.Xo=this.oo=h;this.Lc=("3"===this.controlsType||this.u||jz(!1,a.use_media_volume))&& +!this.T;this.wm=cz&&!g.Nc(601)?!1:!0;this.Vn=this.C||!1;this.Oc=hK(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=mz("",b?b.widgetReferrer:a.widget_referrer);var l;b?b.disableCastApi&&(l=!1):l=a.enablecastapi;l=!this.I||jz(!0,l);h=!0;b&&b.disableMdxCast&&(h=!1);this.dj=this.K("enable_cast_for_web_unplugged")&&g.mK(this)&&h||this.K("enable_cast_on_music_web")&&g.nK(this)&&h||l&&h&&"1"===this.controlsType&&!this.u&&(hK(this)||g.lK(this)||"profilepage"===this.Ga)&& +!g.oK(this);this.Vo=!!window.document.pictureInPictureEnabled||gI();l=b?!!b.supportsAutoplayOverride:jz(!1,a.autoplayoverride);this.bl=!(this.u&&(!g.fK(this)||!this.K("embeds_web_enable_mobile_autoplay")))&&!Wy("nintendo wiiu")||l;l=b?!!b.enableMutedAutoplay:jz(!1,a.mutedautoplay);this.Uo=this.K("embeds_enable_muted_autoplay")&&g.fK(this);this.Qg=l&&!1;l=(hK(this)||gK(this))&&"blazer"===this.playerStyle;this.hj=b?!!b.disableFullscreen:!jz(!0,a.fs);this.Tb=!this.hj&&(l||g.yz());this.lm=this.K("uniplayer_block_pip")&& +(Xy()&&kq(58)&&!gz()||nB);l=g.fK(this)&&!this.ll;var m;b?void 0!==b.disableRelatedVideos&&(m=!b.disableRelatedVideos):m=a.rel;this.Wc=l||jz(!this.J,m);this.ul=jz(!1,b?b.enableContentOwnerRelatedVideos:a.co_rel);this.ea=gz()&&0=jK?"_top":"_blank";this.Wf="profilepage"===this.Ga;this.Xk=jz("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":m="bl";break;case "gmail":m="gm";break;case "gac":m="ga";break;case "books":m="gb";break;case "docs":m= +"gd";break;case "duo":m="gu";break;case "google-live":m="gl";break;case "google-one":m="go";break;case "play":m="gp";break;case "chat":m="hc";break;case "hangouts-meet":m="hm";break;case "photos-edu":case "picasaweb":m="pw";break;default:m="yt"}this.Ja=m;this.authUser=mz("",b?b.authorizedUserIndex:a.authuser);this.uc=g.fK(this)&&(this.fb||!eoa()||this.tb);var n;b?void 0!==b.disableWatchLater&&(n=!b.disableWatchLater):n=a.showwatchlater;this.hm=((m=!this.uc)||!!this.authUser&&m)&&jz(!this.oa,this.I? +n:void 0);this.aj=b?b.isMobileDevice||!!b.disableKeyboardControls:jz(!1,a.disablekb);this.loop=jz(!1,a.loop);this.pageId=mz("",b?b.initialDelegatedSessionId:a.pageid);this.Eo=jz(!0,a.canplaylive);this.Xb=jz(!1,a.livemonitor);this.disableSharing=jz(this.J,b?b.disableSharing:a.ss);(n=b&&this.K("fill_video_container_size_override_from_wpcc")?b.videoContainerOverride:a.video_container_override)?(m=n.split("x"),2!==m.length?n=null:(n=Number(m[0]),m=Number(m[1]),n=isNaN(n)||isNaN(m)||0>=n*m?null:new g.He(n, +m))):n=null;this.xm=n;this.mute=b?!!b.startMuted:jz(!1,a.mute);this.storeUserVolume=!this.mute&&jz("0"!==this.controlsType,b?b.storeUserVolume:a.store_user_volume);n=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:kz(void 0,n,pK);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":mz("",a.cc_lang_pref);n=kz(2,b?b.captionsLanguageLoadPolicy:a.cc_load_policy,pK);"3"===this.controlsType&&2===n&&(n=3);this.Pb=n;this.Si=b?b.hl||"en_US":mz("en_US", +a.hl);this.region=b?b.contentRegion||"US":mz("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":mz("en",a.host_language);this.Qn=!this.fb&&Math.random()Math.random();this.Qk=a.onesie_hot_config||(null==b?0:b.onesieHotConfig)?new ixa(a.onesie_hot_config,null==b?void 0:b.onesieHotConfig):void 0;this.isTectonic=b?!!b.isTectonic:!!a.isTectonic;this.playerCanaryState=c;this.vf=new pxa;g.E(this,this.vf);this.mm=jz(!1,a.force_gvi);this.datasyncId=(null==b?void 0:b.datasyncId)||g.ey("DATASYNC_ID");this.Zn=g.ey("LOGGED_IN",!1);this.Yi=(null==b?void 0:b.allowWoffleManagement)|| +!1;this.jm=0;this.livingRoomPoTokenId=null==b?void 0:b.livingRoomPoTokenId;this.K("html5_high_res_logging_always")?this.If=!0:this.If=100*Math.random()<(g.gJ(this.experiments,"html5_unrestricted_layer_high_res_logging_percent")||g.gJ(this.experiments,"html5_high_res_logging_percent"));this.K("html5_ping_queue")&&(this.Rk=new wJ)}; +g.wK=function(a){var b;if(null==(b=a.webPlayerContextConfig)||!b.embedsEnableLiteUx||a.fb||a.J)return"EMBEDDED_PLAYER_LITE_MODE_NONE";a=g.gJ(a.experiments,"embeds_web_lite_mode");return void 0===a?"EMBEDDED_PLAYER_LITE_MODE_UNKNOWN":0<=a&&ar.width*r.height*r.fps)r=x}}}else m.push(x)}B=n.reduce(function(K,H){return H.Te().isEncrypted()&& -K},!0)?l:null; -d=Math.max(d,g.P(a.experiments,"html5_hls_initial_bitrate"));h=r||{};n.push(HH(m,c,e,"93",void 0===h.width?0:h.width,void 0===h.height?0:h.height,void 0===h.fps?0:h.fps,f,"auto",d,B,t));return CH(a.D,n,BD(a,b))}; -HH=function(a,b,c,d,e,f,h,l,m,n,p,r){for(var t=0,w="",y=g.q(a),x=y.next();!x.done;x=y.next())x=x.value,w||(w=x.itag),x.audioChannels&&x.audioChannels>t&&(t=x.audioChannels,w=x.itag);d=new dx(d,"application/x-mpegURL",new Ww(0,t,null,w),new Zw(e,f,h,null,void 0,m,void 0,r),void 0,p);a=new Hia(a,b,c);a.D=n?n:1369843;return new GH(d,a,l)}; -Lia=function(a){a=g.q(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; -Nia=function(a,b){for(var c=g.q(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Ud===b.Ud&&!e.audioChannels)return d}return""}; -Mia=function(a){for(var b=new Set,c=g.q(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.q(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.q(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; -IH=function(a,b){this.Oa=a;this.u=b}; -Pia=function(a,b,c,d){var e=[];c=g.q(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new vw(h.url,!0);if(h.s){var l=h.sp,m=iw(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.q(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=Mx(h.type,h.quality,h.itag,h.width,h.height);e.push(new IH(h,f))}}return CH(a.D,e,BD(a,b))}; -JH=function(a,b){this.Oa=a;this.u=b}; -Qia=function(a){var b=[];g.Cb(a,function(c){if(c&&c.url){var d=Mx(c.type,"medium","0");b.push(new JH(d,c.url))}}); -return b}; -Ria=function(a,b,c){c=Qia(c);return CH(a.D,c,BD(a,b))}; -Sia=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.ustreamerConfig=SC(a.ustreamerConfig))}; -g.KH=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.u=a.is_servable||!1;this.isTranslateable=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null}; -g.LH=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; -YH=function(a){for(var b={},c=g.q(Object.keys(XH)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[XH[d]];e&&(b[d]=e)}return b}; -ZH=function(a,b){for(var c={},d=g.q(Object.keys(XH)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.pw(f)&&(c[XH[e]]=f)}return c}; -bI=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); +a.u=b.concat(c)}; +Ixa=function(a){this.itag=a.itag;this.url=a.url;this.codecs=a.codecs;this.width=a.width;this.height=a.height;this.fps=a.fps;this.bitrate=a.bitrate;var b;this.u=(null==(b=a.audioItag)?void 0:b.split(","))||[];this.pA=a.pA;this.Pd=a.Pd||"";this.Jc=a.Jc;this.audioChannels=a.audioChannels;this.j=""}; +Jxa=function(a,b,c,d){b=void 0===b?!1:b;c=void 0===c?!0:c;d=void 0===d?{}:d;var e={};a=g.t(a);for(var f=a.next();!f.done;f=a.next()){f=f.value;if(b&&MediaSource&&MediaSource.isTypeSupported){var h=f.type;f.audio_channels&&(h=h+"; channels="+f.audio_channels);if(!MediaSource.isTypeSupported(h)){d[f.itag]="tpus";continue}}if(c||!f.drm_families||"smpte2084"!==f.eotf&&"arib-std-b67"!==f.eotf){h=void 0;var l={bt709:"SDR",bt2020:"SDR",smpte2084:"PQ","arib-std-b67":"HLG"},m=f.type.match(/codecs="([^"]*)"/); +m=m?m[1]:"";f.audio_track_id&&(h=new g.aI(f.name,f.audio_track_id,!!f.is_default));var n=f.eotf;f=new Ixa({itag:f.itag,url:f.url,codecs:m,width:Number(f.width),height:Number(f.height),fps:Number(f.fps),bitrate:Number(f.bitrate),audioItag:f.audio_itag,pA:n?l[n]:void 0,Pd:f.drm_families,Jc:h,audioChannels:Number(f.audio_channels)});e[f.itag]=e[f.itag]||[];e[f.itag].push(f)}else d[f.itag]="enchdr"}return e}; +VK=function(a,b,c){this.j=a;this.B=b;this.expiration=c;this.u=null}; +Kxa=function(a,b){if(!(nB||az()||Zy()))return null;a=Jxa(b,a.K("html5_filter_fmp4_in_hls"));if(!a)return null;b=[];for(var c={},d=g.t(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.t(a[e.value]);for(var f=e.next();!f.done;f=e.next()){var h=f.value;h.Jc&&(f=h.Jc.getId(),c[f]||(h=new g.hF(f,h.Jc),c[f]=h,b.push(h)))}}return 0x.width*x.height*x.fps)x=G}else r.push(G)}else l[F]="disdrmhfr";v.reduce(function(P, +T){return T.rh().isEncrypted()&&P},!0)&&(q=p); +e=Math.max(e,0);p=x||{};n=void 0===p.fps?0:p.fps;x=void 0===p.width?0:p.width;p=void 0===p.height?0:p.height;B=a.K("html5_native_audio_track_switching");v.push(Oxa(r,c,d,f,"93",x,p,n,m,"auto",e,q,z,B));Object.entries(l).length&&h(l);return TK(a.D,v,xK(a,b))}; +Oxa=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){for(var x=0,z="",B=g.t(a),F=B.next();!F.done;F=B.next())F=F.value,z||(z=F.itag),F.audioChannels&&F.audioChannels>x&&(x=F.audioChannels,z=F.itag);e=new IH(e,"application/x-mpegURL",{audio:new CH(0,x),video:new EH(f,h,l,null,void 0,n,void 0,r),Pd:q,JV:z});a=new Exa(a,b,c?[c]:[],d,!!v);a.C=p?p:1369843;return new VK(e,a,m)}; +Lxa=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; +Nxa=function(a,b){for(var c=g.t(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Pd===b.Pd&&!e.audioChannels)return d}return""}; +Mxa=function(a){for(var b=new Set,c=g.t(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.t(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.t(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; +WK=function(a,b){this.j=a;this.u=b}; +Qxa=function(a,b,c,d){var e=[];c=g.t(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new g.DF(h.url,!0);if(h.s){var l=h.sp,m=Yta(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.t(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=$H(h.type,h.quality,h.itag,h.width,h.height);e.push(new WK(h,f))}}return TK(a.D,e,xK(a,b))}; +XK=function(a,b){this.j=a;this.u=b}; +Rxa=function(a,b,c){var d=[];c=g.t(c);for(var e=c.next();!e.done;e=c.next())if((e=e.value)&&e.url){var f=$H(e.type,"medium","0");d.push(new XK(f,e.url))}return TK(a.D,d,xK(a,b))}; +Sxa=function(a,b){var c=[],d=$H(b.type,"auto",b.itag);c.push(new XK(d,b.url));return TK(a.D,c,!1)}; +Uxa=function(a){return a&&Txa[a]?Txa[a]:null}; +Vxa=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.sE=RJ(a.ustreamerConfig)||void 0)}; +Wxa=function(a,b){var c;if(b=null==b?void 0:null==(c=b.watchEndpointSupportedOnesieConfig)?void 0:c.html5PlaybackOnesieConfig)a.LW=new Vxa(b)}; +g.YK=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.j=a.is_servable||!1;this.u=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null;this.xtags=a.xtags||"";this.captionId=a.captionId||""}; +g.$K=function(a){var b={languageCode:a.languageCode,languageName:a.languageName,displayName:g.ZK(a),kind:a.kind,name:a.name,id:a.id,is_servable:a.j,is_default:a.isDefault,is_translateable:a.u,vss_id:a.vssId};a.xtags&&(b.xtags=a.xtags);a.captionId&&(b.captionId=a.captionId);a.translationLanguage&&(b.translationLanguage=a.translationLanguage);return b}; +g.aL=function(a){return a.translationLanguage?a.translationLanguage.languageCode:a.languageCode}; +g.ZK=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; +$xa=function(a,b,c,d){a||(a=b&&Xxa.hasOwnProperty(b)&&Yxa.hasOwnProperty(b)?Yxa[b]+"_"+Xxa[b]:void 0);b=a;if(!b)return null;a=b.match(Zxa);if(!a||5!==a.length)return null;if(a=b.match(Zxa)){var e=Number(a[3]),f=[7,8,10,5,6];a=!(1===Number(a[1])&&8===e)&&0<=f.indexOf(e)}else a=!1;return c||d||a?b:null}; +bL=function(a,b){for(var c={},d=g.t(Object.keys(aya)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.UD(f)&&(c[aya[e]]=f)}return c}; +cL=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); a.sort(function(l,m){return l.width-m.width||l.height-m.height}); -for(var c=g.q(Object.keys($H)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=$H[e];for(var f=g.q(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=aI(h.url);g.pw(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=aI(a.url),g.pw(a)&&(b["maxresdefault.jpg"]=a));return b}; -aI=function(a){return a.startsWith("//")?"https:"+a:a}; -cI=function(a){if(a=a.colorInfo)if(a=a.transferCharacteristics)return Tia[a];return null}; -dI=function(a){return a&&a.baseUrl||""}; -eI=function(a){a=g.Zp(a);for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; -fI=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;var c=b.playerAttestationRenderer.challenge;null!=c&&(a.rh=c)}; -Uia=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.q(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=gI(d.baseUrl);if(!e)return;d=new g.KH({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.T(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.nx=b.audioTracks||[];a.fC=b.defaultAudioTrackIndex||0;a.gC=b.translationLanguages?g.Oc(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.T(f.languageName)}}): +for(var c=g.t(Object.keys(bya)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=bya[e];for(var f=g.t(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=cya(h.url);g.UD(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=cya(a.url),g.UD(a)&&(b["maxresdefault.jpg"]=a));return b}; +cya=function(a){return a.startsWith("//")?"https:"+a:a}; +dL=function(a){return a&&a.baseUrl||""}; +eL=function(a){a=g.sy(a);for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; +dya=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;b=b.playerAttestationRenderer.challenge;null!=b&&(a.pk=b)}; +fya=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.t(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=eya(d.baseUrl);if(!e)return;d=new g.YK({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.gE(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.KK=b.audioTracks||[];a.LS=b.defaultAudioTrackIndex||0;a.LK=b.translationLanguages?g.Yl(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.gE(f.languageName)}}): []; -a.gt=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; -Via=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.interstitials.map(function(l){var m=l.unserializedPlayerResponse;if(m)return{is_yto_interstitial:!0,raw_player_response:m};if(l=l.playerVars)return Object.assign({is_yto_interstitial:!0},Xp(l))}); -e=g.q(e);for(var f=e.next();!f.done;f=e.next())switch(f=f.value,d.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:f,yp:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:f,yp:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var h=Number(d.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:h,playerVars:f, -yp:0===h?5:7})}}}; -Wia=function(a,b){var c=b.find(function(d){return!(!d||!d.tooltipRenderer)}); -c&&(a.tooltipRenderer=c.tooltipRenderer)}; -hI=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; -iI=function(a){g.O.call(this);this.u=null;this.C=new g.no;this.u=null;this.I=new Set;this.crossOrigin=a||""}; -lI=function(a,b,c){c=jI(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=Math.floor(b/(d.columns*d.rows)),!d.Uc(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),g.mo(d.C,f,{oE:f,mF:e}))}kI(a)}; -kI=function(a){if(!a.u&&!a.C.isEmpty()){var b=a.C.remove();a.u=Cla(a,b)}}; -Cla=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.oE].Ld(b.mF);c.onload=function(){var d=b.oE,e=b.mF;null!==a.u&&(a.u.onload=null,a.u=null);d=a.levels[d];d.loaded.add(e);kI(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.fy()-1);e=[e,d];a.V("l",e[0],e[1])}; +a.lX=[];if(b.recommendedTranslationTargetIndices)for(c=g.t(b.recommendedTranslationTargetIndices),d=c.next();!d.done;d=c.next())a.lX.push(d.value);a.gF=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; +iya=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next()){c=c.value;var d=c.interstitials.map(function(h){var l=g.K(h,gya);if(l)return{is_yto_interstitial:!0,raw_player_response:l};if(h=g.K(h,hya))return Object.assign({is_yto_interstitial:!0},qy(h))}); +d=g.t(d);for(var e=d.next();!e.done;e=d.next())switch(e=e.value,c.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:e,In:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:e,In:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var f=Number(c.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:f,playerVars:e, +In:0===f?5:7})}}}; +jya=function(a,b){if(b=b.find(function(c){return!(!c||!c.tooltipRenderer)}))a.tooltipRenderer=b.tooltipRenderer}; +kya=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; +fL=function(){var a=lya;var b=void 0===b?[]:b;var c=void 0===c?[]:c;b=ima.apply(null,[jma.apply(null,g.u(b))].concat(g.u(c)));this.store=lma(a,void 0,b)}; +g.gL=function(a,b,c){for(var d=Object.assign({},a),e=g.t(Object.keys(b)),f=e.next();!f.done;f=e.next()){f=f.value;var h=a[f],l=b[f];if(void 0===l)delete d[f];else if(void 0===h)d[f]=l;else if(Array.isArray(l)&&Array.isArray(h))d[f]=c?[].concat(g.u(h),g.u(l)):l;else if(!Array.isArray(l)&&g.Ja(l)&&!Array.isArray(h)&&g.Ja(h))d[f]=g.gL(h,l,c);else if(typeof l===typeof h)d[f]=l;else return b=new g.bA("Attempted to merge fields of differing types.",{name:"DeepMergeError",key:f,Y7a:h,updateValue:l}),g.CD(b), +a}return d}; +hL=function(a){this.j=a;this.pos=0;this.u=-1}; +iL=function(a){var b=RF(a.j,a.pos);++a.pos;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=RF(a.j,a.pos),++a.pos,d*=128,c+=(b&127)*d;return c}; +jL=function(a,b){var c=a.u;for(a.u=-1;a.pos+1<=a.j.totalLength;){0>c&&(c=iL(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.u=c;break}c=-1;switch(e){case 0:iL(a);break;case 1:a.pos+=8;break;case 2:d=iL(a);a.pos+=d;break;case 5:a.pos+=4}}return!1}; +kL=function(a,b){if(jL(a,b))return iL(a)}; +lL=function(a,b){if(jL(a,b))return!!iL(a)}; +mL=function(a,b){if(jL(a,b)){b=iL(a);var c=QF(a.j,a.pos,b);a.pos+=b;return c}}; +nL=function(a,b){if(a=mL(a,b))return g.WF(a)}; +oL=function(a,b,c){if(a=mL(a,b))return c(new hL(new LF([a])))}; +mya=function(a,b,c){for(var d=[],e;e=mL(a,b);)d.push(c(new hL(new LF([e]))));return d.length?d:void 0}; +pL=function(a,b){a=a instanceof Uint8Array?new LF([a]):a;return b(new hL(a))}; +nya=function(a,b){a=void 0===a?4096:a;this.u=b;this.pos=0;this.B=[];b=void 0;if(this.u)try{var c=this.u.exports.malloc(a);b=new Uint8Array(this.u.exports.memory.buffer,c,a)}catch(d){}b||(b=new Uint8Array(a));this.j=b;this.view=new DataView(this.j.buffer,this.j.byteOffset,this.j.byteLength)}; +qL=function(a,b){var c=a.pos+b;if(!(a.j.length>=c)){for(b=2*a.j.length;bd;d++)a.view.setUint8(a.pos,c&127|128),c>>=7,a.pos+=1;b=Math.floor(b/268435456)}for(qL(a,4);127>=7,a.pos+=1;a.view.setUint8(a.pos,b);a.pos+=1}; +sL=function(a,b,c){oya?rL(a,8*b+c):rL(a,b<<3|c)}; +tL=function(a,b,c){void 0!==c&&(sL(a,b,0),rL(a,c))}; +uL=function(a,b,c){void 0!==c&&tL(a,b,c?1:0)}; +vL=function(a,b,c){void 0!==c&&(sL(a,b,2),b=c.length,rL(a,b),qL(a,b),a.j.set(c,a.pos),a.pos+=b)}; +wL=function(a,b,c){void 0!==c&&(pya(a,b,Math.ceil(Math.log2(4*c.length+2)/7)),qL(a,1.2*c.length),b=YF(c,a.j.subarray(a.pos)),a.pos+b>a.j.length&&(qL(a,b),b=YF(c,a.j.subarray(a.pos))),a.pos+=b,qya(a))}; +pya=function(a,b,c){c=void 0===c?2:c;sL(a,b,2);a.B.push(a.pos);a.B.push(c);a.pos+=c}; +qya=function(a){for(var b=a.B.pop(),c=a.B.pop(),d=a.pos-c-b;b--;){var e=b?128:0;a.view.setUint8(c++,d&127|e);d>>=7}}; +xL=function(a,b,c,d,e){c&&(pya(a,b,void 0===e?3:e),d(a,c),qya(a))}; +rya=function(a){a.u&&a.j.buffer!==a.u.exports.memory.buffer&&(a.j=new Uint8Array(a.u.exports.memory.buffer,a.j.byteOffset,a.j.byteLength),a.view=new DataView(a.j.buffer,a.j.byteOffset,a.j.byteLength));return new Uint8Array(a.j.buffer,a.j.byteOffset,a.pos)}; +g.yL=function(a,b,c){c=new nya(4096,c);b(c,a);return rya(c)}; +g.zL=function(a){var b=new hL(new LF([ig(decodeURIComponent(a))]));a=nL(b,2);b=kL(b,4);var c=sya[b];if("undefined"===typeof c)throw a=new g.bA("Failed to recognize field number",{name:"EntityKeyHelperError",T6a:b}),g.CD(a),a;return{U2:b,entityType:c,entityId:a}}; +g.AL=function(a,b){var c=new nya;vL(c,2,lua(a));a=tya[b];if("undefined"===typeof a)throw b=new g.bA("Failed to recognize entity type",{name:"EntityKeyHelperError",entityType:b}),g.CD(b),b;tL(c,4,a);tL(c,5,1);b=rya(c);return encodeURIComponent(g.gg(b))}; +BL=function(a,b,c,d){if(void 0===d)return d=Object.assign({},a[b]||{}),c=(delete d[c],d),d={},Object.assign({},a,(d[b]=c,d));var e={},f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +uya=function(a,b,c,d,e){var f=a[b];if(null==f||!f[c])return a;d=g.gL(f[c],d,"REPEATED_FIELDS_MERGE_OPTION_APPEND"===e);e={};f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +vya=function(a,b){a=void 0===a?{}:a;switch(b.type){case "ENTITY_LOADED":return b.payload.reduce(function(d,e){var f,h=null==(f=e.options)?void 0:f.persistenceOption;if(h&&"ENTITY_PERSISTENCE_OPTION_UNKNOWN"!==h&&"ENTITY_PERSISTENCE_OPTION_INMEMORY_AND_PERSIST"!==h)return d;if(!e.entityKey)return g.CD(Error("Missing entity key")),d;if("ENTITY_MUTATION_TYPE_REPLACE"===e.type){if(!e.payload)return g.CD(new g.bA("REPLACE entity mutation is missing a payload",{entityKey:e.entityKey})),d;var l=g.Xc(e.payload); +return BL(d,l,e.entityKey,e.payload[l])}if("ENTITY_MUTATION_TYPE_DELETE"===e.type){e=e.entityKey;try{var m=g.zL(e).entityType;l=BL(d,m,e)}catch(q){if(q instanceof Error)g.CD(new g.bA("Failed to deserialize entity key",{entityKey:e,mO:q.message})),l=d;else throw q;}return l}if("ENTITY_MUTATION_TYPE_UPDATE"===e.type){if(!e.payload)return g.CD(new g.bA("UPDATE entity mutation is missing a payload",{entityKey:e.entityKey})),d;l=g.Xc(e.payload);var n,p;return uya(d,l,e.entityKey,e.payload[l],null==(n= +e.fieldMask)?void 0:null==(p=n.mergeOptions)?void 0:p.repeatedFieldsMergeOption)}return d},a); +case "REPLACE_ENTITY":var c=b.payload;return BL(a,c.entityType,c.key,c.T2);case "REPLACE_ENTITIES":return Object.keys(b.payload).reduce(function(d,e){var f=b.payload[e];return Object.keys(f).reduce(function(h,l){return BL(h,e,l,f[l])},d)},a); +case "UPDATE_ENTITY":return c=b.payload,uya(a,c.entityType,c.key,c.T2,c.T7a);default:return a}}; +CL=function(a,b,c){return a[b]?a[b][c]||null:null}; +DL=function(a,b){this.type=a||"";this.id=b||""}; +g.EL=function(a){return new DL(a.substr(0,2),a.substr(2))}; +g.FL=function(a,b){this.u=a;this.author="";this.yB=null;this.playlistLength=0;this.j=this.sessionData=null;this.Z={};this.title="";if(b){this.author=b.author||b.playlist_author||"";this.title=b.playlist_title||"";if(a=b.session_data)this.sessionData=oy(a,"&");var c;this.j=(null==(c=b.thumbnail_ids)?void 0:c.split(",")[0])||null;this.Z=bL(b,"playlist_");this.videoId=b.video_id||void 0;if(c=b.list)switch(b.listType){case "user_uploads":this.playlistId=(new DL("UU","PLAYER_"+c)).toString();break;default:if(a= +b.playlist_length)this.playlistLength=Number(a)||0;this.playlistId=g.EL(c).toString();if(b=b.video)this.videoId=(b[0]||null).video_id||void 0}else b.playlist&&(this.playlistLength=b.playlist.toString().split(",").length)}}; +g.GL=function(a,b){this.j=a;this.Fr=this.author="";this.yB=null;this.isUpcoming=this.isLivePlayback=!1;this.lengthSeconds=0;this.zv=this.lengthText="";this.sessionData=null;this.Z={};this.title="";if(b){this.ariaLabel=b.aria_label||void 0;this.author=b.author||"";this.Fr=b.Fr||"";if(a=b.endscreen_autoplay_session_data)this.yB=oy(a,"&");this.zB=b.zB;this.isLivePlayback="1"===b.live_playback;this.isUpcoming=!!b.isUpcoming;if(a=b.length_seconds)this.lengthSeconds="string"===typeof a?Number(a):a;this.lengthText= +b.lengthText||"";this.zv=b.zv||"";this.publishedTimeText=b.publishedTimeText||void 0;if(a=b.session_data)this.sessionData=oy(a,"&");this.shortViewCount=b.short_view_count_text||void 0;this.Z=bL(b);this.title=b.title||"";this.videoId=b.docid||b.video_id||b.videoId||b.id||void 0;this.watchUrl=b.watchUrl||void 0}}; +wya=function(a){var b,c,d=null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:c.twoColumnWatchNextResults,e,f,h,l,m;a=null==(e=a.jd)?void 0:null==(f=e.playerOverlays)?void 0:null==(h=f.playerOverlayRenderer)?void 0:null==(l=h.endScreen)?void 0:null==(m=l.watchNextEndScreenRenderer)?void 0:m.results;if(!a){var n,p;a=null==d?void 0:null==(n=d.endScreen)?void 0:null==(p=n.endScreen)?void 0:p.results}return a}; +g.IL=function(a){var b,c,d;a=g.K(null==(b=a.jd)?void 0:null==(c=b.playerOverlays)?void 0:null==(d=c.playerOverlayRenderer)?void 0:d.decoratedPlayerBarRenderer,HL);return g.K(null==a?void 0:a.playerBar,xya)}; +yya=function(a){this.j=a.playback_progress_0s_url;this.B=a.playback_progress_2s_url;this.u=a.playback_progress_10s_url}; +Aya=function(a,b){var c=g.Ga("ytDebugData.callbacks");c||(c={},g.Fa("ytDebugData.callbacks",c));if(g.gy("web_dd_iu")||zya.includes(a))c[a]=b}; +JL=function(a){this.j=new oq(a)}; +Bya=function(){if(void 0===KL){try{window.localStorage.removeItem("yt-player-lv")}catch(b){}a:{try{var a=!!self.localStorage}catch(b){a=!1}if(a&&(a=g.yq(g.cA()+"::yt-player"))){KL=new JL(a);break a}KL=void 0}}return KL}; +g.LL=function(){var a=Bya();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; +g.Cya=function(a){var b=Bya();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; +g.ML=function(a){return g.LL()[a]||0}; +g.NL=function(a,b){var c=g.LL();b!==c[a]&&(0!==b?c[a]=b:delete c[a],g.Cya(c))}; +g.OL=function(a){return g.A(function(b){return b.return(g.kB(Dya(),a))})}; +QL=function(a,b,c,d,e,f,h,l){var m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:return m=g.ML(a),4===m?x.return(4):g.y(x,g.sB(),2);case 2:n=x.u;if(!n)throw g.DA("wiac");if(!l||void 0===h){x.Ka(3);break}return g.y(x,Eya(l,h),4);case 4:h=x.u;case 3:return p=c.lastModified||"0",g.y(x,g.OL(n),5);case 5:return q=x.u,g.pa(x,6),PL++,g.y(x,g.NA(q,["index","media"],{mode:"readwrite",tag:"IDB_TRANSACTION_TAG_WIAC",Ub:!0},function(z){if(void 0!==f&&void 0!==h){var B=""+a+"|"+b.id+"|"+p+"|"+String(f).padStart(10, +"0");B=g.OA(z.objectStore("media"),h,B)}else B=g.FA.resolve(void 0);var F=Fya(a,b.Xg()),G=Fya(a,!b.Xg()),D={fmts:Gya(d),format:c||{}};F=g.OA(z.objectStore("index"),D,F);var L=-1===d.downloadedEndTime;D=L?z.objectStore("index").get(G):g.FA.resolve(void 0);var P={fmts:"music",format:{}};z=L&&e&&!b.Xg()?g.OA(z.objectStore("index"),P,G):g.FA.resolve(void 0);return g.FA.all([z,D,B,F]).then(function(T){T=g.t(T);T.next();T=T.next().value;PL--;var fa=g.ML(a);if(4!==fa&&L&&e||void 0!==T&&g.Hya(T.fmts))fa= +1,g.NL(a,fa);return fa})}),8); +case 8:return x.return(x.u);case 6:r=g.sa(x);PL--;v=g.ML(a);if(4===v)return x.return(v);g.NL(a,4);throw r;}})}; +g.Iya=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){b=d.u;if(!b)throw g.DA("ri");return g.y(d,g.OL(b),3)}c=d.u;return d.return(g.NA(c,["index"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRI"},function(e){var f=IDBKeyRange.bound(a+"|",a+"~");return e.objectStore("index").getAll(f).then(function(h){return h.map(function(l){return l?l.format:{}})})}))})}; +Lya=function(a,b,c,d,e){var f,h,l;return g.A(function(m){if(1==m.j)return g.y(m,g.sB(),2);if(3!=m.j){f=m.u;if(!f)throw g.DA("rc");return g.y(m,g.OL(f),3)}h=m.u;l=g.NA(h,["media"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRM",Ub:Jya},function(n){var p=""+a+"|"+b+"|"+c+"|"+String(d).padStart(10,"0");return n.objectStore("media").get(p)}); +return e?m.return(l.then(function(n){if(void 0===n)throw Error("No data from indexDb");return Kya(e,n)}).catch(function(n){throw new g.bA("Error while reading chunk: "+n.name+", "+n.message); +})):m.return(l)})}; +g.Hya=function(a){return a?"music"===a?!0:a.includes("dlt=-1")||!a.includes("dlt="):!1}; +Fya=function(a,b){return""+a+"|"+(b?"v":"a")}; +Gya=function(a){var b={};return py((b.dlt=a.downloadedEndTime.toString(),b.mket=a.maxKnownEndTime.toString(),b.avbr=a.averageByteRate.toString(),b))}; +Nya=function(a){var b={},c={};a=g.t(a);for(var d=a.next();!d.done;d=a.next()){var e=d.value,f=e.split("|");e.match(g.Mya)?(d=Number(f.pop()),isNaN(d)?c[e]="?":(f=f.join("|"),(e=b[f])?(f=e[e.length-1],d===f.end+1?f.end=d:e.push({start:d,end:d})):b[f]=[{start:d,end:d}])):c[e]="?"}a=g.t(Object.keys(b));for(d=a.next();!d.done;d=a.next())d=d.value,c[d]=b[d].map(function(h){return h.start+"-"+h.end}).join(","); +return c}; +RL=function(a){g.dE.call(this);this.j=null;this.B=new Jla;this.j=null;this.I=new Set;this.crossOrigin=a||""}; +Oya=function(a,b,c){for(c=SL(a,c);0<=c;){var d=a.levels[c];if(d.isLoaded(TL(d,b))&&(d=g.UL(d,b)))return d;c--}return g.UL(a.levels[0],b)}; +Qya=function(a,b,c){c=SL(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=TL(d,b),!d.isLoaded(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),d.B.Ph(f,{mV:f,HV:e}))}Pya(a)}; +Pya=function(a){if(!a.j&&!a.B.Bf()){var b=a.B.remove();a.j=Rya(a,b)}}; +Rya=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.mV].Ze(b.HV);c.onload=function(){var d=b.mV,e=b.HV;null!==a.j&&(a.j.onload=null,a.j=null);d=a.levels[d];d.loaded.add(e);Pya(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.NE()-1);e=[e,d];a.ma("l",e[0],e[1])}; return c}; -g.mI=function(a,b,c,d){this.level=a;this.F=b;this.loaded=new Set;this.level=a;this.F=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.C=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.u=Math.floor(Number(a[5]));this.D=a[6];this.signature=a[7];this.videoLength=d}; -nI=function(a,b,c,d,e){d=void 0===d?!1:d;e=void 0===e?!1:e;iI.call(this,c);this.isLive=d;this.K=!!e;this.levels=this.B(a,b);this.D=new Map;1=b)return a.D.set(b,d),d;a.D.set(b,c-1);return c-1}; -pI=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.mI.call(this,a,b,c,0);this.B=null;this.I=d?3:0}; -qI=function(a,b,c,d){nI.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;ab&&(yB()||g.Q(d.experiments,"html5_format_hybridization"))&&(n.B.supportsChangeType=+yB(),n.I=b);2160<=b&&(n.Aa=!0);kC()&&(n.B.serveVp9OverAv1IfHigherRes= -0,n.Ub=!1);n.ax=m;m=g.hs||sr()&&!m?!1:!0;n.X=m;n.za=g.Q(d.experiments,"html5_format_hybridization");hr()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(n.D=!0,n.F=!0);a.mn&&(n.mn=a.mn);a.Nl&&(n.Nl=a.Nl);a.isLivePlayback&&(d=a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_dai"),m=!a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_non_dai"),n.P=d||m);return a.mq=n}; -Gla=function(a){a.Bh||a.ra&&KB(a.ra);var b={};a.ra&&(b=LC(BI(a),a.Sa.D,a.ra,function(c){return a.V("ctmp","fmtflt",c)})); -b=new yH(b,a.Sa.experiments,a.CH,Fla(a));g.D(a,b);a.Mq=!1;a.Pd=!0;Eia(b,function(c){for(var d=g.q(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Bh=a.Bh;e.At=a.At;e.zt=a.zt;break;case "widevine":e.Ap=a.Ap}a.Vo=c;if(0b)return!1}return!LI(a)||"ULTRALOW"!=a.latencyClass&&21530001!=MI(a)?window.AbortController?a.ba("html5_streaming_xhr")||a.ba("html5_streaming_xhr_manifestless")&&LI(a)?!0:!1:!1:!0}; -OI=function(a){return YA({hasSubfragmentedFmp4:a.hasSubfragmentedFmp4,Ui:a.Ui,defraggedFromSubfragments:a.defraggedFromSubfragments,isManifestless:LI(a),DA:NI(a)})}; -MI=function(a){return a.isLowLatencyLiveStream&&void 0!=a.ra&&5<=ZB(a.ra)?21530001:a.liveExperimentalContentId}; -PI=function(a){return hr()&&KI(a)?!1:!AC()||a.HC?!0:!1}; -Ila=function(a){a.Pd=!0;a.Xl=!1;if(!a.Og&&QI(a))Mfa(a.videoId).then(function(d){a:{var e=HI(a,a.adaptiveFormats);if(e)if(d=HI(a,d)){if(0l&&(l=n.Te().audio.u);2=a.La.videoInfos.length)&&(c=ix(a.La.videoInfos[0]),c!=("fairplay"==a.md.flavor)))for(d=g.q(a.Vo),e=d.next();!e.done;e=d.next())if(e=e.value,c==("fairplay"==e.flavor)){a.md=e;break}}; -VI=function(a,b){a.lk=b;UI(a,new JC(g.Oc(a.lk,function(c){return c.Te()})))}; -Mla=function(a){var b={cpn:a.clientPlaybackNonce,c:a.Sa.deviceParams.c,cver:a.Sa.deviceParams.cver};a.Ev&&(b.ptk=a.Ev,b.oid=a.zG,b.ptchn=a.yG,b.pltype=a.AG);return b}; -g.WI=function(a){return EI(a)&&a.Bh?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.Oa&&a.Oa.Ud||null}; -XI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.T(b.text):a.paidContentOverlayText}; -YI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?g.rd(b.durationMs):a.paidContentOverlayDurationMs}; -ZI=function(a){var b="";if(a.dz)return a.dz;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":"live");return b}; -g.$I=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; -aJ=function(a){return!!(a.Og||a.adaptiveFormats||a.xs||a.mp||a.hlsvp)}; -bJ=function(a){var b=g.jb(a.Of,"ypc");a.ypcPreview&&(b=!1);return a.isValid()&&!a.Pd&&(aJ(a)||g.jb(a.Of,"heartbeat")||b)}; -GI=function(a,b){var c=Yp(a),d={};if(b)for(var e=g.q(b.split(",")),f=e.next();!f.done;f=e.next())(f=f.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(d[f[1]]={width:f[2],height:f[3]});e=g.q(c);for(f=e.next();!f.done;f=e.next()){f=f.value;var h=d[f.itag];h&&(f.width=h.width,f.height=h.height)}return c}; -vI=function(a,b){a.showShareButton=!!b;if(b){var c=b.buttonRenderer&&b.buttonRenderer.navigationEndpoint;c&&(a.Xr=!!c.copyTextEndpoint)}}; -dJ=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.Qg=c);if(a.Qg){if(c=a.Qg.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.Qg.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;null!=d?(a.Gj=d,a.qc=!0):(a.Gj="",a.qc=!1);if(d=c.defaultThumbnail)a.li=bI(d);(d=c.videoDetails&& -c.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer)&&wI(a,b,d);if(d=c.videoDetails&&c.videoDetails.musicEmbeddedPlayerOverlayVideoDetailsRenderer)a.Ux=d.title,a.Tx=d.byline,d.musicVideoType&&(a.musicVideoType=d.musicVideoType);a.Ll=!!c.addToWatchLaterButton;vI(a,c.shareButton);c.playButton&&c.playButton.buttonRenderer&&c.playButton.buttonRenderer.navigationEndpoint&&(d=c.playButton.buttonRenderer.navigationEndpoint,d.watchEndpoint&&(d=d.watchEndpoint,d.watchEndpointSupportedOnesieConfig&&d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig&& -(a.Cv=new Sia(d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig))));c.videoDurationSeconds&&(a.lengthSeconds=g.rd(c.videoDurationSeconds));a.ba("web_player_include_innertube_commands")&&c.webPlayerActionsPorting&&hI(a,c.webPlayerActionsPorting);if(a.ba("embeds_wexit_list_ajax_migration")&&c.playlist&&c.playlist.playlistPanelRenderer){c=c.playlist.playlistPanelRenderer;d=[];var e=Number(c.currentIndex);if(c.contents)for(var f=0,h=c.contents.length;f(b?parseInt(b[1],10):NaN);c=a.Sa;c=("TVHTML5_CAST"===c.deviceParams.c||"TVHTML5"===c.deviceParams.c&&(c.deviceParams.cver.startsWith("6.20130725")||c.deviceParams.cver.startsWith("6.20130726")))&&"MUSIC"===a.Sa.deviceParams.ctheme; -var d;if(d=!a.tn)c||(c=a.Sa,c="TVHTML5"===c.deviceParams.c&&c.deviceParams.cver.startsWith("7")),d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.ba("cast_prefer_audio_only_for_atv_and_uploads")||a.ba("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.tn=!0);return!a.Sa.deviceHasDisplay||a.tn&&a.Sa.C}; -qJ=function(a){return pJ(a)&&!!a.adaptiveFormats}; -pJ=function(a){return!!(a.ba("hoffle_save")&&a.Vn&&a.Sa.C)}; -RI=function(a,b){if(a.Vn!=b&&(a.Vn=b)&&a.ra){var c=a.ra,d;for(d in c.u){var e=c.u[d];e.D=!1;e.u=null}}}; -QI=function(a){return!(!(a.ba("hoffle_load")&&a.adaptiveFormats&&cy(a.videoId))||a.Vn)}; -rJ=function(a){if(!a.ra||!a.Oa||!a.pd)return!1;var b=a.ra.u;return!!b[a.Oa.id]&&yw(b[a.Oa.id].B.u)&&!!b[a.pd.id]&&yw(b[a.pd.id].B.u)}; -cJ=function(a){return(a=a.fq)&&a.showError?a.showError:!1}; -CI=function(a){return a.ba("disable_rqs")?!1:FI(a,"html5_high_res_logging")}; -FI=function(a,b){return a.ba(b)?!0:(a.fflags||"").includes(b+"=true")}; -Pla=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; -tI=function(a,b){var c=b.video_masthead_ad_quartile_urls;c&&(a.Mv=c.quartile_0_url,a.Vz=c.quartile_25_url,a.Xz=c.quartile_50_url,a.Zz=c.quartile_75_url,a.Tz=c.quartile_100_url,a.Nv=c.quartile_0_urls,a.Wz=c.quartile_25_urls,a.Yz=c.quartile_50_urls,a.aA=c.quartile_75_urls,a.Uz=c.quartile_100_urls)}; -uJ=function(a){return a?AC()?!0:sJ&&5>tJ?!1:!0:!1}; -sI=function(a){var b={};a=g.q(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; -gI=function(a){if(a){if(rw(a))return a;a=tw(a);if(rw(a,!0))return a}return""}; -Qla=function(){this.url=null;this.height=this.width=0;this.adInfoRenderer=this.impressionTrackingUrls=this.clickTrackingUrls=null}; -vJ=function(){this.contentVideoId=null;this.macros={};this.imageCompanionAdRenderer=this.iframeCompanionRenderer=null}; -wJ=function(a){this.u=a}; -xJ=function(a){var b=a.u.getVideoData(1);a.u.xa("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})}; -Rla=function(a){var b=new wJ(a.J);return{nK:function(){return b}}}; -yJ=function(a,b){this.u=a;this.Ob=b||{};this.K=String(Math.floor(1E9*Math.random()));this.R={};this.P=0}; -Sla=function(a){switch(a){case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression";case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression"; -case "viewable_impression":return"adviewableimpression";default:return null}}; -zJ=function(){g.O.call(this);var a=this;this.u={};g.eg(this,function(){return Object.keys(a.u).forEach(function(b){return delete a.u[b]})})}; -BJ=function(){if(null===AJ){AJ=new zJ;ul.getInstance().u="b";var a=ul.getInstance(),b="h"==Yk(a)||"b"==Yk(a),c=!(Ch.getInstance(),!1);b&&c&&(a.F=!0,a.I=new ica)}return AJ}; -Tla=function(a,b,c){a.u[b]=c}; -Ula=function(a){this.C=a;this.B={};this.u=ag()?500:g.wD(a.T())?1E3:2500}; -Wla=function(a,b){if(!b.length)return null;var c=b.filter(function(d){if(!d.mimeType)return!1;d.mimeType in a.B||(a.B[d.mimeType]=a.C.canPlayType(d.mimeType));return a.B[d.mimeType]?!!d.mimeType&&"application/x-mpegurl"==d.mimeType.toLowerCase()||!!d.mimeType&&"application/dash+xml"==d.mimeType.toLowerCase()||"PROGRESSIVE"==d.delivery:!1}); -return Vla(a,c)}; -Vla=function(a,b){for(var c=null,d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.minBitrate,h=e.maxBitrate;f>a.u||ha.u||(!c||f>c.maxBitrate?c=e:c&&f==c.maxBitrate&&hc.maxBitrate&&(c=e));return c}; -CJ=function(a,b){this.u=a;this.F=b;this.B=b.length;this.adBreakLengthSeconds=b.reduce(function(e,f){return e+f},0); -for(var c=0,d=a+1;d=a.B}; -HJ=function(){yJ.apply(this,arguments)}; -IJ=function(){this.B=[];this.D=null;this.C=0}; -JJ=function(a,b){b&&a.B.push(b)}; -KJ=function(a){if(!a)return[];var b=[];a=g.q(a);for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.loggingUrls){c=g.q(c.loggingUrls);for(var d=c.next();!d.done;d=c.next())b.push({baseUrl:d.value.baseUrl})}return b}; -LJ=function(a){if(!a)return[];var b=[];a.forEach(function(c){c.command.loggingUrls.forEach(function(d){b.push({baseUrl:d.baseUrl,offsetMilliseconds:c.adVideoOffset.milliseconds})})}); +g.VL=function(a,b,c,d){this.level=a;this.D=b;this.loaded=new Set;this.level=a;this.D=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.frameCount=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.j=Math.floor(Number(a[5]));this.B=a[6];this.C=a[7];this.videoLength=d}; +TL=function(a,b){return Math.floor(b/(a.columns*a.rows))}; +g.UL=function(a,b){b>=a.BJ()&&a.ix();var c=TL(a,b),d=a.columns*a.rows,e=b%d;b=e%a.columns;e=Math.floor(e/a.columns);var f=a.ix()+1-d*c;if(f=b)return a.C.set(b,d),d;a.C.set(b,c-1);return c-1}; +XL=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.VL.call(this,a,b,c,0);this.u=null;this.I=d?2:0}; +YL=function(a,b,c,d){WL.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;adM?!1:!0,a.isLivePlayback=!0;else if(bc.isLive){qn.livestream="1";a.allowLiveDvr=bc.isLiveDvrEnabled?uJ()?!0:dz&&5>dM?!1:!0:!1;a.Ga=27;bc.isLowLatencyLiveStream&&(a.isLowLatencyLiveStream=!0);var Bw=bc.latencyClass;Bw&&(a.latencyClass= +fza[Bw]||"UNKNOWN");var Ml=bc.liveChunkReadahead;Ml&&(a.liveChunkReadahead=Ml);var Di=pn&&pn.livePlayerConfig;if(Di){Di.hasSubfragmentedFmp4&&(a.hasSubfragmentedFmp4=!0);Di.hasSubfragmentedWebm&&(a.Oo=!0);Di.defraggedFromSubfragments&&(a.defraggedFromSubfragments=!0);var Ko=Di.liveExperimentalContentId;Ko&&(a.liveExperimentalContentId=Number(Ko));var Nk=Di.isLiveHeadPlayable;a.K("html5_live_head_playable")&&null!=Nk&&(a.isLiveHeadPlayable=Nk)}Jo=!0}else bc.isUpcoming&&(Jo=!0);Jo&&(a.isLivePlayback= +!0,qn.adformat&&"8"!==qn.adformat.split("_")[1]||a.Ja.push("heartbeat"),a.Uo=!0)}var Lo=bc.isPrivate;void 0!==Lo&&(a.isPrivate=jz(a.isPrivate,Lo))}if(la){var Mo=bc||null,mt=!1,Nl=la.errorScreen;mt=Nl&&(Nl.playerLegacyDesktopYpcOfferRenderer||Nl.playerLegacyDesktopYpcTrailerRenderer||Nl.ypcTrailerRenderer)?!0:Mo&&Mo.isUpcoming?!0:["OK","LIVE_STREAM_OFFLINE","FULLSCREEN_ONLY"].includes(la.status);if(!mt){a.errorCode=Uxa(la.errorCode)||"auth";var No=Nl&&Nl.playerErrorMessageRenderer;if(No){a.playerErrorMessageRenderer= +No;var nt=No.reason;nt&&(a.errorReason=g.gE(nt));var Kq=No.subreason;Kq&&(a.Gm=g.gE(Kq),a.qx=Kq)}else a.errorReason=la.reason||null;var Ba=la.status;if("LOGIN_REQUIRED"===Ba)a.errorDetail="1";else if("CONTENT_CHECK_REQUIRED"===Ba)a.errorDetail="2";else if("AGE_CHECK_REQUIRED"===Ba){var Ei=la.errorScreen,Oo=Ei&&Ei.playerKavRenderer;a.errorDetail=Oo&&Oo.kavUrl?"4":"3"}else a.errorDetail=la.isBlockedInRestrictedMode?"5":"0"}}var Po=a.playerResponse.interstitialPods;Po&&iya(a,Po);a.Xa&&a.eventId&&(a.Xa= +uy(a.Xa,{ei:a.eventId}));var SA=a.playerResponse.captions;SA&&SA.playerCaptionsTracklistRenderer&&fya(a,SA.playerCaptionsTracklistRenderer);a.clipConfig=a.playerResponse.clipConfig;a.clipConfig&&null!=a.clipConfig.startTimeMs&&(a.TM=.001*Number(a.clipConfig.startTimeMs));a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting&&kya(a,a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting)}Wya(a, +b);b.queue_info&&(a.queueInfo=b.queue_info);var OH=b.hlsdvr;null!=OH&&(a.allowLiveDvr="1"==OH?uJ()?!0:dz&&5>dM?!1:!0:!1);a.adQueryId=b.ad_query_id||null;a.Lw||(a.Lw=b.encoded_ad_safety_reason||null);a.MR=b.agcid||null;a.iQ=b.ad_id||null;a.mQ=b.ad_sys||null;a.MJ=b.encoded_ad_playback_context||null;a.Xk=jz(a.Xk,b.infringe||b.muted);a.XR=b.authkey;a.authUser=b.authuser;a.mutedAutoplay=jz(a.mutedAutoplay,b&&b.playmuted)&&a.K("embeds_enable_muted_autoplay");var Qo=b.length_seconds;Qo&&(a.lengthSeconds= +"string"===typeof Qo?Se(Qo):Qo);var TA=!a.isAd()&&!a.bl&&g.qz(g.wK(a.B));if(TA){var ot=a.lengthSeconds;switch(g.wK(a.B)){case "EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT":30ot&&10c&&(tI()||d.K("html5_format_hybridization"))&&(q.u.supportsChangeType=+tI(),q.C=c);2160<=c&&(q.Ja=!0);rwa()&&(q.u.serveVp9OverAv1IfHigherRes= +0,q.Wc=!1);q.tK=m;q.fb=g.oB||hz()&&!m?!1:!0;q.oa=d.K("html5_format_hybridization");q.jc=d.K("html5_disable_encrypted_vp9_live_non_2k_4k");Zy()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(q.J=!0,q.T=!0);a.fb&&a.isAd()&&(a.sA&&(q.ya=a.sA),a.rA&&(q.I=a.rA));q.Ya=a.isLivePlayback&&a.Pl()&&a.B.K("html5_drm_live_audio_51");q.Tb=a.WI;return a.jm=q}; +yza=function(a){eF("drm_pb_s",void 0,a.Qa);a.Ya||a.j&&tF(a.j);var b={};a.j&&(b=Nta(a.Tw,vM(a),a.B.D,a.j,function(c){return a.ma("ctmp","fmtflt",c)},!0)); +b=new nJ(b,a.B,a.PR,xza(a),function(c,d){a.xa(c,d)}); +g.E(a,b);a.Rn=!1;a.La=!0;Fwa(b,function(c){eF("drm_pb_f",void 0,a.Qa);for(var d=g.t(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Ya=a.Ya;e.ox=a.ox;e.nx=a.nx;break;case "widevine":e.rl=a.rl}a.Un=c;if(0p&&(p=v.rh().audio.numChannels)}2=a.C.videoInfos.length)&&(b=LH(a.C.videoInfos[0]),b!=("fairplay"==a.J.flavor)))for(c=g.t(a.Un),d=c.next();!d.done;d=c.next())if(d=d.value,b==("fairplay"==d.flavor)){a.J=d;break}}; +zM=function(a,b){a.Nd=b;Iza(a,new oF(g.Yl(a.Nd,function(c){return c.rh()})))}; +Jza=function(a){var b={cpn:a.clientPlaybackNonce,c:a.B.j.c,cver:a.B.j.cver};a.xx&&(b.ptk=a.xx,b.oid=a.KX,b.ptchn=a.xX,b.pltype=a.fY,a.lx&&(b.m=a.lx));return b}; +g.AM=function(a){return eM(a)&&a.Ya?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.u&&a.u.Pd||null}; +Kza=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.gE(b.text):a.paidContentOverlayText}; +BM=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?Se(b.durationMs):a.paidContentOverlayDurationMs}; +CM=function(a){var b="";if(a.eK)return a.eK;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":a.isPremiere?"lp":a.rd?"window":"live");a.Se&&(b="post");return b}; +g.DM=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; +Lza=function(a){return!!a.Ui||!!a.cN||!!a.zx||!!a.Ax||a.nS||a.ea.focEnabled||a.ea.rmktEnabled}; +EM=function(a){return!!(a.tb||a.Jf||a.ol||a.hlsvp||a.Yu())}; +aM=function(a){if(a.K("html5_onesie")&&a.errorCode)return!1;var b=g.rb(a.Ja,"ypc");a.ypcPreview&&(b=!1);return a.De()&&!a.La&&(EM(a)||g.rb(a.Ja,"heartbeat")||b)}; +gM=function(a,b){a=ry(a);var c={};if(b){b=g.t(b.split(","));for(var d=b.next();!d.done;d=b.next())(d=d.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(c[d[1]]={width:d[2],height:d[3]})}b=g.t(a);for(d=b.next();!d.done;d=b.next()){d=d.value;var e=c[d.itag];e&&(d.width=e.width,d.height=e.height)}return a}; +pza=function(a,b){a.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")||(a.showShareButton=!!b);var c,d,e=(null==(c=g.K(b,g.mM))?void 0:c.navigationEndpoint)||(null==(d=g.K(b,g.mM))?void 0:d.command);e&&(a.ao=!!g.K(e,Mza))}; +Vya=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.kf=c);if(a.kf){a.embeddedPlayerConfig=a.kf.embeddedPlayerConfig||null;if(c=a.kf.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.kf.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")|| +(null!=d?(a.Wc=d,a.D=!0):(a.Wc="",a.D=!1));if(d=c.defaultThumbnail)a.Z=cL(d),a.sampledThumbnailColor=d.sampledThumbnailColor;(d=g.K(null==c?void 0:c.videoDetails,Nza))&&tza(a,b,d);d=g.K(null==c?void 0:c.videoDetails,g.Oza);a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")||(a.Qk=!!c.addToWatchLaterButton);pza(a,c.shareButton);if(null==d?0:d.musicVideoType)a.musicVideoType=d.musicVideoType;var e,f,h,l,m;if(d=g.K(null==(e=a.kf)?void 0:null==(f=e.embedPreview)?void 0:null==(h= +f.thumbnailPreviewRenderer)?void 0:null==(l=h.playButton)?void 0:null==(m=l.buttonRenderer)?void 0:m.navigationEndpoint,g.oM))Wxa(a,d),a.videoId=d.videoId||a.videoId;c.videoDurationSeconds&&(a.lengthSeconds=Se(c.videoDurationSeconds));c.webPlayerActionsPorting&&kya(a,c.webPlayerActionsPorting);if(e=g.K(null==c?void 0:c.playlist,Pza)){a.bl=!0;f=[];h=Number(e.currentIndex);if(e.contents)for(l=0,m=e.contents.length;l(b?parseInt(b[1],10):NaN);c=a.B;c=("TVHTML5_CAST"===g.rJ(c)||"TVHTML5"===g.rJ(c)&&(c.j.cver.startsWith("6.20130725")||c.j.cver.startsWith("6.20130726")))&&"MUSIC"===a.B.j.ctheme;var d;if(d=!a.hj)c||(c=a.B,c="TVHTML5"===g.rJ(c)&&c.j.cver.startsWith("7")), +d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.K("cast_prefer_audio_only_for_atv_and_uploads")||a.K("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.hj=!0);return a.B.deviceIsAudioOnly||a.hj&&a.B.I}; +Yza=function(a){return isNaN(a)?0:Math.max((Date.now()-a)/1E3-30,0)}; +WM=function(a){return!(!a.xm||!a.B.I)&&a.Yu()}; +Zza=function(a){return a.enablePreroll&&a.enableServerStitchedDai}; +XM=function(a){if(a.mS||a.cotn||!a.j||a.j.isOtf)return!1;if(a.K("html5_use_sabr_requests_for_debugging"))return!0;var b=!a.j.fd&&!a.Pl(),c=b&&xM&&a.K("html5_enable_sabr_vod_streaming_xhr");b=b&&!xM&&a.K("html5_enable_sabr_vod_non_streaming_xhr");(c=c||b)&&!a.Cx&&a.xa("sabr",{loc:"m"});return c&&!!a.Cx}; +YM=function(a){return a.lS&&XM(a)}; +hza=function(a){var b;if(b=!!a.cotn)b=a.videoId,b=!!b&&1===g.ML(b);return b&&!a.xm}; +g.ZM=function(a){if(!a.j||!a.u||!a.I)return!1;var b=a.j.j;return!!b[a.u.id]&&GF(b[a.u.id].u.j)&&!!b[a.I.id]&&GF(b[a.I.id].u.j)}; +$M=function(a){return a.yx?["OK","LIVE_STREAM_OFFLINE"].includes(a.yx.status):!0}; +Qza=function(a){return(a=a.ym)&&a.showError?a.showError:!1}; +fM=function(a,b){return a.K(b)?!0:(a.fflags||"").includes(b+"=true")}; +$za=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; +$ya=function(a,b){b.inlineMetricEnabled&&(a.inlineMetricEnabled=!0);b.playback_progress_0s_url&&(a.Ax=new yya(b));if(b=b.video_masthead_ad_quartile_urls)a.cN=b.quartile_0_url,a.bZ=b.quartile_25_url,a.cZ=b.quartile_50_url,a.oQ=b.quartile_75_url,a.aZ=b.quartile_100_url,a.zx=b.quartile_0_urls,a.yN=b.quartile_25_urls,a.vO=b.quartile_50_urls,a.FO=b.quartile_75_urls,a.jN=b.quartile_100_urls}; +Zya=function(a){var b={};a=g.t(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; +eya=function(a){if(a){if(Lsa(a))return a;a=Msa(a);if(Lsa(a,!0))return a}return""}; +g.aAa=function(a){return a.captionsLanguagePreference||a.B.captionsLanguagePreference||g.DM(a,"yt:cc_default_lang")||a.B.Si}; +aN=function(a){return!(!a.isLivePlayback||!a.hasProgressBarBoundaries())}; +g.qM=function(a){var b;return a.Ow||(null==(b=a.suggestions)?void 0:b[0])||null}; +bN=function(a,b){this.j=a;this.oa=b||{};this.J=String(Math.floor(1E9*Math.random()));this.I={};this.Z=this.ea=0}; +bAa=function(a){return cN(a)&&1==a.getPlayerState(2)}; +cN=function(a){a=a.Rc();return void 0!==a&&2==a.getPlayerType()}; +dN=function(a){a=a.V();return sK(a)&&!g.FK(a)&&"desktop-polymer"==a.playerStyle}; +eN=function(a,b){var c=a.V();g.kK(c)||"3"!=c.controlsType||a.jb().SD(b)}; +gN=function(a,b,c,d,e,f){c=void 0===c?{}:c;this.componentType=a;this.renderer=void 0===b?null:b;this.macros=c;this.layoutId=d;this.interactionLoggingClientData=e;this.j=f;this.id=fN(a)}; +fN=function(a){return a+(":"+(Nq.getInstance().j++).toString(36))}; +hN=function(a){this.Y=a}; +cAa=function(a,b){if(0===b||1===b&&(a.Y.u&&g.BA?0:a.Y.u||g.FK(a.Y)||g.tK(a.Y)||uK(a.Y)||!g.BA))return!0;a=g.kf("video-ads");return null!=a&&"none"!==Km(a,"display")}; +dAa=function(a){switch(a){case "audio_audible":return"adaudioaudible";case "audio_measurable":return"adaudiomeasurable";case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression"; +case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression";case "viewable_impression":return"adviewableimpression";default:return null}}; +iN=function(){g.dE.call(this);var a=this;this.j={};g.bb(this,function(){for(var b=g.t(Object.keys(a.j)),c=b.next();!c.done;c=b.next())delete a.j[c.value]})}; +kN=function(){if(null===jN){jN=new iN;am(tp).u="b";var a=am(tp),b="h"==mp(a)||"b"==mp(a),c=!(fm(),!1);b&&c&&(a.D=!0,a.I=new Kja)}return jN}; +eAa=function(a,b,c){a.j[b]=c}; +fAa=function(){}; +lN=function(a,b,c){this.j=a;this.D=b;this.B=c;this.u=b.length;this.adBreakLengthSeconds=b.reduce(function(d,e){return d+e},0); +c=0;for(a+=1;a=c*a.D.mB||d)&&pK(a,"first_quartile");(b>=c*a.D.AB||d)&&pK(a,"midpoint");(b>=c*a.D.CB||d)&&pK(a,"third_quartile")}; -tK=function(a,b,c,d){if(null==a.F){if(cd||d>c)return;pK(a,b)}; -mK=function(a,b,c){if(0l.D&&l.Ye()}}; -lL=function(a){if(a.I&&a.R){a.R=!1;a=g.q(a.I.listeners);for(var b=a.next();!b.done;b=a.next()){var c=b.value;if(c.u){b=c.u;c.u=void 0;c.B=void 0;c=c.C();kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.df(b)}else S("Received AdNotify terminated event when no slot is active")}}}; -mL=function(a,b){BK.call(this,"ads-engagement-panel",a,b)}; -nL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e)}; -oL=function(a,b,c,d){BK.call(this,"invideo-overlay",a,b,c,d);this.u=d}; -pL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -qL=function(a,b){BK.call(this,"persisting-overlay",a,b)}; -rL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -sL=function(){BK.call(this,"ad-attribution-bar");this.adPodPositionInfoString=null;this.adPodPosition=0;this.adPodLength=1;this.adBreakLengthSeconds=0;this.adBadgeText=null;this.adBreakRemainingLengthSeconds=0;this.adBreakEndSeconds=null;this.adVideoId=""}; -g.tL=function(a,b){for(var c={},d=g.q(Object.keys(b)),e=d.next();!e.done;c={Ow:c.Ow},e=d.next())e=e.value,c.Ow=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.Ow}}(c)); +dBa=function(a,b,c){b.CPN=AN(function(){var d;(d=a.getVideoData(1))?d=d.clientPlaybackNonce:(g.DD(Error("Video data is null.")),d=null);return d}); +b.AD_MT=AN(function(){return Math.round(Math.max(0,1E3*(null!=c?c:a.getCurrentTime(2,!1)))).toString()}); +b.MT=AN(function(){return Math.round(Math.max(0,1E3*a.getCurrentTime(1,!1))).toString()}); +b.P_H=AN(function(){return a.jb().Ij().height.toString()}); +b.P_W=AN(function(){return a.jb().Ij().width.toString()}); +b.PV_H=AN(function(){return a.jb().getVideoContentRect().height.toString()}); +b.PV_W=AN(function(){return a.jb().getVideoContentRect().width.toString()})}; +fBa=function(a){a.CONN=AN(Ld("0"));a.WT=AN(function(){return Date.now().toString()})}; +DBa=function(a){var b=Object.assign({},{});b.MIDROLL_POS=zN(a)?AN(Ld(Math.round(a.j.start/1E3).toString())):AN(Ld("0"));return b}; +EBa=function(a){var b={};b.SLOT_POS=AN(Ld(a.B.j.toString()));return b}; +FBa=function(a){var b=a&&g.Vb(a,"load_timeout")?"402":"400",c={};return c.YT_ERROR_CODE=(3).toString(),c.ERRORCODE=b,c.ERROR_MSG=a,c}; +CN=function(a){for(var b={},c=g.t(GBa),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d];e&&(b[d]=e.toString())}return b}; +DN=function(){var a={};Object.assign.apply(Object,[a].concat(g.u(g.ya.apply(0,arguments))));return a}; +EN=function(){}; +HBa=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x;g.A(function(z){switch(z.j){case 1:e=!!b.scrubReferrer;f=g.xp(b.baseUrl,CBa(c,e,d));h={};if(!b.headers){z.Ka(2);break}l=g.t(b.headers);m=l.next();case 3:if(m.done){z.Ka(5);break}n=m.value;switch(n.headerType){case "VISITOR_ID":g.ey("VISITOR_DATA")&&(h["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));break;case "EOM_VISITOR_ID":g.ey("EOM_VISITOR_DATA")&&(h["X-Goog-EOM-Visitor-Id"]=g.ey("EOM_VISITOR_DATA"));break;case "USER_AUTH":return z.Ka(6);case "PLUS_PAGE_ID":(p= +a.B())&&(h["X-Goog-PageId"]=p);break;case "AUTH_USER":q=a.u();a.K("move_vss_away_from_login_info_cookie")&&q&&(h["X-Goog-AuthUser"]=q,h["X-Yt-Auth-Test"]="test");break;case "ATTRIBUTION_REPORTING_ELIGIBLE":h["Attribution-Reporting-Eligible"]="event-source"}z.Ka(4);break;case 6:r=a.j();if(!r.j){v=r.getValue();z.Ka(8);break}return g.y(z,r.j,9);case 9:v=z.u;case 8:(x=v)&&(h.Authorization="Bearer "+x);z.Ka(4);break;case 4:m=l.next();z.Ka(3);break;case 5:"X-Goog-EOM-Visitor-Id"in h&&"X-Goog-Visitor-Id"in +h&&delete h["X-Goog-Visitor-Id"];case 2:g.ZB(f,void 0,e,0!==Object.keys(h).length?h:void 0,"",!0),g.oa(z)}})}; +FN=function(a){this.Dl=a}; +JBa=function(a,b){var c=void 0===c?!0:c;var d=g.ey("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.Ui(window.location.href);e&&d.push(e);e=g.Ui(a);if(g.rb(d,e)||!e&&Rb(a,"/"))if(g.gy("autoescape_tempdata_url")&&(d=document.createElement("a"),g.xe(d,a),a=d.href),a&&(a=tfa(a),d=a.indexOf("#"),a=0>d?a:a.slice(0,d)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.FE()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c*a.j.YI||d)&&MN(a,"first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"midpoint");(b>=c*a.j.aK||d)&&MN(a,"third_quartile")}; +QBa=function(a,b,c,d){d=void 0===d?!1:d;(b>=c*a.j.YI||d)&&MN(a,"unmuted_first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"unmuted_midpoint");(b>=c*a.j.aK||d)&&MN(a,"unmuted_third_quartile")}; +QN=function(a,b,c,d){if(null==a.B){if(cd||d>c)return;MN(a,b)}; +NBa=function(a,b,c){if(0m.D&&m.Ei()}}; +ZBa=function(a,b){if(a.I&&a.ea){a.ea=!1;var c=a.u.j;if(gO(c)){var d=c.slot;c=c.layout;b=XBa(b);a=g.t(a.I.listeners);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=d,h=c,l=b;jO(e.j(),f,h,l);YBa(e.j(),f)}}else g.DD(Error("adMessageRenderer is not augmented on termination"))}}; +XBa=function(a){switch(a){case "adabandonedreset":return"user_cancelled";case "adended":return"normal";case "aderror":return"error";case void 0:return g.DD(Error("AdNotify abandoned")),"abandoned";default:return g.DD(Error("Unexpected eventType for adNotify exit")),"abandoned"}}; +g.kO=function(a,b,c){void 0===c?delete a[b.name]:a[b.name]=c}; +g.lO=function(a,b){for(var c={},d=g.t(Object.keys(b)),e=d.next();!e.done;c={II:c.II},e=d.next())e=e.value,c.II=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.II}}(c)); +return a}; +mO=function(a,b,c,d){this.j=a;this.C=b;this.u=BN(c);this.B=d}; +$Ba=function(a){for(var b={},c=g.t(Object.keys(a.u)),d=c.next();!d.done;d=c.next())d=d.value,b[d]=a.u[d].toString();return Object.assign(b,a.C)}; +aCa=function(a,b,c,d){new mO(a,b,c,d)}; +nO=function(a,b,c,d,e,f,h,l,m){ZN.call(this,a,b,c,d,e,1);var n=this;this.tG=!0;this.I=m;this.u=b;this.C=f;this.ea=new Jz(this);g.E(this,this.ea);this.D=new g.Ip(function(){n.Lo("load_timeout")},1E4); +g.E(this,this.D);this.T=h}; +bCa=function(a){if(a.T&&(a.F.V().experiments.ob("enable_topsoil_wta_for_halftime")||a.F.V().experiments.ob("enable_topsoil_wta_for_halftime_live_infra"))){var b=a.u.B,c=b.C,d=b.B,e=b.j;b=b.D;if(void 0===c)g.CD(Error("Expected ad break start time when a DAI ad starts"));else if(void 0===d)g.CD(Error("Expected ad break end time when a DAI ad starts"));else return e=b.slice(0,e).reduce(function(f,h){return f+h},0),Math.min(Math.max((d-c)/1E3-e,0),a.u.u)}}; +qO=function(a,b){if(null!==a.I){var c=cCa(a);a=g.t(a.I.listeners);for(var d=a.next();!d.done;d=a.next()){d=d.value;var e=c;var f=b,h=!1;d.j||"aderror"!==f||(dCa(d,e,[],!1),eCa(d.B(),d.u),fCa(d.B(),d.u),gCa(d.B(),d.u),h=!0);if(d.j&&d.j.layoutId===e){switch(f){case "adabandoned":e="abandoned";break;case "aderror":e="error";break;default:e="normal"}jO(d.B(),d.u,d.j,e);if(h){e=d.B();h=d.u;oO(e.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",h);e=g.t(e.Fd);for(f=e.next();!f.done;f=e.next())f.value.Rj(h);YBa(d.B(), +d.u)}d.Ca.get().F.V().K("html5_send_layout_unscheduled_signal_for_externally_managed")&&d.C&&pO(d.B(),d.u,d.j);d.u=null;d.j=null;d.C=!1}}}}; +rO=function(a){return(a=a.F.getVideoData(2))?a.clientPlaybackNonce:""}; +cCa=function(a){if(a=a.u.j.elementId)return a;g.CD(Error("No elementId on VideoAd InstreamVideoAdRenderer"));return""}; +hCa=function(a){function b(h,l){h=a.j8;var m=Object.assign({},{});m.FINAL=AN(Ld("1"));m.SLOT_POS=AN(Ld("0"));return DN(h,CN(m),l)} +function c(h){return null==h?{create:function(){return null}}:{create:function(l,m,n){var p=b(l,m); +m=a.PP(l,p);l=h(l,p,m,n);g.E(l,m);return l}}} +var d=c(function(h,l,m){return new bO(a.F,h,l,m,a.DB,a.xe)}),e=c(function(h,l,m){return new iO(a.F,h,l,m,a.DB,a.xe,a.Tm,a.zq)}),f=c(function(h,l,m){return new eO(a.F,h,l,m,a.DB,a.xe)}); +this.F1=new VBa({create:function(h,l){var m=DN(b(h,l),CN(EBa(h)));l=a.PP(h,m);h=new nO(a.F,h,m,l,a.DB,a.xe,a.daiEnabled,function(){return new aCa(a.xe,m,a.F,a.Wl)},a.Aq,a.Di); +g.E(h,l);return h}},d,e,f)}; +sO=function(a,b){this.u=a;this.j={};this.B=void 0===b?!1:b}; +iCa=function(a,b){var c=a.startSecs+a.Sg;c=0>=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}b=Math.max(a.startSecs,0);return{B2:new iq(b,c),j4:new PD(b,c-b,a.context,a.identifier,a.event,a.j)}}; +tO=function(){this.j=[]}; +uO=function(a,b,c){var d=g.Jb(a.j,b);if(0<=d)return b;b=-d-1;return b>=a.j.length||a.j[b]>c?null:a.j[b]}; +jCa=function(){this.j=new tO}; +vO=function(a){this.j=a}; +kCa=function(a){a=[a,a.C].filter(function(d){return!!d}); +for(var b=g.t(a),c=b.next();!c.done;c=b.next())c.value.u=!0;return a}; +lCa=function(a,b,c){this.B=a;this.u=b;this.j=c;a.getCurrentTime()}; +mCa=function(a,b,c){a.j&&wO({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; +nCa=function(a,b){a.j&&wO({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.T1}})}; +oCa=function(a,b){wO({daiStateTrigger:{errorType:a,contentCpn:b}})}; +wO=function(a){g.rA("adsClientStateChange",a)}; +xO=function(a){this.F=a;this.adVideoId=this.j=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.u=this.cg=!1;this.adFormat=null;this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="VIDEO_STREAM_TYPE_VOD"}; +qCa=function(a,b,c,d,e,f){f();var h=a.F.getVideoData(1),l=a.F.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId,a.j=h.T);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=d?f():(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=e?"VIDEO_STREAM_TYPE_LIVE":"VIDEO_STREAM_TYPE_VOD","unknown_type"!==a.actionType&&(a.cg=!0,aF("_start",a.actionType)&&pCa(a)))}; +rCa=function(a,b){a=g.t(b);for(b=a.next();!b.done;b=a.next())if((b=b.value.renderer)&&(b.instreamVideoAdRenderer||b.linearAdSequenceRenderer||b.sandwichedLinearAdRenderer||b.instreamSurveyAdRenderer)){eF("ad_i");bF({isMonetized:!0});break}}; +pCa=function(a){if(a.cg)if(a.F.K("html5_no_video_to_ad_on_preroll_reset")&&"AD_PLACEMENT_KIND_START"===a.B&&"video_to_ad"===a.actionType)$E("video_to_ad");else if(a.F.K("web_csi_via_jspb")){var b=new Bx;b=H(b,8,2);var c=new Dx;c=H(c,21,sCa(a.B));c=H(c,7,4);b=I(c,Bx,22,b);b=H(b,53,a.videoStreamType);"ad_to_video"===a.actionType?(a.contentCpn&&H(b,76,a.contentCpn),a.videoId&&H(b,78,a.videoId)):(a.adCpn&&H(b,76,a.adCpn),a.adVideoId&&H(b,78,a.adVideoId));a.adFormat&&H(b,12,a.adFormat);a.contentCpn&&H(b, +8,a.contentCpn);a.videoId&&b.setVideoId(a.videoId);a.adCpn&&H(b,28,a.adCpn);a.adVideoId&&H(b,20,a.adVideoId);g.my(VE)(b,a.actionType)}else b={adBreakType:tCa(a.B),playerType:"LATENCY_PLAYER_HTML5",playerInfo:{preloadType:"LATENCY_PLAYER_PRELOAD_TYPE_PREBUFFER"},videoStreamType:a.videoStreamType},"ad_to_video"===a.actionType?(a.contentCpn&&(b.targetCpn=a.contentCpn),a.videoId&&(b.targetVideoId=a.videoId)):(a.adCpn&&(b.targetCpn=a.adCpn),a.adVideoId&&(b.targetVideoId=a.adVideoId)),a.adFormat&&(b.adType= +a.adFormat),a.contentCpn&&(b.clientPlaybackNonce=a.contentCpn),a.videoId&&(b.videoId=a.videoId),a.adCpn&&(b.adClientPlaybackNonce=a.adCpn),a.adVideoId&&(b.adVideoId=a.adVideoId),bF(b,a.actionType)}; +tCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"LATENCY_AD_BREAK_TYPE_PREROLL";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"LATENCY_AD_BREAK_TYPE_MIDROLL";case "AD_PLACEMENT_KIND_END":return"LATENCY_AD_BREAK_TYPE_POSTROLL";default:return"LATENCY_AD_BREAK_TYPE_UNKNOWN"}}; +sCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return 1;case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return 2;case "AD_PLACEMENT_KIND_END":return 3;default:return 0}}; +g.vCa=function(a){return(a=uCa[a.toString()])?a:"LICENSE"}; +g.zO=function(a){g.yO?a=a.keyCode:(a=a||window.event,a=a.keyCode?a.keyCode:a.which);return a}; +AO=function(a){if(g.yO)a=new g.Fe(a.pageX,a.pageY);else{a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));a=new g.Fe(b,c)}return a}; +g.BO=function(a){return g.yO?a.target:Ioa(a)}; +CO=function(a){if(g.yO)var b=a.composedPath()[0];else a=a||window.event,a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path,b=b&&b.length?b[0]:Ioa(a);return b}; +g.DO=function(a){g.yO?a=a.defaultPrevented:(a=a||window.event,a=!1===a.returnValue||a.UU&&a.UU());return a}; +wCa=function(a,b){if(g.yO){var c=function(){var d=g.ya.apply(0,arguments);a.removeEventListener("playing",c);b.apply(null,g.u(d))}; +a.addEventListener("playing",c)}else g.Loa(a,"playing",b)}; +g.EO=function(a){g.yO?a.preventDefault():Joa(a)}; +FO=function(){g.C.call(this);this.xM=!1;this.B=null;this.T=this.J=!1;this.D=new g.Fd;this.va=null;g.E(this,this.D)}; +GO=function(a){a=a.dC();return 1>a.length?NaN:a.end(a.length-1)}; +xCa=function(a){!a.u&&Dva()&&(a.C?a.C.then(function(){return xCa(a)}):a.Qf()||(a.u=a.zs()))}; +yCa=function(a){a.u&&(a.u.dispose(),a.u=void 0)}; +yI=function(a,b,c){var d;(null==(d=a.va)?0:d.Rd())&&a.va.xa("rms",b,void 0===c?!1:c)}; +zCa=function(a,b,c){a.Ip()||a.getCurrentTime()>b||10d.length||(d[0]in tDa&&(f.clientName=tDa[d[0]]),d[1]in uDa&&(f.platform=uDa[d[1]]),f.applicationState=h,f.clientVersion=2=d.B&&(d.u=d.B,d.Za.stop());e=d.u/1E3;d.F&&d.F.sc(e);GL(d,{current:e,duration:d.B/1E3})}); -g.D(this,this.Za);this.u=0;this.C=null;g.eg(this,function(){d.C=null}); -this.D=0}; -GL=function(a,b){a.I.xa("onAdPlaybackProgress",b);a.C=b}; -IL=function(a){BK.call(this,"survey",a)}; -JL=function(a,b,c,d,e,f,h){HK.call(this,a,b,c,d,e,1);var l=this;this.D=b;this.C=new rt;g.D(this,this.C);this.C.N(this.J,"resize",function(){450>g.cG(l.J).getPlayerSize().width&&(g.ut(l.C),l.oe())}); -this.K=0;this.I=h(this,function(){return""+(Date.now()-l.K)}); -if(this.u=g.wD(a.T())?new HL(1E3*b.B,a,f):null)g.D(this,this.u),this.C.N(a,"onAdPlaybackProgress",function(m){m.current===m.duration&&(m=l.D.u,(m=m.questions&&m.questions[0])?(m=(m=m.instreamSurveyAdMultiSelectQuestionRenderer||m.instreamSurveyAdSingleSelectQuestionRenderer)&&m.surveyAdQuestionCommon,zL(l.I.u,m&&m.timeoutCommands)):g.Hs(Error("Expected a survey question in InstreamSurveyAdRenderer.")))})}; -KL=function(a,b){BK.call(this,"survey-interstitial",a,b)}; -LL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e,1);this.u=b}; -ML=function(a){BK.call(this,"ad-text-interstitial",a)}; -NL=function(a,b,c,d,e,f){HK.call(this,a,b,c,d,e);this.C=b;this.u=b.u.durationMilliseconds||0;this.Za=null;this.D=f}; -OL=function(a,b){var c=void 0===c?!0:c;var d=g.L("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.yd(window.location.href);e&&d.push(e);e=g.yd(a);if(g.jb(d,e)||!e&&nc(a,"/"))if(g.vo("autoescape_tempdata_url")&&(d=document.createElement("a"),g.jd(d,a),a=d.href),a&&(d=Ad(a),e=d.indexOf("#"),d=0>e?d:d.substr(0,e)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.Rt()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}var d=Math.max(a.startSecs,0);return{PJ:new Gn(d,c),hL:new yu(d,c-d,a.context,a.identifier,a.event,a.u)}}; -gM=function(){this.u=[]}; -hM=function(a,b,c){var d=g.xb(a.u,b);if(0<=d)return b;b=-d-1;return b>=a.u.length||a.u[b]>c?null:a.u[b]}; -tma=function(a){this.B=new gM;this.u=new fM(a.QJ,a.DR,a.tR)}; -iM=function(){yJ.apply(this,arguments)}; -jM=function(a){iM.call(this,a);g.Oc((a.image&&a.image.thumbnail?a.image.thumbnail.thumbnails:null)||[],function(b){return new g.ie(b.width,b.height)})}; -kM=function(a){this.u=a}; -lM=function(a){a=[a,a.C].filter(function(d){return!!d}); -for(var b=g.q(a),c=b.next();!c.done;c=b.next())c.value.deactivate();return a}; -nM=function(a,b){var c=a.u;g.mm(function(){return mM(c,b,1)})}; -uma=function(a,b,c){this.C=a;this.u=b;this.B=c;this.D=a.getCurrentTime()}; -wma=function(a,b){var c=void 0===c?Date.now():c;if(a.B)for(var d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=c,h=a.u;oM({cuepointTrigger:{type:"CUEPOINT_TYPE_AD",event:vma(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:f,contentCpn:h}});"unknown"===e.event&&pM("DAI_ERROR_TYPE_CUEPOINT_WITH_INVALID_EVENT",a.u);e=e.startSecs+e.u/1E3;e>a.D&&a.C.getCurrentTime()>e&&pM("DAI_ERROR_TYPE_LATE_CUEPOINT", -a.u)}}; -xma=function(a,b,c){a.B&&oM({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; -qM=function(a,b){a.B&&oM({driftRecoveryInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,driftRecoveryMs:b.driftRecoveryMs.toString(),breakDurationMs:Math.round(b.pE-b.CG).toString(),driftFromHeadMs:Math.round(1E3*a.C.Ni()).toString()}})}; -yma=function(a,b){a.B&&oM({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.zJ}})}; -pM=function(a,b){oM({daiStateTrigger:{errorType:a,contentCpn:b}})}; -oM=function(a){g.Nq("adsClientStateChange",a)}; -vma=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START"}}; -rM=function(a){this.J=a;this.preloadType="2";this.adVideoId=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.D=this.u=this.Jh=!1;this.adFormat=null;this.clientName=(a=!g.Q(this.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch"))?this.J.T().deviceParams.c:g.L("INNERTUBE_CLIENT_NAME",void 0);this.clientVersion=a?this.J.T().deviceParams.cver:g.L("INNERTUBE_CLIENT_VERSION",void 0);this.F=a?this.J.T().deviceParams.cbrand:"";this.I=a?this.J.T().deviceParams.cmodel:"";this.playerType= -"html5";this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="vod"}; -tM=function(a,b,c,d,e,f){sM(a);var h=a.J.getVideoData(1),l=a.J.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=e?sM(a):(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=f?"live":"vod",a.D=d+1===e,a.Jh=!0,a.Jh&&(OE("c",a.clientName,a.actionType),OE("cver",a.clientVersion,a.actionType),g.Q(a.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch")|| -(OE("cbrand",a.F,a.actionType),OE("cmodel",a.I,a.actionType)),OE("yt_pt",a.playerType,a.actionType),OE("yt_pre",a.preloadType,a.actionType),OE("yt_abt",zma(a.B),a.actionType),a.contentCpn&&OE("cpn",a.contentCpn,a.actionType),a.videoId&&OE("docid",a.videoId,a.actionType),a.adCpn&&OE("ad_cpn",a.adCpn,a.actionType),a.adVideoId&&OE("ad_docid",a.adVideoId,a.actionType),OE("yt_vst",a.videoStreamType,a.actionType),a.adFormat&&OE("ad_at",a.adFormat,a.actionType)))}; -sM=function(a){a.contentCpn=null;a.adCpn=null;a.videoId=null;a.adVideoId=null;a.adFormat=null;a.B="AD_PLACEMENT_KIND_UNKNOWN";a.actionType="unknown_type";a.Jh=!1;a.u=!1}; -uM=function(a){a.u=!1;SE("video_to_ad",["apbs"],void 0,void 0)}; -wM=function(a){a.D?vM(a):(a.u=!1,SE("ad_to_ad",["apbs"],void 0,void 0))}; -vM=function(a){a.u=!1;SE("ad_to_video",["pbresume"],void 0,void 0)}; -xM=function(a){a.Jh&&!a.u&&(a.C=!1,a.u=!0,"ad_to_video"!==a.actionType&&PE("apbs",void 0,a.actionType))}; -zma=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"1";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"2";case "AD_PLACEMENT_KIND_END":return"3";default:return"unknown"}}; -yM=function(){}; -g.zM=function(a){return(a=Ama[a.toString()])?a:"LICENSE"}; -g.AM=function(a,b){this.stateData=void 0===b?null:b;this.state=a||64}; -BM=function(a,b,c){return b===a.state&&c===a.stateData||void 0!==b&&(b&128&&!c||b&2&&b&16)?a:new g.AM(b,c)}; -CM=function(a,b){return BM(a,a.state|b)}; -DM=function(a,b){return BM(a,a.state&~b)}; -EM=function(a,b,c){return BM(a,(a.state|b)&~c)}; -g.U=function(a,b){return!!(a.state&b)}; -g.FM=function(a,b){return b.state===a.state&&b.stateData===a.stateData}; -g.GM=function(a){return g.U(a,8)&&!g.U(a,2)&&!g.U(a,1024)}; -HM=function(a){return a.Hb()&&!g.U(a,16)&&!g.U(a,32)}; -Bma=function(a){return g.U(a,8)&&g.U(a,16)}; -g.IM=function(a){return g.U(a,1)&&!g.U(a,2)}; -JM=function(a){return g.U(a,128)?-1:g.U(a,2)?0:g.U(a,64)?-1:g.U(a,1)&&!g.U(a,32)?3:g.U(a,8)?1:g.U(a,4)?2:-1}; -LM=function(a){var b=g.Ke(g.Mb(KM),function(c){return!!(a&KM[c])}); -g.zb(b);return"yt.player.playback.state.PlayerState<"+b.join(",")+">"}; -MM=function(a,b,c,d,e,f,h,l){g.O.call(this);this.Xc=a;this.J=b;this.u=d;this.F=this.u.B instanceof yJ?this.u.B:null;this.B=null;this.aa=!1;this.K=c;this.X=(a=b.getVideoData(1))&&a.isLivePlayback||!1;this.fa=0;this.ha=!1;this.xh=e;this.Tn=f;this.zk=h;this.Y=!1;this.daiEnabled=l}; -NM=function(a){if(cK(a.J)){var b=a.J.getVideoData(2),c=a.u.P[b.Hc]||null;if(!c)return g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended because no mapped ad is found",void 0,void 0,{adCpn:b.clientPlaybackNonce,contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.Ii(),!0;if(!a.B||a.B&&a.B.ad!==c)g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator played an ad due to ad to ad transition",void 0,void 0,{adCpn:b.clientPlaybackNonce, -contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.je(c)}else if(1===a.J.getPresentingPlayerType()&&(g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended due to ad to content transition",void 0,void 0,{contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.B))return a.Ii(),!0;return!1}; -OM=function(a){(a=a.baseUrl)&&g.pu(a,void 0,dn(a))}; -PM=function(a,b){tM(a.K,a.u.u.u,b,a.WC(),a.YC(),a.isLiveStream())}; -RM=function(a){QM(a.Xc,a.u.u,a);a.daiEnabled&&!a.u.R&&(Cma(a,a.ZC()),a.u.R=!0)}; -Cma=function(a,b){for(var c=SM(a),d=a.u.u.start,e=[],f=g.q(b),h=f.next();!h.done;h=f.next()){h=h.value;if(c<=d)break;var l=TM(h);e.push({externalVideoId:h.C,originalMediaDurationMs:(1E3*h.B).toString(),trimmedMediaDurationMs:(parseInt(h.u.trimmedMaxNonSkippableAdDurationMs,10)||0).toString()});l=d+l;var m=Math.min(l,c);h.D.D=a.u.u.start;h.D.C=c;if(!Dma(a,h,d,m)||l!==m)break;d=l}c=b.reduce(function(n,p){return n+TM(p)},0); -xma(a.xh,Cia(a.u.u),c);yma(a.xh,{cueIdentifier:a.u.C&&a.u.C.identifier,zJ:e})}; -TM=function(a){var b=1E3*a.B;return 0a.width*a.height*.2)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") to container("+NO(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") covers container("+NO(a)+") center."}}; -Eoa=function(a,b){var c=X(a.va,"metadata_type_ad_placement_config");return new GO(a.kd,b,c,a.layoutId)}; -QO=function(a){return X(a.va,"metadata_type_invideo_overlay_ad_renderer")}; -RO=function(a){return g.Q(a.T().experiments,"html5_enable_in_video_overlay_ad_in_pacf")}; -SO=function(a,b,c,d){W.call(this,a,b,{G:"div",L:"ytp-ad-overlay-slot",S:[{G:"div",L:"ytp-ad-overlay-container"}]},"invideo-overlay",c,d);this.P=[];this.F=this.Ta=this.Aa=null;a=this.ka("ytp-ad-overlay-container");this.za=new qO(a,45E3,6E3,.3,.4);g.D(this,this.za);RO(this.api)||(this.ma=new g.F(this.clear,45E3,this),g.D(this,this.ma));this.D=Foa(this);g.D(this,this.D);this.D.ga(a);this.C=Goa(this);g.D(this,this.C);this.C.ga(a);this.B=Hoa(this);g.D(this,this.B);this.B.ga(a);this.Ya=this.ia=null;this.Ga= -!1;this.I=null;this.Y=0;this.hide()}; -Foa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-text-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -Goa=function(a){var b=new g.KN({G:"div",la:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-text-image",S:[{G:"img",U:{src:"{{imageUrl}}"}}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], -Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);a.N(b.ka("ytp-ad-overlay-text-image"),"click",a.MQ);b.hide();return b}; -Hoa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-image-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-image",S:[{G:"img",U:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.N(b.ka("ytp-ad-overlay-image"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -VO=function(a,b){if(b){var c=b.adHoverTextButtonRenderer||null;if(null==c)M(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else{var d=g.se("video-ads ytp-ad-module")||null;null==d?M(Error("Could not locate the root ads container element to attach the ad info dialog.")):(a.ia=new g.KN({G:"div",L:"ytp-ad-overlay-ad-info-dialog-container"}),g.D(a,a.ia),a.ia.ga(d),d=new FO(a.api,a.Ha,a.layoutId,a.u,a.ia.element,!1),g.D(a,d),d.init(AK("ad-info-hover-text-button"),c,a.macros),a.I? -(d.ga(a.I,0),d.subscribe("k",a.TN,a),d.subscribe("j",a.xP,a),a.N(a.I,"click",a.UN),c=g.se("ytp-ad-button",d.element),a.N(c,"click",a.zN),a.Ya=d):M(Error("Ad info button container within overlay ad was not present.")))}}else g.Fo(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; -Ioa=function(a){return a.F&&a.F.closeButton&&a.F.closeButton.buttonRenderer&&(a=a.F.closeButton.buttonRenderer,a.serviceEndpoint)?[a.serviceEndpoint]:[]}; -Joa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.D.element,b.trackingParams||null);a.D.ya("title",LN(b.title));a.D.ya("description",LN(b.description));a.D.ya("displayUrl",LN(b.displayUrl));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.D.show();a.za.start();RN(a,a.D.element,!0);RO(a.api)||(a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}),a.N(a.api,"minimized",a.uP)); -a.N(a.D.element,"mouseover",function(){a.Y++}); -return!0}; -Koa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.C.element,b.trackingParams||null);a.C.ya("title",LN(b.title));a.C.ya("description",LN(b.description));a.C.ya("displayUrl",LN(b.displayUrl));a.C.ya("imageUrl",Mna(b.image));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.Ta=b.imageNavigationEndpoint||null;a.C.show();a.za.start();RN(a,a.C.element,!0);RO(a.api)||a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}); -a.N(a.C.element,"mouseover",function(){a.Y++}); -return!0}; -Loa=function(a,b){if(a.api.app.visibility.u)return!1;var c=Nna(b.image),d=c;c.widthe&&(h+="0"));if(0f&&(h+="0");h+=f+":";10>c&&(h+="0");d=h+c}return 0<=a?d:"-"+d}; -g.cP=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; -dP=function(a,b,c,d,e,f){gO.call(this,a,b,{G:"span",L:"ytp-ad-duration-remaining"},"ad-duration-remaining",c,d,e);this.C=null;this.D=f;this.hide()}; -eP=function(a,b,c,d){kO.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; -fP=function(a,b,c,d,e){gO.call(this,a,b,{G:"div",la:["ytp-flyout-cta","ytp-flyout-cta-inactive"],S:[{G:"div",L:"ytp-flyout-cta-icon-container"},{G:"div",L:"ytp-flyout-cta-body",S:[{G:"div",L:"ytp-flyout-cta-text-container",S:[{G:"div",L:"ytp-flyout-cta-headline-container"},{G:"div",L:"ytp-flyout-cta-description-container"}]},{G:"div",L:"ytp-flyout-cta-action-button-container"}]}]},"flyout-cta",c,d,e);this.D=new TN(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-icon");g.D(this,this.D);this.D.ga(this.ka("ytp-flyout-cta-icon-container")); -this.P=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-headline");g.D(this,this.P);this.P.ga(this.ka("ytp-flyout-cta-headline-container"));this.I=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-description");g.D(this,this.I);this.I.ga(this.ka("ytp-flyout-cta-description-container"));this.C=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-flyout-cta-action-button"]);g.D(this,this.C);this.C.ga(this.ka("ytp-flyout-cta-action-button-container"));this.Y=null;this.ia=0;this.hide()}; -gP=function(a,b,c,d,e,f){e=void 0===e?[]:e;f=void 0===f?"toggle-button":f;var h=AK("ytp-ad-toggle-button-input");W.call(this,a,b,{G:"div",la:["ytp-ad-toggle-button"].concat(e),S:[{G:"label",L:"ytp-ad-toggle-button-label",U:{"for":h},S:[{G:"span",L:"ytp-ad-toggle-button-icon",U:{role:"button","aria-label":"{{tooltipText}}"},S:[{G:"span",L:"ytp-ad-toggle-button-untoggled-icon",Z:"{{untoggledIconTemplateSpec}}"},{G:"span",L:"ytp-ad-toggle-button-toggled-icon",Z:"{{toggledIconTemplateSpec}}"}]},{G:"input", -L:"ytp-ad-toggle-button-input",U:{id:h,type:"checkbox"}},{G:"span",L:"ytp-ad-toggle-button-text",Z:"{{buttonText}}"},{G:"span",L:"ytp-ad-toggle-button-tooltip",Z:"{{tooltipText}}"}]}]},f,c,d);this.D=this.ka("ytp-ad-toggle-button");this.B=this.ka("ytp-ad-toggle-button-input");this.ka("ytp-ad-toggle-button-label");this.Y=this.ka("ytp-ad-toggle-button-icon");this.I=this.ka("ytp-ad-toggle-button-untoggled-icon");this.F=this.ka("ytp-ad-toggle-button-toggled-icon");this.ia=this.ka("ytp-ad-toggle-button-text"); -this.C=null;this.P=!1;this.hide()}; -hP=function(a){a.P&&(a.isToggled()?(g.Mg(a.I,!1),g.Mg(a.F,!0)):(g.Mg(a.I,!0),g.Mg(a.F,!1)))}; -Ooa=function(a,b){var c=null;a.C&&(c=(b?[a.C.defaultServiceEndpoint,a.C.defaultNavigationEndpoint]:[a.C.toggledServiceEndpoint]).filter(function(d){return null!=d})); +wQ=function(){g.C.call(this);var a=this;this.j=new Map;this.u=Koa(function(b){if(b.target&&(b=a.j.get(b.target))&&b)for(var c=0;cdocument.documentMode)d=Rc;else{var e=document;"function"===typeof HTMLTemplateElement&&(e=g.Fe("TEMPLATE").content.ownerDocument);e=e.implementation.createHTMLDocument("").createElement("DIV");e.style.cssText=d;d=Gda(e.style)}c=Eaa(d,Sc({"background-image":'url("'+c+'")'}));a.style.cssText=Nc(c)}}; -$oa=function(a){var b=g.se("html5-video-player");b&&g.J(b,"ytp-ad-display-override",a)}; -AP=function(a,b){b=void 0===b?2:b;g.O.call(this);this.u=a;this.B=new rt(this);g.D(this,this.B);this.F=apa;this.D=null;this.B.N(this.u,"presentingplayerstatechange",this.vN);this.D=this.B.N(this.u,"progresssync",this.hF);this.C=b;1===this.C&&this.hF()}; -CP=function(a,b){BN.call(this,a);this.D=a;this.K=b;this.B={};var c=new g.V({G:"div",la:["video-ads","ytp-ad-module"]});g.D(this,c);fD&&g.I(c.element,"ytp-ads-tiny-mode");this.F=new EN(c.element);g.D(this,this.F);g.BP(this.D,c.element,4);g.D(this,noa())}; -bpa=function(a,b){var c=a.B;var d=b.id;c=null!==c&&d in c?c[d]:null;null==c&&g.Fo(Error("Component not found for element id: "+b.id));return c||null}; -DP=function(a){this.controller=a}; -EP=function(a){this.Xp=a}; -FP=function(a){this.Xp=a}; -GP=function(a,b,c){this.Xp=a;this.vg=b;this.Wh=c}; -dpa=function(a,b,c){var d=a.Xp();switch(b.type){case "SKIP":b=!1;for(var e=g.q(a.vg.u.entries()),f=e.next();!f.done;f=e.next()){f=g.q(f.value);var h=f.next().value;f.next();"SLOT_TYPE_PLAYER_BYTES"===h.ab&&"core"===h.bb&&(b=!0)}b?(c=cpa(a,c))?a.Wh.Eq(c):S("No triggering layout ID available when attempting to mute."):g.mm(function(){d.Ii()})}}; -cpa=function(a,b){if(b)return b;for(var c=g.q(a.vg.u.entries()),d=c.next();!d.done;d=c.next()){var e=g.q(d.value);d=e.next().value;e=e.next().value;if("SLOT_TYPE_IN_PLAYER"===d.ab&&"core"===d.bb)return e.layoutId}}; -HP=function(){}; -IP=function(){}; -JP=function(){}; -KP=function(a,b){this.Ip=a;this.Fa=b}; -LP=function(a){this.J=a}; -MP=function(a,b){this.ci=a;this.Fa=b}; -fpa=function(a){g.C.call(this);this.u=a;this.B=epa(this)}; -epa=function(a){var b=new oN;g.D(a,b);a=g.q([new DP(a.u.tJ),new KP(a.u.Ip,a.u.Fa),new EP(a.u.uJ),new LP(a.u.J),new MP(a.u.ci,a.u.Fa),new GP(a.u.KN,a.u.vg,a.u.Wh),new FP(a.u.FJ),new IP,new JP,new HP]);for(var c=a.next();!c.done;c=a.next())c=c.value,hna(b,c),ina(b,c);a=g.q(["adInfoDialogEndpoint","adFeedbackEndpoint"]);for(c=a.next();!c.done;c=a.next())lN(b,c.value,function(){}); -return b}; -NP=function(a,b,c){if(c&&!c.includes(a.layoutType))return!1;b=g.q(b);for(c=b.next();!c.done;c=b.next())if(!a.va.u.has(c.value))return!1;return!0}; -OP=function(a){var b=new Map;a.forEach(function(c){b.set(c.u(),c)}); -this.u=b}; -X=function(a,b){var c=a.u.get(b);if(void 0!==c)return c.get()}; -PP=function(a){return Array.from(a.u.keys())}; -hpa=function(a){var b;return(null===(b=gpa.get(a))||void 0===b?void 0:b.gs)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"}; -QP=function(a,b){var c={type:b.ab,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};b.hc&&(c.entryTriggerType=jpa.get(b.hc.triggerType)||"TRIGGER_TYPE_UNSPECIFIED");1!==b.feedPosition&&(c.feedPosition=b.feedPosition);if(a){c.debugData={slotId:b.slotId};var d=b.hc;d&&(c.debugData.slotEntryTriggerData=kpa(d))}return c}; -lpa=function(a,b){var c={type:b.layoutType,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};a&&(c.debugData={layoutId:b.layoutId});return c}; -kpa=function(a,b){var c={type:jpa.get(a.triggerType)||"TRIGGER_TYPE_UNSPECIFIED"};b&&(c.category=mpa.get(b)||"TRIGGER_CATEGORY_UNSPECIFIED");null!=a.B&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedSlotId=a.B);null!=a.u&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedLayoutId=a.u);return c}; -opa=function(a,b,c,d){b={opportunityType:npa.get(b)||"OPPORTUNITY_TYPE_UNSPECIFIED"};a&&(d||c)&&(b.debugData={slots:g.Oc(d||[],function(e){return QP(a,e)}), -associatedSlotId:c});return b}; -SP=function(a,b){return function(c){return ppa(RP(a),b.slotId,b.ab,b.feedPosition,b.bb,b.hc,c.layoutId,c.layoutType,c.bb)}}; -ppa=function(a,b,c,d,e,f,h,l,m){return{adClientDataEntry:{slotData:QP(a,{slotId:b,ab:c,feedPosition:d,bb:e,hc:f,Me:[],Af:[],va:new OP([])}),layoutData:lpa(a,{layoutId:h,layoutType:l,bb:m,ae:[],wd:[],ud:[],be:[],kd:new Map,va:new OP([]),td:{}})}}}; -TP=function(a){this.Ca=a;this.u=.1>Math.random()}; -RP=function(a){return a.u||g.Q(a.Ca.get().J.T().experiments,"html5_force_debug_data_for_client_tmp_logs")}; -UP=function(a,b,c,d){g.C.call(this);this.B=b;this.Gb=c;this.Ca=d;this.u=a(this,this,this,this,this);g.D(this,this.u);a=g.q(b);for(b=a.next();!b.done;b=a.next())g.D(this,b.value)}; -VP=function(a,b){a.B.add(b);g.D(a,b)}; -XP=function(a,b,c){S(c,b,void 0,void 0,c.Ul);WP(a,b,!0)}; -rpa=function(a,b,c){if(YP(a.u,b))if(ZP(a.u,b).D=c?"filled":"not_filled",null===c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_EMPTY",b);c=g.q(a.B);for(var d=c.next();!d.done;d=c.next())d.value.lj(b);WP(a,b,!1)}else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_NON_EMPTY",b,c);var e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.mj(b);if(ZP(a.u,b).F)WP(a,b,!1);else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_LAYOUT_REQUESTED",b,c);try{var f=a.u;if(!ZP(f,b))throw new aQ("Unknown slotState for onLayout"); -if(!f.hd.Yj.get(b.ab))throw new aQ("No LayoutRenderingAdapterFactory registered for slot of type: "+b.ab);if(g.kb(c.ae)&&g.kb(c.wd)&&g.kb(c.ud)&&g.kb(c.be))throw new aQ("Layout has no exit triggers.");bQ(f,0,c.ae);bQ(f,1,c.wd);bQ(f,2,c.ud);bQ(f,6,c.be)}catch(n){a.Nf(b,c,n);WP(a,b,!0);return}a.u.Nn(b);try{var h=a.u,l=ZP(h,b),m=h.hd.Yj.get(b.ab).get().u(h.D,h.B,b,c);m.init();l.layout=c;if(l.C)throw new aQ("Already had LayoutRenderingAdapter registered for slot");l.C=m;cQ(h,l,0,c.ae);cQ(h,l,1,c.wd); -cQ(h,l,2,c.ud);cQ(h,l,6,c.be)}catch(n){dQ(a,b);WP(a,b,!0);a.Nf(b,c,n);return}$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.ai(b,c);dQ(a,b);qpa(a,b)}}}; -eQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.ai(b,c)}; -spa=function(a,b){kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLMENT_CANCELLED",b);YP(a.u,b)&&(ZP(a.u,b).D="fill_canceled",WP(a,b,!1))}; -fQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.xd(b,c)}; -$L=function(a,b,c,d){$P(a.Gb,hpa(d),b,c);a=g.q(a.B);for(var e=a.next();!e.done;e=a.next())e.value.yd(b,c,d)}; -dQ=function(a,b){if(YP(a.u,b)){ZP(a.u,b).Nn=!1;var c=gQ,d=ZP(a.u,b),e=[].concat(g.ma(d.K));lb(d.K);c(a,e)}}; -gQ=function(a,b){b.sort(function(h,l){return h.category===l.category?h.trigger.triggerId.localeCompare(l.trigger.triggerId):h.category-l.category}); -for(var c=new Map,d=g.q(b),e=d.next();!e.done;e=d.next())if(e=e.value,YP(a.u,e.slot))if(ZP(a.u,e.slot).Nn)ZP(a.u,e.slot).K.push(e);else{tpa(a.Gb,e.slot,e,e.layout);var f=c.get(e.category);f||(f=[]);f.push(e);c.set(e.category,f)}d=g.q(upa.entries());for(e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,(e=c.get(e))&&vpa(a,e,f);(d=c.get(3))&&wpa(a,d);(d=c.get(4))&&xpa(a,d);(c=c.get(5))&&ypa(a,c)}; -vpa=function(a,b,c){b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=d.value,d.layout&&hQ(a.u,d.slot)&&zpa(a,d.slot,d.layout,c)}; -wpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next())WP(a,d.value.slot,!1)}; -xpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;a:switch(ZP(a.u,d.slot).D){case "not_filled":var e=!0;break a;default:e=!1}e&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_FULFILL_SLOT_REQUESTED",d.slot),a.u.lq(d.slot))}}; -ypa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_SLOT_REQUESTED",d.slot);for(var e=g.q(a.B),f=e.next();!f.done;f=e.next())f.value.bi(d.slot);try{var h=a.u,l=d.slot,m=ZP(h,l);if(!m)throw new gH("Got enter request for unknown slot");if(!m.B)throw new gH("Tried to enter slot with no assigned slotAdapter");if("scheduled"!==m.u)throw new gH("Tried to enter a slot from stage: "+m.u);if(iQ(m))throw new gH("Got enter request for already active slot"); -for(var n=g.q(jQ(h,l.ab+"_"+l.feedPosition).values()),p=n.next();!p.done;p=n.next()){var r=p.value;if(m!==r&&iQ(r)){var t=void 0;f=e=void 0;var w=h,y=r,x=l,B=kQ(w.ua.get(),1,!1),E=pG(w.Da.get(),1),G=oH(y.layout),K=y.slot.hc,H=Apa(w,K),ya=pH(K,H),ia=x.va.u.has("metadata_type_fulfilled_layout")?oH(X(x.va,"metadata_type_fulfilled_layout")):"unknown",Oa=x.hc,Ra=Apa(w,Oa),Wa=pH(Oa,Ra);w=H;var kc=Ra;if(w&&kc){if(w.start>kc.start){var Yb=g.q([kc,w]);w=Yb.next().value;kc=Yb.next().value}t=w.end>kc.start}else t= -!1;var Qe={details:B+" |"+(ya+" |"+Wa),activeSlotStatus:y.u,activeLayout:G?G:"empty",activeLayoutId:(null===(f=y.layout)||void 0===f?void 0:f.layoutId)||"empty",enteringLayout:ia,enteringLayoutId:(null===(e=X(x.va,"metadata_type_fulfilled_layout"))||void 0===e?void 0:e.layoutId)||"empty",hasOverlap:String(t),contentCpn:E.clientPlaybackNonce,contentVideoId:E.videoId,isAutonav:String(E.Kh),isAutoplay:String(E.eh)};throw new gH("Trying to enter a slot when a slot of same type is already active.",Qe); -}}}catch(ue){S(ue,d.slot,lQ(a.u,d.slot),void 0,ue.Ul);WP(a,d.slot,!0);continue}d=ZP(a.u,d.slot);"scheduled"!==d.u&&mQ(d.slot,d.u,"enterSlot");d.u="enter_requested";d.B.Lx()}}; -qpa=function(a,b){var c;if(YP(a.u,b)&&iQ(ZP(a.u,b))&&lQ(a.u,b)&&!hQ(a.u,b)){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_LAYOUT_REQUESTED",b,null!==(c=lQ(a.u,b))&&void 0!==c?c:void 0);var d=ZP(a.u,b);"entered"!==d.u&&mQ(d.slot,d.u,"enterLayoutForSlot");d.u="rendering";d.C.startRendering(d.layout)}}; -zpa=function(a,b,c,d){if(YP(a.u,b)){var e=a.Gb,f;var h=(null===(f=gpa.get(d))||void 0===f?void 0:f.Lr)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED";$P(e,h,b,c);a=ZP(a.u,b);"rendering"!==a.u&&mQ(a.slot,a.u,"exitLayout");a.u="rendering_stop_requested";a.C.jh(c,d)}}; -WP=function(a,b,c){if(YP(a.u,b)){if(a.u.Uy(b)||a.u.Qy(b))if(ZP(a.u,b).F=!0,!c)return;if(iQ(ZP(a.u,b)))ZP(a.u,b).F=!0,Bpa(a,b,c);else if(a.u.Vy(b))ZP(a.u,b).F=!0,YP(a.u,b)&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_CANCEL_SLOT_FULFILLMENT_REQUESTED",b),b=ZP(a.u,b),b.D="fill_cancel_requested",b.I.u());else{c=lQ(a.u,b);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_UNSCHEDULE_SLOT_REQUESTED",b);var d=ZP(a.u,b),e=b.hc,f=d.Y.get(e.triggerId);f&&(f.mh(e),d.Y["delete"](e.triggerId));e=g.q(b.Me);for(f=e.next();!f.done;f=e.next()){f= -f.value;var h=d.P.get(f.triggerId);h&&(h.mh(f),d.P["delete"](f.triggerId))}e=g.q(b.Af);for(f=e.next();!f.done;f=e.next())if(f=f.value,h=d.R.get(f.triggerId))h.mh(f),d.R["delete"](f.triggerId);null!=d.layout&&(e=d.layout,nQ(d,e.ae),nQ(d,e.wd),nQ(d,e.ud),nQ(d,e.be));d.I=void 0;null!=d.B&&(d.B.release(),d.B=void 0);null!=d.C&&(d.C.release(),d.C=void 0);d=a.u;ZP(d,b)&&(d=jQ(d,b.ab+"_"+b.feedPosition))&&d["delete"](b.slotId);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",b);a=g.q(a.B);for(d=a.next();!d.done;d= -a.next())d=d.value,d.nj(b),c&&d.jj(b,c)}}}; -Bpa=function(a,b,c){if(YP(a.u,b)&&iQ(ZP(a.u,b))){var d=lQ(a.u,b);if(d&&hQ(a.u,b))zpa(a,b,d,c?"error":"abandoned");else{kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_EXIT_SLOT_REQUESTED",b);try{var e=ZP(a.u,b);if(!e)throw new gH("Cannot exit slot it is unregistered");"enter_requested"!==e.u&&"entered"!==e.u&&"rendering"!==e.u&&mQ(e.slot,e.u,"exitSlot");e.u="exit_requested";if(void 0===e.B)throw e.u="scheduled",new gH("Cannot exit slot because adapter is not defined");e.B.Qx()}catch(f){S(f,b,void 0,void 0,f.Ul)}}}}; -oQ=function(a){this.slot=a;this.Y=new Map;this.P=new Map;this.R=new Map;this.X=new Map;this.C=this.layout=this.B=this.I=void 0;this.Nn=this.F=!1;this.K=[];this.u="not_scheduled";this.D="not_filled"}; -iQ=function(a){return"enter_requested"===a.u||a.isActive()}; -aQ=function(a,b,c){c=void 0===c?!1:c;Ya.call(this,a);this.Ul=c;this.args=[];b&&this.args.push(b)}; -pQ=function(a,b,c,d,e,f,h,l){g.C.call(this);this.hd=a;this.C=b;this.F=c;this.D=d;this.B=e;this.Ib=f;this.ua=h;this.Da=l;this.u=new Map}; -jQ=function(a,b){var c=a.u.get(b);return c?c:new Map}; -ZP=function(a,b){return jQ(a,b.ab+"_"+b.feedPosition).get(b.slotId)}; -Cpa=function(a){var b=[];a.u.forEach(function(c){c=g.q(c.values());for(var d=c.next();!d.done;d=c.next())b.push(d.value.slot)}); -return b}; -Apa=function(a,b){if(b instanceof nH)return b.D;if(b instanceof mH){var c=MO(a.Ib.get(),b.u);if(c=null===c||void 0===c?void 0:X(c.va,"metadata_type_ad_placement_config"))return c=hH(c,0x7ffffffffffff),c instanceof gH?void 0:c.gh}}; -YP=function(a,b){return null!=ZP(a,b)}; -hQ=function(a,b){var c=ZP(a,b),d;if(d=null!=c.layout)a:switch(c.u){case "rendering":case "rendering_stop_requested":d=!0;break a;default:d=!1}return d}; -lQ=function(a,b){var c=ZP(a,b);return null!=c.layout?c.layout:null}; -qQ=function(a,b,c){if(g.kb(c))throw new gH("No "+Dpa.get(b)+" triggers found for slot.");c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new gH("No trigger adapter registered for "+b+" trigger of type: "+d.triggerType);}; -bQ=function(a,b,c){c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new aQ("No trigger adapter registered for "+Dpa.get(b)+" trigger of type: "+d.triggerType);}; -cQ=function(a,b,c,d){d=g.q(d);for(var e=d.next();!e.done;e=d.next()){e=e.value;var f=a.hd.Dg.get(e.triggerType);f.ih(c,e,b.slot,b.layout?b.layout:null);b.X.set(e.triggerId,f)}}; -nQ=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=a.X.get(d.triggerId);e&&(e.mh(d),a.X["delete"](d.triggerId))}}; -mQ=function(a,b,c){S("Slot stage was "+b+" when calling method "+c,a)}; -Epa=function(a){return rQ(a.Vm).concat(rQ(a.Dg)).concat(rQ(a.Jj)).concat(rQ(a.qk)).concat(rQ(a.Yj))}; -rQ=function(a){var b=[];a=g.q(a.values());for(var c=a.next();!c.done;c=a.next())c=c.value,c.Wi&&b.push(c);return b}; -Gpa=function(a){g.C.call(this);this.u=a;this.B=Fpa(this)}; -Fpa=function(a){var b=new UP(function(c,d,e,f){return new pQ(a.u.hd,c,d,e,f,a.u.Ib,a.u.ua,a.u.Da)},new Set(Epa(a.u.hd).concat(a.u.listeners)),a.u.Gb,a.u.Ca); -g.D(a,b);return b}; -sQ=function(a){g.C.call(this);var b=this;this.B=a;this.u=null;g.eg(this,function(){g.fg(b.u);b.u=null})}; -Y=function(a){return new sQ(a)}; -Kpa=function(a,b,c,d,e){b=g.q(b);for(var f=b.next();!f.done;f=b.next())f=f.value,tQ(a,f.renderer,f.config.adPlacementConfig.kind);f=Array.from(a.values()).filter(function(n){return Hpa(n)}); -a=[];b={};f=g.q(f);for(var h=f.next();!h.done;b={Dp:b.Dp},h=f.next()){b.Dp=h.value;h={};for(var l=g.q(b.Dp.Ww),m=l.next();!m.done;h={xk:h.xk},m=l.next())h.xk=m.value,m=function(n,p){return function(r){return n.xk.zC(r,p.Dp.instreamVideoAdRenderer.elementId,n.xk.PB)}}(h,b),"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===h.xk.Kn?a.push(Ipa(c,d,h.xk.QB,e,h.xk.adSlotLoggingData,m)):a.push(Jpa(c,d,e,b.Dp.instreamVideoAdRenderer.elementId,h.xk.adSlotLoggingData,m))}return a}; -tQ=function(a,b,c){if(b=Lpa(b)){b=g.q(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.externalVideoId){var e=Mpa(a,d.externalVideoId);e.instreamVideoAdRenderer||(e.instreamVideoAdRenderer=d,e.nu=c)}else S("InstreamVideoAdRenderer without externalVideoId")}}; -Lpa=function(a){var b=[],c=a.sandwichedLinearAdRenderer&&a.sandwichedLinearAdRenderer.linearAd&&a.sandwichedLinearAdRenderer.linearAd.instreamVideoAdRenderer;if(c)return b.push(c),b;if(a.instreamVideoAdRenderer)return b.push(a.instreamVideoAdRenderer),b;if(a.linearAdSequenceRenderer&&a.linearAdSequenceRenderer.linearAds){a=g.q(a.linearAdSequenceRenderer.linearAds);for(c=a.next();!c.done;c=a.next())c=c.value,c.instreamVideoAdRenderer&&b.push(c.instreamVideoAdRenderer);return b}return null}; -Hpa=function(a){if(void 0===a.instreamVideoAdRenderer)return S("AdPlacementSupportedRenderers without matching InstreamVideoAdRenderer"),!1;for(var b=g.q(a.Ww),c=b.next();!c.done;c=b.next()){c=c.value;if(void 0===c.zC)return!1;if(void 0===c.PB)return S("AdPlacementConfig for AdPlacementSupportedRenderers that matches an InstreamVideoAdRenderer is undefined"),!1;if(void 0===a.nu||void 0===c.Kn||a.nu!==c.Kn&&"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"!==c.Kn)return!1;if(void 0===a.instreamVideoAdRenderer.elementId)return S("InstreamVideoAdRenderer has no elementId", -void 0,void 0,{kind:a.nu,"matching APSR kind":c.Kn}),!1;if("AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===c.Kn&&void 0===c.QB)return S("Command Triggered AdPlacementSupportedRenderer's AdPlacementRenderer does not have an element ID"),!1}return!0}; -Mpa=function(a,b){a.has(b)||a.set(b,{instreamVideoAdRenderer:void 0,nu:void 0,adVideoId:b,Ww:[]});return a.get(b)}; -uQ=function(a,b,c,d,e,f,h){d?Mpa(a,d).Ww.push({QB:b,Kn:c,PB:e,adSlotLoggingData:f,zC:h}):S("Companion AdPlacementSupportedRenderer without adVideoId")}; -Ppa=function(a,b,c,d,e,f,h){if(!Npa(a))return new gH("Invalid InstreamVideoAdRenderer for SlidingText.",{instreamVideoAdRenderer:a});var l=a.additionalPlayerOverlay.slidingTextPlayerOverlayRenderer;return[Opa(f,b,c,d,function(m){var n=h(m);m=m.slotId;m=vQ(e.Ua.get(),"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",m);var p={layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",bb:"core"},r=new wQ(e.u,d);return{layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",kd:new Map,ae:[r],wd:[], -ud:[],be:[],bb:"core",va:new OP([new GG(l)]),td:n(p)}})]}; -Npa=function(a){a=((null===a||void 0===a?void 0:a.additionalPlayerOverlay)||{}).slidingTextPlayerOverlayRenderer;if(!a)return!1;var b=a.slidingMessages;return a.title&&b&&0!==b.length?!0:!1}; -Upa=function(a,b,c,d,e){var f;if(null===(f=a.playerOverlay)||void 0===f||!f.instreamSurveyAdRenderer)return function(){return[]}; -if(!Qpa(a))return function(){return new gH("Received invalid InstreamVideoAdRenderer for DAI survey.",{instreamVideoAdRenderer:a})}; -var h=a.playerOverlay.instreamSurveyAdRenderer,l=Rpa(h);return 0>=l?function(){return new gH("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=Spa(m,c,d,function(t){var w=n(t); -t=t.slotId;t=vQ(e.Ua.get(),"LAYOUT_TYPE_SURVEY",t);var y={layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},x=new wQ(e.u,d),B=new xQ(e.u,t),E=new yQ(e.u,t),G=new Tpa(e.u);return{layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",kd:new Map,ae:[x,G],wd:[B],ud:[],be:[E],bb:"core",va:new OP([new FG(h),new AG(b),new bH(l/1E3)]),td:w(y),adLayoutLoggingData:h.adLayoutLoggingData}}),r=Ppa(a,c,p.slotId,d,e,m,n); -return r instanceof gH?r:[p].concat(g.ma(r))}}; -Rpa=function(a){var b=0;a=g.q(a.questions);for(var c=a.next();!c.done;c=a.next())b+=c.value.instreamSurveyAdMultiSelectQuestionRenderer.surveyAdQuestionCommon.durationMilliseconds;return b}; -Qpa=function(a){a=((null===a||void 0===a?void 0:a.playerOverlay)||{}).instreamSurveyAdRenderer;if(!a||!a.questions||1!==a.questions.length)return!1;a=a.questions[0].instreamSurveyAdMultiSelectQuestionRenderer;if(null===a||void 0===a||!a.surveyAdQuestionCommon)return!1;a=(a.surveyAdQuestionCommon.instreamAdPlayerOverlay||{}).instreamSurveyAdPlayerOverlayRenderer;var b=((null===a||void 0===a?void 0:a.adInfoRenderer)||{}).adHoverTextButtonRenderer;return((null===a||void 0===a?void 0:a.skipOrPreviewRenderer)|| -{}).skipAdRenderer&&b?!0:!1}; -Xpa=function(a,b,c,d,e){var f=[];try{var h=[],l=Vpa(a,d,function(t){t=Wpa(t.slotId,c,b,e(t),d);h=t.iS;return t.SJ}); -f.push(l);for(var m=g.q(h),n=m.next();!n.done;n=m.next()){var p=n.value,r=p(a,e);if(r instanceof gH)return r;f.push.apply(f,g.ma(r))}}catch(t){return new gH(t,{errorMessage:t.message,AdPlacementRenderer:c})}return f}; -Wpa=function(a,b,c,d,e){var f=b.config.adPlacementConfig,h=f.adTimeOffset||{},l=h.offsetEndMilliseconds;h=Number(h.offsetStartMilliseconds);if(isNaN(h))throw new TypeError("Expected valid start offset");var m=Number(l);if(isNaN(m))throw new TypeError("Expected valid end offset");l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null===l||void 0===l||!l.length)throw new TypeError("Expected linear ads");var n=[],p={KH:h,LH:0,fS:n};l=l.map(function(t){return Ypa(a,t,p,c,d,f,e,m)}).map(function(t, -w){var y=new CJ(w,n); -return t(y)}); -var r=l.map(function(t){return t.TJ}); -return{SJ:Zpa(c,a,h,r,f,new Map([["ad_placement_start",b.placementStartPings||[]],["ad_placement_end",b.placementEndPings||[]]]),$pa(b),d,m),iS:l.map(function(t){return t.hS})}}; -Ypa=function(a,b,c,d,e,f,h,l){var m=b.instreamVideoAdRenderer;if(!m)throw new TypeError("Expected instream video ad renderer");if(!m.playerVars)throw new TypeError("Expected player vars in url encoded string");var n=Xp(m.playerVars);b=Number(n.length_seconds);if(isNaN(b))throw new TypeError("Expected valid length seconds in player vars");var p=aqa(n,m);if(!p)throw new TypeError("Expected valid video id in IVAR");var r=c.KH,t=c.LH,w=Number(m.trimmedMaxNonSkippableAdDurationMs),y=isNaN(w)?b:Math.min(b, -w/1E3),x=Math.min(r+1E3*y,l);c.KH=x;c.LH++;c.fS.push(y);var B=m.pings?DJ(m.pings):new Map;c=m.playerOverlay||{};var E=void 0===c.instreamAdPlayerOverlayRenderer?null:c.instreamAdPlayerOverlayRenderer;return function(G){2<=G.B&&(n.slot_pos=G.u);n.autoplay="1";var K=m.adLayoutLoggingData,H=m.sodarExtensionData,ya=vQ(d.Ua.get(),"LAYOUT_TYPE_MEDIA",a),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};G={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new DG(h), -new OG(y),new PG(n),new RG(r),new SG(x),new TG(t),new LG({current:null}),E&&new EG(E),new AG(f),new CG(p),new BG(G),H&&new QG(H)].filter(bqa)),td:e(ia),adLayoutLoggingData:K};K=Upa(m,f,h,G.layoutId,d);return{TJ:G,hS:K}}}; -aqa=function(a,b){var c=a.video_id;if(c||(c=b.externalVideoId))return c}; -$pa=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; -dqa=function(a,b,c,d,e,f,h,l){a=cqa(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=vQ(b.Ua.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},r=new Map,t=e.impressionUrls;t&&r.set("impression",t);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",kd:r,ae:[new zQ(b.u,n)],wd:[],ud:[],be:[],bb:"core",va:new OP([new WG(e),new AG(c)]),td:m(p)}}); -return a instanceof gH?a:[a]}; -fqa=function(a,b,c,d,e,f,h,l){a=eqa(a,c,f,h,d,function(m,n){var p=m.slotId,r=l(m),t=e.contentSupportedRenderer;t?t.textOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.enhancedTextOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.imageOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", -p),p=BQ(b,n,p),p.push(new CQ(b.u,t)),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,r,p)):r=new aQ("InvideoOverlayAdRenderer without appropriate sub renderer"):r=new aQ("InvideoOverlayAdRenderer without contentSupportedRenderer");return r}); -return a instanceof gH?a:[a]}; -gqa=function(a,b,c,d){if(!c.playerVars)return new gH("No playerVars available in AdIntroRenderer.");var e=Xp(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{eS:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",kd:new Map,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new VG({}),new AG(b),new LG({current:null}),new PG(e)]),td:f(l)},LJ:[new DQ(a.u,h)],KJ:[]}}}; -kqa=function(a,b,c,d,e,f,h,l,m,n,p){function r(w){var y=new CJ(0,[t.Rs]),x=hqa(t.playerVars,t.fH,l,p,y);w=m(w);var B=n.get(t.zw.externalVideoId);y=iqa(b,"core",t.zw,c,x,t.Rs,f,y,w,B);return{layoutId:y.layoutId,layoutType:y.layoutType,kd:y.kd,ae:y.ae,wd:y.wd,ud:y.ud,be:y.be,bb:y.bb,va:y.va,td:y.td,adLayoutLoggingData:y.adLayoutLoggingData}} -var t=EQ(e);if(t instanceof aQ)return new gH(t);if(r instanceof gH)return r;a=jqa(a,c,f,h,d,r);return a instanceof gH?a:[a]}; -EQ=function(a){if(!a.playerVars)return new aQ("No playerVars available in InstreamVideoAdRenderer.");var b;if(null==a.elementId||null==a.playerVars||null==a.playerOverlay||null==(null===(b=a.playerOverlay)||void 0===b?void 0:b.instreamAdPlayerOverlayRenderer)||null==a.pings||null==a.externalVideoId)return new aQ("Received invalid VOD InstreamVideoAdRenderer",{instreamVideoAdRenderer:a});b=Xp(a.playerVars);var c=Number(b.length_seconds);return isNaN(c)?new aQ("Expected valid length seconds in player vars"): -{zw:a,playerVars:b,fH:a.playerVars,Rs:c}}; -hqa=function(a,b,c,d,e){a.iv_load_policy=d;b=Xp(b);if(b.cta_conversion_urls)try{a.cta_conversion_urls=JSON.parse(b.cta_conversion_urls)}catch(f){S(f)}c.gg&&(a.ctrl=c.gg);c.nf&&(a.ytr=c.nf);c.Cj&&(a.ytrcc=c.Cj);c.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,c.Gg&&(a.vss_credentials_token_type=c.Gg),c.mdxEnvironment&&(a.mdx_environment=c.mdxEnvironment));2<=e.B&&(a.slot_pos=e.u);a.autoplay="1";return a}; -mqa=function(a,b,c,d,e,f,h,l,m,n,p){if(null==e.linearAds)return new gH("Received invalid LinearAdSequenceRenderer.");b=lqa(b,c,e,f,l,m,n,p);if(b instanceof gH)return new gH(b);a=jqa(a,c,f,h,d,b);return a instanceof gH?a:[a]}; -lqa=function(a,b,c,d,e,f,h,l){return function(m){a:{b:{var n=[];for(var p=g.q(c.linearAds),r=p.next();!r.done;r=p.next())if(r=r.value,r.instreamVideoAdRenderer){r=EQ(r.instreamVideoAdRenderer);if(r instanceof aQ){n=new gH(r);break b}n.push(r.Rs)}}if(!(n instanceof gH)){p=0;r=[];for(var t=[],w=[],y=g.q(c.linearAds),x=y.next();!x.done;x=y.next())if(x=x.value,x.adIntroRenderer){x=gqa(a,b,x.adIntroRenderer,f);if(x instanceof gH){n=x;break a}x=x(m);r.push(x.eS);t=[].concat(g.ma(x.LJ),g.ma(t));w=[].concat(g.ma(x.KJ), -g.ma(w))}else if(x.instreamVideoAdRenderer){x=EQ(x.instreamVideoAdRenderer);if(x instanceof aQ){n=new gH(x);break a}var B=new CJ(p,n),E=hqa(x.playerVars,x.fH,e,l,B),G=f(m),K=h.get(x.zw.externalVideoId);E=iqa(a,"adapter",x.zw,b,E,x.Rs,d,B,G,K);x={layoutId:E.layoutId,layoutType:E.layoutType,kd:E.kd,ae:[],wd:[],ud:[],be:[],bb:E.bb,va:E.va,td:E.td,adLayoutLoggingData:E.adLayoutLoggingData};B=E.wd;E=E.ud;p++;r.push(x);t=[].concat(g.ma(B),g.ma(t));w=[].concat(g.ma(E),g.ma(w))}else if(x.adActionInterstitialRenderer){var H= -a;B=m.slotId;K=b;G=f(m);x=x.adActionInterstitialRenderer.adLayoutLoggingData;var ya=vQ(H.Ua.get(),"LAYOUT_TYPE_MEDIA_BREAK",B),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",bb:"adapter"};E=ya;B=new Map;new zQ(H.u,ya);H=[new xQ(H.u,ya)];K=new OP([new AG(K)]);G=G(ia);r.push({layoutId:E,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:K,td:G,adLayoutLoggingData:x});t=[].concat(g.ma(H),g.ma(t));w=[].concat(g.ma([]),g.ma(w))}else{n=new gH("Unsupported linearAd found in LinearAdSequenceRenderer."); -break a}n={gS:r,wd:t,ud:w}}}r=n;r instanceof gH?m=r:(t=m.slotId,n=r.gS,p=r.wd,r=r.ud,m=f(m),t=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",t),w={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"},m={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:new Map,ae:[new zQ(a.u,t)],wd:p,ud:r,be:[],bb:"core",va:new OP([new MG(n)]),td:m(w)});return m}}; -FQ=function(a,b,c,d,e,f){this.ib=a;this.Cb=b;this.gb=c;this.u=d;this.Gi=e;this.loadPolicy=void 0===f?1:f}; -qG=function(a,b,c,d,e,f,h){var l,m,n,p,r,t,w,y,x,B,E,G=[];if(0===b.length)return G;b=b.filter(fH);for(var K=new Map,H=new Map,ya=g.q(b),ia=ya.next();!ia.done;ia=ya.next())(ia=ia.value.renderer.remoteSlotsRenderer)&&ia.hostElementId&&H.set(ia.hostElementId,ia);ya=g.q(b);for(ia=ya.next();!ia.done;ia=ya.next()){ia=ia.value;var Oa=nqa(a,K,ia,d,e,f,h,H);Oa instanceof gH?S(Oa,void 0,void 0,{renderer:ia.renderer,config:ia.config.adPlacementConfig,kind:ia.config.adPlacementConfig.kind,contentCpn:d,daiEnabled:f}): -G.push.apply(G,g.ma(Oa))}if(null===a.u||f)return a=f&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null===(m=null===(l=b[0].config)||void 0===l?void 0:l.adPlacementConfig)||void 0===m?void 0:m.kind)&&(null===(n=b[0].renderer)||void 0===n?void 0:n.adBreakServiceRenderer),G.length||a||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(t=null===(r=null===(p=b[0])||void 0===p?void 0:p.config)|| -void 0===r?void 0:r.adPlacementConfig)||void 0===t?void 0:t.kind,renderer:null===(w=b[0])||void 0===w?void 0:w.renderer}),G;c=c.filter(fH);G.push.apply(G,g.ma(Kpa(K,c,a.ib.get(),a.u,d)));G.length||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(B=null===(x=null===(y=b[0])||void 0===y?void 0:y.config)||void 0===x?void 0:x.adPlacementConfig)||void 0===B?void 0:B.kind,renderer:null===(E=b[0])|| -void 0===E?void 0:E.renderer});return G}; -nqa=function(a,b,c,d,e,f,h,l){function m(w){return SP(a.gb.get(),w)} -var n=c.renderer,p=c.config.adPlacementConfig,r=p.kind,t=c.adSlotLoggingData;if(null!=n.actionCompanionAdRenderer)uQ(b,c.elementId,r,n.actionCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.actionCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new sG(E),y,x,E.impressionPings,E.impressionCommands,G,n.actionCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.imageCompanionAdRenderer)uQ(b,c.elementId,r,n.imageCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.imageCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new wG(E),y,x,E.impressionPings,E.impressionCommands,G,n.imageCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.shoppingCompanionCarouselRenderer)uQ(b,c.elementId,r,n.shoppingCompanionCarouselRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.shoppingCompanionCarouselRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new xG(E),y,x,E.impressionPings,E.impressionEndpoints,G,n.shoppingCompanionCarouselRenderer.adLayoutLoggingData)}); -else{if(n.adBreakServiceRenderer){if(!jH(c))return[];if(f&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===p.kind){if(!a.Gi)return new gH("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");oqa(a.Gi,{adPlacementRenderer:c,contentCpn:d,uC:e});return[]}return Aia(a.ib.get(),p,t,c.renderer.adBreakServiceRenderer,d,e,f)}if(n.clientForecastingAdRenderer)return dqa(a.ib.get(),a.Cb.get(),p,t,n.clientForecastingAdRenderer,d,e,m);if(n.invideoOverlayAdRenderer)return fqa(a.ib.get(), -a.Cb.get(),p,t,n.invideoOverlayAdRenderer,d,e,m);if(n.linearAdSequenceRenderer){if(f)return Xpa(a.ib.get(),a.Cb.get(),c,d,m);tQ(b,n,r);return mqa(a.ib.get(),a.Cb.get(),p,t,n.linearAdSequenceRenderer,d,e,h,m,l,a.loadPolicy)}if((!n.remoteSlotsRenderer||f)&&n.instreamVideoAdRenderer&&!f)return tQ(b,n,r),kqa(a.ib.get(),a.Cb.get(),p,t,n.instreamVideoAdRenderer,d,e,h,m,l,a.loadPolicy)}return[]}; -HQ=function(a){g.C.call(this);this.u=a}; -nG=function(a,b,c,d){a.u().Zg(b,d);c=c();a=a.u();IQ(a.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.q(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.u;if(g.pc(c.slotId))throw new gH("Slot ID was empty");if(ZP(e,c))throw new gH("Duplicate registration for slot.");if(!e.hd.Jj.has(c.ab))throw new gH("No fulfillment adapter factory registered for slot of type: "+c.ab);if(!e.hd.qk.has(c.ab))throw new gH("No SlotAdapterFactory registered for slot of type: "+ -c.ab);qQ(e,5,c.hc?[c.hc]:[]);qQ(e,4,c.Me);qQ(e,3,c.Af);var f=d.u,h=c.ab+"_"+c.feedPosition,l=jQ(f,h);if(ZP(f,c))throw new gH("Duplicate slots not supported");l.set(c.slotId,new oQ(c));f.u.set(h,l)}catch(kc){S(kc,c,void 0,void 0,kc.Ul);break a}d.u.Nn(c);try{var m=d.u,n=ZP(m,c),p=c.hc,r=m.hd.Dg.get(p.triggerType);r&&(r.ih(5,p,c,null),n.Y.set(p.triggerId,r));for(var t=g.q(c.Me),w=t.next();!w.done;w=t.next()){var y=w.value,x=m.hd.Dg.get(y.triggerType);x&&(x.ih(4,y,c,null),n.P.set(y.triggerId,x))}for(var B= -g.q(c.Af),E=B.next();!E.done;E=B.next()){var G=E.value,K=m.hd.Dg.get(G.triggerType);K&&(K.ih(3,G,c,null),n.R.set(G.triggerId,K))}var H=m.hd.Jj.get(c.ab).get(),ya=m.C,ia=c;var Oa=JQ(ia,{Be:["metadata_type_fulfilled_layout"]})?new KQ(ya,ia):H.u(ya,ia);n.I=Oa;var Ra=m.hd.qk.get(c.ab).get().u(m.F,c);Ra.init();n.B=Ra}catch(kc){S(kc,c,void 0,void 0,kc.Ul);WP(d,c,!0);break a}kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.u.Ag(c);ia=g.q(d.B);for(var Wa=ia.next();!Wa.done;Wa=ia.next())Wa.value.Ag(c); -dQ(d,c)}}; -LQ=function(a,b,c,d){g.C.call(this);var e=this;this.tb=a;this.ib=b;this.Bb=c;this.u=new Map;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(e)})}; -xia=function(a,b){var c=0x8000000000000;for(var d=0,e=g.q(b.Me),f=e.next();!f.done;f=e.next())f=f.value,f instanceof nH?(c=Math.min(c,f.D.start),d=Math.max(d,f.D.end)):S("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new Gn(c,d);d="throttledadcuerange:"+b.slotId;a.u.set(d,b);a.Bb.get().addCueRange(d,c.start,c.end,!1,a)}; -MQ=function(){g.C.apply(this,arguments);this.Wi=!0;this.u=new Map;this.B=new Map}; -MO=function(a,b){for(var c=g.q(a.B.values()),d=c.next();!d.done;d=c.next()){d=g.q(d.value);for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.layoutId===b)return e}S("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.pc(b)),layoutId:b})}; -NQ=function(){this.B=new Map;this.u=new Map;this.C=new Map}; -OQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.B.get(b)||0;c++;a.B.set(b,c);return b+"_"+c}return It()}; -vQ=function(a,b,c){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var d=a.u.get(b)||0;d++;a.u.set(b,d);return c+"_"+b+"_"+d}return It()}; -PQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.C.get(b)||0;c++;a.C.set(b,c);return b+"_"+c}return It()}; -pqa=function(a,b){this.layoutId=b;this.triggerType="trigger_type_close_requested";this.triggerId=a(this.triggerType)}; -DQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_exited_for_reason";this.triggerId=a(this.triggerType)}; -wQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_id_exited";this.triggerId=a(this.triggerType)}; -qqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; -QQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="trigger_type_on_different_layout_id_entered";this.triggerId=a(this.triggerType)}; -RQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_IN_PLAYER";this.triggerType="trigger_type_on_different_slot_id_enter_requested";this.triggerId=a(this.triggerType)}; -zQ=function(a,b){this.layoutId=b;this.triggerType="trigger_type_on_layout_self_exit_requested";this.triggerId=a(this.triggerType)}; -rqa=function(a,b){this.opportunityType="opportunity_type_ad_break_service_response_received";this.associatedSlotId=b;this.triggerType="trigger_type_on_opportunity_received";this.triggerId=a(this.triggerType)}; -Tpa=function(a){this.triggerType="trigger_type_playback_minimized";this.triggerId=a(this.triggerType)}; -xQ=function(a,b){this.u=b;this.triggerType="trigger_type_skip_requested";this.triggerId=a(this.triggerType)}; -yQ=function(a,b){this.u=b;this.triggerType="trigger_type_survey_submitted";this.triggerId=a(this.triggerType)}; -CQ=function(a,b){this.durationMs=45E3;this.u=b;this.triggerType="trigger_type_time_relative_to_layout_enter";this.triggerId=a(this.triggerType)}; -sqa=function(a){return[new HG(a.pw),new EG(a.instreamAdPlayerOverlayRenderer),new KG(a.EG),new AG(a.adPlacementConfig),new OG(a.videoLengthSeconds),new bH(a.uE)]}; -tqa=function(a,b,c,d,e,f){a=c.By?c.By:vQ(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",kd:new Map,ae:[new wQ(function(l){return PQ(f,l)},c.pw)], -wd:[],ud:[],be:[],bb:b,va:d,td:e(h),adLayoutLoggingData:c.adLayoutLoggingData}}; -SQ=function(a,b){var c=this;this.Ca=a;this.Ua=b;this.u=function(d){return PQ(c.Ua.get(),d)}}; -TQ=function(a,b,c,d,e){return tqa(b,c,d,new OP(sqa(d)),e,a.Ua.get())}; -GQ=function(a,b,c,d,e,f,h,l,m,n){b=vQ(a.Ua.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},r=new Map;h?r.set("impression",h):l&&S("Companion Ad Renderer without impression Pings but does have impressionCommands",void 0,void 0,{"impressionCommands length":l.length,adPlacementKind:f.kind,companionType:d.u()});return{layoutId:b,layoutType:c,kd:r,ae:[new zQ(a.u,b),new QQ(a.u,e)],wd:[],ud:[],be:[],bb:"core",va:new OP([d,new AG(f),new HG(e)]),td:m(p),adLayoutLoggingData:n}}; -BQ=function(a,b,c){var d=[];d.push(new RQ(a.u,c));g.Q(a.Ca.get().J.T().experiments,"html5_make_pacf_in_video_overlay_evictable")||b&&d.push(b);return d}; -AQ=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,kd:new Map,ae:h,wd:[new pqa(a.u,b)],ud:[],be:[],bb:"core",va:new OP([new vG(d),new AG(e)]),td:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; -iqa=function(a,b,c,d,e,f,h,l,m,n){var p=c.elementId,r={layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",bb:b};d=[new AG(d),new BG(l),new CG(c.externalVideoId),new DG(h),new EG(c.playerOverlay.instreamAdPlayerOverlayRenderer),new dH({impressionCommands:c.impressionCommands,onAbandonCommands:c.onAbandonCommands,completeCommands:c.completeCommands,adVideoProgressCommands:c.adVideoProgressCommands}),new PG(e),new LG({current:null}),new OG(f)];e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY", -e);d.push(new IG(f));d.push(new JG(e));c.adNextParams&&d.push(new tG(c.adNextParams));c.clickthroughEndpoint&&d.push(new uG(c.clickthroughEndpoint));c.legacyInfoCardVastExtension&&d.push(new cH(c.legacyInfoCardVastExtension));c.sodarExtensionData&&d.push(new QG(c.sodarExtensionData));n&&d.push(new aH(n));return{layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",kd:DJ(c.pings),ae:[new zQ(a.u,p)],wd:c.skipOffsetMilliseconds?[new xQ(a.u,f)]:[],ud:[new xQ(a.u,f)],be:[],bb:b,va:new OP(d),td:m(r),adLayoutLoggingData:c.adLayoutLoggingData}}; -Zpa=function(a,b,c,d,e,f,h,l,m){d.every(function(p){return NP(p,[],["LAYOUT_TYPE_MEDIA"])})||S("Unexpect subLayout type for DAI composite layout"); -b=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",b);var n={layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:f,ae:[new qqa(a.u)],wd:[],ud:[],be:[],bb:"core",va:new OP([new RG(c),new SG(m),new MG(d),new AG(e),new XG(h)]),td:l(n)}}; -bqa=function(a){return null!=a}; -UQ=function(a,b,c){this.C=b;this.visible=c;this.triggerType="trigger_type_after_content_video_id_ended";this.triggerId=a(this.triggerType)}; -VQ=function(a,b,c){this.u=b;this.slotId=c;this.triggerType="trigger_type_layout_id_active_and_slot_id_has_exited";this.triggerId=a(this.triggerType)}; -uqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED";this.triggerId=a(this.triggerType)}; -WQ=function(a,b,c){this.C=b;this.D=c;this.triggerType="trigger_type_not_in_media_time_range";this.triggerId=a(this.triggerType)}; -XQ=function(a,b){this.D=b;this.triggerType="trigger_type_on_new_playback_after_content_video_id";this.triggerId=a(this.triggerType)}; -YQ=function(a,b){this.slotId=b;this.triggerType="trigger_type_on_element_self_enter_requested";this.triggerId=a(this.triggerType)}; -ZQ=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_entered";this.triggerId=a(this.triggerType)}; -$Q=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_exited";this.triggerId=a(this.triggerType)}; -aR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_empty";this.triggerId=a(this.triggerType)}; -bR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_non_empty";this.triggerId=a(this.triggerType)}; -cR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_scheduled";this.triggerId=a(this.triggerType)}; -dR=function(a){var b=this;this.Ua=a;this.u=function(c){return PQ(b.Ua.get(),c)}}; -iH=function(a,b,c,d,e,f){f=void 0===f?[]:f;var h=OQ(a.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST"),l=[];d.Wn&&d.Wn.start!==d.gh.start&&l.push(new nH(a.u,c,new Gn(d.Wn.start,d.gh.start),!1));l.push(new nH(a.u,c,new Gn(d.gh.start,d.gh.end),d.Ov));d={getAdBreakUrl:b.getAdBreakUrl,eH:d.gh.start,dH:d.gh.end};b=new bR(a.u,h);f=[new ZG(d)].concat(g.ma(f));return{slotId:h,ab:"SLOT_TYPE_AD_BREAK_REQUEST",feedPosition:1,hc:b,Me:l,Af:[new XQ(a.u,c),new $Q(a.u,h),new aR(a.u,h)],bb:"core",va:new OP(f),adSlotLoggingData:e}}; -wqa=function(a,b,c){var d=[];c=g.q(c);for(var e=c.next();!e.done;e=c.next())d.push(vqa(a,b,e.value));return d}; -vqa=function(a,b,c){return null!=c.B&&c.B===a?c.clone(b):c}; -xqa=function(a,b,c,d,e){e=e?e:OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -eqa=function(a,b,c,d,e,f){var h=eR(a,b,c,d);if(h instanceof gH)return h;h instanceof nH&&(h=new nH(a.u,h.C,h.D,h.visible,h.F,!0));d=h instanceof nH?new WQ(a.u,c,h.D):null;b=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=f({slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:h},d);return f instanceof aQ?new gH(f):{slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:h,Me:[new ZQ(a.u,b)],Af:[new XQ(a.u,c),new $Q(a.u,b)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -Spa=function(a,b,c,d){var e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -Opa=function(a,b,c,d,e){var f=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new VQ(a.u,d,c);d={slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,f)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(e(d))])}}; -Jpa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),b);return yqa(a,h,b,new mH(a.u,d),c,e,f)}; -Ipa=function(a,b,c,d,e,f){return yqa(a,c,b,new YQ(a.u,c),d,e,f)}; -Vpa=function(a,b,c){var d=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES"),e=new uqa(a.u),f={slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:e};return{slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:e,Me:[new cR(a.u,d)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(c(f)),new UG({})])}}; -jqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES");b=eR(a,b,c,d);if(b instanceof gH)return b;f=f({slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:b});return f instanceof gH?f:{slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -cqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_FORECASTING");b=eR(a,b,c,d);if(b instanceof gH)return b;d={slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,bb:"core",hc:b};return{slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f(d))]),adSlotLoggingData:e}}; -eR=function(a,b,c,d){var e=!b.hideCueRangeMarker;switch(b.kind){case "AD_PLACEMENT_KIND_START":return new kH(a.u,c);case "AD_PLACEMENT_KIND_MILLISECONDS":b=hH(b,d);if(b instanceof gH)return b;b=b.gh;return new nH(a.u,c,b,e,b.end===d);case "AD_PLACEMENT_KIND_END":return new UQ(a.u,c,e);default:return new gH("Cannot construct entry trigger",{kind:b.kind})}}; -yqa=function(a,b,c,d,e,f,h){var l={slotId:b,ab:c,feedPosition:1,bb:"core",hc:d};return{slotId:b,ab:c,feedPosition:1,hc:d,Me:[new cR(a.u,b)],Af:[new XQ(a.u,e),new $Q(a.u,b)],bb:"core",va:new OP([new YG(h(l))]),adSlotLoggingData:f}}; -fR=function(a,b,c){g.C.call(this);this.Ca=a;this.u=b;this.Da=c;this.eventCount=0}; -kL=function(a,b,c){IQ(a,b,void 0,void 0,void 0,c,void 0,void 0,c.adSlotLoggingData,void 0)}; -$P=function(a,b,c,d){IQ(a,b,void 0,void 0,void 0,c,d?d:void 0,void 0,void 0,d?d.adLayoutLoggingData:void 0)}; -tpa=function(a,b,c,d){g.Q(a.Ca.get().J.T().experiments,"html5_control_flow_include_trigger_logging_in_tmp_logs")&&IQ(a,"ADS_CLIENT_EVENT_TYPE_TRIGGER_ACTIVATED",void 0,void 0,void 0,b,d?d:void 0,c,void 0,d?d.adLayoutLoggingData:void 0)}; -IQ=function(a,b,c,d,e,f,h,l,m,n){if(g.Q(a.Ca.get().J.T().experiments,"html5_enable_ads_client_monitoring_log")&&!g.Q(a.Ca.get().J.T().experiments,"html5_disable_client_tmp_logs")&&"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"!==b){var p=RP(a.u.get());b={eventType:b,eventOrder:++a.eventCount};var r=g.P(a.Ca.get().J.T().experiments,"html5_experiment_id_label"),t={organicPlaybackContext:{contentCpn:pG(a.Da.get(),1).clientPlaybackNonce}};t.organicPlaybackContext.isLivePlayback=pG(a.Da.get(),1).Wg;0b)return a;var c="";if(a.includes("event=")){var d=a.indexOf("event=");c=c.concat(a.substring(d,d+100),", ")}a.includes("label=")&&(d=a.indexOf("label="),c=c.concat(a.substring(d,d+100)));return 0=.25*e||c)&&LO(a.Ia,"first_quartile"),(b>=.5*e||c)&&LO(a.Ia,"midpoint"),(b>=.75*e||c)&&LO(a.Ia,"third_quartile")}; -Zqa=function(a,b){tM(a.Tc.get(),X(a.layout.va,"metadata_type_ad_placement_config").kind,b,a.position,a.P,!1)}; -UR=function(a,b,c,d,e){MR.call(this,a,b,c,d);this.u=e}; -ara=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B,E){if(CR(d,{Be:["metadata_type_sub_layouts"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})){var G=X(d.va,"metadata_type_sub_layouts");a=new NR(a,n,r,w,b,c,d,f);b=[];for(var K={Pl:0};K.Pl=e||0>=c||g.U(b,16)||g.U(b,32)||(RR(c,.25*e,d)&&LO(a.Ia,"first_quartile"),RR(c,.5*e,d)&&LO(a.Ia,"midpoint"),RR(c,.75*e,d)&&LO(a.Ia,"third_quartile"))}; -tra=function(a){return Object.assign(Object.assign({},sS(a)),{adPlacementConfig:X(a.va,"metadata_type_ad_placement_config"),subLayouts:X(a.va,"metadata_type_sub_layouts").map(sS)})}; -sS=function(a){return{enterMs:X(a.va,"metadata_type_layout_enter_ms"),exitMs:X(a.va,"metadata_type_layout_exit_ms")}}; -tS=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B){this.me=a;this.B=b;this.Da=c;this.eg=d;this.ua=e;this.Fa=f;this.Sc=h;this.ee=l;this.jb=m;this.Bd=n;this.Yc=p;this.Bb=r;this.Tc=t;this.ld=w;this.Dd=y;this.oc=x;this.Gd=B}; -uS=function(a,b,c,d,e,f,h){g.C.call(this);var l=this;this.tb=a;this.ib=b;this.Da=c;this.ee=e;this.ua=f;this.Ca=h;this.u=null;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(l)}); -e.get().addListener(this);g.eg(this,function(){e.get().removeListener(l)})}; -oqa=function(a,b){if(pG(a.Da.get(),1).daiEnabled&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===b.adPlacementRenderer.config.adPlacementConfig.kind)if(a.u)S("Unexpected multiple fetch instructions for the current content");else{a.u=b;for(var c=g.q(a.ee.get().u),d=c.next();!d.done;d=c.next())ura(a,a.u,d.value)}}; -ura=function(a,b,c){var d=kQ(a.ua.get(),1,!1);nG(a.tb.get(),"opportunity_type_live_stream_break_signal",function(){var e=a.ib.get(),f=g.Q(a.Ca.get().J.T().experiments,"enable_server_stitched_dai");var h=1E3*c.startSecs;h={gh:new Gn(h,h+1E3*c.durationSecs),Ov:!1};var l=c.startSecs+c.durationSecs;if(c.startSecs<=d)f=new Gn(1E3*(c.startSecs-4),1E3*l);else{var m=Math.max(0,c.startSecs-d-10);f=new Gn(1E3*Math.floor(d+Math.random()*(f?0===d?0:Math.min(m,5):m)),1E3*l)}h.Wn=f;return[iH(e,b.adPlacementRenderer.renderer.adBreakServiceRenderer, -b.contentCpn,h,b.adPlacementRenderer.adSlotLoggingData,[new NG(c)])]})}; -vS=function(a,b){var c;g.C.call(this);var d=this;this.D=a;this.B=new Map;this.C=new Map;this.u=null;b.get().addListener(this);g.eg(this,function(){b.get().removeListener(d)}); -this.u=(null===(c=b.get().u)||void 0===c?void 0:c.slotId)||null}; -vra=function(a,b){for(var c=[],d=g.q(a.values()),e=d.next();!e.done;e=d.next())e=e.value,e.slot.slotId===b&&c.push(e);return c}; -wS=function(a,b,c,d){g.C.call(this);this.J=a;this.Da=b;this.Ca=c;this.Fa=d;this.listeners=[];this.B=new Set;this.u=[];this.D=new fM(this,Cqa(c.get()));this.C=new gM;wra(this)}; -pra=function(a,b,c){return hM(a.C,b,c)}; -wra=function(a){var b,c=a.J.getVideoData(1);c.subscribe("cuepointupdated",a.Ez,a);a.B.clear();a.u.length=0;c=(null===(b=c.ra)||void 0===b?void 0:RB(b,0))||[];a.Ez(c)}; -xra=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START";default:throw Error("Unexpected cuepoint event");}}; -yra=function(a){this.J=a}; -Ara=function(a,b,c){zra(a.J,b,c)}; -xS=function(){this.listeners=new Set}; -yS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="image-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Bra=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; -zS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="shopping-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Cra=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; -Dra=function(a,b,c,d,e){this.Vb=a;this.Fa=b;this.me=c;this.Nd=d;this.jb=e}; -AS=function(a,b,c,d,e,f,h,l,m,n){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.ua=l;this.oc=m;this.Ca=n;this.Ia=Eoa(b,c)}; -Era=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; -BS=function(a,b,c,d,e,f,h,l,m,n,p){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.D=l;this.ua=m;this.oc=n;this.Ca=p;this.Ia=Eoa(b,c)}; -CS=function(a,b,c,d,e,f,h,l,m){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.jb=e;this.B=f;this.C=h;this.oc=l;this.Ca=m}; -DS=function(a){g.C.call(this);this.u=a;this.ob=new Map}; -ES=function(a,b){for(var c=[],d=g.q(a.ob.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.layoutId===b.layoutId&&c.push(e);c.length&&gQ(a.u(),c)}; -FS=function(a){g.C.call(this);this.C=a;this.Wi=!0;this.ob=new Map;this.u=new Map;this.B=new Map}; -Fra=function(a,b){var c=[],d=a.u.get(b.layoutId);if(d){d=g.q(d);for(var e=d.next();!e.done;e=d.next())(e=a.B.get(e.value.triggerId))&&c.push(e)}return c}; -GS=function(a,b,c){g.C.call(this);this.C=a;this.bj=b;this.Ua=c;this.u=this.B=void 0;this.bj.get().addListener(this)}; -Gra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,"SLOT_TYPE_ABOVE_FEED",f.Gi)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.MB=Y(function(){return new Dra(f.Vb,f.Fa,a,f.Ib,f.jb)}); -g.D(this,this.MB);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Qe],["SLOT_TYPE_ABOVE_FEED",this.zc],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty", -this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED", -this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_ABOVE_FEED", -this.MB],["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:this.fc,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(),Wh:this.Ed,vg:this.Ib.get()}}; -Hra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc], -["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled", -this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received", -this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(), -Wh:this.Ed,vg:this.Ib.get()}}; -Ira=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.xG=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.xG);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.xG],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Jra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING", -this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -IS=function(a,b,c,d,e,f,h,l){JR.call(this,a,b,c,d,e,f,h);this.Jn=l}; -Kra=function(a,b,c,d,e){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.Jn=e}; -Lra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Jn=Y(function(){return new lra(b)}); -g.D(this,this.Jn);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(cra,HS,function(l,m,n,p){var r=f.Cb.get(),t=sqa(n);t.push(new yG(n.sJ));t.push(new zG(n.vJ));return tqa(l,m,n,new OP(t),p,r.Ua.get())},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.wI=Y(function(){return new Kra(f.Vb,f.ua,f.Fa,f.Ib,f.Jn)}); -g.D(this,this.wI);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.wI],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Mra=function(a,b,c,d){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d}; -Nra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,f.Gi,3)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new Mra(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested", -this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended", -this.rd],["trigger_type_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:null,qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Pra=function(a,b,c,d){g.C.call(this);var e=this;this.u=Ora(function(){return e.B},a,b,c,d); -g.D(this,this.u);this.B=(new Gpa(this.u)).B;g.D(this,this.B)}; -Ora=function(a,b,c,d,e){try{var f=b.T();if(g.HD(f))var h=new Gra(a,b,c,d,e);else if(g.LD(f))h=new Hra(a,b,c,d,e);else if(MD(f))h=new Jra(a,b,c,d,e);else if(yD(f))h=new Ira(a,b,c,d,e);else if(KD(f))h=new Lra(a,b,c,d,e);else if(g.xD(f))h=new Nra(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return e=b.T(),S("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:e.deviceParams.cplatform,"interface":e.deviceParams.c,b5:e.deviceParams.cver,a5:e.deviceParams.ctheme, -Z4:e.deviceParams.cplayer,p5:e.playerStyle}),new Mqa(a,b,c,d)}}; -Qra=function(a,b,c){this.u=a;this.yi=b;this.B=c}; -g.JS=function(a){g.O.call(this);this.loaded=!1;this.player=a}; -KS=function(a){g.JS.call(this,a);var b=this;this.u=null;this.D=new bG(this.player);this.C=null;this.F=function(){function d(){return b.u} -if(null!=b.C)return b.C;var e=Sma({vC:a.getVideoData(1)});e=new fpa({tJ:new Qra(d,b.B.u.Ke.yi,b.B.B),Ip:e.jK(),uJ:d,FJ:d,KN:d,Wh:b.B.u.Ke.Wh,ci:e.jy(),J:b.player,qg:b.B.u.Ke.qg,Fa:b.B.u.Fa,vg:b.B.u.Ke.vg});b.C=e.B;return b.C}; -this.B=new Pra(this.player,this,this.D,this.F);g.D(this,this.B);this.created=!1;var c=a.T();!uD(c)||g.xD(c)||yD(c)||(c=function(){return b.u},g.D(this,new CP(a,c)),g.D(this,new CN(a,c)))}; -Rra=function(a){var b=a.B.u.Ke.Pb,c=b.u().u;c=jQ(c,"SLOT_TYPE_PLAYER_BYTES_1");var d=[];c=g.q(c.values());for(var e=c.next();!e.done;e=c.next())d.push(e.value.slot);b=pG(b.Da.get(),1).clientPlaybackNonce;c=!1;e=void 0;d=g.q(d);for(var f=d.next();!f.done;f=d.next()){f=f.value;var h=lH(f)?f.hc.C:void 0;h&&h===b&&(h=X(f.va,"metadata_type_fulfilled_layout"),c&&S("More than 1 preroll playerBytes slot detected",f,h,{matches_layout_id:String(e&&h?e.layoutId===h.layoutId:!1),found_layout_id:(null===e||void 0=== -e?void 0:e.layoutId)||"empty",collide_layout_id:(null===h||void 0===h?void 0:h.layoutId)||"empty"}),c=!0,e=h)}(b=c)||(b=a.u,b=!rna(b,una(b)));b||a.B.u.Ke.yl.u()}; -Sra=function(a){a=g.q(a.B.u.Ke.vg.u.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.ab&&"core"===b.bb)return!0;return!1}; -oG=function(a,b,c){c=void 0===c?"":c;var d=a.B.u.Ke.qg,e=a.player.getVideoData(1);e=e&&e.getPlayerResponse()||{};d=Tra(b,d,e&&e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1);zia(a.B.u.Ke.Qb,c,d.Mo,b);a.u&&0b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);LS=new Uint8Array(256);MS=[];NS=[];OS=[];PS=[];for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;LS[f]=e;b=e<<1^(e>>7&&283);var h=b^e;MS.push(b<<24|e<<16|e<<8|h);NS.push(h<<24|MS[f]>>>8);OS.push(e<<24|NS[f]>>>8);PS.push(e<<24|OS[f]>>>8)}}this.u=[0,0,0,0];this.C=new Uint8Array(16);e=[];for(c=0;4>c;c++)e.push(a[4*c]<<24|a[4*c+1]<<16|a[4* -c+2]<<8|a[4*c+3]);for(d=1;44>c;c++)a=e[c-1],c%4||(a=(LS[a>>16&255]^d)<<24|LS[a>>8&255]<<16|LS[a&255]<<8|LS[a>>>24],d=d<<1^(d>>7&&283)),e.push(e[c-4]^a);this.D=e;this.B=16}; -Ura=function(a,b){for(var c=0;4>c;c++)a.u[c]=b[4*c]<<24|b[4*c+1]<<16|b[4*c+2]<<8|b[4*c+3];a.B=16}; -Vra=function(a){for(var b=a.D,c=a.u[0]^b[0],d=a.u[1]^b[1],e=a.u[2]^b[2],f=a.u[3]^b[3],h=3;0<=h&&!(a.u[h]=-~a.u[h]);h--);for(h=4;40>h;){var l=MS[c>>>24]^NS[d>>16&255]^OS[e>>8&255]^PS[f&255]^b[h++];var m=MS[d>>>24]^NS[e>>16&255]^OS[f>>8&255]^PS[c&255]^b[h++];var n=MS[e>>>24]^NS[f>>16&255]^OS[c>>8&255]^PS[d&255]^b[h++];f=MS[f>>>24]^NS[c>>16&255]^OS[d>>8&255]^PS[e&255]^b[h++];c=l;d=m;e=n}a=a.C;c=[c,d,e,f];for(d=0;16>d;)a[d++]=LS[c[0]>>>24]^b[h]>>>24,a[d++]=LS[c[1]>>16&255]^b[h]>>16&255,a[d++]=LS[c[2]>> -8&255]^b[h]>>8&255,a[d++]=LS[c[3]&255]^b[h++]&255,c.push(c.shift())}; -g.RS=function(){g.C.call(this);this.C=null;this.K=this.I=!1;this.F=new g.am;g.D(this,this.F)}; -SS=function(a){a=a.yq();return 1>a.length?NaN:a.end(a.length-1)}; -Wra=function(a,b){a.C&&null!==b&&b.u===a.C.u||(a.C&&a.C.dispose(),a.C=b)}; -TS=function(a){return fA(a.Gf(),a.getCurrentTime())}; -Xra=function(a,b){if(0==a.yg()||0e&&(b+="0"));if(0f&&(b+="0");b+=f+":";10>c&&(b+="0");d=b+c}return 0<=a?d:"-"+d}; +g.fR=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; +gR=function(a,b,c,d,e,f){NQ.call(this,a,{G:"span",N:"ytp-ad-duration-remaining"},"ad-duration-remaining",b,c,d,e);this.videoAdDurationSeconds=f;this.u=null;this.hide()}; +hR=function(a,b,c,d){LQ.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; +iR=function(a,b){this.u=a;this.j=b}; +rFa=function(a,b){return a.u+b*(a.j-a.u)}; +jR=function(a,b,c){return a.j-a.u?g.ze((b-a.u)/(a.j-a.u),0,1):null!=c?c:Infinity}; +kR=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-ad-persistent-progress-bar-container",W:[{G:"div",N:"ytp-ad-persistent-progress-bar"}]});this.api=a;this.u=b;g.E(this,this.u);this.Kc=this.Da("ytp-ad-persistent-progress-bar");this.j=-1;this.S(a,"presentingplayerstatechange",this.onStateChange);this.hide();this.onStateChange()}; +lR=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-player-overlay",W:[{G:"div",N:"ytp-ad-player-overlay-flyout-cta"},{G:"div",N:"ytp-ad-player-overlay-instream-info"},{G:"div",N:"ytp-ad-player-overlay-skip-or-preview"},{G:"div",N:"ytp-ad-player-overlay-progress-bar"},{G:"div",N:"ytp-ad-player-overlay-instream-user-sentiment"}]},"player-overlay",b,c,d);this.J=f;this.C=this.Da("ytp-ad-player-overlay-flyout-cta");this.api.V().K("web_rounded_thumbnails")&&this.C.classList.add("ytp-ad-player-overlay-flyout-cta-rounded"); +this.u=this.Da("ytp-ad-player-overlay-instream-info");this.B=null;sFa(this)&&(a=pf("div"),g.Qp(a,"ytp-ad-player-overlay-top-bar-gradients"),b=this.u,b.parentNode&&b.parentNode.insertBefore(a,b),(b=this.api.getVideoData(2))&&b.isListed&&b.title&&(c=new hR(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),c.Ea(a),c.init(fN("ad-title"),{text:b.title},this.macros),g.E(this,c)),this.B=a);this.D=this.Da("ytp-ad-player-overlay-skip-or-preview");this.Aa=this.Da("ytp-ad-player-overlay-progress-bar"); +this.Z=this.Da("ytp-ad-player-overlay-instream-user-sentiment");this.j=e;g.E(this,this.j);this.hide()}; +sFa=function(a){a=a.api.V();return g.nK(a)&&a.u}; +mR=function(a,b,c){var d={};b&&(d.v=b);c&&(d.list=c);a={name:a,locale:void 0,feature:void 0};for(var e in d)a[e]=d[e];d=g.Zi("/sharing_services",a);g.ZB(d)}; +g.nR=function(a){a&=16777215;var b=[(a&16711680)>>16,(a&65280)>>8,a&255];a=b[0];var c=b[1];b=b[2];a=Number(a);c=Number(c);b=Number(b);if(a!=(a&255)||c!=(c&255)||b!=(b&255))throw Error('"('+a+","+c+","+b+'") is not a valid RGB color');c=a<<16|c<<8|b;return 16>a?"#"+(16777216|c).toString(16).slice(1):"#"+c.toString(16)}; +vFa=function(a,b){if(!a)return!1;var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow)return!!b.ow[d];var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK)return!!b.ZK[c];for(var f in a)if(b.VK[f])return!0;return!1}; +wFa=function(a,b){var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow&&(c=b.ow[d]))return c();var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK&&(e=b.ZK[c]))return e();for(var f in a)if(b.VK[f]&&(a=b.VK[f]))return a()}; +oR=function(a){return function(){return new a}}; +yFa=function(a){var b=void 0===b?"UNKNOWN_INTERFACE":b;if(1===a.length)return a[0];var c=xFa[b];if(c){var d=new RegExp(c),e=g.t(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,d.exec(c))return c}var f=[];Object.entries(xFa).forEach(function(h){var l=g.t(h);h=l.next().value;l=l.next().value;b!==h&&f.push(l)}); d=new RegExp(f.join("|"));a.sort(function(h,l){return h.length-l.length}); -e=g.q(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,!d.exec(c))return c;return a[0]}; -bT=function(a){return"/youtubei/v1/"+isa(a)}; -dT=function(){}; -eT=function(){}; -fT=function(){}; -gT=function(){}; -hT=function(){}; -iT=function(){this.u=this.B=void 0}; -jsa=function(){iT.u||(iT.u=new iT);return iT.u}; -ksa=function(a,b){var c=g.vo("enable_get_account_switcher_endpoint_on_webfe")?b.text().then(function(d){return JSON.parse(d.replace(")]}'",""))}):b.json(); -b.redirected||b.ok?a.u&&a.u.success():(a.u&&a.u.failure(),c=c.then(function(d){g.Is(new g.tr("Error: API fetch failed",b.status,b.url,d));return Object.assign(Object.assign({},d),{errorMetadata:{status:b.status}})})); -return c}; -kT=function(a){if(!jT){var b={lt:{playlistEditEndpoint:hT,subscribeEndpoint:eT,unsubscribeEndpoint:fT,modifyChannelNotificationPreferenceEndpoint:gT}},c=g.vo("web_enable_client_location_service")?WF():void 0,d=[];c&&d.push(c);void 0===a&&(a=Kq());c=jsa();aT.u=new aT(b,c,a,Mea,d);jT=aT.u}return jT}; -lsa=function(a,b){var c={commandMetadata:{webCommandMetadata:{apiUrl:"/youtubei/v1/browse/edit_playlist",url:"/service_ajax",sendPost:!0}},playlistEditEndpoint:{playlistId:"WL",actions:b}},d={list_id:"WL"};c=cT(kT(),c);Am(c.then(function(e){if(e&&"STATUS_SUCCEEDED"===e.status){if(a.onSuccess)a.onSuccess({},d)}else if(a.onError)a.onError({},d)}),function(){a.Zf&&a.Zf({},d)})}; -nsa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{addedVideoId:a.videoIds,action:"ACTION_ADD_VIDEO"}]):msa("add_to_watch_later_list",a,b,c)}; -osa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{removedVideoId:a.videoIds,action:"ACTION_REMOVE_VIDEO_BY_VIDEO_ID"}]):msa("delete_from_watch_later_list",a,b,c)}; -msa=function(a,b,c,d){g.qq(c?c+"playlist_video_ajax?action_"+a+"=1":"/playlist_video_ajax?action_"+a+"=1",{method:"POST",si:{feature:b.feature||null,authuser:b.ye||null,pageid:b.pageId||null},tc:{video_ids:b.videoIds||null,source_playlist_id:b.sourcePlaylistId||null,full_list_id:b.fullListId||null,delete_from_playlists:b.q5||null,add_to_playlists:b.S4||null,plid:g.L("PLAYBACK_ID")||null},context:b.context,onError:b.onError,onSuccess:function(e,f){b.onSuccess.call(this,e,f)}, -Zf:b.Zf,withCredentials:!!d})}; -g.qsa=function(a,b,c){b=psa(null,b,c);if(b=window.open(b,"loginPopup","width=800,height=600,resizable=yes,scrollbars=yes",!0))c=g.No("LOGGED_IN",function(d){g.Oo(g.L("LOGGED_IN_PUBSUB_KEY",void 0));so("LOGGED_IN",!0);a(d)}),so("LOGGED_IN_PUBSUB_KEY",c),b.moveTo((screen.width-800)/2,(screen.height-600)/2)}; -psa=function(a,b,c){var d="/signin?context=popup";c&&(d=document.location.protocol+"//"+c+d);c=document.location.protocol+"//"+document.domain+"/post_login";a&&(c=Ld(c,"mode",a));a=Ld(d,"next",c);b&&(a=Ld(a,"feature",b));return a}; -lT=function(){}; -mT=function(){}; -ssa=function(){var a,b;return We(this,function d(){var e;return xa(d,function(f){e=navigator;return(null===(a=e.storage)||void 0===a?0:a.estimate)?f["return"](e.storage.estimate()):(null===(b=e.webkitTemporaryStorage)||void 0===b?0:b.u)?f["return"](rsa()):f["return"]()})})}; -rsa=function(){var a=navigator;return new Promise(function(b,c){var d;null!==(d=a.webkitTemporaryStorage)&&void 0!==d&&d.u?a.webkitTemporaryStorage.u(function(e,f){b({usage:e,quota:f})},function(e){c(e)}):c(Error("webkitTemporaryStorage is not supported."))})}; -Mq=function(a,b,c){var d=this;this.zy=a;this.handleError=b;this.u=c;this.B=!1;void 0===self.document||self.addEventListener("beforeunload",function(){d.B=!0})}; -Pq=function(a){var b=Lq;if(a instanceof vr)switch(a.type){case "UNKNOWN_ABORT":case "QUOTA_EXCEEDED":case "QUOTA_MAYBE_EXCEEDED":b.zy(a);break;case "EXPLICIT_ABORT":a.sampleWeight=0;break;default:b.handleError(a)}else b.handleError(a)}; -usa=function(a,b){ssa().then(function(c){c=Object.assign(Object.assign({},b),{isSw:void 0===self.document,isIframe:self!==self.top,deviceStorageUsageMbytes:tsa(null===c||void 0===c?void 0:c.usage),deviceStorageQuotaMbytes:tsa(null===c||void 0===c?void 0:c.quota)});a.u("idbQuotaExceeded",c)})}; -tsa=function(a){return"undefined"===typeof a?"-1":String(Math.ceil(a/1048576))}; -vsa=function(){ZE("bg_l","player_att");nT=(0,g.N)()}; -wsa=function(a){a=void 0===a?{}:a;var b=Ps;a=void 0===a?{}:a;return b.u?b.u.hot?b.u.hot(void 0,void 0,a):b.u.invoke(void 0,void 0,a):null}; -xsa=function(a){a=void 0===a?{}:a;return Qea(a)}; -ysa=function(a,b){var c=this;this.videoData=a;this.C=b;var d={};this.B=(d.c1a=function(){if(oT(c)){var e="";c.videoData&&c.videoData.rh&&(e=c.videoData.rh+("&r1b="+c.videoData.clientPlaybackNonce));var f={};e=(f.atr_challenge=e,f);ZE("bg_v","player_att");e=c.C?wsa(e):g.Ja("yt.abuse.player.invokeBotguard")(e);ZE("bg_s","player_att");e=e?"r1a="+e:"r1c=2"}else ZE("bg_e","player_att"),e="r1c=1";return e},d.c3a=function(e){return"r3a="+Math.floor(c.videoData.lengthSeconds%Number(e.c3a)).toString()},d.c6a= -function(e){e=Number(e.c); -var f=c.C?parseInt(g.L("DCLKSTAT",0),10):(f=g.Ja("yt.abuse.dclkstatus.checkDclkStatus"))?f():NaN;return"r6a="+(e^f)},d); -this.videoData&&this.videoData.rh?this.u=Xp(this.videoData.rh):this.u={}}; -zsa=function(a){if(a.videoData&&a.videoData.rh){for(var b=[a.videoData.rh],c=g.q(Object.keys(a.B)),d=c.next();!d.done;d=c.next())d=d.value,a.u[d]&&a.B[d]&&(d=a.B[d](a.u))&&b.push(d);return b.join("&")}return null}; -Bsa=function(a){var b={};Object.assign(b,a.B);"c1b"in a.u&&(b.c1a=function(){return Asa(a)}); -if(a.videoData&&a.videoData.rh){for(var c=[a.videoData.rh],d=g.q(Object.keys(b)),e=d.next();!e.done;e=d.next())e=e.value,a.u[e]&&b[e]&&(e=b[e](a.u))&&c.push(e);return new Promise(function(f,h){Promise.all(c).then(function(l){f(l.filter(function(m){return!!m}).join("&"))},h)})}return Promise.resolve(null)}; -oT=function(a){return a.C?Ps.Yd():(a=g.Ja("yt.abuse.player.botguardInitialized"))&&a()}; -Asa=function(a){if(!oT(a))return ZE("bg_e","player_att"),Promise.resolve("r1c=1");var b="";a.videoData&&a.videoData.rh&&(b=a.videoData.rh+("&r1b="+a.videoData.clientPlaybackNonce));var c={},d=(c.atr_challenge=b,c),e=a.C?xsa:g.Ja("yt.abuse.player.invokeBotguardAsync");return new Promise(function(f){ZE("bg_v","player_att");e(d).then(function(h){h?(ZE("bg_s","player_att"),f("r1a="+h)):(ZE("bg_e","player_att"),f("r1c=2"))},function(){ZE("bg_e","player_att"); -f("r1c=3")})})}; -Csa=function(a,b,c){"string"===typeof a&&(a={mediaContentUrl:a,startSeconds:b,suggestedQuality:c});a:{if((b=a.mediaContentUrl)&&(b=/\/([ve]|embed)\/([^#?]+)/.exec(b))&&b[2]){b=b[2];break a}b=null}a.videoId=b;return pT(a)}; -pT=function(a,b,c){if("string"===typeof a)return{videoId:a,startSeconds:b,suggestedQuality:c};b=["endSeconds","startSeconds","mediaContentUrl","suggestedQuality","videoId"];c={};for(var d=0;dd&&(d=-(d+1));g.Ie(a,b,d);b.setAttribute("data-layer",String(c))}; -g.XT=function(a){var b=a.T();if(!b.Zb)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=!c.isLiveDefaultBroadcast||g.Q(b.experiments,"allow_poltergust_autoplay");d=c.isLivePlayback&&(!g.Q(b.experiments,"allow_live_autoplay")||!d);var e=c.isLivePlayback&&g.Q(b.experiments,"allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.hasNext();var f=c.watchNextResponse&&c.watchNextResponse.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay); -f=c.qc&&f;return!c.ypcPreview&&(!d||e)&&!g.jb(c.Of,"ypc")&&!a&&(!g.hD(b)||f)}; -g.ZT=function(a,b,c,d,e){a.T().ia&&dta(a.app.ia,b,c,d,void 0===e?!1:e)}; -g.MN=function(a,b,c,d){a.T().ia&&eta(a.app.ia,b,c,void 0===d?!1:d)}; -g.NN=function(a,b,c){a.T().ia&&(a.app.ia.elements.has(b),c&&(b.visualElement=g.Lt(c)))}; -g.$T=function(a,b,c){a.T().ia&&a.app.ia.click(b,c)}; -g.QN=function(a,b,c,d){if(a.T().ia){a=a.app.ia;a.elements.has(b);c?a.u.add(b):a.u["delete"](b);var e=g.Rt(),f=b.visualElement;a.B.has(b)?e&&f&&(c?g.eu(e,[f]):g.fu(e,[f])):c&&!a.C.has(b)&&(e&&f&&g.Yt(e,f,d),a.C.add(b))}}; -g.PN=function(a,b){return a.T().ia?a.app.ia.elements.has(b):!1}; -g.yN=function(a,b){if(a.app.getPresentingPlayerType()===b){var c=a.app,d=g.Z(c,b);d&&(c.ea("release presenting player, type "+d.getPlayerType()+", vid "+d.getVideoData().videoId),d!==c.B?aU(c,c.B):fta(c))}}; -zra=function(a,b,c){c=void 0===c?Infinity:c;a=a.app;b=void 0===b?-1:b;b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.I?bU(a.I,b,c):cU(a.te,b,c)}; -gta=function(a){if(!a.ba("html5_inline_video_quality_survey"))return!1;var b=g.Z(a.app);if(!b)return!1;var c=b.getVideoData();if(!c.Oa||!c.Oa.video||1080>c.Oa.video.Fc||c.OD)return!1;var d=/^qsa/.test(c.clientPlaybackNonce),e="r";0<=c.Oa.id.indexOf(";")&&(d=/^[a-p]/.test(c.clientPlaybackNonce),e="x");a.ba("html5_inline_video_quality_survey_always")&&(d=!0,e="a");return d?(b.Na("iqss",e,!0),!0):!1}; -dU=function(a,b){this.W=a;this.timerName="";this.B=!1;this.u=b||null;this.B=!1}; -hta=function(a){a=a.timerName;OE("yt_sts","p",a);PE("_start",void 0,a)}; -$sa=function(a,b,c){var d=g.nD(b.Sa)&&b.Sa.Sl&&mJ(b);if(b.Sa.Ql&&(jD(b.Sa)||RD(b.Sa)||d)&&!a.B){a.B=!0;g.L("TIMING_ACTION")||so("TIMING_ACTION",a.W.csiPageType);a.W.csiServiceName&&so("CSI_SERVICE_NAME",a.W.csiServiceName);if(a.u){b=a.u.B;d=g.q(Object.keys(b));for(var e=d.next();!e.done;e=d.next())e=e.value,PE(e,b[e],a.timerName);b=a.u.u;d=g.q(Object.keys(b));for(e=d.next();!e.done;e=d.next())e=e.value,OE(e,b[e],a.timerName);b=a.u;b.B={};b.u={}}OE("yt_pvis",Oha(),a.timerName);OE("yt_pt","html5",a.timerName); -c&&!WE("pbs",a.timerName)&&a.tick("pbs",c);c=a.W;!RD(c)&&!jD(c)&&WE("_start",a.timerName)&&$E(a.timerName)}}; -g.eU=function(a,b){this.type=a||"";this.id=b||""}; -g.fU=function(a,b){g.O.call(this);this.Sa=a;this.startSeconds=0;this.shuffle=!1;this.index=0;this.title="";this.length=0;this.items=[];this.Pd=this.loaded=!1;this.Ad=this.Ix=this.Cr=null;this.dislikes=this.likes=this.views=0;this.order=[];this.author="";this.li={};this.xu=0;var c=b.session_data;c&&(this.Ad=Vp(c));this.AJ=0!==b.fetch;this.index=Math.max(0,Number(b.index)||0);this.loop=!!b.loop;this.startSeconds=Number(b.startSeconds)||0;this.JN="1"===b.mob;this.title=b.playlist_title||"";this.description= -b.playlist_description||"";this.author=b.author||b.playlist_author||"";b.video_id&&(this.items[this.index]=b);if(c=b.api)"string"===typeof c&&16===c.length?b.list="PL"+c:b.playlist=c;if(c=b.list)switch(b.listType){case "user_uploads":this.Pd||(this.listId=new g.eU("UU","PLAYER_"+c),this.loadPlaylist("/list_ajax?style=json&action_get_user_uploads_by_user=1",{username:c}));break;case "search":ita(this,c);break;default:var d=b.playlist_length;d&&(this.length=Number(d)||0);this.listId=new g.eU(c.substr(0, -2),c.substr(2));(c=b.video)?(this.items=c.slice(0),this.loaded=!0):jta(this)}else if(b.playlist){c=b.playlist.toString().split(",");0=a.length?0:b}; -lta=function(a){var b=a.index-1;return 0>b?a.length-1:b}; -hU=function(a,b){a.index=g.ce(b,0,a.length-1);a.startSeconds=0}; -ita=function(a,b){if(!a.Pd){a.listId=new g.eU("SR",b);var c={search_query:b};a.JN&&(c.mob="1");a.loadPlaylist("/search_ajax?style=json&embeddable=1",c)}}; -jta=function(a){if(!a.Pd){var b=b||a.listId;b={list:b};var c=a.Ma();c&&c.videoId&&(b.v=c.videoId);a.loadPlaylist("/list_ajax?style=json&action_get_list=1",b)}}; -iU=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=a.Ma();a.items=[];for(var d=g.q(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(d=b.index)?a.index=d:a.findIndex(c);a.setShuffle(!1);a.Pd=!1;a.loaded=!0;a.xu++;a.Cr&&a.Cr()}}; -jU=function(a){var b=g.ZF(),c=a.Ug;c&&(b.clickTracking={clickTrackingParams:c});var d=b.client||{},e="EMBED",f=kJ(a);c=a.T();"leanback"===f?e="WATCH":c.ba("gvi_channel_client_screen")&&"profilepage"===f?e="CHANNEL":a.Zi?e="LIVE_MONITOR":"detailpage"===f?e="WATCH_FULL_SCREEN":"adunit"===f?e="ADUNIT":"sponsorshipsoffer"===f&&(e="UNKNOWN");d.clientScreen=e;if(c.Ja){f=c.Ja.split(",");e=[];f=g.q(f);for(var h=f.next();!h.done;h=f.next())e.push(Number(h.value));d.experimentIds=e}if(e=c.getPlayerType())d.playerType= -e;if(e=c.deviceParams.ctheme)d.theme=e;a.ws&&(d.unpluggedAppInfo={enableFilterMode:!0});if(e=a.ue)d.unpluggedLocationInfo=e;b.client=d;d=b.request||{};if(e=a.mdxEnvironment)d.mdxEnvironment=e;if(e=a.mdxControlMode)d.mdxControlMode=mta[e];b.request=d;d=b.user||{};if(e=a.lg)d.credentialTransferTokens=[{token:e,scope:"VIDEO"}];if(e=a.Ph)d.delegatePurchases={oauthToken:e},d.kidsParent={oauthToken:e};b.user=d;if(d=a.contextParams)b.activePlayers=[{playerContextParams:d}];if(a=a.clientScreenNonce)b.clientScreenNonce= -a;if(a=c.Qa)b.thirdParty={embedUrl:a};return b}; -kU=function(a,b,c){var d=a.videoId,e=jU(a),f=a.T(),h={html5Preference:"HTML5_PREF_WANTS",lactMilliseconds:String(Bp()),referer:document.location.toString(),signatureTimestamp:18610};g.ht.getInstance();a.Kh&&(h.autonav=!0);g.jt(0,141)&&(h.autonavState=g.jt(0,140)?"STATE_OFF":"STATE_ON");h.autoCaptionsDefaultOn=g.jt(0,66);nJ(a)&&(h.autoplay=!0);f.C&&a.cycToken&&(h.cycToken=a.cycToken);a.Ly&&(h.fling=!0);var l=a.Yn;if(l){var m={},n=l.split("|");3===n.length?(m.breakType=nta[n[0]],m.offset={kind:"OFFSET_MILLISECONDS", -value:String(Number(n[1])||0)},m.url=n[2]):m.url=l;h.forceAdParameters={videoAds:[m]}}a.isLivingRoomDeeplink&&(h.isLivingRoomDeeplink=!0);l=a.Cu;if(null!=l){l={startWalltime:String(l)};if(m=a.vo)l.manifestDuration=String(m||14400);h.liveContext=l}a.mutedAutoplay&&(h.mutedAutoplay=!0);a.Uj&&(h.splay=!0);l=a.vnd;5===l&&(h.vnd=l);if((l=a.isMdxPlayback)||g.Q(f.experiments,"send_mdx_remote_data_if_present")){l={triggeredByMdx:l};if(n=a.nf)m=n.startsWith("!"),n=n.split("-"),3===n.length?(m&&(n[0]=n[0].substr(1)), -m={clientName:ota[n[0]]||"UNKNOWN_INTERFACE",platform:pta[n[1]]||"UNKNOWN_PLATFORM",applicationState:m?"INACTIVE":"ACTIVE",clientVersion:n[2]||""},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]):(m={clientName:"UNKNOWN_INTERFACE"},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]);if(m=a.Cj)l.skippableAdsSupported=m.split(",").includes("ska");h.mdxContext=l}l=b.width; -0Math.random()){var B=new g.tr("Unable to load player module",b+".js from "+d+" on "+(document.location&&document.location.origin)+".");g.Hs(B)}gm(p);t&&t(x)}; -var w=h,y=w.onreadystatechange;w.onreadystatechange=function(x){switch(w.readyState){case "loaded":case "complete":gm(n)}y&&y(x)}; -f&&((e=a.J.T().cspNonce)&&h.setAttribute("nonce",e),g.kd(h,g.sg(d)),e=document.getElementsByTagName("HEAD")[0]||document.body,e.insertBefore(h,e.firstChild),g.eg(a,function(){h.parentNode&&h.parentNode.removeChild(h);g.qU[b]=null;"annotations_module"===b&&(g.qU.creatorendscreen=null)}))}}; -xU=function(a,b,c,d){g.O.call(this);var e=this;this.target=a;this.aa=b;this.B=0;this.I=!1;this.D=new g.ge(NaN,NaN);this.u=new g.tR(this);this.ha=this.C=this.K=null;g.D(this,this.u);b=d?4E3:3E3;this.P=new g.F(function(){wU(e,1,!1)},b,this); -g.D(this,this.P);this.X=new g.F(function(){wU(e,2,!1)},b,this); -g.D(this,this.X);this.Y=new g.F(function(){wU(e,512,!1)},b,this); -g.D(this,this.Y);this.fa=c&&01+b&&a.api.toggleFullscreen()}; -Nta=function(){var a=er()&&67<=br();return!dr("tizen")&&!fD&&!a&&!0}; -WU=function(a){g.V.call(this,{G:"button",la:["ytp-button","ytp-back-button"],S:[{G:"div",L:"ytp-arrow-back-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},S:[{G:"path",U:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",wb:!0,U:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.J=a;g.JN(this,a.T().showBackButton);this.wa("click",this.onClick)}; -g.XU=function(a){g.V.call(this,{G:"div",S:[{G:"div",L:"ytp-bezel-text-wrapper",S:[{G:"div",L:"ytp-bezel-text",Z:"{{title}}"}]},{G:"div",L:"ytp-bezel",U:{role:"status","aria-label":"{{label}}"},S:[{G:"div",L:"ytp-bezel-icon",Z:"{{icon}}"}]}]});this.J=a;this.B=new g.F(this.show,10,this);this.u=new g.F(this.hide,500,this);g.D(this,this.B);g.D(this,this.u);this.hide()}; -ZU=function(a,b,c){if(0>=b){c=dO();b="muted";var d=0}else c=c?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", -fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";YU(a,c,b,d+"%")}; -Sta=function(a,b){var c=b?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]},d=a.J.getPlaybackRate(),e=g.tL("Speed is $RATE",{RATE:String(d)});YU(a,c,e,d+"x")}; -YU=function(a,b,c,d){d=void 0===d?"":d;a.ya("label",void 0===c?"":c);a.ya("icon",b);a.u.rg();a.B.start();a.ya("title",d);g.J(a.element,"ytp-bezel-text-hide",!d)}; -$U=function(a,b,c){g.V.call(this,{G:"div",L:"ytp-cards-teaser",S:[{G:"div",L:"ytp-cards-teaser-box"},{G:"div",L:"ytp-cards-teaser-text",S:[{G:"span",L:"ytp-cards-teaser-label",Z:"{{text}}"}]}]});var d=this;this.J=a;this.X=b;this.Di=c;this.D=new g.mO(this,250,!1,250);this.u=null;this.K=new g.F(this.wP,300,this);this.I=new g.F(this.vP,2E3,this);this.F=[];this.B=null;this.P=new g.F(function(){d.element.style.margin="0"},250); -this.C=null;g.D(this,this.D);g.D(this,this.K);g.D(this,this.I);g.D(this,this.P);this.N(c.element,"mouseover",this.VE);this.N(c.element,"mouseout",this.UE);this.N(a,"cardsteasershow",this.LQ);this.N(a,"cardsteaserhide",this.nb);this.N(a,"cardstatechange",this.fI);this.N(a,"presentingplayerstatechange",this.fI);this.N(a,"appresize",this.ZA);this.N(a,"onShowControls",this.ZA);this.N(a,"onHideControls",this.GJ);this.wa("click",this.kS);this.wa("mouseenter",this.IM)}; -bV=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-button","ytp-cards-button"],U:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"span",L:"ytp-cards-button-icon-default",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, -{G:"div",L:"ytp-cards-button-title",Z:"Info"}]},{G:"span",L:"ytp-cards-button-icon-shopping",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",L:"ytp-svg-shadow",U:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",L:"ytp-svg-fill",U:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", -"fill-opacity":"1"}},{G:"path",L:"ytp-svg-shadow-fill",U:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", -L:"ytp-cards-button-title",Z:"Shopping"}]}]});this.J=a;this.D=b;this.C=c;this.u=null;this.B=new g.mO(this,250,!0,100);g.D(this,this.B);g.J(this.C,"ytp-show-cards-title",g.hD(a.T()));this.hide();this.wa("click",this.onClicked);this.wa("mouseover",this.YO);aV(this,!0)}; -aV=function(a,b){b?a.u=g.cV(a.D.Rb(),a.element):(a.u=a.u,a.u(),a.u=null)}; -Uta=function(a,b,c,d){var e=window.location.search;if(38===b.bh&&"books"===a.playerStyle)return e=b.videoId.indexOf(":"),g.Md("//play.google.com/books/volumes/"+b.videoId.slice(0,e)+"/content/media",{aid:b.videoId.slice(e+1),sig:b.ON});if(30===b.bh&&"docs"===a.playerStyle)return g.Md("https://docs.google.com/get_video_info",{docid:b.videoId,authuser:b.ye,authkey:b.authKey,eurl:a.Qa});if(33===b.bh&&"google-live"===a.playerStyle)return g.Md("//google-liveplayer.appspot.com/get_video_info",{key:b.videoId}); -"yt"!==a.Y&&g.Hs(Error("getVideoInfoUrl for invalid namespace: "+a.Y));var f={html5:"1",video_id:b.videoId,cpn:b.clientPlaybackNonce,eurl:a.Qa,ps:a.playerStyle,el:kJ(b),hl:a.Lg,list:b.playlistId,agcid:b.RB,aqi:b.adQueryId,sts:18610,lact:Bp()};g.Ua(f,a.deviceParams);a.Ja&&(f.forced_experiments=a.Ja);b.lg?(f.vvt=b.lg,b.mdxEnvironment&&(f.mdx_environment=b.mdxEnvironment)):b.uf()&&(f.access_token=b.uf());b.adFormat&&(f.adformat=b.adFormat);0<=b.slotPosition&&(f.slot_pos=b.slotPosition);b.breakType&& -(f.break_type=b.breakType);null!==b.Sw&&(f.ad_id=b.Sw);null!==b.Yw&&(f.ad_sys=b.Yw);null!==b.Gx&&(f.encoded_ad_playback_context=b.Gx);b.GA&&(f.tpra="1");a.captionsLanguagePreference&&(f.cc_lang_pref=a.captionsLanguagePreference);a.zj&&2!==a.zj&&(f.cc_load_policy=a.zj);var h=g.jt(g.ht.getInstance(),65);g.ND(a)&&null!=h&&!h&&(f.device_captions_on="1");a.mute&&(f.mute=a.mute);b.annotationsLoadPolicy&&2!==a.annotationsLoadPolicy&&(f.iv_load_policy=b.annotationsLoadPolicy);b.xt&&(f.endscreen_ad_tracking= -b.xt);(h=a.K.get(b.videoId))&&h.ts&&(f.ic_track=h.ts);b.Ug&&(f.itct=b.Ug);nJ(b)&&(f.autoplay="1");b.mutedAutoplay&&(f.mutedautoplay=b.mutedAutoplay);b.Kh&&(f.autonav="1");b.Oy&&(f.noiba="1");g.Q(a.experiments,"send_mdx_remote_data_if_present")?(b.isMdxPlayback&&(f.mdx="1"),b.nf&&(f.ytr=b.nf)):b.isMdxPlayback&&(f.mdx="1",f.ytr=b.nf);b.mdxControlMode&&(f.mdx_control_mode=b.mdxControlMode);b.Cj&&(f.ytrcc=b.Cj);b.Wy&&(f.utpsa="1");b.Ly&&(f.is_fling="1");b.My&&(f.mute="1");b.vnd&&(f.vnd=b.vnd);b.Yn&&(h= -3===b.Yn.split("|").length,f.force_ad_params=h?b.Yn:"||"+b.Yn);b.an&&(f.preload=b.an);c.width&&(f.width=c.width);c.height&&(f.height=c.height);b.Uj&&(f.splay="1");b.ypcPreview&&(f.ypc_preview="1");lJ(b)&&(f.content_v=lJ(b));b.Zi&&(f.livemonitor=1);a.ye&&(f.authuser=a.ye);a.pageId&&(f.pageid=a.pageId);a.kc&&(f.ei=a.kc);a.B&&(f.iframe="1");b.contentCheckOk&&(f.cco="1");b.racyCheckOk&&(f.rco="1");a.C&&b.Cu&&(f.live_start_walltime=b.Cu);a.C&&b.vo&&(f.live_manifest_duration=b.vo);a.C&&b.playerParams&& -(f.player_params=b.playerParams);a.C&&b.cycToken&&(f.cyc=b.cycToken);a.C&&b.JA&&(f.tkn=b.JA);0!==d&&(f.vis=d);a.enableSafetyMode&&(f.enable_safety_mode="1");b.Ph&&(f.kpt=b.Ph);b.vu&&(f.kids_age_up_mode=b.vu);b.kidsAppInfo&&(f.kids_app_info=b.kidsAppInfo);b.ws&&(f.upg_content_filter_mode="1");a.widgetReferrer&&(f.widget_referrer=a.widgetReferrer.substring(0,128));b.ue?(h=null!=b.ue.latitudeE7&&null!=b.ue.longitudeE7?b.ue.latitudeE7+","+b.ue.longitudeE7:",",h+=","+(b.ue.clientPermissionState||0)+","+ -(b.ue.locationRadiusMeters||"")+","+(b.ue.locationOverrideToken||"")):h=null;h&&(f.uloc=h);b.Iq&&(f.internalipoverride=b.Iq);a.embedConfig&&(f.embed_config=a.embedConfig);a.Dn&&(f.co_rel="1");0b);e=d.next())c++;return 0===c?c:c-1}; -mua=function(a,b){var c=IV(a,b)+1;return cd;e={yk:e.yk},f++){e.yk=c[f];a:switch(e.yk.img||e.yk.iconId){case "facebook":var h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", -fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", -fill:"#01abf0"}}]};break a;default:h=null}h&&(h=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],U:{href:e.yk.url,target:"_blank",title:e.yk.sname||e.yk.serviceName},S:[h]}),h.wa("click",function(m){return function(n){if(g.cP(n)){var p=m.yk.url;var r=void 0===r?{}:r;r.target=r.target||"YouTube";r.width=r.width||"600";r.height=r.height||"600";r||(r={});var t=window;var w=p instanceof g.Ec?p:g.Jc("undefined"!=typeof p.href?p.href:String(p));p=r.target||p.target;var y=[];for(x in r)switch(x){case "width":case "height":case "top":case "left":y.push(x+ -"="+r[x]);break;case "target":case "noopener":case "noreferrer":break;default:y.push(x+"="+(r[x]?1:0))}var x=y.join(",");Vd()&&t.navigator&&t.navigator.standalone&&p&&"_self"!=p?(x=g.Fe("A"),g.jd(x,w),x.setAttribute("target",p),r.noreferrer&&x.setAttribute("rel","noreferrer"),r=document.createEvent("MouseEvent"),r.initMouseEvent("click",!0,!0,t,1),x.dispatchEvent(r),t={}):r.noreferrer?(t=ld("",t,p,x),r=g.Fc(w),t&&(g.OD&&-1!=r.indexOf(";")&&(r="'"+r.replace(/'/g,"%27")+"'"),t.opener=null,r=g.fd(g.gc("b/12014412, meta tag with sanitized URL"), -''),(w=t.document)&&w.write&&(w.write(g.bd(r)),w.close()))):(t=ld(w,t,p,x))&&r.noopener&&(t.opener=null);if(r=t)r.opener||(r.opener=window),r.focus();g.ip(n)}}}(e)),g.eg(h,g.cV(a.tooltip,h.element)),a.B.push(h),d++)}var l=b.more||b.moreLink; -c=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],S:[{G:"span",L:"ytp-share-panel-service-button-more",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", -fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],U:{href:l,target:"_blank",title:"More"}});c.wa("click",function(m){g.BU(l,a.api,m)&&a.api.xa("SHARE_CLICKED")}); -g.eg(c,g.cV(a.tooltip,c.element));a.B.push(c);a.ya("buttons",a.B)}; -wua=function(a){g.sn(a.element,"ytp-share-panel-loading");g.I(a.element,"ytp-share-panel-fail")}; -vua=function(a){for(var b=g.q(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.fg(c);a.B=[]}; -ZV=function(a,b){g.V.call(this,{G:"div",L:"ytp-suggested-action"});var c=this;this.J=a;this.Ta=b;this.za=this.I=this.u=this.C=this.B=this.F=this.expanded=this.enabled=this.dismissed=!1;this.Qa=!0;this.ha=new g.F(function(){c.badge.element.style.width=""},200,this); -this.ma=new g.F(function(){XV(c);YV(c)},200,this); -this.dismissButton=new g.V({G:"button",la:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.D(this,this.dismissButton);this.D=new g.V({G:"div",L:"ytp-suggested-action-badge-expanded-content-container",S:[{G:"label",L:"ytp-suggested-action-badge-title",Z:"{{badgeLabel}}"},this.dismissButton]});g.D(this,this.D);this.badge=new g.V({G:"button",la:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],S:[{G:"div",L:"ytp-suggested-action-badge-icon"},this.D]}); -g.D(this,this.badge);this.badge.ga(this.element);this.P=new g.mO(this.badge,250,!1,100);g.D(this,this.P);this.Y=new g.mO(this.D,250,!1,100);g.D(this,this.Y);this.ia=new g.gn(this.ZR,null,this);g.D(this,this.ia);this.X=new g.gn(this.ZJ,null,this);g.D(this,this.X);g.D(this,this.ha);g.D(this,this.ma);g.MN(this.J,this.badge.element,this.badge,!0);g.MN(this.J,this.dismissButton.element,this.dismissButton,!0);this.N(this.J,"onHideControls",function(){c.u=!1;YV(c);XV(c);c.ri()}); -this.N(this.J,"onShowControls",function(){c.u=!0;YV(c);XV(c);c.ri()}); -this.N(this.badge.element,"click",this.DF);this.N(this.dismissButton.element,"click",this.EF);this.N(this.J,"pageTransition",this.TM);this.N(this.J,"appresize",this.ri);this.N(this.J,"fullscreentoggled",this.ri);this.N(this.J,"cardstatechange",this.vO);this.N(this.J,"annotationvisibility",this.zS,this)}; -XV=function(a){g.J(a.badge.element,"ytp-suggested-action-badge-with-controls",a.u||!a.F)}; -YV=function(a,b){var c=a.I||a.u||!a.F;a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.ia.stop(),a.X.stop(),a.ha.stop(),a.ia.start()):(g.JN(a.D,a.expanded),g.J(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),xua(a))}; -xua=function(a){a.B&&g.QN(a.J,a.badge.element,a.cw());a.C&&g.QN(a.J,a.dismissButton.element,a.cw()&&(a.I||a.u||!a.F))}; -yua=function(a,b){b?a.C&&g.$T(a.J,a.dismissButton.element):a.B&&g.$T(a.J,a.badge.element)}; -$V=function(a,b){ZV.call(this,a,b);var c=this;this.K=this.aa=this.fa=!1;this.N(this.J,g.hF("shopping_overlay_visible"),function(){c.ff(!0)}); -this.N(this.J,g.iF("shopping_overlay_visible"),function(){c.ff(!1)}); -this.N(this.J,g.hF("shopping_overlay_expanded"),function(){c.I=!0;YV(c)}); -this.N(this.J,g.iF("shopping_overlay_expanded"),function(){c.I=!1;YV(c)}); -this.N(this.J,"changeProductsInVideoVisibility",this.QP);this.N(this.J,"videodatachange",this.Ra);this.N(this.J,"paidcontentoverlayvisibilitychange",this.HP)}; -zua=function(a,b){b=void 0===b?0:b;var c=[],d=a.timing.visible,e=a.timing.expanded;d&&c.push(new g.eF(1E3*(d.startSec+b),1E3*(d.endSec+b),{priority:7,namespace:"shopping_overlay_visible"}));e&&c.push(new g.eF(1E3*(e.startSec+b),1E3*(e.endSec+b),{priority:7,namespace:"shopping_overlay_expanded"}));g.zN(a.J,c)}; -aW=function(a){g.WT(a.J,"shopping_overlay_visible");g.WT(a.J,"shopping_overlay_expanded")}; -bW=function(a){g.OU.call(this,a,{G:"button",la:["ytp-skip-intro-button","ytp-popup","ytp-button"],S:[{G:"div",L:"ytp-skip-intro-button-text",Z:"Skip Intro"}]},100);var b=this;this.C=!1;this.B=new g.F(function(){b.hide()},5E3); -this.al=this.Em=NaN;g.D(this,this.B);this.I=function(){b.show()}; -this.F=function(){b.hide()}; -this.D=function(){var c=b.J.getCurrentTime();c>b.Em/1E3&&ca}; +wJa=function(a,b){uJa(a.program,b.A8)&&(fF("bg_i",void 0,"player_att"),g.fS.initialize(a,function(){var c=a.serverEnvironment;fF("bg_l",void 0,"player_att");sJa=(0,g.M)();for(var d=0;dr.length)){q={applicationState:q?"INACTIVE":"ACTIVE",clientFormFactor:JJa[r[1]]||"UNKNOWN_FORM_FACTOR",clientName:KJa[r[0]]||"UNKNOWN_INTERFACE",clientVersion:r[2]|| +"",platform:LJa[r[1]]||"UNKNOWN_PLATFORM"};r=void 0;if(n){v=void 0;try{v=JSON.parse(n)}catch(B){g.DD(B)}v&&(r={params:[{key:"ms",value:v.ms}]},q.osName=v.os_name,q.userAgent=v.user_agent,q.windowHeightPoints=v.window_height_points,q.windowWidthPoints=v.window_width_points)}l.push({adSignalsInfo:r,remoteClient:q})}m.remoteContexts=l}n=a.sourceContainerPlaylistId;l=a.serializedMdxMetadata;if(n||l)p={},n&&(p.mdxPlaybackContainerInfo={sourceContainerPlaylistId:n}),l&&(p.serializedMdxMetadata=l),m.mdxPlaybackSourceContext= +p;h.mdxContext=m;m=b.width;0d&&(d=-(d+1));g.wf(a,b,d);b.setAttribute("data-layer",String(c))}; +g.OS=function(a){var b=a.V();if(!b.Od)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=(!c.isLiveDefaultBroadcast||b.K("allow_poltergust_autoplay"))&&!aN(c);d=c.isLivePlayback&&(!b.K("allow_live_autoplay")||!d);var e=c.isLivePlayback&&b.K("allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.Ck();var f=c.jd&&c.jd.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay);f=c.D&&f;return!c.ypcPreview&&(!d||e)&&!g.rb(c.Ja,"ypc")&& +!a&&(!g.fK(b)||f)}; +pKa=function(a){a=g.qS(a.app);if(!a)return!1;var b=a.getVideoData();if(!b.u||!b.u.video||1080>b.u.video.j||b.jT)return!1;var c=/^qsa/.test(b.clientPlaybackNonce),d="r";0<=b.u.id.indexOf(";")&&(c=/^[a-p]/.test(b.clientPlaybackNonce),d="x");return c?(a.xa("iqss",{trigger:d},!0),!0):!1}; +g.PS=function(a,b,c,d){d=void 0===d?!1:d;g.dQ.call(this,b);var e=this;this.F=a;this.Ga=d;this.J=new g.bI(this);this.Z=new g.QQ(this,c,!0,void 0,void 0,function(){e.BT()}); +g.E(this,this.J);g.E(this,this.Z)}; +qKa=function(a){a.u&&(document.activeElement&&g.zf(a.element,document.activeElement)&&(Bf(a.u),a.u.focus()),a.u.setAttribute("aria-expanded","false"),a.u=void 0);g.Lz(a.J);a.T=void 0}; +QS=function(a,b,c){a.ej()?a.Fb():a.od(b,c)}; +rKa=function(a,b,c,d){d=new g.U({G:"div",Ia:["ytp-linked-account-popup-button"],ra:d,X:{role:"button",tabindex:"0"}});b=new g.U({G:"div",N:"ytp-linked-account-popup",X:{role:"dialog","aria-modal":"true",tabindex:"-1"},W:[{G:"div",N:"ytp-linked-account-popup-title",ra:b},{G:"div",N:"ytp-linked-account-popup-description",ra:c},{G:"div",N:"ytp-linked-account-popup-buttons",W:[d]}]});g.PS.call(this,a,{G:"div",N:"ytp-linked-account-popup-container",W:[b]},100);var e=this;this.dialog=b;g.E(this,this.dialog); +d.Ra("click",function(){e.Fb()}); +g.E(this,d);g.NS(this.F,this.element,4);this.hide()}; +g.SS=function(a,b,c,d){g.dQ.call(this,a);this.priority=b;c&&g.RS(this,c);d&&this.ge(d)}; +g.TS=function(a,b,c){a=void 0===a?{}:a;b=void 0===b?[]:b;c=void 0===c?!1:c;b.push("ytp-menuitem");"role"in a||(a.role="menuitem");c||"tabindex"in a||(a.tabindex="0");return{G:c?"a":"div",Ia:b,X:a,W:[{G:"div",N:"ytp-menuitem-icon",ra:"{{icon}}"},{G:"div",N:"ytp-menuitem-label",ra:"{{label}}"},{G:"div",N:"ytp-menuitem-content",ra:"{{content}}"}]}}; +US=function(a,b){a.updateValue("icon",b)}; +g.RS=function(a,b){a.updateValue("label",b)}; +VS=function(a){g.SS.call(this,g.TS({"aria-haspopup":"true"},["ytp-linked-account-menuitem"]),2);var b=this;this.F=a;this.u=this.j=!1;this.Eb=a.Nm();a.Zf(this.element,this,!0);this.S(this.F,"settingsMenuVisibilityChanged",function(c){b.Zb(c)}); +this.S(this.F,"videodatachange",this.C);this.Ra("click",this.onClick);this.C()}; +WS=function(a){return a?g.gE(a):""}; +XS=function(a){g.C.call(this);this.api=a}; +YS=function(a){XS.call(this,a);var b=this;mS(a,"setAccountLinkState",function(c){b.setAccountLinkState(c)}); +mS(a,"updateAccountLinkingConfig",function(c){b.updateAccountLinkingConfig(c)}); +a.addEventListener("videodatachange",function(c,d){b.onVideoDataChange(d)}); +a.addEventListener("settingsMenuInitialized",function(){b.menuItem=new VS(b.api);g.E(b,b.menuItem)})}; +sKa=function(a){XS.call(this,a);this.events=new g.bI(a);g.E(this,this.events);a.K("fetch_bid_for_dclk_status")&&this.events.S(a,"videoready",function(b){var c,d={contentCpn:(null==(c=a.getVideoData(1))?void 0:c.clientPlaybackNonce)||""};2===a.getPresentingPlayerType()&&(d.adCpn=b.clientPlaybackNonce);g.gA(g.iA(),function(){rsa("vr",d)})}); +a.K("report_pml_debug_signal")&&this.events.S(a,"videoready",function(b){if(1===a.getPresentingPlayerType()){var c,d,e={playerDebugData:{pmlSignal:!!(null==(c=b.getPlayerResponse())?0:null==(d=c.adPlacements)?0:d.some(function(f){var h;return null==f?void 0:null==(h=f.adPlacementRenderer)?void 0:h.renderer})), +contentCpn:b.clientPlaybackNonce}};g.rA("adsClientStateChange",e)}})}; +uKa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-button"],X:{title:"{{title}}","aria-label":"{{label}}","data-priority":"-10","data-tooltip-target-id":"ytp-autonav-toggle-button"},W:[{G:"div",N:"ytp-autonav-toggle-button-container",W:[{G:"div",N:"ytp-autonav-toggle-button",X:{"aria-checked":"true"}}]}]});this.F=a;this.u=[];this.j=!1;this.isChecked=!0;a.sb(this.element,this,113681);this.S(a,"presentingplayerstatechange",this.SA);this.Ra("click",this.onClick);this.F.V().K("web_player_autonav_toggle_always_listen")&& +tKa(this);this.tooltip=b.Ic();g.bb(this,g.ZS(b.Ic(),this.element));this.SA()}; +tKa=function(a){a.u.push(a.S(a.F,"videodatachange",a.SA));a.u.push(a.S(a.F,"videoplayerreset",a.SA));a.u.push(a.S(a.F,"onPlaylistUpdate",a.SA));a.u.push(a.S(a.F,"autonavchange",a.yR))}; +vKa=function(a){a.isChecked=a.isChecked;a.Da("ytp-autonav-toggle-button").setAttribute("aria-checked",String(a.isChecked));var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.updateValue("title",b);a.updateValue("label",b);$S(a.tooltip)}; +wKa=function(a){return a.F.V().K("web_player_autonav_use_server_provided_state")&&kM(a.Hd())}; +xKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);var c=a.V();c.Od&&c.K("web_player_move_autonav_toggle")&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a),e=new uKa(a,d);g.E(b,e);d.aB(e)})}; +yKa=function(){g.Wz();return g.Xz(0,192)?g.Xz(0,190):!g.gy("web_watch_cinematics_disabled_by_default")}; +aT=function(a,b){g.SS.call(this,g.TS({role:"menuitemcheckbox","aria-checked":"false"}),b,a,{G:"div",N:"ytp-menuitem-toggle-checkbox"});this.checked=!1;this.Ra("click",this.onClick)}; +bT=function(a,b){a.checked=b;a.element.setAttribute("aria-checked",String(a.checked))}; +cT=function(a){var b=a.K("web_player_use_cinematic_label_2")?"Ambient mode":"Cinematic lighting";aT.call(this,b,13);var c=this;this.F=a;this.j=!1;this.u=new g.Ip(function(){g.Sp(c.element,"ytp-menuitem-highlighted")},0); +this.Eb=a.Nm();US(this,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M21 7v10H3V7h18m1-1H2v12h20V6zM11.5 2v3h1V2h-1zm1 17h-1v3h1v-3zM3.79 3 6 5.21l.71-.71L4.5 2.29 3.79 3zm2.92 16.5L6 18.79 3.79 21l.71.71 2.21-2.21zM19.5 2.29 17.29 4.5l.71.71L20.21 3l-.71-.71zm0 19.42.71-.71L18 18.79l-.71.71 2.21 2.21z",fill:"white"}}]});this.subscribe("select",this.C,this);this.Ra(zKa,this.B);g.E(this,this.u)}; +BKa=function(a){XS.call(this,a);var b=this;this.j=!1;var c;this.K("web_cinematic_watch_settings")&&(null==(c=a.V().webPlayerContextConfig)?0:c.cinematicSettingsAvailable)&&(a.addEventListener("settingsMenuInitialized",function(){AKa(b)}),a.addEventListener("highlightSettingsMenu",function(d){AKa(b); +var e=b.menuItem;"menu_item_cinematic_lighting"===d&&(g.Qp(e.element,"ytp-menuitem-highlighted"),g.Qp(e.element,"ytp-menuitem-highlight-transition-enabled"),e.u.start())}),mS(a,"updateCinematicSettings",function(d){b.updateCinematicSettings(d)}))}; +AKa=function(a){a.menuItem||(a.menuItem=new cT(a.api),g.E(a,a.menuItem),a.menuItem.Pa(a.j))}; +dT=function(a){XS.call(this,a);var b=this;this.j={};this.events=new g.bI(a);g.E(this,this.events);this.K("enable_precise_embargos")&&!g.FK(this.api.V())&&(this.events.S(a,"videodatachange",function(){var c=b.api.getVideoData();b.api.Ff("embargo",1);(null==c?0:c.cueRanges)&&CKa(b,c)}),this.events.S(a,g.ZD("embargo"),function(c){var d; +c=null!=(d=b.j[c.id])?d:[];d=g.t(c);for(c=d.next();!c.done;c=d.next()){var e=c.value;b.api.hideControls();b.api.Ng("heartbeat.stop",2,"This video isn't available in your current playback area");c=void 0;(e=null==(c=e.embargo)?void 0:c.onTrigger)&&b.api.Na("innertubeCommand",e)}}))}; +CKa=function(a,b){if(null!=b&&aN(b)||a.K("enable_discrete_live_precise_embargos")){var c;null==(c=b.cueRanges)||c.filter(function(d){var e;return null==(e=d.onEnter)?void 0:e.some(a.u)}).forEach(function(d){var e,f=Number(null==(e=d.playbackPosition)?void 0:e.utcTimeMillis)/1E3,h; +e=f+Number(null==(h=d.duration)?void 0:h.seconds);h="embargo_"+f;a.api.addUtcCueRange(h,f,e,"embargo",!1);d.onEnter&&(a.j[h]=d.onEnter.filter(a.u))})}}; +DKa=function(a){XS.call(this,a);var b=this;this.j=[];this.events=new g.bI(a);g.E(this,this.events);mS(a,"addEmbedsConversionTrackingParams",function(c){b.api.V().Un&&b.addEmbedsConversionTrackingParams(c)}); +this.events.S(a,"veClickLogged",function(c){b.api.Dk(c)&&(c=Uh(c.visualElement.getAsJspb(),2),b.j.push(c))})}; +EKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);a.K("embeds_web_enable_ve_logging_unification")&&a.V().C&&(this.events.S(a,"initialvideodatacreated",function(c){pP().wk(16623);b.j=g.FE();if(SM(c)){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"});if(c.jd){var d,e=null==(d=c.jd)?void 0:d.trackingParams;e&&pP().eq(e)}if(c.getPlayerResponse()){var f;(c=null==(f=c.getPlayerResponse())?void 0:f.trackingParams)&&pP().eq(c)}}else pP().wk(32594, +void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"}),c.kf&&(f=null==(e=c.kf)?void 0:e.trackingParams)&&pP().eq(f)}),this.events.S(a,"loadvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"cuevideo",function(){pP().wk(32594,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"largeplaybuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistnextbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistprevbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistautonextvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"})}))}; +eT=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullerscreen-edu-button","ytp-button"],W:[{G:"div",Ia:["ytp-fullerscreen-edu-text"],ra:"Scroll for details"},{G:"div",Ia:["ytp-fullerscreen-edu-chevron"],W:[{G:"svg",X:{height:"100%",viewBox:"0 0 24 24",width:"100%"},W:[{G:"path",X:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.Ta=a;this.B=b;this.j=new g.QQ(this,250,void 0,100);this.C=this.u=!1;a.sb(this.element,this,61214);this.B=b;g.E(this,this.j);this.S(a, +"fullscreentoggled",this.Pa);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);this.Pa()}; +fT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);mS(this.api,"updateFullerscreenEduButtonSubtleModeState",function(d){b.updateFullerscreenEduButtonSubtleModeState(d)}); +mS(this.api,"updateFullerscreenEduButtonVisibility",function(d){b.updateFullerscreenEduButtonVisibility(d)}); +var c=a.V();a.K("external_fullscreen_with_edu")&&c.externalFullscreen&&BK(c)&&"1"===c.controlsType&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a);b.j=new eT(a,d);g.E(b,b.j);d.aB(b.j)})}; +FKa=function(a){g.U.call(this,{G:"div",N:"ytp-gated-actions-overlay",W:[{G:"div",N:"ytp-gated-actions-overlay-background",W:[{G:"div",N:"ytp-gated-actions-overlay-background-overlay"}]},{G:"button",Ia:["ytp-gated-actions-overlay-miniplayer-close-button","ytp-button"],X:{"aria-label":"Close"},W:[g.jQ()]},{G:"div",N:"ytp-gated-actions-overlay-bar",W:[{G:"div",N:"ytp-gated-actions-overlay-text-container",W:[{G:"div",N:"ytp-gated-actions-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-gated-actions-overlay-subtitle", +ra:"{{subtitle}}"}]},{G:"div",N:"ytp-gated-actions-overlay-button-container"}]}]});var b=this;this.api=a;this.background=this.Da("ytp-gated-actions-overlay-background");this.u=this.Da("ytp-gated-actions-overlay-button-container");this.j=[];this.S(this.Da("ytp-gated-actions-overlay-miniplayer-close-button"),"click",function(){b.api.Na("onCloseMiniplayer")}); this.hide()}; -cW=function(a,b){g.V.call(this,{G:"button",la:["ytp-airplay-button","ytp-button"],U:{title:"AirPlay"},Z:"{{icon}}"});this.J=a;this.wa("click",this.onClick);this.N(a,"airplayactivechange",this.oa);this.N(a,"airplayavailabilitychange",this.oa);this.oa();g.eg(this,g.cV(b.Rb(),this.element))}; -dW=function(a,b){g.V.call(this,{G:"button",la:["ytp-button"],U:{title:"{{title}}","aria-label":"{{label}}","data-tooltip-target-id":"ytp-autonav-toggle-button"},S:[{G:"div",L:"ytp-autonav-toggle-button-container",S:[{G:"div",L:"ytp-autonav-toggle-button",U:{"aria-checked":"true"}}]}]});this.J=a;this.B=[];this.u=!1;this.isChecked=!0;g.ZT(a,this.element,this,113681);this.N(a,"presentingplayerstatechange",this.er);this.wa("click",this.onClick);this.tooltip=b.Rb();g.eg(this,g.cV(b.Rb(),this.element)); -this.er()}; -Aua=function(a){a.setValue(a.isChecked);var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.ya("title",b);a.ya("label",b);EV(a.tooltip)}; -g.fW=function(a){g.V.call(this,{G:"div",L:"ytp-gradient-bottom"});this.B=g.Fe("CANVAS");this.u=this.B.getContext("2d");this.C=NaN;this.B.width=1;this.D=g.qD(a.T());g.eW(this,g.cG(a).getPlayerSize().height)}; -g.eW=function(a,b){if(a.u){var c=Math.floor(b*(a.D?1:.4));c=Math.max(c,47);var d=c+2;if(a.C!==d){a.C=d;a.B.height=d;a.u.clearRect(0,0,1,d);var e=a.u.createLinearGradient(0,2,0,2+c);if(a.D)e.addColorStop(.133,"rgba(0, 0, 0, 0.2)"),e.addColorStop(.44,"rgba(0, 0, 0, 0.243867)"),e.addColorStop(1,"rgba(0, 0, 0, 0.8)");else{var f=c-42;e.addColorStop(0,"rgba(0, 0, 0, 0)");e.addColorStop(f/c,"rgba(0, 0, 0, 0.3)");e.addColorStop(1,"rgba(0, 0, 0, 0.68)")}a.u.fillStyle=e;a.u.fillRect(0,2,1,c);a.element.style.height= -d+"px";try{a.element.style.backgroundImage="url("+a.B.toDataURL()+")"}catch(h){}}}}; -gW=function(a,b,c,d,e){g.V.call(this,{G:"div",L:"ytp-chapter-container",S:[{G:"button",la:["ytp-chapter-title","ytp-button"],U:{title:"View chapter","aria-label":"View chapter"},S:[{G:"span",U:{"aria-hidden":"true"},L:"ytp-chapter-title-prefix",Z:"\u2022"},{G:"div",L:"ytp-chapter-title-content",Z:"{{title}}"},{G:"div",L:"ytp-chapter-title-chevron",S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M9.71 18.71l-1.42-1.42 5.3-5.29-5.3-5.29 1.42-1.42 6.7 6.71z",fill:"#fff"}}]}]}]}]}); -this.J=a;this.K=b;this.P=c;this.I=d;this.X=e;this.F="";this.currentIndex=0;this.C=void 0;this.B=!0;this.D=this.ka("ytp-chapter-container");this.u=this.ka("ytp-chapter-title");this.updateVideoData("newdata",this.J.getVideoData());this.N(a,"videodatachange",this.updateVideoData);this.N(this.D,"click",this.onClick);a.T().ba("html5_ux_control_flexbox_killswitch")&&this.N(a,"resize",this.Y);this.N(a,"onVideoProgress",this.sc);this.N(a,"SEEK_TO",this.sc)}; -Bua=function(a,b,c,d,e){var f=b.jv/b.rows,h=Math.min(c/(b.kv/b.columns),d/f),l=b.kv*h,m=b.jv*h;l=Math.floor(l/b.columns)*b.columns;m=Math.floor(m/b.rows)*b.rows;var n=l/b.columns,p=m/b.rows,r=-b.column*n,t=-b.row*p;e&&45>=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+r+"px "+t+"px/"+l+"px "+m+"px"}; -g.hW=function(a){g.V.call(this,{G:"div",L:"ytp-storyboard-framepreview",S:[{G:"div",L:"ytp-storyboard-framepreview-img"}]});this.api=a;this.D=this.ka("ytp-storyboard-framepreview-img");this.oh=null;this.B=NaN;this.events=new g.tR(this);this.u=new g.mO(this,100);g.D(this,this.events);g.D(this,this.u);this.N(this.api,"presentingplayerstatechange",this.lc)}; -iW=function(a,b){var c=!!a.oh;a.oh=b;a.oh?(c||(a.events.N(a.api,"videodatachange",function(){iW(a,a.api.tg())}),a.events.N(a.api,"progresssync",a.ie),a.events.N(a.api,"appresize",a.C)),a.B=NaN,jW(a),a.u.show(200)):(c&&g.ut(a.events),a.u.hide(),a.u.stop())}; -jW=function(a){var b=a.oh,c=a.api.getCurrentTime(),d=g.cG(a.api).getPlayerSize(),e=jI(b,d.width);c=oI(b,e,c);c!==a.B&&(a.B=c,lI(b,c,d.width),b=b.pm(c,d.width),Bua(a.D,b,d.width,d.height))}; -kW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullerscreen-edu-button","ytp-button"],S:[{G:"div",la:["ytp-fullerscreen-edu-text"],Z:"Scroll for details"},{G:"div",la:["ytp-fullerscreen-edu-chevron"],S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.u=a;this.F=b;this.C=new g.mO(this,250,void 0,100);this.D=this.B=!1;g.ZT(a,this.element,this,61214);this.F=b;g.D(this,this.C);this.N(a, -"fullscreentoggled",this.oa);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);this.oa()}; -g.lW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullscreen-button","ytp-button"],U:{title:"{{title}}"},Z:"{{icon}}"});this.J=a;this.C=b;this.message=null;this.u=g.cV(this.C.Rb(),this.element);this.B=new g.F(this.DJ,2E3,this);g.D(this,this.B);this.N(a,"fullscreentoggled",this.WE);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);if(nt()){var c=g.cG(this.J);this.N(c,Xea(),this.Fz);this.N(c,qt(document),this.jk)}a.T().za||a.T().ba("embeds_enable_mobile_custom_controls")|| -this.disable();this.oa();this.WE(a.isFullscreen())}; -Cua=function(a,b){String(b).includes("fullscreen error")?g.Is(b):g.Hs(b);a.Fz()}; -mW=function(a,b){g.V.call(this,{G:"button",la:["ytp-miniplayer-button","ytp-button"],U:{title:"{{title}}","data-tooltip-target-id":"ytp-miniplayer-button"},S:[Yna()]});this.J=a;this.visible=!1;this.wa("click",this.onClick);this.N(a,"fullscreentoggled",this.oa);this.ya("title",g.EU(a,"Miniplayer","i"));g.eg(this,g.cV(b.Rb(),this.element));g.ZT(a,this.element,this,62946);this.oa()}; -nW=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-multicam-button","ytp-button"],U:{title:"Switch camera","aria-haspopup":"true","data-preview":"{{preview}}","data-tooltip-text":"{{text}}"},S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M 26,10 22.83,10 21,8 15,8 13.17,10 10,10 c -1.1,0 -2,.9 -2,2 l 0,12 c 0,1.1 .9,2 2,2 l 16,0 c 1.1,0 2,-0.9 2,-2 l 0,-12 c 0,-1.1 -0.9,-2 -2,-2 l 0,0 z m -5,11.5 0,-2.5 -6,0 0,2.5 -3.5,-3.5 3.5,-3.5 0,2.5 6,0 0,-2.5 3.5,3.5 -3.5,3.5 0,0 z", -fill:"#fff"}}]}]});var d=this;this.J=a;this.u=!1;this.B=new g.F(this.C,400,this);this.tooltip=b.Rb();hV(this.tooltip);g.D(this,this.B);this.wa("click",function(){PU(c,d.element,!1)}); -this.N(a,"presentingplayerstatechange",function(){d.oa(!1)}); -this.N(a,"videodatachange",this.Ra);this.oa(!0);g.eg(this,g.cV(this.tooltip,this.element))}; -oW=function(a){g.OU.call(this,a,{G:"div",L:"ytp-multicam-menu",U:{role:"dialog"},S:[{G:"div",L:"ytp-multicam-menu-header",S:[{G:"div",L:"ytp-multicam-menu-title",S:["Switch camera",{G:"button",la:["ytp-multicam-menu-close","ytp-button"],U:{"aria-label":"Close"},S:[g.XN()]}]}]},{G:"div",L:"ytp-multicam-menu-items"}]},250);this.api=a;this.C=new g.tR(this);this.items=this.ka("ytp-multicam-menu-items");this.B=[];g.D(this,this.C);a=this.ka("ytp-multicam-menu-close");this.N(a,"click",this.nb);this.hide()}; -pW=function(){g.C.call(this);this.B=null;this.startTime=this.duration=0;this.delay=new g.gn(this.u,null,this);g.D(this,this.delay)}; -Dua=function(a,b){if("path"===b.G)return b.U.d;if(b.S)for(var c=0;cl)a.Ea[c].width=n;else{a.Ea[c].width=0;var p=a,r=c,t=p.Ea[r-1];void 0!== -t&&0a.za&&(a.za=m/f),d=!0)}c++}}return d}; -kX=function(a){if(a.C){var b=a.api.getProgressState(),c=new lP(b.seekableStart,b.seekableEnd),d=nP(c,b.loaded,0);b=nP(c,b.current,0);var e=a.u.B!==c.B||a.u.u!==c.u;a.u=c;lX(a,b,d);e&&mX(a);Zua(a)}}; -oX=function(a,b){var c=mP(a.u,b.C);if(1=a.Ea.length?!1:Math.abs(b-a.Ea[c].startTime/1E3)/a.u.u*(a.C-(a.B?3:2)*a.Y).2*(a.B?60:40)&&1===a.Ea.length){var h=c*(a.u.getLength()/60),l=d*(a.u.getLength()/60);for(h=Math.ceil(h);h=f;c--)g.Je(e[c]);a.element.style.height=a.P+(a.B?8:5)+"px";a.V("height-change",a.P);a.Jg.style.height=a.P+(a.B?20:13)+"px";e=g.q(Object.keys(a.aa));for(f=e.next();!f.done;f=e.next())bva(a,f.value);pX(a);lX(a,a.K,a.ma)}; -iX=function(a){var b=a.Ya.x,c=a.C*a.ha;b=g.ce(b,0,a.C);a.Oe.update(b,a.C,-a.X,-(c-a.X-a.C));return a.Oe}; -lX=function(a,b,c){a.K=b;a.ma=c;var d=iX(a),e=a.u.u,f=mP(a.u,a.K),h=g.tL("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.bP(f,!0),DURATION:g.bP(e,!0)}),l=IV(a.Ea,1E3*f);l=a.Ea[l].title;a.update({ariamin:Math.floor(a.u.B),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.F&&2!==a.api.getPresentingPlayerType()&&(e=a.F.startTimeMs/1E3,f=a.F.endTimeMs/1E3);e=nP(a.u,e,0);h=nP(a.u,f,1);f=g.ce(b,e,h);c=g.ce(c,e,h);b=Vua(a,b,d);g.ug(a.Lg,"transform","translateX("+ -b+"px)");qX(a,d,e,f,"PLAY_PROGRESS");qX(a,d,e,c,"LOAD_PROGRESS")}; -qX=function(a,b,c,d,e){var f=a.Ea.length,h=b.u-a.Y*(a.B?3:2),l=c*h;c=nX(a,l);var m=d*h;h=nX(a,m);"HOVER_PROGRESS"===e&&(h=nX(a,b.u*d,!0),m=b.u*d-cva(a,b.u*d)*(a.B?3:2));b=Math.max(l-dva(a,c),0);for(d=c;d=a.Ea.length)return a.C;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.Ea.length?d-1:d}; -Vua=function(a,b,c){for(var d=b*a.u.u*1E3,e=-1,f=g.q(a.Ea),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; -cva=function(a,b){for(var c=a.Ea.length,d=0,e=g.q(a.Ea),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.B?3:2,d++;else break;return d===c?c-1:d}; -pX=function(a){var b=!!a.F&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.F?(c=a.F.startTimeMs/1E3,d=a.F.endTimeMs/1E3):(e=c>a.u.B,f=0a.K);g.J(a.Jg,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;var c=160*a.scale,d=160*a.scale,e=a.u.pm(a.C,c);Bua(a.bg,e,c,d,!0);a.aa.start()}}; -zva=function(a){var b=a.B;3===a.type&&a.ha.stop();a.api.removeEventListener("appresize",a.Y);a.P||b.setAttribute("title",a.F);a.F="";a.B=null}; -g.eY=function(a,b){g.V.call(this,{G:"button",la:["ytp-watch-later-button","ytp-button"],U:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"div",L:"ytp-watch-later-icon",Z:"{{icon}}"},{G:"div",L:"ytp-watch-later-title",Z:"Watch later"}]});this.J=a;this.icon=null;this.visible=this.B=this.u=!1;this.tooltip=b.Rb();hV(this.tooltip);g.ZT(a,this.element,this,28665);this.wa("click",this.onClick,this);this.N(a,"videoplayerreset",this.qN);this.N(a,"appresize", -this.gv);this.N(a,"videodatachange",this.gv);this.N(a,"presentingplayerstatechange",this.gv);this.gv();var c=this.J.T(),d=Ava();c.B&&d?(Bva(),Cva(this,d.videoId)):this.oa(2);g.J(this.element,"ytp-show-watch-later-title",g.hD(c));g.eg(this,g.cV(b.Rb(),this.element))}; -Dva=function(a,b){g.qsa(function(){Bva({videoId:b});window.location.reload()},"wl_button",g.CD(a.J.T()))}; -Cva=function(a,b){if(!a.B)if(a.B=!0,a.oa(3),g.Q(a.J.T().experiments,"web_player_innertube_playlist_update")){var c=a.J.getVideoData();c=a.u?c.removeFromWatchLaterCommand:c.addToWatchLaterCommand;var d=dG(a.J.app),e=a.u?function(){a.wG()}:function(){a.vG()}; -cT(d,c).then(e,function(){a.B=!1;fY(a,"An error occurred. Please try again later.")})}else c=a.J.T(),(a.u?osa:nsa)({videoIds:b, -ye:c.ye,pageId:c.pageId,onError:a.eR,onSuccess:a.u?a.wG:a.vG,context:a},c.P,!0)}; -fY=function(a,b){a.oa(4,b);a.J.T().C&&a.J.xa("WATCH_LATER_ERROR",b)}; -Eva=function(a,b){var c=a.J.T();if(b!==a.icon){switch(b){case 3:var d=CU();break;case 1:d=UN();break;case 2:d={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:d=g.Q(c.experiments,"watch_later_iconchange_killswitch")?{G:"svg",U:{height:"100%", -version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21,7.91 L19.60,20.91 L16.39,20.91 L15,7.91 L21,7.91 Z M18,27.91 C16.61,27.91 15.5,26.79 15.5,25.41 C15.5,24.03 16.61,22.91 18,22.91 C19.38,22.91 20.5,24.03 20.5,25.41 C20.5,26.79 19.38,27.91 18,27.91 Z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.ya("icon",d); -a.icon=b}}; -gY=function(a){g.SU.call(this,a);var b=this;this.oo=g.hD(this.api.T());this.wx=48;this.xx=69;this.Hi=null;this.sl=[];this.Tb=new g.XU(this.api);this.qt=new FV(this.api);this.Cg=new g.V({G:"div",L:"ytp-chrome-top"});this.qs=[];this.tooltip=new g.cY(this.api,this);this.backButton=this.So=null;this.channelAvatar=new jV(this.api,this);this.title=new bY(this.api,this);this.Rf=new g.GN({G:"div",L:"ytp-chrome-top-buttons"});this.mg=null;this.Di=new bV(this.api,this,this.Cg.element);this.overflowButton=this.dg= -null;this.Bf="1"===this.api.T().controlsType?new YX(this.api,this,this.Nc):null;this.contextMenu=new g.BV(this.api,this,this.Tb);this.gx=!1;this.Ht=new g.V({G:"div",U:{tabindex:"0"}});this.Gt=new g.V({G:"div",U:{tabindex:"0"}});this.Ar=null;this.wA=this.mt=!1;var c=g.cG(a),d=a.T(),e=a.getVideoData();this.oo&&(g.I(a.getRootNode(),"ytp-embed"),g.I(a.getRootNode(),"ytp-embed-playlist"),this.wx=60,this.xx=89);this.Qg=e&&e.Qg;g.D(this,this.Tb);g.BP(a,this.Tb.element,4);g.D(this,this.qt);g.BP(a,this.qt.element, -4);e=new g.V({G:"div",L:"ytp-gradient-top"});g.D(this,e);g.BP(a,e.element,1);this.QA=new g.mO(e,250,!0,100);g.D(this,this.QA);g.D(this,this.Cg);g.BP(a,this.Cg.element,1);this.PA=new g.mO(this.Cg,250,!0,100);g.D(this,this.PA);g.D(this,this.tooltip);g.BP(a,this.tooltip.element,4);var f=new QV(a);g.D(this,f);g.BP(a,f.element,5);f.subscribe("show",function(l){b.mm(f,l)}); -this.qs.push(f);this.So=new RV(a,this,f);g.D(this,this.So);d.showBackButton&&(this.backButton=new WU(a),g.D(this,this.backButton),this.backButton.ga(this.Cg.element));this.oo||this.So.ga(this.Cg.element);this.channelAvatar.ga(this.Cg.element);g.D(this,this.channelAvatar);g.D(this,this.title);this.title.ga(this.Cg.element);g.D(this,this.Rf);this.Rf.ga(this.Cg.element);this.mg=new g.eY(a,this);g.D(this,this.mg);this.mg.ga(this.Rf.element);var h=new g.WV(a,this);g.D(this,h);g.BP(a,h.element,5);h.subscribe("show", -function(l){b.mm(h,l)}); -this.qs.push(h);this.shareButton=new g.VV(a,this,h);g.D(this,this.shareButton);this.shareButton.ga(this.Rf.element);this.Dj=new CV(a,this);g.D(this,this.Dj);this.Dj.ga(this.Rf.element);d.Ls&&(e=new bW(a),g.D(this,e),g.BP(a,e.element,4));this.oo&&this.So.ga(this.Rf.element);g.D(this,this.Di);this.Di.ga(this.Rf.element);e=new $U(a,this,this.Di);g.D(this,e);e.ga(this.Rf.element);this.dg=new NV(a,this);g.D(this,this.dg);g.BP(a,this.dg.element,5);this.dg.subscribe("show",function(){b.mm(b.dg,b.dg.zf())}); -this.qs.push(this.dg);this.overflowButton=new MV(a,this,this.dg);g.D(this,this.overflowButton);this.overflowButton.ga(this.Rf.element);this.Bf&&g.D(this,this.Bf);"3"===d.controlsType&&(e=new UV(a,this),g.D(this,e),g.BP(a,e.element,8));g.D(this,this.contextMenu);this.contextMenu.subscribe("show",this.oI,this);e=new oP(a,new AP(a));g.D(this,e);g.BP(a,e.element,4);this.Ht.wa("focus",this.hK,this);g.D(this,this.Ht);this.Gt.wa("focus",this.iK,this);g.D(this,this.Gt);(this.Xj=d.Oe?null:new g.JV(a,c,this.contextMenu, -this.Nc,this.Tb,this.qt,function(){return b.Ij()}))&&g.D(this,this.Xj); -this.oo||(this.yH=new $V(this.api,this),g.D(this,this.yH),g.BP(a,this.yH.element,4));this.rl.push(this.Tb.element);this.N(a,"fullscreentoggled",this.jk);this.N(a,"offlineslatestatechange",function(){UT(b.api)&&wU(b.Nc,128,!1)}); -this.N(a,"cardstatechange",function(){b.Fg()}); -this.N(a,"resize",this.HO);this.N(a,"showpromotooltip",this.kP)}; -Fva=function(a){var b=a.api.T(),c=g.U(g.uK(a.api),128);return b.B&&c&&!a.api.isFullscreen()}; -hY=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==zg(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=hY(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexd/1E3+1)return"in-the-past";if(f.isLivePlayback&&!isFinite(d))return"live-infinite";if(a.u&&((b=b.Zc())&&b.isView()&&(b=b.u),b&&b.xm().length>a.u&&g.WI(e)))return"played-ranges";if(!e.La)return null;if(!e.La.Lc()||!c.Lc())return"non-dash";if(e.La.videoInfos[0].containerType!==c.videoInfos[0].containerType)return"container";if(g.WI(f)&&g.WI(e))return"content-protection"; -a=c.u[0].audio;e=e.La.u[0].audio;return a.sampleRate===e.sampleRate||g.pB?(a.u||2)!==(e.u||2)?"channel-count":null:"sample-rate"}; -kY=function(a,b,c,d){g.C.call(this);var e=this;this.policy=a;this.u=b;this.B=c;this.D=this.C=null;this.I=-1;this.K=!1;this.F=new py;this.Cf=d-1E3*b.yc();this.F.then(void 0,function(){}); -this.timeout=new g.F(function(){jY(e,"timeout")},1E4); -g.D(this,this.timeout);this.R=isFinite(d);this.status={status:0,error:null};this.ea()}; -Ova=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w;return xa(c,function(y){if(1==y.u){e=d;if(d.na())return y["return"](Promise.reject(Error(d.status.error||"disposed")));d.ea();d.timeout.start();f=yz?new xz("gtfta"):null;return sa(y,d.F,2)}Bz(f);h=d.u.Zc();if(h.Yi())return jY(d,"ended_in_finishTransition"),y["return"](Promise.reject(Error(d.status.error||"")));if(!d.D||!BB(d.D))return jY(d,"next_mse_closed"),y["return"](Promise.reject(Error(d.status.error||"")));if(d.B.tm()!== -d.D)return jY(d,"next_mse_mismatch"),y["return"](Promise.reject(Error(d.status.error||"")));l=Kva(d);m=l.wF;n=l.EC;p=l.vF;d.u.Pf(!1,!0);r=Lva(h,m,p,!d.B.getVideoData().isAd());d.B.setMediaElement(r);d.R&&(d.B.seekTo(d.B.getCurrentTime()+.001,{Gq:!0,OA:3}),r.play()||Ys());t=h.sb();t.cpn=d.u.getVideoData().clientPlaybackNonce;t.st=""+m;t.et=""+p;d.B.Na("gapless",g.vB(t));d.u.Na("gaplessTo",d.B.getVideoData().clientPlaybackNonce);w=d.u.getPlayerType()===d.B.getPlayerType();Mva(d.u,n,!1,w,d.B.getVideoData().clientPlaybackNonce); -Mva(d.B,d.B.getCurrentTime(),!0,w,d.u.getVideoData().clientPlaybackNonce);g.mm(function(){!e.B.getVideoData().Rg&&g.GM(e.B.getPlayerState())&&Nva(e.B)}); -lY(d,6);d.dispose();return y["return"](Promise.resolve())})})}; -Rva=function(a){if(a.B.getVideoData().La){mY(a.B,a.D);lY(a,3);Pva(a);var b=Qva(a),c=b.xH;b=b.XR;c.subscribe("updateend",a.Lo,a);b.subscribe("updateend",a.Lo,a);a.Lo(c);a.Lo(b)}}; -Pva=function(a){a.u.unsubscribe("internalvideodatachange",a.Wl,a);a.B.unsubscribe("internalvideodatachange",a.Wl,a);a.u.unsubscribe("mediasourceattached",a.Wl,a);a.B.unsubscribe("statechange",a.lc,a)}; -Lva=function(a,b,c,d){a=a.isView()?a.u:a;return new g.ZS(a,b,c,d)}; -lY=function(a,b){a.ea();b<=a.status.status||(a.status={status:b,error:null},5===b&&a.F.resolve(void 0))}; -jY=function(a,b){if(!a.na()&&!a.isFinished()){a.ea();var c=4<=a.status.status&&"player-reload-after-handoff"!==b;a.status={status:Infinity,error:b};if(a.u&&a.B){var d=a.B.getVideoData().clientPlaybackNonce;a.u.Na("gaplessError","cpn."+d+";msg."+b);d=a.u;d.videoData.Lh=!1;c&&nY(d);d.Ba&&(c=d.Ba,c.u.aa=!1,c.C&&NF(c))}a.F.reject(void 0);a.dispose()}}; -Kva=function(a){var b=a.u.Zc();b=b.isView()?b.B:0;var c=a.u.getVideoData().isLivePlayback?Infinity:oY(a.u,!0);c=Math.min(a.Cf/1E3,c)+b;var d=a.R?100:0;a=c-a.B.Mi()+d;return{RJ:b,wF:a,EC:c,vF:Infinity}}; -Qva=function(a){return{xH:a.C.u.Rc,XR:a.C.B.Rc}}; -pY=function(a){g.C.call(this);var b=this;this.api=a;this.F=this.u=this.B=null;this.K=!1;this.D=null;this.R=Iva(this.api.T());this.C=null;this.I=function(){g.mm(function(){Sva(b)})}}; -Tva=function(a,b,c,d){d=void 0===d?0:d;a.ea();!a.B||qY(a);a.D=new py;a.B=b;var e=c,f=a.api.dc(),h=f.getVideoData().isLivePlayback?Infinity:1E3*oY(f,!0);e>h&&(e=h-a.R.B,a.K=!0);f.getCurrentTime()>=e/1E3?a.I():(a.u=f,f=e,e=a.u,a.api.addEventListener(g.hF("vqueued"),a.I),f=isFinite(f)||f/1E3>e.getDuration()?f:0x8000000000000,a.F=new g.eF(f,0x8000000000000,{namespace:"vqueued"}),e.addCueRange(a.F));f=d/=1E3;e=b.getVideoData().ra;if(d&&e&&a.u){h=d;var l=0;b.getVideoData().isLivePlayback&&(f=Math.min(c/ -1E3,oY(a.u,!0)),l=Math.max(0,f-a.u.getCurrentTime()),h=Math.min(d,oY(b)+l));f=Wga(e,h)||d;f!==d&&a.B.Na("qvaln","st."+d+";at."+f+";rm."+(l+";ct."+h))}b=f;d=a.B;if(e=a.api.dc())d.Kv=e;d.getVideoData().an=!0;d.getVideoData().Lh=!0;vT(d,!0);e="";a.u&&(e=g.rY(a.u.Jb.provider),f=a.u.getVideoData().clientPlaybackNonce,e="crt."+(1E3*e).toFixed()+";cpn."+f);d.Na("queued",e);0!==b&&d.seekTo(b+.01,{Gq:!0,OA:3});a.C=new kY(a.R,a.api.dc(),a.B,c);c=a.C;c.ea();Infinity!==c.status.status&&(lY(c,1),c.u.subscribe("internalvideodatachange", -c.Wl,c),c.B.subscribe("internalvideodatachange",c.Wl,c),c.u.subscribe("mediasourceattached",c.Wl,c),c.B.subscribe("statechange",c.lc,c),c.u.subscribe("newelementrequired",c.WF,c),c.Wl());return a.D}; -Sva=function(a){We(a,function c(){var d=this,e,f,h,l;return xa(c,function(m){switch(m.u){case 1:e=d;if(d.na())return m["return"]();d.ea();if(!d.D||!d.B)return d.ea(),m["return"]();d.K&&sY(d.api.dc(),!0,!1);f=null;if(!d.C){m.u=2;break}m.C=3;return sa(m,Ova(d.C),5);case 5:ta(m,2);break;case 3:f=h=ua(m);case 2:return Uva(d.api.app,d.B),Cz("vqsp",function(){var n=e.B.getPlayerType();g.xN(e.api.app,n)}),Cz("vqpv",function(){e.api.playVideo()}),f&&Vva(d.B,f.message),l=d.D,qY(d),m["return"](l.resolve(void 0))}})})}; -qY=function(a){if(a.u){var b=a.u;a.api.removeEventListener(g.hF("vqueued"),a.I);b.removeCueRange(a.F);a.u=null;a.F=null}a.C&&(a.C.isFinished()||(b=a.C,Infinity!==b.status.status&&jY(b,"Canceled")),a.C=null);a.D=null;a.B=null;a.K=!1}; -Wva=function(){var a=Wo();return!(!a||"visible"===a)}; -Yva=function(a){var b=Xva();b&&document.addEventListener(b,a,!1)}; -Zva=function(a){var b=Xva();b&&document.removeEventListener(b,a,!1)}; -Xva=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[Vo+"VisibilityState"])return"";a=Vo+"visibilitychange"}return a}; -tY=function(){g.O.call(this);var a=this;this.fullscreen=0;this.B=this.pictureInPicture=this.C=this.u=this.inline=!1;this.D=function(){a.ff()}; -Yva(this.D);this.F=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B)}; -$va=function(a){this.end=this.start=a}; -vY=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.W=b;this.u=c;this.fa=new Map;this.C=new Map;this.B=[];this.ha=NaN;this.R=this.F=null;this.aa=new g.F(function(){uY(d,d.ha)}); -this.events=new g.tR(this);this.isLiveNow=!0;this.ia=g.P(this.W.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.D=new g.F(function(){d.I=!0;d.u.Na("sdai","aftimeout."+d.ia.toString());d.du(!0)},this.ia); -this.I=!1;this.Y=new Map;this.X=[];this.K=null;this.P=[];this.u.getPlayerType();awa(this.u,this);g.D(this,this.aa);g.D(this,this.events);g.D(this,this.D);this.events.N(this.api,g.hF("serverstitchedcuerange"),this.CM);this.events.N(this.api,g.iF("serverstitchedcuerange"),this.DM)}; -fwa=function(a,b,c,d,e){if(g.Q(a.W.experiments,"web_player_ss_timeout_skip_ads")&&bwa(a,d,d+c))return a.u.Na("sdai","adskip_"+d),"";a.I&&a.u.Na("sdai","adaftto");var f=a.u;e=void 0===e?d+c:e;if(d>e)return wY(a,"Invalid playback enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return wY(a,"Invalid playback parentReturnTimeMs="+e+" is greater than parentDurationMs="+ -h),"";h=null;for(var l=g.q(a.B),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return wY(a,"Overlapping child playbacks not allowed. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} overlaps existing ChildPlayback "+xY(m))),"";if(e===m.pc)return wY(a,"Neighboring child playbacks must be added sequentially. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} added after existing ChildPlayback "+xY(m))),""; -d===m.gd&&(h=m)}l="childplayback_"+cwa++;m={Kd:yY(c,!0),Cf:Infinity,target:null};var n=b.raw_player_response;if(!n&&!g.Q(a.W.experiments,"web_player_parse_ad_response_killswitch")){var p=b.player_response;p&&(n=JSON.parse(p))}b.cpn||(b.cpn=a.Wx());b={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m,playerResponse:n,cpn:b.cpn};a.B=a.B.concat(b).sort(function(r,t){return r.pc-t.pc}); -h?(b.xj=h.xj,dwa(h,{Kd:yY(h.durationMs,!0),Cf:Infinity,target:b})):(b.xj=b.cpn,d={Kd:yY(d,!1),Cf:d,target:b},a.fa.set(d.Kd,d),a.ea(),f.addCueRange(d.Kd));d=ewa(b.pc,b.pc+b.durationMs);a.C.set(d,b);f.addCueRange(d);a.D.isActive()&&(a.I=!1,a.D.stop(),a.du(!1));a.ea();return l}; -yY=function(a,b){return new g.eF(Math.max(0,a-5E3),b?0x8000000000000:a-1,{namespace:"serverstitchedtransitioncuerange",priority:7})}; -ewa=function(a,b){return new g.eF(a,b,{namespace:"serverstitchedcuerange",priority:7})}; -dwa=function(a,b){a.pg=b}; -zY=function(a,b,c){c=void 0===c?0:c;var d=0;a=g.q(a.B);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.pc/1E3+d,h=f+e.durationMs/1E3;if(f>b+c)break;if(h>b)return{sh:e,ul:b-d};d=h-e.gd/1E3}return{sh:null,ul:b-d}}; -uY=function(a,b){var c=a.R||a.api.dc().getPlayerState();AY(a,!0);var d=zY(a,b).ul;a.ea();a.ea();a.u.seekTo(d);d=a.api.dc();var e=d.getPlayerState();g.GM(c)&&!g.GM(e)?d.playVideo():g.U(c,4)&&!g.U(e,4)&&d.pauseVideo()}; -AY=function(a,b){a.ha=NaN;a.aa.stop();a.F&&b&&BY(a.F);a.R=null;a.F=null}; -bU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.fa),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.u.removeCueRange(h),a.fa["delete"](h))}d=b;e=c;f=[];h=g.q(a.B);for(l=h.next();!l.done;l=h.next())l=l.value,(l.pce)&&f.push(l);a.B=f;d=b;e=c;f=g.q(a.C.keys());for(h=f.next();!h.done;h=f.next())h=h.value,h.start>=d&&h.end<=e&&(a.u.removeCueRange(h),a.C["delete"](h));d=zY(a,b/ -1E3);b=d.sh;d=d.ul;b&&(d=1E3*d-b.pc,gwa(a,b,d,b.pc+d));(b=zY(a,c/1E3).sh)&&wY(a,"Invalid clearEndTimeMs="+c+" that falls during "+xY(b)+".Child playbacks can only have duration updated not their start.")}; -gwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;c={Kd:yY(c,!0),Cf:c,target:null};b.pg=c;c=null;d=g.q(a.C);for(var e=d.next();!e.done;e=d.next()){e=g.q(e.value);var f=e.next().value;e.next().value.Hc===b.Hc&&(c=f)}c&&(a.u.removeCueRange(c),c=ewa(b.pc,b.pc+b.durationMs),a.C.set(c,b),a.u.addCueRange(c))}; -xY=function(a){return"playback={timelinePlaybackId="+a.Hc+" video_id="+a.playerVars.video_id+" durationMs="+a.durationMs+" enterTimeMs="+a.pc+" parentReturnTimeMs="+a.gd+"}"}; -$ha=function(a,b,c,d){if(hwa(a,c))return null;var e=a.Y.get(c);e||(e=0,a.W.ba("web_player_ss_media_time_offset")&&(e=0===a.u.getStreamTimeOffset()?a.u.yc():a.u.getStreamTimeOffset()),e=zY(a,b+e,1).sh);var f=Number(d.split(";")[0]);if(e&&e.playerResponse&&e.playerResponse.streamingData&&(b=e.playerResponse.streamingData.adaptiveFormats)){var h=b.find(function(m){return m.itag===f}); -if(h&&h.url){b=a.u.getVideoData();var l=b.ra.u[d].index.pD(c-1);d=h.url;l&&l.u&&(d=d.concat("&daistate="+l.u));(b=b.clientPlaybackNonce)&&(d=d.concat("&cpn="+b));e.xj&&(b=iwa(a,e.xj),0=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.X.push(new $va(b))}; -hwa=function(a,b){for(var c=g.q(a.X),d=c.next();!d.done;d=c.next())if(d=d.value,b>=d.start&&b<=d.end)return!0;return!1}; -wY=function(a,b){a.u.Na("timelineerror",b)}; -iwa=function(a,b){for(var c=[],d=g.q(a.B),e=d.next();!e.done;e=d.next())e=e.value,e.xj===b&&e.cpn&&c.push(e.cpn);return c}; -bwa=function(a,b,c){if(!a.P.length)return!1;a=g.q(a.P);for(var d=a.next();!d.done;d=a.next()){var e=d.value;d=1E3*e.startSecs;e=1E3*e.durationSecs+d;if(b>d&&bd&&ce)return DY(a,"e.enterAfterReturn enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return DY(a,"e.returnAfterDuration parentReturnTimeMs="+e+" is greater than parentDurationMs="+h),"";h=null;for(var l=g.q(a.u),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return DY(a,"e.overlappingReturn"),a.ea(),"";if(e===m.pc)return DY(a,"e.outOfOrder"),a.ea(),"";d===m.gd&&(h=m)}l="childplayback_"+lwa++;m={Kd:EY(c,!0),Cf:Infinity,target:null};var n={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m};a.u=a.u.concat(n).sort(function(t,w){return t.pc-w.pc}); -h?mwa(a,h,{Kd:EY(h.durationMs,!0),Cf:a.W.ba("timeline_manager_transition_killswitch")?Infinity:h.pg.Cf,target:n}):(b={Kd:EY(d,!1),Cf:d,target:n},a.F.set(b.Kd,b),a.ea(),f.addCueRange(b.Kd));b=g.Q(a.W.experiments,"html5_gapless_preloading");if(a.B===a.api.dc()&&(f=1E3*f.getCurrentTime(),f>=n.pc&&fb)break;if(h>b)return{sh:e,ul:b-f};c=h-e.gd/1E3}return{sh:null,ul:b-c}}; -kwa=function(a,b){var c=a.I||a.api.dc().getPlayerState();IY(a,!0);var d=g.Q(a.W.experiments,"html5_playbacktimeline_seektoinf_killswitch")||isFinite(b)?b:a.B.Fh(),e=HY(a,d);d=e.sh;e=e.ul;var f=d&&!FY(a,d)||!d&&a.B!==a.api.dc(),h=1E3*e;h=a.C&&a.C.start<=h&&h<=a.C.end;!f&&h||GY(a);a.ea();d?(a.ea(),nwa(a,d,e,c)):(a.ea(),JY(a,e,c))}; -JY=function(a,b,c){var d=a.B;if(d!==a.api.dc()){var e=d.getPlayerType();g.xN(a.api.app,e)}d.seekTo(b);twa(a,c)}; -nwa=function(a,b,c,d){var e=FY(a,b);if(!e){g.xN(a.api.app,b.playerType);b.playerVars.prefer_gapless=!0;var f=new g.rI(a.W,b.playerVars);f.Hc=b.Hc;KY(a.api.app,f,b.playerType,void 0)}f=a.api.dc();e||(b=b.pg,a.ea(),f.addCueRange(b.Kd));f.seekTo(c);twa(a,d)}; -twa=function(a,b){var c=a.api.dc(),d=c.getPlayerState();g.GM(b)&&!g.GM(d)?c.playVideo():g.U(b,4)&&!g.U(d,4)&&c.pauseVideo()}; -IY=function(a,b){a.X=NaN;a.P.stop();a.D&&b&&BY(a.D);a.I=null;a.D=null}; -FY=function(a,b){var c=a.api.dc();return!!c&&c.getVideoData().Hc===b.Hc}; -uwa=function(a){var b=a.u.find(function(d){return FY(a,d)}); -if(b){GY(a);var c=new g.AM(8);b=swa(a,b)/1E3;JY(a,b,c)}}; -cU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.F),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.B.removeCueRange(h),a.F["delete"](h))}d=b;e=c;f=[];h=g.q(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.pc>=d&&l.gd<=e){var m=a;m.K===l&&GY(m);FY(m,l)&&g.yN(m.api,l.playerType)}else f.push(l);a.u=f;d=HY(a,b/1E3);b=d.sh;d=d.ul;b&&(d*=1E3,vwa(a,b,d,b.gd===b.pc+b.durationMs?b.pc+ -d:b.gd));(b=HY(a,c/1E3).sh)&&DY(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Hc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.pc+" parentReturnTimeMs="+b.gd+"}.Child playbacks can only have duration updated not their start."))}; -vwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;d={Kd:EY(c,!0),Cf:c,target:null};mwa(a,b,d);FY(a,b)&&1E3*a.api.dc().getCurrentTime()>c&&(b=swa(a,b)/1E3,c=a.api.dc().getPlayerState(),JY(a,b,c))}; -DY=function(a,b){a.B.Na("timelineerror",b)}; -xwa=function(a){a&&"web"!==a&&wwa.includes(a)}; -NY=function(a,b){g.C.call(this);var c=this;this.data=[];this.C=a||NaN;this.B=b||null;this.u=new g.F(function(){LY(c);MY(c)}); -g.D(this,this.u)}; -LY=function(a){var b=(0,g.N)();a.data.forEach(function(c){c.expire=e;e++)d.push(e/100);e={threshold:d};b&&(e={threshold:d,trackVisibility:!0,delay:1E3});(this.B=window.IntersectionObserver?new IntersectionObserver(function(f){f=f[f.length-1];b?"undefined"===typeof f.isVisible?c.u=null:c.u=f.isVisible?f.intersectionRatio:0:c.u=f.intersectionRatio},e):null)&&this.B.observe(a)}; -VY=function(a,b){this.u=a;this.da=b;this.B=null;this.C=[];this.D=!1}; -g.WY=function(a){a.B||(a.B=a.u.createMediaElementSource(a.da.Pa()));return a.B}; -g.XY=function(a){for(var b;0e&&(e=l.width,f="url("+l.url+")")}c.background.style.backgroundImage=f;HKa(c,d.actionButtons||[]);c.show()}else c.hide()}),g.NS(this.api,this.j.element,4))}; +hT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);g.DK(a.V())&&(mS(this.api,"seekToChapterWithAnimation",function(c){b.seekToChapterWithAnimation(c)}),mS(this.api,"seekToTimeWithAnimation",function(c,d){b.seekToTimeWithAnimation(c,d)}))}; +JKa=function(a,b,c,d){var e=1E3*a.api.getCurrentTime()r.start&&dG;G++)if(B=(B<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(z.charAt(G)),4==G%5){for(var D="",L=0;6>L;L++)D="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(B&31)+D,B>>=5;F+=D}z=F.substr(0,4)+" "+F.substr(4,4)+" "+F.substr(8,4)}else z= +"";l={video_id_and_cpn:String(c.videoId)+" / "+z,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",date:""+(new Date).toString(),drm_style:q?"":"display:none",drm:q,debug_info:d,extra_debug_info:"",bandwidth_style:x,network_activity_style:x,network_activity_bytes:m.toFixed(0)+" KB",shader_info:v,shader_info_style:v?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1P)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":a="Optimized for Normal Latency";break;case "LOW":a="Optimized for Low Latency";break;case "ULTRALOW":a="Optimized for Ultra Low Latency";break;default:a="Unknown Latency Setting"}else a=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=a;(P=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= +", seq "+P.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=ES(h,"bandwidth");l.network_activity_samples=ES(h,"networkactivity");l.live_latency_samples=ES(h,"livelatency");l.buffer_health_samples=ES(h,"bufferhealth");b=g.ZM(c);if(c.cotn||b)l.cotn_and_local_media=(c.cotn?c.cotn:"null")+" / "+b;l.cotn_and_local_media_style=l.cotn_and_local_media?"":"display:none";fM(c,"web_player_release_debug")? +(l.release_name="youtube.player.web_20230423_00_RC00",l.release_style=""):l.release_style="display:none";l.debug_info&&0=l.debug_info.length+p.length?l.debug_info+=" "+p:l.extra_debug_info=p;l.extra_debug_info_style=l.extra_debug_info&&0=a.length?0:b}; +nLa=function(a){var b=a.index-1;return 0>b?a.length-1:b}; +g.zT=function(a,b,c,d){b=void 0!==b?b:a.index;b=a.items&&b in a.items?a.items[a.order[b]]:null;var e=null;b&&(c&&(b.autoplay="1"),d&&(b.autonav="1"),e=new g.$L(a.u,b),g.E(a,e),e.bl=!0,e.startSeconds=a.startSeconds||e.clipStart||0,a.listId&&(e.playlistId=a.listId.toString()));return e}; +oLa=function(a,b){a.index=g.ze(b,0,a.length-1);a.startSeconds=0}; +pLa=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=g.zT(a);a.items=[];for(var d=g.t(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(b=b.index)?a.index=b:a.findIndex(c);a.setShuffle(!1);a.loaded=!0;a.B++;a.j&&a.j()}}; +sLa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j){c=g.CR();var p=a.V(),q={context:g.jS(a),playbackContext:{contentPlaybackContext:{ancestorOrigins:p.ancestorOrigins}}};p=p.embedConfig;var r=b.docid||b.video_id||b.videoId||b.id;if(!r){r=b.raw_embedded_player_response;if(!r){var v=b.embedded_player_response;v&&(r=JSON.parse(v))}if(r){var x,z,B,F,G,D;r=(null==(D=g.K(null==(x=r)?void 0:null==(z=x.embedPreview)?void 0:null==(B=z.thumbnailPreviewRenderer)?void 0:null==(F=B.playButton)? +void 0:null==(G=F.buttonRenderer)?void 0:G.navigationEndpoint,g.oM))?void 0:D.videoId)||null}else r=null}x=(x=r)?x:void 0;z=a.playlistId?a.playlistId:b.list;B=b.listType;if(z){var L;"user_uploads"===B?L={username:z}:L={playlistId:z};qLa(p,x,b,L);q.playlistRequest=L}else b.playlist?(L={templistVideoIds:b.playlist.toString().split(",")},qLa(p,x,b,L),q.playlistRequest=L):x&&(L={videoId:x},p&&(L.serializedThirdPartyEmbedConfig=p),q.singleVideoRequest=L);d=q;e=g.pR(rLa);g.pa(n,2);return g.y(n,g.AP(c,d, +e),4)}if(2!=n.j)return f=n.u,h=a.V(),b.raw_embedded_player_response=f,h.Qa=pz(b,g.fK(h)),h.B="EMBEDDED_PLAYER_MODE_PFL"===h.Qa,f&&(l=f,l.trackingParams&&(q=l.trackingParams,pP().eq(q))),n.return(new g.$L(h,b));m=g.sa(n);m instanceof Error||(m=Error("b259802748"));g.CD(m);return n.return(a)})}; +qLa=function(a,b,c,d){c.index&&(d.playlistIndex=String(Number(c.index)+1));d.videoId=b?b:"";a&&(d.serializedThirdPartyEmbedConfig=a)}; +g.BT=function(a,b){AT.get(a);AT.set(a,b)}; +g.CT=function(a){g.dE.call(this);this.loaded=!1;this.player=a}; +tLa=function(){this.u=[];this.j=[]}; +g.DT=function(a,b){return b?a.j.concat(a.u):a.j}; +g.ET=function(a,b){switch(b.kind){case "asr":uLa(b,a.u);break;default:uLa(b,a.j)}}; +uLa=function(a,b){g.nb(b,function(c){return a.equals(c)})||b.push(a)}; +g.FT=function(a){g.C.call(this);this.Y=a;this.j=new tLa;this.C=[]}; +g.GT=function(a,b,c){g.FT.call(this,a);this.audioTrack=c;this.u=null;this.B=!1;this.eventId=null;this.C=b.LK;this.B=g.QM(b);this.eventId=b.eventId}; +vLa=function(){this.j=this.dk=!1}; +wLa=function(a){a=void 0===a?{}:a;var b=void 0===a.Oo?!1:a.Oo,c=new vLa;c.dk=(void 0===a.hasSubfragmentedFmp4?!1:a.hasSubfragmentedFmp4)||b;return c}; +g.xLa=function(a){this.j=a;this.I=new vLa;this.Un=this.Tn=!1;this.qm=2;this.Z=20971520;this.Ga=8388608;this.ea=120;this.kb=3145728;this.Ld=this.j.K("html5_platform_backpressure");this.tb=62914560;this.Wc=10485760;this.xm=g.gJ(this.j.experiments,"html5_min_readbehind_secs");this.vx=g.gJ(this.j.experiments,"html5_min_readbehind_cap_secs");this.tx=g.gJ(this.j.experiments,"html5_max_readbehind_secs");this.AD=this.j.K("html5_trim_future_discontiguous_ranges");this.ri=this.j.K("html5_offline_reset_media_stream_on_unresumable_slices"); +this.dc=NaN;this.jo=this.Xk=this.Yv=2;this.Ja=2097152;this.vf=0;this.ao=1048576;this.Oc=!1;this.Nd=1800;this.wm=this.vl=5;this.fb=15;this.Hf=1;this.J=1.15;this.T=1.05;this.bl=1;this.Rn=!0;this.Xa=!1;this.oo=.8;this.ol=this.Dc=!1;this.Vd=6;this.D=this.ib=!1;this.aj=g.gJ(this.j.experiments,"html5_static_abr_resolution_shelf");this.ph=g.gJ(this.j.experiments,"html5_min_startup_buffered_media_duration_secs");this.Vn=g.gJ(this.j.experiments,"html5_post_interrupt_readahead");this.Sn=!1;this.Xn=g.gJ(this.j.experiments, +"html5_probe_primary_delay_base_ms")||5E3;this.Uo=100;this.Kf=10;this.wx=g.gJ(this.j.experiments,"html5_offline_failure_retry_limit")||2;this.lm=this.j.experiments.ob("html5_clone_original_for_fallback_location");this.Qg=1;this.Yi=1.6;this.Lc=!1;this.Xb=g.gJ(this.j.experiments,"html5_subsegment_readahead_target_buffer_health_secs");this.hj=g.gJ(this.j.experiments,"html5_subsegment_readahead_timeout_secs");this.rz=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs");this.dj= +g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");this.nD=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_load_speed");this.Eo=g.gJ(this.j.experiments,"html5_subsegment_readahead_load_speed_check_interval");this.wD=g.gJ(this.j.experiments,"html5_subsegment_readahead_seek_latency_fudge");this.Vf=15;this.rl=1;this.rd=!1;this.Nx=this.j.K("html5_restrict_streaming_xhr_on_sqless_requests");this.ox=g.gJ(this.j.experiments,"html5_max_headm_for_streaming_xhr"); +this.Ax=this.j.K("html5_pipeline_manifestless_allow_nonstreaming");this.Cx=this.j.K("html5_prefer_server_bwe3");this.mx=this.j.K("html5_last_slice_transition");this.Yy=this.j.K("html5_store_xhr_headers_readable");this.Mp=!1;this.Yn=0;this.zm=2;this.po=this.jm=!1;this.ul=g.gJ(this.j.experiments,"html5_max_drift_per_track_secs");this.Pn=this.j.K("html5_no_placeholder_rollbacks");this.kz=this.j.K("html5_subsegment_readahead_enable_mffa");this.uf=this.j.K("html5_allow_video_keyframe_without_audio");this.zx= +this.j.K("html5_enable_vp9_fairplay");this.ym=this.j.K("html5_never_pause_appends");this.uc=!0;this.ke=this.Ya=this.jc=!1;this.mm=!0;this.Ui=!1;this.u="";this.Qw=1048576;this.je=[];this.Sw=this.j.K("html5_woffle_resume");this.Qk=this.j.K("html5_abs_buffer_health");this.Pk=!1;this.lx=this.j.K("html5_interruption_resets_seeked_time");this.qx=g.gJ(this.j.experiments,"html5_max_live_dvr_window_plus_margin_secs")||46800;this.Qa=!1;this.ll=this.j.K("html5_explicitly_dispose_xhr");this.Zn=!1;this.sA=!this.j.K("html5_encourage_array_coalescing"); +this.hm=!1;this.Fx=this.j.K("html5_restart_on_unexpected_detach");this.ya=0;this.jl="";this.Pw=this.j.K("html5_disable_codec_for_playback_on_error");this.Si=!1;this.Uw=this.j.K("html5_filter_non_efficient_formats_for_safari");this.j.K("html5_format_hybridization");this.mA=this.j.K("html5_abort_before_separate_init");this.uy=bz();this.Wf=!1;this.Xy=this.j.K("html5_serialize_server_stitched_ad_request");this.tA=this.j.K("html5_skip_buffer_check_seek_to_head");this.Od=!1;this.rA=this.j.K("html5_attach_po_token_to_bandaid"); +this.tm=g.gJ(this.j.experiments,"html5_max_redirect_response_length")||8192;this.Zi=this.j.K("html5_rewrite_timestamps_for_webm");this.Pb=this.j.K("html5_only_media_duration_for_discontinuities");this.Ex=g.gJ(this.j.experiments,"html5_resource_bad_status_delay_scaling")||1;this.j.K("html5_onesie_live");this.dE=this.j.K("html5_onesie_premieres");this.Rw=this.j.K("html5_drop_onesie_for_live_mode_mismatch");this.xx=g.gJ(this.j.experiments,"html5_onesie_live_ttl_secs")||8;this.Qn=g.gJ(this.j.experiments, +"html5_attach_num_random_bytes_to_bandaid");this.Jy=this.j.K("html5_self_init_consolidation");this.yx=g.gJ(this.j.experiments,"html5_onesie_request_timeout_ms")||3E3;this.C=!1;this.nm=this.j.K("html5_new_sabr_buffer_timeline")||this.C;this.Aa=this.j.K("html5_ssdai_use_post_for_media")&&this.j.K("gab_return_sabr_ssdai_config");this.Xo=this.j.K("html5_use_post_for_media");this.Vo=g.gJ(this.j.experiments,"html5_url_padding_length");this.ij="";this.ot=this.j.K("html5_post_body_in_string");this.Bx=this.j.K("html5_post_body_as_prop"); +this.useUmp=this.j.K("html5_use_ump")||this.j.K("html5_cabr_utc_seek");this.Rk=this.j.K("html5_cabr_utc_seek");this.La=this.oa=!1;this.Wn=this.j.K("html5_prefer_drc");this.Dx=this.j.K("html5_reset_primary_stats_on_redirector_failure");this.j.K("html5_remap_to_original_host_when_redirected");this.B=!1;this.If=this.j.K("html5_enable_sabr_format_selection");this.uA=this.j.K("html5_iterative_seeking_buffered_time");this.Eq=this.j.K("html5_use_network_error_code_enums");this.Ow=this.j.K("html5_disable_overlapping_requests"); +this.Mw=this.j.K("html5_disable_cabr_request_timeout_for_sabr");this.Tw=this.j.K("html5_fallback_to_cabr_on_net_bad_status");this.Jf=this.j.K("html5_enable_sabr_partial_segments");this.Tb=!1;this.gA=this.j.K("html5_use_media_end_for_end_of_segment");this.nx=this.j.K("html5_log_smooth_audio_switching_reason");this.jE=this.j.K("html5_update_ctmp_rqs_logging");this.ql=!this.j.K("html5_remove_deprecated_ticks");this.Lw=this.j.K("html5_disable_bandwidth_cofactors_for_sabr")}; +yLa=function(a,b){1080>31));tL(a,16,b.v4);tL(a,18,b.o2);tL(a,19,b.n2);tL(a,21,b.h9);tL(a,23,b.X1);tL(a,28,b.l8);tL(a,34,b.visibility);xL(a,38,b.mediaCapabilities,zLa,3);tL(a,39,b.v9);tL(a,40,b.pT);uL(a,46,b.M2);tL(a,48,b.S8)}; +BLa=function(a){for(var b=[];jL(a,2);)b.push(iL(a));return{AK:b.length?b:void 0,videoId:nL(a,3),eQ:kL(a,4)}}; +zLa=function(a,b){var c;if(b.dQ)for(c=0;cMath.random()){var B=new g.bA("Unable to load player module",b,document.location&&document.location.origin);g.CD(B)}Ff(e);r&&r(z)}; +var v=m,x=v.onreadystatechange;v.onreadystatechange=function(z){switch(v.readyState){case "loaded":case "complete":Ff(f)}x&&x(z)}; +l&&((h=a.F.V().cspNonce)&&m.setAttribute("nonce",h),g.fk(m,g.wr(b)),h=g.Xe("HEAD")[0]||document.body,h.insertBefore(m,h.firstChild),g.bb(a,function(){m.parentNode&&m.parentNode.removeChild(m)}))}; +lMa=function(a,b,c,d,e){g.dE.call(this);var f=this;this.target=a;this.fF=b;this.u=0;this.I=!1;this.C=new g.Fe(NaN,NaN);this.j=new g.bI(this);this.ya=this.B=this.J=null;g.E(this,this.j);b=d||e?4E3:3E3;this.ea=new g.Ip(function(){QT(f,1,!1)},b,this); +g.E(this,this.ea);this.Z=new g.Ip(function(){QT(f,2,!1)},b,this); +g.E(this,this.Z);this.oa=new g.Ip(function(){QT(f,512,!1)},b,this); +g.E(this,this.oa);this.Aa=c&&0=c.width||!c.height||0>=c.height||g.UD(c.url)&&b.push({src:c.url||"",sizes:c.width+"x"+c.height,type:"image/jpeg"}));return b}; +zMa=function(a){var b=a.F.Cb();b=b.isCued()||b.isError()?"none":g.RO(b)?"playing":"paused";a.mediaSession.playbackState=b}; +AMa=function(a){g.U.call(this,{G:"div",N:"ytp-paid-content-overlay",X:{"aria-live":"assertive","aria-atomic":"true"}});this.F=a;this.videoId=null;this.B=!1;this.Te=this.j=null;var b=a.V();a.K("enable_new_paid_product_placement")&&!g.GK(b)?(this.u=new g.U({G:"a",N:"ytp-paid-content-overlay-link",X:{href:"{{href}}",target:"_blank"},W:[{G:"div",N:"ytp-paid-content-overlay-icon",ra:"{{icon}}"},{G:"div",N:"ytp-paid-content-overlay-text",ra:"{{text}}"},{G:"div",N:"ytp-paid-content-overlay-chevron",ra:"{{chevron}}"}]}), +this.S(this.u.element,"click",this.onClick)):this.u=new g.U({G:"div",Ia:["ytp-button","ytp-paid-content-overlay-text"],ra:"{{text}}"});this.C=new g.QQ(this.u,250,!1,100);g.E(this,this.u);this.u.Ea(this.element);g.E(this,this.C);this.F.Zf(this.element,this);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"presentingplayerstatechange",this.yd)}; +CMa=function(a,b){var c=Kza(b),d=BM(b);b.Kf&&a.F.Mo()||(a.j?b.videoId&&b.videoId!==a.videoId&&(g.Lp(a.j),a.videoId=b.videoId,a.B=!!d,a.B&&c&&BMa(a,d,c,b)):c&&d&&BMa(a,d,c,b))}; +BMa=function(a,b,c,d){a.j&&a.j.dispose();a.j=new g.Ip(a.Fb,b,a);g.E(a,a.j);var e,f;b=null==(e=d.getPlayerResponse())?void 0:null==(f=e.paidContentOverlay)?void 0:f.paidContentOverlayRenderer;e=null==b?void 0:b.navigationEndpoint;var h;f=null==b?void 0:null==(h=b.icon)?void 0:h.iconType;var l;h=null==(l=g.K(e,g.pM))?void 0:l.url;a.F.og(a.element,(null==e?void 0:e.clickTrackingParams)||null);a.u.update({href:null!=h?h:"#",text:c,icon:"MONEY_HAND"===f?{G:"svg",X:{fill:"none",height:"100%",viewBox:"0 0 24 24", +width:"100%"},W:[{G:"path",X:{d:"M6 9H5V5V4H6H19V5H6V9ZM21.72 16.04C21.56 16.8 21.15 17.5 20.55 18.05C20.47 18.13 18.42 20.01 14.03 20.01C13.85 20.01 13.67 20.01 13.48 20C11.3 19.92 8.51 19.23 5.4 18H2V10H5H6H7V6H21V13H16.72C16.37 13.59 15.74 14 15 14H12.7C13.01 14.46 13.56 15 14.5 15H15.02C16.07 15 17.1 14.64 17.92 13.98C18.82 13.26 20.03 13.22 20.91 13.84C21.58 14.32 21.9 15.19 21.72 16.04ZM15 10C15 9.45 14.55 9 14 9C13.45 9 13 9.45 13 10H15ZM20 11C19.45 11 19 11.45 19 12H20V11ZM19 7C19 7.55 19.45 8 20 8V7H19ZM8 8C8.55 8 9 7.55 9 7H8V8ZM8 10H12C12 8.9 12.9 8 14 8C15.1 8 16 8.9 16 10V10.28C16.59 10.63 17 11.26 17 12H18C18 10.9 18.9 10 20 10V9C18.9 9 18 8.1 18 7H10C10 8.1 9.1 9 8 9V10ZM5 13.5V11H3V17H5V13.5ZM20.33 14.66C19.81 14.29 19.1 14.31 18.6 14.71C17.55 15.56 16.29 16 15.02 16H14.5C12.62 16 11.67 14.46 11.43 13.64L11.24 13H15C15.55 13 16 12.55 16 12C16 11.45 15.55 11 15 11H6V13.5V17.16C8.9 18.29 11.5 18.93 13.52 19C17.85 19.15 19.85 17.34 19.87 17.32C20.33 16.9 20.62 16.4 20.74 15.84C20.84 15.37 20.68 14.91 20.33 14.66Z", +fill:"white"}}]}:null,chevron:h?g.iQ():null})}; +DMa=function(a,b){a.j&&(g.S(b,8)&&a.B?(a.B=!1,a.od(),a.j.start()):(g.S(b,2)||g.S(b,64))&&a.videoId&&(a.videoId=null))}; +cU=function(a){g.U.call(this,{G:"div",N:"ytp-spinner",W:[qMa(),{G:"div",N:"ytp-spinner-message",ra:"If playback doesn't begin shortly, try restarting your device."}]});this.api=a;this.message=this.Da("ytp-spinner-message");this.j=new g.Ip(this.show,500,this);g.E(this,this.j);this.S(a,"presentingplayerstatechange",this.onStateChange);this.S(a,"playbackstalledatstart",this.u);this.qc(a.Cb())}; +dU=function(a){var b=sJ(a.V().experiments,"mweb_muted_autoplay_animation"),c=[],d=[{G:"div",Ia:["ytp-unmute-icon"],W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 21.48,17.98 c 0,-1.77 -1.02,-3.29 -2.5,-4.03 v 2.21 l 2.45,2.45 c .03,-0.2 .05,-0.41 .05,-0.63 z m 2.5,0 c 0,.94 -0.2,1.82 -0.54,2.64 l 1.51,1.51 c .66,-1.24 1.03,-2.65 1.03,-4.15 0,-4.28 -2.99,-7.86 -7,-8.76 v 2.05 c 2.89,.86 5,3.54 5,6.71 z M 9.25,8.98 l -1.27,1.26 4.72,4.73 H 7.98 v 6 H 11.98 l 5,5 v -6.73 l 4.25,4.25 c -0.67,.52 -1.42,.93 -2.25,1.18 v 2.06 c 1.38,-0.31 2.63,-0.95 3.69,-1.81 l 2.04,2.05 1.27,-1.27 -9,-9 -7.72,-7.72 z m 7.72,.99 -2.09,2.08 2.09,2.09 V 9.98 z"}}]}]}, +{G:"div",Ia:["ytp-unmute-text"],ra:"Tap to unmute"}];"none"!==b&&(c.push("ytp-unmute-animated"),d.push({G:"div",Ia:["ytp-unmute-box"],W:[]}),"expand"===b?c.push("ytp-unmute-expand"):"shrink"===b&&c.push("ytp-unmute-shrink"));g.PS.call(this,a,{G:"button",Ia:["ytp-unmute","ytp-popup","ytp-button"].concat(c),W:[{G:"div",N:"ytp-unmute-inner",W:d}]},100);this.j=this.clicked=!1;this.api=a;this.api.sb(this.element,this,51663);this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange,this);this.S(a,"presentingplayerstatechange", +this.Hi);this.Ra("click",this.onClick,this);a=a.isMutedByMutedAutoplay()&&!g.fK(this.api.V());g.bQ(this,a);a&&EMa(this);this.B=a}; +EMa=function(a){a.j||(a.j=!0,a.api.Ua(a.element,!0))}; +g.eU=function(a){g.bI.call(this);var b=this;this.api=a;this.nN=!1;this.To=null;this.pF=!1;this.rg=null;this.aL=this.qI=!1;this.NP=this.OP=null;this.hV=NaN;this.MP=this.vB=!1;this.PC=0;this.jK=[];this.pO=!1;this.qC={height:0,width:0};this.X9=["ytp-player-content","html5-endscreen","ytp-overlay"];this.uN={HU:!1};var c=a.V(),d=a.jb();this.qC=a.getPlayerSize();this.BS=new g.Ip(this.DN,0,this);g.E(this,this.BS);g.oK(c)||(this.Fm=new g.TT(a),g.E(this,this.Fm),g.NS(a,this.Fm.element,4));if(FMa(this)){var e= +new cU(a);g.E(this,e);e=e.element;g.NS(a,e,4)}var f=a.getVideoData();this.Ve=new lMa(d,function(l){return b.fF(l)},f,c.ph,!1); +g.E(this,this.Ve);this.Ve.subscribe("autohideupdate",this.qn,this);if(!c.disablePaidContentOverlay){var h=new AMa(a);g.E(this,h);g.NS(a,h.element,4)}this.TP=new dU(a);g.E(this,this.TP);g.NS(this.api,this.TP.element,2);this.vM=this.api.isMutedByMutedAutoplay();this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange);this.pI=new g.Ip(this.fA,200,this);g.E(this,this.pI);this.GC=f.videoId;this.qX=new g.Ip(function(){b.PC=0},350); +g.E(this,this.qX);this.uF=new g.Ip(function(){b.MP||GMa(b)},350,this); +g.E(this,this.uF);f=a.getRootNode();f.setAttribute("aria-label","YouTube Video Player");switch(c.color){case "white":g.Qp(f,"ytp-color-white")}g.oK(c)&&g.Qp(f,"ytp-music-player");navigator.mediaSession&&null!=navigator.mediaSession.setActionHandler&&(f=new aU(a),g.E(this,f));this.S(a,"appresize",this.Db);this.S(a,"presentingplayerstatechange",this.Hi);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"videoplayerreset",this.G6);this.S(a,"autonavvisibility",function(){b.wp()}); +this.S(a,"sizestylechange",function(){b.wp()}); +this.S(d,"click",this.d7,this);this.S(d,"dblclick",this.e7,this);this.S(d,"mousedown",this.h7,this);c.Tb&&(this.S(d,"gesturechange",this.f7,this),this.S(d,"gestureend",this.g7,this));this.Ws=[d.kB];this.Fm&&this.Ws.push(this.Fm.element);e&&this.Ws.push(e)}; +HMa=function(a,b){if(!b)return!1;var c=a.api.qe();if(c.du()&&(c=c.ub())&&g.zf(c,b))return c.controls;for(c=0;c1+b&&a.api.toggleFullscreen()}; +FMa=function(a){a=Xy()&&67<=goa()&&!a.api.V().T;return!Wy("tizen")&&!cK&&!a&&!0}; +gU=function(a,b){b=void 0===b?2:b;g.dE.call(this);this.api=a;this.j=null;this.ud=new Jz(this);g.E(this,this.ud);this.u=qFa;this.ud.S(this.api,"presentingplayerstatechange",this.yd);this.j=this.ud.S(this.api,"progresssync",this.yc);this.In=b;1===this.In&&this.yc()}; +LMa=function(a){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-back-button"],W:[{G:"div",N:"ytp-arrow-back-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},W:[{G:"path",X:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",xc:!0,X:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.F=a;g.bQ(this,a.V().rl);this.Ra("click",this.onClick)}; +g.hU=function(a){g.U.call(this,{G:"div",W:[{G:"div",N:"ytp-bezel-text-wrapper",W:[{G:"div",N:"ytp-bezel-text",ra:"{{title}}"}]},{G:"div",N:"ytp-bezel",X:{role:"status","aria-label":"{{label}}"},W:[{G:"div",N:"ytp-bezel-icon",ra:"{{icon}}"}]}]});this.F=a;this.u=new g.Ip(this.show,10,this);this.j=new g.Ip(this.hide,500,this);g.E(this,this.u);g.E(this,this.j);this.hide()}; +jU=function(a,b,c){if(0>=b){c=tQ();b="muted";var d=0}else c=c?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", +fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";iU(a,c,b,d+"%")}; +MMa=function(a,b){b=b?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]};var c=a.F.getPlaybackRate(),d=g.lO("Speed is $RATE",{RATE:String(c)});iU(a,b,d,c+"x")}; +NMa=function(a,b){b=b?"Subtitles/closed captions on":"Subtitles/closed captions off";iU(a,pMa(),b)}; +iU=function(a,b,c,d){d=void 0===d?"":d;a.updateValue("label",void 0===c?"":c);a.updateValue("icon",b);g.Lp(a.j);a.u.start();a.updateValue("title",d);g.Up(a.element,"ytp-bezel-text-hide",!d)}; +PMa=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-cards-button"],X:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"span",N:"ytp-cards-button-icon-default",W:[{G:"div",N:"ytp-cards-button-icon",W:[a.V().K("player_new_info_card_format")?PEa():{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, +{G:"div",N:"ytp-cards-button-title",ra:"Info"}]},{G:"span",N:"ytp-cards-button-icon-shopping",W:[{G:"div",N:"ytp-cards-button-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",N:"ytp-svg-shadow",X:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",N:"ytp-svg-fill",X:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", +"fill-opacity":"1"}},{G:"path",N:"ytp-svg-shadow-fill",X:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", +N:"ytp-cards-button-title",ra:"Shopping"}]}]});this.F=a;this.B=b;this.C=c;this.j=null;this.u=new g.QQ(this,250,!0,100);g.E(this,this.u);g.Up(this.C,"ytp-show-cards-title",g.fK(a.V()));this.hide();this.Ra("click",this.L5);this.Ra("mouseover",this.f6);OMa(this,!0)}; +OMa=function(a,b){b?a.j=g.ZS(a.B.Ic(),a.element):(a.j=a.j,a.j(),a.j=null)}; +QMa=function(a,b,c){g.U.call(this,{G:"div",N:"ytp-cards-teaser",W:[{G:"div",N:"ytp-cards-teaser-box"},{G:"div",N:"ytp-cards-teaser-text",W:a.V().K("player_new_info_card_format")?[{G:"button",N:"ytp-cards-teaser-info-icon",X:{"aria-label":"Show cards","aria-haspopup":"true"},W:[PEa()]},{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"},{G:"button",N:"ytp-cards-teaser-close-button",X:{"aria-label":"Close"},W:[g.jQ()]}]:[{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"}]}]});var d=this;this.F=a;this.Z= +b;this.Wi=c;this.C=new g.QQ(this,250,!1,250);this.j=null;this.J=new g.Ip(this.s6,300,this);this.I=new g.Ip(this.r6,2E3,this);this.D=[];this.u=null;this.T=new g.Ip(function(){d.element.style.margin="0"},250); +this.onClickCommand=this.B=null;g.E(this,this.C);g.E(this,this.J);g.E(this,this.I);g.E(this,this.T);a.V().K("player_new_info_card_format")?(g.Qp(a.getRootNode(),"ytp-cards-teaser-dismissible"),this.S(this.Da("ytp-cards-teaser-close-button"),"click",this.Zo),this.S(this.Da("ytp-cards-teaser-info-icon"),"click",this.DP),this.S(this.Da("ytp-cards-teaser-label"),"click",this.DP)):this.Ra("click",this.DP);this.S(c.element,"mouseover",this.ER);this.S(c.element,"mouseout",this.DR);this.S(a,"cardsteasershow", +this.E7);this.S(a,"cardsteaserhide",this.Fb);this.S(a,"cardstatechange",this.CY);this.S(a,"presentingplayerstatechange",this.CY);this.S(a,"appresize",this.aQ);this.S(a,"onShowControls",this.aQ);this.S(a,"onHideControls",this.m2);this.Ra("mouseenter",this.g0)}; +RMa=function(a){g.U.call(this,{G:"button",Ia:[kU.BUTTON,kU.TITLE_NOTIFICATIONS],X:{"aria-pressed":"{{pressed}}","aria-label":"{{label}}"},W:[{G:"div",N:kU.TITLE_NOTIFICATIONS_ON,X:{title:"Stop getting notified about every new video","aria-label":"Notify subscriptions"},W:[g.nQ()]},{G:"div",N:kU.TITLE_NOTIFICATIONS_OFF,X:{title:"Get notified about every new video","aria-label":"Notify subscriptions"},W:[{G:"svg",X:{fill:"#fff",height:"24px",viewBox:"0 0 24 24",width:"24px"},W:[{G:"path",X:{d:"M18 11c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2v-5zm-6 11c.14 0 .27-.01.4-.04.65-.14 1.18-.58 1.44-1.18.1-.24.15-.5.15-.78h-4c.01 1.1.9 2 2.01 2z"}}]}]}]}); +this.api=a;this.j=!1;a.sb(this.element,this,36927);this.Ra("click",this.onClick,this);this.updateValue("pressed",!1);this.updateValue("label","Get notified about every new video")}; +SMa=function(a,b){a.j=b;a.element.classList.toggle(kU.NOTIFICATIONS_ENABLED,a.j);var c=a.api.getVideoData();c?(b=b?c.TI:c.RI)?(a=a.api.Mm())?tR(a,b):g.CD(Error("No innertube service available when updating notification preferences.")):g.CD(Error("No update preferences command available.")):g.CD(Error("No video data when updating notification preferences."))}; +g.lU=function(a,b,c){var d=void 0===d?800:d;var e=void 0===e?600:e;a=TMa(a,b);if(a=g.gk(a,"loginPopup","width="+d+",height="+e+",resizable=yes,scrollbars=yes"))Xqa(function(){c()}),a.moveTo((screen.width-d)/2,(screen.height-e)/2)}; +TMa=function(a,b){var c=document.location.protocol;return vfa(c+"//"+a+"/signin?context=popup","feature",b,"next",c+"//"+location.hostname+"/post_login")}; +g.nU=function(a,b,c,d,e,f,h,l,m,n,p,q,r){r=void 0===r?null:r;a=a.charAt(0)+a.substring(1).toLowerCase();c=c.charAt(0)+c.substring(1).toLowerCase();if("0"===b||"-1"===b)b=null;if("0"===d||"-1"===d)d=null;var v=q.V();p=v.userDisplayName&&g.lK(v);g.U.call(this,{G:"div",Ia:["ytp-button","ytp-sb"],W:[{G:"div",N:"ytp-sb-subscribe",X:p?{title:g.lO("Subscribe as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Subscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)), +tabindex:"0",role:"button"}:{"aria-label":"Subscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},a]},b?{G:"div",N:"ytp-sb-count",ra:b}:""]},{G:"div",N:"ytp-sb-unsubscribe",X:p?{title:g.lO("Subscribed as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Unsubscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)),tabindex:"0",role:"button"}:{"aria-label":"Unsubscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},c]}, +d?{G:"div",N:"ytp-sb-count",ra:d}:""]}],X:{"aria-live":"polite"}});var x=this;this.channelId=h;this.B=r;this.F=q;var z=this.Da("ytp-sb-subscribe"),B=this.Da("ytp-sb-unsubscribe");f&&g.Qp(this.element,"ytp-sb-classic");if(e){l?this.j():this.u();var F=function(){if(v.authUser){var D=x.channelId;if(m||n){var L={c:D};var P;g.fS.isInitialized()&&(P=xJa(L));L=P||"";if(P=q.getVideoData())if(P=P.subscribeCommand){var T=q.Mm();T?(tR(T,P,{botguardResponse:L,feature:m}),q.Na("SUBSCRIBE",D)):g.CD(Error("No innertube service available when updating subscriptions."))}else g.CD(Error("No subscribe command in videoData.")); +else g.CD(Error("No video data available when updating subscription."))}B.focus();B.removeAttribute("aria-hidden");z.setAttribute("aria-hidden","true")}else g.lU(g.yK(x.F.V()),"sb_button",x.C)},G=function(){var D=x.channelId; +if(m||n){var L=q.getVideoData();tR(q.Mm(),L.unsubscribeCommand,{feature:m});q.Na("UNSUBSCRIBE",D)}z.focus();z.removeAttribute("aria-hidden");B.setAttribute("aria-hidden","true")}; +this.S(z,"click",F);this.S(B,"click",G);this.S(z,"keypress",function(D){13===D.keyCode&&F(D)}); +this.S(B,"keypress",function(D){13===D.keyCode&&G(D)}); +this.S(q,"SUBSCRIBE",this.j);this.S(q,"UNSUBSCRIBE",this.u);this.B&&p&&(this.tooltip=this.B.Ic(),mU(this.tooltip),g.bb(this,g.ZS(this.tooltip,z)),g.bb(this,g.ZS(this.tooltip,B)))}else g.Qp(z,"ytp-sb-disabled"),g.Qp(B,"ytp-sb-disabled")}; +VMa=function(a,b){g.U.call(this,{G:"div",N:"ytp-title-channel",W:[{G:"div",N:"ytp-title-beacon"},{G:"a",N:"ytp-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-title-expanded-overlay",X:{"aria-hidden":"{{flyoutUnfocusable}}"},W:[{G:"div",N:"ytp-title-expanded-heading",W:[{G:"div",N:"ytp-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,"aria-hidden":"{{shouldHideExpandedTitleForA11y}}", +tabIndex:"{{channelTitleFocusable}}"}}]},{G:"div",N:"ytp-title-expanded-subtitle",ra:"{{expandedSubtitle}}",X:{"aria-hidden":"{{shouldHideExpandedSubtitleForA11y}}"}}]}]}]});var c=this;this.api=a;this.D=b;this.channel=this.Da("ytp-title-channel");this.j=this.Da("ytp-title-channel-logo");this.channelName=this.Da("ytp-title-expanded-title");this.I=this.Da("ytp-title-expanded-overlay");this.B=this.u=this.subscribeButton=null;this.C=!1;a.sb(this.j,this,36925);a.sb(this.channelName,this,37220);g.fK(this.api.V())&& +UMa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&(this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(oU(c));d.preventDefault()}),this.S(this.j,"click",this.I5)); +this.Pa()}; +WMa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.D);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.I);a.subscribeButton.hide();var e=new RMa(a.api);a.u=e;g.E(a,e);e.Ea(a.I);e.hide();a.S(a.api,"SUBSCRIBE",function(){b.ll&&(e.show(),a.api.Ua(e.element,!0))}); +a.S(a.api,"UNSUBSCRIBE",function(){b.ll&&(e.hide(),a.api.Ua(e.element,!1),SMa(e,!1))})}}; +UMa=function(a){var b=a.api.V();WMa(a);a.updateValue("flyoutUnfocusable","true");a.updateValue("channelTitleFocusable","-1");a.updateValue("shouldHideExpandedTitleForA11y","true");a.updateValue("shouldHideExpandedSubtitleForA11y","true");b.u||b.tb?a.S(a.j,"click",function(c){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||(XMa(a)&&(c.preventDefault(),a.isExpanded()?a.nF():a.CF()),a.api.qb(a.j))}):(a.S(a.channel,"mouseenter",a.CF),a.S(a.channel,"mouseleave",a.nF),a.S(a.channel,"focusin", +a.CF),a.S(a.channel,"focusout",function(c){a.channel.contains(c.relatedTarget)||a.nF()}),a.S(a.j,"click",function(){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||a.api.qb(a.j)})); +a.B=new g.Ip(function(){a.isExpanded()&&(a.api.K("web_player_ve_conversion_fixes_for_channel_info")&&a.api.Ua(a.channelName,!1),a.subscribeButton&&(a.subscribeButton.hide(),a.api.Ua(a.subscribeButton.element,!1)),a.u&&(a.u.hide(),a.api.Ua(a.u.element,!1)),a.channel.classList.remove("ytp-title-expanded"),a.channel.classList.add("ytp-title-show-collapsed"))},500); +g.E(a,a.B);a.S(a.channel,YMa,function(){ZMa(a)}); +a.S(a.api,"onHideControls",a.RO);a.S(a.api,"appresize",a.RO);a.S(a.api,"fullscreentoggled",a.RO)}; +ZMa=function(a){a.channel.classList.remove("ytp-title-show-collapsed");a.channel.classList.remove("ytp-title-show-expanded")}; +XMa=function(a){var b=a.api.getPlayerSize();return g.fK(a.api.V())&&524<=b.width}; +oU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +pU=function(a,b,c,d,e,f){var h={G:"div",N:"ytp-panel"};if(c){var l="ytp-panel-back-button";var m="ytp-panel-title";var n={G:"div",N:"ytp-panel-header",W:[{G:"div",Ia:["ytp-panel-back-button-container"],W:[{X:{"aria-label":"Back to previous menu"},G:"button",Ia:["ytp-button",l]}]},{X:{tabindex:"0"},G:"span",Ia:[m],W:[c]}]};if(e){var p="ytp-panel-options";n.W.push({G:"button",Ia:["ytp-button",p],W:[d]})}h.W=[n]}d=!1;f&&(f={G:"div",N:"ytp-panel-footer",W:[f]},d=!0,h.W?h.W.push(f):h.W=[f]);g.dQ.call(this, +h);this.content=b;d&&h.W?b.Ea(this.element,h.W.length-1):b.Ea(this.element);this.yU=!1;this.xU=d;c&&(c=this.Da(l),m=this.Da(m),this.S(c,"click",this.WV),this.S(m,"click",this.WV),this.yU=!0,e&&(p=this.Da(p),this.S(p,"click",e)));b.subscribe("size-change",this.cW,this);this.S(a,"fullscreentoggled",this.cW);this.F=a}; +g.qU=function(a,b,c,d,e,f){b=void 0===b?null:b;var h={role:"menu"};b&&(h.id=b);b=new g.dQ({G:"div",N:"ytp-panel-menu",X:h});pU.call(this,a,b,c,d,e,f);this.menuItems=b;this.items=[];g.E(this,this.menuItems)}; +g.$Ma=function(a){for(var b=g.t(a.items),c=b.next();!c.done;c=b.next())c.value.unsubscribe("size-change",a.WN,a);a.items=[];g.vf(a.menuItems.element);a.menuItems.ma("size-change")}; +aNa=function(a,b){return b.priority-a.priority}; +rU=function(a){var b=g.TS({"aria-haspopup":"true"});g.SS.call(this,b,a);this.Ra("keydown",this.j)}; +sU=function(a,b){a.element.setAttribute("aria-haspopup",String(b))}; +bNa=function(a,b){g.U.call(this,{G:"div",N:"ytp-user-info-panel",X:{"aria-label":"User info"},W:a.V().authUser&&!a.K("embeds_web_always_enable_signed_out_state")?[{G:"div",N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable}}",role:"text"},ra:"{{watchingAsUsername}}"},{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable2}}",role:"text"},ra:"{{watchingAsEmail}}"}]}]:[{G:"div", +N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",W:[{G:"text",X:{tabIndex:"{{userInfoFocusable}}"},ra:"Signed out"}]},{G:"div",N:"ytp-user-info-panel-login",W:[{G:"a",X:{tabIndex:"{{userInfoFocusable2}}",role:"button"},ra:a.V().uc?"":"Sign in on YouTube"}]}]}]});this.Ta=a;this.j=b;a.V().authUser||a.V().uc||(a=this.Da("ytp-user-info-panel-login"),this.S(a,"click",this.j0));this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"}, +W:[g.sQ()]});this.closeButton.Ea(this.element);g.E(this,this.closeButton);this.S(window,"blur",this.hide);this.S(document,"click",this.h0);this.Pa()}; +dNa=function(a,b,c,d){g.qU.call(this,a);this.Eb=c;this.Qc=d;this.getVideoUrl=new rU(6);this.Pm=new rU(5);this.Jm=new rU(4);this.lc=new rU(3);this.HD=new g.SS(g.TS({href:"{{href}}",target:this.F.V().ea},void 0,!0),2,"Troubleshoot playback issue");this.showVideoInfo=new g.SS(g.TS(),1,"Stats for nerds");this.ey=new g.dQ({G:"div",Ia:["ytp-copytext","ytp-no-contextmenu"],X:{draggable:"false",tabindex:"1"},ra:"{{text}}"});this.cT=new pU(this.F,this.ey);this.lE=this.Js=null;g.fK(this.F.V())&&this.F.K("embeds_web_enable_new_context_menu_triggering")&& +(this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"},W:[g.sQ()]}),g.E(this,this.closeButton),this.closeButton.Ea(this.element),this.closeButton.Ra("click",this.q2,this));g.fK(this.F.V())&&(this.Uk=new g.SS(g.TS(),8,"Account"),g.E(this,this.Uk),this.Zc(this.Uk,!0),this.Uk.Ra("click",this.r7,this),a.sb(this.Uk.element,this.Uk,137682));this.F.V().tm&&(this.Gk=new aT("Loop",7),g.E(this,this.Gk),this.Zc(this.Gk,!0),this.Gk.Ra("click",this.l6,this),a.sb(this.Gk.element, +this.Gk,28661));g.E(this,this.getVideoUrl);this.Zc(this.getVideoUrl,!0);this.getVideoUrl.Ra("click",this.d6,this);a.sb(this.getVideoUrl.element,this.getVideoUrl,28659);g.E(this,this.Pm);this.Zc(this.Pm,!0);this.Pm.Ra("click",this.e6,this);a.sb(this.Pm.element,this.Pm,28660);g.E(this,this.Jm);this.Zc(this.Jm,!0);this.Jm.Ra("click",this.c6,this);a.sb(this.Jm.element,this.Jm,28658);g.E(this,this.lc);this.Zc(this.lc,!0);this.lc.Ra("click",this.b6,this);g.E(this,this.HD);this.Zc(this.HD,!0);this.HD.Ra("click", +this.Z6,this);g.E(this,this.showVideoInfo);this.Zc(this.showVideoInfo,!0);this.showVideoInfo.Ra("click",this.s7,this);g.E(this,this.ey);this.ey.Ra("click",this.Q5,this);g.E(this,this.cT);b=document.queryCommandSupported&&document.queryCommandSupported("copy");43<=xc("Chromium")&&(b=!0);40>=xc("Firefox")&&(b=!1);b&&(this.Js=new g.U({G:"textarea",N:"ytp-html5-clipboard",X:{readonly:"",tabindex:"-1"}}),g.E(this,this.Js),this.Js.Ea(this.element));var e;null==(e=this.Uk)||US(e,SEa());var f;null==(f=this.Gk)|| +US(f,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M7 7H17V10L21 6L17 2V5H5V11H7V7ZM17 17H7V14L3 18L7 22V19H19V13H17V17Z",fill:"white"}}]});US(this.lc,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M20 10V8H17.19C16.74 7.22 16.12 6.54 15.37 6.04L17 4.41L15.59 3L13.42 5.17C13.39 5.16 13.37 5.16 13.34 5.16C13.18 5.12 13.02 5.1 12.85 5.07C12.79 5.06 12.74 5.05 12.68 5.04C12.46 5.02 12.23 5 12 5C11.51 5 11.03 5.07 10.58 5.18L10.6 5.17L8.41 3L7 4.41L8.62 6.04H8.63C7.88 6.54 7.26 7.22 6.81 8H4V10H6.09C6.03 10.33 6 10.66 6 11V12H4V14H6V15C6 15.34 6.04 15.67 6.09 16H4V18H6.81C7.85 19.79 9.78 21 12 21C14.22 21 16.15 19.79 17.19 18H20V16H17.91C17.96 15.67 18 15.34 18 15V14H20V12H18V11C18 10.66 17.96 10.33 17.91 10H20ZM16 15C16 17.21 14.21 19 12 19C9.79 19 8 17.21 8 15V11C8 8.79 9.79 7 12 7C14.21 7 16 8.79 16 11V15ZM10 14H14V16H10V14ZM10 10H14V12H10V10Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.HD,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M2 12C2 6.48 6.48 2 12 2C17.52 2 22 6.48 22 12C22 17.52 17.52 22 12 22C6.48 22 2 17.52 2 12ZM13 16V18H11V16H13ZM12 20C7.59 20 4 16.41 4 12C4 7.59 7.59 4 12 4C16.41 4 20 7.59 20 12C20 16.41 16.41 20 12 20ZM8 10C8 7.79 9.79 6 12 6C14.21 6 16 7.79 16 10C16 11.28 15.21 11.97 14.44 12.64C13.71 13.28 13 13.90 13 15H11C11 13.17 11.94 12.45 12.77 11.82C13.42 11.32 14 10.87 14 10C14 8.9 13.1 8 12 8C10.9 8 10 8.9 10 10H8Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.showVideoInfo,OEa());this.S(a,"onLoopChange",this.onLoopChange);this.S(a,"videodatachange",this.onVideoDataChange);cNa(this);this.iP(this.F.getVideoData())}; +uU=function(a,b){var c=!1;if(a.Js){var d=a.Js.element;d.value=b;d.select();try{c=document.execCommand("copy")}catch(e){}}c?a.Eb.Fb():(a.ey.ge(b,"text"),g.tU(a.Eb,a.cT),rMa(a.ey.element),a.Js&&(a.Js=null,cNa(a)));return c}; +cNa=function(a){var b=!!a.Js;g.RS(a.lc,b?"Copy debug info":"Get debug info");sU(a.lc,!b);g.RS(a.Jm,b?"Copy embed code":"Get embed code");sU(a.Jm,!b);g.RS(a.getVideoUrl,b?"Copy video URL":"Get video URL");sU(a.getVideoUrl,!b);g.RS(a.Pm,b?"Copy video URL at current time":"Get video URL at current time");sU(a.Pm,!b);US(a.Jm,b?MEa():null);US(a.getVideoUrl,b?lQ():null);US(a.Pm,b?lQ():null)}; +eNa=function(a){return g.fK(a.F.V())?a.Uk:a.Gk}; +g.vU=function(a,b){g.PS.call(this,a,{G:"div",Ia:["ytp-popup",b||""]},100,!0);this.j=[];this.I=this.D=null;this.UE=this.maxWidth=0;this.size=new g.He(0,0);this.Ra("keydown",this.k0)}; +fNa=function(a){var b=a.j[a.j.length-1];if(b){g.Rm(a.element,a.maxWidth||"100%",a.UE||"100%");g.Hm(b.element,"width","");g.Hm(b.element,"height","");g.Hm(b.element,"maxWidth","100%");g.Hm(b.element,"maxHeight","100%");g.Hm(b.content.element,"height","");var c=g.Sm(b.element);c.width+=1;c.height+=1;g.Hm(b.element,"width",c.width+"px");g.Hm(b.element,"height",c.height+"px");g.Hm(b.element,"maxWidth","");g.Hm(b.element,"maxHeight","");var d=0;b.yU&&(d=b.Da("ytp-panel-header"),d=g.Sm(d).height);var e= +0;b.xU&&(e=b.Da("ytp-panel-footer"),g.Hm(e,"width",c.width+"px"),e=g.Sm(e).height);g.Hm(b.content.element,"height",c.height-d-e+"px");b.element instanceof HTMLElement&&(d=b.element,e=d.scrollWidth-d.clientWidth,0=a.j.length)){var b=a.j.pop(),c=a.j[0];a.j=[c];gNa(a,b,c,!0)}}; +gNa=function(a,b,c,d){hNa(a);b&&(b.unsubscribe("size-change",a.lA,a),b.unsubscribe("back",a.nj,a));c.subscribe("size-change",a.lA,a);c.subscribe("back",a.nj,a);if(a.yb){g.Qp(c.element,d?"ytp-panel-animate-back":"ytp-panel-animate-forward");c.Ea(a.element);c.focus();a.element.scrollLeft=0;a.element.scrollTop=0;var e=a.size;fNa(a);g.Rm(a.element,e);a.D=new g.Ip(function(){iNa(a,b,c,d)},20,a); +a.D.start()}else c.Ea(a.element),b&&b.detach()}; +iNa=function(a,b,c,d){a.D.dispose();a.D=null;g.Qp(a.element,"ytp-popup-animating");d?(g.Qp(b.element,"ytp-panel-animate-forward"),g.Sp(c.element,"ytp-panel-animate-back")):(g.Qp(b.element,"ytp-panel-animate-back"),g.Sp(c.element,"ytp-panel-animate-forward"));g.Rm(a.element,a.size);a.I=new g.Ip(function(){g.Sp(a.element,"ytp-popup-animating");b.detach();g.Tp(b.element,["ytp-panel-animate-back","ytp-panel-animate-forward"]);a.I.dispose();a.I=null},250,a); +a.I.start()}; +hNa=function(a){a.D&&g.Kp(a.D);a.I&&g.Kp(a.I)}; +g.xU=function(a,b,c){g.vU.call(this,a);this.Aa=b;this.Qc=c;this.C=new g.bI(this);this.oa=new g.Ip(this.J7,1E3,this);this.ya=this.B=null;g.E(this,this.C);g.E(this,this.oa);a.sb(this.element,this,28656);g.Qp(this.element,"ytp-contextmenu");jNa(this);this.hide()}; +jNa=function(a){g.Lz(a.C);var b=a.F.V();"gvn"===b.playerStyle||(b.u||b.tb)&&b.K("embeds_web_enable_new_context_menu_triggering")||(b=a.F.jb(),a.C.S(b,"contextmenu",a.O5),a.C.S(b,"touchstart",a.m0,null,!0),a.C.S(b,"touchmove",a.GW,null,!0),a.C.S(b,"touchend",a.GW,null,!0))}; +kNa=function(a){a.F.isFullscreen()?g.NS(a.F,a.element,10):a.Ea(document.body)}; +g.yU=function(a,b,c){c=void 0===c?240:c;g.U.call(this,{G:"button",Ia:["ytp-button","ytp-copylink-button"],X:{title:"{{title-attr}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-copylink-icon",ra:"{{icon}}"},{G:"div",N:"ytp-copylink-title",ra:"Copy link",X:{"aria-hidden":"true"}}]});this.api=a;this.j=b;this.u=c;this.visible=!1;this.tooltip=this.j.Ic();b=a.V();mU(this.tooltip);g.Up(this.element,"ytp-show-copylink-title",g.fK(b)&&!g.oK(b));a.sb(this.element,this,86570);this.Ra("click", +this.onClick);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.S(a,"appresize",this.Pa);this.Pa();g.bb(this,g.ZS(this.tooltip,this.element))}; +lNa=function(a){var b=a.api.V(),c=a.api.getVideoData(),d=a.api.jb().getPlayerSize().width,e=b.K("shorts_mode_to_player_api")?a.api.Sb():a.j.Sb(),f=b.B;return!!c.videoId&&d>=a.u&&c.ao&&!(c.D&&b.Z)&&!e&&!f}; +mNa=function(a){a.updateValue("icon",gQ());if(a.api.V().u)zU(a.tooltip,a.element,"Link copied to clipboard");else{a.updateValue("title-attr","Link copied to clipboard");$S(a.tooltip);zU(a.tooltip,a.element);var b=a.Ra("mouseleave",function(){a.Hc(b);a.Pa();a.tooltip.rk()})}}; +nNa=function(a,b){return g.A(function(c){if(1==c.j)return g.pa(c,2),g.y(c,navigator.clipboard.writeText(b),4);if(2!=c.j)return c.return(!0);g.sa(c);var d=c.return,e=!1,f=g.qf("TEXTAREA");f.value=b;f.setAttribute("readonly","");var h=a.api.getRootNode();h.appendChild(f);if(nB){var l=window.getSelection();l.removeAllRanges();var m=document.createRange();m.selectNodeContents(f);l.addRange(m);f.setSelectionRange(0,b.length)}else f.select();try{e=document.execCommand("copy")}catch(n){}h.removeChild(f); +return d.call(c,e)})}; +AU=function(a){g.U.call(this,{G:"div",N:"ytp-doubletap-ui-legacy",W:[{G:"div",N:"ytp-doubletap-fast-forward-ve"},{G:"div",N:"ytp-doubletap-rewind-ve"},{G:"div",N:"ytp-doubletap-static-circle",W:[{G:"div",N:"ytp-doubletap-ripple"}]},{G:"div",N:"ytp-doubletap-overlay-a11y"},{G:"div",N:"ytp-doubletap-seek-info-container",W:[{G:"div",N:"ytp-doubletap-arrows-container",W:[{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"}]},{G:"div", +N:"ytp-doubletap-tooltip",W:[{G:"div",N:"ytp-chapter-seek-text-legacy",ra:"{{seekText}}"},{G:"div",N:"ytp-doubletap-tooltip-label",ra:"{{seekTime}}"}]}]}]});this.F=a;this.C=new g.Ip(this.show,10,this);this.u=new g.Ip(this.hide,700,this);this.I=this.B=0;this.D=!1;this.j=this.Da("ytp-doubletap-static-circle");g.E(this,this.C);g.E(this,this.u);this.hide();this.J=this.Da("ytp-doubletap-fast-forward-ve");this.T=this.Da("ytp-doubletap-rewind-ve");this.F.sb(this.J,this,28240);this.F.sb(this.T,this,28239); +this.F.Ua(this.J,!0);this.F.Ua(this.T,!0);this.D=a.K("web_show_cumulative_seek_time")}; +BU=function(a,b,c){a.B=b===a.I?a.B+c:c;a.I=b;var d=a.F.jb().getPlayerSize();a.D?a.u.stop():g.Lp(a.u);a.C.start();a.element.setAttribute("data-side",-1===b?"back":"forward");g.Qp(a.element,"ytp-time-seeking");a.j.style.width="110px";a.j.style.height="110px";1===b?(a.j.style.right="",a.j.style.left=.8*d.width-30+"px"):-1===b&&(a.j.style.right="",a.j.style.left=.1*d.width-15+"px");a.j.style.top=.5*d.height+15+"px";oNa(a,a.D?a.B:c)}; +pNa=function(a,b,c){g.Lp(a.u);a.C.start();switch(b){case -1:b="back";break;case 1:b="forward";break;default:b=""}a.element.setAttribute("data-side",b);a.j.style.width="0";a.j.style.height="0";g.Qp(a.element,"ytp-chapter-seek");a.updateValue("seekText",c);a.updateValue("seekTime","")}; +oNa=function(a,b){b=g.lO("$TOTAL_SEEK_TIME seconds",{TOTAL_SEEK_TIME:b.toString()});a.updateValue("seekTime",b)}; +EU=function(a,b,c){c=void 0===c?!0:c;g.U.call(this,{G:"div",N:"ytp-suggested-action"});var d=this;this.F=a;this.kb=b;this.Xa=this.Z=this.C=this.u=this.j=this.D=this.expanded=this.enabled=this.ya=!1;this.La=new g.Ip(function(){d.badge.element.style.width=""},200,this); +this.oa=new g.Ip(function(){CU(d);DU(d)},200,this); +this.dismissButton=new g.U({G:"button",Ia:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.E(this,this.dismissButton);this.B=new g.U({G:"div",N:"ytp-suggested-action-badge-expanded-content-container",W:[{G:"label",N:"ytp-suggested-action-badge-title",ra:"{{badgeLabel}}"},this.dismissButton]});g.E(this,this.B);this.ib=new g.U({G:"div",N:"ytp-suggested-action-badge-icon-container",W:[c?{G:"div",N:"ytp-suggested-action-badge-icon"}:""]});g.E(this,this.ib);this.badge=new g.U({G:"button", +Ia:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],W:[this.ib,this.B]});g.E(this,this.badge);this.badge.Ea(this.element);this.I=new g.QQ(this.badge,250,!1,100);g.E(this,this.I);this.Ga=new g.QQ(this.B,250,!1,100);g.E(this,this.Ga);this.Qa=new g.Gp(this.g9,null,this);g.E(this,this.Qa);this.Aa=new g.Gp(this.S2,null,this);g.E(this,this.Aa);g.E(this,this.La);g.E(this,this.oa);this.F.Zf(this.badge.element,this.badge,!0);this.F.Zf(this.dismissButton.element,this.dismissButton, +!0);this.S(this.F,"onHideControls",function(){d.C=!1;DU(d);CU(d);d.dl()}); +this.S(this.F,"onShowControls",function(){d.C=!0;DU(d);CU(d);d.dl()}); +this.S(this.badge.element,"click",this.YG);this.S(this.dismissButton.element,"click",this.WC);this.S(this.F,"pageTransition",this.n0);this.S(this.F,"appresize",this.dl);this.S(this.F,"fullscreentoggled",this.Z5);this.S(this.F,"cardstatechange",this.F5);this.S(this.F,"annotationvisibility",this.J9,this);this.S(this.F,"offlineslatestatechange",this.K9,this)}; +CU=function(a){g.Up(a.badge.element,"ytp-suggested-action-badge-with-controls",a.C||!a.D)}; +DU=function(a,b){var c=a.oP();a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.Qa.stop(),a.Aa.stop(),a.La.stop(),a.Qa.start()):(g.bQ(a.B,a.expanded),g.Up(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),qNa(a))}; +qNa=function(a){a.j&&a.F.Ua(a.badge.element,a.Yz());a.u&&a.F.Ua(a.dismissButton.element,a.Yz()&&a.oP())}; +rNa=function(a){var b=a.text||"";g.Af(g.kf("ytp-suggested-action-badge-title",a.element),b);cQ(a.badge,b);cQ(a.dismissButton,a.Ya?a.Ya:"")}; +FU=function(a,b){b?a.u&&a.F.qb(a.dismissButton.element):a.j&&a.F.qb(a.badge.element)}; +sNa=function(a,b){EU.call(this,a,b,!1);this.T=[];this.D=!0;this.badge.element.classList.add("ytp-featured-product");this.banner=new g.U({G:"a",N:"ytp-featured-product-container",X:{href:"{{url}}",target:"_blank"},W:[{G:"div",N:"ytp-featured-product-thumbnail",W:[{G:"img",X:{src:"{{thumbnail}}"}},{G:"div",N:"ytp-featured-product-open-in-new"}]},{G:"div",N:"ytp-featured-product-details",W:[{G:"text",N:"ytp-featured-product-title",ra:"{{title}}"},{G:"text",N:"ytp-featured-product-vendor",ra:"{{vendor}}"}, +{G:"text",N:"ytp-featured-product-price",ra:"{{price}}"}]},this.dismissButton]});g.E(this,this.banner);this.banner.Ea(this.B.element);this.S(this.F,g.ZD("featured_product"),this.W8);this.S(this.F,g.$D("featured_product"),this.NH);this.S(this.F,"videodatachange",this.onVideoDataChange)}; +uNa=function(a,b){tNa(a);if(b){var c=g.sM.getState().entities;c=CL(c,"featuredProductsEntity",b);if(null!=c&&c.productsData){b=[];c=g.t(c.productsData);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0;if(null!=(e=d)&&e.identifier&&d.featuredSegments){a.T.push(d);var f=void 0;e=g.t(null==(f=d)?void 0:f.featuredSegments);for(f=e.next();!f.done;f=e.next())(f=f.value)&&b.push(new g.XD(1E3*Number(f.startTimeSec),1E3*Number(f.endTimeSec)||0x7ffffffffffff,{id:d.identifier,namespace:"featured_product"}))}}a.F.ye(b)}}}; +tNa=function(a){a.T=[];a.F.Ff("featured_product")}; +xNa=function(a,b,c){g.U.call(this,{G:"div",Ia:["ytp-info-panel-action-item"],W:[{G:"div",N:"ytp-info-panel-action-item-disclaimer",ra:"{{disclaimer}}"},{G:"a",Ia:["ytp-info-panel-action-item-button","ytp-button"],X:{role:"button",href:"{{url}}",target:"_blank",rel:"noopener"},W:[{G:"div",N:"ytp-info-panel-action-item-icon",ra:"{{icon}}"},{G:"div",N:"ytp-info-panel-action-item-label",ra:"{{label}}"}]}]});this.F=a;this.j=c;this.disclaimer=this.Da("ytp-info-panel-action-item-disclaimer");this.button= +this.Da("ytp-info-panel-action-item-button");this.De=!1;this.F.Zf(this.element,this,!0);this.Ra("click",this.onClick);a="";c=g.K(null==b?void 0:b.onTap,g.gT);var d=g.K(c,g.pM);this.De=!1;d?(a=d.url||"",a.startsWith("//")&&(a="https:"+a),this.De=!0,ck(this.button,g.he(a))):(d=g.K(c,vNa))&&!this.j?((a=d.phoneNumbers)&&0b);d=a.next())c++;return 0===c?c:c-1}; +FNa=function(a,b){for(var c=0,d=g.t(a),e=d.next();!e.done;e=d.next()){e=e.value;if(b=e.timeRangeStartMillis&&b=a.C&&!b}; +YNa=function(a,b){"InvalidStateError"!==b.name&&"AbortError"!==b.name&&("NotAllowedError"===b.name?(a.j.Il(),QS(a.B,a.element,!1)):g.CD(b))}; +g.RU=function(a,b){var c=YP(),d=a.V();c={G:"div",N:"ytp-share-panel",X:{id:YP(),role:"dialog","aria-labelledby":c},W:[{G:"div",N:"ytp-share-panel-inner-content",W:[{G:"div",N:"ytp-share-panel-title",X:{id:c},ra:"Share"},{G:"a",Ia:["ytp-share-panel-link","ytp-no-contextmenu"],X:{href:"{{link}}",target:d.ea,title:"Share link","aria-label":"{{shareLinkWithUrl}}"},ra:"{{linkText}}"},{G:"label",N:"ytp-share-panel-include-playlist",W:[{G:"input",N:"ytp-share-panel-include-playlist-checkbox",X:{type:"checkbox", +checked:"true"}},"Include playlist"]},{G:"div",N:"ytp-share-panel-loading-spinner",W:[qMa()]},{G:"div",N:"ytp-share-panel-service-buttons",ra:"{{buttons}}"},{G:"div",N:"ytp-share-panel-error",ra:"An error occurred while retrieving sharing information. Please try again later."}]},{G:"button",Ia:["ytp-share-panel-close","ytp-button"],X:{title:"Close"},W:[g.jQ()]}]};g.PS.call(this,a,c,250);var e=this;this.moreButton=null;this.api=a;this.tooltip=b.Ic();this.B=[];this.D=this.Da("ytp-share-panel-inner-content"); +this.closeButton=this.Da("ytp-share-panel-close");this.S(this.closeButton,"click",this.Fb);g.bb(this,g.ZS(this.tooltip,this.closeButton));this.C=this.Da("ytp-share-panel-include-playlist-checkbox");this.S(this.C,"click",this.Pa);this.j=this.Da("ytp-share-panel-link");g.bb(this,g.ZS(this.tooltip,this.j));this.api.sb(this.j,this,164503);this.S(this.j,"click",function(f){if(e.api.K("web_player_add_ve_conversion_logging_to_outbound_links")){g.EO(f);e.api.qb(e.j);var h=e.api.getVideoUrl(!0,!0,!1,!1);h= +ZNa(e,h);g.VT(h,e.api,f)&&e.api.Na("SHARE_CLICKED")}else e.api.qb(e.j)}); +this.Ra("click",this.v0);this.S(a,"videoplayerreset",this.hide);this.S(a,"fullscreentoggled",this.onFullscreenToggled);this.S(a,"onLoopRangeChange",this.B4);this.hide()}; +aOa=function(a,b){$Na(a);for(var c=b.links||b.shareTargets,d=0,e={},f=0;fd;e={rr:e.rr,fk:e.fk},f++){e.rr=c[f];a:switch(e.rr.img||e.rr.iconId){case "facebook":var h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", +fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", +fill:"#01abf0"}}]};break a;default:h=null}if(h){var l=e.rr.sname||e.rr.serviceName;e.fk=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],X:{href:e.rr.url,target:"_blank",title:l},W:[h]});e.fk.Ra("click",function(p){return function(q){if(g.fR(q)){var r=p.rr.url;var v=void 0===v?{}:v;v.target=v.target||"YouTube";v.width=v.width||"600";v.height=v.height||"600";var x=v;x||(x={});v=window;var z=r instanceof ae?r:g.he("undefined"!=typeof r.href?r.href:String(r));var B=void 0!==self.crossOriginIsolated, +F="strict-origin-when-cross-origin";window.Request&&(F=(new Request("/")).referrerPolicy);var G="unsafe-url"===F;F=x.noreferrer;if(B&&F){if(G)throw Error("Cannot use the noreferrer option on a page that sets a referrer-policy of `unsafe-url` in modern browsers!");F=!1}r=x.target||r.target;B=[];for(var D in x)switch(D){case "width":case "height":case "top":case "left":B.push(D+"="+x[D]);break;case "target":case "noopener":case "noreferrer":break;default:B.push(D+"="+(x[D]?1:0))}D=B.join(",");Cc()&& +v.navigator&&v.navigator.standalone&&r&&"_self"!=r?(x=g.qf("A"),g.xe(x,z),x.target=r,F&&(x.rel="noreferrer"),z=document.createEvent("MouseEvent"),z.initMouseEvent("click",!0,!0,v,1),x.dispatchEvent(z),v={}):F?(v=Zba("",v,r,D),z=g.be(z),v&&(g.HK&&g.Vb(z,";")&&(z="'"+z.replace(/'/g,"%27")+"'"),v.opener=null,""===z&&(z="javascript:''"),g.Xd("b/12014412, meta tag with sanitized URL"),z='',z=g.we(z),(x= +v.document)&&x.write&&(x.write(g.ve(z)),x.close()))):((v=Zba(z,v,r,D))&&x.noopener&&(v.opener=null),v&&x.noreferrer&&(v.opener=null));v&&(v.opener||(v.opener=window),v.focus());g.EO(q)}}}(e)); +g.bb(e.fk,g.ZS(a.tooltip,e.fk.element));"Facebook"===l?a.api.sb(e.fk.element,e.fk,164504):"Twitter"===l&&a.api.sb(e.fk.element,e.fk,164505);a.S(e.fk.element,"click",function(p){return function(){a.api.qb(p.fk.element)}}(e)); +a.api.Ua(e.fk.element,!0);a.B.push(e.fk);d++}}var m=b.more||b.moreLink,n=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],W:[{G:"span",N:"ytp-share-panel-service-button-more",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", +fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],X:{href:m,target:"_blank",title:"More"}});n.Ra("click",function(p){var q=m;a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")&&(a.api.qb(a.moreButton.element),q=ZNa(a,q));g.VT(q,a.api,p)&&a.api.Na("SHARE_CLICKED")}); +g.bb(n,g.ZS(a.tooltip,n.element));a.api.sb(n.element,n,164506);a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")||a.S(n.element,"click",function(){a.api.qb(n.element)}); +a.api.Ua(n.element,!0);a.B.push(n);a.moreButton=n;a.updateValue("buttons",a.B)}; +ZNa=function(a,b){var c=a.api.V(),d={};c.ya&&g.fK(c)&&g.iS(d,c.loaderUrl);g.fK(c)&&(g.pS(a.api,"addEmbedsConversionTrackingParams",[d]),b=g.Zi(b,g.hS(d,"emb_share")));return b}; +$Na=function(a){for(var b=g.t(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.Za(c);a.B=[]}; +cOa=function(a,b){EU.call(this,a,b);this.J=this.T=this.Ja=!1;bOa(this);this.S(this.F,"changeProductsInVideoVisibility",this.I6);this.S(this.F,"videodatachange",this.onVideoDataChange);this.S(this.F,"paidcontentoverlayvisibilitychange",this.B6)}; +dOa=function(a){a.F.Ff("shopping_overlay_visible");a.F.Ff("shopping_overlay_expanded")}; +bOa=function(a){a.S(a.F,g.ZD("shopping_overlay_visible"),function(){a.Bg(!0)}); +a.S(a.F,g.$D("shopping_overlay_visible"),function(){a.Bg(!1)}); +a.S(a.F,g.ZD("shopping_overlay_expanded"),function(){a.Z=!0;DU(a)}); +a.S(a.F,g.$D("shopping_overlay_expanded"),function(){a.Z=!1;DU(a)})}; +fOa=function(a,b){g.U.call(this,{G:"div",N:"ytp-shorts-title-channel",W:[{G:"a",N:"ytp-shorts-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-shorts-title-expanded-heading",W:[{G:"div",N:"ytp-shorts-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,tabIndex:"0"}}]}]}]});var c=this;this.api=a;this.u=b;this.j=this.Da("ytp-shorts-title-channel-logo");this.channelName=this.Da("ytp-shorts-title-expanded-title"); +this.subscribeButton=null;a.sb(this.j,this,36925);this.S(this.j,"click",function(d){c.api.K("web_player_ve_conversion_fixes_for_channel_info")?(c.api.qb(c.j),g.gk(SU(c)),d.preventDefault()):c.api.qb(c.j)}); +a.sb(this.channelName,this,37220);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(SU(c));d.preventDefault()}); +eOa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.Pa()}; +eOa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.u);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.element)}}; +SU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +TU=function(a){g.PS.call(this,a,{G:"button",Ia:["ytp-skip-intro-button","ytp-popup","ytp-button"],W:[{G:"div",N:"ytp-skip-intro-button-text",ra:"Skip Intro"}]},100);var b=this;this.B=!1;this.j=new g.Ip(function(){b.hide()},5E3); +this.vf=this.ri=NaN;g.E(this,this.j);this.I=function(){b.show()}; +this.D=function(){b.hide()}; +this.C=function(){var c=b.F.getCurrentTime();c>b.ri/1E3&&c=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+q+"px "+r+"px/"+l+"px "+m+"px"}; +g.ZU=function(a,b){g.U.call(this,{G:"div",N:"ytp-storyboard-framepreview",W:[{G:"div",N:"ytp-storyboard-framepreview-timestamp",ra:"{{timestamp}}"},{G:"div",N:"ytp-storyboard-framepreview-img"}]});this.api=a;this.C=this.Da("ytp-storyboard-framepreview-img");this.u=null;this.B=NaN;this.events=new g.bI(this);this.j=new g.QQ(this,100);g.E(this,this.events);g.E(this,this.j);this.S(this.api,"presentingplayerstatechange",this.yd);b&&this.S(this.element,"click",function(){b.Vr()}); +a.K("web_big_boards")&&g.Qp(this.element,"ytp-storyboard-framepreview-big-boards")}; +hOa=function(a,b){var c=!!a.u;a.u=b;a.u?(c||(a.events.S(a.api,"videodatachange",function(){hOa(a,a.api.Hj())}),a.events.S(a.api,"progresssync",a.Ie),a.events.S(a.api,"appresize",a.D)),a.B=NaN,iOa(a),a.j.show(200)):(c&&g.Lz(a.events),a.j.hide(),a.j.stop())}; +iOa=function(a){var b=a.u,c=a.api.getCurrentTime(),d=a.api.jb().getPlayerSize(),e=SL(b,d.width);e=Sya(b,e,c);a.update({timestamp:g.eR(c)});e!==a.B&&(a.B=e,Qya(b,e,d.width),b=Oya(b,e,d.width),gOa(a.C,b,d.width,d.height))}; +g.$U=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullscreen-button","ytp-button"],X:{title:"{{title}}","aria-keyshortcuts":"f","data-title-no-tooltip":"{{data-title-no-tooltip}}"},ra:"{{icon}}"});this.F=a;this.u=b;this.message=null;this.j=g.ZS(this.u.Ic(),this.element);this.B=new g.Ip(this.f2,2E3,this);g.E(this,this.B);this.S(a,"fullscreentoggled",this.cm);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);g.yz()&&(b=this.F.jb(),this.S(b,Boa(),this.NN),this.S(b,Bz(document), +this.Hq));a.V().Tb||a.V().T||this.disable();a.sb(this.element,this,139117);this.Pa();this.cm(a.isFullscreen())}; +aV=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-jump-button"],X:{title:"{{title}}","aria-keyshortcuts":"{{aria-keyshortcuts}}","data-title-no-tooltip":"{{data-title-no-tooltip}}",style:"display: none;"},W:[0=h)break}a.D=d;a.frameCount=b.NE();a.interval=b.j/1E3||a.api.getDuration()/a.frameCount}for(;a.thumbnails.length>a.D.length;)d= +void 0,null==(d=a.thumbnails.pop())||d.dispose();for(;a.thumbnails.lengthc.length;)d=void 0,null==(d=a.j.pop())||d.dispose(); +for(;a.j.length-c?-b/c*a.interval*.5:-(b+c/2)/c*a.interval}; +HOa=function(a){return-((a.B.offsetWidth||(a.frameCount-1)*a.I*a.scale)-a.C/2)}; +EOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-thumbnail"})}; +FOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-chapter-title",W:[{G:"div",N:"ytp-fine-scrubbing-chapter-title-content",ra:"{{chapterTitle}}"}]})}; +KOa=function(a,b,c,d){d=void 0===d?!1:d;b=new JOa(b||a,c||a);return{x:a.x+.2*((void 0===d?0:d)?-1*b.j:b.j),y:a.y+.2*((void 0===d?0:d)?-1*b.u:b.u)}}; +JOa=function(a,b){this.u=this.j=0;this.j=b.x-a.x;this.u=b.y-a.y}; +LOa=function(a){g.U.call(this,{G:"div",N:"ytp-heat-map-chapter",W:[{G:"svg",N:"ytp-heat-map-svg",X:{height:"100%",preserveAspectRatio:"none",version:"1.1",viewBox:"0 0 1000 100",width:"100%"},W:[{G:"defs",W:[{G:"clipPath",X:{id:"{{id}}"},W:[{G:"path",N:"ytp-heat-map-path",X:{d:"",fill:"white","fill-opacity":"0.6"}}]}]},{G:"rect",N:"ytp-heat-map-graph",X:{"clip-path":"url(#hm_1)",fill:"white","fill-opacity":"0.2",height:"100%",width:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-hover",X:{"clip-path":"url(#hm_1)", +height:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-play",X:{"clip-path":"url(#hm_1)",height:"100%",x:"0",y:"0"}}]}]});this.api=a;this.I=this.Da("ytp-heat-map-svg");this.D=this.Da("ytp-heat-map-path");this.C=this.Da("ytp-heat-map-graph");this.B=this.Da("ytp-heat-map-play");this.u=this.Da("ytp-heat-map-hover");this.De=!1;this.j=60;a=""+g.Na(this);this.update({id:a});a="url(#"+a+")";this.C.setAttribute("clip-path",a);this.B.setAttribute("clip-path",a);this.u.setAttribute("clip-path",a)}; +jV=function(){g.U.call(this,{G:"div",N:"ytp-chapter-hover-container",W:[{G:"div",N:"ytp-progress-bar-padding"},{G:"div",N:"ytp-progress-list",W:[{G:"div",Ia:["ytp-play-progress","ytp-swatch-background-color"]},{G:"div",N:"ytp-progress-linear-live-buffer"},{G:"div",N:"ytp-load-progress"},{G:"div",N:"ytp-hover-progress"},{G:"div",N:"ytp-ad-progress-list"}]}]});this.startTime=NaN;this.title="";this.index=NaN;this.width=0;this.C=this.Da("ytp-progress-linear-live-buffer");this.B=this.Da("ytp-ad-progress-list"); +this.D=this.Da("ytp-load-progress");this.I=this.Da("ytp-play-progress");this.u=this.Da("ytp-hover-progress");this.j=this.Da("ytp-chapter-hover-container")}; +kV=function(a,b){g.Hm(a.j,"width",b)}; +MOa=function(a,b){g.Hm(a.j,"margin-right",b+"px")}; +NOa=function(){this.fraction=this.position=this.u=this.j=this.B=this.width=NaN}; +OOa=function(){g.U.call(this,{G:"div",N:"ytp-timed-marker"});this.j=this.timeRangeStartMillis=NaN;this.title="";this.onActiveCommand=void 0}; +POa=function(a){return a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")}; +g.mV=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-progress-bar-container",X:{"aria-disabled":"true"},W:[{G:"div",Ia:["ytp-heat-map-container"],W:[{G:"div",N:"ytp-heat-map-edu"}]},{G:"div",Ia:["ytp-progress-bar"],X:{tabindex:"0",role:"slider","aria-label":"Seek slider","aria-valuemin":"{{ariamin}}","aria-valuemax":"{{ariamax}}","aria-valuenow":"{{arianow}}","aria-valuetext":"{{arianowtext}}"},W:[{G:"div",N:"ytp-chapters-container"},{G:"div",N:"ytp-timed-markers-container"},{G:"div",N:"ytp-clip-start-exclude"}, +{G:"div",N:"ytp-clip-end-exclude"},{G:"div",N:"ytp-scrubber-container",W:[{G:"div",Ia:["ytp-scrubber-button","ytp-swatch-background-color"],W:[{G:"div",N:"ytp-scrubber-pull-indicator"}]}]}]},{G:"div",Ia:["ytp-fine-scrubbing-container"],W:[{G:"div",N:"ytp-fine-scrubbing-edu"}]},{G:"div",N:"ytp-bound-time-left",ra:"{{boundTimeLeft}}"},{G:"div",N:"ytp-bound-time-right",ra:"{{boundTimeRight}}"},{G:"div",N:"ytp-clip-start",X:{title:"{{clipstarttitle}}"},ra:"{{clipstarticon}}"},{G:"div",N:"ytp-clip-end", +X:{title:"{{clipendtitle}}"},ra:"{{clipendicon}}"}]});this.api=a;this.ke=!1;this.Kf=this.Qa=this.J=this.Jf=0;this.Ld=null;this.Ja={};this.jc={};this.clipEnd=Infinity;this.Xb=this.Da("ytp-clip-end");this.Oc=new g.kT(this.Xb,!0);this.uf=this.Da("ytp-clip-end-exclude");this.Qg=this.Da("ytp-clip-start-exclude");this.clipStart=0;this.Tb=this.Da("ytp-clip-start");this.Lc=new g.kT(this.Tb,!0);this.Z=this.ib=0;this.Kc=this.Da("ytp-progress-bar");this.tb={};this.uc={};this.Dc=this.Da("ytp-chapters-container"); +this.Wf=this.Da("ytp-timed-markers-container");this.j=[];this.I=[];this.Od={};this.vf=null;this.Xa=-1;this.kb=this.ya=0;this.T=null;this.Vf=this.Da("ytp-scrubber-button");this.ph=this.Da("ytp-scrubber-container");this.fb=new g.Fe;this.Hf=new NOa;this.B=new iR(0,0);this.Bb=null;this.C=this.je=!1;this.If=null;this.oa=this.Da("ytp-heat-map-container");this.Vd=this.Da("ytp-heat-map-edu");this.D=[];this.heatMarkersDecorations=[];this.Ya=this.Da("ytp-fine-scrubbing-container");this.Wc=this.Da("ytp-fine-scrubbing-edu"); +this.u=void 0;this.Aa=this.rd=this.Ga=!1;this.tooltip=b.Ic();g.bb(this,g.ZS(this.tooltip,this.Xb));g.E(this,this.Oc);this.Oc.subscribe("hoverstart",this.ZV,this);this.Oc.subscribe("hoverend",this.YV,this);this.S(this.Xb,"click",this.LH);g.bb(this,g.ZS(this.tooltip,this.Tb));g.E(this,this.Lc);this.Lc.subscribe("hoverstart",this.ZV,this);this.Lc.subscribe("hoverend",this.YV,this);this.S(this.Tb,"click",this.LH);QOa(this);this.S(a,"resize",this.Db);this.S(a,"presentingplayerstatechange",this.z0);this.S(a, +"videodatachange",this.Gs);this.S(a,"videoplayerreset",this.I3);this.S(a,"cuerangesadded",this.GY);this.S(a,"cuerangesremoved",this.D8);this.S(a,"cuerangemarkersupdated",this.GY);this.S(a,"onLoopRangeChange",this.GR);this.S(a,"innertubeCommand",this.onClickCommand);this.S(a,g.ZD("timedMarkerCueRange"),this.H7);this.S(a,"updatemarkervisibility",this.EY);this.updateVideoData(a.getVideoData(),!0);this.GR(a.getLoopRange());lV(this)&&!this.u&&(this.u=new COa(this.api,this.tooltip),a=g.Pm(this.element).x|| +0,this.u.Db(a,this.J),this.u.Ea(this.Ya),g.E(this,this.u),this.S(this.u.dismissButton,"click",this.Vr),this.S(this.u.playButton,"click",this.AL),this.S(this.u.element,"dblclick",this.AL));a=this.api.V();g.fK(a)&&a.u&&g.Qp(this.element,"ytp-no-contextmenu");this.api.sb(this.oa,this,139609,!0);this.api.sb(this.Vd,this,140127,!0);this.api.sb(this.Wc,this,151179,!0);this.api.K("web_modern_miniplayer")&&(this.element.hidden=!0)}; +QOa=function(a){if(0===a.j.length){var b=new jV;a.j.push(b);g.E(a,b);b.Ea(a.Dc,0)}for(;1=h&&z<=p&&f.push(r)}0l)a.j[c].width=n;else{a.j[c].width=0;var p=a,q=c,r=p.j[q-1];void 0!==r&&0a.kb&&(a.kb=m/f),d=!0)}c++}}return d}; +pV=function(a){if(a.J){var b=a.api.getProgressState(),c=a.api.getVideoData();if(!(c&&c.enableServerStitchedDai&&c.enablePreroll)||isFinite(b.current)){var d;c=(null==(d=a.api.getVideoData())?0:aN(d))&&b.airingStart&&b.airingEnd?ePa(a,b.airingStart,b.airingEnd):ePa(a,b.seekableStart,b.seekableEnd);d=jR(c,b.loaded,0);b=jR(c,b.current,0);var e=a.B.u!==c.u||a.B.j!==c.j;a.B=c;qV(a,b,d);e&&fPa(a);gPa(a)}}}; +ePa=function(a,b,c){return hPa(a)?new iR(Math.max(b,a.Bb.startTimeMs/1E3),Math.min(c,a.Bb.endTimeMs/1E3)):new iR(b,c)}; +iPa=function(a,b){var c;if("repeatChapter"===(null==(c=a.Bb)?void 0:c.type)||"repeatChapter"===(null==b?void 0:b.type))b&&(b=a.j[HU(a.j,b.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!1)),a.Bb&&(b=a.j[HU(a.j,a.Bb.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!0)),a.j.forEach(function(d){g.Up(d.j,"ytp-exp-chapter-hover-container",!a.Bb)})}; +sV=function(a,b){var c=rFa(a.B,b.fraction);if(1=a.j.length?!1:4>Math.abs(b-a.j[c].startTime/1E3)/a.B.j*(a.J-(a.C?3:2)*a.ya)}; +fPa=function(a){a.Vf.style.removeProperty("height");for(var b=g.t(Object.keys(a.Ja)),c=b.next();!c.done;c=b.next())kPa(a,c.value);tV(a);qV(a,a.Z,a.ib)}; +oV=function(a){var b=a.fb.x;b=g.ze(b,0,a.J);a.Hf.update(b,a.J);return a.Hf}; +vV=function(a){return(a.C?135:90)-uV(a)}; +uV=function(a){var b=48,c=a.api.V();a.C?b=54:g.fK(c)&&!c.u&&(b=40);return b}; +qV=function(a,b,c){a.Z=b;a.ib=c;var d=oV(a),e=a.B.j,f=rFa(a.B,a.Z),h=g.lO("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.eR(f,!0),DURATION:g.eR(e,!0)}),l=HU(a.j,1E3*f);l=a.j[l].title;a.update({ariamin:Math.floor(a.B.u),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.Bb&&2!==a.api.getPresentingPlayerType()&&(e=a.Bb.startTimeMs/1E3,f=a.Bb.endTimeMs/1E3);e=jR(a.B,e,0);l=jR(a.B,f,1);h=a.api.getVideoData();f=g.ze(b,e,l);c=(null==h?0:g.ZM(h))?1:g.ze(c,e, +l);b=bPa(a,b,d);g.Hm(a.ph,"transform","translateX("+b+"px)");wV(a,d,e,f,"PLAY_PROGRESS");(null==h?0:aN(h))?(b=a.api.getProgressState().seekableEnd)&&wV(a,d,f,jR(a.B,b),"LIVE_BUFFER"):wV(a,d,e,c,"LOAD_PROGRESS");if(a.api.K("web_player_heat_map_played_bar")){var m;null!=(m=a.D[0])&&m.B.setAttribute("width",(100*f).toFixed(2)+"%")}}; +wV=function(a,b,c,d,e){var f=a.j.length,h=b.j-a.ya*(a.C?3:2),l=c*h;c=rV(a,l);var m=d*h;h=rV(a,m);"HOVER_PROGRESS"===e&&(h=rV(a,b.j*d,!0),m=b.j*d-lPa(a,b.j*d)*(a.C?3:2));b=Math.max(l-mPa(a,c),0);for(d=c;d=a.j.length)return a.J;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.j.length?d-1:d}; +bPa=function(a,b,c){for(var d=b*a.B.j*1E3,e=-1,f=g.t(a.j),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; +lPa=function(a,b){for(var c=a.j.length,d=0,e=g.t(a.j),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.C?3:2,d++;else break;return d===c?c-1:d}; +g.yV=function(a,b,c,d){var e=a.J!==c,f=a.C!==d;a.Jf=b;a.J=c;a.C=d;lV(a)&&null!=(b=a.u)&&(b.scale=d?1.5:1);fPa(a);1===a.j.length&&(a.j[0].width=c||0);e&&g.nV(a);a.u&&f&&lV(a)&&(a.u.isEnabled&&(c=a.C?135:90,d=c-uV(a),a.Ya.style.height=c+"px",g.Hm(a.oa,"transform","translateY("+-d+"px)"),g.Hm(a.Kc,"transform","translateY("+-d+"px)")),GOa(a.u))}; +tV=function(a){var b=!!a.Bb&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.Bb?(c=a.Bb.startTimeMs/1E3,d=a.Bb.endTimeMs/1E3):(e=c>a.B.u,f=0a.Z);g.Up(a.Vf,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;b=a.J*a.scale;var c=a.Ja*a.scale,d=Oya(a.u,a.C,b);gOa(a.bg,d,b,c,!0);a.Aa.start()}}; +fQa=function(a){var b=a.j;3===a.type&&a.Ga.stop();a.api.removeEventListener("appresize",a.ya);a.Z||b.setAttribute("title",a.B);a.B="";a.j=null}; +hQa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-watch-later-button","ytp-button"],X:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-watch-later-icon",ra:"{{icon}}"},{G:"div",N:"ytp-watch-later-title",ra:"Watch later"}]});this.F=a;this.u=b;this.icon=null;this.visible=this.isRequestPending=this.j=!1;this.tooltip=b.Ic();mU(this.tooltip);a.sb(this.element,this,28665);this.Ra("click",this.onClick,this);this.S(a,"videoplayerreset",this.Jv); +this.S(a,"appresize",this.UA);this.S(a,"videodatachange",this.UA);this.S(a,"presentingplayerstatechange",this.UA);this.UA();a=this.F.V();var c=g.Qz("yt-player-watch-later-pending");a.C&&c?(owa(),gQa(this)):this.Pa(2);g.Up(this.element,"ytp-show-watch-later-title",g.fK(a));g.bb(this,g.ZS(b.Ic(),this.element))}; +iQa=function(a){var b=a.F.getPlayerSize(),c=a.F.V(),d=a.F.getVideoData(),e=g.fK(c)&&g.KS(a.F)&&g.S(a.F.Cb(),128);a=c.K("shorts_mode_to_player_api")?a.F.Sb():a.u.Sb();var f=c.B;if(b=c.hm&&240<=b.width&&!d.isAd())if(d.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){b=!0;var h,l,m=null==(h=d.kf)?void 0:null==(l=h.embedPreview)?void 0:l.thumbnailPreviewRenderer;m&&(b=!!m.addToWatchLaterButton);if(g.lK(d.V())){var n,p;(h=null==(n=d.jd)?void 0:null==(p=n.playerOverlays)?void 0:p.playerOverlayRenderer)&& +(b=!!h.addToMenu)}var q,r,v,x;if(null==(x=g.K(null==(q=d.jd)?void 0:null==(r=q.contents)?void 0:null==(v=r.twoColumnWatchNextResults)?void 0:v.desktopOverlay,nM))?0:x.suppressWatchLaterButton)b=!1}else b=d.Qk;return b&&!e&&!(d.D&&c.Z)&&!a&&!f}; +jQa=function(a,b){g.lU(g.yK(a.F.V()),"wl_button",function(){owa({videoId:b});window.location.reload()})}; +gQa=function(a){if(!a.isRequestPending){a.isRequestPending=!0;a.Pa(3);var b=a.F.getVideoData();b=a.j?b.removeFromWatchLaterCommand:b.addToWatchLaterCommand;var c=a.F.Mm(),d=a.j?function(){a.j=!1;a.isRequestPending=!1;a.Pa(2);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_REMOVED")}:function(){a.j=!0; +a.isRequestPending=!1;a.Pa(1);a.F.V().u&&zU(a.tooltip,a.element);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_ADDED")}; +tR(c,b).then(d,function(){a.isRequestPending=!1;kQa(a,"An error occurred. Please try again later.")})}}; +kQa=function(a,b){a.Pa(4,b);a.F.V().I&&a.F.Na("WATCH_LATER_ERROR",b)}; +lQa=function(a,b){if(b!==a.icon){switch(b){case 3:var c=qMa();break;case 1:c=gQ();break;case 2:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path", +xc:!0,X:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.updateValue("icon",c);a.icon=b}}; +g.YV=function(a){g.eU.call(this,a);var b=this;this.rG=(this.oq=g.fK(this.api.V()))&&(this.api.V().u||gz()||ez());this.QK=48;this.RK=69;this.Co=null;this.Xs=[];this.Qc=new g.hU(this.api);this.Ou=new AU(this.api);this.Fh=new g.U({G:"div",N:"ytp-chrome-top"});this.hE=[];this.tooltip=new g.WV(this.api,this);this.backButton=this.Dz=null;this.channelAvatar=new VMa(this.api,this);this.title=new VV(this.api,this);this.gi=new g.ZP({G:"div",N:"ytp-chrome-top-buttons"});this.Bi=this.shareButton=this.Jn=null; +this.Wi=new PMa(this.api,this,this.Fh.element);this.overflowButton=this.Bh=null;this.dh="1"===this.api.V().controlsType?new TPa(this.api,this,this.Ve):null;this.contextMenu=new g.xU(this.api,this,this.Qc);this.BK=!1;this.IF=new g.U({G:"div",X:{tabindex:"0"}});this.HF=new g.U({G:"div",X:{tabindex:"0"}});this.uD=null;this.oO=this.nN=this.pF=!1;var c=a.jb(),d=a.V(),e=a.getVideoData();this.oq&&(g.Qp(a.getRootNode(),"ytp-embed"),g.Qp(a.getRootNode(),"ytp-embed-playlist"),this.rG&&(g.Qp(a.getRootNode(), +"ytp-embed-overlays-autohide"),g.Qp(this.contextMenu.element,"ytp-embed-overlays-autohide")),this.QK=60,this.RK=89);a.V().B&&g.Qp(a.getRootNode(),"ytp-embed-pfl");this.api.V().u&&(g.Qp(a.getRootNode(),"ytp-mobile"),this.api.V().T&&g.Qp(a.getRootNode(),"ytp-embed-mobile-exp"));this.kf=e&&e.kf;g.E(this,this.Qc);g.NS(a,this.Qc.element,4);g.E(this,this.Ou);g.NS(a,this.Ou.element,4);e=new g.U({G:"div",N:"ytp-gradient-top"});g.E(this,e);g.NS(a,e.element,1);this.KP=new g.QQ(e,250,!0,100);g.E(this,this.KP); +g.E(this,this.Fh);g.NS(a,this.Fh.element,1);this.JP=new g.QQ(this.Fh,250,!0,100);g.E(this,this.JP);g.E(this,this.tooltip);g.NS(a,this.tooltip.element,4);var f=new QNa(a);g.E(this,f);g.NS(a,f.element,5);f.subscribe("show",function(n){b.Op(f,n)}); +this.hE.push(f);this.Dz=new NU(a,this,f);g.E(this,this.Dz);d.rl&&(this.backButton=new LMa(a),g.E(this,this.backButton),this.backButton.Ea(this.Fh.element));this.oq||this.Dz.Ea(this.Fh.element);g.E(this,this.channelAvatar);this.channelAvatar.Ea(this.Fh.element);g.E(this,this.title);this.title.Ea(this.Fh.element);this.oq&&(e=new fOa(this.api,this),g.E(this,e),e.Ea(this.Fh.element));g.E(this,this.gi);this.gi.Ea(this.Fh.element);var h=new g.RU(a,this);g.E(this,h);g.NS(a,h.element,5);h.subscribe("show", +function(n){b.Op(h,n)}); +this.hE.push(h);this.Jn=new hQa(a,this);g.E(this,this.Jn);this.Jn.Ea(this.gi.element);this.shareButton=new g.QU(a,this,h);g.E(this,this.shareButton);this.shareButton.Ea(this.gi.element);this.Bi=new g.yU(a,this);g.E(this,this.Bi);this.Bi.Ea(this.gi.element);this.oq&&this.Dz.Ea(this.gi.element);g.E(this,this.Wi);this.Wi.Ea(this.gi.element);d.Tn&&(e=new TU(a),g.E(this,e),g.NS(a,e.element,4));d.B||(e=new QMa(a,this,this.Wi),g.E(this,e),e.Ea(this.gi.element));this.Bh=new MNa(a,this);g.E(this,this.Bh); +g.NS(a,this.Bh.element,5);this.Bh.subscribe("show",function(){b.Op(b.Bh,b.Bh.ej())}); +this.hE.push(this.Bh);this.overflowButton=new g.MU(a,this,this.Bh);g.E(this,this.overflowButton);this.overflowButton.Ea(this.gi.element);this.dh&&g.E(this,this.dh);"3"===d.controlsType&&(e=new PU(a,this),g.E(this,e),g.NS(a,e.element,9));g.E(this,this.contextMenu);this.contextMenu.subscribe("show",this.LY,this);e=new kR(a,new gU(a));g.E(this,e);g.NS(a,e.element,4);this.IF.Ra("focus",this.h3,this);g.E(this,this.IF);this.HF.Ra("focus",this.j3,this);g.E(this,this.HF);var l;(this.xq=d.ph?null:new g.JU(a, +c,this.contextMenu,this.Ve,this.Qc,this.Ou,function(){return b.Il()},null==(l=this.dh)?void 0:l.Kc))&&g.E(this,this.xq); +this.oq||(this.api.K("web_player_enable_featured_product_banner_on_desktop")&&(this.wT=new sNa(this.api,this),g.E(this,this.wT),g.NS(a,this.wT.element,4)),this.MX=new cOa(this.api,this),g.E(this,this.MX),g.NS(a,this.MX.element,4));this.bY=new YPa(this.api,this);g.E(this,this.bY);g.NS(a,this.bY.element,4);if(this.oq){var m=new yNa(a,this.api.V().tb);g.E(this,m);g.NS(a,m.element,5);m.subscribe("show",function(n){b.Op(m,n)}); +c=new CNa(a,this,m);g.E(this,c);g.NS(a,c.element,4)}this.Ws.push(this.Qc.element);this.S(a,"fullscreentoggled",this.Hq);this.S(a,"offlineslatestatechange",function(){b.api.AC()&&QT(b.Ve,128,!1)}); +this.S(a,"cardstatechange",function(){b.fl()}); +this.S(a,"resize",this.P5);this.S(a,"videoplayerreset",this.Jv);this.S(a,"showpromotooltip",this.n6)}; +mQa=function(a){var b=a.api.V(),c=g.S(a.api.Cb(),128);return b.C&&c&&!a.api.isFullscreen()}; +nQa=function(a){if(a.Wg()&&!a.Sb()&&a.Bh){var b=a.api.K("web_player_hide_overflow_button_if_empty_menu");!a.Jn||b&&!iQa(a.Jn)||NNa(a.Bh,a.Jn);!a.shareButton||b&&!XNa(a.shareButton)||NNa(a.Bh,a.shareButton);!a.Bi||b&&!lNa(a.Bi)||NNa(a.Bh,a.Bi)}else{if(a.Bh){b=a.Bh;for(var c=g.t(b.actionButtons),d=c.next();!d.done;d=c.next())d.value.detach();b.actionButtons=[]}a.Jn&&!g.zf(a.gi.element,a.Jn.element)&&a.Jn.Ea(a.gi.element);a.shareButton&&!g.zf(a.gi.element,a.shareButton.element)&&a.shareButton.Ea(a.gi.element); +a.Bi&&!g.zf(a.gi.element,a.Bi.element)&&a.Bi.Ea(a.gi.element)}}; +oQa=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==Km(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=oQa(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexc.Oz||0>c.At||0>c.durationMs||0>c.startMs||0>c.Pq)return jW(a,b),[];b=VG(c.Oz,c.Pq);var l;if(null==(l=a.j)?0:l.Jf){var m=c.AN||0;var n=b.length-m}return[new XG(3,f,b,"makeSliceInfosMediaBytes",c.At-1,c.startMs/1E3,c.durationMs/1E3,m,n,void 0,d)]}if(0>c.At)return jW(a,b),[];var p;return(null==(p=a.Sa)?0:p.fd)?(a=f.Xj,[new XG(3,f,void 0,"makeSliceInfosMediaBytes", +c.At,void 0,a,void 0,a*f.info.dc,!0,d)]):[]}; +NQa=function(a,b,c){a.Sa=b;a.j=c;b=g.t(a.Xc);for(c=b.next();!c.done;c=b.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;for(var e=g.t(d.AX),f=e.next();!f.done;f=e.next())f=MQa(a,c,f.value),LQa(a,c,d,f)}}; +OQa=function(a,b,c){(a=a.Xc.get(b))&&!a.Vg&&(iW?(b=0a;a++){var b=g.qf("VIDEO");b.load();lW.push(new g.pT(b))}}; +mW=function(a){g.C.call(this);this.app=a;this.j=null;this.u=1}; +RQa=function(){}; +g.nW=function(a,b,c,d){d=void 0===d?!1:d;FO.call(this);this.mediaElement=a;this.start=b;this.end=c;this.j=d}; +SQa=function(a,b,c){var d=b.getVideoData(),e=a.getVideoData();if(b.getPlayerState().isError())return{msg:"player-error"};b=e.C;if(a.xk()>c/1E3+1)return{msg:"in-the-past"};if(e.isLivePlayback&&!isFinite(c))return{msg:"live-infinite"};(a=a.qe())&&a.isView()&&(a=a.mediaElement);if(a&&12m&&(f=m-200,a.J=!0);h&&l.getCurrentTime()>=f/1E3?a.I():(a.u=l,h&&(h=f,f=a.u,a.app.Ta.addEventListener(g.ZD("vqueued"),a.I),h=isFinite(h)||h/1E3>f.getDuration()?h:0x8000000000000,a.D=new g.XD(h,0x8000000000000,{namespace:"vqueued"}),f.addCueRange(a.D)));h=d/=1E3;f=b.getVideoData().j;d&&f&&a.u&&(l=d,m=0, +b.getVideoData().isLivePlayback&&(h=Math.min(c/1E3,qW(a.u,!0)),m=Math.max(0,h-a.u.getCurrentTime()),l=Math.min(d,qW(b)+m)),h=fwa(f,l)||d,h!==d&&a.j.xa("qvaln",{st:d,at:h,rm:m,ct:l}));b=h;d=a.j;d.getVideoData().Si=!0;d.getVideoData().fb=!0;g.tW(d,!0);f={};a.u&&(f=g.uW(a.u.zc.provider),h=a.u.getVideoData().clientPlaybackNonce,f={crt:(1E3*f).toFixed(),cpn:h});d.xa("queued",f);0!==b&&d.seekTo(b+.01,{bv:!0,IP:3,Je:"videoqueuer_queued"});a.B=new TQa(a.T,a.app.Rc(),a.j,c,e);c=a.B;Infinity!==c.status.status&& +(pW(c,1),c.j.subscribe("internalvideodatachange",c.uu,c),c.u.subscribe("internalvideodatachange",c.uu,c),c.j.subscribe("mediasourceattached",c.uu,c),c.u.subscribe("statechange",c.yd,c),c.j.subscribe("newelementrequired",c.nW,c),c.uu());return a.C}; +cRa=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:if(a.isDisposed()||!a.C||!a.j)return e.return();a.J&&vW(a.app.Rc(),!0,!1);b=null;if(!a.B){e.Ka(2);break}g.pa(e,3);return g.y(e,YQa(a.B),5);case 5:g.ra(e,2);break;case 3:b=c=g.sa(e);case 2:if(!a.j)return e.return();g.oW.IH("vqsp",function(){wW(a.app,a.j)}); +g.oW.IH("vqpv",function(){a.app.playVideo()}); +b&&eRa(a.j,b.message);d=a.C;sW(a);return e.return(d.resolve(void 0))}})}; +sW=function(a){if(a.u){if(a.D){var b=a.u;a.app.Ta.removeEventListener(g.ZD("vqueued"),a.I);b.removeCueRange(a.D)}a.u=null;a.D=null}a.B&&(6!==a.B.status.status&&(b=a.B,Infinity!==b.status.status&&b.Eg("Canceled")),a.B=null);a.C=null;a.j&&a.j!==g.qS(a.app,1)&&a.j!==a.app.Rc()&&a.j.dispose();a.j=null;a.J=!1}; +fRa=function(a){var b;return(null==(b=a.B)?void 0:b.currentVideoDuration)||-1}; +gRa=function(a,b,c){if(a.vv())return"qine";var d;if(b.videoId!==(null==(d=a.j)?void 0:d.Ce()))return"vinm";if(0>=fRa(a))return"ivd";if(1!==c)return"upt";var e,f;null==(e=a.B)?f=void 0:f=5!==e.getStatus().status?"neb":null!=SQa(e.j,e.u,e.fm)?"pge":null;a=f;return null!=a?a:null}; +hRa=function(){var a=Aoa();return!(!a||"visible"===a)}; +jRa=function(a){var b=iRa();b&&document.addEventListener(b,a,!1)}; +kRa=function(a){var b=iRa();b&&document.removeEventListener(b,a,!1)}; +iRa=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[vz+"VisibilityState"])return"";a=vz+"visibilitychange"}return a}; +lRa=function(){g.dE.call(this);var a=this;this.fullscreen=0;this.pictureInPicture=this.j=this.u=this.inline=!1;this.B=function(){a.Bg()}; +jRa(this.B);this.C=this.getVisibilityState(this.wh(),this.isFullscreen(),this.zg(),this.isInline(),this.Ty(),this.Ry())}; +xW=function(a,b,c,d,e){e=void 0===e?[]:e;g.C.call(this);this.Y=a;this.Ec=b;this.C=c;this.segments=e;this.j=void 0;this.B=new Map;this.u=new Map;if(e.length)for(this.j=e[0],a=g.t(e),b=a.next();!b.done;b=a.next())b=b.value,(c=b.hs())&&this.B.set(c,b.OB())}; +mRa=function(a,b,c,d){if(a.j&&!(b>c)){b=new xW(a.Y,b,c,a.j,d);d=g.t(d);for(c=d.next();!c.done;c=d.next()){c=c.value;var e=c.hs();e&&e!==a.j.hs()&&a.u.set(e,[c])}a.j.j.set(b.yy(),b)}}; +oRa=function(a,b,c,d,e,f){return new nRa(c,c+(d||0),!d,b,a,new g.$L(a.Y,f),e)}; +nRa=function(a,b,c,d,e,f,h){g.C.call(this);this.Ec=a;this.u=b;this.type=d;this.B=e;this.videoData=f;this.clipId=h;this.j=new Map}; +pRa=function(a){this.end=this.start=a}; +g.zW=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.va=c;this.ib="";this.Aa=new Map;this.Xa=new Map;this.Ja=new Map;this.C=new Map;this.B=[];this.T=[];this.D=new Map;this.Oc=new Map;this.ea=new Map;this.Dc=NaN;this.Tb=this.tb=null;this.uc=new g.Ip(function(){qRa(d,d.Dc)}); +this.events=new g.bI(this);this.jc=g.gJ(this.Y.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.J=new g.Ip(function(){d.ya=!0;var e=d.va,f=d.jc;e.xa("sdai",{aftimeout:f});e.Kd(new PK("ad.fetchtimeout",{timeout:f}));rRa(d);d.kC(!1)},this.jc); +this.ya=!1;this.Ya=new Map;this.Xb=[];this.oa=null;this.ke=new Set;this.Ga=[];this.Lc=[];this.Nd=[];this.rd=[];this.j=void 0;this.kb=0;this.fb=!0;this.I=!1;this.La=[];this.Ld=new Set;this.je=new Set;this.Od=new Set;this.El=0;this.Z=null;this.Pb=new Set;this.Vd=0;this.Np=this.Wc=!1;this.u="";this.va.getPlayerType();sRa(this.va,this);this.Qa=this.Y.Rd();g.E(this,this.uc);g.E(this,this.events);g.E(this,this.J);yW(this)||(this.events.S(this.api,g.ZD("serverstitchedcuerange"),this.onCueRangeEnter),this.events.S(this.api, +g.$D("serverstitchedcuerange"),this.onCueRangeExit))}; +wRa=function(a,b,c,d,e,f,h,l){var m=tRa(a,f,f+e);a.ya&&a.va.xa("sdai",{adaftto:1});a.Np&&a.va.xa("sdai",{adfbk:1,enter:f,len:e,aid:l});var n=a.va;h=void 0===h?f+e:h;f===h&&!e&&a.Y.K("html5_allow_zero_duration_ads_on_timeline")&&a.va.xa("sdai",{attl0d:1});f>h&&AW(a,{reason:"enterTime_greater_than_return",Ec:f,Dd:h});var p=1E3*n.Id();fn&&AW(a,{reason:"parent_return_greater_than_content_duration",Dd:h,a8a:n}); +n=null;p=g.Jb(a.T,{Dd:f},function(q,r){return q.Dd-r.Dd}); +0<=p&&(n=a.T[p],n.Dd>f&&uRa(a,b.video_id||"",f,h,n));if(m&&n)for(p=0;pd?-1*(d+2):d;return 0<=d&&(a=a.T[d],a.Dd>=c)?{Ao:a,sz:b}:{Ao:void 0,sz:b}}; +GW=function(a,b){var c="";yW(a)?(c=b/1E3-a.aq(),c=a.va.Gy(c)):(b=BRa(a,b))&&(c=b.getId());return c?a.D.get(c):void 0}; +BRa=function(a,b){a=g.t(a.C.values());for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.start<=b&&c.end>=b)return c}; +qRa=function(a,b){var c=a.Tb||a.api.Rc().getPlayerState();HW(a,!0);a.va.seekTo(b);a=a.api.Rc();b=a.getPlayerState();g.RO(c)&&!g.RO(b)?a.playVideo():g.QO(c)&&!g.QO(b)&&a.pauseVideo()}; +HW=function(a,b){a.Dc=NaN;a.uc.stop();a.tb&&b&&CRa(a.tb);a.Tb=null;a.tb=null}; +DRa=function(a){var b=void 0===b?-1:b;var c=void 0===c?Infinity:c;for(var d=[],e=g.t(a.T),f=e.next();!f.done;f=e.next())f=f.value,(f.Ecc)&&d.push(f);a.T=d;d=g.t(a.C.values());for(e=d.next();!e.done;e=d.next())e=e.value,e.start>=b&&e.end<=c&&(a.va.removeCueRange(e),a.C.delete(e.getId()),a.va.xa("sdai",{rmAdCR:1}));d=ARa(a,b/1E3);b=d.Ao;d=d.sz;if(b&&(d=1E3*d-b.Ec,e=b.Ec+d,b.durationMs=d,b.Dd=e,d=a.C.get(b.cpn))){e=g.t(a.B);for(f=e.next();!f.done;f=e.next())f=f.value,f.start===d.end?f.start= +b.Ec+b.durationMs:f.end===d.start&&(f.end=b.Ec);d.start=b.Ec;d.end=b.Ec+b.durationMs}if(b=ARa(a,c/1E3).Ao){var h;d="playback_timelinePlaybackId_"+b.Nc+"_video_id_"+(null==(h=b.videoData)?void 0:h.videoId)+"_durationMs_"+b.durationMs+"_enterTimeMs_"+b.Ec+"_parentReturnTimeMs_"+b.Dd;a.KC("Invalid_clearEndTimeMs_"+c+"_that_falls_during_"+d+"._Child_playbacks_can_only_have_duration_updated_not_their_start.")}}; +ERa=function(a){a.ib="";a.Aa.clear();a.Xa.clear();a.Ja.clear();a.C.clear();a.B=[];a.T=[];a.D.clear();a.Oc.clear();a.ea.clear();a.Ya.clear();a.Xb=[];a.oa=null;a.ke.clear();a.Ga=[];a.Lc=[];a.Nd=[];a.rd=[];a.La=[];a.Ld.clear();a.je.clear();a.Od.clear();a.Pb.clear();a.ya=!1;a.j=void 0;a.kb=0;a.fb=!0;a.I=!1;a.El=0;a.Z=null;a.Vd=0;a.Wc=!1;a.Np=!1;DW(a,a.u)&&a.va.xa("sdai",{rsac:"resetAll",sac:a.u});a.u="";a.J.isActive()&&BW(a)}; +GRa=function(a,b,c,d,e){if(!a.Np)if(g.FRa(a,c))a.Qa&&a.va.xa("sdai",{gdu:"undec",seg:c,itag:e});else return IW(a,b,c,d)}; +IW=function(a,b,c,d){var e=a.Ya.get(c);if(!e){b+=a.aq();b=ARa(a,b,1);var f;b.Ao||2!==(null==(f=JW(a,c-1,null!=d?d:2))?void 0:f.YA)?e=b.Ao:e=a.Ya.get(c-1)}return e}; +HRa=function(a){if(a.La.length)for(var b=g.t(a.La),c=b.next();!c.done;c=b.next())a.onCueRangeExit(c.value);c=g.t(a.C.values());for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);c=g.t(a.B);for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);a.C.clear();a.B=[];a.Aa.clear();a.Xa.clear();a.Ja.clear();a.j||(a.fb=!0)}; +JW=function(a,b,c,d){if(1===c){if(a.Y.K("html5_reset_daistate_on_audio_codec_change")&&d&&d!==a.ib&&(""!==a.ib&&(a.va.xa("sdai",{rstadaist:1,old:a.ib,"new":d}),a.Aa.clear()),a.ib=d),a.Aa.has(b))return a.Aa.get(b)}else{if(2===c&&a.Xa.has(b))return a.Xa.get(b);if(3===c&&a.Ja.has(b))return a.Ja.get(b)}}; +JRa=function(a,b,c,d){if(d)for(d=0;dc){var f=e.end;e.end=b;IRa(a,c,f)}else if(e.start>=b&&e.startc)e.start=c;else if(e.end>b&&e.end<=c&&e.start=b&&e.end<=c){a.va.removeCueRange(e);if(a.La.includes(e))a.onCueRangeExit(e);a.B.splice(d,1);continue}d++}else IRa(a,b,c)}; +IRa=function(a,b,c){b=xRa(b,c);c=!0;g.Nb(a.B,b,function(h,l){return h.start-l.start}); +for(var d=0;d=Math.round(e.start/1E3)){f.end=e.end;e!==b?a.va.removeCueRange(e):c=!1;a.B.splice(d,1);continue}}d++}if(c)for(a.va.addCueRange(b),b=a.va.CB("serverstitchedcuerange",36E5),b=g.t(b),c=b.next();!c.done;c=b.next())a.C.delete(c.value.getId())}; +KW=function(a,b,c){if(void 0===c||!c){c=g.t(a.Xb);for(var d=c.next();!d.done;d=c.next()){d=d.value;if(b>=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.Xb.push(new pRa(b))}}; +g.FRa=function(a,b){a=g.t(a.Xb);for(var c=a.next();!c.done;c=a.next())if(c=c.value,b>=c.start&&b<=c.end)return!0;return!1}; +uRa=function(a,b,c,d,e){var f;b={reason:"overlapping_playbacks",X7a:b,Ec:c,Dd:d,O6a:e.Nc,P6a:(null==(f=e.videoData)?void 0:f.videoId)||"",L6a:e.durationMs,M6a:e.Ec,N6a:e.Dd};AW(a,b)}; +AW=function(a,b){a=a.va;a.xa("timelineerror",b);a.Kd(new PK("dai.timelineerror",b))}; +KRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,b.cpn&&c.push(b.cpn);return c}; +LRa=function(a,b,c){var d=0;a=a.ea.get(c);if(!a)return-1;a=g.t(a);for(c=a.next();!c.done;c=a.next()){if(c.value.cpn===b)return d;d++}return-1}; +MRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(var d=a.next();!d.done;d=a.next())b=void 0,(d=null==(b=d.value.videoData)?void 0:b.videoId)&&c.push(d);return c}; +NRa=function(a,b){var c=0;a=a.ea.get(b);if(!a)return 0;a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,0!==b.durationMs&&b.Dd!==b.Ec&&c++;return c}; +ORa=function(a,b,c){var d=!1;if(c&&(c=a.ea.get(c))){c=g.t(c);for(var e=c.next();!e.done;e=c.next())e=e.value,0!==e.durationMs&&e.Dd!==e.Ec&&(e=e.cpn,b===e&&(d=!0),d&&!a.je.has(e)&&(a.va.xa("sdai",{decoratedAd:e}),a.je.add(e)))}}; +rRa=function(a){a.Qa&&a.va.xa("sdai",{adf:"0_"+((new Date).getTime()/1E3-a.Vd)+"_isTimeout_"+a.ya})}; +tRa=function(a,b,c){if(a.Ga.length)for(var d={},e=g.t(a.Ga),f=e.next();!f.done;d={Tt:d.Tt},f=e.next()){d.Tt=f.value;f=1E3*d.Tt.startSecs;var h=1E3*d.Tt.Sg+f;if(b>f&&bf&&ce?-1*(e+2):e]))for(c=g.t(c.segments),d=c.next();!d.done;d=c.next())if(d=d.value,d.yy()<=b&&d.QL()>b)return{clipId:d.hs()||"",lN:d.yy()};a.api.xa("ssap",{mci:1});return{clipId:"",lN:0}}; +SRa=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.j=c;this.I=new Map;this.u=[];this.B=this.J=null;this.ea=NaN;this.D=this.C=null;this.T=new g.Ip(function(){RRa(d,d.ea)}); +this.Z=[];this.oa=new g.Ip(function(){var e=d.Z.pop();if(e){var f=e.Nc,h=e.playerVars;e=e.playerType;h&&(h.prefer_gapless=!0,d.api.preloadVideoByPlayerVars(h,e,NaN,"",f),d.Z.length&&g.Jp(d.oa,4500))}}); +this.events=new g.bI(this);c.getPlayerType();g.E(this,this.T);g.E(this,this.oa);g.E(this,this.events);this.events.S(this.api,g.ZD("childplayback"),this.onCueRangeEnter);this.events.S(this.api,"onQueuedVideoLoaded",this.onQueuedVideoLoaded);this.events.S(this.api,"presentingplayerstatechange",this.Hi)}; +WRa=function(a,b,c,d,e,f){var h=b.cpn,l=b.docid||b.video_id||b.videoId||b.id,m=a.j;f=void 0===f?e+d:f;if(e>f)return MW(a,"enterAfterReturn enterTimeMs="+e+" is greater than parentReturnTimeMs="+f.toFixed(3),h,l),"";var n=1E3*m.Id();if(en)return m="returnAfterDuration parentReturnTimeMs="+f.toFixed(3)+" is greater than parentDurationMs="+n+". And timestampOffset in seconds is "+ +m.Jd(),MW(a,m,h,l),"";n=null;for(var p=g.t(a.u),q=p.next();!q.done;q=p.next()){q=q.value;if(e>=q.Ec&&eq.Ec)return MW(a,"overlappingReturn",h,l),"";if(f===q.Ec)return MW(a,"outOfOrder",h,l),"";e===q.Dd&&(n=q)}h="cs_childplayback_"+TRa++;l={me:NW(d,!0),fm:Infinity,target:null};var r={Nc:h,playerVars:b,playerType:c,durationMs:d,Ec:e,Dd:f,Tr:l};a.u=a.u.concat(r).sort(function(z,B){return z.Ec-B.Ec}); +n?URa(a,n,{me:NW(n.durationMs,!0),fm:n.Tr.fm,target:r}):(b={me:NW(e,!1),fm:e,target:r},a.I.set(b.me,b),m.addCueRange(b.me));b=!0;if(a.j===a.api.Rc()&&(m=1E3*m.getCurrentTime(),m>=r.Ec&&mb)break;if(f>b)return{Ao:d,sz:b-e};c=f-d.Dd/1E3}return{Ao:null,sz:b-c}}; +RRa=function(a,b){var c=a.D||a.api.Rc().getPlayerState();QW(a,!0);b=isFinite(b)?b:a.j.Wp();var d=$Ra(a,b);b=d.Ao;d=d.sz;var e=b&&!OW(a,b)||!b&&a.j!==a.api.Rc(),f=1E3*d;f=a.B&&a.B.start<=f&&f<=a.B.end;!e&&f||PW(a);b?VRa(a,b,d,c):aSa(a,d,c)}; +aSa=function(a,b,c){var d=a.j,e=a.api.Rc();d!==e&&a.api.Nq();d.seekTo(b,{Je:"application_timelinemanager"});bSa(a,c)}; +VRa=function(a,b,c,d){var e=OW(a,b);if(!e){b.playerVars.prefer_gapless=!0;var f=new g.$L(a.Y,b.playerVars);f.Nc=b.Nc;a.api.Rs(f,b.playerType)}f=a.api.Rc();e||f.addCueRange(b.Tr.me);f.seekTo(c,{Je:"application_timelinemanager"});bSa(a,d)}; +bSa=function(a,b){a=a.api.Rc();var c=a.getPlayerState();g.RO(b)&&!g.RO(c)?a.playVideo():g.QO(b)&&!g.QO(c)&&a.pauseVideo()}; +QW=function(a,b){a.ea=NaN;a.T.stop();a.C&&b&&CRa(a.C);a.D=null;a.C=null}; +OW=function(a,b){a=a.api.Rc();return!!a&&a.getVideoData().Nc===b.Nc}; +cSa=function(a){var b=a.u.find(function(e){return OW(a,e)}); +if(b){var c=a.api.Rc();PW(a);var d=new g.KO(8);b=ZRa(a,b)/1E3;aSa(a,b,d);c.xa("forceParentTransition",{childPlayback:1});a.j.xa("forceParentTransition",{parentPlayback:1})}}; +eSa=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;for(var d=b,e=c,f=g.t(a.I),h=f.next();!h.done;h=f.next()){var l=g.t(h.value);h=l.next().value;l=l.next().value;l.fm>=d&&l.target&&l.target.Dd<=e&&(a.j.removeCueRange(h),a.I.delete(h))}d=b;e=c;f=[];h=g.t(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.Ec>=d&&l.Dd<=e){var m=a;m.J===l&&PW(m);OW(m,l)&&m.api.Nq()}else f.push(l);a.u=f;d=$Ra(a,b/1E3);b=d.Ao;d=d.sz;b&&(d*=1E3,dSa(a,b,d,b.Dd===b.Ec+b.durationMs?b.Ec+d:b.Dd));(b=$Ra(a,c/1E3).Ao)&& +MW(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Nc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.Ec+" parentReturnTimeMs="+b.Dd+"}.Child playbacks can only have duration updated not their start."))}; +dSa=function(a,b,c,d){b.durationMs=c;b.Dd=d;d={me:NW(c,!0),fm:c,target:null};URa(a,b,d);OW(a,b)&&1E3*a.api.Rc().getCurrentTime()>c&&(b=ZRa(a,b)/1E3,c=a.api.Rc().getPlayerState(),aSa(a,b,c))}; +MW=function(a,b,c,d){a.j.xa("timelineerror",{e:b,cpn:c?c:void 0,videoId:d?d:void 0})}; +gSa=function(a){a&&"web"!==a&&fSa.includes(a)}; +SW=function(a,b){g.C.call(this);var c=this;this.data=[];this.B=a||NaN;this.u=b||null;this.j=new g.Ip(function(){hSa(c);RW(c)}); +g.E(this,this.j)}; +hSa=function(a){var b=(0,g.M)();a.data.forEach(function(c){c.expire=d;d++)c.push(d/100);c={threshold:c,trackVisibility:!0,delay:1E3};(this.u=window.IntersectionObserver?new IntersectionObserver(function(e){e=e[e.length-1];"undefined"===typeof e.isVisible?b.j=null:b.j=e.isVisible?e.intersectionRatio:0},c):null)&&this.u.observe(a)}; +mSa=function(a){g.U.call(this,{G:"div",Ia:["html5-video-player"],X:{tabindex:"-1",id:a.webPlayerContextConfig?a.webPlayerContextConfig.rootElementId:a.config.attrs.id},W:[{G:"div",N:g.WW.VIDEO_CONTAINER,X:{"data-layer":"0"}}]});var b=this;this.app=a;this.kB=this.Da(g.WW.VIDEO_CONTAINER);this.Ez=new g.Em(0,0,0,0);this.kc=null;this.zH=new g.Em(0,0,0,0);this.gM=this.rN=this.qN=NaN;this.mG=this.vH=this.zO=this.QS=!1;this.YK=NaN;this.QM=!1;this.LC=null;this.MN=function(){b.element.focus()}; +this.gH=function(){b.app.Ta.ma("playerUnderlayVisibilityChange","visible");b.kc.classList.remove(g.WW.VIDEO_CONTAINER_TRANSITIONING);b.kc.removeEventListener(zKa,b.gH);b.kc.removeEventListener("transitioncancel",b.gH)}; +var c=this.element.addEventListener,d=this.element.removeEventListener;this.addEventListener=function(f,h,l){c.apply(b.element,[f,h,l])}; this.removeEventListener=function(f,h,l){d.apply(b.element,[f,h,l])}; -var e=a.T();e.transparentBackground&&this.fr("ytp-transparent");"0"===e.controlsType&&this.fr("ytp-hide-controls");e.ba("html5_ux_control_flexbox_killswitch")||g.I(this.element,"ytp-exp-bottom-control-flexbox");e.ba("html5_player_bottom_linear_gradient")&&g.I(this.element,"ytp-linear-gradient-bottom-experiment");e.ba("web_player_bigger_buttons")&&g.I(this.element,"ytp-exp-bigger-button");jia(this.element,Cwa(a));FD(e)&&"blazer"!==e.playerStyle&&window.matchMedia&&(this.P="desktop-polymer"===e.playerStyle? -[{query:window.matchMedia("(max-width: 656px)"),size:new g.ie(426,240)},{query:window.matchMedia("(max-width: 856px)"),size:new g.ie(640,360)},{query:window.matchMedia("(max-width: 999px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1000px)"),size:new g.ie(640,360)}]:[{query:window.matchMedia("(max-width: 656px)"), -size:new g.ie(426,240)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 657px)"),size:new g.ie(640,360)}]);this.ma=e.useFastSizingOnWatchDefault;this.D=new g.ie(NaN,NaN);Dwa(this);this.N(a.u,"onMutedAutoplayChange",this.JM)}; -Dwa=function(a){function b(){a.u&&aZ(a);bZ(a)!==a.aa&&a.resize()} -function c(h,l){a.updateVideoData(l)} +var e=a.V();e.transparentBackground&&this.Dr("ytp-transparent");"0"===e.controlsType&&this.Dr("ytp-hide-controls");g.Qp(this.element,"ytp-exp-bottom-control-flexbox");e.K("enable_new_paid_product_placement")&&!g.GK(e)&&g.Qp(this.element,"ytp-exp-ppp-update");xoa(this.element,"version",kSa(a));this.OX=!1;this.FB=new g.He(NaN,NaN);lSa(this);this.S(a.Ta,"onMutedAutoplayChange",this.onMutedAutoplayChange)}; +lSa=function(a){function b(){a.kc&&XW(a);YW(a)!==a.QM&&a.resize()} +function c(h,l){a.Gs(h,l)} function d(h){h.getVideoData()&&a.updateVideoData(h.getVideoData())} -function e(){a.K=new g.jg(0,0,0,0);a.B=new g.jg(0,0,0,0)} -var f=a.app.u;f.addEventListener("initializingmode",e);f.addEventListener("videoplayerreset",d);f.addEventListener("videodatachange",c);f.addEventListener("presentingplayerstatechange",b);g.eg(a,function(){f.removeEventListener("initializingmode",e);f.removeEventListener("videoplayerreset",d);f.removeEventListener("videodatachange",c);f.removeEventListener("presentingplayerstatechange",b)})}; -fK=function(a,b){mD(a.app.T());a.I=!b;aZ(a)}; -Ewa=function(a){var b=g.Q(a.app.T().experiments,"html5_aspect_from_adaptive_format"),c=g.Z(a.app);if(c=c?c.getVideoData():null){if(c.Vj()||c.Wj()||c.Pj())return 16/9;if(b&&zI(c)&&c.La.Lc())return b=c.La.videoInfos[0].video,cZ(b.width,b.height)}return(a=a.u)?cZ(a.videoWidth,a.videoHeight):b?16/9:NaN}; -Fwa=function(a,b,c,d){var e=c,f=cZ(b.width,b.height);a.za?e=cf?h={width:b.width,height:b.width/e,aspectRatio:e}:ee?h.width=h.height*c:cMath.abs(dZ*b-a)||1>Math.abs(dZ/a-b)?dZ:a/b}; -bZ=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.Z(a.app);if(!b||b.Qj())return!1;var c=g.uK(a.app.u);a=!g.U(c,2)||!g.Q(a.app.T().experiments,"html5_leanback_gapless_elem_display_killswitch")&&b&&b.getVideoData().Lh;b=g.U(c,1024);return c&&a&&!b&&!c.isCued()}; -aZ=function(a){var b="3"===a.app.T().controlsType&&!a.I&&bZ(a)&&!a.app.Ta||!1;a.u.controls=b;a.u.tabIndex=b?0:-1;b?a.u.removeEventListener("focus",a.ia):g.Q(a.app.T().experiments,"disable_focus_redirect")||a.u.addEventListener("focus",a.ia)}; -Gwa=function(a){var b=a.getPlayerSize(),c=1,d=!1,e=Fwa(a,b,a.getVideoAspectRatio()),f=nr();if(bZ(a)){var h=Ewa(a);var l=isNaN(h)||g.hs||fE&&g.Ur;or&&!g.ae(601)?h=e.aspectRatio:l=l||"3"===a.app.T().controlsType;l?l=new g.jg(0,0,b.width,b.height):(c=e.aspectRatio/h,l=new g.jg((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.Ur&&(h=l.width-b.height*h,0f?{width:b.width,height:b.width/e,aspectRatio:e}:ee?a.width=a.height*c:cMath.abs(qSa*b-a)||1>Math.abs(qSa/a-b)?qSa:a/b}; +YW=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.qS(a.app);if(!b||b.Mo())return!1;a=a.app.Ta.Cb();b=!g.S(a,2)||b&&b.getVideoData().fb;var c=g.S(a,1024);return a&&b&&!c&&!a.isCued()}; +XW=function(a){var b="3"===a.app.V().controlsType&&!a.mG&&YW(a)&&!a.app.oz||!1;a.kc.controls=b;a.kc.tabIndex=b?0:-1;b?a.kc.removeEventListener("focus",a.MN):a.kc.addEventListener("focus",a.MN)}; +rSa=function(a){var b=a.Ij(),c=1,d=!1,e=pSa(a,b,a.getVideoAspectRatio()),f=a.app.V(),h=f.K("enable_desktop_player_underlay"),l=koa(),m=g.gJ(f.experiments,"player_underlay_min_player_width");m=h&&a.zO&&a.getPlayerSize().width>m;if(YW(a)){var n=oSa(a);var p=isNaN(n)||g.oB||ZW&&g.BA||m;nB&&!g.Nc(601)?n=e.aspectRatio:p=p||"3"===f.controlsType;p?m?(p=f.K("place_shrunken_video_on_left_of_player"),n=.02*a.getPlayerSize().width,p=p?n:a.getPlayerSize().width-b.width-n,p=new g.Em(p,0,b.width,b.height)):p=new g.Em(0, +0,b.width,b.height):(c=e.aspectRatio/n,p=new g.Em((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.BA&&(n=p.width-b.height*n,0Math.max(p.width-e.width,p.height-e.height));if(l||a.OX)a.kc.style.display="";a.QM=!0}else{p=-b.height;nB?p*=window.devicePixelRatio:g.HK&&(p-=window.screen.height);p=new g.Em(0,p,b.width,b.height);if(l||a.OX)a.kc.style.display="none";a.QM=!1}Fm(a.zH,p)||(a.zH=p,g.mK(f)?(a.kc.style.setProperty("width", +p.width+"px","important"),a.kc.style.setProperty("height",p.height+"px","important")):g.Rm(a.kc,p.getSize()),d=new g.Fe(p.left,p.top),g.Nm(a.kc,Math.round(d.x),Math.round(d.y)),d=!0);b=new g.Em((b.width-e.width)/2,(b.height-e.height)/2,e.width,e.height);Fm(a.Ez,b)||(a.Ez=b,d=!0);g.Hm(a.kc,"transform",1===c?"":"scaleX("+c+")");h&&m!==a.vH&&(m&&(a.kc.addEventListener(zKa,a.gH),a.kc.addEventListener("transitioncancel",a.gH),a.kc.classList.add(g.WW.VIDEO_CONTAINER_TRANSITIONING)),a.vH=m,a.app.Ta.ma("playerUnderlayVisibilityChange", +a.vH?"transitioning":"hidden"));return d}; +sSa=function(){this.csn=g.FE();this.clientPlaybackNonce=null;this.elements=new Set;this.B=new Set;this.j=new Set;this.u=new Set}; +tSa=function(a,b){a.elements.has(b);a.elements.delete(b);a.B.delete(b);a.j.delete(b);a.u.delete(b)}; +uSa=function(a){if(a.csn!==g.FE())if("UNDEFINED_CSN"===a.csn)a.csn=g.FE();else{var b=g.FE(),c=g.EE();if(b&&c){a.csn=b;for(var d=g.t(a.elements),e=d.next();!e.done;e=d.next())(e=e.value.visualElement)&&e.isClientVe()&&g.my(g.bP)(void 0,b,c,e)}if(b)for(a=g.t(a.j),e=a.next();!e.done;e=a.next())(c=e.value.visualElement)&&c.isClientVe()&&g.hP(b,c)}}; +vSa=function(a,b){this.schedule=a;this.policy=b;this.playbackRate=1}; +wSa=function(a,b){var c=Math.min(2.5,VJ(a.schedule));a=$W(a);return b-c*a}; +ySa=function(a,b,c,d,e){e=void 0===e?!1:e;a.policy.Qk&&(d=Math.abs(d));d/=a.playbackRate;var f=1/XJ(a.schedule);c=Math.max(.9*(d-3),VJ(a.schedule)+2048*f)/f*a.policy.oo/(b+c);if(!a.policy.vf||d)c=Math.min(c,d);a.policy.Vf&&e&&(c=Math.max(c,a.policy.Vf));return xSa(a,c,b)}; +xSa=function(a,b,c){return Math.ceil(Math.max(Math.max(65536,a.policy.jo*c),Math.min(Math.min(a.policy.Ja,31*c),Math.ceil(b*c))))||65536}; +$W=function(a){return XJ(a.schedule,!a.policy.ol,a.policy.ao)}; +aX=function(a){return $W(a)/a.playbackRate}; +zSa=function(a,b,c,d,e){this.Fa=a;this.Sa=b;this.videoTrack=c;this.audioTrack=d;this.policy=e;this.seekCount=this.j=0;this.C=!1;this.u=this.Sa.isManifestless&&!this.Sa.Se;this.B=null}; +ASa=function(a,b){var c=a.j.index,d=a.u.Ma;pH(c,d)||b&&b.Ma===d?(a.D=!pH(c,d),a.ea=!pH(c,d)):(a.D=!0,a.ea=!0)}; +CSa=function(a,b,c,d,e){if(!b.j.Jg()){if(!(d=0===c||!!b.B.length&&b.B[0]instanceof bX))a:{if(b.B.length&&(d=b.B[0],d instanceof cX&&d.Yj&&d.vj)){d=!0;break a}d=!1}d||a.policy.B||dX(b);return c}a=eX(b,c);if(!isNaN(a))return a;e.EC||b.vk();return d&&(a=mI(d.Ig(),c),!isNaN(a))?(fX(b,a+BSa),c):fX(b,c)}; +GSa=function(a,b,c,d){if(a.hh()&&a.j){var e=DSa(a,b,c);if(-1!==e){a.videoTrack.D=!1;a.audioTrack.D=!1;a.u=!0;g.Mf(function(){a.Fa.xa("seekreason",{reason:"behindMinSq",tgt:e});ESa(a,e)}); +return}}c?a.videoTrack.ea=!1:a.audioTrack.ea=!1;var f=a.policy.tA||!a.u;0<=eX(a.videoTrack,a.j)&&0<=eX(a.audioTrack,a.j)&&f?((a.videoTrack.D||a.audioTrack.D)&&a.Fa.xa("iterativeSeeking",{status:"done",count:a.seekCount}),a.videoTrack.D=!1,a.audioTrack.D=!1):d&&g.Mf(function(){if(a.u||!a.policy.uc)FSa(a);else{var h=b.startTime,l=b.duration,m=c?a.videoTrack.D:a.audioTrack.D,n=-1!==a.videoTrack.I&&-1!==a.audioTrack.I,p=a.j>=h&&a.ja.seekCount?(a.seekCount++,a.Fa.xa("iterativeSeeking",{status:"inprogress",count:a.seekCount,target:a.j,actual:h,duration:l,isVideo:c}),a.seek(a.j,{})):(a.Fa.xa("iterativeSeeking",{status:"incomplete",count:a.seekCount,target:a.j,actual:h}),a.seekCount=0,a.videoTrack.D=!1,a.audioTrack.D=!1,a.Fa.va.seekTo(h+ +.1,{bv:!0,Je:"chunkSelectorSynchronizeMedia",Er:!0})))}})}; +DSa=function(a,b,c){if(!a.hh())return-1;c=(c?a.videoTrack:a.audioTrack).j.index;var d=c.uh(a.j);return(pH(c,a.Sa.Ge)||b.Ma===a.Sa.Ge)&&da.B&&(a.B=NaN,a.D=NaN);if(a.j&&a.j.Ma===d){d=a.j;e=d.jf;var f=c.gt(e);a.xa("sdai",{onqevt:e.event,sq:b.gb[0].Ma,gab:f});f?"predictStart"!==e.event?d.nC?iX(a,4,"cue"):(a.B=b.gb[0].Ma,a.D=b.gb[0].C,a.xa("sdai",{joinad:a.u,sg:a.B,st:a.D.toFixed(3)}),a.ea=Date.now(),iX(a,2,"join"),c.fG(d.jf)):(a.J=b.gb[0].Ma+ +Math.max(Math.ceil(-e.j/5E3),1),a.xa("sdai",{onpred:b.gb[0].Ma,est:a.J}),a.ea=Date.now(),iX(a,3,"predict"),c.fG(d.jf)):1===a.u&&iX(a,5,"nogab")}else 1===a.u&&iX(a,5,"noad")}}; +LSa=function(a,b,c){return(0>c||c===a.B)&&!isNaN(a.D)?a.D:b}; +MSa=function(a,b){if(a.j){var c=a.j.jf.Sg-(b.startTime+a.I-a.j.jf.startSecs);0>=c||(c=new PD(a.j.jf.startSecs-(isNaN(a.I)?0:a.I),c,a.j.jf.context,a.j.jf.identifier,"stop",a.j.jf.j+1E3*b.duration),a.xa("cuepointdiscontinuity",{segNum:b.Ma}),hX(a,c,b.Ma))}}; +iX=function(a,b,c){a.u!==b&&(a.xa("sdai",{setsst:b,old:a.u,r:c}),a.u=b)}; +jX=function(a,b,c,d){(void 0===d?0:d)?iX(a,1,"sk2h"):0b)return!0;a.ya.clear()}return!1}; +rX=function(a,b){return new kX(a.I,a.j,b||a.B.reason)}; +sX=function(a){return a.B.isLocked()}; +RSa=function(a){a.Qa?a.Qa=!1:a.ea=(0,g.M)();a.T=!1;return new kX(a.I,a.j,a.B.reason)}; +WSa=function(a,b){var c={};b=g.t(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.video){var e=d.video.j,f=c[e],h=f&&KH(f)&&f.video.j>a.policy.ya,l=e<=a.policy.ya?KH(d):BF(d);if(!f||h||l)c[e]=d}return c}; +mX=function(a,b){a.B=b;var c=a.D.videoInfos;if(!sX(a)){var d=(0,g.M)();c=g.Rn(c,function(q){if(q.dc>this.policy.dc)return!1;var r=this.Sa.j[q.id],v=r.info.Lb;return this.policy.Pw&&this.Ya.has(v)||this.ya.get(q.id)>d||4=q.video.width&&480>=q.video.height}))}c.length||(c=a.D.videoInfos); +var e=g.Rn(c,b.C,b);if(sX(a)&&a.oa){var f=g.nb(c,function(q){return q.id===a.oa}); +f?e=[f]:delete a.oa}f="m"===b.reason||"s"===b.reason;a.policy.Uw&&ZW&&g.BA&&(!f||1080>b.j)&&(e=e.filter(function(q){return q.video&&(!q.j||q.j.powerEfficient)})); +if(0c.uE.video.width?(g.tb(e,b),b--):oX(a,c.tE)*a.policy.J>oX(a,c.uE)&&(g.tb(e,b-1),b--);c=e[e.length-1];a.ib=!!a.j&&!!a.j.info&&a.j.info.Lb!==c.Lb;a.C=e;yLa(a.policy,c)}; +OSa=function(a,b){b?a.u=a.Sa.j[b]:(b=g.nb(a.D.j,function(c){return!!c.Jc&&c.Jc.isDefault}),a.policy.Wn&&!b&&(b=g.nb(a.D.j,function(c){return c.audio.j})),b=b||a.D.j[0],a.u=a.Sa.j[b.id]); +lX(a)}; +XSa=function(a,b){for(var c=0;c+1d}; +lX=function(a){if(!a.u||!a.policy.u&&!a.u.info.Jc){var b=a.D.j;a.u&&a.policy.Wn&&(b=b.filter(function(d){return d.audio.j===a.u.info.audio.j}),b.length||(b=a.D.j)); +a.u=a.Sa.j[b[0].id];if(1a.B.j:XSa(a,a.u))a.u=a.Sa.j[g.jb(b).id]}}}; +nX=function(a){a.policy.Si&&(a.La=a.La||new g.Ip(function(){a.policy.Si&&a.j&&!qX(a)&&1===Math.floor(10*Math.random())?(pX(a,a.j),a.T=!0):a.La.start()},6E4),g.Jp(a.La)); +if(!a.nextVideo||!a.policy.u)if(sX(a))a.nextVideo=360>=a.B.j?a.Sa.j[a.C[0].id]:a.Sa.j[g.jb(a.C).id];else{for(var b=Math.min(a.J,a.C.length-1),c=aX(a.Aa),d=oX(a,a.u.info),e=c/a.policy.T-d;0=f);b++);a.nextVideo=a.Sa.j[a.C[b].id];a.J!==b&&a.logger.info(function(){var h=a.B;return"Adapt to: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", bandwidth to downgrade: "+e.toFixed(0)+", bandwidth to upgrade: "+f.toFixed(0)+ +", constraint: ["+(h.u+"-"+h.j+", override: "+(h.B+", reason: "+h.reason+"]"))}); +a.J=b}}; +PSa=function(a){var b=a.policy.T,c=aX(a.Aa),d=c/b-oX(a,a.u.info);b=g.ob(a.C,function(e){return oX(this,e)b&&(b=0);a.J=b;a.nextVideo=a.Sa.j[a.C[b].id];a.logger.info(function(){return"Initial selected fmt: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", max video byterate: "+d.toFixed(0)})}; +QSa=function(a){if(a.kb.length){var b=a.kb,c=function(d,e){if("f"===d.info.Lb||b.includes(SG(d,a.Sa.fd,a.Fa.Ce())))return d;for(var f={},h=0;ha.policy.aj&&(c*=1.5);return c}; +YSa=function(a,b){a=fba(a.Sa.j,function(c){return c.info.itag===b}); +if(!a)throw Error("Itag "+b+" from server not known.");return a}; +ZSa=function(a){var b=[];if("m"===a.B.reason||"s"===a.B.reason)return b;if(Rva(a.Sa)){for(var c=Math.max(0,a.J-2);c=f+100?e=!0:h+100Math.abs(p.startTimeMs+p.durationMs-h)):!0)d=eTa(a,b,h),p={formatId:c,startTimeMs:h,durationMs:0,Gt:f},d+=1,b.splice(d,0,p);p.durationMs+=1E3*e.info.I;p.fh=f;a=d}return a}; +eTa=function(a,b,c){for(var d=-1,e=0;ef&&(d=e);if(c>=h&&c<=f)return e}return d}; +bTa=function(a,b){a=g.Jb(a,{startTimeMs:b},function(c,d){return c.startTimeMs-d.startTimeMs}); +return 0<=a?a:-a-2}; +gTa=function(a){if(a.Vb){var b=a.Vb.Ig();if(0===b.length)a.ze=[];else{var c=[],d=1E3*b.start(0);b=1E3*b.end(b.length-1);for(var e=g.t(a.ze),f=e.next();!f.done;f=e.next())f=f.value,f.startTimeMs+f.durationMsb?--a.j:c.push(f);if(0!==c.length){e=c[0];if(e.startTimeMsb&&a.j!==c.length-1&&(f=a.Sa.I.get(Sva(a.Sa,d.formatId)),b=f.index.uh(b/1E3),h=Math.max(0,b-1),h>=d.Gt-a.u?(d.fh=h+a.u,b=1E3*f.index.getStartTime(b),d.durationMs-=e-b):c.pop()),a.ze=c)}}}}; +hTa=function(a){var b=[],c=[].concat(g.u(a.Az));a.ze.forEach(function(h){b.push(Object.assign({},h))}); +for(var d=a.j,e=g.t(a.B.bU()),f=e.next();!f.done;f=e.next())d=fTa(a,b,c,d,f.value);b.forEach(function(h){h.startTimeMs&&(h.startTimeMs+=1E3*a.timestampOffset)}); +return{ze:b,Az:c}}; +cTa=function(a,b,c){var d=b.startTimeMs+b.durationMs,e=c.startTimeMs+c.durationMs;if(100=Math.abs(b.startTimeMs-c.startTimeMs)){if(b.durationMs>c.durationMs+100){a=b.formatId;var f=b.fh;b.formatId=c.formatId;b.durationMs=c.durationMs;b.fh=c.fh;c.formatId=a;c.startTimeMs=e;c.durationMs=d-e;c.Gt=b.fh+1;c.fh=f;return!1}b.formatId=c.formatId;return!0}d>c.startTimeMs&& +(b.durationMs=c.startTimeMs-b.startTimeMs,b.fh=c.Gt-1);return!1}; +dTa=function(a,b,c){return b.itag!==c.itag||b.xtags!==c.xtags?!1:a.Sa.fd||b.jj===c.jj}; +aTa=function(a,b){return{formatId:MH(b.info.j.info,a.Sa.fd),Ma:b.info.Ma+a.u,startTimeMs:1E3*b.info.C,clipId:b.info.clipId}}; +iTa=function(a){a.ze=[];a.Az=[];a.j=-1}; +jTa=function(a,b){this.u=(new TextEncoder).encode(a);this.j=(new TextEncoder).encode(b)}; +Eya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("woe");d=new g.JJ(a.u);return g.y(f,d.encrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +Kya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("wod");d=new g.JJ(a.u);return g.y(f,d.decrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +lTa=function(a,b,c){var d=this;this.policy=a;this.j=b;this.Aa=c;this.C=this.u=0;this.Cf=null;this.Z=new Set;this.ea=[];this.indexRange=this.initRange=null;this.T=new aK;this.oa=this.ya=!1;this.Ne={t7a:function(){return d.B}, +X6a:function(){return d.chunkSize}, +W6a:function(){return d.J}, +V6a:function(){return d.I}}; +(b=kTa(this))?(this.chunkSize=b.csz,this.B=Math.floor(b.clen/b.csz),this.J=b.ck,this.I=b.civ):(this.chunkSize=a.Qw,this.B=0,this.J=g.KD(16),this.I=g.KD(16));this.D=new Uint8Array(this.chunkSize);this.J&&this.I&&(this.crypto=new jTa(this.J,this.I))}; +kTa=function(a){if(a.policy.je&&a.policy.Sw)for(var b={},c=g.t(a.policy.je),d=c.next();!d.done;b={vE:b.vE,wE:b.wE},d=c.next())if(d=g.sy(d.value),b.vE=+d.clen,b.wE=+d.csz,0=d.length)return;if(0>c)throw Error("Missing data");a.C=a.B;a.u=0}for(e={};c=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.j.totalLength)throw Error();return RF(a.j,a.offset++)}; +CTa=function(a,b){b=void 0===b?!1:b;var c=BTa(a);if(1===c){b=-1;for(c=0;7>c;c++){var d=BTa(a);-1===b&&255!==d&&(b=0);-1e&&d>c;e++)c=256*c+BTa(a),d*=128;return b?c:c-d}; +ETa=function(a,b,c){var d=this;this.Fa=a;this.policy=b;this.I=c;this.logger=new g.eW("dash");this.u=[];this.j=null;this.ya=-1;this.ea=0;this.Ga=NaN;this.Z=0;this.B=NaN;this.T=this.La=0;this.Ya=-1;this.Ja=this.C=this.D=this.Aa=null;this.fb=this.Xa=NaN;this.J=this.oa=this.Qa=this.ib=null;this.kb=!1;this.timestampOffset=0;this.Ne={bU:function(){return d.u}}; +if(this.policy.u){var e=this.I,f=this.policy.u;this.policy.La&&a.xa("atv",{ap:this.policy.La});this.J=new lTa(this.policy,e,function(h,l,m){zX(a,new yX(d.policy.u,2,{tD:new zTa(f,h,e.info,l,m)}))}); +this.J.T.promise.then(function(h){d.J=null;1===h?zX(a,new yX(d.policy.u,h)):d.Fa.xa("offlineerr",{status:h.toString()})},function(h){var l=(h.message||"none").replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"); +h instanceof xX&&!h.j?(d.logger.info(function(){return"Assertion failed: "+l}),d.Fa.xa("offlinenwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4))):(d.logger.info(function(){return"Failed to write to disk: "+l}),d.Fa.xa("dldbwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4,{oG:!0})))})}}; +FTa=function(a){return a.u.length?a.u[0]:null}; +AX=function(a){return a.u.length?a.u[a.u.length-1]:null}; +MTa=function(a,b,c,d){d=void 0===d?0:d;if(a.C){var e=a.C.Ob+a.C.u;if(0=a.ya&&0===a.ea){var h=a.j.j;e=f=-1;if(c){for(var l=0;l+8e&&(f=-1)}else{h=new ATa(h);for(m=l=!1;;){n=h.Yp();var p=h;try{var q=CTa(p,!0),r=CTa(p,!1);var v=q;var x=r}catch(B){x=v=-1}p=v;var z=x;if(!(0f&&(f=n),m))break;163===p&&(f=Math.max(0,f),e=h.Yp()+z);if(160===p){0>f&&(e=f=h.Yp()+z);break}h.skip(z)}}0>f&&(e=-1)}if(0>f)break;a.ya=f;a.ea=e-f}if(a.ya>d)break;a.ya?(d=JTa(a,a.ya),d.C&&KTa(a,d),HTa(a,b,d),LTa(a,d),a.ya=0):a.ea&&(d=JTa(a,0>a.ea?Infinity:a.ea),a.ea-=d.j.totalLength,LTa(a,d))}}a.j&&a.j.info.bf&&(LTa(a,a.j),a.j=null)}; +ITa=function(a,b){!b.info.j.Ym()&&0===b.info.Ob&&(g.vH(b.info.j.info)||b.info.j.info.Ee())&&tva(b);if(1===b.info.type)try{KTa(a,b),NTa(a,b)}catch(d){g.CD(d);var c=cH(b.info);c.hms="1";a.Fa.handleError("fmt.unparseable",c||{},1)}c=b.info.j;c.mM(b);a.J&&qTa(a.J,b);c.Jg()&&a.policy.B&&(a=a.Fa.Sa,a.La.push(MH(c.info,a.fd)))}; +DTa=function(a){var b;null==(b=a.J)||b.dispose();a.J=null}; +OTa=function(a){var b=a.u.reduce(function(c,d){return c+d.j.totalLength},0); +a.j&&(b+=a.j.j.totalLength);return b}; +JTa=function(a,b){var c=a.j;b=Math.min(b,c.j.totalLength);if(b===c.j.totalLength)return a.j=null,c;c=nva(c,b);a.j=c[1];return c[0]}; +KTa=function(a,b){var c=tH(b);if(JH(b.info.j.info)&&"bt2020"===b.info.j.info.video.primaries){var d=new uG(c);wG(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.pos,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.j.info;BF(d)&&!JH(d)&&(d=tH(b),(new uG(d)).Xm(),AG([408125543,374648427,174,224],21936,d));b.info.j.info.Xg()&&(d=b.info.j,d.info&&d.info.video&&"MESH"===d.info.video.projectionType&&!d.B&&(g.vH(d.info)?d.B=vua(c):d.info.Ee()&&(d.B=Cua(c))));b.info.j.info.Ee()&& +b.info.Xg()&&(c=tH(b),(new uG(c)).Xm(),AG([408125543,374648427,174,224],30320,c)&&AG([408125543,374648427,174,224],21432,c));if(a.policy.uy&&b.info.j.info.Ee()){c=tH(b);var e=new uG(c);if(wG(e,[408125543,374648427,174,29637])){d=zG(e,!0);e=e.start+e.pos;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=cG(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.j,e))}}if(b=a.Aa&&!!a.Aa.I.D)if(b=c.info.Xg())b=rva(c),h=a.Aa,CX?(l=1/b,b=DX(a,b)>=DX(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&PTa(c)&&(b=a.Aa,CX?(l=rva(c),h=1/l,l=DX(a,l),b=DX(b)+h-l):b=b.getDuration()- +a.getDuration(),b=1+b/c.info.duration,uua(tH(c),b))}else{h=!1;a.D||(tva(c),c.u&&(a.D=c.u,h=!0,f=c.info,d=c.u.j,f.D="updateWithEmsg",f.Ma=d,f=c.u,f.C&&(a.I.index.u=!f.C),f=c.info.j.info,d=tH(c),g.vH(f)?sG(d,1701671783):f.Ee()&&AG([408125543],307544935,d)));a:if((f=xH(c,a.policy.Pb))&&sva(c))l=QTa(a,c),a.T+=l,f-=l,a.Z+=f,a.B=a.policy.Zi?a.B+f:NaN;else{if(a.policy.po){if(d=m=a.Fa.Er(ova(c),1),0<=a.B&&6!==c.info.type){if(a.policy.Zi&&isNaN(a.Xa)){g.DD(new g.bA("Missing duration while processing previous chunk", +dH(c.info)));a.Fa.isOffline()&&!a.policy.ri||RTa(a,c,d);GTa(a,"m");break a}var n=m-a.B,p=n-a.T,q=c.info.Ma,r=a.Ja?a.Ja.Ma:-1,v=a.fb,x=a.Xa,z=a.policy.ul&&n>a.policy.ul,B=10Math.abs(a.B-d);if(1E-4l&&f>a.Ya)&&m){d=Math.max(.95,Math.min(1.05,(c-(h-e))/c));if(g.vH(b.info.j.info))uua(tH(b),d);else if(b.info.j.info.Ee()&&(f=e-h,!g.vH(b.info.j.info)&&(b.info.j.info.Ee(),d=new uG(tH(b)),l=b.C?d:new uG(new DataView(b.info.j.j.buffer)),xH(b,!0)))){var n= +1E3*f,p=GG(l);l=d.pos;d.pos=0;if(160===d.j.getUint8(d.pos)||HG(d))if(yG(d,160))if(zG(d,!0),yG(d,155)){if(f=d.pos,m=zG(d,!0),d.pos=f,n=1E9*n/p,p=BG(d),n=p+Math.max(.7*-p,Math.min(p,n)),n=Math.sign(n)*Math.floor(Math.abs(n)),!(Math.ceil(Math.log(n)/Math.log(2)/8)>m)){d.pos=f+1;for(f=m-1;0<=f;f--)d.j.setUint8(d.pos+f,n&255),n>>>=8;d.pos=l}}else d.pos=l;else d.pos=l;else d.pos=l}d=xH(b,a.policy.Pb);d=c-d}d&&b.info.j.info.Ee()&&a.Fa.xa("webmDurationAdjustment",{durationAdjustment:d,videoDrift:e+d,audioDrift:h})}return d}; +PTa=function(a){return a.info.j.Ym()&&a.info.Ma===a.info.j.index.td()}; +DX=function(a,b){b=(b=void 0===b?0:b)?Math.round(a.timestampOffset*b)/b:a.timestampOffset;a.I.D&&b&&(b+=a.I.D.j);return b+a.getDuration()}; +VTa=function(a,b){0>b||(a.u.forEach(function(c){wH(c,b)}),a.timestampOffset=b)}; +EX=function(a,b){var c=b.Jh,d=b.Iz,e=void 0===b.BB?1:b.BB,f=void 0===b.kH?e:b.kH,h=void 0===b.Mr?!1:b.Mr,l=void 0===b.tq?!1:b.tq,m=void 0===b.pL?!1:b.pL,n=b.Hk,p=b.Ma;b=b.Tg;this.callbacks=a;this.requestNumber=++WTa;this.j=this.now();this.ya=this.Qa=NaN;this.Ja=0;this.C=this.j;this.u=0;this.Xa=this.j;this.Aa=0;this.Ya=this.La=this.isActive=!1;this.B=0;this.Z=NaN;this.J=this.D=Infinity;this.T=NaN;this.Ga=!1;this.ea=NaN;this.I=void 0;this.Jh=c;this.Iz=d;this.policy=this.Jh.ya;this.BB=e;this.kH=f;this.Mr= +h;this.tq=l;m&&(this.I=[]);this.Hk=n;this.Ma=p;this.Tg=b;this.snapshot=YJ(this.Jh);XTa(this);YTa(this,this.j);this.Z=(this.ea-this.j)/1E3}; +ZTa=function(a,b){a.url=b;window.performance&&!performance.onresourcetimingbufferfull&&(performance.onresourcetimingbufferfull=function(){performance.clearResourceTimings()})}; +FX=function(a){var b={rn:a.requestNumber,rt:(a.now()-a.j).toFixed(),lb:a.u,pt:(1E3*a.Z).toFixed(),pb:a.BB,stall:(1E3*a.B).toFixed(),ht:(a.Qa-a.j).toFixed(),elt:(a.ya-a.j).toFixed(),elb:a.Ja};a.url&&qQa(b,a.url);return b}; +bUa=function(a,b,c,d){if(!a.La){a.La=!0;if(!a.tq){$Ta(a,b,c);aUa(a,b,c);var e=a.gs();if(2===e&&d)GX(a,a.u/d,a.u);else if(2===e||1===e)d=(b-a.j)/1E3,(d<=a.policy.j||!a.policy.j)&&!a.Ya&&HX(a)&&GX(a,d,c),HX(a)&&(d=a.Jh,d.j.zi(1,a.B/Math.max(c,2048)),ZJ(d));c=a.Jh;b=(b-a.j)/1E3||.05;d=a.Z;e=a.Mr;c.I.zi(b,a.u/b);c.C=(0,g.M)();e||c.u.zi(1,b-d)}IX(a)}}; +IX=function(a){a.isActive&&(a.isActive=!1)}; +aUa=function(a,b,c){var d=(b-a.C)/1E3,e=c-a.u,f=a.gs();if(a.isActive)1===f&&0e?(a.B+=d,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=HX(a)?d+b:d+Math.max(b,c);a.ea=d}; +eUa=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; +jUa=function(a,b){if(b+1<=a.totalLength){var c=RF(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)a=RF(a,b++);else if(2===c)c=RF(a,b++),a=RF(a,b++),a=(c&63)+64*a;else if(3===c){c=RF(a,b++);var d=RF(a,b++);a=RF(a,b++);a=(c&31)+32*(d+256*a)}else if(4===c){c=RF(a,b++);d=RF(a,b++);var e=RF(a,b++);a=RF(a,b++);a=(c&15)+16*(d+256*(e+256*a))}else c=b+1,a.focus(c),PF(a,c,4)?a=gua(a).getUint32(c-a.B,!0):(d=RF(a,c+2)+256*RF(a,c+3),a=RF(a,c)+256*(RF(a,c+1)+ +256*d)),b+=5;return[a,b]}; +KX=function(a){this.callbacks=a;this.j=new LF}; +LX=function(a,b){this.info=a;this.callback=b;this.state=1;this.Bz=this.tM=!1;this.Zd=null}; +kUa=function(a){return g.Zl(a.info.gb,function(b){return 3===b.type})}; +lUa=function(a,b,c,d){var e=this;d=void 0===d?{}:d;this.policy=b;this.callbacks=c;this.status=0;this.j=new LF;this.B=0;this.isDisposed=this.C=!1;this.D=0;this.xhr=new XMLHttpRequest;this.xhr.open(d.method||"GET",a);if(d.headers)for(a=d.headers,b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.xhr.setRequestHeader(c,a[c]);this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){return e.wz()}; +this.xhr.onload=function(){return e.onDone()}; +this.xhr.onerror=function(){return e.onError()}; +this.xhr.fetch(function(f){e.u&&e.j.append(e.u);e.policy.j?e.j.append(f):e.u=f;e.B+=f.length;f=(0,g.M)();10this.policy.ox?!1:!0:!1,a),this.Bd.j.start(),g.Mf(function(){})}catch(z){xUa(this,z,!0)}}; +vUa=function(a){if(!(hH(a.info)&&a.info.Mr()&&a.policy.rd&&a.pD)||2<=a.info.j.u||0=b&&(e.u.pop(),e.B-=xH(l,e.policy.Pb),f=l.info)}f&&(e.C=0c?fX(a,d):a.u=a.j.Br(b-1,!1).gb[0]}; +XX=function(a,b){var c;for(c=0;c=a.Z:c}; +YX=function(a){var b;return TX(a)||!(null==(b=AX(a.C))||!YG(b.info))}; +HUa=function(a){var b=[],c=RX(a);c&&b.push(c);b=g.zb(b,a.C.Om());c=g.t(a.B);for(var d=c.next();!d.done;d=c.next()){d=d.value;for(var e={},f=g.t(d.info.gb),h=f.next();!h.done;e={Kw:e.Kw},h=f.next())e.Kw=h.value,d.tM&&(b=g.Rn(b,function(l){return function(m){return!Xua(m,l.Kw)}}(e))),($G(e.Kw)||4===e.Kw.type)&&b.push(e.Kw)}a.u&&!Qua(a.u,g.jb(b),a.u.j.Ym())&&b.push(a.u); return b}; -jZ=function(a,b){g.C.call(this);this.message=a;this.requestNumber=b;this.onError=this.onSuccess=null;this.u=new g.En(5E3,2E4,.2)}; -Qwa=function(a,b,c){a.onSuccess=b;a.onError=c}; -Swa=function(a,b,c){var d={format:"RAW",method:"POST",postBody:a.message,responseType:"arraybuffer",withCredentials:!0,timeout:3E4,onSuccess:function(e){if(!a.na())if(a.ea(),0!==e.status&&e.response)if(PE("drm_net_r"),e=new Uint8Array(e.response),e=Pwa(e))a.onSuccess(e,a.requestNumber);else a.onError(a,"drm.net","t.p");else Rwa(a,e)}, -onError:function(e){Rwa(a,e)}}; -c&&(b=Td(b,"access_token",c));g.qq(b,d);a.ea()}; -Rwa=function(a,b){if(!a.na())a.onError(a,b.status?"drm.net.badstatus":"drm.net.connect","t.r;c."+String(b.status),b.status)}; -Uwa=function(a,b,c,d){var e={timeout:3E4,onSuccess:function(f){if(!a.na()){a.ea();PE("drm_net_r");var h="LICENSE_STATUS_OK"===f.status?0:9999,l=null;if(f.license)try{l=g.cf(f.license)}catch(y){}if(0!==h||l){l=new Nwa(h,l);0!==h&&f.reason&&(l.errorMessage=f.reason);if(f.authorizedFormats){h={};for(var m=[],n={},p=g.q(f.authorizedFormats),r=p.next();!r.done;r=p.next())if(r=r.value,r.trackType&&r.keyId){var t=Twa[r.trackType];if(t){"HD"===t&&f.isHd720&&(t="HD720");h[t]||(m.push(t),h[t]=!0);var w=null; -try{w=g.cf(r.keyId)}catch(y){}w&&(n[g.sf(w,4)]=t)}}l.u=m;l.B=n}f.nextFairplayKeyId&&(l.nextFairplayKeyId=f.nextFairplayKeyId);f=l}else f=null;if(f)a.onSuccess(f,a.requestNumber);else a.onError(a,"drm.net","t.p;p.i")}}, -onError:function(f){if(!a.na())if(f&&f.error)f=f.error,a.onError(a,"drm.net.badstatus","t.r;p.i;c."+f.code+";s."+f.status,f.code);else a.onError(a,"drm.net.badstatus","t.r;p.i;c.n")}, -Bg:function(){a.onError(a,"drm.net","rt.req."+a.requestNumber)}}; -d&&(e.VB="Bearer "+d);g.Mp(c,"player/get_drm_license",b,e)}; -lZ=function(a,b,c,d){g.O.call(this);this.videoData=a;this.W=b;this.ha=c;this.sessionId=d;this.D={};this.cryptoPeriodIndex=NaN;this.url="";this.requestNumber=0;this.I=this.P=!1;this.C=null;this.aa=[];this.F=[];this.X=!1;this.u={};this.Y=NaN;this.status="";this.K=!1;this.B=a.md;this.cryptoPeriodIndex=c.cryptoPeriodIndex;a={};Object.assign(a,this.W.deviceParams);a.cpn=this.videoData.clientPlaybackNonce;this.videoData.lg&&(a.vvt=this.videoData.lg,this.videoData.mdxEnvironment&&(a.mdx_environment=this.videoData.mdxEnvironment)); -this.W.ye&&(a.authuser=this.W.ye);this.W.pageId&&(a.pageid=this.W.pageId);isNaN(this.cryptoPeriodIndex)||(a.cpi=this.cryptoPeriodIndex.toString());if(this.videoData.ba("html5_send_device_type_in_drm_license_request")){var e;(e=(e=/_(TV|STB|GAME|OTT|ATV|BDP)_/.exec(g.Vc))?e[1]:"")&&(a.cdt=e)}this.D=a;this.D.session_id=d;this.R=!0;"widevine"===this.B.flavor&&(this.D.hdr="1");"playready"===this.B.flavor&&(b=Number(g.kB(b.experiments,"playready_first_play_expiration")),!isNaN(b)&&0<=b&&(this.D.mfpe=""+ -b),this.R=!1,this.videoData.ba("html5_playready_enable_non_persist_license")&&(this.D.pst="0"));b=uC(this.B)?Lwa(c.initData).replace("skd://","https://"):this.B.C;this.videoData.ba("enable_shadow_yttv_channels")&&(b=new g.Qm(b),document.location.origin&&document.location.origin.includes("green")?g.Sm(b,"web-green-qa.youtube.com"):g.Sm(b,"www.youtube.com"),b=b.toString());this.baseUrl=b;this.fairplayKeyId=Qd(this.baseUrl,"ek")||"";if(b=Qd(this.baseUrl,"cpi")||"")this.cryptoPeriodIndex=Number(b);this.fa= -this.videoData.ba("html5_use_drm_retry");this.aa=c.B;this.ea();kZ(this,"sessioninit."+c.cryptoPeriodIndex);this.status="in"}; -Ywa=function(a,b){kZ(a,"createkeysession");a.status="gr";PE("drm_gk_s");a.url=Vwa(a);try{a.C=b.createSession(a.ha,function(d){kZ(a,d)})}catch(d){var c="t.g"; -d instanceof DOMException&&(c+=";c."+d.code);a.V("licenseerror","drm.unavailable",!0,c,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK");return}a.C&&(Wwa(a.C,function(d,e){Xwa(a,d,e)},function(d){a.na()||(a.ea(),a.error("drm.keyerror",!0,d))},function(){a.na()||(a.ea(),kZ(a,"onkyadd"),a.I||(a.V("sessionready"),a.I=!0))},function(d){a.xl(d)}),g.D(a,a.C))}; -Vwa=function(a){var b=a.baseUrl;ufa(b)||a.error("drm.net",!0,"t.x");if(!Qd(b,"fexp")){var c=["23898307","23914062","23916106","23883098"].filter(function(e){return a.W.experiments.experiments[e]}); -0h&&(m=g.P(a.W.experiments,"html5_license_server_error_retry_limit")||3);(h=d.u.B>=m)||(h=a.fa&&36E4<(0,g.N)()-a.Y);h&&(l=!0,e="drm.net.retryexhausted");a.ea();kZ(a,"onlcsrqerr."+e+";"+f);a.error(e,l,f);a.shouldRetry(l,d)&&dxa(a,d)}}); -g.D(a,b);exa(a,b)}}else a.error("drm.unavailable",!1,"km.empty")}; -axa=function(a,b){a.ea();kZ(a,"sdpvrq");if("widevine"!==a.B.flavor)a.error("drm.provision",!0,"e.flavor;f."+a.B.flavor+";l."+b.byteLength);else{var c={cpn:a.videoData.clientPlaybackNonce};Object.assign(c,a.W.deviceParams);c=g.Md("https://www.googleapis.com/certificateprovisioning/v1/devicecertificates/create?key=AIzaSyB-5OLKTx2iU5mko18DfdwK5611JIjbUhE",c);var d={format:"RAW",headers:{"content-type":"application/json"},method:"POST",postBody:JSON.stringify({signedRequest:Su(b)}),responseType:"arraybuffer"}; -g.Vs(c,d,3,500).then(Eo(function(e){if(!a.na()){e=new Uint8Array(e.response);var f=Su(e);try{var h=JSON.parse(f)}catch(l){}h&&h.signedResponse?(a.V("ctmp","drminfo","provisioning"),a.C&&a.C.update(e)):(h=h&&h.error&&h.error.message,e="e.parse",h&&(e+=";m."+h),a.error("drm.provision",!0,e))}}),Eo(function(e){a.na()||a.error("drm.provision",!0,"e."+e.errorCode+";c."+(e.xhr&&e.xhr.status))}))}}; -mZ=function(a){var b;if(b=a.R&&null!=a.C)a=a.C,b=!(!a.u||!a.u.keyStatuses);return b}; -exa=function(a,b){a.status="km";PE("drm_net_s");if(a.videoData.useInnertubeDrmService()){var c=new g.Cs(a.W.ha),d=g.Jp(c.Tf||g.Kp());d.drmSystem=fxa[a.B.flavor];d.videoId=a.videoData.videoId;d.cpn=a.videoData.clientPlaybackNonce;d.sessionId=a.sessionId;d.licenseRequest=g.sf(b.message);d.drmParams=a.videoData.drmParams;isNaN(a.cryptoPeriodIndex)||(d.isKeyRotated=!0,d.cryptoPeriodIndex=a.cryptoPeriodIndex);if(!d.context||!d.context.client){a.ea();a.error("drm.net",!0,"t.r;ic.0");return}var e=a.W.deviceParams; -e&&(d.context.client.deviceMake=e.cbrand,d.context.client.deviceModel=e.cmodel,d.context.client.browserName=e.cbr,d.context.client.browserVersion=e.cbrver,d.context.client.osName=e.cos,d.context.client.osVersion=e.cosver);d.context.user=d.context.user||{};d.context.request=d.context.request||{};a.videoData.lg&&(d.context.user.credentialTransferTokens=[{token:a.videoData.lg,scope:"VIDEO"}]);d.context.request.mdxEnvironment=a.videoData.mdxEnvironment||d.context.request.mdxEnvironment;a.videoData.Ph&& -(d.context.user.kidsParent={oauthToken:a.videoData.Ph});if(uC(a.B)){e=a.fairplayKeyId;for(var f=[],h=0;hd;d++)c[2*d]=''.charCodeAt(d);c=a.C.createSession("video/mp4",b,c);return new oZ(null,null,null,null,c)}; -rZ=function(a,b){var c=a.I[b.sessionId];!c&&a.D&&(c=a.D,a.D=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; -sxa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=b){b=f;break a}}b=e}return 0>b?NaN:GUa(a,c?b:0)?a[b].startTime:NaN}; +ZX=function(a){return!(!a.u||a.u.j===a.j)}; +MUa=function(a){return ZX(a)&&a.j.Jg()&&a.u.j.info.dcb&&a.Bb)return!0;var c=a.td();return bb)return 1;c=a.td();return b=f)return 1;d=b.zm;if(!d||e(0,g.M)()?0:1}; +$X=function(a,b,c,d,e,f,h,l,m,n,p,q){g.C.call(this);this.Fa=a;this.policy=b;this.videoTrack=c;this.audioTrack=d;this.C=e;this.j=f;this.timing=h;this.D=l;this.schedule=m;this.Sa=n;this.B=p;this.Z=q;this.oa=!1;this.yD="";this.Hk=null;this.J=0;this.Tg=NaN;this.ea=!1;this.u=null;this.Yj=this.T=NaN;this.vj=null;this.I=0;this.logger=new g.eW("dash");0f&&(c=d.j.hx(d,e-h.u)))),d=c):(0>d.Ma&&(c=cH(d),c.pr=""+b.B.length,a.Fa.hh()&&(c.sk="1"),c.snss=d.D,a.Fa.xa("nosq",c)),d=h.PA(d));if(a.policy.oa)for(c=g.t(d.gb),e=c.next();!e.done;e=c.next())e.value.type=6}else d.j.Ym()?(c=ySa(a.D,b.j.info.dc,c.j.info.dc,0),d=d.j.hx(d,c)):d=d.j.PA(d);if(a.u){l=d.gb[0].j.info.id; +c=a.j;e=d.gb[0].Ma;c=0>e&&!isNaN(c.B)?c.B:e;e=LSa(a.j,d.gb[0].C,c);var m=b===a.audioTrack?1:2;f=d.gb[0].j.info.Lb;h=l.split(";")[0];if(a.policy.Aa&&0!==a.j.u){if(l=a.u.Ds(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),l){var n;m=(null==(n=l.Pz)?void 0:n.Qr)||"";var p;n=(null==(p=l.Pz)?void 0:p.RX)||-1;a.Fa.xa("sdai",{ssdaiinfo:"1",ds:m,skipsq:n,itag:h,f:f,sg:c,st:e.toFixed(3)});d.J=l}}else if(p=a.u.Im(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),p){n={dec_sq:c,itag:h,st:e.toFixed(3)};if(a.policy.Xy&&b.isRequestPending(c- +1)){a.Fa.xa("sdai",{wt_daistate_on_sg:c-1});return}a.Fa.xa("sdai",n);p&&(d.u=new g.DF(p))}else 5!==a.j.u&&a.Fa.xa("sdai",{nodec_sq:c,itag:h,st:e.toFixed(3)})}a.policy.hm&&-1!==d.gb[0].Ma&&d.gb[0].Ma=e.J?(e.xa("sdai",{haltrq:f+1,est:e.J}),d=!1):d=2!==e.u;if(!d||!QG(b.u?b.u.j.u:b.j.u,a.policy,a.C)||a.Fa.isSuspended&&(!mxa(a.schedule)||a.Fa.sF))return!1;if(a.policy.u&&5<=PL)return g.Jp(a.Fa.FG),!1;if(a.Sa.isManifestless){if(0=a.policy.rl||!a.policy.Ax&&0=a.policy.qm)return!1;d=b.u;if(!d)return!0;4===d.type&&d.j.Jg()&&(b.u=g.jb(d.j.Jz(d)),d=b.u);if(!YG(d)&&!d.j.Ar(d))return!1;f=a.Sa.Se||a.Sa.B;if(a.Sa.isManifestless&&f){f=b.j.index.td();var h=c.j.index.td();f=Math.min(f,h);if(0= +f)return b.Z=f,c.Z=f,!1}if(d.j.info.audio&&4===d.type)return!1;if(!a.policy.Ld&&MUa(b)&&!a.policy.Oc)return!0;if(YG(d)||!a.policy.Ld&&UX(b)&&UX(b)+UX(c)>a.policy.kb)return!1;f=!b.D&&!c.D;if(e=!e)e=d.B,e=!!(c.u&&!YG(c.u)&&c.u.BZUa(a,b)?(ZUa(a,b),!1):(a=b.Vb)&&a.isLocked()?!1:!0}; +ZUa=function(a,b){var c=a.j;c=c.j?c.j.jf:null;if(a.policy.oa&&c)return c.startSecs+c.Sg+15;b=VUa(a.Fa,b,!0);!sX(a.Fa.ue)&&0a.Fa.getCurrentTime())return c.start/1E3;return Infinity}; +aVa=function(a,b,c){if(0!==c){a:if(b=b.info,c=2===c,b.u)b=null;else{var d=b.gb[0];if(b.range)var e=VG(b.range.start,Math.min(4096,b.C));else{if(b.B&&0<=b.B.indexOf("/range/")||"1"===b.j.B.get("defrag")||"1"===b.j.B.get("otf")){b=null;break a}e=VG(0,4096)}e=new fH([new XG(5,d.j,e,"createProbeRequestInfo"+d.D,d.Ma)],b.B);e.I=c;e.u=b.u;b=e}b&&XUa(a,b)}}; +XUa=function(a,b){a.Fa.iG(b);var c=Zua(b);c={Jh:a.schedule,BB:c,kH:wSa(a.D,c),Mr:ZG(b.gb[0]),tq:GF(b.j.j),pL:a.policy.D,Iz:function(e,f){a.Fa.DD(e,f)}}; +a.Hk&&(c.Ma=b.gb[0].Ma,c.Tg=b.Tg,c.Hk=a.Hk);var d={Au:$ua(b,a.Fa.getCurrentTime()),pD:a.policy.rd&&hH(b)&&b.gb[0].j.info.video?ZSa(a.B):void 0,aE:a.policy.oa,poToken:a.Fa.cM(),Nv:a.Fa.XB(),yD:a.yD,Yj:isNaN(a.Yj)?null:a.Yj,vj:a.vj};return new cX(a.policy,b,c,a.C,function(e,f){try{a:{var h=e.info.gb[0].j,l=h.info.video?a.videoTrack:a.audioTrack;if(!(2<=e.state)||e.isComplete()||e.As()||!(!a.Fa.Wa||a.Fa.isSuspended||3f){if(a.policy.ib){var n=e.policy.jE?Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing),cncl:e.isDisposed()}):Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing)});a.Fa.xa("rqs",n)}e.GX&&a.Fa.xa("sbwe3",{},!0)}if(!a.isDisposed()&&2<=e.state){var p=a.timing,q=e.info.gb[0].j,r=!p.J&&q.info.video,v=!p.u&&q.info.audio;3===e.state?r?p.tick("vrr"):v&&p.tick("arr"):4===e.state?r?(p.J=e.Ze(),g.iA(),kA(4)):v&&(p.u=e.Ze()):e.qv()&&r&&(g.iA(),kA(4));var x= +a.Fa;a.Yj&&e.FK&&x&&(a.Yj=NaN,a.Fa.xa("cabrUtcSeek",{mediaTimeSeconds:e.FK}));if(3===e.state){XX(l,e);hH(e.info)&&aY(a,l,h,!0);if(a.u){var z=e.info.Im();z&&a.u.Bk(e.info.gb[0].Ma,h.info.id,z)}a.Fa.gf()}else if(e.isComplete()&&5===e.info.gb[0].type){if(4===e.state){var B=(e.info.gb[0].j.info.video?a.videoTrack:a.audioTrack).B[0]||null;B&&B instanceof cX&&B.As()&&B.iE(!0)}e.dispose()}else{if(!e.Wm()&&e.Bz&&2<=e.state&&3!==e.state){var F=e.xhr.getResponseHeader("X-Response-Itag");if(F){var G=YSa(a.B, +F),D=e.info.C;if(D){var L=D-G.WL();G.C=!0;e.info.gb[0].j.C=!1;var P=G.Uu(L);e.info=P;if(e.Zd){var T=e.Zd,fa=P.gb;(fa.length!==T.gb.length||fa.lengtha.j||c.push(d)}return c}; +nVa=function(a,b,c){b.push.apply(b,g.u(lVa[a]||[]));c.K("html5_early_media_for_drm")&&b.push.apply(b,g.u(mVa[a]||[]))}; +sVa=function(a,b){var c=vM(a),d=a.V().D;if(eY&&!d.j)return eY;for(var e=[],f=[],h={},l=g.t(oVa),m=l.next();!m.done;m=l.next()){var n=!1;m=g.t(m.value);for(var p=m.next();!p.done;p=m.next()){p=p.value;var q=pVa(p);!q||!q.video||KH(q)&&!c.Ja&&q.video.j>c.C||(n?(e.push(p),nVa(p,e,a)):(q=sF(c,q,d),!0===q?(n=!0,e.push(p),nVa(p,e,a)):h[p]=q))}}l=g.t(qVa);for(n=l.next();!n.done;n=l.next())for(n=g.t(n.value),p=n.next();!p.done;p=n.next())if(m=p.value,(p=rVa(m))&&p.audio&&(a.K("html5_onesie_51_audio")||!AF(p)&& +!zF(p)))if(p=sF(c,p,d),!0===p){f.push(m);nVa(m,f,a);break}else h[m]=p;c.B&&b("orfmts",h);eY={video:e,audio:f};d.j=!1;return eY}; +pVa=function(a){var b=HH[a],c=tVa[b],d=uVa[a];if(!d||!c)return null;var e=new EH(d.width,d.height,d.fps);c=GI(c,e,b);return new IH(a,c,{video:e,dc:d.bitrate/8})}; +rVa=function(a){var b=tVa[HH[a]],c=vVa[a];return c&&b?new IH(a,b,{audio:new CH(c.audioSampleRate,c.numChannels)}):null}; +xVa=function(a){return{kY:mya(a,1,wVa)}}; +yVa=function(a){return{S7a:kL(a,1)}}; +wVa=function(a){return{clipId:nL(a,1),nE:oL(a,2,zVa),Z4:oL(a,3,yVa)}}; +zVa=function(a){return{a$:nL(a,1),k8:kL(a,2),Q7a:kL(a,3),vF:kL(a,4),Nt:kL(a,5)}}; +AVa=function(a){return{first:kL(a,1),eV:kL(a,2)}}; +CVa=function(a,b){xL(a,1,b.formatId,fY,3);tL(a,2,b.startTimeMs);tL(a,3,b.durationMs);tL(a,4,b.Gt);tL(a,5,b.fh);xL(a,9,b.t6a,BVa,3)}; +DVa=function(a,b){wL(a,1,b.videoId);tL(a,2,b.jj)}; +BVa=function(a,b){var c;if(b.uS)for(c=0;ca;a++)jY[a]=255>=a?9:7;eWa.length=32;eWa.fill(5);kY.length=286;kY.fill(0);for(a=261;285>a;a++)kY[a]=Math.floor((a-261)/4);lY[257]=3;for(a=258;285>a;a++){var b=lY[a-1];b+=1<a;a++)fWa[a]=3>=a?0:Math.floor((a-2)/2);for(a=mY[0]=1;30>a;a++)b=mY[a-1],b+=1<a.Sj.length&&(a.Sj=new Uint8Array(2*a.B),a.B=0,a.u=0,a.C=!1,a.j=0,a.register=0)}a.Sj.length!==a.B&&(a.Sj=a.Sj.subarray(0,a.B));return a.error?new Uint8Array(0):a.Sj}; +kWa=function(a,b,c){b=iWa(b);c=iWa(c);for(var d=a.data,e=a.Sj,f=a.B,h=a.register,l=a.j,m=a.u;;){if(15>l){if(m>d.length){a.error=!0;break}h|=(d[m+1]<<8)+d[m]<n)for(h>>=7;0>n;)n=b[(h&1)-n],h>>=1;else h>>=n&15;l-=n&15;n>>=4;if(256>n)e[f++]=n;else if(a.register=h,a.j=l,a.u=m,256a.j){var c=a.data,d=a.u;d>c.length&&(a.error=!0);a.register|=(c[d+1]<<8)+c[d]<>4;for(lWa(a,7);0>c;)c=b[nY(a,1)-c];return c>>4}; +nY=function(a,b){for(;a.j=a.data.length)return a.error=!0,0;a.register|=a.data[a.u++]<>=b;a.j-=b;return c}; +lWa=function(a,b){a.j-=b;a.register>>=b}; +iWa=function(a){for(var b=[],c=g.t(a),d=c.next();!d.done;d=c.next())d=d.value,b[d]||(b[d]=0),b[d]++;var e=b[0]=0;c=[];var f=0;d=0;for(var h=1;h>m&1;l=f<<4|h;if(7>=h)for(m=1<<7-h;m--;)d[m<>=7;h--;){d[m]||(d[m]=-b,b+=2);var n=e&1;e>>=1;m=n-d[m]}d[m]=l}}return d}; +oWa=function(a,b){var c,d,e,f,h,l,m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:if(b)try{c=b.exports.malloc(a.length);(new Uint8Array(b.exports.memory.buffer,c,a.length)).set(a);d=b.exports.getInflatedSize(c,a.length);e=b.exports.malloc(d);if(f=b.exports.inflateGzip(c,a.length,e))throw Error("inflateGzip="+f);h=new Uint8Array(d);h.set(new Uint8Array(b.exports.memory.buffer,e,d));b.exports.free(e);b.exports.free(c);return x.return(h)}catch(z){g.CD(z),b.reload()}if(!("DecompressionStream"in +window))return x.return(g.mWa(new g.gWa(a)));l=new DecompressionStream("gzip");m=l.writable.getWriter();m.write(a);m.close();n=l.readable.getReader();p=new LF([]);case 2:return g.y(x,n.read(),4);case 4:q=x.u;r=q.value;if(v=q.done){x.Ka(3);break}p.append(r);x.Ka(2);break;case 3:return x.return(QF(p))}})}; +pWa=function(a){dY.call(this,"onesie");this.Md=a;this.j={};this.C=!0;this.B=null;this.queue=new bWa(this)}; +qWa=function(a){var b=a.queue;b.j.length&&b.j[0].isEncrypted&&!b.u&&(b.j.length=0);b=g.t(Object.keys(a.j));for(var c=b.next();!c.done;c=b.next())if(c=c.value,!a.j[c].wU){var d=a.queue;d.j.push({AP:c,isEncrypted:!1});d.u||dWa(d)}}; +rWa=function(a,b){var c=b.totalLength,d=!1;switch(a.B){case 0:a.ZN(b,a.C).then(function(e){var f=a.Md;f.Vc("oprr");f.playerResponse=e;f.mN||(f.JD=!1);oY(f)},function(e){a.Md.fail(e)}); +break;case 2:a.Vc("ormk");b=QF(b);a.queue.decrypt(b);break;default:d=!0}a.Md.Nl&&a.Md.xa("ombup","id.11;pt."+a.B+";len."+c+(d?";ignored.1":""));a.B=null}; +sWa=function(a){return new Promise(function(b){setTimeout(b,a)})}; +tWa=function(a,b){var c=sJ(b.Y.experiments,"debug_bandaid_hostname");if(c)b=bW(b,c);else{var d;b=null==(d=b.j.get(0))?void 0:d.location.clone()}if((d=b)&&a.videoId){b=RJ(a.videoId);a=[];if(b)for(b=g.t(b),c=b.next();!c.done;c=b.next())a.push(c.value.toString(16).padStart(2,"0"));d.set("id",a.join(""));return d}}; +uWa=function(a,b,c){c=void 0===c?0:c;var d,e;return g.A(function(f){if(1==f.j)return d=[],d.push(b.load()),0a.policy.kb)return a.policy.D&&a.Fa.xa("sabrHeap",{a:""+UX(a.videoTrack),v:""+UX(a.videoTrack)}),!1;if(!a.C)return!0;b=1E3*VX(a.audioTrack,!0);var c=1E3*VX(a.videoTrack,!0)>a.C.targetVideoReadaheadMs;return!(b>a.C.targetAudioReadaheadMs)||!c}; +EWa=function(a,b){b=new NVa(a.policy,b,a.Sa,a.u,a,{Jh:a.Jh,Iz:function(c,d){a.va.DD(c,d)}}); +a.policy.ib&&a.Fa.xa("rqs",QVa(b));return b}; +qY=function(a,b){if(!b.isDisposed()&&!a.isDisposed())if(b.isComplete()&&b.uv())b.dispose();else if(b.YU()?FWa(a,b):b.Wm()?a.Fs(b):GWa(a),!(b.isDisposed()||b instanceof pY)){if(b.isComplete())var c=TUa(b,a.policy,a.u);else c=SUa(b,a.policy,a.u,a.J),1===c&&(a.J=!0);0!==c&&(c=2===c,b=new gY(1,b.info.data),b.u=c,EWa(a,b))}a.Fa.gf()}; +GWa=function(a){for(;a.j.length&&a.j[0].ZU();){var b=a.j.shift();HWa(a,b)}a.j.length&&HWa(a,a.j[0])}; +HWa=function(a,b){if(a.policy.C){var c;var d=((null==(c=a.Fa.Og)?void 0:PRa(c,b.hs()))||0)/1E3}else d=0;if(a.policy.If){c=new Set(b.Up(a.va.Ce()||""));c=g.t(c);for(var e=c.next();!e.done;e=c.next()){var f=e.value;if(!(e=!(b instanceof pY))){var h=a.B,l=h.Sa.fd,m=h.Fa.Ce();e=hVa(h.j,l,m);h=hVa(h.videoInfos,l,m);e=e.includes(f)||h.includes(f)}if(e&&b.Nk(f))for(e=b.Vj(f),f=b.Om(f),e=g.t(e),h=e.next();!h.done;h=e.next()){h=h.value;a.policy.C&&a.policy.C&&d&&3===h.info.type&&wH(h,d);a.policy.D&&b instanceof +pY&&a.Fa.xa("omblss",{s:dH(h.info)});l=h.info.j.info.Ek();m=h.info.j;if(l){var n=a.B;m!==n.u&&(n.u=m,n.aH(m,n.audioTrack,!0))}else n=a.B,m!==n.D&&(n.D=m,n.aH(m,n.videoTrack,!1));SX(l?a.audioTrack:a.videoTrack,f,h)}}}else for(h=b.IT()||rX(a.I),c=new Set(b.Up(a.va.Ce()||"")),a.policy.C?l=c:l=[(null==(f=h.video)?void 0:SG(f,a.Sa.fd,a.va.Ce()))||"",(null==(e=h.audio)?void 0:SG(e,a.Sa.fd,a.va.Ce()))||""],f=g.t(l),e=f.next();!e.done;e=f.next())if(e=e.value,c.has(e)&&b.Nk(e))for(h=b.Vj(e),l=g.t(h),h=l.next();!h.done;h= +l.next())h=h.value,a.policy.C&&d&&3===h.info.type&&wH(h,d),a.policy.D&&b instanceof pY&&a.Fa.xa("omblss",{s:dH(h.info)}),m=b.Om(e),n=h.info.j.info.Ek()?a.audioTrack:a.videoTrack,n.J=!1,SX(n,m,h)}; +FWa=function(a,b){a.j.pop();null==b||b.dispose()}; +IWa=function(a,b){for(var c=[],d=0;d=a.policy.Eo,h=!1;if(f){var l=0;!isNaN(b)&&b>a.D&&(l=b-a.D,a.D=b);l/e=a.policy.hj&&!a.B;if(!f&&!c&&NWa(a,b))return NaN;c&&(a.B=!0);a:{d=h;c=Date.now()/1E3-(a.Wx.bj()||0)-a.J.u-a.policy.Xb;f=a.u.startTime;c=f+c;if(d){if(isNaN(b)){rY(a,NaN,"n",b);f=NaN;break a}d=b-a.policy.dj;d=e.C&&c<=e.B){c=!0;break a}c=!1}return c?!0:(a.xa("ostmf",{ct:a.currentTime,a:b.j.info.Ek()}),!1)}; +TWa=function(a){if(!a.Sa.fd)return!0;var b=a.va.getVideoData(),c,d;if(a.policy.Rw&&!!(null==(c=a.Xa)?0:null==(d=c.w4)?0:d.o8)!==a.Sa.Se)return a.xa("ombplmm",{}),!1;b=b.uc||b.liveUtcStartSeconds||b.aj;if(a.Sa.Se&&b)return a.xa("ombplst",{}),!1;if(a.Sa.oa)return a.xa("ombab",{}),!1;b=Date.now();return jwa(a.Sa)&&!isNaN(a.oa)&&b-a.oa>1E3*a.policy.xx?(a.xa("ombttl",{}),!1):a.Sa.Ge&&a.Sa.B||!a.policy.dE&&a.Sa.isPremiere?!1:!0}; +UWa=function(a,b){var c=b.j,d=a.Sa.fd;if(TWa(a)){var e=a.Ce();if(a.T&&a.T.Xc.has(SG(c,d,e))){if(d=SG(c,d,e),SWa(a,b)){e=new fH(a.T.Om(d));var f=function(h){try{if(h.Wm())a.handleError(h.Ye(),h.Vp()),XX(b,h),hH(h.info)&&aY(a.u,b,c,!0),a.gf();else if(bVa(a.u,h)){var l;null==(l=a.B)||KSa(l,h.info,a.I);a.gf()}}catch(m){h=RK(m),a.handleError(h.errorCode,h.details,h.severity),a.vk()}}; +c.C=!0;gH(e)&&(AUa(b,new bX(a.policy,d,e,a.T,f)),ISa(a.timing))}}else a.xa("ombfmt",{})}}; +tY=function(a,b){b=b||a.videoTrack&&a.videoTrack.u&&a.videoTrack.u.startTime||a.currentTime;var c=a.videoTrack,d=a.ue;b=d.nextVideo&&d.nextVideo.index.uh(b)||0;d.Ga!==b&&(d.Ja={},d.Ga=b,mX(d,d.B));b=!sX(d)&&-1(0,g.M)()-d.ea;var e=d.nextVideo&&3*oX(d,d.nextVideo.info)=b&&VX(c,!0)>=b;else if(c.B.length||d.B.length){var e=c.j.info.dc+d.j.info.dc;e=10*(1-aX(b)/e);b=Math.max(e,b.policy.ph);c=VX(d,!0)>=b&&VX(c,!0)>=b}else c=!0;if(!c)return"abr";c=a.videoTrack;if(0a.currentTime||360(e?e.Ma:-1));if(f)return a.j.hh()&&xY(a),!1;bXa(a,b,c,d.info);if(a.Sa.u&&0===d.info.Ob){if(null==c.qs()){e=RX(b);if(!(f=!e||e.j!==d.info.j)){b:if(e=e.J,f=d.info.J,e.length!==f.length)e=!1;else{for(var h=0;he)){a:{e=a.policy.Qa?(0,g.M)():0;f=d.C||d.B?d.info.j.j:null;h=d.j;d.B&&(h=new LF([]),MF(h,d.B),MF(h,d.j));var l=QF(h);h=a.policy.Qa?(0,g.M)():0;f=eXa(a,c,l,d.info,f);a.policy.Qa&&(!d.info.Ob||d.info.bf||10>d.info.C)&&a.xa("sba",c.lc({as:dH(d.info),pdur:Math.round(h-e),adur:Math.round((0,g.M)()-h)}));if("s"=== +f)a.Aa&&(a.Aa=!1),a.Qa=0,a=!0;else{if("i"===f||"x"===f)fXa(a,"checked",f,d.info);else{if("q"===f){if(!a.Aa){a.Aa=!0;a=!1;break a}d.info.Xg()?(c=a.policy,c.Z=Math.floor(.8*c.Z),c.tb=Math.floor(.8*c.tb),c.ea=Math.floor(.8*c.ea)):(c=a.policy,c.Ga=Math.floor(.8*c.Ga),c.Wc=Math.floor(.8*c.Wc),c.ea=Math.floor(.8*c.ea));HT(a.policy)||pX(a.ue,d.info.j)}wY(a.va,{reattachOnAppend:f})}a=!1}}e=!a}if(e)return!1;b.lw(d);return!0}; +fXa=function(a,b,c,d){var e="fmt.unplayable",f=1;"x"===c||"m"===c?(e="fmt.unparseable",HT(a.policy)||d.j.info.video&&!qX(a.ue)&&pX(a.ue,d.j)):"i"===c&&(15>a.Qa?(a.Qa++,e="html5.invalidstate",f=0):e="fmt.unplayable");d=cH(d);var h;d.mrs=null==(h=a.Wa)?void 0:BI(h);d.origin=b;d.reason=c;a.handleError(e,d,f)}; +TTa=function(a,b,c,d,e){var f=a.Sa;var h=!1,l=-1;for(p in f.j){var m=ZH(f.j[p].info.mimeType)||f.j[p].info.Xg();if(d===m)if(h=f.j[p].index,pH(h,b.Ma)){m=b;var n=h.Go(m.Ma);n&&n.startTime!==m.startTime?(h.segments=[],h.AJ(m),h=!0):h=!1;h&&(l=b.Ma)}else h.AJ(b),h=!0}if(0<=l){var p={};f.ma("clienttemp","resetMflIndex",(p[d?"v":"a"]=l,p),!1)}f=h;GSa(a.j,b,d,f);a.B.VN(b,c,d,e);b.Ma===a.Sa.Ge&&f&&NI(a.Sa)&&b.startTime>NI(a.Sa)&&(a.Sa.jc=b.startTime+(isNaN(a.timestampOffset)?0:a.timestampOffset),a.j.hh()&& +a.j.j=b&&RWa(a,d.startTime,!1)}); +return c&&c.startTime=a.length))for(var b=(0,g.PX)([60,0,75,0,73,0,68,0,62,0]),c=28;cd;++d)b[d]=a[c+2*d];a=UF(b);a=ig(a);if(!a)break;c=a[0];a[0]=a[3];a[3]=c;c=a[1];a[1]=a[2];a[2]=c;c=a[4];a[4]=a[5];a[5]=c;c=a[6];a[6]=a[7];a[7]=c;return a}c++}}; +BY=function(a,b){zY.call(this);var c=this;this.B=a;this.j=[];this.u=new g.Ip(function(){c.ma("log_qoe",{wvagt:"timer",reqlen:c.j?c.j.length:-1});if(c.j){if(0d;d++)c[2*d]=''.charCodeAt(d);a=a.B.createSession("video/mp4",b,c);return new EY(null,null,null,null,a)}; +SXa=function(a,b){var c=a.I[b.sessionId];!c&&a.C&&(c=a.C,a.C=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; +PXa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=a&&(c=.75*a),b=.5*(a- -c),c=new iZ(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new tZ(g.Q(a,"disable_license_delay"),b,this);break a;default:c=null}if(this.F=c)g.D(this,this.F),this.F.subscribe("rotated_need_key_info_ready",this.SB,this);this.ea("Created, key system "+this.u.u+", final EME "+wC(this.W.experiments));vZ(this,"cks"+this.u.Te());c=this.u;"com.youtube.widevine.forcehdcp"===c.u&&c.D&&(this.Qa=new sZ(this.videoData.Bh,this.W.experiments),g.D(this,this.Qa))}; -wxa=function(a){var b=qZ(a.D);b?b.then(Eo(function(){xxa(a)}),Eo(function(c){if(!a.na()){a.ea(); -M(c);var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.V("licenseerror","drm.unavailable",!0,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.ea(),vZ(a,"mdkrdy"),a.P=!0); -a.X&&(b=qZ(a.X))}; -yxa=function(a,b,c){a.Ga=!0;c=new zy(b,c);a.W.ba("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));a.W.ba("html5_process_all_encrypted_events")?xZ(a,c):a.W.ba("html5_eme_loader_sync")?xZ(a,c):0!==a.C.length&&a.videoData.La&&a.videoData.La.Lc()?yZ(a):xZ(a,c)}; -zxa=function(a,b){vZ(a,"onneedkeyinfo");g.Q(a.W.experiments,"html5_eme_loader_sync")&&(a.R.get(b.initData)||a.R.set(b.initData,b));xZ(a,b)}; -Bxa=function(a,b){if(pC(a.u)&&!a.fa){var c=Yfa(b);if(0!==c.length){var d=new zy(c);a.fa=!0;navigator.requestMediaKeySystemAccess("com.microsoft.playready",[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}]).then(function(e){e.createMediaKeys().then(function(f){Axa(a,f,d)})},null)}}}; -Axa=function(a,b,c){var d=b.createSession(),e=a.B.values[0],f=Zwa(e);d.addEventListener("message",function(h){h=new Uint8Array(h.message);nxa(h,d,a.u.C,f,"playready")}); -d.addEventListener("keystatuseschange",function(){"usable"in d.keyStatuses&&(a.ha=!0,Cxa(a,hxa(e,a.ha)))}); -d.generateRequest("cenc",c.initData)}; -xZ=function(a,b){if(!a.na()){vZ(a,"onInitData");if(g.Q(a.W.experiments,"html5_eme_loader_sync")&&a.videoData.La&&a.videoData.La.Lc()){var c=a.R.get(b.initData),d=a.I.get(b.initData);if(!c||!d)return;b=c;c=b.initData;a.I.remove(c);a.R.remove(c)}a.ea();vZ(a,"initd."+b.initData.length+";ct."+b.contentType);"widevine"===a.u.flavor?a.ia&&!a.videoData.isLivePlayback?a.W.ba("html5_process_all_encrypted_events")&&yZ(a):g.Q(a.W.experiments,"vp9_drm_live")&&a.videoData.isLivePlayback&&b.Zd||(a.ia=!0,c=b.cryptoPeriodIndex, -d=b.u,Ay(b),b.Zd||(d&&b.u!==d?a.V("ctmp","cpsmm","emsg."+d+";pssh."+b.u):c&&b.cryptoPeriodIndex!==c&&a.V("ctmp","cpimm","emsg."+c+";pssh."+b.cryptoPeriodIndex)),a.V("widevine_set_need_key_info",b)):a.SB(b)}}; -xxa=function(a){if(!a.na())if(g.Q(a.W.experiments,"html5_drm_set_server_cert")&&!g.wD(a.W)){var b=rxa(a.D);b?b.then(Eo(function(c){CI(a.videoData)&&a.V("ctmp","ssc",c)}),Eo(function(c){a.V("ctmp","ssce","n."+c.name+";m."+c.message)})).then(Eo(function(){zZ(a)})):zZ(a)}else zZ(a)}; -zZ=function(a){a.na()||(a.P=!0,a.ea(),vZ(a,"onmdkrdy"),yZ(a))}; -yZ=function(a){if(a.Ga&&a.P&&!a.Y){for(;a.C.length;){var b=a.C[0];if(a.B.get(b.initData))if("fairplay"===a.u.flavor)a.B.remove(b.initData);else{a.C.shift();continue}Ay(b);break}a.C.length&&a.createSession(a.C[0])}}; -Cxa=function(a,b){var c=FC("auto",b,!1,"l");if(g.Q(a.W.experiments,"html5_drm_initial_constraint_from_config")?a.videoData.eq:g.Q(a.W.experiments,"html5_drm_start_from_null_constraint")){if(EC(a.K,c))return}else if(IC(a.K,b))return;a.K=c;a.V("qualitychange");a.ea();vZ(a,"updtlq"+b)}; -vZ=function(a,b,c){c=void 0===c?!1:c;a.na()||(a.ea(),(CI(a.videoData)||c)&&a.V("ctmp","drmlog",b))}; -Dxa=function(a){var b;if(b=g.gr()){var c;b=!(null===(c=a.D.B)||void 0===c||!c.u)}b&&(b=a.D,b=b.B&&b.B.u?b.B.u():null,vZ(a,"mtr."+g.sf(b,3),!0))}; -AZ=function(a,b,c){g.O.call(this);this.videoData=a;this.Sa=b;this.playerVisibility=c;this.Nq=0;this.da=this.Ba=null;this.F=this.B=this.u=!1;this.D=this.C=0}; -DZ=function(a,b,c){var d=!1,e=a.Nq+3E4<(0,g.N)()||!1,f;if(f=a.videoData.ba("html5_pause_on_nonforeground_platform_errors")&&!e)f=a.playerVisibility,f=!!(f.u||f.isInline()||f.isBackground()||f.pictureInPicture||f.B);f&&(c.nonfg="paused",e=!0,a.V("pausevideo"));f=a.videoData.Oa;if(!e&&((null===f||void 0===f?0:hx(f))||(null===f||void 0===f?0:fx(f))))if(a.videoData.ba("html5_disable_codec_on_platform_errors"))a.Sa.D.R.add(f.Db),d=e=!0,c.cfalls=f.Db;else{var h;if(h=a.videoData.ba("html5_disable_codec_for_playback_on_error")&& -a.Ba){h=a.Ba.K;var l=f.Db;h.Aa.has(l)?h=!1:(h.Aa.add(l),h.aa=-1,VD(h,h.F),h=!0)}h&&(d=e=!0,c.cfallp=f.Db)}if(!e)return Exa(a,c);a.Nq=(0,g.N)();e=a.videoData;e=e.fh?e.fh.dD()=a.Sa.Aa)return!1;b.exiled=""+a.Sa.Aa;BZ(a,"qoe.start15s",b);a.V("playbackstalledatstart");return!0}; -Gxa=function(a){if("GAME_CONSOLE"!==a.Sa.deviceParams.cplatform)try{window.close()}catch(b){}}; -Fxa=function(a){return a.u||"yt"!==a.Sa.Y?!1:a.videoData.Rg?25>a.videoData.pj:!a.videoData.pj}; -CZ=function(a){a.u||(a.u=!0,a.V("signatureexpiredreloadrequired"))}; -Hxa=function(a,b){if(a.da&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.da.Sh();b.details.merr=c?c.toString():"0";b.details.msg=a.da.Bo()}}; -Ixa=function(a){return"net.retryexhausted"===a.errorCode||"net.badstatus"===a.errorCode&&!!a.details.fmt_unav}; -Kxa=function(a,b,c){if("403"===b.details.rc){var d=b.errorCode;d="net.badstatus"===d||"manifest.net.retryexhausted"===d}else d=!1;if(!d)return!1;b.details.sts="18610";if(Fxa(a))return c?(a.B=!0,a.V("releaseloader")):(b.u&&(b.details.e=b.errorCode,b.errorCode="qoe.restart",b.u=!1),BZ(a,b.errorCode,b.details),CZ(a)),!0;6048E5<(0,g.N)()-a.Sa.Ta&&Jxa(a,"signature");return!1}; -Jxa=function(a,b){try{window.location.reload();BZ(a,"qoe.restart",{detail:"pr."+b});return}catch(c){}a.Sa.ba("tvhtml5_retire_old_players")&&g.wD(a.Sa)&&Gxa(a)}; -Lxa=function(a,b){a.Sa.D.B=!1;BZ(a,"qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});a.V("formatupdaterequested")}; -EZ=function(a,b,c,d){a.V("clienttemp",b,c,(void 0===d?{BA:!1}:d).BA)}; -BZ=function(a,b,c){a.V("qoeerror",b,c)}; -Mxa=function(a,b,c,d){this.videoData=a;this.u=b;this.reason=c;this.B=d}; -Nxa=function(a){navigator.mediaCapabilities?FZ(a.videoInfos).then(function(){return a},function(){return a}):Ys(a)}; -FZ=function(a){var b=navigator.mediaCapabilities;if(!b)return Ys(a);var c=a.map(function(d){return b&&b.decodingInfo({type:"media-source",video:d.video?{contentType:d.mimeType,width:d.video.width||640,height:d.video.height||360,bitrate:8*d.zb||1E6,framerate:d.video.fps||30}:null})}); -return qda(c).then(function(d){for(var e=0;eWC(a.W.fd,"sticky-lifetime")?"auto":HZ():HZ()}; -Rxa=function(a,b){var c=new DC(0,0,!1,"o");if(a.ba("html5_varispeed_playback_rate")&&1(0,g.N)()-a.F?0:f||0h?a.C+1:0;if(!e||g.wD(a.W))return!1;a.B=d>e?a.B+1:0;if(3!==a.B)return!1;Uxa(a,b.videoData.Oa);a.u.Na("dfd",Wxa());return!0}; -Yxa=function(a,b){return 0>=g.P(a.W.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.Ma()&&32=l){d=l;break}}return new DC(0,d,!1,"b")}; -aya=function(a,b){a.ba("html5_log_media_perf_info")&&(a.u.Na("perfdb",Wxa()),a.u.Na("hwc",""+navigator.hardwareConcurrency,!0),b&&a.u.Na("mcdb",b.La.videoInfos.filter(function(c){return!1===c.D}).map(function(c){return c.Yb()}).join("-")))}; -Wxa=function(){var a=Hb(IZ(),function(b){return""+b}); -return g.vB(a)}; -JZ=function(a,b){g.C.call(this);this.provider=a;this.I=b;this.u=-1;this.F=!1;this.B=-1;this.playerState=new g.AM;this.seekCount=this.nonNetworkErrorCount=this.networkErrorCount=this.rebufferTimeSecs=this.playTimeSecs=this.D=0;this.delay=new g.F(this.send,6E4,this);this.C=!1;g.D(this,this.delay)}; -bya=function(a){0<=a.u||(3===a.provider.getVisibilityState()?a.F=!0:(a.u=g.rY(a.provider),a.delay.start()))}; -cya=function(a){if(!(0>a.B)){var b=g.rY(a.provider),c=b-a.D;a.D=b;8===a.playerState.state?a.playTimeSecs+=c:g.IM(a.playerState)&&!g.U(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; -dya=function(a){switch(a.W.lu){case "canary":return"HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";case "holdback":return"HTML5_PLAYER_CANARY_TYPE_CONTROL";default:return"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}}; -eya=function(a){return(!a.ba("html5_health_to_gel")||a.W.Ta+36E5<(0,g.N)())&&(a.ba("html5_health_to_gel_canary_killswitch")||a.W.Ta+36E5<(0,g.N)()||"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"===dya(a))?a.ba("html5_health_to_qoe"):!0}; -KZ=function(a,b,c,d,e){var f={format:"RAW"},h={};cq(a)&&dq()&&(c&&(h["X-Goog-Visitor-Id"]=c),b&&(h["X-Goog-PageId"]=b),d&&(h.Authorization="Bearer "+d),c||d||b)&&(f.withCredentials=!0);0a.F.xF+100&&a.F){var d=a.F,e=d.isAd;a.ia=1E3*b-d.NR-(1E3*c-d.xF)-d.FR;a.Na("gllat","l."+a.ia.toFixed()+";prev_ad."+ +e);delete a.F}}; -PZ=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.rY(a.provider);var c=a.provider.zq();if(!isNaN(a.X)&&!isNaN(c.B)){var d=c.B-a.X;0a.u)&&2m;!(1=e&&(M(Error("invalid coreTime.now value: "+e)),e=(new Date).getTime()+2);return e},g.Q(a.W.experiments,"html5_validate_yt_now")),c=b(); -a.B=function(){return Math.round(b()-c)/1E3}; -a.F()}return a.B}; -fya=function(a){if(navigator.connection&&navigator.connection.type)return zya[navigator.connection.type]||zya.other;if(g.wD(a.W)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; -TZ=function(a){var b=new xya;b.B=a.De().cc||"-";b.playbackRate=a.getPlaybackRate();var c=a.getVisibilityState();0!==c&&(b.visibilityState=c);a.W.ke&&(b.C=1);c=a.getAudioTrack();c.u&&c.u.id&&"und"!==c.u.id&&(b.u=c.u.id);b.connectionType=fya(a);b.volume=a.De().volume;b.muted=a.De().muted;b.clipId=a.De().clipid||"-";b.In=a.videoData.In||"-";return b}; -g.f_=function(a){g.C.call(this);var b=this;this.provider=a;this.B=this.qoe=this.u=null;this.C=void 0;this.D=new Map;this.provider.videoData.isValid()&&!this.provider.videoData.mp&&(this.u=new ZZ(this.provider),g.D(this,this.u),this.qoe=new g.NZ(this.provider),g.D(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.C=this.provider.videoData.clientPlaybackNonce)&&this.D.set(this.C,this.u));eya(this.provider)&&(this.B=new JZ(this.provider,function(c){b.Na("h5h",c)}),g.D(this,this.B))}; -Aya=function(a){var b;a.provider.videoData.enableServerStitchedDai&&a.C?null===(b=a.D.get(a.C))||void 0===b?void 0:UZ(b.u):a.u&&UZ(a.u.u)}; -Bya=function(a,b){a.u&&wya(a.u,b)}; -Cya=function(a){if(!a.u)return null;var b=$Z(a.u,"atr");return function(c){a.u&&wya(a.u,c,b)}}; -Dya=function(a,b,c){var d=new g.rI(b.W,c);d.adFormat=d.Xo;b=new ZZ(new e_(d,b.W,b.De,function(){return d.lengthSeconds},b.u,b.zq,b.D,function(){return d.getAudioTrack()},b.getPlaybackRate,b.C,b.getVisibilityState,b.fu,b.F,b.Mi)); -b.F=a.provider.u();g.D(a,b);return b}; -Eya=function(a){this.D=this.mediaTime=NaN;this.B=this.u=!1;this.C=.001;a&&(this.C=a)}; -g_=function(a,b){return b>a.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.D=c;return!1}; -Fya=function(a,b){this.videoData=a;this.La=b}; -Gya=function(a,b,c){return b.Vs(c).then(function(){return Ys(new Fya(b,b.La))},function(d){d instanceof Error&&g.Fo(d); -d=b.isLivePlayback&&!g.BC(a.D,!0)?"html5.unsupportedlive":"fmt.noneavailable";var e={buildRej:"1",a:""+ +!!b.adaptiveFormats,d:""+ +!!b.Og,drm:""+ +TI(b),f18:""+ +(0<=b.xs.indexOf("itag=18")),c18:""+ +nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')};b.ra&&(TI(b)?(e.f142=""+ +!!b.ra.u["142"],e.f149=""+ +!!b.ra.u["149"],e.f279=""+ +!!b.ra.u["279"]):(e.f133=""+ +!!b.ra.u["133"],e.f140=""+ +!!b.ra.u["140"],e.f242=""+ +!!b.ra.u["242"]),e.cAVC=""+ +oB('video/mp4; codecs="avc1.42001E"'),e.cAAC=""+ +oB('audio/mp4; codecs="mp4a.40.2"'), -e.cVP9=""+ +oB('video/webm; codecs="vp9"'));if(b.md){e.drmsys=b.md.u;var f=0;b.md.B&&(f=Object.keys(b.md.B).length);e.drmst=""+f}return new uB(d,!0,e)})}; -Hya=function(a){this.F=a;this.C=this.B=0;this.D=new PY(50)}; -j_=function(a,b,c){g.O.call(this);this.videoData=a;this.experiments=b;this.R=c;this.B=[];this.D=0;this.C=!0;this.F=!1;this.I=0;c=new Iya;"ULTRALOW"===a.latencyClass&&(c.D=!1);a.Zi?c.B=3:g.eJ(a)&&(c.B=2);g.Q(b,"html5_adaptive_seek_to_head_killswitch")||"NORMAL"!==a.latencyClass||(c.I=!0);var d=OI(a);c.F=2===d||-1===d;c.F&&(c.X++,21530001===MI(a)&&(c.K=g.P(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(dr("trident/")||dr("edge/"))d=g.P(b,"html5_platform_minimum_readahead_seconds")||3,c.C=Math.max(c.C, -d);g.P(b,"html5_minimum_readahead_seconds")&&(c.C=g.P(b,"html5_minimum_readahead_seconds"));g.P(b,"html5_maximum_readahead_seconds")&&(c.R=g.P(b,"html5_maximum_readahead_seconds"));g.Q(b,"html5_force_adaptive_readahead")&&(c.D=!0);g.P(b,"html5_allowable_liveness_drift_chunks")&&(c.u=g.P(b,"html5_allowable_liveness_drift_chunks"));g.P(b,"html5_readahead_ratelimit")&&(c.P=g.P(b,"html5_readahead_ratelimit"));switch(MI(a)){case 21530001:c.u=(c.u+1)/5,"LOW"===a.latencyClass&&(c.u*=2),c.Y=g.Q(b,"html5_live_smoothly_extend_max_seekable_time")}this.policy= -c;this.K=1!==this.policy.B;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Zi&&b--;a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(MI(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.F&&b++;this.u=i_(this,b);this.ea()}; -Jya=function(a,b){var c=a.u;(void 0===b?0:b)&&a.policy.Y&&3===OI(a.videoData)&&--c;return k_(a)*c}; -l_=function(a,b){var c=a.Fh();var d=a.policy.u;a.F||(d=Math.max(d-1,0));d*=k_(a);return b>=c-d}; -Kya=function(a,b,c){b=l_(a,b);c||b?b&&(a.C=!0):a.C=!1;a.K=2===a.policy.B||3===a.policy.B&&a.C}; -Lya=function(a,b){var c=l_(a,b);a.F!==c&&a.V("livestatusshift",c);a.F=c}; -k_=function(a){return a.videoData.ra?ZB(a.videoData.ra)||5:5}; -i_=function(a,b){b=Math.max(Math.max(a.policy.X,Math.ceil(a.policy.C/k_(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.R/k_(a))),b)}; -Iya=function(){this.X=1;this.C=0;this.R=Infinity;this.P=0;this.D=!0;this.u=2;this.B=1;this.F=!1;this.K=NaN;this.Y=this.I=!1}; -o_=function(a,b,c,d,e){g.C.call(this);this.W=a;this.videoData=b;this.V=c;this.visibility=d;this.P=e;this.Ba=this.da=null;this.D=this.u=0;this.B={};this.playerState=new g.AM;this.C=new g.F(this.X,1E3,this);g.D(this,this.C);this.fa=new m_({delayMs:g.P(this.W.experiments,"html5_seek_timeout_delay_ms")});this.R=new m_({delayMs:g.P(this.W.experiments,"html5_long_rebuffer_threshold_ms")});this.ha=n_(this,"html5_seek_set_cmt");this.Y=n_(this,"html5_seek_jiggle_cmt");this.aa=n_(this,"html5_seek_new_elem"); -n_(this,"html5_decoder_freeze_timeout");this.ma=n_(this,"html5_unreported_seek_reseek");this.I=n_(this,"html5_long_rebuffer_jiggle_cmt");this.K=n_(this,"html5_reload_element_long_rebuffer");this.F=n_(this,"html5_ads_preroll_lock_timeout");this.ia=new m_({delayMs:g.P(this.W.experiments,"html5_skip_slow_ad_delay_ms")||5E3,Yp:!g.Q(this.W.experiments,"html5_report_slow_ads_as_error")})}; -n_=function(a,b){var c=g.P(a.W.experiments,b+"_delay_ms"),d=g.Q(a.W.experiments,b+"_cfl");return new m_({delayMs:c,Yp:d})}; -p_=function(a,b,c,d,e,f,h){Mya(b,c)?(d=a.sb(b),d.wn=h,d.wdup=a.B[e]?"1":"0",a.V("qoeerror",e,d),a.B[e]=!0,b.Yp||f()):(b.Vv&&b.B&&!b.D?(f=(0,g.N)(),d?b.u||(b.u=f):b.u=0,c=!d&&f-b.B>b.Vv,f=b.u&&f-b.u>b.eA||c?b.D=!0:!1):f=!1,f&&(f=a.sb(b),f.wn=h,f.we=e,f.wsuc=""+ +d,h=g.vB(f),a.V("ctmp","workaroundReport",h),d&&(b.reset(),a.B[e]=!1)))}; -m_=function(a){a=void 0===a?{}:a;var b=void 0===a.eA?1E3:a.eA,c=void 0===a.Vv?3E4:a.Vv,d=void 0===a.Yp?!1:a.Yp;this.F=Math.ceil((void 0===a.delayMs?0:a.delayMs)/1E3);this.eA=b;this.Vv=c;this.Yp=d;this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -Mya=function(a,b){if(!a.F||a.B)return!1;if(!b)return a.reset(),!1;var c=(0,g.N)();if(!a.startTimestamp)a.startTimestamp=c,a.C=0;else if(a.C>=a.F)return a.B=c,!0;a.C+=1;return!1}; -r_=function(a,b,c,d){g.O.call(this);var e=this;this.videoData=a;this.W=b;this.visibility=c;this.Ta=d;this.policy=new Nya(this.W);this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);a={};this.fa=(a.seekplayerrequired=this.QR,a.videoformatchange=this.Gz,a);this.playbackData=null;this.Aa=new rt;this.K=this.u=this.Ba=this.da=null;this.B=NaN;this.C=0;this.D=null;this.ha=NaN;this.F=this.R=null;this.X=this.P=!1;this.aa=new g.F(function(){Oya(e,!1)},this.policy.u); -this.Ya=new g.F(function(){q_(e)}); -this.ma=new g.F(function(){e.ea();e.P=!0;Pya(e)}); -this.Ga=this.timestampOffset=0;this.ia=!0;this.Ja=0;this.Qa=NaN;this.Y=new g.F(function(){var f=e.W.fd;f.u+=1E4/36E5;f.u-f.C>1/6&&(TC(f),f.C=f.u);e.Y.start()},1E4); -this.ba("html5_unrewrite_timestamps")?this.fa.timestamp=this.ip:this.fa.timestamp=this.BM;g.D(this,this.Aa);g.D(this,this.aa);g.D(this,this.ma);g.D(this,this.Ya);g.D(this,this.Y)}; -Qya=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.K=new Hya(function(){a:{if(a.playbackData&&a.playbackData.La.Lc()){if(LI(a.videoData)&&a.Ba){var c=a.Ba.Ya.u()||0;break a}if(a.videoData.ra){c=a.videoData.ra.R;break a}}c=0}return c}),a.u=new j_(a.videoData,a.W.experiments,function(){return a.Oc(!0)})); -a.videoData.startSeconds&&isFinite(a.videoData.startSeconds)&&1E9=e.B&&cd.D||g.A()-d.I=a.Oc()-.1)a.B=a.Oc(),a.D.resolve(a.Oc()),a.V("ended");else try{var c=a.B-a.timestampOffset;a.ea();a.da.seekTo(c);a.I.u=c;a.ha=c;a.C=a.B}catch(d){a.ea()}}}; -Wya=function(a){if(!a.da||0===a.da.yg()||0a;a++)this.F[a]^=92,this.C[a]^=54;this.reset()}; -$ya=function(a,b,c){for(var d=[],e=0;16>e;e++)d.push(b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3]),c+=4;for(b=16;64>b;b++)c=d[b-7]+d[b-16],e=d[b-2],c+=(e>>>17|e<<15)^(e>>>19|e<<13)^e>>>10,e=d[b-15],c+=(e>>>7|e<<25)^(e>>>18|e<<14)^e>>>3,d.push(c);b=a.u[0];c=a.u[1];e=a.u[2];for(var f=a.u[3],h=a.u[4],l=a.u[5],m=a.u[6],n=a.u[7],p,r,t=0;64>t;t++)p=n+Zya[t]+d[t]+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^~h&m),r=((b>>>2|b<<30)^(b>>>13|b<<19)^(b>>>22|b<<10))+(b&c^b&e^c&e),n=m,m=l,l=h,h=f+p,f=e,e=c,c=b,b= -p+r;a.u[0]=b+a.u[0]|0;a.u[1]=c+a.u[1]|0;a.u[2]=e+a.u[2]|0;a.u[3]=f+a.u[3]|0;a.u[4]=h+a.u[4]|0;a.u[5]=l+a.u[5]|0;a.u[6]=m+a.u[6]|0;a.u[7]=n+a.u[7]|0}; -bza=function(a){var b=new Uint8Array(32),c=64-a.B;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.u[c]>>>24,b[4*c+1]=a.u[c]>>>16&255,b[4*c+2]=a.u[c]>>>8&255,b[4*c+3]=a.u[c]&255;aza(a);return b}; -aza=function(a){a.u=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.D=0;a.B=0}; -cza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p,r,t;return xa(e,function(w){switch(w.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){w.u=2;break}h=window.crypto.subtle;l={name:"HMAC",hash:{name:"SHA-256"}};m=["sign"];n=new Uint8Array(b.length+c.length);n.set(b);n.set(c,b.length);w.C=3;return sa(w,h.importKey("raw",a,l,!1,m),5);case 5:return p=w.B,sa(w,h.sign(l,p,n),6);case 6:r=w.B;f=new Uint8Array(r);ta(w,2);break;case 3:ua(w);case 2:if(!f){t=new y_(a); -t.update(b);t.update(c);var y=bza(t);t.update(t.F);t.update(y);y=bza(t);t.reset();f=y}return w["return"](f)}})})}; -eza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p;return xa(e,function(r){switch(r.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){r.u=2;break}h=window.crypto.subtle;l={name:"AES-CTR",counter:c,length:128};r.C=3;return sa(r,dza(a),5);case 5:return m=r.B,sa(r,h.encrypt(l,m,b),6);case 6:n=r.B;f=new Uint8Array(n);ta(r,2);break;case 3:ua(r);case 2:return f||(p=new QS(a),Ura(p,c),f=p.encrypt(b)),r["return"](f)}})})}; -dza=function(a){return window.crypto.subtle.importKey("raw",a,{name:"AES-CTR"},!1,["encrypt"])}; -z_=function(a){var b=this,c=new QS(a);return function(d,e){return We(b,function h(){return xa(h,function(l){Ura(c,e);return l["return"](new Uint8Array(c.encrypt(d)))})})}}; -A_=function(a){this.u=a;this.iv=nZ(Ht())}; -fza=function(a,b){return We(a,function d(){var e=this;return xa(d,function(f){return f["return"](cza(e.u.B,b,e.iv))})})}; -B_=function(a){this.B=a;this.D=this.u=0;this.C=-1}; -C_=function(a){var b=Vv(a.B,a.u);++a.u;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=Vv(a.B,a.u),++a.u,d*=128,c+=(b&127)*d;return c}; -D_=function(a,b){for(a.D=b;a.u+1<=a.B.totalLength;){var c=a.C;0>c&&(c=C_(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.C=c;break}switch(e){case 0:C_(a);break;case 1:a.u+=8;break;case 2:c=C_(a);a.u+=c;break;case 5:a.u+=4}}return!1}; -E_=function(a,b,c){c=void 0===c?0:c;return D_(a,b)?C_(a):c}; -F_=function(a,b){var c=void 0===c?"":c;if(!D_(a,b))return c;c=C_(a);if(!c)return"";var d=Tv(a.B,a.u,c);a.u+=c;return g.v.TextDecoder?(new TextDecoder).decode(d):g.Ye(d)}; -G_=function(a,b){var c=void 0===c?null:c;if(!D_(a,b))return c;c=C_(a);var d=Tv(a.B,a.u,c);a.u+=c;return d}; -gza=function(a){this.iv=G_(new B_(a),5)}; -hza=function(a){a=G_(new B_(a),4);this.u=new gza(new Mv([a]))}; -jza=function(a){a=new B_(a);this.u=E_(a,1);this.itag=E_(a,3);this.lastModifiedTime=E_(a,4);this.xtags=F_(a,5);E_(a,6);E_(a,8);E_(a,9,-1);E_(a,10);this.B=this.itag+";"+this.lastModifiedTime+";"+this.xtags;this.isAudio="audio"===iza[cx[""+this.itag]]}; -kza=function(a){this.body=null;a=new B_(a);this.onesieProxyStatus=E_(a,1,-1);this.body=G_(a,4)}; -lza=function(a){a=new B_(a);this.startTimeMs=E_(a,1);this.endTimeMs=E_(a,2)}; -mza=function(a){var b=new B_(a);a=F_(b,3);var c=E_(b,5);this.u=E_(b,7);var d=G_(b,14);this.B=new lza(new Mv([d]));b=F_(b,15);this.C=a+";"+c+";"+b}; -nza=function(a){this.C=a;this.B=!1;this.u=[]}; -oza=function(a){for(;a.u.length&&!a.u[0].isEncrypted;){var b=a.u.shift();a.C(b.streamId,b.buffer)}}; -pza=function(a){var b,c;return We(this,function e(){var f=this,h,l,m,n;return xa(e,function(p){switch(p.u){case 1:h=f;if(null===(c=null===(b=window.crypto)||void 0===b?void 0:b.subtle)||void 0===c||!c.importKey)return p["return"](z_(a));l=window.crypto.subtle;p.C=2;return sa(p,dza(a),4);case 4:m=p.B;ta(p,3);break;case 2:return ua(p),p["return"](z_(a));case 3:return p["return"](function(r,t){return We(h,function y(){var x,B;return xa(y,function(E){if(1==E.u){if(n)return E["return"](n(r,t));x={name:"AES-CTR", -counter:t,length:128};E.C=2;B=Uint8Array;return sa(E,l.encrypt(x,m,r),4)}if(2!=E.u)return E["return"](new B(E.B));ua(E);n=z_(a);return E["return"](n(r,t))})})})}})})}; -H_=function(a){g.O.call(this);var b=this;this.D=a;this.u={};this.C={};this.B=this.iv=null;this.queue=new nza(function(c,d){b.ea();b.V("STREAM_DATA",{id:c,data:d})})}; -qza=function(a,b,c){var d=Vv(b,0);b=Tv(b,1);d=a.u[d]||null;a.ea();d&&(a=a.queue,a.u.push({streamId:d,buffer:b,isEncrypted:c}),a.B||oza(a))}; -rza=function(a,b){We(a,function d(){var e=this,f,h,l,m,n,p,r,t;return xa(d,function(w){switch(w.u){case 1:return e.ea(),e.V("PLAYER_RESPONSE_RECEIVED"),f=Tv(b),w.C=2,sa(w,e.D(f,e.iv),4);case 4:h=w.B;ta(w,3);break;case 2:return l=ua(w),e.ea(),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:l}),w["return"]();case 3:m=new kza(new Mv([h]));if(1!==m.onesieProxyStatus)return n={st:m.onesieProxyStatus},p=new uB("onesie.response.badproxystatus",!1,n),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:p}),w["return"]();r=m.body; -t=g.v.TextDecoder?(new TextDecoder).decode(r):g.Ye(r);e.ea();e.V("PLAYER_RESPONSE_READY",t);w.u=0}})})}; -I_=function(){this.u=0;this.C=void 0;this.B=new Uint8Array(4096);this.view=new DataView(this.B.buffer);g.v.TextEncoder&&(this.C=new TextEncoder)}; -J_=function(a,b){var c=a.u+b;if(!(a.B.length>=c)){for(var d=2*a.B.length;dd;d++)a.view.setUint8(a.u,c&127|128),c>>=7,a.u+=1;b=Math.floor(b/268435456)}for(J_(a,4);127>=7,a.u+=1;a.view.setUint8(a.u,b);a.u+=1}; -L_=function(a,b,c){K_(a,b<<3|2);b=c.length;K_(a,b);J_(a,b);a.B.set(c,a.u);a.u+=b}; -M_=function(a,b,c){c=a.C?a.C.encode(c):new Uint8Array(nZ(g.Xe(c)).buffer);L_(a,b,c)}; -N_=function(a){return new Uint8Array(a.B.buffer,0,a.u)}; -sza=function(a){var b=a.encryptedOnesiePlayerRequest,c=a.encryptedClientKey,d=a.iv;a=a.hmac;this.serializeResponseAsJson=!0;this.encryptedOnesiePlayerRequest=b;this.encryptedClientKey=c;this.iv=d;this.hmac=a}; -O_=function(a){var b=a.value;this.name=a.name;this.value=b}; -tza=function(a){var b=a.httpHeaders,c=a.postBody;this.url=a.url;this.httpHeaders=b;this.postBody=c}; -uza=function(a){this.Hx=a.Hx}; -vza=function(a,b){if(b+1<=a.totalLength){var c=Vv(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)c=Vv(a,b++);else if(2===c){c=Vv(a,b++);var d=Vv(a,b++);c=(c&63)+64*d}else if(3===c){c=Vv(a,b++);d=Vv(a,b++);var e=Vv(a,b++);c=(c&31)+32*(d+256*e)}else if(4===c){c=Vv(a,b++);d=Vv(a,b++);e=Vv(a,b++);var f=Vv(a,b++);c=(c&15)+16*(d+256*(e+256*f))}else c=b+1,a.focus(c),Qv(a,c,4)?c=Rv(a).getUint32(c-a.C,!0):(d=Vv(a,c+2)+256*Vv(a,c+3),c=Vv(a,c)+256*(Vv(a, -c+1)+256*d)),b+=5;return[c,b]}; -wza=function(a){this.B=a;this.u=new Mv}; -xza=function(a){var b=g.q(vza(a.u,0));var c=b.next().value;var d=b.next().value;d=g.q(vza(a.u,d));b=d.next().value;d=d.next().value;!(0>c||0>b)&&d+b<=a.u.totalLength&&(d=a.u.split(d).ln.split(b),b=d.iu,d=d.ln,a.B(c,b),a.u=d,xza(a))}; -zza=function(a){var b,c;a:{var d,e=a.T().xi;if(e){var f=null===(c=yza())||void 0===c?void 0:c.primary;if(f&&e.baseUrl){c=new vw("https://"+f+e.baseUrl);if(e=null===(d=a.Cv)||void 0===d?void 0:d.urlQueryOverride)for(d=Cw(e),d=g.q(Object.entries(d)),e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,c.set(e,f);if(!c.get("id")){e=SC(a.videoId);d=[];if(e)for(e=g.q(e),f=e.next();!f.done;f=e.next())d.push(f.value.toString(16).padStart(2,"0"));d=d.join("");if(!d){c=void 0;break a}c.set("id", -d)}break a}}c=void 0}!c&&(null===(b=a.Cv)||void 0===b?0:b.url)&&(c=new vw(a.Cv.url));if(!c)return"";c.set("ack","1");c.set("cpn",a.clientPlaybackNonce);c.set("opr","1");c.set("pvi","135");c.set("pai","140");c.set("oad","0");c.set("ovd","0");c.set("oaad","0");c.set("oavd","0");return c.Ld()}; -P_=function(a,b,c){var d=this;this.videoData=a;this.eb=b;this.playerRequest=c;this.xhr=null;this.u=new py;this.D=!1;this.C=new g.F(this.F,1E4,this);this.W=a.T();this.B=new A_(this.W.xi.u);this.K=new wza(function(e,f){d.I.feed(e,f)}); -this.I=Aza(this)}; -Aza=function(a){var b=new H_(function(c,d){return a.B.decrypt(c,d)}); -b.subscribe("FIRST_BYTE_RECEIVED",function(){a.eb.tick("orfb");a.D=!0}); -b.subscribe("PLAYER_RESPONSE_READY",function(c){a.eb.tick("oprr");a.u.resolve(c);a.C.stop()}); -b.subscribe("PLAYER_RESPONSE_RECEIVED",function(){a.eb.tick("orpr")}); -b.subscribe("PLAYER_RESPONSE_FAILED",function(c){Q_(a,c.errorInfo)}); +GY=function(){this.keys=[];this.values=[]}; +VXa=function(a,b,c){g.dE.call(this);this.element=a;this.videoData=b;this.Y=c;this.j=this.videoData.J;this.drmSessionId=this.videoData.drmSessionId||g.Bsa();this.u=new Map;this.I=new GY;this.J=new GY;this.B=[];this.Ja=2;this.oa=new g.bI(this);this.La=this.Aa=!1;this.heartbeatParams=null;this.ya=this.ea=!1;this.D=null;this.Ga=!1;(a=this.element)&&(a.addKey||a.webkitAddKey)||ZI()||hJ(c.experiments);this.Y.K("html5_enable_vp9_fairplay")&&dJ(this.j)?c=TXa:(c=this.videoData.hm,c="fairplay"===this.j.flavor|| +c?ZL:TXa);this.T=c;this.C=new FY(this.element,this.j);g.E(this,this.C);$I(this.j)&&(this.Z=new FY(this.element,this.j),g.E(this,this.Z));g.E(this,this.oa);c=this.element;this.j.keySystemAccess?this.oa.S(c,"encrypted",this.Y5):Kz(this.oa,c,$I(this.j)?["msneedkey"]:["needkey","webkitneedkey"],this.v6);UXa(this);a:switch(c=this.j,a=this.u,c.flavor){case "fairplay":if(b=/\sCobalt\/(\S+)\s/.exec(g.hc())){a=[];b=g.t(b[1].split("."));for(var d=b.next();!d.done;d=b.next())d=parseInt(d.value,10),0<=d&&a.push(d); +a=parseFloat(a.join("."))}else a=NaN;19.2999=a&&(c=.75*a),b=.5*(a-c),c=new AY(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new BY(a,this);break a;default:c=null}if(this.D=c)g.E(this,this.D),this.D.subscribe("rotated_need_key_info_ready",this.wS,this),this.D.subscribe("log_qoe",this.Ri,this);hJ(this.Y.experiments);this.Ri({cks:this.j.rh()})}; +UXa=function(a){var b=a.C.attach();b?b.then(XI(function(){WXa(a)}),XI(function(c){if(!a.isDisposed()){g.CD(c); +var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.ma("licenseerror","drm.unavailable",1,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.Ri({mdkrdy:1}),a.ea=!0); +a.Z&&(b=a.Z.attach())}; +YXa=function(a,b,c){a.La=!0;c=new vTa(b,c);a.Y.K("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));XXa(a,c)}; +XXa=function(a,b){if(!a.isDisposed()){a.Ri({onInitData:1});if(a.Y.K("html5_eme_loader_sync")&&a.videoData.C&&a.videoData.C.j){var c=a.J.get(b.initData);b=a.I.get(b.initData);if(!c||!b)return;b=c;c=b.initData;a.I.remove(c);a.J.remove(c)}a.Ri({initd:b.initData.length,ct:b.contentType});if("widevine"===a.j.flavor)if(a.Aa&&!a.videoData.isLivePlayback)HY(a);else{if(!(a.Y.K("vp9_drm_live")&&a.videoData.isLivePlayback&&b.Ee)){a.Aa=!0;c=b.cryptoPeriodIndex;var d=b.j;xTa(b);b.Ee||(d&&b.j!==d?a.ma("ctmp","cpsmm", +{emsg:d,pssh:b.j}):c&&b.cryptoPeriodIndex!==c&&a.ma("ctmp","cpimm",{emsg:c,pssh:b.cryptoPeriodIndex}));a.ma("widevine_set_need_key_info",b)}}else a.wS(b)}}; +WXa=function(a){if(!a.isDisposed())if(a.Y.K("html5_drm_set_server_cert")&&!g.tK(a.Y)||dJ(a.j)){var b=a.C.setServerCertificate();b?b.then(XI(function(c){a.Y.Rd()&&a.ma("ctmp","ssc",{success:c})}),XI(function(c){a.ma("ctmp","ssce",{n:c.name, +m:c.message})})).then(XI(function(){ZXa(a)})):ZXa(a)}else ZXa(a)}; +ZXa=function(a){a.isDisposed()||(a.ea=!0,a.Ri({onmdkrdy:1}),HY(a))}; +$Xa=function(a){return"widevine"===a.j.flavor&&a.videoData.K("html5_drm_cpi_license_key")}; +HY=function(a){if(a.La&&a.ea&&!a.ya){for(;a.B.length;){var b=a.B[0],c=$Xa(a)?yTa(b):g.gg(b.initData);if(dJ(a.j)&&!b.u)a.B.shift();else{if(a.u.get(c))if("fairplay"!==a.j.flavor||dJ(a.j)){a.B.shift();continue}else a.u.delete(c);xTa(b);break}}a.B.length&&a.createSession(a.B[0])}}; +aYa=function(a){var b;if(b=g.Yy()){var c;b=!(null==(c=a.C.u)||!c.getMetrics)}b&&(b=a.C.getMetrics())&&(b=g.WF(b),a.ma("ctmp","drm",{metrics:b}))}; +JY=function(a){g.C.call(this);var b=this;this.va=a;this.j=this.va.V();this.videoData=this.va.getVideoData();this.HC=0;this.I=this.B=!1;this.D=0;this.C=g.gJ(this.j.experiments,"html5_delayed_retry_count");this.u=new g.Ip(function(){IY(b.va)},g.gJ(this.j.experiments,"html5_delayed_retry_delay_ms")); +this.J=g.gJ(this.j.experiments,"html5_url_signature_expiry_time_hours");g.E(this,this.u)}; +eYa=function(a,b,c){var d=a.videoData.u,e=a.videoData.I;if(("progressive.net.retryexhausted"===b||"fmt.unplayable"===b||"fmt.decode"===b)&&!a.va.Ji.D&&d&&"22"===d.itag)return a.va.Ji.D=!0,a.Kd("qoe.restart",{reason:"fmt.unplayable.22"}),KY(a.va),!0;var f=!1,h=a.HC+3E4<(0,g.M)()||a.u.isActive();if(a.j.K("html5_empty_src")&&a.videoData.isAd()&&"fmt.unplayable"===b&&/Empty src/.test(""+c.msg))return c.origin="emptysrc",a.Kd("auth",c),!0;var l;if(l=!h)l=a.va.Es(),l=!!(l.zg()||l.isInline()||l.isBackground()|| +l.Ty()||l.Ry());l&&(c.nonfg="paused",h=!0,a.va.pauseVideo());("fmt.decode"===b||"fmt.unplayable"===b)&&(null==e?0:AF(e)||zF(e))&&(Uwa(a.j.D,e.Lb),c.acfallexp=e.Lb,f=h=!0);!h&&0=a.j.jc)return!1;b.exiled=""+a.j.jc;a.Kd("qoe.start15s",b);a.va.ma("playbackstalledatstart");return!0}; +cYa=function(a){return a.B?!0:"yt"===a.j.Ja?a.videoData.kb?25>a.videoData.Dc:!a.videoData.Dc:!1}; +dYa=function(a){if(!a.B){a.B=!0;var b=a.va.getPlayerState();b=g.QO(b)||b.isSuspended();a.va.Dn();b&&!WM(a.videoData)||a.va.ma("signatureexpired")}}; +fYa=function(a,b){if((a=a.va.qe())&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.Ye();b.details.merr=c?c.toString():"0";b.details.mmsg=a.zf()}}; +gYa=function(a){return"net.badstatus"===a.errorCode&&(1===a.severity||!!a.details.fmt_unav)}; +hYa=function(a,b){return a.j.K("html5_use_network_error_code_enums")&&403===b.details.rc||"403"===b.details.rc?(a=b.errorCode,"net.badstatus"===a||"manifest.net.retryexhausted"===a):!1}; +jYa=function(a,b){if(!hYa(a,b)&&!a.B)return!1;b.details.sts="19471";if(cYa(a))return QK(b.severity)&&(b=Object.assign({e:b.errorCode},b.details),b=new PK("qoe.restart",b)),a.Kd(b.errorCode,b.details),dYa(a),!0;6048E5<(0,g.M)()-a.j.Jf&&iYa(a,"signature");return!1}; +iYa=function(a,b){try{window.location.reload(),a.Kd("qoe.restart",{detail:"pr."+b})}catch(c){}}; +kYa=function(a,b){var c=a.j.D;c.D=!1;c.j=!0;a.Kd("qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});IY(a.va,!0)}; +lYa=function(a,b,c,d){this.videoData=a;this.j=b;this.reason=c;this.u=d}; +mYa=function(a,b,c){this.Y=a;this.XD=b;this.va=c;this.ea=this.I=this.J=this.u=this.j=this.C=this.T=this.B=0;this.D=!1;this.Z=g.gJ(this.Y.experiments,"html5_displayed_frame_rate_downgrade_threshold")||45}; +oYa=function(a,b,c){!a.Y.K("html5_tv_ignore_capable_constraint")&&g.tK(a.Y)&&(c=c.compose(nYa(a,b)));return c}; +qYa=function(a,b){var c,d=pYa(a,null==(c=b.j)?void 0:c.videoInfos);c=a.va.getPlaybackRate();return 1(0,g.M)()-a.C?0:f||0h?a.u+1:0;if((n-m)/l>a.Z||!e||g.tK(a.Y))return!1;a.j=d>e?a.j+1:0;if(3!==a.j)return!1;tYa(a,b.videoData.u);a.va.xa("dfd",Object.assign({dr:c.droppedVideoFrames,de:c.totalVideoFrames},vYa()));return!0}; +xYa=function(a,b){return 0>=g.gJ(a.Y.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.video&&32=e){d=e;break}return new iF(0,d,!1,"b")}; +zYa=function(a){a=a.va.Es();return a.isInline()?new iF(0,480,!1,"v"):a.isBackground()&&60e?(c&&(d=AYa(a,c,d)),new iF(0,d,!1,"e")):ZL}; +AYa=function(a,b,c){if(a.K("html5_optimality_defaults_chooses_next_higher")&&c)for(a=b.j.videoInfos,b=1;ba.u)){var b=g.uW(a.provider),c=b-a.C;a.C=b;8===a.playerState.state?a.playTimeSecs+=c:g.TO(a.playerState)&&!g.S(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; +GYa=function(a,b){b?FYa.test(a):(a=g.sy(a),Object.keys(a).includes("cpn"))}; +IYa=function(a,b,c,d,e,f,h){var l={format:"RAW"},m={};if(vy(a)&&wy()){if(h){var n;2!==(null==(n=HYa.uaChPolyfill)?void 0:n.state.type)?h=null:(h=HYa.uaChPolyfill.state.data.values,h={"Synth-Sec-CH-UA-Arch":h.architecture,"Synth-Sec-CH-UA-Model":h.model,"Synth-Sec-CH-UA-Platform":h.platform,"Synth-Sec-CH-UA-Platform-Version":h.platformVersion,"Synth-Sec-CH-UA-Full-Version":h.uaFullVersion});m=Object.assign(m,h);l.withCredentials=!0}(h=g.ey("EOM_VISITOR_DATA"))?m["X-Goog-EOM-Visitor-Id"]=h:d?m["X-Goog-Visitor-Id"]= +d:g.ey("VISITOR_DATA")&&(m["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));c&&(m["X-Goog-PageId"]=c);d=b.authUser;b.K("move_vss_away_from_login_info_cookie")&&d&&(m["X-Goog-AuthUser"]=d,m["X-Yt-Auth-Test"]="test");e&&(m.Authorization="Bearer "+e);h||m["X-Goog-Visitor-Id"]||e||c||b.K("move_vss_away_from_login_info_cookie")&&d?l.withCredentials=!0:b.K("html5_send_cpn_with_options")&&FYa.test(a)&&(l.withCredentials=!0)}0a.B.NV+100&&a.B){var d=a.B,e=d.isAd;c=1E3*c-d.NV;a.ya=1E3*b-d.M8-c-d.B8;c=(0,g.M)()-c;b=a.ya;d=a.provider.videoData;var f=d.isAd();if(e||f){f=(e?"ad":"video")+"_to_"+(f?"ad":"video");var h={};d.T&&(h.cttAuthInfo={token:d.T,videoId:d.videoId});h.startTime=c-b;cF(f,h);bF({targetVideoId:d.videoId,targetCpn:d.clientPlaybackNonce},f);eF("pbs",c,f)}else c=a.provider.va.Oh(),c.I!==d.clientPlaybackNonce? +(c.D=d.clientPlaybackNonce,c.u=b):g.DD(new g.bA("CSI timing logged before gllat",{cpn:d.clientPlaybackNonce}));a.xa("gllat",{l:a.ya.toFixed(),prev_ad:+e});delete a.B}}; +OYa=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.uW(a.provider);var c=a.provider.va.eC(),d=c.Zq-(a.Ga||0);0a.j)&&2=e&&(a.va.xa("ytnerror",{issue:28799967,value:""+e}),e=(new Date).getTime()+2);return e},a.Y.K("html5_validate_yt_now")),c=b(); +a.j=function(){return Math.round(b()-c)/1E3}; +a.va.cO()}return a.j}; +nZa=function(a){var b=a.va.bq()||{};b.fs=a.va.wC();b.volume=a.va.getVolume();b.muted=a.va.isMuted()?1:0;b.mos=b.muted;b.inview=a.va.TB();b.size=a.va.HB();b.clipid=a.va.wy();var c=Object,d=c.assign;a=a.videoData;var e={};a.u&&(e.fmt=a.u.itag,a.I&&a.I.itag!=a.u.itag&&(e.afmt=a.I.itag));e.ei=a.eventId;e.list=a.playlistId;e.cpn=a.clientPlaybackNonce;a.videoId&&(e.v=a.videoId);a.Xk&&(e.infringe=1);TM(a)&&(e.splay=1);var f=CM(a);f&&(e.live=f);a.kp&&(e.sautoplay=1);a.Xl&&(e.autoplay=1);a.Bx&&(e.sdetail= +a.Bx);a.Ga&&(e.partnerid=a.Ga);a.osid&&(e.osid=a.osid);a.Rw&&(e.cc=a.Rw.vssId);return d.call(c,b,e)}; +MYa=function(a){if(navigator.connection&&navigator.connection.type)return uZa[navigator.connection.type]||uZa.other;if(g.tK(a.Y)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; +QY=function(a){var b=new rZa,c;b.D=(null==(c=nZa(a).cc)?void 0:c.toString())||"-";b.playbackRate=a.va.getPlaybackRate();c=a.va.getVisibilityState();0!==c&&(b.visibilityState=c);a.Y.Ld&&(b.u=1);b.B=a.videoData.Yv;c=a.va.getAudioTrack();c.Jc&&c.Jc.id&&"und"!==c.Jc.id&&(b.C=c.Jc.id);b.connectionType=MYa(a);b.volume=a.va.getVolume();b.muted=a.va.isMuted();b.clipId=a.va.wy()||"-";b.j=a.videoData.AQ||"-";return b}; +g.ZY=function(a){g.C.call(this);this.provider=a;this.qoe=this.j=null;this.Ci=void 0;this.u=new Map;this.provider.videoData.De()&&!this.provider.videoData.ol&&(this.j=new TY(this.provider),g.E(this,this.j),this.qoe=new g.NY(this.provider),g.E(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.Ci=this.provider.videoData.clientPlaybackNonce)&&this.u.set(this.Ci,this.j));this.B=new LY(this.provider);g.E(this,this.B)}; +vZa=function(a){DYa(a.B);a.qoe&&WYa(a.qoe)}; +wZa=function(a){if(a.provider.videoData.enableServerStitchedDai&&a.Ci){var b;null!=(b=a.u.get(a.Ci))&&RY(b.j)}else a.j&&RY(a.j.j)}; +xZa=function(a){a.B.send();if(a.qoe){var b=a.qoe;if(b.D){"PL"===b.Te&&(b.Te="N");var c=g.uW(b.provider);g.MY(b,c,"vps",[b.Te]);b.I||(0<=b.u&&(b.j.user_intent=[b.u.toString()]),b.I=!0);b.provider.Y.Rd()&&b.xa("finalized",{});b.oa=!0;b.reportStats(c)}}if(a.provider.videoData.enableServerStitchedDai)for(b=g.t(a.u.values()),c=b.next();!c.done;c=b.next())pZa(c.value);else a.j&&pZa(a.j);a.dispose()}; +yZa=function(a,b){a.j&&qZa(a.j,b)}; +zZa=function(a){if(!a.j)return null;var b=UY(a.j,"atr");return function(c){a.j&&qZa(a.j,c,b)}}; +AZa=function(a,b,c,d){c.adFormat=c.Hf;var e=b.va;b=new TY(new sZa(c,b.Y,{getDuration:function(){return c.lengthSeconds}, +getCurrentTime:function(){return e.getCurrentTime()}, +xk:function(){return e.xk()}, +eC:function(){return e.eC()}, +getPlayerSize:function(){return e.getPlayerSize()}, +getAudioTrack:function(){return c.getAudioTrack()}, +getPlaybackRate:function(){return e.getPlaybackRate()}, +hC:function(){return e.hC()}, +getVisibilityState:function(){return e.getVisibilityState()}, +Oh:function(){return e.Oh()}, +bq:function(){return e.bq()}, +getVolume:function(){return e.getVolume()}, +isMuted:function(){return e.isMuted()}, +wC:function(){return e.wC()}, +wy:function(){return e.wy()}, +TB:function(){return e.TB()}, +HB:function(){return e.HB()}, +cO:function(){e.cO()}, +YC:function(){e.YC()}, +xa:function(f,h){e.xa(f,h)}})); +b.B=d;g.E(a,b);return b}; +BZa=function(){this.Au=0;this.B=this.Ot=this.Zq=this.u=NaN;this.j={};this.bandwidthEstimate=NaN}; +CZa=function(){this.j=g.YD;this.array=[]}; +EZa=function(a,b,c){var d=[];for(b=DZa(a,b);bc)break}return d}; +FZa=function(a,b){var c=[];a=g.t(a.array);for(var d=a.next();!d.done&&!(d=d.value,d.contains(b)&&c.push(d),d.start>b);d=a.next());return c}; +GZa=function(a){return a.array.slice(DZa(a,0x7ffffffffffff),a.array.length)}; +DZa=function(a,b){a=Kb(a.array,function(c){return b-c.start||1}); +return 0>a?-(a+1):a}; +HZa=function(a,b){var c=NaN;a=g.t(a.array);for(var d=a.next();!d.done;d=a.next())if(d=d.value,d.contains(b)&&(isNaN(c)||d.endb&&(isNaN(c)||d.starta.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.u=c;return!1}; +LZa=function(a,b){this.videoData=a;this.j=b}; +MZa=function(a,b,c){return Hza(b,c).then(function(){return Oy(new LZa(b,b.C))},function(d){d instanceof Error&&g.DD(d); +var e=dI('video/mp4; codecs="avc1.42001E, mp4a.40.2"'),f=fI('audio/mp4; codecs="mp4a.40.2"'),h=e||f,l=b.isLivePlayback&&!g.vJ(a.D,!0);d="fmt.noneavailable";l?d="html5.unsupportedlive":h||(d="html5.missingapi");h=l||!h?2:1;e={buildRej:"1",a:b.Yu(),d:!!b.tb,drm:b.Pl(),f18:0<=b.Jf.indexOf("itag=18"),c18:e};b.j&&(b.Pl()?(e.f142=!!b.j.j["142"],e.f149=!!b.j.j["149"],e.f279=!!b.j.j["279"]):(e.f133=!!b.j.j["133"],e.f140=!!b.j.j["140"],e.f242=!!b.j.j["242"]),e.cAAC=f,e.cAVC=fI('video/mp4; codecs="avc1.42001E"'), +e.cVP9=fI('video/webm; codecs="vp9"'));b.J&&(e.drmsys=b.J.keySystem,f=0,b.J.j&&(f=Object.keys(b.J.j).length),e.drmst=f);return new PK(d,e,h)})}; +NZa=function(a){this.D=a;this.B=this.u=0;this.C=new CS(50)}; +cZ=function(a,b,c){g.dE.call(this);this.videoData=a;this.experiments=b;this.T=c;this.u=[];this.C=0;this.B=!0;this.D=!1;this.I=0;c=new OZa;"ULTRALOW"===a.latencyClass&&(c.C=!1);a.Xb?c.u=3:g.GM(a)&&(c.u=2);"NORMAL"===a.latencyClass&&(c.T=!0);var d=zza(a);c.D=2===d||-1===d;c.D&&(c.Z++,21530001===yM(a)&&(c.I=g.gJ(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(Wy("trident/")||Wy("edge/"))c.B=Math.max(c.B,g.gJ(b,"html5_platform_minimum_readahead_seconds")||3);g.gJ(b,"html5_minimum_readahead_seconds")&& +(c.B=g.gJ(b,"html5_minimum_readahead_seconds"));g.gJ(b,"html5_maximum_readahead_seconds")&&(c.ea=g.gJ(b,"html5_maximum_readahead_seconds"));b.ob("html5_force_adaptive_readahead")&&(c.C=!0);switch(yM(a)){case 21530001:c.j=(c.j+1)/5,"LOW"===a.latencyClass&&(c.j*=2),c.J=b.ob("html5_live_smoothly_extend_max_seekable_time")}this.policy=c;this.J=1!==this.policy.u;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Xb&&b--;this.experiments.ob("html5_disable_extra_readahead_normal_latency_live_stream")|| +a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(yM(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.D&&b++;this.j=PZa(this,b)}; +QZa=function(a,b){var c=a.j;(void 0===b?0:b)&&a.policy.J&&3===zza(a.videoData)&&--c;return dZ(a)*c}; +eZ=function(a,b){var c=a.Wp(),d=a.policy.j;a.D||(d=Math.max(d-1,0));a=d*dZ(a);return b>=c-a}; +RZa=function(a,b,c){b=eZ(a,b);c||b?b&&(a.B=!0):a.B=!1;a.J=2===a.policy.u||3===a.policy.u&&a.B}; +SZa=function(a,b){b=eZ(a,b);a.D!==b&&a.ma("livestatusshift",b);a.D=b}; +dZ=function(a){return a.videoData.j?OI(a.videoData.j)||5:5}; +PZa=function(a,b){b=Math.max(Math.max(a.policy.Z,Math.ceil(a.policy.B/dZ(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.ea/dZ(a))),b)}; +OZa=function(){this.Z=1;this.B=0;this.ea=Infinity;this.C=!0;this.j=2;this.u=1;this.D=!1;this.I=NaN;this.J=this.T=!1}; +hZ=function(a){g.C.call(this);this.va=a;this.Y=this.va.V();this.C=this.j=0;this.B=new g.Ip(this.gf,1E3,this);this.Ja=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_seek_timeout_delay_ms")});this.T=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_long_rebuffer_threshold_ms")});this.La=gZ(this,"html5_seek_set_cmt");this.Z=gZ(this,"html5_seek_jiggle_cmt");this.Ga=gZ(this,"html5_seek_new_elem");this.fb=gZ(this,"html5_unreported_seek_reseek");this.I=gZ(this,"html5_long_rebuffer_jiggle_cmt");this.J=new fZ({delayMs:2E4}); +this.ya=gZ(this,"html5_seek_new_elem_shorts");this.Aa=gZ(this,"html5_seek_new_elem_shorts_vrs");this.oa=gZ(this,"html5_seek_new_elem_shorts_buffer_range");this.D=gZ(this,"html5_ads_preroll_lock_timeout");this.Qa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_report_slow_ads_as_error")});this.Xa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_skip_slow_buffering_ad")});this.Ya=new fZ({delayMs:g.gJ(this.Y.experiments, +"html5_slow_start_timeout_delay_ms")});this.ea=gZ(this,"html5_slow_start_no_media_source");this.u={};g.E(this,this.B)}; +gZ=function(a,b){var c=g.gJ(a.Y.experiments,b+"_delay_ms");a=a.Y.K(b+"_cfl");return new fZ({delayMs:c,gy:a})}; +iZ=function(a,b,c,d,e,f,h,l){TZa(b,c)?(a.Kd(e,b,h),b.gy||f()):(b.QH&&b.u&&!b.C?(c=(0,g.M)(),d?b.j||(b.j=c):b.j=0,f=!d&&c-b.u>b.QH,c=b.j&&c-b.j>b.KO||f?b.C=!0:!1):c=!1,c&&(l=Object.assign({},a.lc(b),l),l.wn=h,l.we=e,l.wsuc=d,a.va.xa("workaroundReport",l),d&&(b.reset(),a.u[e]=!1)))}; +fZ=function(a){var b=void 0===a?{}:a;a=void 0===b.delayMs?0:b.delayMs;var c=void 0===b.KO?1E3:b.KO,d=void 0===b.QH?3E4:b.QH;b=void 0===b.gy?!1:b.gy;this.j=this.u=this.B=this.startTimestamp=0;this.C=!1;this.D=Math.ceil(a/1E3);this.KO=c;this.QH=d;this.gy=b}; +TZa=function(a,b){if(!a.D||a.u)return!1;if(!b)return a.reset(),!1;b=(0,g.M)();if(!a.startTimestamp)a.startTimestamp=b,a.B=0;else if(a.B>=a.D)return a.u=b,!0;a.B+=1;return!1}; +XZa=function(a){g.C.call(this);var b=this;this.va=a;this.Y=this.va.V();this.videoData=this.va.getVideoData();this.policy=new UZa(this.Y);this.Z=new hZ(this.va);this.playbackData=null;this.Qa=new g.bI;this.I=this.j=this.Fa=this.mediaElement=null;this.u=NaN;this.C=0;this.Aa=NaN;this.B=null;this.Ga=NaN;this.D=this.J=null;this.ea=this.T=!1;this.ya=new g.Ip(function(){VZa(b,!1)},2E3); +this.ib=new g.Ip(function(){jZ(b)}); +this.La=new g.Ip(function(){b.T=!0;WZa(b,{})}); +this.timestampOffset=0;this.Xa=!0;this.Ja=0;this.fb=NaN;this.oa=new g.Ip(function(){var c=b.Y.vf;c.j+=1E4/36E5;c.j-c.B>1/6&&(oxa(c),c.B=c.j);b.oa.start()},1E4); +this.Ya=this.kb=!1;g.E(this,this.Z);g.E(this,this.Qa);g.E(this,this.ya);g.E(this,this.La);g.E(this,this.ib);g.E(this,this.oa)}; +ZZa=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.I=new NZa(function(){a:{if(a.playbackData&&a.playbackData.j.j){if(jM(a.videoData)&&a.Fa){var c=a.Fa.kF.bj()||0;break a}if(a.videoData.j){c=a.videoData.j.Z;break a}}c=0}return c}),a.j=new cZ(a.videoData,a.Y.experiments,function(){return a.pe(!0)})); +YZa(a)||(a.C=a.C||a.videoData.startSeconds||0)}; +a_a=function(a,b){(a.Fa=b)?$Za(a,!0):kZ(a)}; +b_a=function(a,b){var c=a.getCurrentTime(),d=a.isAtLiveHead(c);if(a.I&&d){var e=a.I;if(e.j&&!(c>=e.u&&ce.C||3E3>g.Ra()-e.I||(e.I=g.Ra(),e.u.push(f),50=a.pe()-.1){a.u=a.pe();a.B.resolve(a.pe()); +vW(a.va);return}try{var c=a.u-a.timestampOffset;a.mediaElement.seekTo(c);a.Z.j=c;a.Ga=c;a.C=a.u}catch(d){}}}}; +h_a=function(a){if(!a.mediaElement||0===a.mediaElement.xj()||0a.pe()||dMath.random())try{g.DD(new g.bA("b/152131571",btoa(f)))}catch(T){}return x.return(Promise.reject(new PK(r,{backend:"gvi"},v)))}})}; +u_a=function(a,b){function c(B){if(!a.isDisposed()){B=B?B.status:-1;var F=0,G=((0,g.M)()-p).toFixed();G=e.K("html5_use_network_error_code_enums")?{backend:"gvi",rc:B,rt:G}:{backend:"gvi",rc:""+B,rt:G};var D="manifest.net.connect";429===B?(D="auth",F=2):200r.j&&3!==r.provider.va.getVisibilityState()&& +DYa(r);q.qoe&&(q=q.qoe,q.Ja&&0>q.u&&q.provider.Y.Hf&&WYa(q));p.Fa&&nZ(p);p.Y.Wn&&!p.videoData.backgroundable&&p.mediaElement&&!p.wh()&&(p.isBackground()&&p.mediaElement.QE()?(p.xa("bgmobile",{suspend:1}),p.Dn(!0,!0)):p.isBackground()||oZ(p)&&p.xa("bgmobile",{resume:1}));p.K("html5_log_tv_visibility_playerstate")&&g.tK(p.Y)&&p.xa("vischg",{vis:p.getVisibilityState(),ps:p.playerState.state.toString(16)})}; +this.Ne={ep:function(q){p.ep(q)}, +t8a:function(q){p.oe=q}, +n7a:function(){return p.zc}}; +this.Xi=new $Y(function(){return p.getCurrentTime()},function(){return p.getPlaybackRate()},function(){return p.getPlayerState()},function(q,r){q!==g.ZD("endcr")||g.S(p.playerState,32)||vW(p); +e(q,r,p.playerType)}); +g.E(this,this.Xi);g.E(this,this.xd);z_a(this,m);this.videoData.subscribe("dataupdated",this.S7,this);this.videoData.subscribe("dataloaded",this.PK,this);this.videoData.subscribe("dataloaderror",this.handleError,this);this.videoData.subscribe("ctmp",this.xa,this);this.videoData.subscribe("ctmpstr",this.IO,this);!this.zc||this.zc.isDisposed();this.zc=new g.ZY(new sZa(this.videoData,this.Y,this));jRa(this.Bg);this.visibility.subscribe("visibilitystatechange",this.Bg)}; +zI=function(a){return a.K("html5_not_reset_media_source")&&!a.Pl()&&!a.videoData.isLivePlayback&&g.QM(a.videoData)}; +z_a=function(a,b){if(2===a.playerType||a.Y.Yn)b.dV=!0;var c=$xa(b.Hf,b.uy,a.Y.C,a.Y.I);c&&(b.adFormat=c);2===a.playerType&&(b.Xl=!0);if(a.isFullscreen()||a.Y.C)c=g.Qz("yt-player-autonavstate"),b.autonavState=c||(a.Y.C?2:a.videoData.autonavState);b.endSeconds&&b.endSeconds>b.startSeconds&&A_a(a,b.endSeconds)}; +C_a=function(a){if(a.videoData.fb){var b=a.Nf.Rc();a.videoData.rA=a.videoData.rA||(null==b?void 0:b.KL());a.videoData.sA=a.videoData.sA||(null==b?void 0:b.NL())}if(Qza(a.videoData)||!$M(a.videoData))b=a.videoData.errorDetail,a.Ng(a.videoData.errorCode||"auth",2,unescape(a.videoData.errorReason),b,b,a.videoData.Gm||void 0);1===a.playerType&&qZ.isActive()&&a.BH.start();a.videoData.dj=a.getUserAudio51Preference();a.K("html5_generate_content_po_token")&&B_a(a)}; +TN=function(a){return a.mediaElement&&a.mediaElement.du()?a.mediaElement.ub():null}; +rZ=function(a){if(a.videoData.De())return!0;a.Ng("api.invalidparam",2,void 0,"invalidVideodata.1");return!1}; +g.tW=function(a,b){(b=void 0===b?!1:b)||vZa(a.zc);a.Ns=b;!rZ(a)||a.fp.Os()?g.tK(a.Y)&&a.videoData.isLivePlayback&&a.fp.Os()&&!a.fp.finished&&!a.Ns&&a.PK():(a.fp.start(),b=a.zc,g.uW(b.provider),b.qoe&&RYa(b.qoe),a.PK())}; +D_a=function(a){var b=a.videoData;x_a(a).then(void 0,function(c){a.videoData!==b||b.isDisposed()||(c=RK(c),"auth"===c.errorCode&&a.videoData.errorDetail?a.Ng(c.errorCode,2,unescape(a.videoData.errorReason),OK(c.details),a.videoData.errorDetail,a.videoData.Gm||void 0):a.handleError(c))})}; +sRa=function(a,b){a.kd=b;a.Fa&&hXa(a.Fa,new g.yY(b))}; +F_a=function(a){if(!g.S(a.playerState,128))if(a.videoData.isLoaded(),4!==a.playerType&&(a.zn=g.Bb(a.videoData.Ja)),EM(a.videoData)){a.vb.tick("bpd_s");sZ(a).then(function(){a.vb.tick("bpd_c");if(!a.isDisposed()){a.Ns&&(a.pc(MO(MO(a.playerState,512),1)),oZ(a));var c=a.videoData;c.endSeconds&&c.endSeconds>c.startSeconds&&A_a(a,c.endSeconds);a.fp.finished=!0;tZ(a,"dataloaded");a.Lq.Os()&&E_a(a);CYa(a.Ji,a.Df)}}); +a.K("html5_log_media_perf_info")&&a.xa("loudness",{v:a.videoData.Zi.toFixed(3)},!0);var b=$za(a.videoData);b&&a.xa("playerResponseExperiment",{id:b},!0);a.wK()}else tZ(a,"dataloaded")}; +sZ=function(a){uZ(a);a.Df=null;var b=MZa(a.Y,a.videoData,a.wh());a.mD=b;a.mD.then(function(c){G_a(a,c)},function(c){a.isDisposed()||(c=RK(c),a.visibility.isBackground()?(vZ(a,"vp_none_avail"),a.mD=null,a.fp.reset()):(a.fp.finished=!0,a.Ng(c.errorCode,c.severity,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",OK(c.details))))}); +return b}; +KY=function(a){sZ(a).then(function(){return oZ(a)}); +g.RO(a.playerState)&&a.playVideo()}; +G_a=function(a,b){if(!a.isDisposed()&&!b.videoData.isDisposed()){a.Df=b;ZZa(a.xd,a.Df);if(a.videoData.isLivePlayback){var c=iSa(a.Nf.Us,a.videoData.videoId)||a.Fa&&!isNaN(a.Fa.oa);c=a.K("html5_onesie_live")&&c;0$J(b.Y.vf,"sticky-lifetime")?"auto":mF[SI()]:d=mF[SI()],d=g.kF("auto",d,!1,"s");if(lF(d)){d=nYa(b,c);var e=d.compose,f;a:if((f=c.j)&&f.videoInfos.length){for(var h=g.t(f.videoInfos),l=h.next();!l.done;l=h.next()){l=l.value;var m=void 0;if(null==(m=l.j)?0:m.smooth){f=l.video.j;break a}}f=f.videoInfos[0].video.j}else f=0;hoa()&&!g.tK(b.Y)&&BF(c.j.videoInfos[0])&& +(f=Math.min(f,g.jF.large));d=e.call(d,new iF(0,f,!1,"o"));e=d.compose;f=4320;!b.Y.u||g.lK(b.Y)||b.Y.K("hls_for_vod")||b.Y.K("mweb_remove_360p_cap")||(f=g.jF.medium);(h=g.gJ(b.Y.experiments,"html5_default_quality_cap"))&&c.j.j&&!c.videoData.Ki&&!c.videoData.Pd&&(f=Math.min(f,h));h=g.gJ(b.Y.experiments,"html5_random_playback_cap");l=/[a-h]$/;h&&l.test(c.videoData.clientPlaybackNonce)&&(f=Math.min(f,h));if(l=h=g.gJ(b.Y.experiments,"html5_hfr_quality_cap"))a:{l=c.j;if(l.j)for(l=g.t(l.videoInfos),m=l.next();!m.done;m= +l.next())if(32h&&0!==h&&b.j===h)){var l;f=pYa(c,null==(l=e.j)?void 0:l.videoInfos);l=c.va.getPlaybackRate();1b.j&&"b"===b.reason;d=a.ue.ib&&!tI();c||e||b||d?wY(a.va, +{reattachOnConstraint:c?"u":e?"drm":d?"codec":"perf"}):xY(a)}}}; +N_a=function(a){var b;return!!(a.K("html5_native_audio_track_switching")&&g.BA&&(null==(b=a.videoData.u)?0:LH(b)))}; +O_a=function(a){if(!N_a(a))return!1;var b;a=null==(b=a.mediaElement)?void 0:b.audioTracks();return!!(a&&1n&&(n+=l.j);for(var p=0;pa.Wa.getDuration()&&a.Wa.Sk(d)):a.Wa.Sk(e);var f=a.Fa,h=a.Wa;f.policy.oa&&(f.policy.Aa&&f.xa("loader",{setsmb:0}),f.vk(),f.policy.oa=!1);YWa(f);if(!AI(h)){var l=gX(f.videoTrack),m=gX(f.audioTrack),n=(l?l.info.j:f.videoTrack.j).info,p=(m?m.info.j:f.audioTrack.j).info,q=f.policy.jl,r=n.mimeType+(void 0===q?"":q),v=p.mimeType,x=n.Lb,z=p.Lb,B,F=null==(B=h.Wa)?void 0:B.addSourceBuffer(v), +G,D="fakesb"===r.split(";")[0]?void 0:null==(G=h.Wa)?void 0:G.addSourceBuffer(r);h.Dg&&(h.Dg.webkitSourceAddId("0",v),h.Dg.webkitSourceAddId("1",r));var L=new sI(F,h.Dg,"0",GH(v),z,!1),P=new sI(D,h.Dg,"1",GH(r),x,!0);Fva(h,L,P)}QX(f.videoTrack,h.u||null);QX(f.audioTrack,h.j||null);f.Wa=h;f.Wa.C=!0;f.resume();g.eE(h.j,f.Ga,f);g.eE(h.u,f.Ga,f);try{f.gf()}catch(T){g.CD(T)}a.ma("mediasourceattached")}}catch(T){g.DD(T),a.handleError(new PK("fmt.unplayable",{msi:"1",ename:T.name},1))}} +U_a(a);a.Wa=b;zI(a)&&"open"===BI(a.Wa)?c(a.Wa):Eva(a.Wa,c)}; +U_a=function(a){if(a.Fa){var b=a.getCurrentTime()-a.Jd();a.K("html5_skip_loader_media_source_seek")&&a.Fa.getCurrentTime()===b||a.Fa.seek(b,{}).Zj(function(){})}else H_a(a)}; +IY=function(a,b){b=void 0===b?!1:b;var c,d,e;return g.A(function(f){if(1==f.j){a.Fa&&a.Fa.Xu();a.Fa&&a.Fa.isDisposed()&&uZ(a);if(a.K("html5_enable_vp9_fairplay")&&a.Pl()&&null!=(c=a.videoData.j)){var h=c,l;for(l in h.j)h.j.hasOwnProperty(l)&&(h.j[l].j=null,h.j[l].C=!1)}a.pc(MO(a.playerState,2048));a.ma("newelementrequired");return b?g.y(f,sZ(a),2):f.Ka(2)}a.videoData.fd()&&(null==(d=a.Fa)?0:d.oa)&&(e=a.isAtLiveHead())&&hM(a.videoData)&&a.seekTo(Infinity,{Je:"videoPlayer_getNewElement"});g.S(a.playerState, +8)&&a.playVideo();g.oa(f)})}; +eRa=function(a,b){a.xa("newelem",{r:b});IY(a)}; +V_a=function(a){a.vb.C.EN();g.S(a.playerState,32)||(a.pc(MO(a.playerState,32)),g.S(a.playerState,8)&&a.pauseVideo(!0),a.ma("beginseeking",a));a.yc()}; +CRa=function(a){g.S(a.playerState,32)?(a.pc(OO(a.playerState,16,32)),a.ma("endseeking",a)):g.S(a.playerState,2)||a.pc(MO(a.playerState,16));a.vb.C.JN(a.videoData,g.QO(a.playerState))}; +tZ=function(a,b){a.ma("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; +W_a=function(a){for(var b=g.t("loadstart loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" ")),c=b.next();!c.done;c=b.next())a.oA.S(a.mediaElement,c.value,a.iO,a);a.Y.ql&&a.mediaElement.du()&&(a.oA.S(a.mediaElement,"webkitplaybacktargetavailabilitychanged",a.q5,a),a.oA.S(a.mediaElement,"webkitcurrentplaybacktargetiswirelesschanged",a.r5,a))}; +Y_a=function(a){window.clearInterval(a.rH);X_a(a)||(a.rH=g.Dy(function(){return X_a(a)},100))}; +X_a=function(a){var b=a.mediaElement;b&&a.WG&&!a.videoData.kb&&!aF("vfp",a.vb.timerName)&&2<=b.xj()&&!b.Qh()&&0b.j&&(b.j=c,b.delay.start());b.u=c;b.C=c;g.Jp(a.yK);a.ma("playbackstarted");g.jA()&&((a=g.Ga("yt.scheduler.instance.clearPriorityThreshold"))?a():kA(0))}; +Z_a=function(a){var b=a.getCurrentTime(),c=a.Nf.Hd();!aF("pbs",a.vb.timerName)&&xE.measure&&xE.getEntriesByName&&(xE.getEntriesByName("mark_nr")[0]?Fta("mark_nr"):Fta());c.videoId&&a.vb.info("docid",c.videoId);c.eventId&&a.vb.info("ei",c.eventId);c.clientPlaybackNonce&&!a.K("web_player_early_cpn")&&a.vb.info("cpn",c.clientPlaybackNonce);0a.fV+6283){if(!(!a.isAtLiveHead()||a.videoData.j&&LI(a.videoData.j))){var b=a.zc;if(b.qoe){b=b.qoe;var c=b.provider.va.eC(),d=g.uW(b.provider);NYa(b,d,c);c=c.B;isNaN(c)||g.MY(b,d,"e2el",[c.toFixed(3)])}}g.FK(a.Y)&&a.xa("rawlat",{l:FS(a.xP,"rawlivelatency").toFixed(3)});a.fV=Date.now()}a.videoData.u&&LH(a.videoData.u)&&(b=TN(a))&&b.videoHeight!==a.WM&&(a.WM=b.videoHeight,K_a(a,"a",M_a(a,a.videoData.ib)))}; +M_a=function(a,b){if("auto"===b.j.video.quality&&LH(b.rh())&&a.videoData.Nd)for(var c=g.t(a.videoData.Nd),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.WM&&"auto"!==d.j.video.quality)return d.rh();return b.rh()}; +y_a=function(a){if(!hM(a.videoData))return NaN;var b=0;a.Fa&&a.videoData.j&&(b=jM(a.videoData)?a.Fa.kF.bj()||0:a.videoData.j.Z);return Date.now()/1E3-a.Pf()-b}; +c0a=function(a){a.mediaElement&&a.mediaElement.wh()&&(a.AG=(0,g.M)());a.Y.po?g.Cy(function(){b0a(a)},0):b0a(a)}; +b0a=function(a){var b;if(null==(b=a.Wa)||!b.Ol()){if(a.mediaElement)try{a.qH=a.mediaElement.playVideo()}catch(d){vZ(a,"err."+d)}if(a.qH){var c=a.qH;c.then(void 0,function(d){if(!(g.S(a.playerState,4)||g.S(a.playerState,256)||a.qH!==c||d&&"AbortError"===d.name&&d.message&&d.message.includes("load"))){var e="promise";d&&d.name&&(e+=";m."+d.name);vZ(a,e);a.DS=!0;a.videoData.aJ=!0}})}}}; +vZ=function(a,b){g.S(a.playerState,128)||(a.pc(OO(a.playerState,1028,9)),a.xa("dompaused",{r:b}),a.ma("onAutoplayBlocked"))}; +oZ=function(a){if(!a.mediaElement||!a.videoData.C)return!1;var b,c=null;if(null==(b=a.videoData.C)?0:b.j){c=T_a(a);var d;null==(d=a.Fa)||d.resume()}else uZ(a),a.videoData.ib&&(c=a.videoData.ib.QA());b=c;d=a.mediaElement.QE();c=!1;d&&d.equals(b)||(d0a(a,b),c=!0);g.S(a.playerState,2)||(b=a.xd,b.D||!(0=c&&b<=d}; +J0a=function(a){if(!(g.S(a.zb.getPlayerState(),64)&&a.Hd().isLivePlayback&&5E3>a.Bb.startTimeMs)){if("repeatChapter"===a.Bb.type){var b,c=null==(b=XJa(a.wb()))?void 0:b.MB(),d;b=null==(d=a.getVideoData())?void 0:d.Pk;c instanceof g.eU&&b&&(d=b[HU(b,a.Bb.startTimeMs)],c.FD(0,d.title));isNaN(Number(a.Bb.loopCount))?a.Bb.loopCount=0:a.Bb.loopCount++;1===a.Bb.loopCount&&a.F.Na("innertubeCommand",a.getVideoData().C1)}a.zb.seekTo(.001*a.Bb.startTimeMs,{Je:"application_loopRangeStart"})}}; +q0a=function(a,b){var c=a.Ta.getAvailablePlaybackRates();b=Number(b.toFixed(2));a=c[0];c=c[c.length-1];b<=a?b=a:b>=c?b=c:(a=Math.floor(100*b+.001)%5,b=0===a?b:Math.floor(100*(b-.01*a)+.001)/100);return b}; +QZ=function(a,b,c){if(a.mf(c)){c=c.getVideoData();if(PZ(a))c=b;else{a=a.kd;for(var d=g.t(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Nc===e.Nc){b+=e.Ec/1E3;break}d=b;a=g.t(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Nc===e.Nc)break;var f=e.Ec/1E3;if(fd?e=!0:1=b?b:0;this.j=a=l?function(){return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=t3a(m,c,d,function(q){var r=n(q),v=q.slotId; +q=l3a(h);v=ND(e.eb.get(),"LAYOUT_TYPE_SURVEY",v);var x={layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},z=new B0(e.j,d),B=new H0(e.j,v),F=new I0(e.j,v),G=new u3a(e.j);return{layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",Rb:new Map,layoutExitNormalTriggers:[z,G],layoutExitSkipTriggers:[B],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[F],Sc:[],bb:"core",Ba:new YZ([new z1a(h),new t_(b),new W_(l/1E3),new Z_(q)]),Ac:r(x),adLayoutLoggingData:h.adLayoutLoggingData}}); +m=r3a(a,c,p.slotId,d,e,m,n);return m instanceof N?m:[p].concat(g.u(m))}}; +E3a=function(a,b,c,d,e,f){var h=[];try{var l=[];if(c.renderer.linearAdSequenceRenderer)var m=function(x){x=w3a(x.slotId,c,b,e(x),d,f);l=x.o9;return x.F2}; +else if(c.renderer.instreamVideoAdRenderer)m=function(x){var z=x.slotId;x=e(x);var B=c.config.adPlacementConfig,F=x3a(B),G=F.sT;F=F.vT;var D=c.renderer.instreamVideoAdRenderer,L;if(null==D?0:null==(L=D.playerOverlay)?0:L.instreamSurveyAdRenderer)throw new TypeError("Survey overlay should not be set on single video.");var P=y3a(D);L=Math.min(G+1E3*P.videoLengthSeconds,F);F=new lN(0,[P.videoLengthSeconds],L);var T=P.videoLengthSeconds,fa=P.playerVars,V=P.instreamAdPlayerOverlayRenderer,Q=P.adVideoId, +X=z3a(c),O=P.Rb;P=P.sS;var la=null==D?void 0:D.adLayoutLoggingData;D=null==D?void 0:D.sodarExtensionData;z=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA",z);var qa={layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",bb:"core"};return{layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",Rb:O,layoutExitNormalTriggers:[new A3a(b.j)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new z_(d),new J_(T),new K_(fa),new N_(G),new O_(L),V&&new A_(V),new t_(B),new y_(Q), +new u_(F),new S_(X),D&&new M_(D),new G_({current:null}),new Q_({}),new a0(P)].filter(B3a)),Ac:x(qa),adLayoutLoggingData:la}}; +else throw new TypeError("Expected valid AdPlacementRenderer for DAI");var n=C3a(a,d,c.adSlotLoggingData,m);h.push(n);for(var p=g.t(l),q=p.next();!q.done;q=p.next()){var r=q.value,v=r(a,e);if(v instanceof N)return v;h.push.apply(h,g.u(v))}}catch(x){return new N(x,{errorMessage:x.message,AdPlacementRenderer:c,numberOfSurveyRenderers:D3a(c)})}return h}; +D3a=function(a){a=(a.renderer.linearAdSequenceRenderer||{}).linearAds;return null!=a&&a.length?a.filter(function(b){var c,d;return null!=(null==(c=g.K(b,FP))?void 0:null==(d=c.playerOverlay)?void 0:d.instreamSurveyAdRenderer)}).length:0}; +w3a=function(a,b,c,d,e,f){var h=b.config.adPlacementConfig,l=x3a(h),m=l.sT,n=l.vT;l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null==l||!l.length)throw new TypeError("Expected linear ads");var p=[],q={ZX:m,aY:0,l9:p};l=l.map(function(v){return F3a(a,v,q,c,d,h,e,n)}).map(function(v,x){x=new lN(x,p,n); +return v(x)}); +var r=l.map(function(v){return v.G2}); +return{F2:G3a(c,a,m,r,h,z3a(b),d,n,f),o9:l.map(function(v){return v.n9})}}; +F3a=function(a,b,c,d,e,f,h,l){var m=y3a(g.K(b,FP)),n=c.ZX,p=c.aY,q=Math.min(n+1E3*m.videoLengthSeconds,l);c.ZX=q;c.aY++;c.l9.push(m.videoLengthSeconds);var r,v,x=null==(r=g.K(b,FP))?void 0:null==(v=r.playerOverlay)?void 0:v.instreamSurveyAdRenderer;if("nPpU29QrbiU"===m.adVideoId&&null==x)throw new TypeError("Survey slate media has no survey overlay");return function(z){var B=m.playerVars;2<=z.u&&(B.slot_pos=z.j);B.autoplay="1";var F,G;B=m.videoLengthSeconds;var D=m.playerVars,L=m.Rb,P=m.sS,T=m.instreamAdPlayerOverlayRenderer, +fa=m.adVideoId,V=null==(F=g.K(b,FP))?void 0:F.adLayoutLoggingData;F=null==(G=g.K(b,FP))?void 0:G.sodarExtensionData;G=ND(d.eb.get(),"LAYOUT_TYPE_MEDIA",a);var Q={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};z={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",Rb:L,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new z_(h),new J_(B),new K_(D),new N_(n),new O_(q),new P_(p),new G_({current:null}), +T&&new A_(T),new t_(f),new y_(fa),new u_(z),F&&new M_(F),x&&new H1a(x),new Q_({}),new a0(P)].filter(B3a)),Ac:e(Q),adLayoutLoggingData:V};B=v3a(g.K(b,FP),f,h,z.layoutId,d);return{G2:z,n9:B}}}; +y3a=function(a){if(!a)throw new TypeError("Expected instream video ad renderer");if(!a.playerVars)throw new TypeError("Expected player vars in url encoded string");var b=qy(a.playerVars),c=Number(b.length_seconds);if(isNaN(c))throw new TypeError("Expected valid length seconds in player vars");var d=Number(a.trimmedMaxNonSkippableAdDurationMs);c=isNaN(d)?c:Math.min(c,d/1E3);d=a.playerOverlay||{};d=void 0===d.instreamAdPlayerOverlayRenderer?null:d.instreamAdPlayerOverlayRenderer;var e=b.video_id;e|| +(e=(e=a.externalVideoId)?e:void 0);if(!e)throw new TypeError("Expected valid video id in IVAR");return{playerVars:b,videoLengthSeconds:c,instreamAdPlayerOverlayRenderer:d,adVideoId:e,Rb:a.pings?oN(a.pings):new Map,sS:nN(a.pings)}}; +z3a=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; +x3a=function(a){var b=a.adTimeOffset||{};a=b.offsetEndMilliseconds;b=Number(b.offsetStartMilliseconds);if(isNaN(b))throw new TypeError("Expected valid start offset");a=Number(a);if(isNaN(a))throw new TypeError("Expected valid end offset");return{sT:b,vT:a}}; +I3a=function(a,b,c,d,e,f,h){var l=c.pings;return l?[H3a(a,f,e,function(m){var n=m.slotId;m=h(m);var p=c.adLayoutLoggingData;n=ND(b.eb.get(),"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",n);var q={layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",bb:"core"};return{layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",Rb:oN(l),layoutExitNormalTriggers:[new z0(b.j,f)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)]), +Ac:m(q),adLayoutLoggingData:p}})]:new N("VideoAdTrackingRenderer without VideoAdTracking pings filled.",{videoAdTrackingRenderer:c})}; +K3a=function(a,b,c,d,e,f,h,l){a=J3a(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=ND(b.eb.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},q=new Map,r=e.impressionUrls;r&&q.set("impression",r);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",Rb:q,layoutExitNormalTriggers:[new G0(b.j,n)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new E1a(e),new t_(c)]),Ac:m(p)}}); +return a instanceof N?a:[a]}; +P3a=function(a,b,c,d,e,f,h,l){a=L3a(a,c,f,h,d,function(m,n){var p=m.slotId;m=l(m);var q=e.contentSupportedRenderer;q?q.textOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.enhancedTextOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.imageOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", +p),n=N3a(b,n,p),n.push(new O3a(b.j,q)),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,m,n)):n=new b0("InvideoOverlayAdRenderer without appropriate sub renderer"):n=new b0("InvideoOverlayAdRenderer without contentSupportedRenderer");return n}); +return a instanceof N?a:[a]}; +S3a=function(a,b,c,d,e,f,h,l,m){var n=Number(d.durationMilliseconds);return isNaN(n)?new N("Expected valid duration for AdActionInterstitialRenderer."):function(p){return Q3a(b,p.slotId,c,n,{impressionCommands:void 0,abandonCommands:d.abandonCommands?[{commandExecutorCommand:d.abandonCommands}]:void 0,completeCommands:d.completionCommands},d.skipPings?new Map([["skip",d.skipPings]]):new Map,h(p),function(q){return R3a(a,q,e,function(r,v){var x=r.slotId;r=h(r);x=ND(b.eb.get(),"LAYOUT_TYPE_ENDCAP", +x);return n3a(b,x,v,c,r,"LAYOUT_TYPE_ENDCAP",[new C_(d),l],d.adLayoutLoggingData)})},m,f-1,d.adLayoutLoggingData,f)}}; +T3a=function(a,b,c,d){if(!c.playerVars)return new N("No playerVars available in AdIntroRenderer.");var e=qy(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=ND(a.eb.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{Wj:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new R_({}), +new t_(b),new G_({current:null}),new K_(e)]),Ac:f(l)},Cl:[new F0(a.j,h,["error"])],Bj:[],Yx:[],Xx:[]}}}; +V3a=function(a,b,c,d,e,f,h,l,m,n){n=void 0===n?!1:n;var p=k3a(e);if(!h3a(e,n))return new N("Received invalid InstreamSurveyAdRenderer for VOD composite survey.",{InstreamSurveyAdRenderer:e});if(0>=p)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:e});var q=o3a(a,b,e,f,c,d,h);return q instanceof N?q:function(r){return U3a(b,r.slotId,c,p,l3a(e),h(r),q,l,m)}}; +W3a=function(a){if(isNaN(Number(a.timeoutSeconds))||!a.text||!a.ctaButton||!g.K(a.ctaButton,g.mM)||!a.brandImage)return!1;var b;return a.backgroundImage&&g.K(a.backgroundImage,U0)&&(null==(b=g.K(a.backgroundImage,U0))?0:b.landscape)?!0:!1}; +Y3a=function(a,b,c,d,e,f,h,l){function m(q){return R3a(a,q,d,n)} +function n(q,r){var v=q.slotId;q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",v);return n3a(b,v,r,c,q,"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",[new y1a(e),f],e.adLayoutLoggingData)} +if(!W3a(e))return new N("Received invalid SurveyTextInterstitialRenderer.",{SurveyTextInterstitialRenderer:e});var p=1E3*e.timeoutSeconds;return function(q){var r={impressionCommands:e.impressionCommands,completeCommands:e.timeoutCommands,skipCommands:e.dismissCommands},v=h(q);q=X3a(b,q.slotId,c,p,r,new Map,v,m);r=new E_(q.lH);v=new v_(l);return{Wj:{layoutId:q.layoutId,layoutType:q.layoutType,Rb:q.Rb,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[], +Sc:[],bb:q.bb,Ba:new YZ([].concat(g.u(q.Vx),[r,v])),Ac:q.Ac,adLayoutLoggingData:q.adLayoutLoggingData},Cl:[],Bj:q.layoutExitMuteTriggers,Yx:q.layoutExitUserInputSubmittedTriggers,Xx:q.Sc,Cg:q.Cg}}}; +$3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z){a=MD(a,"SLOT_TYPE_PLAYER_BYTES");d=L2a(b,h,d,e,a,n,p);if(d instanceof N)return d;var B;h=null==(B=ZZ(d.Ba,"metadata_type_fulfilled_layout"))?void 0:B.layoutId;if(!h)return new N("Invalid adNotify layout");b=Z3a(h,b,c,e,f,m,l,n,q,r,v,x,z);return b instanceof N?b:[d].concat(g.u(b))}; +Z3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){c=a4a(b,c,d,f,h,l,m,n,p,q,r);b4a(f)?(d=c4a(b,a),a=MD(b.eb.get(),"SLOT_TYPE_IN_PLAYER"),f=ND(b.eb.get(),"LAYOUT_TYPE_SURVEY",a),l=d4a(b,d,l),b=[].concat(g.u(l.slotExpirationTriggers),[new E0(b.j,f)]),a=c({slotId:l.slotId,slotType:l.slotType,slotPhysicalPosition:l.slotPhysicalPosition,slotEntryTrigger:l.slotEntryTrigger,slotFulfillmentTriggers:l.slotFulfillmentTriggers,slotExpirationTriggers:b,bb:l.bb},{slotId:a,layoutId:f}),e=a instanceof N?a:{Tv:Object.assign({}, +l,{slotExpirationTriggers:b,Ba:new YZ([new T_(a.layout)]),adSlotLoggingData:e}),gg:a.gg}):e=P2a(b,a,l,e,c);return e instanceof N?e:[].concat(g.u(e.gg),[e.Tv])}; +g4a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){b=a4a(a,b,c,e,f,h,m,n,p,q,r);b4a(e)?(e=e4a(a,c,h,l),e instanceof N?d=e:(l=MD(a.eb.get(),"SLOT_TYPE_IN_PLAYER"),m=ND(a.eb.get(),"LAYOUT_TYPE_SURVEY",l),h=[].concat(g.u(e.slotExpirationTriggers),[new E0(a.j,m)]),l=b({slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,bb:e.bb,slotEntryTrigger:e.slotEntryTrigger,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h},{slotId:l,layoutId:m}),l instanceof N?d=l:(a=f4a(a, +c,l.yT,e.slotEntryTrigger),d=a instanceof N?a:{Tv:{slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,slotEntryTrigger:a,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h,bb:e.bb,Ba:new YZ([new T_(l.layout)]),adSlotLoggingData:d},gg:l.gg}))):d=Q2a(a,c,h,l,d,m.fd,b);return d instanceof N?d:d.gg.concat(d.Tv)}; +b4a=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(g.K(b.value,v0))return!0;return!1}; +a4a=function(a,b,c,d,e,f,h,l,m,n,p){return function(q,r){if(P0(p)&&Q0(p))a:{var v=h4a(d);if(v instanceof N)r=v;else{for(var x=0,z=[],B=[],F=[],G=[],D=[],L=[],P=new H_({current:null}),T=new x_({current:null}),fa=!1,V=[],Q=0,X=[],O=0;O=m)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:c});var n=new H_({current:null}),p=o3a(a,b,c,n,d,f,h);return j4a(a,d,f,m,e,function(q,r){var v=q.slotId,x=l3a(c);q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA_BREAK",v);var z={layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK", +bb:"core"},B=p(v,r);ZZ(B.Ba,"metadata_type_fulfilled_layout")||GD("Could not retrieve overlay layout ID during VodMediaBreakLayout for survey creation. This should never happen.");x=[new t_(d),new X_(m),new Z_(x),n];return{M4:{layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",Rb:new Map,layoutExitNormalTriggers:[new G0(b.j,v)],layoutExitSkipTriggers:[new H0(b.j,r.layoutId)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[new I0(b.j,r.layoutId)],Sc:[],bb:"core",Ba:new YZ(x),Ac:q(z)}, +f4:B}})}; +l4a=function(a){if(!u2a(a))return!1;var b=g.K(a.adVideoStart,EP);return b?g.K(a.linearAd,FP)&&gO(b)?!0:(GD("Invalid Sandwich with notify"),!1):!1}; +m4a=function(a){if(null==a.linearAds)return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +n4a=function(a){if(!t2a(a))return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +W0=function(a,b,c,d,e,f,h,l){this.eb=a;this.Ib=b;this.Ab=c;this.Ca=d;this.Jb=e;this.j=f;this.Dj=h;this.loadPolicy=void 0===l?1:l}; +jra=function(a,b,c,d,e,f,h,l,m){var n=[];if(0===b.length&&0===d.length)return n;b=b.filter(j2a);var p=c.filter(s2a),q=d.filter(j2a),r=new Map,v=X2a(b);if(c=c.some(function(O){var la;return"SLOT_TYPE_PLAYER_BYTES"===(null==O?void 0:null==(la=O.adSlotMetadata)?void 0:la.slotType)}))p=Z2a(p,b,l,e,v,a.Jb.get(),a.loadPolicy,r,a.Ca.get(),a.eb.get()),p instanceof N?GD(p,void 0,void 0,{contentCpn:e}):n.push.apply(n,g.u(p)); +p=g.t(b);for(var x=p.next();!x.done;x=p.next()){x=x.value;var z=o4a(a,r,x,e,f,h,c,l,v,m);z instanceof N?GD(z,void 0,void 0,{renderer:x.renderer,config:x.config.adPlacementConfig,kind:x.config.adPlacementConfig.kind,contentCpn:e,daiEnabled:h}):n.push.apply(n,g.u(z))}p4a(a.Ca.get())||(f=q4a(a,q,e,l,v,r),n.push.apply(n,g.u(f)));if(null===a.j||h&&!l.iT){var B,F,G;a=l.fd&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null==(B=b[0].config)?void 0:null==(F=B.adPlacementConfig)?void 0:F.kind)&& +(null==(G=b[0].renderer)?void 0:G.adBreakServiceRenderer);if(!n.length&&!a){var D,L,P,T;GD("Expected slots parsed from AdPlacementRenderers for DAI",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,"first APR kind":null==(D=b[0])?void 0:null==(L=D.config)?void 0:null==(P=L.adPlacementConfig)?void 0:P.kind,renderer:null==(T=b[0])?void 0:T.renderer})}return n}B=d.filter(j2a);n.push.apply(n,g.u(H2a(r,B,a.Ib.get(),a.j,e,c)));if(!n.length){var fa,V,Q,X;GD("Expected slots parsed from AdPlacementRenderers", +void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,daiEnabled:h.toString(),"first APR kind":null==(fa=b[0])?void 0:null==(V=fa.config)?void 0:null==(Q=V.adPlacementConfig)?void 0:Q.kind,renderer:null==(X=b[0])?void 0:X.renderer})}return n}; +q4a=function(a,b,c,d,e,f){function h(r){return c_(a.Jb.get(),r)} +var l=[];b=g.t(b);for(var m=b.next();!m.done;m=b.next()){m=m.value;var n=m.renderer,p=n.sandwichedLinearAdRenderer,q=n.linearAdSequenceRenderer;p&&l4a(p)?(GD("Found AdNotify with SandwichedLinearAdRenderer"),q=g.K(p.adVideoStart,EP),p=g.K(p.linearAd,FP),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,q=M2a(null==(n=q)?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,p,c,d,h,e,a.loadPolicy,a.Ca.get(),a.Jb.get()),q instanceof N?GD(q):l.push.apply(l,g.u(q))): +q&&(!q.adLayoutMetadata&&m4a(q)||q.adLayoutMetadata&&n4a(q))&&(GD("Found AdNotify with LinearAdSequenceRenderer"),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,p=Z3a(null==(n=g.K(q.adStart,EP))?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,q.linearAds,t0(q.adLayoutMetadata)?q.adLayoutMetadata:void 0,c,d,h,e,a.loadPolicy,a.Ca.get()),p instanceof N?GD(p):l.push.apply(l,g.u(p)))}return l}; +o4a=function(a,b,c,d,e,f,h,l,m,n){function p(B){return c_(a.Jb.get(),B)} +var q=c.renderer,r=c.config.adPlacementConfig,v=r.kind,x=c.adSlotLoggingData,z=l.iT&&"AD_PLACEMENT_KIND_START"===v;z=f&&!z;if(null!=q.adsEngagementPanelRenderer)return L0(b,c.elementId,v,q.adsEngagementPanelRenderer.isContentVideoEngagementPanel,q.adsEngagementPanelRenderer.adVideoId,q.adsEngagementPanelRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.adsEngagementPanelRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON", +new r1a(P),F,G,P.impressionPings,T,q.adsEngagementPanelRenderer.adLayoutLoggingData,D)}),[]; +if(null!=q.actionCompanionAdRenderer){if(q.actionCompanionAdRenderer.showWithoutLinkedMediaLayout)return D2a(a.Ib.get(),a.j,a.Ab.get(),q.actionCompanionAdRenderer,r,x,d,p);L0(b,c.elementId,v,q.actionCompanionAdRenderer.isContentVideoCompanion,q.actionCompanionAdRenderer.adVideoId,q.actionCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.actionCompanionAdRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new o_(P), +F,G,P.impressionPings,T,q.actionCompanionAdRenderer.adLayoutLoggingData,D)})}else if(q.imageCompanionAdRenderer)L0(b,c.elementId,v,q.imageCompanionAdRenderer.isContentVideoCompanion,q.imageCompanionAdRenderer.adVideoId,q.imageCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.imageCompanionAdRenderer,T=c_(a.Jb.get(),B); +return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new t1a(P),F,G,P.impressionPings,T,q.imageCompanionAdRenderer.adLayoutLoggingData,D)}); +else if(q.shoppingCompanionCarouselRenderer)L0(b,c.elementId,v,q.shoppingCompanionCarouselRenderer.isContentVideoCompanion,q.shoppingCompanionCarouselRenderer.adVideoId,q.shoppingCompanionCarouselRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.shoppingCompanionCarouselRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new u1a(P),F,G,P.impressionPings,T,q.shoppingCompanionCarouselRenderer.adLayoutLoggingData,D)}); +else if(q.adBreakServiceRenderer){if(!z2a(c))return[];if("AD_PLACEMENT_KIND_PAUSE"===v)return y2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d);if("AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"!==v)return w2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d,e,f);if(!a.Dj)return new N("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");l.fd||GD("Received non-live cue point triggered AdBreakServiceRenderer",void 0,void 0,{kind:v,adPlacementConfig:r, +daiEnabledForContentVideo:String(f),isServedFromLiveInfra:String(l.fd),clientPlaybackNonce:l.clientPlaybackNonce});r4a(a.Dj,{adPlacementRenderer:c,contentCpn:d,bT:e})}else{if(q.clientForecastingAdRenderer)return K3a(a.Ib.get(),a.Ab.get(),r,x,q.clientForecastingAdRenderer,d,e,p);if(q.invideoOverlayAdRenderer)return P3a(a.Ib.get(),a.Ab.get(),r,x,q.invideoOverlayAdRenderer,d,e,p);if((q.linearAdSequenceRenderer||q.instreamVideoAdRenderer)&&z)return E3a(a.Ib.get(),a.Ab.get(),c,d,p,n);if(q.linearAdSequenceRenderer&& +!z){if(h&&!b4a(q.linearAdSequenceRenderer.linearAds))return[];K0(b,q,v);if(q.linearAdSequenceRenderer.adLayoutMetadata){if(!t2a(q.linearAdSequenceRenderer))return new N("Received invalid LinearAdSequenceRenderer.")}else if(null==q.linearAdSequenceRenderer.linearAds)return new N("Received invalid LinearAdSequenceRenderer.");if(g.K(q.linearAdSequenceRenderer.adStart,EP)){GD("Found AdNotify in LinearAdSequenceRenderer");b=g.K(q.linearAdSequenceRenderer.adStart,EP);if(!WBa(b))return new N("Invalid AdMessageRenderer."); +c=q.linearAdSequenceRenderer.linearAds;return $3a(a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),r,x,b,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,c,d,e,l,p,m,a.loadPolicy,a.Ca.get())}return g4a(a.Ib.get(),a.Ab.get(),r,x,q.linearAdSequenceRenderer.linearAds,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get())}if(!q.remoteSlotsRenderer||f)if(!q.instreamVideoAdRenderer|| +z||h){if(q.instreamSurveyAdRenderer)return k4a(a.Ib.get(),a.Ab.get(),q.instreamSurveyAdRenderer,r,x,d,p,V0(a.Ca.get(),"supports_multi_step_on_desktop"));if(null!=q.sandwichedLinearAdRenderer)return u2a(q.sandwichedLinearAdRenderer)?g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP)?(GD("Found AdNotify in SandwichedLinearAdRenderer"),b=g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP),WBa(b)?(c=g.K(q.sandwichedLinearAdRenderer.linearAd,FP))?N2a(b,c,r,a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),x,d, +e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Missing IVAR from Sandwich"):new N("Invalid AdMessageRenderer.")):g4a(a.Ib.get(),a.Ab.get(),r,x,[q.sandwichedLinearAdRenderer.adVideoStart,q.sandwichedLinearAdRenderer.linearAd],void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Received invalid SandwichedLinearAdRenderer.");if(null!=q.videoAdTrackingRenderer)return I3a(a.Ib.get(),a.Ab.get(),q.videoAdTrackingRenderer,r,x,d,p)}else return K0(b,q,v),R2a(a.Ib.get(),a.Ab.get(),r,x,q.instreamVideoAdRenderer,d,e,l, +p,m,a.loadPolicy,a.Ca.get(),a.Jb.get())}return[]}; +Y0=function(a){g.C.call(this);this.j=a}; +zC=function(a,b,c,d){a.j().lj(b,d);c=c();a=a.j();a.Qb.j("ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.t(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_RECEIVED",c);oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.j;if(g.Tb(c.slotId))throw new N("Slot ID was empty",void 0,"ADS_CLIENT_ERROR_MESSAGE_INVALID_SLOT");if(f0(e,c))throw new N("Duplicate registration for slot.",{slotId:c.slotId,slotEntryTriggerType:c.slotEntryTrigger.triggerType}, +"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");if(!e.rf.Tp.has(c.slotType))throw new N("No fulfillment adapter factory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_FULFILLMENT_ADAPTER_REGISTERED");if(!e.rf.Wq.has(c.slotType))throw new N("No SlotAdapterFactory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_SLOT_ADAPTER_REGISTERED");e2a(e,"TRIGGER_CATEGORY_SLOT_ENTRY",c.slotEntryTrigger?[c.slotEntryTrigger]:[]);e2a(e,"TRIGGER_CATEGORY_SLOT_FULFILLMENT", +c.slotFulfillmentTriggers);e2a(e,"TRIGGER_CATEGORY_SLOT_EXPIRATION",c.slotExpirationTriggers);var f=d.j,h=c.slotType+"_"+c.slotPhysicalPosition,l=m0(f,h);if(f0(f,c))throw new N("Duplicate slots not supported",void 0,"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");l.set(c.slotId,new $1a(c));f.j.set(h,l)}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR", +c),GD(V,c));break a}f0(d.j,c).I=!0;try{var m=d.j,n=f0(m,c),p=c.slotEntryTrigger,q=m.rf.al.get(p.triggerType);q&&(q.Zl("TRIGGER_CATEGORY_SLOT_ENTRY",p,c,null),n.ya.set(p.triggerId,q));for(var r=g.t(c.slotFulfillmentTriggers),v=r.next();!v.done;v=r.next()){var x=v.value,z=m.rf.al.get(x.triggerType);z&&(z.Zl("TRIGGER_CATEGORY_SLOT_FULFILLMENT",x,c,null),n.Z.set(x.triggerId,z))}for(var B=g.t(c.slotExpirationTriggers),F=B.next();!F.done;F=B.next()){var G=F.value,D=m.rf.al.get(G.triggerType);D&&(D.Zl("TRIGGER_CATEGORY_SLOT_EXPIRATION", +G,c,null),n.ea.set(G.triggerId,D))}var L=m.rf.Tp.get(c.slotType).get().wf(m.B,c);n.J=L;var P=m.rf.Wq.get(c.slotType).get().wf(m.D,c);P.init();n.u=P}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR",c),GD(V,c));d0(d,c,!0);break a}oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.j.Ii(c);for(var T=g.t(d.Fd),fa=T.next();!fa.done;fa= +T.next())fa.value.Ii(c);L1a(d,c)}}; +Z0=function(a,b,c,d){this.er=b;this.j=c;this.visible=d;this.triggerType="TRIGGER_TYPE_MEDIA_TIME_RANGE";this.triggerId=a(this.triggerType)}; +$0=function(a,b,c,d){g.C.call(this);var e=this;this.ac=a;this.Ib=b;this.wc=c;this.j=new Map;d.get().addListener(this);g.bb(this,function(){d.isDisposed()||d.get().removeListener(e)})}; +hra=function(a,b){var c=0x8000000000000;for(var d=0,e=g.t(b.slotFulfillmentTriggers),f=e.next();!f.done;f=e.next())f=f.value,f instanceof Z0?(c=Math.min(c,f.j.start),d=Math.max(d,f.j.end)):GD("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new iq(c,d);d="throttledadcuerange:"+b.slotId;a.j.set(d,b);a.wc.get().addCueRange(d,c.start,c.end,!1,a)}; +a1=function(){g.C.apply(this,arguments);this.Jj=!0;this.Vk=new Map;this.j=new Map}; +s4a=function(a,b){a=g.t(a.Vk.values());for(var c=a.next();!c.done;c=a.next())if(c.value.layoutId===b)return!0;return!1}; +t4a=function(a,b){a=g.t(a.j.values());for(var c=a.next();!c.done;c=a.next()){c=g.t(c.value);for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.layoutId===b)return d}GD("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.Tb(b)),layoutId:b})}; +A3a=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; +u4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED";this.triggerId=a(this.triggerType)}; +v4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_IN_PLAYER";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED";this.triggerId=a(this.triggerType)}; +w4a=function(a,b){this.opportunityType="OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED";this.associatedSlotId=b;this.triggerType="TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED";this.triggerId=a(this.triggerType)}; +u3a=function(a){this.triggerType="TRIGGER_TYPE_PLAYBACK_MINIMIZED";this.triggerId=a(this.triggerType)}; +x4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +b1=function(a,b){this.layoutId=b;this.triggerType="TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME";this.triggerId=a(this.triggerType)}; +y4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +O3a=function(a,b){this.durationMs=45E3;this.triggeringLayoutId=b;this.triggerType="TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +z4a=function(a){var b=[new D_(a.vp),new A_(a.instreamAdPlayerOverlayRenderer),new C1a(a.xO),new t_(a.adPlacementConfig),new J_(a.videoLengthSeconds),new W_(a.MG)];a.qK&&b.push(new x_(a.qK));return b}; +A4a=function(a,b,c,d,e,f){a=c.inPlayerLayoutId?c.inPlayerLayoutId:ND(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",Rb:new Map,layoutExitNormalTriggers:[new B0(function(l){return OD(f,l)},c.vp)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:b,Ba:d,Ac:e(h),adLayoutLoggingData:c.instreamAdPlayerOverlayRenderer.adLayoutLoggingData}}; +c1=function(a){var b=this;this.eb=a;this.j=function(c){return OD(b.eb.get(),c)}}; +W2a=function(a,b,c,d,e,f){c=new YZ([new B_(c),new t_(d)]);b=ND(a.eb.get(),"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",b);d={layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",Rb:new Map,layoutExitNormalTriggers:[new B0(function(h){return OD(a.eb.get(),h)},e)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:c,Ac:f(d),adLayoutLoggingData:void 0}}; +O0=function(a,b,c,d,e){var f=z4a(d);return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +B4a=function(a,b,c,d,e){var f=z4a(d);f.push(new r_(d.H1));f.push(new s_(d.J1));return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +X0=function(a,b,c,d,e,f,h,l,m,n){b=ND(a.eb.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},q=new Map;h&&q.set("impression",h);h=[new u4a(a.j,e)];n&&h.push(new F0(a.j,n,["normal"]));return{layoutId:b,layoutType:c,Rb:q,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([d,new t_(f),new D_(e)]),Ac:l(p),adLayoutLoggingData:m}}; +N3a=function(a,b,c){var d=[];d.push(new v4a(a.j,c));b&&d.push(b);return d}; +M3a=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,Rb:new Map,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[new E0(a.j,b)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new s1a(d),new t_(e)]),Ac:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; +n3a=function(a,b,c,d,e,f,h,l){var m={layoutId:b,layoutType:f,bb:"core"};return{layoutId:b,layoutType:f,Rb:new Map,layoutExitNormalTriggers:[new B0(a.j,c)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)].concat(g.u(h))),Ac:e(m),adLayoutLoggingData:l}}; +Q3a=function(a,b,c,d,e,f,h,l,m,n,p,q){a=X3a(a,b,c,d,e,f,h,l,p,q);b=a.Vx;c=new E_(a.lH);d=a.layoutExitSkipTriggers;0Math.random())try{g.Is(new g.tr("b/152131571",btoa(b)))}catch(B){}return x["return"](Promise.reject(new uB(y,!0,{backend:"gvi"})))}})})}; -Nza=function(a,b){return We(this,function d(){var e,f,h,l,m,n,p,r,t,w,y,x,B,E;return xa(d,function(G){if(1==G.u)return a.fetchType="gvi",e=a.T(),(l=Vta(a))?(f={format:"RAW",method:"POST",withCredentials:!0,timeout:3E4,tc:l},h=bq(b,{action_display_post:1})):(f={format:"RAW",method:"GET",withCredentials:!0,timeout:3E4},h=b),m={},e.sendVisitorIdHeader&&a.visitorData&&(m["X-Goog-Visitor-Id"]=a.visitorData),(n=g.kB(e.experiments,"debug_dapper_trace_id"))&&(m["X-Google-DapperTraceInfo"]=n),(p=g.kB(e.experiments, -"debug_sherlog_username"))&&(m["X-Youtube-Sherlog-Username"]=p),0n.u&& -3!==n.provider.getVisibilityState()&&bya(n)}m.qoe&&(m=m.qoe,m.za&&0>m.B&&m.provider.W.ce&&iya(m));g.P(l.W.experiments,"html5_background_quality_cap")&&l.Ba&&U_(l);l.W.Ns&&!l.videoData.backgroundable&&l.da&&!l.Ze()&&(l.isBackground()&&l.da.Yu()?(l.Na("bgmobile","suspend"),l.fi(!0)):l.isBackground()||V_(l)&&l.Na("bgmobile","resume"))}; -this.ea();this.Vf=new mF(function(){return l.getCurrentTime()},function(){return l.getPlaybackRate()},function(){return l.getPlayerState()},function(m,n){m!==g.hF("endcr")||g.U(l.playerState,32)||sY(l); -e(m,n,l.playerType)}); -g.D(this,this.Vf);Qza(this,function(){return{}}); -Rza(this);Yva(this.ff);this.visibility.subscribe("visibilitystatechange",this.ff);Sza(this)}; -Qza=function(a,b){!a.Jb||a.Jb.na();a.Jb=new g.f_(new e_(a.videoData,a.W,b,function(){return a.getDuration()},function(){return a.getCurrentTime()},function(){return a.zq()},function(){return a.Yr.getPlayerSize()},function(){return a.getAudioTrack()},function(){return a.getPlaybackRate()},function(){return a.da?a.da.getVideoPlaybackQuality():{}},a.getVisibilityState,function(){a.fu()},function(){a.eb.tick("qoes")},function(){return a.Mi()}))}; -Rza=function(a){!a.Ac||a.Ac.na();a.Ac=new AZ(a.videoData,a.W,a.visibility);a.Ac.subscribe("newelementrequired",function(b){return nY(a,b)}); -a.Ac.subscribe("qoeerror",a.Er,a);a.Ac.subscribe("playbackstalledatstart",function(){return a.V("playbackstalledatstart")}); -a.Ac.subscribe("signatureexpiredreloadrequired",function(){return a.V("signatureexpired")}); -a.Ac.subscribe("releaseloader",function(){X_(a)}); -a.Ac.subscribe("pausevideo",function(){a.pauseVideo()}); -a.Ac.subscribe("clienttemp",a.Na,a);a.Ac.subscribe("highrepfallback",a.UO,a);a.Ac.subscribe("playererror",a.Rd,a);a.Ac.subscribe("removedrmplaybackmanager",function(){Y_(a)}); -a.Ac.subscribe("formatupdaterequested",function(){Z_(a)}); -a.Ac.subscribe("reattachvideosourcerequired",function(){Tza(a)})}; -$_=function(a){var b=a.Jb;b.B&&b.B.send();if(b.qoe){var c=b.qoe;if(c.P){"PL"===c.Pc&&(c.Pc="N");var d=g.rY(c.provider);g.MZ(c,d,"vps",[c.Pc]);c.D||(0<=c.B&&(c.u.user_intent=[c.B.toString()]),c.D=!0);c.reportStats(d)}}if(b.provider.videoData.enableServerStitchedDai)for(c=g.q(b.D.values()),d=c.next();!d.done;d=c.next())vya(d.value);else b.u&&vya(b.u);b.dispose();g.fg(a.Jb)}; -xK=function(a){return a.da&&a.da.ol()?a.da.Pa():null}; -a0=function(a){if(a.videoData.isValid())return!0;a.Rd("api.invalidparam",void 0,"invalidVideodata.1");return!1}; -vT=function(a,b){b=void 0===b?!1:b;a.Kv&&a.ba("html5_match_codecs_for_gapless")&&(a.videoData.Lh=!0,a.videoData.an=!0,a.videoData.Nl=a.Kv.by(),a.videoData.mn=a.Kv.dy());a.Im=b;if(!a0(a)||a.di.started)g.wD(a.W)&&a.videoData.isLivePlayback&&a.di.started&&!a.di.isFinished()&&!a.Im&&a.vx();else{a.di.start();var c=a.Jb;g.rY(c.provider);c.qoe&&hya(c.qoe);a.vx()}}; -Uza=function(a){var b=a.videoData,c=a.Yr.getPlayerSize(),d=a.getVisibilityState(),e=Uta(a.W,a.videoData,c,d,a.isFullscreen());Pza(a.videoData,e,function(f){a.handleError(f)},a.eb,c,d).then(void 0,function(f){a.videoData!==b||b.na()||(f=wB(f),"auth"===f.errorCode&&a.videoData.errorDetail?a.Rd("auth",unescape(a.videoData.errorReason),g.vB(f.details),a.videoData.errorDetail,a.videoData.Ki||void 0):a.handleError(f))})}; -awa=function(a,b){a.te=b;a.Ba&&(a.Ba.ub=new Kwa(b))}; -Wza=function(a){if(!g.U(a.playerState,128))if(a.videoData.Uc(),a.mx=!0,a.ea(),4!==a.playerType&&(a.dh=g.rb(a.videoData.Of)),aJ(a.videoData)){b0(a).then(function(){a.na()||(a.Im&&V_(a),Vza(a,a.videoData),a.di.u=!0,c0(a,"dataloaded"),a.oj.started?d0(a):a.Im&&a.vb(CM(CM(a.playerState,512),1)),aya(a.cg,a.Id))}); -a.Na("loudness",""+a.videoData.Ir.toFixed(3),!0);var b=Pla(a.videoData);b&&a.Na("playerResponseExperiment",b,!0);a.ex()}else c0(a,"dataloaded")}; -b0=function(a){X_(a);a.Id=null;var b=Gya(a.W,a.videoData,a.Ze());a.No=b;a.No.then(function(c){Xza(a,c)},function(c){a.na()||(c=wB(c),a.visibility.isBackground()?(e0(a,"vp_none_avail"),a.No=null,a.di.reset()):(a.di.u=!0,a.Rd(c.errorCode,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",g.vB(c.details))))}); +b5a=function(a,b){a=a.j.get(b);if(!a)return{};a=a.GL();if(!a)return{};b={};return b.YT_ERROR_CODE=a.AI.toString(),b.ERRORCODE=a.mE.toString(),b.ERROR_MSG=a.errorMessage,b}; +c5a=function(a){var b={},c=a.F.getVideoData(1);b.ASR=AN(function(){var d;return null!=(d=null==c?void 0:c.Lw)?d:null}); +b.EI=AN(function(){var d;return null!=(d=null==c?void 0:c.eventId)?d:null}); return b}; -Z_=function(a){a.ea();b0(a).then(function(){return V_(a)}); -g.GM(a.playerState)&&a.playVideo()}; -Xza=function(a,b){if(!a.na()&&!b.videoData.na()&&(a.ea(),a.Id=b,Qya(a.Kb,a.Id),!a.videoData.isLivePlayback||0g.P(a.W.experiments,"hoffle_max_video_duration_secs")||0!==a.videoData.startSeconds||!a.videoData.offlineable||!a.videoData.ra||a.videoData.ra.isOtf||a.videoData.ra.isLive||a.videoData.ra.he||cy(a.videoData.videoId)||(g.Q(a.W.experiments,"hoffle_cfl_lock_format")?(a.Na("dlac","cfl"),a.videoData.rE=!0):(RI(a.videoData,!0),a.videoData.Qq=new rF(a.videoData.videoId,2, -{Ro:!0,ou:!0,videoDuration:a.videoData.lengthSeconds}),a.Na("dlac","w")))}; -h0=function(a){a.ea();a.da&&a.da.Ao();vT(a);a0(a)&&!g.U(a.playerState,128)&&(a.oj.started||(a.oj.start(),a.vb(CM(CM(a.playerState,8),1))),d0(a))}; -d0=function(a){a.na();a.ea();if(a.oj.isFinished())a.ea();else if(a.di.isFinished())if(g.U(a.playerState,128))a.ea();else if(a.dh.length)a.ea();else{if(!a.Vf.started){var b=a.Vf;b.started=!0;b.fk()}if(a.Qj())a.ea();else{a.Ba&&(b=a.Ba.Ja,a.ED=!!b.u&&!!b.B);a.oj.isFinished()||(a.oj.u=!0);!a.videoData.isLivePlayback||0b.startSeconds){var c=b.endSeconds;a.Ji&&(a.removeCueRange(a.Ji),a.Ji=null);a.Ji=new g.eF(1E3*c,0x7ffffffffffff);a.Ji.namespace="endcr";a.addCueRange(a.Ji)}}; -j0=function(a,b,c,d){a.videoData.Oa=c;d&&$za(a,b,d);var e=(d=g.i0(a))?d.Yb():"";d=a.Jb;c=new Mxa(a.videoData,c,b,e);if(d.qoe){d=d.qoe;e=g.rY(d.provider);g.MZ(d,e,"vfs",[c.u.id,c.B,d.kb,c.reason]);d.kb=c.u.id;var f=d.provider.D();if(0m?new DC(0,l,!1,"e"):UD;m=g.P(b.W.experiments,"html5_background_quality_cap");var n=g.P(b.W.experiments,"html5_background_cap_idle_secs");e=!m||"auto"!==Qxa(b)||Bp()/1E31E3*r);p&&(m=m?Math.min(m,n):n)}n=g.P(b.W.experiments,"html5_random_playback_cap");r=/[a-h]$/;n&&r.test(c.videoData.clientPlaybackNonce)&&(m=m?Math.min(m,n):n);(n=g.P(b.W.experiments, -"html5_not_vp9_supported_quality_cap"))&&!oB('video/webm; codecs="vp9"')&&(m=m?Math.min(m,n):n);if(r=n=g.P(b.W.experiments,"html5_hfr_quality_cap"))a:{r=c.La;if(r.Lc())for(r=g.q(r.videoInfos),p=r.next();!p.done;p=r.next())if(32d&&0!==d&&b.u===d)){aAa(HC(b));if(c.ba("html5_exponential_memory_for_sticky")){e=c.W.fd;d=1;var f=void 0===f?!1:f;VC(e,"sticky-lifetime");e.values["sticky-lifetime"]&&e.Mj["sticky-lifetime"]||(e.values["sticky-lifetime"]=0,e.Mj["sticky-lifetime"]=0);f&&.0625b.u;e=a.K.Ub&&!yB();c||d||b||e?(a.dd("reattachOnConstraint",c?"u":d?"drm":e?"codec":"perf"),a.V("reattachrequired")): -KF(a)}}}; -U_=function(a){a.ba("html5_nonblocking_media_capabilities")?l0(a):g0(a)}; -Zza=function(a){a.ba("html5_probe_media_capabilities")&&Nxa(a.videoData.La);Xga(a.videoData.ra,{cpn:a.videoData.clientPlaybackNonce,c:a.W.deviceParams.c,cver:a.W.deviceParams.cver});var b=a.W,c=a.videoData,d=new g.Jw,e=Iw(b,{hasSubfragmentedFmp4:c.hasSubfragmentedFmp4,Ui:c.Ui});d.D=e;d.Us=b.ba("html5_disable_codec_for_playback_on_error");d.Ms=b.ba("html5_max_drift_per_track_secs")||b.ba("html5_rewrite_manifestless_for_sync")||b.ba("html5_check_segnum_discontinuity");d.Fn=b.ba("html5_unify_sqless_flow"); -d.Dc=b.ba("html5_unrewrite_timestamps");d.Zb=b.ba("html5_stop_overlapping_requests");d.ng=g.P(b.experiments,"html5_min_readbehind_secs");d.hB=g.P(b.experiments,"html5_min_readbehind_cap_secs");d.KI=g.P(b.experiments,"html5_max_readbehind_secs");d.GC=g.Q(b.experiments,"html5_trim_future_discontiguous_ranges");d.Is=b.ba("html5_append_init_while_paused");d.Jg=g.P(b.experiments,"html5_max_readahead_bandwidth_cap");d.Ql=g.P(b.experiments,"html5_post_interrupt_readahead");d.R=g.P(b.experiments,"html5_subsegment_readahead_target_buffer_health_secs"); -d.Cc=g.P(b.experiments,"html5_subsegment_readahead_timeout_secs");d.HB=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs");d.kc=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");d.IB=g.P(b.experiments,"html5_subsegment_readahead_min_load_speed");d.En=g.P(b.experiments,"html5_subsegment_readahead_load_speed_check_interval");d.JB=g.P(b.experiments,"html5_subsegment_readahead_seek_latency_fudge");d.wi=b.ba("html5_peak_shave");d.lB=b.ba("html5_peak_shave_always_include_sd"); -d.yB=b.ba("html5_restrict_streaming_xhr_on_sqless_requests");d.yI=g.P(b.experiments,"html5_max_headm_for_streaming_xhr");d.nB=b.ba("html5_pipeline_manifestless_allow_nonstreaming");d.rB=b.ba("html5_prefer_server_bwe3");d.Hn=1024*g.P(b.experiments,"html5_video_tbd_min_kb");d.Rl=b.ba("html5_probe_live_using_range");d.gH=b.ba("html5_last_slice_transition");d.FB=b.ba("html5_store_xhr_headers_readable");d.lu=b.ba("html5_enable_packet_train_response_rate");if(e=g.P(b.experiments,"html5_probe_secondary_during_timeout_miss_count"))d.Sl= -e,d.NB=1;d.Ta=g.P(b.experiments,"html5_probe_primary_delay_base_ms")||d.Ta;d.Lg=b.ba("html5_no_placeholder_rollbacks");d.GB=b.ba("html5_subsegment_readahead_enable_mffa");b.ba("html5_allow_video_keyframe_without_audio")&&(d.ia=!0);d.yn=b.ba("html5_reattach_on_stuck");d.gE=b.ba("html5_webm_init_skipping");d.An=g.P(b.experiments,"html5_request_size_padding_secs")||d.An;d.Gu=b.ba("html5_log_timestamp_offset");d.Qc=b.ba("html5_abs_buffer_health");d.bH=b.ba("html5_interruption_resets_seeked_time");d.Ig= -g.P(b.experiments,"html5_max_live_dvr_window_plus_margin_secs")||d.Ig;d.ke=b.ba("html5_explicitly_dispose_xhr");d.EB=b.ba("html5_skip_invalid_sq");d.xB=b.ba("html5_restart_on_unexpected_detach");d.aI=b.ba("html5_log_live_discontinuity");d.zB=b.ba("html5_rewrite_manifestless_for_continuity");d.sf=g.P(b.experiments,"html5_manifestless_seg_drift_limit_secs");d.Hg=g.P(b.experiments,"html5_max_drift_per_track_secs");d.BB=b.ba("html5_rewrite_manifestless_for_sync");d.Nb=g.P(b.experiments,"html5_static_abr_resolution_shelf"); -d.Ls=!b.ba("html5_encourage_array_coalescing");d.Ps=b.ba("html5_crypto_period_secs_from_emsg");d.ut=b.ba("html5_disable_reset_on_append_error");d.qv=b.ba("html5_filter_non_efficient_formats_for_safari");d.iB=b.ba("html5_format_hybridization");d.Gp=b.ba("html5_abort_before_separate_init");b.ba("html5_media_common_config_killswitch")||(d.F=c.maxReadAheadMediaTimeMs/1E3||d.F,e=b.schedule,e.u.u()===e.policy.C?d.P=10:d.P=c.minReadAheadMediaTimeMs/1E3||d.P,d.ce=c.readAheadGrowthRateMs/1E3||d.ce);wg&&(d.X= -41943040);d.ma=!FB();g.wD(b)||!FB()?(e=b.experiments,d.I=8388608,d.K=524288,d.Ks=5,d.Ob=2097152,d.Y=1048576,d.vB=1.5,d.kB=!1,d.zb=4587520,ir()&&(d.zb=786432),d.u*=1.1,d.B*=1.1,d.kb=!0,d.X=d.I,d.Ub=d.K,d.xi=g.Q(e,"persist_disable_player_preload_on_tv")||g.Q(e,"persist_disable_player_preload_on_tv_for_living_room")||!1):b.u&&(d.u*=1.3,d.B*=1.3);g.pB&&dr("crkey")&&(e="CHROMECAST/ANCHOVY"===b.deviceParams.cmodel,d.I=20971520,d.K=1572864,e&&(d.zb=812500,d.zn=1E3,d.fE=5,d.Y=2097152));!b.ba("html5_disable_firefox_init_skipping")&& -g.vC&&(d.kb=!0);b.supportsGaplessAudio()||(d.Mt=!1);fD&&(d.zl=!0);mr()&&(d.Cn=!0);var f,h,l;if(LI(c)){d.tv=!0;d.DB=!0;if("ULTRALOW"===c.latencyClass||"LOW"===c.latencyClass&&!b.ba("html5_disable_low_pipeline"))d.sI=2,d.AI=4;d.Fj=c.defraggedFromSubfragments;c.cd&&(d.Ya=!0);g.eJ(c)&&(d.ha=!1);d.Ns=g.JD(b)}c.isAd()&&(d.Ja=0,d.Ne=0);NI(c)&&(d.fa=!0,b.ba("html5_resume_streaming_requests")&&(d.ub=!0,d.zn=400,d.vI=2));d.za=b.ba("html5_enable_subsegment_readahead_v3")||b.ba("html5_ultra_low_latency_subsegment_readahead")&& -"ULTRALOW"===c.latencyClass;d.Aa=c.nk;d.sH=d.Aa&&(/^rq[a-f]/.test(c.clientPlaybackNonce)||CI(c));sr()&&/(K\d{3}|KS\d{3}|KU\d{3})/.test(b.deviceParams.cmodel)&&!b.ba("html5_disable_move_pssh_to_moov")&&(null===(f=c.ra)||void 0===f?0:KB(f))&&(d.kb=!1);if(null===(h=c.ra)||void 0===h?0:KB(h))d.yn=!1;h=0;b.ba("html5_live_use_alternate_bandwidth_window_sizes")&&(h=b.schedule.policy.u,c.isLivePlayback&&(h=g.P(b.experiments,"ULTRALOW"===c.latencyClass?"html5_live_ultra_low_latency_bandwidth_window":c.isLowLatencyLiveStream? -"html5_live_low_latency_bandwidth_window":"html5_live_normal_latency_bandwidth_window")||h));f=b.schedule;f.P.u=LI(c)?.5:0;if(!f.policy.B&&h&&(f=f.u,h=Math.round(h*f.resolution),h!==f.B)){e=Array(h);var m=Math.min(h,f.D?f.B:f.valueIndex),n=f.valueIndex-m;0>n&&(n+=f.B);for(var p=0;pa.videoData.endSeconds&&isFinite(b)&&(a.removeCueRange(a.Ji),a.Ji=null);ba.mediaSource.getDuration()&&a.mediaSource.gi(c)):a.mediaSource.gi(d);var e=a.Ba,f=a.mediaSource;e.ha&&(yF(e),e.ha=!1);xF(e);if(!CB(f)){var h=e.B.u.info.mimeType+e.u.tu,l=e.D.u.info.mimeType,m,n,p=null===(m=f.mediaSource)||void 0=== -m?void 0:m.addSourceBuffer(l),r="fakesb"===h?void 0:null===(n=f.mediaSource)||void 0===n?void 0:n.addSourceBuffer(h);f.de&&(f.de.webkitSourceAddId("0",l),f.de.webkitSourceAddId("1",h));var t=new xB(p,f.de,"0",bx(l),!1),w=new xB(r,f.de,"1",bx(h),!0);f.u=t;f.B=w;g.D(f,t);g.D(f,w)}iA(e.B,f.B);iA(e.D,f.u);e.C=f;e.resume();vt(f.u,e.kb,e);vt(f.B,e.kb,e);e.u.Gu&&1E-4>=Math.random()&&e.dd("toff",""+f.u.supports(1),!0);e.Uh();a.V("mediasourceattached");a.CA.stop()}}catch(y){g.Is(y),a.handleError(new uB("fmt.unplayable", -!0,{msi:"1",ename:y.name}))}})}; -fAa=function(a){a.Ba?Cm(a.Ba.seek(a.getCurrentTime()-a.yc()),function(){}):Zza(a)}; -nY=function(a,b){b=void 0===b?!1:b;return We(a,function d(){var e=this;return xa(d,function(f){if(1==f.u)return e.Ba&&e.Ba.na()&&X_(e),e.V("newelementrequired"),b?f=sa(f,b0(e),2):(f.u=2,f=void 0),f;g.U(e.playerState,8)&&e.playVideo();f.u=0})})}; -Vva=function(a,b){a.Na("newelem",b);nY(a)}; -n0=function(a){g.U(a.playerState,32)||(a.vb(CM(a.playerState,32)),g.U(a.playerState,8)&&a.pauseVideo(!0),a.V("beginseeking",a));a.sc()}; -BY=function(a){g.U(a.playerState,32)?(a.vb(EM(a.playerState,16,32)),a.V("endseeking",a)):g.U(a.playerState,2)||a.vb(CM(a.playerState,16))}; -c0=function(a,b){a.V("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; -gAa=function(a){g.Cb("loadstart loadeddata loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" "),function(b){this.xp.N(this.da,b,this.Jz,this)},a); -a.W.Cn&&a.da.ol()&&(a.xp.N(a.da,"webkitplaybacktargetavailabilitychanged",a.eO,a),a.xp.N(a.da,"webkitcurrentplaybacktargetiswirelesschanged",a.fO,a))}; -iAa=function(a){a.ba("html5_enable_timeupdate_timeout")&&!a.videoData.isLivePlayback&&hAa(a)&&a.nw.start()}; -hAa=function(a){if(!a.da)return!1;var b=a.da.getCurrentTime();a=a.da.getDuration();return!!(1a-.3)}; -jAa=function(a){window.clearInterval(a.Gv);q0(a)||(a.Gv=Ho(function(){return q0(a)},100))}; -q0=function(a){var b=a.da;b&&a.qr&&!a.videoData.Rg&&!WE("vfp",a.eb.timerName)&&2<=b.yg()&&!b.Yi()&&0b.u&&(b.u=c,b.delay.start());b.B=c;b.D=c}a.fx.Sb();a.V("playbackstarted");g.up()&&((a=g.Ja("yt.scheduler.instance.clearPriorityThreshold"))?a():wp(0))}; -Zsa=function(a){var b=a.getCurrentTime(),c=a.videoData;!WE("pbs",a.eb.timerName)&&XE.measure&&XE.getEntriesByName&&(XE.getEntriesByName("mark_nr")[0]?YE("mark_nr"):YE());c.videoId&&a.eb.info("docid",c.videoId);c.eventId&&a.eb.info("ei",c.eventId);c.clientPlaybackNonce&&a.eb.info("cpn",c.clientPlaybackNonce);0a.jE+6283){if(!(!a.isAtLiveHead()||a.videoData.ra&&WB(a.videoData.ra))){var b=a.Jb;if(b.qoe){b=b.qoe;var c=b.provider.zq(),d=g.rY(b.provider);gya(b,d,c);c=c.F;isNaN(c)||g.MZ(b,d,"e2el",[c.toFixed(3)])}}g.JD(a.W)&&a.Na("rawlat","l."+SY(a.iw,"rawlivelatency").toFixed(3));a.jE=g.A()}a.videoData.Oa&&ix(a.videoData.Oa)&&(b=xK(a))&&b.videoHeight!==a.Xy&&(a.Xy=b.videoHeight,j0(a,"a",cAa(a,a.videoData.fh)))}; -cAa=function(a,b){if("auto"===b.Oa.Ma().quality&&ix(b.Te())&&a.videoData.lk)for(var c=g.q(a.videoData.lk),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.Xy&&"auto"!==d.Oa.Ma().quality)return d.Te();return b.Te()}; -T_=function(a){if(!a.videoData.isLivePlayback||!a.videoData.ra||!a.Ba)return NaN;var b=LI(a.videoData)?a.Ba.Ya.u()||0:a.videoData.ra.R;return g.A()/1E3-a.Ue()-b}; -lAa=function(a){!a.ba("html5_ignore_airplay_events_on_new_video_killswitch")&&a.da&&a.da.Ze()&&(a.wu=(0,g.N)());a.W.tu?g.Go(function(){r0(a)},0):r0(a)}; -r0=function(a){a.da&&(a.yr=a.da.playVideo());if(a.yr){var b=a.yr;b.then(void 0,function(c){a.ea();if(!g.U(a.playerState,4)&&!g.U(a.playerState,256)&&a.yr===b)if(c&&"AbortError"===c.name&&c.message&&c.message.includes("load"))a.ea();else{var d="promise";c&&c.name&&(d+=";m."+c.name);try{a.vb(CM(a.playerState,2048))}catch(e){}e0(a,d);a.YB=!0}})}}; -e0=function(a,b){g.U(a.playerState,128)||(a.vb(EM(a.playerState,1028,9)),a.Na("dompaused",b),a.V("onDompaused"))}; -V_=function(a){if(!a.da||!a.videoData.La)return!1;var b,c,d=null;(null===(c=a.videoData.La)||void 0===c?0:c.Lc())?(d=p0(a),null===(b=a.Ba)||void 0===b?void 0:b.resume()):(X_(a),a.videoData.fh&&(d=a.videoData.fh.Yq()));b=d;d=a.da.Yu();c=!1;d&&null!==b&&b.u===d.u||(a.eb.tick("vta"),ZE("vta","video_to_ad"),0=c&&b<=d}; -xAa=function(a,b){var c=a.u.getAvailablePlaybackRates();b=Number(b.toFixed(2));var d=c[0];c=c[c.length-1];b<=d||(b>=c?d=c:(d=Math.floor(100*b+.001)%5,d=0===d?b:Math.floor(100*(b-.01*d)+.001)/100));return d}; -R0=function(a,b,c){if(a.cd(c)){c=c.getVideoData();if(a.I)c=b;else{a=a.te;for(var d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Hc===e.Hc){b+=e.pc/1E3;break}d=b;a=g.q(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Hc===e.Hc)break;var f=e.pc/1E3;if(f=.25*d||c)&&a.md("first_quartile"),(b>=.5*d||c)&&a.md("midpoint"),(b>=.75*d||c)&&a.md("third_quartile"),a=a.s8,b*=1E3,c=a.D())){for(;a.C=v?new iq(1E3*q,1E3*r):new iq(1E3*Math.floor(d+Math.random()*Math.min(v,p)),1E3*r)}p=m}else p={Cn:Tsa(c),zD:!1},r=c.startSecs+c.Sg,c.startSecs<=d?m=new iq(1E3*(c.startSecs-4),1E3*r):(q=Math.max(0,c.startSecs-d-10),m=new iq(1E3*Math.floor(d+ +Math.random()*(m?0===d?0:Math.min(q,5):q)),1E3*r)),p.Rp=m;e=v2a(e,f,h,p,l,[new D1a(c)]);n.get().Sh("daism","ct."+Date.now()+";cmt."+d+";smw."+(p.Rp.start/1E3-d)+";tw."+(c.startSecs-d)+";cid."+c.identifier.replaceAll(":","_")+";sid."+e.slotId);return[e]})}; +f2=function(a,b,c,d,e,f,h,l,m){g.C.call(this);this.j=a;this.B=b;this.u=c;this.ac=d;this.Ib=e;this.Ab=f;this.Jb=h;this.Ca=l;this.Va=m;this.Jj=!0}; +e6a=function(a,b,c){return V2a(a.Ib.get(),b.contentCpn,b.vp,function(d){return W2a(a.Ab.get(),d.slotId,c,b.adPlacementConfig,b.vp,c_(a.Jb.get(),d))})}; +g2=function(a){var b,c=null==(b=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:b.current;if(!c)return null;b=ZZ(a.Ba,"metadata_type_ad_pod_skip_target_callback_ref");var d=a.layoutId,e=ZZ(a.Ba,"metadata_type_content_cpn"),f=ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),h=ZZ(a.Ba,"metadata_type_player_underlay_renderer"),l=ZZ(a.Ba,"metadata_type_ad_placement_config"),m=ZZ(a.Ba,"metadata_type_video_length_seconds");var n=AC(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds")? +ZZ(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"):AC(a.Ba,"metadata_type_layout_enter_ms")&&AC(a.Ba,"metadata_type_layout_exit_ms")?(ZZ(a.Ba,"metadata_type_layout_exit_ms")-ZZ(a.Ba,"metadata_type_layout_enter_ms"))/1E3:void 0;return{vp:d,contentCpn:e,xO:c,qK:b,instreamAdPlayerOverlayRenderer:f,instreamAdPlayerUnderlayRenderer:h,adPlacementConfig:l,videoLengthSeconds:m,MG:n,inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id")}}; +g6a=function(a,b){return f6a(a,b)}; +h6a=function(a,b){b=f6a(a,b);if(!b)return null;var c;b.MG=null==(c=ZZ(a.Ba,"metadata_type_ad_pod_info"))?void 0:c.adBreakRemainingLengthSeconds;return b}; +f6a=function(a,b){var c,d=null==(c=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:c.current;if(!d)return null;AC(a.Ba,"metadata_ad_video_is_listed")?c=ZZ(a.Ba,"metadata_ad_video_is_listed"):b?c=b.isListed:(GD("No layout metadata nor AdPlayback specified for ad video isListed"),c=!1);AC(a.Ba,"metadata_type_ad_info_ad_metadata")?b=ZZ(a.Ba,"metadata_type_ad_info_ad_metadata"):b?b={channelId:b.bk,channelThumbnailUrl:b.profilePicture,channelTitle:b.author,videoTitle:b.title}:(GD("No layout metadata nor AdPlayback specified for AdMetaData"), +b={channelId:"",channelThumbnailUrl:"",channelTitle:"",videoTitle:""});return{H1:b,adPlacementConfig:ZZ(a.Ba,"metadata_type_ad_placement_config"),J1:c,contentCpn:ZZ(a.Ba,"metadata_type_content_cpn"),inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id"),instreamAdPlayerOverlayRenderer:ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),instreamAdPlayerUnderlayRenderer:void 0,MG:void 0,xO:d,vp:a.layoutId,videoLengthSeconds:ZZ(a.Ba, +"metadata_type_video_length_seconds")}}; +i6a=function(a,b){this.callback=a;this.slot=b}; +h2=function(){}; +j6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +k6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c;this.u=!1;this.j=0}; +l6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +i2=function(a){this.Ha=a}; +j2=function(a,b,c,d){this.category=a;this.trigger=b;this.slot=c;this.layout=d}; +k2=function(a){g.C.call(this);this.gJ=a;this.Wb=new Map}; +m6a=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof I0&&f.triggeringLayoutId===b&&c.push(e)}c.length?k0(a.gJ(),c):GD("Survey is submitted but no registered triggers can be activated.")}; +l2=function(a,b,c){k2.call(this,a);var d=this;this.Ca=c;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(d)})}; +m2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map;this.D=new Set;this.B=new Set;this.C=new Set;this.I=new Set;this.u=new Set}; +n2=function(a,b){g.C.call(this);var c=this;this.j=a;this.Wb=new Map;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)})}; +n6a=function(a,b,c,d){var e=[];a=g.t(a.values());for(var f=a.next();!f.done;f=a.next())if(f=f.value,f.trigger instanceof z0){var h=f.trigger.j===b;h===c?e.push(f):d&&h&&(GD("Firing OnNewPlaybackAfterContentVideoIdTrigger from presumed cached playback CPN match.",void 0,void 0,{cpn:b}),e.push(f))}return e}; +o6a=function(a){return a instanceof x4a||a instanceof y4a||a instanceof b1}; +o2=function(a,b,c,d){g.C.call(this);var e=this;this.u=a;this.wc=b;this.Ha=c;this.Va=d;this.Jj=!0;this.Wb=new Map;this.j=new Set;c.get().addListener(this);g.bb(this,function(){c.isDisposed()||c.get().removeListener(e)})}; +p6a=function(a,b,c,d,e,f,h,l,m,n){if(a.Va.get().vg(1).clientPlaybackNonce!==m)throw new N("Cannot register CueRange-based trigger for different content CPN",{trigger:c});a.Wb.set(c.triggerId,{Cu:new j2(b,c,d,e),Lu:f});a.wc.get().addCueRange(f,h,l,n,a)}; +q6a=function(a,b){a=g.t(a.Wb.entries());for(var c=a.next();!c.done;c=a.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;if(b===d.Lu)return c}return""}; +p2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +Y1=function(a,b){b=b.layoutId;for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())if(e=e.value,e.trigger instanceof G0){var f;if(f=e.trigger.layoutId===b)f=(f=S1a.get(e.category))?"normal"===f:!1;f&&c.push(e)}c.length&&k0(a.j(),c)}; +q2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +r2=function(a,b,c){g.C.call(this);this.j=a;this.hn=b;this.eb=c;this.hn.get().addListener(this)}; +s2=function(a,b,c,d,e,f){g.C.call(this);this.B=a;this.cf=b;this.Jb=c;this.Va=d;this.eb=e;this.Ca=f;this.j=this.u=null;this.C=!1;this.cf.get().addListener(this)}; +dCa=function(a,b,c,d,e){var f=MD(a.eb.get(),"SLOT_TYPE_PLAYER_BYTES");a.u={slotId:f,slotType:"SLOT_TYPE_PLAYER_BYTES",slotPhysicalPosition:1,slotEntryTrigger:void 0,slotFulfillmentTriggers:[],slotExpirationTriggers:[],bb:"surface",Ba:new YZ([])};a.j={layoutId:b,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"surface",Ba:new YZ(c),Ac:l1a(b_(a.Jb.get()),f,"SLOT_TYPE_PLAYER_BYTES", +1,"surface",void 0,[],[],b,"LAYOUT_TYPE_MEDIA","surface"),adLayoutLoggingData:e};P1a(a.B(),a.u,a.j);d&&(Q1a(a.B(),a.u,a.j),a.C=!0,j0(a.B(),a.u,a.j))}; +t2=function(a){this.fu=a}; +r6a=function(a,b){if(!a)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};a.trackingParams&&pP().eq(a.trackingParams);if(a.adThrottled)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};var c,d=null!=(c=a.adSlots)?c:[];c=a.playerAds;if(!c||!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};c=c.map(function(f){return f.adPlacementRenderer}).filter(function(f){return!(!f||!f.renderer)}); +if(!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};if(0e&&h.jA(p,e-d);return p}; +E6a=function(a,b){var c=ZZ(b.Ba,"metadata_type_sodar_extension_data");if(c)try{m5a(0,c)}catch(d){GD("Unexpected error when loading Sodar",a,b,{error:d})}}; +G6a=function(a,b,c,d,e,f){F6a(a,b,new g.WN(c,new g.KO),d,e,!1,f)}; +F6a=function(a,b,c,d,e,f,h){f=void 0===f?!0:f;R5a(c)&&Z1(e,0,null)&&(!N1(a,"impression")&&h&&h(),a.md("impression"));N1(a,"impression")&&(g.YN(c,4)&&!g.YN(c,2)&&a.lh("pause"),0>XN(c,4)&&!(0>XN(c,2))&&a.lh("resume"),g.YN(c,16)&&.5<=e&&a.lh("seek"),f&&g.YN(c,2)&&H6a(a,c.state,b,d,e))}; +H6a=function(a,b,c,d,e,f){if(N1(a,"impression")){var h=1>=Math.abs(d-e);I6a(a,b,h?d:e,c,d,f);h&&a.md("complete")}}; +I6a=function(a,b,c,d,e,f){M1(a,1E3*c);0>=e||0>=c||(null==b?0:g.S(b,16))||(null==b?0:g.S(b,32))||(Z1(c,.25*e,d)&&(f&&!N1(a,"first_quartile")&&f("first"),a.md("first_quartile")),Z1(c,.5*e,d)&&(f&&!N1(a,"midpoint")&&f("second"),a.md("midpoint")),Z1(c,.75*e,d)&&(f&&!N1(a,"third_quartile")&&f("third"),a.md("third_quartile")))}; +J6a=function(a,b){N1(a,"impression")&&a.lh(b?"fullscreen":"end_fullscreen")}; +K6a=function(a){N1(a,"impression")&&a.lh("clickthrough")}; +L6a=function(a){a.lh("active_view_measurable")}; +M6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_fully_viewable_audible_half_duration")}; +N6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_viewable")}; +O6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_audible")}; +P6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_measurable")}; +Q6a=function(a,b,c,d,e,f,h,l,m,n,p,q){this.callback=a;this.slot=b;this.layout=c;this.qf=d;this.Za=e;this.Ha=f;this.Td=h;this.Mb=l;this.hf=m;this.Ca=n;this.Oa=p;this.Va=q;this.tG=!0;this.Nc=this.Fc=null}; +R6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +S6a=function(a,b){var c,d;a.Oa.get().Sh("ads_imp","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b+";skp."+!!g.K(null==(d=ZZ(a.layout.Ba,"metadata_type_instream_ad_player_overlay_renderer"))?void 0:d.skipOrPreviewRenderer,R0))}; +T6a=function(a){return{enterMs:ZZ(a.Ba,"metadata_type_layout_enter_ms"),exitMs:ZZ(a.Ba,"metadata_type_layout_exit_ms")}}; +U6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){A2.call(this,a,b,c,d,e,h,l,m,n,q);this.Td=f;this.hf=p;this.Mb=r;this.Ca=v;this.Nc=this.Fc=null}; +V6a=function(a,b){var c;a.Oa.get().Sh("ads_imp","acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b)}; +W6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +X6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B,F,G){this.Ue=a;this.u=b;this.Va=c;this.qf=d;this.Ha=e;this.Oa=f;this.Td=h;this.xf=l;this.Mb=m;this.hf=n;this.Pe=p;this.wc=q;this.Mc=r;this.zd=v;this.Xf=x;this.Nb=z;this.dg=B;this.Ca=F;this.j=G}; +B2=function(a){g.C.call(this);this.j=a;this.Wb=new Map}; +C2=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.j===b.layoutId&&c.push(e);c.length&&k0(a.j(),c)}; +D2=function(a,b){g.C.call(this);var c=this;this.C=a;this.u=new Map;this.B=new Map;this.j=null;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)}); +var d;this.j=(null==(d=b.get().Nu)?void 0:d.slotId)||null}; +Y6a=function(a,b){var c=[];a=g.t(a.values());for(var d=a.next();!d.done;d=a.next())d=d.value,d.slot.slotId===b&&c.push(d);return c}; +Z6a=function(a){this.F=a}; +$6a=function(a,b,c,d,e){gN.call(this,"image-companion",a,b,c,d,e)}; +a7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +b7a=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; +c7a=function(a,b,c,d,e){gN.call(this,"shopping-companion",a,b,c,d,e)}; +d7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +e7a=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; +f7a=function(a,b,c,d,e,f){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.Jj=!0;this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +g7a=function(){var a=["metadata_type_action_companion_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON"]}}; +h7a=function(a,b,c,d,e){gN.call(this,"ads-engagement-panel",a,b,c,d,e)}; +i7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +j7a=function(){var a=["metadata_type_ads_engagement_panel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON"]}}; +k7a=function(a,b,c,d,e){this.vc=a;this.Oa=b;this.Ue=c;this.j=d;this.Mb=e}; +l7a=function(a,b,c){gN.call(this,"player-underlay",a,{},b,c);this.interactionLoggingClientData=c}; +E2=function(a,b,c,d){P1.call(this,a,b,c,d)}; +m7a=function(a){this.vc=a}; +n7a=function(a,b,c,d){gN.call(this,"survey-interstitial",a,b,c,d)}; +F2=function(a,b,c,d,e){P1.call(this,c,a,b,d);this.Oa=e;a=ZZ(b.Ba,"metadata_type_ad_placement_config");this.Za=new J1(b.Rb,e,a,b.layoutId)}; +G2=function(a){return Math.round(a.width)+"x"+Math.round(a.height)}; +p7a=function(a,b,c){c=void 0===c?o7a:c;c.widtha.width*a.height*.2)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") to container("+G2(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") covers container("+G2(a)+") center."}}; +q7a=function(a,b){var c=ZZ(a.Ba,"metadata_type_ad_placement_config");return new J1(a.Rb,b,c,a.layoutId)}; +H2=function(a){return ZZ(a.Ba,"metadata_type_invideo_overlay_ad_renderer")}; +r7a=function(a,b,c,d){gN.call(this,"invideo-overlay",a,b,c,d);this.interactionLoggingClientData=d}; +I2=function(a,b,c,d,e,f,h,l,m,n,p,q){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.Ha=l;this.Nb=m;this.Ca=n;this.I=p;this.D=q;this.Za=q7a(b,c)}; +s7a=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; +J2=function(a,b,c,d,e,f,h,l,m,n,p,q,r){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.J=l;this.Ha=m;this.Nb=n;this.Ca=p;this.I=q;this.D=r;this.Za=q7a(b,c)}; +t7a=function(){for(var a=["metadata_type_invideo_overlay_ad_renderer"],b=g.t(K1()),c=b.next();!c.done;c=b.next())a.push(c.value);return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}}; +K2=function(a){this.Ha=a;this.j=!1}; +u7a=function(a,b,c){gN.call(this,"survey",a,{},b,c)}; +v7a=function(a,b,c,d,e,f,h){P1.call(this,c,a,b,d);this.C=e;this.Ha=f;this.Ca=h}; +w7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +L2=function(a){g.C.call(this);this.B=a;this.Jj=!0;this.Wb=new Map;this.j=new Map;this.u=new Map}; +x7a=function(a,b){var c=[];if(b=a.j.get(b.layoutId)){b=g.t(b);for(var d=b.next();!d.done;d=b.next())(d=a.u.get(d.value.triggerId))&&c.push(d)}return c}; +y7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,"SLOT_TYPE_ABOVE_FEED",f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.rS=Y(function(){return new k7a(f.vc,f.Oa,a,f.Pc,f.Mb)}); +g.E(this,this.rS);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.RW=Y(function(){return new x6a(f.Ha,f.Oa,f.Ca)}); +g.E(this,this.RW);this.Um=Y(function(){return new w7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.AY=Y(function(){return new m7a(f.vc)}); +g.E(this,this.AY);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_ABOVE_FEED",this.Qd],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd],["SLOT_TYPE_PLAYER_UNDERLAY",this.Qd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_SURVEY_SUBMITTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb], +["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_SLOT_ID_UNSCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER", +this.Oe],["TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER",this.Oe],["TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME",this.Oe],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE_ALLOW_REACTIVATION_ON_USER_CANCELLED",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED", +this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh],["SLOT_TYPE_PLAYER_UNDERLAY",this.Gd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Gd]]),yq:new Map([["SLOT_TYPE_ABOVE_FEED",this.rS],["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_PLAYBACK_TRACKING",this.RW],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_UNDERLAY",this.AY]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +z7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +A7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new z7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY", +this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED", +this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc, +Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +B7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.NW=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.NW);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.NW],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +C7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES", +this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +N2=function(a,b,c,d,e,f,h,l,m){T1.call(this,a,b,c,d,e,f,h,m);this.Bm=l}; +D7a=function(){var a=I5a();a.Ae.push("metadata_type_ad_info_ad_metadata");return a}; +E7a=function(a,b,c,d,e,f){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f}; +F7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.WY=Y(function(){return new E7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c)}); +g.E(this,this.WY);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING", +this.Mh],["SLOT_TYPE_IN_PLAYER",this.WY],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +G7a=function(a,b,c,d,e,f,h){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f;this.Ca=h}; +H7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj,3)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Xh=new f2(h6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.Um=Y(function(){return new G7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c,f.Ca)}); +g.E(this,this.Um);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd], +["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED", +this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING", +this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_IN_PLAYER",this.Um]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +J7a=function(a,b,c,d){g.C.call(this);var e=this;this.j=I7a(function(){return e.u},a,b,c,d); +g.E(this,this.j);this.u=(new h2a(this.j)).B();g.E(this,this.u)}; +O2=function(a){return a.j.yv}; +I7a=function(a,b,c,d,e){try{var f=b.V();if(g.DK(f))var h=new y7a(a,b,c,d,e);else if(g.GK(f))h=new A7a(a,b,c,d,e);else if("WEB_MUSIC_EMBEDDED_PLAYER"===g.rJ(f))h=new C7a(a,b,c,d,e);else if(uK(f))h=new B7a(a,b,c,d,e);else if(g.nK(f))h=new F7a(a,b,c,d,e);else if(g.mK(f))h=new H7a(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return h=b.V(),GD("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:h.j.cplatform,interface:h.j.c,I7a:h.j.cver,H7a:h.j.ctheme, +G7a:h.j.cplayer,c8a:h.playerStyle}),new l5a(a,b,c,d,e)}}; +K7a=function(a){FQ.call(this,a)}; +L7a=function(a,b,c,d,e){NQ.call(this,a,{G:"div",N:"ytp-ad-timed-pie-countdown-container",W:[{G:"svg",N:"ytp-ad-timed-pie-countdown",X:{viewBox:"0 0 20 20"},W:[{G:"circle",N:"ytp-ad-timed-pie-countdown-background",X:{r:"10",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-inner",X:{r:"5",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-outer",X:{r:"10",cx:"10",cy:"10"}}]}]},"timed-pie-countdown",b,c,d,e);this.B=this.Da("ytp-ad-timed-pie-countdown-inner");this.C=this.Da("ytp-ad-timed-pie-countdown-outer"); +this.u=Math.ceil(10*Math.PI);this.hide()}; +M7a=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-action-interstitial",X:{tabindex:"0"},W:[{G:"div",N:"ytp-ad-action-interstitial-background-container"},{G:"div",N:"ytp-ad-action-interstitial-slot",W:[{G:"div",N:"ytp-ad-action-interstitial-card",W:[{G:"div",N:"ytp-ad-action-interstitial-image-container"},{G:"div",N:"ytp-ad-action-interstitial-headline-container"},{G:"div",N:"ytp-ad-action-interstitial-description-container"},{G:"div",N:"ytp-ad-action-interstitial-action-button-container"}]}]}]}, +"ad-action-interstitial",b,c,d);this.pP=e;this.gI=f;this.navigationEndpoint=this.j=this.skipButton=this.u=this.actionButton=null;this.Ja=this.Da("ytp-ad-action-interstitial-image-container");this.J=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-image");g.E(this,this.J);this.J.Ea(this.Ja);this.Ga=this.Da("ytp-ad-action-interstitial-headline-container");this.D=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-headline"); +g.E(this,this.D);this.D.Ea(this.Ga);this.Aa=this.Da("ytp-ad-action-interstitial-description-container");this.C=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-description");g.E(this,this.C);this.C.Ea(this.Aa);this.Ya=this.Da("ytp-ad-action-interstitial-background-container");this.Z=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-background",!0);g.E(this,this.Z);this.Z.Ea(this.Ya);this.Qa=this.Da("ytp-ad-action-interstitial-action-button-container"); +this.slot=this.Da("ytp-ad-action-interstitial-slot");this.B=new Jz;g.E(this,this.B);this.hide()}; +N7a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +R7a=function(a,b,c,d){eQ.call(this,a,{G:"div",N:"ytp-ad-overlay-slot",W:[{G:"div",N:"ytp-ad-overlay-container"}]},"invideo-overlay",b,c,d);this.J=[];this.fb=this.Aa=this.C=this.Ya=this.Ja=null;this.Qa=!1;this.D=null;this.Z=0;a=this.Da("ytp-ad-overlay-container");this.Ga=new WQ(a,45E3,6E3,.3,.4);g.E(this,this.Ga);this.B=O7a(this);g.E(this,this.B);this.B.Ea(a);this.u=P7a(this);g.E(this,this.u);this.u.Ea(a);this.j=Q7a(this);g.E(this,this.j);this.j.Ea(a);this.hide()}; +O7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-text-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +P7a=function(a){var b=new g.dQ({G:"div",Ia:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-text-image",W:[{G:"img",X:{src:"{{imageUrl}}"}}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], +ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);a.S(b.Da("ytp-ad-overlay-text-image"),"click",a.F7);b.hide();return b}; +Q7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-image-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-image",W:[{G:"img",X:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.S(b.Da("ytp-ad-overlay-image"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +T7a=function(a,b){if(b){var c=g.K(b,S0)||null;if(null==c)g.CD(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else if(b=g.kf("video-ads ytp-ad-module")||null,null==b)g.CD(Error("Could not locate the root ads container element to attach the ad info dialog."));else if(a.Aa=new g.dQ({G:"div",N:"ytp-ad-overlay-ad-info-dialog-container"}),g.E(a,a.Aa),a.Aa.Ea(b),b=new KQ(a.api,a.layoutId,a.interactionLoggingClientData,a.rb,a.Aa.element,!1),g.E(a,b),b.init(fN("ad-info-hover-text-button"), +c,a.macros),a.D){b.Ea(a.D,0);b.subscribe("f",a.h5,a);b.subscribe("e",a.XN,a);a.S(a.D,"click",a.i5);var d=g.kf("ytp-ad-button",b.element);a.S(d,"click",function(){var e;if(g.K(null==(e=g.K(c.button,g.mM))?void 0:e.serviceEndpoint,kFa))a.Qa=2===a.api.getPlayerState(1),a.api.pauseVideo();else a.api.onAdUxClicked("ad-info-hover-text-button",a.layoutId)}); +a.fb=b}else g.CD(Error("Ad info button container within overlay ad was not present."))}else g.DD(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; +V7a=function(a,b){if(U7a(a,Q2)||a.api.zg())return!1;var c=fQ(b.title),d=fQ(b.description);if(g.Tb(c)||g.Tb(d))return!1;a.Zf(a.B.element,b.trackingParams||null);a.B.updateValue("title",fQ(b.title));a.B.updateValue("description",fQ(b.description));a.B.updateValue("displayUrl",fQ(b.displayUrl));b.navigationEndpoint&&g.Cb(a.J,b.navigationEndpoint);a.B.show();a.Ga.start();a.Ua(a.B.element,!0);a.S(a.B.element,"mouseover",function(){a.Z++}); return!0}; -g.N0=function(a,b){b!==a.Y&&(a.ea(),2===b&&1===a.getPresentingPlayerType()&&(z0(a,-1),z0(a,5)),a.Y=b,a.u.V("appstatechange",b))}; -z0=function(a,b){a.ea();if(a.D){var c=a.D.getPlayerType();if(2===c&&!a.cd()){a.Qc!==b&&(a.Qc=b,a.u.xa("onAdStateChange",b));return}if(2===c&&a.cd()||5===c||6===c||7===c)if(-1===b||0===b||5===b)return}a.Nb!==b&&(a.Nb=b,a.u.xa("onStateChange",b))}; -QAa=function(a,b,c,d,e){a.ea();b=a.I?fwa(a.I,b,c,d,e):owa(a.te,b,c,d,e);a.ea();return b}; -RAa=function(a,b,c){if(a.I){a=a.I;for(var d=void 0,e=null,f=g.q(a.B),h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),gwa(a,e,c,d)):wY(a,"Invalid timelinePlaybackId="+b+" specified")}else{a=a.te;d=void 0;e=null;f=g.q(a.u);for(h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),vwa(a,e,c,d)):DY(a,"e.InvalidTimelinePlaybackId timelinePlaybackId="+b)}}; -SAa=function(a,b,c,d){d=void 0===d?Infinity:d;a.ea();c=c||a.D.getPlayerType();var e;g.Q(a.W.experiments,"html5_gapless_preloading")&&(e=P0(a,c,b,!0));e||(e=t0(a,c),e.hi(b,function(){return a.De()})); -pwa(a,e,d)}; -pwa=function(a,b,c,d){d=void 0===d?0:d;var e=g.Z(a);e&&(C0(a,e).iI=!0);Tva(a.Ga,b,c,d).then(function(){a.u.xa("onQueuedVideoLoaded")},function(){})}; -UAa=function(a,b,c,d){var e=V0(c,b.videoId,b.Hc);a.ea();b.an=!0;var f=a.D&&e===V0(a.D.getPlayerType(),a.D.getVideoData().videoId,a.D.getVideoData().Hc)?a.D:t0(a,c);f.hi(b,function(){return a.De()}); -!g.Q(a.W.experiments,"unplugged_tvhtml5_video_preload_no_dryrun")&&1===c&&ID(a.W)||vT(f,!0);a.kb.set(e,f,d||3600);d="prefetch"+b.videoId;SE("prefetch",["pfp"],void 0,d);VE({playerInfo:{playbackType:TAa[c]},videoId:b.videoId},d);a.ea()}; -V0=function(a,b,c){return a+"_"+b+"_"+c}; -P0=function(a,b,c,d){if(!f){var e=V0(b,c.videoId,c.Hc);var f=a.kb.get(e);if(!f)return null;a.kb.remove(e);if(g.U(f.getPlayerState(),128))return f.dispose(),null}if(f===g.Z(a,b))return f;if((f.getVideoData().oauthToken||c.oauthToken)&&f.getVideoData().oauthToken!==c.oauthToken)return null;d||Uva(a,f);return f}; -Uva=function(a,b){var c=b.getPlayerType();b!==g.Z(a,c)&&(1===b.getPlayerType()?(b.getVideoData().autonavState=a.B.getVideoData().autonavState,wt(a.B,a.Dc,a),c=a.B.getPlaybackRate(),a.B.dispose(),a.B=b,a.B.setPlaybackRate(c),vt(b,a.Dc,a),KAa(a)):(c=g.Z(a,c))&&c.dispose(),a.D.getPlayerType()===b.getPlayerType()?aU(a,b):y0(a,b))}; -A0=function(a,b){var c=a.W.yn&&g.Q(a.W.experiments,"html5_block_pip_with_events")||g.Q(a.W.experiments,"html5_block_pip_non_mse")&&"undefined"===typeof MediaSource;if(b&&c&&a.getVideoData()&&!a.getVideoData().backgroundable&&a.da&&(c=a.da.Pa())){pt(c);return}c=a.visibility;c.pictureInPicture!==b&&(c.pictureInPicture=b,c.ff())}; -KY=function(a,b,c,d){a.ea();WE("_start",a.eb.timerName)||(hta(a.eb),a.eb.info("srt",0));var e=P0(a,c||a.D.getPlayerType(),b,!1);e&&PE("pfp",void 0,"prefetch"+b.videoId);if(!e){e=g.Z(a,c);if(!e)return!1;a.kc.stop();a.cancelPlayback(4,c);e.hi(b,function(){return a.De()},d)}e===a.B&&(a.W.sf=b.oauthToken); -if(!a0(e))return!1;a.Zb&&(e.Ac.u=!1,a.Zb=!1);if(e===a.B)return g.N0(a,1),L0(a);h0(e);return!0}; -W0=function(a,b,c){c=g.Z(a,c);b&&c===a.B&&(c.getVideoData().Uj=!0)}; -X0=function(a,b,c){a.ea();var d=g.Z(a,c);d&&(a.cancelPlayback(4,c),d.hi(b,function(){return a.De()}),2===c&&a.B&&a.B.Yo(b.clientPlaybackNonce,b.Xo||"",b.breakType||0),d===a.B&&(g.N0(a,1),IAa(a))); -a.ea()}; -g.FT=function(a,b,c,d,e,f){if(!b&&!d)throw Error("Playback source is invalid");if(jD(a.W)||g.JD(a.W))return c=c||{},c.lact=Bp(),c.vis=a.u.getVisibilityState(),a.u.xa("onPlayVideo",{videoId:b,watchEndpoint:f,sessionData:c,listId:d}),!1;c=a.eb;c.u&&(f=c.u,f.B={},f.u={});c.B=!1;a.eb.reset();b={video_id:b};e&&(b.autoplay="1");e&&(b.autonav="1");d?(b.list=d,a.loadPlaylist(b)):a.loadVideoByPlayerVars(b,1);return!0}; -VAa=function(a,b,c,d,e){b=Dsa(b,c,d,e);(c=g.nD(a.W)&&g.Q(a.W.experiments,"embeds_wexit_list_ajax_migration"))&&!a.R&&(b.fetch=0);H0(a,b);g.nD(a.W)&&a.eb.tick("ep_a_pr_s");if(c&&!a.R)c=E0(a),sta(c,b).then(function(){J0(a)}); -else a.playlist.onReady(function(){K0(a)}); -g.nD(a.W)&&a.eb.tick("ep_a_pr_r")}; -K0=function(a){var b=a.playlist.Ma();if(b){var c=a.getVideoData();if(c.eh||!a.Aa){var d=c.Uj;b=g.nD(a.W)&&a.ba("embeds_wexit_list_ajax_migration")?KY(a,a.playlist.Ma(void 0,c.eh,c.Kh)):KY(a,b);d&&W0(a,b)}else X0(a,b)}g.nD(a.W)&&a.eb.tick("ep_p_l");a.u.xa("onPlaylistUpdate")}; -g.Y0=function(a){if(a.u.isMutedByMutedAutoplay())return!1;if(3===a.getPresentingPlayerType())return!0;FD(a.W)&&!a.R&&I0(a);return!(!a.playlist||!a.playlist.hasNext())}; -DAa=function(a){if(a.playlist&&g.nD(a.W)&&g.Y0(a)){var b=g.Q(a.W.experiments,"html5_player_autonav_logging");a.nextVideo(!1,b);return!0}return!1}; -T0=function(a,b){var c=g.Ja(b);if(c){var d=LAa();d&&d.list&&c();a.ub=null}else a.ub=b}; -LAa=function(){var a=g.Ja("yt.www.watch.lists.getState");return a?a():null}; -g.WAa=function(a){if(!a.da||!a.da.ol())return null;var b=a.da;a.fa?a.fa.setMediaElement(b):(a.fa=Bwa(a.u,b),a.fa&&g.D(a,a.fa));return a.fa}; -XAa=function(a,b,c,d,e,f){b={id:b,namespace:"appapi"};"chapter"===f?(b.style=dF.CHAPTER_MARKER,b.visible=!0):isNaN(e)||("ad"===f?b.style=dF.AD_MARKER:(b.style=dF.TIME_MARKER,b.color=e),b.visible=!0);a.Kp([new g.eF(1E3*c,1E3*d,b)],1);return!0}; -ata=function(a){var b=(0,g.N)(),c=a.getCurrentTime();a=a.getVideoData();c=1E3*(c-a.startSeconds);a.isLivePlayback&&(c=0);return b-Math.max(c,0)}; -AT=function(a,b,c){a.W.X&&(a.P=b,b.muted||O0(a,!1),c&&a.W.Rl&&!a.W.Ya&&YAa({volume:Math.floor(b.volume),muted:b.muted}),ZAa(a),c=g.pB&&a.da&&!a.da.We(),!a.W.Ya||c)&&(b=g.Vb(b),a.W.Rl||(b.unstorable=!0),a.u.xa("onVolumeChange",b))}; -ZAa=function(a){var b=a.getVideoData();if(!b.Yl){b=a.W.Ya?1:oJ(b);var c=a.da;c.gp(a.P.muted);c.setVolume(a.P.volume*b/100)}}; -O0=function(a,b){b!==a.Ta&&(a.Ta=b,a.u.xa("onMutedAutoplayChange",b))}; -Z0=function(a){var b=ot(!0);return b&&(b===a.template.element||a.da&&b===a.da.Pa())?b:null}; -aBa=function(a,b){var c=window.screen&&window.screen.orientation;if((g.Q(a.W.experiments,"lock_fullscreen2")||a.W.ba("embeds_enable_mobile_custom_controls")&&a.W.u)&&c&&c.lock&&(!g.pB||!$Aa))if(b){var d=0===c.type.indexOf("portrait"),e=a.template.getVideoAspectRatio(),f=d;1>e?f=!0:1>16,a>>8&255,a&255]}; -jBa=function(){if(!g.ye)return!1;try{return new ActiveXObject("MSXML2.DOMDocument"),!0}catch(a){return!1}}; -g.e1=function(a){if("undefined"!=typeof DOMParser){var b=new DOMParser;rg();a=cd(a,null);return b.parseFromString(g.bd(a),"application/xml")}if(kBa){b=new ActiveXObject("MSXML2.DOMDocument");b.resolveExternals=!1;b.validateOnParse=!1;try{b.setProperty("ProhibitDTD",!0),b.setProperty("MaxXMLSize",2048),b.setProperty("MaxElementDepth",256)}catch(c){}b.loadXML(a);return b}throw Error("Your browser does not support loading xml documents");}; -g.f1=function(a){g.C.call(this);this.B=a;this.u={}}; -lBa=function(a,b,c,d,e,f){if(Array.isArray(c))for(var h=0;hdocument.documentMode)c=le;else{var d=document;"function"===typeof HTMLTemplateElement&&(d=g.qf("TEMPLATE").content.ownerDocument);d=d.implementation.createHTMLDocument("").createElement("DIV");d.style.cssText=c;c=vla(d.style)}b=new je([c,Lba({"background-image":'url("'+b+'")'})].map(tga).join(""),ie);a.style.cssText=ke(b)}}; +q8a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +Y2=function(a,b,c){FQ.call(this,a);this.api=a;this.rb=b;this.u={};a=new g.U({G:"div",Ia:["video-ads","ytp-ad-module"]});g.E(this,a);cK&&g.Qp(a.element,"ytp-ads-tiny-mode");this.D=new XP(a.element);g.E(this,this.D);g.NS(this.api,a.element,4);U2a(c)&&(c=new g.U({G:"div",Ia:["ytp-ad-underlay"]}),g.E(this,c),this.B=new XP(c.element),g.E(this,this.B),g.NS(this.api,c.element,0));g.E(this,XEa())}; +r8a=function(a,b){a=g.jd(a.u,b.id,null);null==a&&g.DD(Error("Component not found for element id: "+b.id));return a||null}; +s8a=function(a){g.CT.call(this,a);var b=this;this.u=this.xe=null;this.created=!1;this.fu=new zP(this.player);this.B=function(){function d(){return b.xe} +if(null!=b.u)return b.u;var e=iEa({Dl:a.getVideoData(1)});e=new q1a({I1:d,ou:e.l3(),l2:d,W4:d,Tl:O2(b.j).Tl,Wl:e.YL(),An:O2(b.j).An,F:b.player,Di:O2(b.j).Di,Oa:b.j.j.Oa,Kj:O2(b.j).Kj,zd:b.j.j.zd});b.u=e.IZ;return b.u}; +this.j=new J7a(this.player,this,this.fu,this.B);g.E(this,this.j);var c=a.V();!sK(c)||g.mK(c)||uK(c)||(g.E(this,new Y2(a,O2(this.j).rb,O2(this.j).Di)),g.E(this,new K7a(a)))}; +t8a=function(a){a.created!==a.loaded&&GD("Created and loaded are out of sync")}; +v8a=function(a){g.CT.prototype.load.call(a);var b=O2(a.j).Di;zsa(b.F.V().K("html5_reduce_ecatcher_errors"));try{a.player.getRootNode().classList.add("ad-created")}catch(n){GD(n instanceof Error?n:String(n))}var c=a.B(),d=a.player.getVideoData(1),e=d&&d.videoId||"",f=d&&d.getPlayerResponse()||{},h=(!a.player.V().experiments.ob("debug_ignore_ad_placements")&&f&&f.adPlacements||[]).map(function(n){return n.adPlacementRenderer}),l=((null==f?void 0:f.adSlots)||[]).map(function(n){return g.K(n,gra)}); +f=f.playerConfig&&f.playerConfig.daiConfig&&f.playerConfig.daiConfig.enableDai||!1;var m=d&&d.fd()||!1;b=u8a(h,l,b,f,m,O2(a.j).Tm);1<=b.Bu.length&&g.DK(a.player.V())&&(null==d||d.xa("abv45",{rs:b.Bu.map(function(n){return Object.keys(n.renderer||{}).join("_")}).join("__")})); +h=d&&d.clientPlaybackNonce||"";d=d&&d.Du||!1;l=1E3*a.player.getDuration(1);a.xe=new TP(a,a.player,a.fu,c,O2(a.j));sEa(a.xe,b.Bu);a.j.j.Zs.Nj(h,l,d,b.nH,b.vS,b.nH.concat(b.Bu),f,e);UP(a.xe)}; +w8a=function(a,b){b===a.Gx&&(a.Gx=void 0)}; +x8a=function(a){a.xe?O2(a.j).Uc.rM()||a.xe.rM()||VP(O2(a.j).qt):GD("AdService is null when calling maybeUnlockPrerollIfReady")}; +y8a=function(a){a=g.t(O2(a.j).Kj.Vk.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.slotType&&"core"===b.bb)return!0;GD("Ads Playback Not Managed By Controlflow");return!1}; +z8a=function(a){a=g.t(O2(a.j).Kj.Vk.values());for(var b=a.next();!b.done;b=a.next())if("LAYOUT_TYPE_MEDIA_BREAK"===b.value.layoutType)return!0;return!1}; +yC=function(a,b,c,d,e){c=void 0===c?[]:c;d=void 0===d?"":d;e=void 0===e?"":e;var f=O2(a.j).Di,h=a.player.getVideoData(1),l=h&&h.getPlayerResponse()||{};l=l&&l.playerConfig&&l.playerConfig.daiConfig&&l.playerConfig.daiConfig.enableDai||!1;h=h&&h.fd()||!1;c=u8a(b,c,f,l,h,O2(a.j).Tm);kra(O2(a.j).Yc,d,c.nH,c.vS,b,e);a.xe&&0b.Fw;b={Fw:b.Fw},++b.Fw){var c=new g.U({G:"a",N:"ytp-suggestion-link",X:{href:"{{link}}",target:a.api.V().ea,"aria-label":"{{aria_label}}"},W:[{G:"div",N:"ytp-suggestion-image"},{G:"div",N:"ytp-suggestion-overlay",X:{style:"{{blink_rendering_hack}}","aria-hidden":"{{aria_hidden}}"},W:[{G:"div",N:"ytp-suggestion-title",ra:"{{title}}"},{G:"div",N:"ytp-suggestion-author",ra:"{{author_and_views}}"},{G:"div",X:{"data-is-live":"{{is_live}}"},N:"ytp-suggestion-duration", +ra:"{{duration}}"}]}]});g.E(a,c);var d=c.Da("ytp-suggestion-link");g.Hm(d,"transitionDelay",b.Fw/20+"s");a.C.S(d,"click",function(e){return function(f){var h=e.Fw;if(a.B){var l=a.suggestionData[h],m=l.sessionData;g.fK(a.api.V())&&a.api.K("web_player_log_click_before_generating_ve_conversion_params")?(a.api.qb(a.u[h].element),h=l.Ak(),l={},g.nKa(a.api,l,"emb_rel_pause"),h=g.Zi(h,l),g.VT(h,a.api,f)):g.UT(f,a.api,a.J,m||void 0)&&a.api.Kn(l.videoId,m,l.playlistId)}else g.EO(f),document.activeElement.blur()}}(b)); +c.Ea(a.suggestions.element);a.u.push(c);a.api.Zf(c.element,c)}}; +F8a=function(a){if(a.api.V().K("web_player_log_click_before_generating_ve_conversion_params"))for(var b=Math.floor(-a.j/(a.D+8)),c=Math.min(b+a.columns,a.suggestionData.length)-1;b<=c;b++)a.api.Ua(a.u[b].element,!0)}; +g.a3=function(a){var b=a.I.yg()?32:16;b=a.Z/2+b;a.next.element.style.bottom=b+"px";a.previous.element.style.bottom=b+"px";b=a.j;var c=a.containerWidth-a.suggestionData.length*(a.D+8);g.Up(a.element,"ytp-scroll-min",0<=b);g.Up(a.element,"ytp-scroll-max",b<=c)}; +H8a=function(a){for(var b=a.suggestionData.length,c=0;cb)for(;16>b;++b)c=a.u[b].Da("ytp-suggestion-link"),g.Hm(c,"display","none");g.a3(a)}; +aaa=[];da="function"==typeof Object.defineProperties?Object.defineProperty:function(a,b,c){if(a==Array.prototype||a==Object.prototype)return a;a[b]=c.value;return a}; +g.ca=caa(this);ea("Symbol",function(a){function b(f){if(this instanceof b)throw new TypeError("Symbol is not a constructor");return new c(d+(f||"")+"_"+e++,f)} +function c(f,h){this.j=f;da(this,"description",{configurable:!0,writable:!0,value:h})} +if(a)return a;c.prototype.toString=function(){return this.j}; +var d="jscomp_symbol_"+(1E9*Math.random()>>>0)+"_",e=0;return b}); +ea("Symbol.iterator",function(a){if(a)return a;a=Symbol("Symbol.iterator");for(var b="Array Int8Array Uint8Array Uint8ClampedArray Int16Array Uint16Array Int32Array Uint32Array Float32Array Float64Array".split(" "),c=0;c=f}}); -ha("Array.prototype.find",function(a){return a?a:function(b,c){return Aa(this,b,c).rI}}); -ha("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=za(this,b,"startsWith");b+="";for(var e=d.length,f=b.length,h=Math.max(0,Math.min(c|0,d.length)),l=0;l=f}}); -ha("String.prototype.repeat",function(a){return a?a:function(b){var c=za(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); -ha("Object.setPrototypeOf",function(a){return a||oa}); -var qBa="function"==typeof Object.assign?Object.assign:function(a,b){for(var c=1;cf&&(f=Math.max(f+e,0));fb?-c:c}}); -ha("Array.prototype.fill",function(a){return a?a:function(b,c,d){var e=this.length||0;0>c&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);c=e}}); +ea("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=Aa(this,b,"startsWith");b+="";var e=d.length,f=b.length;c=Math.max(0,Math.min(c|0,d.length));for(var h=0;h=f}}); +ea("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); +ea("String.prototype.repeat",function(a){return a?a:function(b){var c=Aa(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); +ea("Set",function(a){function b(c){this.j=new Map;if(c){c=g.t(c);for(var d;!(d=c.next()).done;)this.add(d.value)}this.size=this.j.size} +if(function(){if(!a||"function"!=typeof a||!a.prototype.entries||"function"!=typeof Object.seal)return!1;try{var c=Object.seal({x:4}),d=new a(g.t([c]));if(!d.has(c)||1!=d.size||d.add(c)!=d||1!=d.size||d.add({x:4})!=d||2!=d.size)return!1;var e=d.entries(),f=e.next();if(f.done||f.value[0]!=c||f.value[1]!=c)return!1;f=e.next();return f.done||f.value[0]==c||4!=f.value[0].x||f.value[1]!=f.value[0]?!1:e.next().done}catch(h){return!1}}())return a; +b.prototype.add=function(c){c=0===c?0:c;this.j.set(c,c);this.size=this.j.size;return this}; +b.prototype.delete=function(c){c=this.j.delete(c);this.size=this.j.size;return c}; +b.prototype.clear=function(){this.j.clear();this.size=0}; +b.prototype.has=function(c){return this.j.has(c)}; +b.prototype.entries=function(){return this.j.entries()}; +b.prototype.values=function(){return this.j.values()}; +b.prototype.keys=b.prototype.values;b.prototype[Symbol.iterator]=b.prototype.values;b.prototype.forEach=function(c,d){var e=this;this.j.forEach(function(f){return c.call(d,f,f,e)})}; return b}); -ha("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)Ba(b,d)&&c.push(b[d]);return c}}); -ha("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); -ha("Object.fromEntries",function(a){return a?a:function(b){var c={};if(!(Symbol.iterator in b))throw new TypeError(""+b+" is not iterable");b=b[Symbol.iterator].call(b);for(var d=b.next();!d.done;d=b.next()){d=d.value;if(Object(d)!==d)throw new TypeError("iterable for fromEntries should yield objects");c[d[0]]=d[1]}return c}}); -ha("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); -ha("WeakSet",function(a){function b(c){this.u=new WeakMap;if(c){c=g.q(c);for(var d;!(d=c.next()).done;)this.add(d.value)}} -if(function(){if(!a||!Object.seal)return!1;try{var c=Object.seal({}),d=Object.seal({}),e=new a([c]);if(!e.has(c)||e.has(d))return!1;e["delete"](c);e.add(d);return!e.has(c)&&e.has(d)}catch(f){return!1}}())return a; -b.prototype.add=function(c){this.u.set(c,!0);return this}; -b.prototype.has=function(c){return this.u.has(c)}; -b.prototype["delete"]=function(c){return this.u["delete"](c)}; +ea("Array.prototype.values",function(a){return a?a:function(){return za(this,function(b,c){return c})}}); +ea("Number.MAX_SAFE_INTEGER",function(){return 9007199254740991}); +ea("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); +ea("Array.prototype.entries",function(a){return a?a:function(){return za(this,function(b,c){return[b,c]})}}); +ea("Array.from",function(a){return a?a:function(b,c,d){c=null!=c?c:function(l){return l}; +var e=[],f="undefined"!=typeof Symbol&&Symbol.iterator&&b[Symbol.iterator];if("function"==typeof f){b=f.call(b);for(var h=0;!(f=b.next()).done;)e.push(c.call(d,f.value,h++))}else for(f=b.length,h=0;hc&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);cc&&(c=Math.max(c+e,0));cb?-c:c}}); +ea("Array.prototype.findIndex",function(a){return a?a:function(b,c){return naa(this,b,c).i}}); +ea("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)ha(b,d)&&c.push(b[d]);return c}}); +ea("Math.sign",function(a){return a?a:function(b){b=Number(b);return 0===b||isNaN(b)?b:0c?Math.max(f+c,0):Math.min(c,f);d=0>d?Math.max(f+d,0):Math.min(d,f);e=0>e?Math.max(f+e,0):Math.min(e,f);if(cd;)--e in this?this[--c]=this[e]:delete this[--c];return this}}); -ha("Int8Array.prototype.copyWithin",Ea);ha("Uint8Array.prototype.copyWithin",Ea);ha("Uint8ClampedArray.prototype.copyWithin",Ea);ha("Int16Array.prototype.copyWithin",Ea);ha("Uint16Array.prototype.copyWithin",Ea);ha("Int32Array.prototype.copyWithin",Ea);ha("Uint32Array.prototype.copyWithin",Ea);ha("Float32Array.prototype.copyWithin",Ea);ha("Float64Array.prototype.copyWithin",Ea);g.k1=g.k1||{};g.v=this||self;eaa=/^[\w+/_-]+[=]{0,2}$/;Ha=null;Qa="closure_uid_"+(1E9*Math.random()>>>0);faa=0;g.Va(Ya,Error);Ya.prototype.name="CustomError";var ne;g.Va(Za,Ya);Za.prototype.name="AssertionError";var ib,ki;ib=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); +ea("Int8Array.prototype.copyWithin",Da);ea("Uint8Array.prototype.copyWithin",Da);ea("Uint8ClampedArray.prototype.copyWithin",Da);ea("Int16Array.prototype.copyWithin",Da);ea("Uint16Array.prototype.copyWithin",Da);ea("Int32Array.prototype.copyWithin",Da);ea("Uint32Array.prototype.copyWithin",Da);ea("Float32Array.prototype.copyWithin",Da);ea("Float64Array.prototype.copyWithin",Da); +ea("String.prototype.replaceAll",function(a){return a?a:function(b,c){if(b instanceof RegExp&&!b.global)throw new TypeError("String.prototype.replaceAll called with a non-global RegExp argument.");return b instanceof RegExp?this.replace(b,c):this.replace(new RegExp(String(b).replace(/([-()\[\]{}+?*.$\^|,:#>>0);paa=0;g.k=Va.prototype;g.k.K1=function(a){var b=g.ya.apply(1,arguments),c=this.IL(b);c?c.push(new saa(a)):this.HX(a,b)}; +g.k.HX=function(a){this.Rx.set(this.RT(g.ya.apply(1,arguments)),[new saa(a)])}; +g.k.IL=function(){var a=this.RT(g.ya.apply(0,arguments));return this.Rx.has(a)?this.Rx.get(a):void 0}; +g.k.o3=function(){var a=this.IL(g.ya.apply(0,arguments));return a&&a.length?a[0]:void 0}; +g.k.clear=function(){this.Rx.clear()}; +g.k.RT=function(){var a=g.ya.apply(0,arguments);return a?a.join(","):"key"};g.w(Wa,Va);Wa.prototype.B=function(a){var b=g.ya.apply(1,arguments),c=0,d=this.o3(b);d&&(c=d.PS);this.HX(c+a,b)};g.w(Ya,Va);Ya.prototype.Sf=function(a){this.K1(a,g.ya.apply(1,arguments))};g.C.prototype.Eq=!1;g.C.prototype.isDisposed=function(){return this.Eq}; +g.C.prototype.dispose=function(){this.Eq||(this.Eq=!0,this.qa())}; +g.C.prototype.qa=function(){if(this.zm)for(;this.zm.length;)this.zm.shift()()};g.Ta(cb,Error);cb.prototype.name="CustomError";var fca;g.Ta(fb,cb);fb.prototype.name="AssertionError";g.ib.prototype.stopPropagation=function(){this.u=!0}; +g.ib.prototype.preventDefault=function(){this.defaultPrevented=!0};var vaa,$l,Wm;vaa=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); for(var c=0;cc&&(c=Math.max(0,a.length+c));if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.lastIndexOf(b,c);for(;0<=c;c--)if(c in a&&a[c]===b)return c;return-1}; -g.Cb=Array.prototype.forEach?function(a,b,c){Array.prototype.forEach.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,tc=/"/g,uc=/'/g,vc=/\x00/g,waa=/[\x00&<>"']/;g.Ec.prototype.Rj=!0;g.Ec.prototype.Tg=function(){return this.C.toString()}; -g.Ec.prototype.B=!0;g.Ec.prototype.u=function(){return 1}; -var yaa=/^(?:audio\/(?:3gpp2|3gpp|aac|L16|midi|mp3|mp4|mpeg|oga|ogg|opus|x-m4a|x-matroska|x-wav|wav|webm)|font\/\w+|image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp|x-icon)|video\/(?:mpeg|mp4|ogg|webm|quicktime|x-matroska))(?:;\w+=(?:\w+|"[\w;,= ]+"))*$/i,xaa=/^data:(.*);base64,[a-z0-9+\/]+=*$/i,Hc=/^(?:(?:https?|mailto|ftp):|[^:/?#]*(?:[/?#]|$))/i,Dc={},Ic=new g.Ec("about:invalid#zClosurez",Dc);Mc.prototype.Rj=!0;Mc.prototype.Tg=function(){return this.u}; -var Lc={},Rc=new Mc("",Lc),Aaa=/^[-,."'%_!# a-zA-Z0-9\[\]]+$/,Uc=RegExp("\\b(url\\([ \t\n]*)('[ -&(-\\[\\]-~]*'|\"[ !#-\\[\\]-~]*\"|[!#-&*-\\[\\]-~]*)([ \t\n]*\\))","g"),Tc=RegExp("\\b(calc|cubic-bezier|fit-content|hsl|hsla|linear-gradient|matrix|minmax|repeat|rgb|rgba|(rotate|scale|translate)(X|Y|Z|3d)?)\\([-+*/0-9a-z.%\\[\\], ]+\\)","g"),Baa=/\/\*/;a:{var vBa=g.v.navigator;if(vBa){var wBa=vBa.userAgent;if(wBa){g.Vc=wBa;break a}}g.Vc=""};ad.prototype.B=!0;ad.prototype.u=function(){return this.D}; -ad.prototype.Rj=!0;ad.prototype.Tg=function(){return this.C.toString()}; -var xBa=/^[a-zA-Z0-9-]+$/,yBa={action:!0,cite:!0,data:!0,formaction:!0,href:!0,manifest:!0,poster:!0,src:!0},zBa={APPLET:!0,BASE:!0,EMBED:!0,IFRAME:!0,LINK:!0,MATH:!0,META:!0,OBJECT:!0,SCRIPT:!0,STYLE:!0,SVG:!0,TEMPLATE:!0},$c={},ed=new ad(g.v.trustedTypes&&g.v.trustedTypes.emptyHTML||"",0,$c);var Iaa=bb(function(){var a=document.createElement("div"),b=document.createElement("div");b.appendChild(document.createElement("div"));a.appendChild(b);b=a.firstChild.firstChild;a.innerHTML=g.bd(ed);return!b.parentElement});g.ABa=String.prototype.repeat?function(a,b){return a.repeat(b)}:function(a,b){return Array(b+1).join(a)};var wd=/^(?:([^:/?#.]+):)?(?:\/\/(?:([^\\/?#]*)@)?([^\\/?#]*?)(?::([0-9]+))?(?=[\\/?#]|$))?([^?#]+)?(?:\?([^#]*))?(?:#([\s\S]*))?$/,Pd=/#|$/,Kaa=/[?&]($|#)/;Wd[" "]=g.Ka;var wg,fE,$Aa,BBa,CBa,DBa,eD,fD,l1;g.xg=Wc("Opera");g.ye=Wc("Trident")||Wc("MSIE");g.hs=Wc("Edge");g.OD=g.hs||g.ye;wg=Wc("Gecko")&&!(yc(g.Vc,"WebKit")&&!Wc("Edge"))&&!(Wc("Trident")||Wc("MSIE"))&&!Wc("Edge");g.Ae=yc(g.Vc,"WebKit")&&!Wc("Edge");fE=Wc("Macintosh");$Aa=Wc("Windows");g.qr=Wc("Android");BBa=Ud();CBa=Wc("iPad");DBa=Wc("iPod");eD=Vd();fD=yc(g.Vc,"KaiOS"); -a:{var m1="",n1=function(){var a=g.Vc;if(wg)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.hs)return/Edge\/([\d\.]+)/.exec(a);if(g.ye)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Ae)return/WebKit\/(\S+)/.exec(a);if(g.xg)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); -n1&&(m1=n1?n1[1]:"");if(g.ye){var o1=Zd();if(null!=o1&&o1>parseFloat(m1)){l1=String(o1);break a}}l1=m1}var $d=l1,Maa={},p1;if(g.v.document&&g.ye){var EBa=Zd();p1=EBa?EBa:parseInt($d,10)||void 0}else p1=void 0;var Naa=p1;try{(new self.OffscreenCanvas(0,0)).getContext("2d")}catch(a){}var Oaa=!g.ye||g.be(9),Paa=!wg&&!g.ye||g.ye&&g.be(9)||wg&&g.ae("1.9.1");g.ye&&g.ae("9");var Raa=g.ye||g.xg||g.Ae;g.k=g.ge.prototype;g.k.clone=function(){return new g.ge(this.x,this.y)}; +g.Zl=Array.prototype.every?function(a,b,c){return Array.prototype.every.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,Maa=/"/g,Naa=/'/g,Oaa=/\x00/g,Iaa=/[\x00&<>"']/;var kc,Q8a=g.Ea.navigator;kc=Q8a?Q8a.userAgentData||null:null;Gc[" "]=function(){};var Im,ZW,$0a,R8a,S8a,T8a,bK,cK,U8a;g.dK=pc();g.mf=qc();g.oB=nc("Edge");g.HK=g.oB||g.mf;Im=nc("Gecko")&&!(ac(g.hc(),"WebKit")&&!nc("Edge"))&&!(nc("Trident")||nc("MSIE"))&&!nc("Edge");g.Pc=ac(g.hc(),"WebKit")&&!nc("Edge");ZW=Dc();$0a=Uaa();g.fz=Taa();R8a=Bc();S8a=nc("iPad");T8a=nc("iPod");bK=Cc();cK=ac(g.hc(),"KaiOS"); +a:{var V8a="",W8a=function(){var a=g.hc();if(Im)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.oB)return/Edge\/([\d\.]+)/.exec(a);if(g.mf)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Pc)return/WebKit\/(\S+)/.exec(a);if(g.dK)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); +W8a&&(V8a=W8a?W8a[1]:"");if(g.mf){var X8a=Yaa();if(null!=X8a&&X8a>parseFloat(V8a)){U8a=String(X8a);break a}}U8a=V8a}var Ic=U8a,Waa={},Y8a;if(g.Ea.document&&g.mf){var Z8a=Yaa();Y8a=Z8a?Z8a:parseInt(Ic,10)||void 0}else Y8a=void 0;var Zaa=Y8a;var YMa=$aa("AnimationEnd"),zKa=$aa("TransitionEnd");g.Ta(Qc,g.ib);var $8a={2:"touch",3:"pen",4:"mouse"}; +Qc.prototype.init=function(a,b){var c=this.type=a.type,d=a.changedTouches&&a.changedTouches.length?a.changedTouches[0]:null;this.target=a.target||a.srcElement;this.currentTarget=b;(b=a.relatedTarget)?Im&&(Hc(b,"nodeName")||(b=null)):"mouseover"==c?b=a.fromElement:"mouseout"==c&&(b=a.toElement);this.relatedTarget=b;d?(this.clientX=void 0!==d.clientX?d.clientX:d.pageX,this.clientY=void 0!==d.clientY?d.clientY:d.pageY,this.screenX=d.screenX||0,this.screenY=d.screenY||0):(this.clientX=void 0!==a.clientX? +a.clientX:a.pageX,this.clientY=void 0!==a.clientY?a.clientY:a.pageY,this.screenX=a.screenX||0,this.screenY=a.screenY||0);this.button=a.button;this.keyCode=a.keyCode||0;this.key=a.key||"";this.charCode=a.charCode||("keypress"==c?a.keyCode:0);this.ctrlKey=a.ctrlKey;this.altKey=a.altKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.pointerId=a.pointerId||0;this.pointerType="string"===typeof a.pointerType?a.pointerType:$8a[a.pointerType]||"";this.state=a.state;this.j=a;a.defaultPrevented&&Qc.Gf.preventDefault.call(this)}; +Qc.prototype.stopPropagation=function(){Qc.Gf.stopPropagation.call(this);this.j.stopPropagation?this.j.stopPropagation():this.j.cancelBubble=!0}; +Qc.prototype.preventDefault=function(){Qc.Gf.preventDefault.call(this);var a=this.j;a.preventDefault?a.preventDefault():a.returnValue=!1};var aba="closure_listenable_"+(1E6*Math.random()|0);var bba=0;var hba="constructor hasOwnProperty isPrototypeOf propertyIsEnumerable toLocaleString toString valueOf".split(" ");g.k=pd.prototype;g.k.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.j++);var h=sd(a,b,d,e);-1>>0);g.Ta(g.Fd,g.C);g.Fd.prototype[aba]=!0;g.k=g.Fd.prototype;g.k.addEventListener=function(a,b,c,d){g.ud(this,a,b,c,d)}; +g.k.removeEventListener=function(a,b,c,d){pba(this,a,b,c,d)}; +g.k.dispatchEvent=function(a){var b=this.qO;if(b){var c=[];for(var d=1;b;b=b.qO)c.push(b),++d}b=this.D1;d=a.type||a;if("string"===typeof a)a=new g.ib(a,b);else if(a instanceof g.ib)a.target=a.target||b;else{var e=a;a=new g.ib(d,b);g.od(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=Jd(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=Jd(h,d,!0,a)&&e,a.u||(e=Jd(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&fl?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString())+(d?";secure":"")+(null!=e?";samesite="+e:"")}; -g.k.get=function(a,b){for(var c=a+"=",d=(this.u.cookie||"").split(";"),e=0,f;e=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; +g.k.removeNode=g.xf;g.k.contains=g.zf;var Ef;Gf.prototype.add=function(a,b){var c=sca.get();c.set(a,b);this.u?this.u.next=c:this.j=c;this.u=c}; +Gf.prototype.remove=function(){var a=null;this.j&&(a=this.j,this.j=this.j.next,this.j||(this.u=null),a.next=null);return a}; +var sca=new Kd(function(){return new Hf},function(a){return a.reset()}); +Hf.prototype.set=function(a,b){this.fn=a;this.scope=b;this.next=null}; +Hf.prototype.reset=function(){this.next=this.scope=this.fn=null};var If,Lf=!1,qca=new Gf;tca.prototype.reset=function(){this.context=this.u=this.B=this.j=null;this.C=!1}; +var uca=new Kd(function(){return new tca},function(a){a.reset()}); +g.Of.prototype.then=function(a,b,c){return Cca(this,"function"===typeof a?a:null,"function"===typeof b?b:null,c)}; +g.Of.prototype.$goog_Thenable=!0;g.k=g.Of.prototype;g.k.Zj=function(a,b){return Cca(this,null,a,b)}; +g.k.catch=g.Of.prototype.Zj;g.k.cancel=function(a){if(0==this.j){var b=new Zf(a);g.Mf(function(){yca(this,b)},this)}}; +g.k.F9=function(a){this.j=0;Nf(this,2,a)}; +g.k.G9=function(a){this.j=0;Nf(this,3,a)}; +g.k.W2=function(){for(var a;a=zca(this);)Aca(this,a,this.j,this.J);this.I=!1}; +var Gca=oca;g.Ta(Zf,cb);Zf.prototype.name="cancel";g.Ta(g.$f,g.Fd);g.k=g.$f.prototype;g.k.enabled=!1;g.k.Gc=null;g.k.setInterval=function(a){this.Fi=a;this.Gc&&this.enabled?(this.stop(),this.start()):this.Gc&&this.stop()}; +g.k.t9=function(){if(this.enabled){var a=g.Ra()-this.jV;0Jg.length&&Jg.push(this)}; +g.k.clear=function(){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.XE=!1}; +g.k.reset=function(){this.j=this.C}; +g.k.advance=function(a){Dg(this,this.j+a)}; +g.k.xJ=function(){var a=Gg(this);return 4294967296*Gg(this)+(a>>>0)}; +var Jg=[];Kg.prototype.free=function(){this.j.clear();this.u=this.C=-1;100>b3.length&&b3.push(this)}; +Kg.prototype.reset=function(){this.j.reset();this.B=this.j.j;this.u=this.C=-1}; +Kg.prototype.advance=function(a){this.j.advance(a)}; +var b3=[];var Cda,Fda;Zg.prototype.length=function(){return this.j.length}; +Zg.prototype.end=function(){var a=this.j;this.j=[];return a};var eh="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():void 0;var qh={},f9a,Dh=Object.freeze(hh([],23));var Zda="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():"di";var ci;g.k=J.prototype;g.k.toJSON=function(){var a=this.Re,b;f9a?b=a:b=di(a,qea,void 0,void 0,!1,!1);return b}; +g.k.jp=function(){f9a=!0;try{return JSON.stringify(this.toJSON(),oea)}finally{f9a=!1}}; +g.k.clone=function(){return fi(this,!1)}; +g.k.rq=function(){return jh(this.Re)}; +g.k.pN=qh;g.k.toString=function(){return this.Re.toString()};var gi=Symbol(),ki=Symbol(),ji=Symbol(),ii=Symbol(),g9a=mi(function(a,b,c){if(1!==a.u)return!1;H(b,c,Hg(a.j));return!0},ni),h9a=mi(function(a,b,c){if(1!==a.u)return!1; +a=Hg(a.j);Hh(b,c,oh(a),0);return!0},ni),i9a=mi(function(a,b,c,d){if(1!==a.u)return!1; +Kh(b,c,d,Hg(a.j));return!0},ni),j9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Eg(a.j));return!0},oi),k9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Eg(a.j);Hh(b,c,a,0);return!0},oi),l9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Eg(a.j));return!0},oi),m9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},pi),n9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Fg(a.j);Hh(b,c,a,0);return!0},pi),o9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Fg(a.j));return!0},pi),p9a=mi(function(a,b,c){if(1!==a.u)return!1; +H(b,c,a.j.xJ());return!0},function(a,b,c){Nda(a,c,Ah(b,c))}),q9a=mi(function(a,b,c){if(1!==a.u&&2!==a.u)return!1; +b=Eh(b,c,0,!1,jh(b.Re));if(2==a.u){c=Cg.prototype.xJ;var d=Fg(a.j)>>>0;for(d=a.j.j+d;a.j.j>>0);return!0},function(a,b,c){b=Zh(b,c); +null!=b&&null!=b&&(ch(a,c,0),$g(a.j,b))}),N9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},function(a,b,c){b=Ah(b,c); +null!=b&&(b=parseInt(b,10),ch(a,c,0),Ida(a.j,b))});g.w(Qea,J);var Pea=[1,2,3,4];g.w(ri,J);var wi=[1,2,3],O9a=[ri,1,u9a,wi,2,o9a,wi,3,s9a,wi];g.w(Rea,J);var P9a=[Rea,1,g9a,2,j9a];g.w(Tea,J);var Sea=[1],Q9a=[Tea,1,d3,P9a];g.w(si,J);var vi=[1,2,3],R9a=[si,1,l9a,vi,2,i9a,vi,3,L9a,Q9a,vi];g.w(ti,J);var Uea=[1],S9a=[ti,1,d3,O9a,2,v9a,R9a];g.w(Vea,J);var T9a=[Vea,1,c3,2,c3,3,r9a];g.w(Wea,J);var U9a=[Wea,1,c3,2,c3,3,m9a,4,r9a];g.w(Xea,J);var V9a=[1,2],W9a=[Xea,1,L9a,T9a,V9a,2,L9a,U9a,V9a];g.w(ui,J);ui.prototype.Km=function(){var a=Fh(this,3,Yda,void 0,2);if(void 0>=a.length)throw Error();return a[void 0]}; +var Yea=[3,6,4];ui.prototype.j=Oea([ui,1,c3,5,p9a,2,v9a,W9a,3,t9a,6,q9a,4,d3,S9a]);g.w($ea,J);var Zea=[1];var gfa={};g.k=Gi.prototype;g.k.isEnabled=function(){if(!g.Ea.navigator.cookieEnabled)return!1;if(!this.Bf())return!0;this.set("TESTCOOKIESENABLED","1",{HG:60});if("1"!==this.get("TESTCOOKIESENABLED"))return!1;this.remove("TESTCOOKIESENABLED");return!0}; +g.k.set=function(a,b,c){var d=!1;if("object"===typeof c){var e=c.m8a;d=c.Q8||!1;var f=c.domain||void 0;var h=c.path||void 0;var l=c.HG}if(/[;=\s]/.test(a))throw Error('Invalid cookie name "'+a+'"');if(/[;\r\n]/.test(b))throw Error('Invalid cookie value "'+b+'"');void 0===l&&(l=-1);c=f?";domain="+f:"";h=h?";path="+h:"";d=d?";secure":"";l=0>l?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString();this.j.cookie=a+"="+b+c+h+l+d+(null!=e?";samesite="+ +e:"")}; +g.k.get=function(a,b){for(var c=a+"=",d=(this.j.cookie||"").split(";"),e=0,f;ed&&this.Aav||401===v||0===v);x&&(c.u=z.concat(c.u),c.oa||c.j.enabled||c.j.start());b&&b("net-send-failed",v);++c.I},r=function(){c.network?c.network.send(n,p,q):c.Ya(n,p,q)}; +m?m.then(function(v){n.dw["Content-Encoding"]="gzip";n.dw["Content-Type"]="application/binary";n.body=v;n.Y1=2;r()},function(){r()}):r()}}}}; +g.k.zL=function(){$fa(this.C,!0);this.flush();$fa(this.C,!1)}; +g.w(Yfa,g.ib);Sfa.prototype.wf=function(a,b,c){b=void 0===b?0:b;c=void 0===c?0:c;if(Ch(Mh(this.j,$h,1),xj,11)){var d=Cj(this);H(d,3,c)}c=this.j.clone();d=Date.now().toString();c=H(c,4,d);a=Qh(c,yj,3,a);b&&H(a,14,b);return a};g.Ta(Dj,g.C); +Dj.prototype.wf=function(){var a=new Aj(this.I,this.ea?this.ea:jfa,this.Ga,this.oa,this.C,this.D,!1,this.La,void 0,void 0,this.ya?this.ya:void 0);g.E(this,a);this.J&&zj(a.C,this.J);if(this.u){var b=this.u,c=Bj(a.C);H(c,7,b)}this.Z&&(a.T=this.Z);this.j&&(a.componentId=this.j);this.B&&((b=this.B)?(a.B||(a.B=new Ji),b=b.jp(),H(a.B,4,b)):a.B&&H(a.B,4,void 0,!1));this.Aa&&(c=this.Aa,a.B||(a.B=new Ji),b=a.B,c=null==c?Dh:Oda(c,1),H(b,2,c));this.T&&(b=this.T,a.Ja=!0,Vfa(a,b));this.Ja&&cga(a.C,this.Ja);return a};g.w(Ej,g.C);Ej.prototype.flush=function(a){a=a||[];if(a.length){for(var b=new $ea,c=[],d=0;d=p.length)p=String.fromCharCode.apply(null,p);else{q="";for(var r=0;r>>3;1!=f.B&&2!=f.B&&15!=f.B&&Tk(f,h,l,"unexpected tag");f.j=1;f.u=0;f.C=0} +function c(m){f.C++;5==f.C&&m&240&&Tk(f,h,l,"message length too long");f.u|=(m&127)<<7*(f.C-1);m&128||(f.j=2,f.T=0,"undefined"!==typeof Uint8Array?f.D=new Uint8Array(f.u):f.D=Array(f.u),0==f.u&&e())} +function d(m){f.D[f.T++]=m;f.T==f.u&&e()} +function e(){if(15>f.B){var m={};m[f.B]=f.D;f.J.push(m)}f.j=0} +for(var f=this,h=a instanceof Array?a:new Uint8Array(a),l=0;lb||3==b&&!e&&0==a.length))if(d=200==d||206==d,4==b&&(8==c?$k(this,7):7==c?$k(this,8):d||$k(this,3)),this.u||(this.u=dha(this.j),null==this.u&&$k(this,5)),2this.B){var h=a.length;c=[];try{if(this.u.VE())for(var l=0;lthis.B){l=e.slice(this.B);this.B=e.length;try{var n=this.u.parse(l);null!=n&&this.D&&this.D(n)}catch(p){$k(this,5);al(this);break a}}4==b?(0!=e.length|| +this.ea?$k(this,2):$k(this,4),al(this)):$k(this,1)}}}catch(p){$k(this,6),al(this)}};g.k=eha.prototype;g.k.on=function(a,b){var c=this.u[a];c||(c=[],this.u[a]=c);c.push(b);return this}; +g.k.addListener=function(a,b){this.on(a,b);return this}; +g.k.removeListener=function(a,b){var c=this.u[a];c&&g.wb(c,b);(a=this.j[a])&&g.wb(a,b);return this}; +g.k.once=function(a,b){var c=this.j[a];c||(c=[],this.j[a]=c);c.push(b);return this}; +g.k.S5=function(a){var b=this.u.data;b&&fha(a,b);(b=this.j.data)&&fha(a,b);this.j.data=[]}; +g.k.z7=function(){switch(this.B.getStatus()){case 1:bl(this,"readable");break;case 5:case 6:case 4:case 7:case 3:bl(this,"error");break;case 8:bl(this,"close");break;case 2:bl(this,"end")}};gha.prototype.serverStreaming=function(a,b,c,d){var e=this,f=a.substr(0,a.length-d.name.length);return hha(function(h){var l=h.UF(),m=h.getMetadata(),n=kha(e,!1);m=lha(e,m,n,f+l.getName());var p=mha(n,l.u,!0);h=l.j(h.j);n.send(m,"POST",h);return p},this.C).call(this,Kga(d,b,c))};nha.prototype.create=function(a,b){return Hga(this.j,this.u+"/$rpc/google.internal.waa.v1.Waa/Create",a,b||{},b$a)};g.w(cl,Error);g.w(dl,g.C);dl.prototype.C=function(a){var b=this.j(a);a=new Hj(this.logger,this.u);b=g.gg(b,2);a.done();return b}; +g.w(gl,dl);gl.prototype.j=function(a){++this.J>=this.T&&this.D.resolve();var b=new Hj(this.logger,"C");a=this.I(a.by);b.done();if(void 0===a)throw new cl(17,Error("YNJ:Undefined"));if(!(a instanceof Uint8Array))throw new cl(18,Error("ODM:Invalid"));return a}; +g.w(hl,dl);hl.prototype.j=function(){return this.I}; +g.w(il,dl);il.prototype.j=function(){return ig(this.I)}; +il.prototype.C=function(){return this.I}; +g.w(jl,dl);jl.prototype.j=function(){if(this.I)return this.I;this.I=pha(this,function(a){return"_"+pga(a)}); +return pha(this,function(a){return a})}; +g.w(kl,dl);kl.prototype.j=function(a){var b;a=g.fg(null!=(b=a.by)?b:"");if(118>24&255,c>>16&255,c>>8&255,c&255],a);for(c=b=b.length;cd)return"";this.j.sort(function(n,p){return n-p}); +c=null;b="";for(var e=0;e=m.length){d-=m.length;a+=m;b=this.B;break}c=null==c?f:c}}d="";null!=c&&(d=b+"trn="+c);return a+d};bm.prototype.setInterval=function(a,b){return Bl.setInterval(a,b)}; +bm.prototype.clearInterval=function(a){Bl.clearInterval(a)}; +bm.prototype.setTimeout=function(a,b){return Bl.setTimeout(a,b)}; +bm.prototype.clearTimeout=function(a){Bl.clearTimeout(a)};Xha.prototype.getContext=function(){if(!this.j){if(!Bl)throw Error("Context has not been set and window is undefined.");this.j=am(bm)}return this.j};g.w(dm,J);dm.prototype.j=Oea([dm,1,h9a,2,k9a,3,k9a,4,k9a,5,n9a]);var dia={WPa:1,t1:2,nJa:3};fia.prototype.BO=function(a){if("string"===typeof a&&0!=a.length){var b=this.Cc;if(b.u){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=decodeURIComponent(d[0]);1=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; g.k.ceil=function(){this.top=Math.ceil(this.top);this.right=Math.ceil(this.right);this.bottom=Math.ceil(this.bottom);this.left=Math.ceil(this.left);return this}; g.k.floor=function(){this.top=Math.floor(this.top);this.right=Math.floor(this.right);this.bottom=Math.floor(this.bottom);this.left=Math.floor(this.left);return this}; g.k.round=function(){this.top=Math.round(this.top);this.right=Math.round(this.right);this.bottom=Math.round(this.bottom);this.left=Math.round(this.left);return this}; -g.k.scale=function(a,b){var c="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=c;this.bottom*=c;return this};g.k=g.jg.prototype;g.k.clone=function(){return new g.jg(this.left,this.top,this.width,this.height)}; -g.k.contains=function(a){return a instanceof g.ge?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=b;this.bottom*=b;return this};Bm.prototype.equals=function(a,b){return!!a&&(!(void 0===b?0:b)||this.volume==a.volume)&&this.B==a.B&&zm(this.j,a.j)&&!0};Cm.prototype.ub=function(){return this.J}; +Cm.prototype.equals=function(a,b){return this.C.equals(a.C,void 0===b?!1:b)&&this.J==a.J&&zm(this.B,a.B)&&zm(this.I,a.I)&&this.j==a.j&&this.D==a.D&&this.u==a.u&&this.T==a.T};var j$a={currentTime:1,duration:2,isVpaid:4,volume:8,isYouTube:16,isPlaying:32},jo={g1:"start",BZ:"firstquartile",T0:"midpoint",j1:"thirdquartile",nZ:"complete",ERROR:"error",S0:"metric",PAUSE:"pause",b1:"resume",e1:"skip",s1:"viewable_impression",V0:"mute",o1:"unmute",CZ:"fullscreen",yZ:"exitfullscreen",lZ:"bufferstart",kZ:"bufferfinish",DZ:"fully_viewable_audible_half_duration_impression",R0:"measurable_impression",dZ:"abandon",xZ:"engagedview",GZ:"impression",pZ:"creativeview",Q0:"loaded",gRa:"progress", +CLOSE:"close",zla:"collapse",dOa:"overlay_resize",eOa:"overlay_unmeasurable_impression",fOa:"overlay_unviewable_impression",hOa:"overlay_viewable_immediate_impression",gOa:"overlay_viewable_end_of_session_impression",rZ:"custom_metric_viewable",iNa:"verification_debug",gZ:"audio_audible",iZ:"audio_measurable",hZ:"audio_impression"},Ska="start firstquartile midpoint thirdquartile resume loaded".split(" "),Tka=["start","firstquartile","midpoint","thirdquartile"],Ija=["abandon"],Ro={UNKNOWN:-1,g1:0, +BZ:1,T0:2,j1:3,nZ:4,S0:5,PAUSE:6,b1:7,e1:8,s1:9,V0:10,o1:11,CZ:12,yZ:13,DZ:14,R0:15,dZ:16,xZ:17,GZ:18,pZ:19,Q0:20,rZ:21,lZ:22,kZ:23,hZ:27,iZ:28,gZ:29};var tia={W$:"addEventListener",Iva:"getMaxSize",Jva:"getScreenSize",Kva:"getState",Lva:"getVersion",DRa:"removeEventListener",jza:"isViewable"};g.k=g.Em.prototype;g.k.clone=function(){return new g.Em(this.left,this.top,this.width,this.height)}; +g.k.contains=function(a){return a instanceof g.Fe?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.distance=function(a){var b=a.xe)return"";this.u.sort(function(p,r){return p-r}); -c=null;b="";for(var f=0;f=n.length){e-=n.length;a+=n;b=this.C;break}c=null==c?h:c}}e="";null!=c&&(e=b+"trn="+c);return a+e+d};sh.prototype.setInterval=function(a,b){return fh.setInterval(a,b)}; -sh.prototype.clearInterval=function(a){fh.clearInterval(a)}; -sh.prototype.setTimeout=function(a,b){return fh.setTimeout(a,b)}; -sh.prototype.clearTimeout=function(a){fh.clearTimeout(a)}; -La(sh);wh.prototype.getContext=function(){if(!this.u){if(!fh)throw Error("Context has not been set and window is undefined.");this.u=sh.getInstance()}return this.u}; -La(wh);g.Va(yh,g.Ef);var wba={C1:1,lJ:2,S_:3};lc(fc(g.gc("https://pagead2.googlesyndication.com/pagead/osd.js")));Ch.prototype.Sz=function(a){if("string"===typeof a&&0!=a.length){var b=this.xb;if(b.B){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=d[0];d=1=this.K?a:this;b!==this.u?(this.F=this.u.F,ri(this)):this.F!==this.u.F&&(this.F=this.u.F,ri(this))}; -g.k.Xk=function(a){if(a.B===this.u){var b;if(!(b=this.ma)){b=this.C;var c=this.R;if(c=a&&(void 0===c||!c||b.volume==a.volume)&&b.C==a.C)b=b.u,c=a.u,c=b==c?!0:b&&c?b.top==c.top&&b.right==c.right&&b.bottom==c.bottom&&b.left==c.left:!1;b=!c}this.C=a;b&&yi(this)}}; -g.k.qj=function(){return this.R}; -g.k.dispose=function(){this.fa=!0}; -g.k.na=function(){return this.fa};g.k=zi.prototype;g.k.jz=function(){return!0}; -g.k.Xq=function(){}; -g.k.dispose=function(){if(!this.na()){var a=this.B;g.ob(a.D,this);a.R&&this.qj()&&xi(a);this.Xq();this.Y=!0}}; -g.k.na=function(){return this.Y}; -g.k.Mk=function(){return this.B.Mk()}; -g.k.Qi=function(){return this.B.Qi()}; -g.k.ao=function(){return this.B.ao()}; -g.k.Fq=function(){return this.B.Fq()}; -g.k.jo=function(){}; -g.k.Xk=function(){this.Ck()}; -g.k.qj=function(){return this.aa};g.k=Ai.prototype;g.k.Qi=function(){return this.u.Qi()}; -g.k.ao=function(){return this.u.ao()}; -g.k.Fq=function(){return this.u.Fq()}; -g.k.create=function(a,b,c){var d=null;this.u&&(d=this.Su(a,b,c),ti(this.u,d));return d}; -g.k.yE=function(){return this.Uq()}; -g.k.Uq=function(){return!1}; -g.k.init=function(a){return this.u.initialize()?(ti(this.u,this),this.D=a,!0):!1}; -g.k.jo=function(a){0==a.Qi()&&this.D(a.ao(),this)}; -g.k.Xk=function(){}; -g.k.qj=function(){return!1}; -g.k.dispose=function(){this.F=!0}; -g.k.na=function(){return this.F}; -g.k.Mk=function(){return{}};Di.prototype.add=function(a,b,c){++this.C;var d=this.C/4096,e=this.u,f=e.push;a=new Bi(a,b,c);d=new Bi(a.B,a.u,a.C+d);f.call(e,d);this.B=!0;return this};Hi.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=Fi(this.u);0=h;h=!(0=h)||c;this.u[e].update(f&&l,d,!f||h)}};Xi.prototype.update=function(a,b,c,d){this.K=-1!=this.K?Math.min(this.K,b.xc):b.xc;this.Y=Math.max(this.Y,b.xc);this.aa=-1!=this.aa?Math.min(this.aa,b.jg):b.jg;this.ha=Math.max(this.ha,b.jg);this.Ja.update(b.jg,c.jg,b.u,a,d);this.B.update(b.xc,c.xc,b.u,a,d);c=d||c.Gm!=b.Gm?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.u;this.za.update(c,a,b)}; -Xi.prototype.Jm=function(){return this.za.C>=this.Ub};var HBa=new hg(0,0,0,0);var Pba=new hg(0,0,0,0);g.u(aj,g.C);g.k=aj.prototype;g.k.ca=function(){this.Uf.u&&(this.jm.Az&&(Zf(this.Uf.u,"mouseover",this.jm.Az),this.jm.Az=null),this.jm.yz&&(Zf(this.Uf.u,"mouseout",this.jm.yz),this.jm.yz=null));this.Zr&&this.Zr.dispose();this.Ec&&this.Ec.dispose();delete this.Nu;delete this.fz;delete this.dI;delete this.Uf.jl;delete this.Uf.u;delete this.jm;delete this.Zr;delete this.Ec;delete this.xb;g.C.prototype.ca.call(this)}; -g.k.Pk=function(){return this.Ec?this.Ec.u:this.position}; -g.k.Sz=function(a){Ch.getInstance().Sz(a)}; -g.k.qj=function(){return!1}; -g.k.Tt=function(){return new Xi}; -g.k.Xf=function(){return this.Nu}; -g.k.lD=function(a){return dj(this,a,1E4)}; -g.k.oa=function(a,b,c,d,e,f,h){this.qo||(this.vt&&(a=this.hx(a,c,e,h),d=d&&this.Je.xc>=(this.Gm()?.3:.5),this.YA(f,a,d),this.lastUpdateTime=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new hg(0,0,0,0):a;a=this.B.C;b=e=d=0;0<(this.u.bottom-this.u.top)*(this.u.right-this.u.left)&&(this.XD(c)?c=new hg(0,0,0,0):(d=li.getInstance().D,b=new hg(0,d.height,d.width,0),d=$i(c,this.u),e=$i(c,li.getInstance().u), -b=$i(c,b)));c=c.top>=c.bottom||c.left>=c.right?new hg(0,0,0,0):ig(c,-this.u.left,-this.u.top);oi()||(e=d=0);this.K=new ci(a,this.element,this.u,c,d,e,this.timestamp,b)}; -g.k.getName=function(){return this.B.getName()};var IBa=new hg(0,0,0,0);g.u(sj,rj);g.k=sj.prototype;g.k.jz=function(){this.C();return!0}; -g.k.Xk=function(){rj.prototype.Ck.call(this)}; -g.k.eC=function(){}; -g.k.kx=function(){}; -g.k.Ck=function(){this.C();rj.prototype.Ck.call(this)}; -g.k.jo=function(a){a=a.isActive();a!==this.I&&(a?this.C():(li.getInstance().u=new hg(0,0,0,0),this.u=new hg(0,0,0,0),this.D=new hg(0,0,0,0),this.timestamp=-1));this.I=a};var v1={},fca=(v1.firstquartile=0,v1.midpoint=1,v1.thirdquartile=2,v1.complete=3,v1);g.u(uj,aj);g.k=uj.prototype;g.k.qj=function(){return!0}; -g.k.lD=function(a){return dj(this,a,Math.max(1E4,this.D/3))}; -g.k.oa=function(a,b,c,d,e,f,h){var l=this,m=this.aa(this)||{};g.Zb(m,e);this.D=m.duration||this.D;this.P=m.isVpaid||this.P;this.za=m.isYouTube||this.za;e=bca(this,b);1===zj(this)&&(f=e);aj.prototype.oa.call(this,a,b,c,d,m,f,h);this.C&&this.C.u&&g.Cb(this.K,function(n){pj(n,l)})}; -g.k.YA=function(a,b,c){aj.prototype.YA.call(this,a,b,c);yj(this).update(a,b,this.Je,c);this.Qa=jj(this.Je)&&jj(b);-1==this.ia&&this.Ga&&(this.ia=this.Xf().C.u);this.ze.C=0;a=this.Jm();b.isVisible()&&kj(this.ze,"vs");a&&kj(this.ze,"vw");ji(b.volume)&&kj(this.ze,"am");jj(b)&&kj(this.ze,"a");this.ko&&kj(this.ze,"f");-1!=b.B&&(kj(this.ze,"bm"),1==b.B&&kj(this.ze,"b"));jj(b)&&b.isVisible()&&kj(this.ze,"avs");this.Qa&&a&&kj(this.ze,"avw");0this.u.K&&(this.u=this,ri(this)),this.K=a);return 2==a}; -La(fk);La(gk);hk.prototype.xE=function(){kk(this,Uj(),!1)}; -hk.prototype.D=function(){var a=oi(),b=Xh();a?(Zh||($h=b,g.Cb(Tj.u,function(c){var d=c.Xf();d.ma=nj(d,b,1!=c.pe)})),Zh=!0):(this.K=nk(this,b),Zh=!1,Hj=b,g.Cb(Tj.u,function(c){c.vt&&(c.Xf().R=b)})); -kk(this,Uj(),!a)}; -La(hk);var ik=hk.getInstance();var ok=null,Wk="",Vk=!1;var w1=uk([void 0,1,2,3,4,8,16]),x1=uk([void 0,4,8,16]),KBa={sv:"sv",cb:"cb",e:"e",nas:"nas",msg:"msg","if":"if",sdk:"sdk",p:"p",p0:tk("p0",x1),p1:tk("p1",x1),p2:tk("p2",x1),p3:tk("p3",x1),cp:"cp",tos:"tos",mtos:"mtos",mtos1:sk("mtos1",[0,2,4],!1,x1),mtos2:sk("mtos2",[0,2,4],!1,x1),mtos3:sk("mtos3",[0,2,4],!1,x1),mcvt:"mcvt",ps:"ps",scs:"scs",bs:"bs",vht:"vht",mut:"mut",a:"a",a0:tk("a0",x1),a1:tk("a1",x1),a2:tk("a2",x1),a3:tk("a3",x1),ft:"ft",dft:"dft",at:"at",dat:"dat",as:"as",vpt:"vpt",gmm:"gmm", -std:"std",efpf:"efpf",swf:"swf",nio:"nio",px:"px",nnut:"nnut",vmer:"vmer",vmmk:"vmmk",vmiec:"vmiec",nmt:"nmt",tcm:"tcm",bt:"bt",pst:"pst",vpaid:"vpaid",dur:"dur",vmtime:"vmtime",dtos:"dtos",dtoss:"dtoss",dvs:"dvs",dfvs:"dfvs",dvpt:"dvpt",fmf:"fmf",vds:"vds",is:"is",i0:"i0",i1:"i1",i2:"i2",i3:"i3",ic:"ic",cs:"cs",c:"c",c0:tk("c0",x1),c1:tk("c1",x1),c2:tk("c2",x1),c3:tk("c3",x1),mc:"mc",nc:"nc",mv:"mv",nv:"nv",qmt:tk("qmtos",w1),qnc:tk("qnc",w1),qmv:tk("qmv",w1),qnv:tk("qnv",w1),raf:"raf",rafc:"rafc", -lte:"lte",ces:"ces",tth:"tth",femt:"femt",femvt:"femvt",emc:"emc",emuc:"emuc",emb:"emb",avms:"avms",nvat:"nvat",qi:"qi",psm:"psm",psv:"psv",psfv:"psfv",psa:"psa",pnk:"pnk",pnc:"pnc",pnmm:"pnmm",pns:"pns",ptlt:"ptlt",pngs:"pings",veid:"veid",ssb:"ssb",ss0:tk("ss0",x1),ss1:tk("ss1",x1),ss2:tk("ss2",x1),ss3:tk("ss3",x1),dc_rfl:"urlsigs",obd:"obd",omidp:"omidp",omidr:"omidr",omidv:"omidv",omida:"omida",omids:"omids",omidpv:"omidpv",omidam:"omidam",omidct:"omidct",omidia:"omidia"},LBa={c:pk("c"),at:"at", -atos:sk("atos",[0,2,4]),ta:function(a,b){return function(c){if(void 0===c[a])return b}}("tth","1"), -a:"a",dur:"dur",p:"p",tos:rk(),j:"dom",mtos:sk("mtos",[0,2,4]),gmm:"gmm",gdr:"gdr",ss:pk("ss"),vsv:$a("w2"),t:"t"},MBa={atos:"atos",amtos:"amtos",avt:sk("atos",[2]),davs:"davs",dafvs:"dafvs",dav:"dav",ss:pk("ss"),t:"t"},NBa={a:"a",tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),dur:"dur",fs:"fs",p:"p",vpt:"vpt",vsv:$a("ias_w2"),dom:"dom",gmm:"gmm",gdr:"gdr",t:"t"},OBa={tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),p:"p",vpt:"vpt",vsv:$a("dv_w4"),gmm:"gmm",gdr:"gdr",dom:"dom",t:"t",mv:"mv", -qmpt:sk("qmtos",[0,2,4]),qvs:function(a,b){return function(c){var d=c[a];if("number"===typeof d)return g.Oc(b,function(e){return 0=e?1:0})}}("qnc",[1, -.5,0]),qmv:"qmv",qa:"qas",a:"a"};var Dca={OW:"visible",GT:"audible",n3:"time",o3:"timetype"},zk={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.width*=a;this.top*=b;this.height*=b;return this};var xia={};Gia.prototype.update=function(a){a&&a.document&&(this.J=Dm(!1,a,this.isMobileDevice),this.j=Dm(!0,a,this.isMobileDevice),Iia(this,a),Hia(this,a))};$m.prototype.cancel=function(){cm().clearTimeout(this.j);this.j=null}; +$m.prototype.schedule=function(){var a=this,b=cm(),c=fm().j.j;this.j=b.setTimeout(em(c,qm(143,function(){a.u++;a.B.sample()})),sia())};g.k=an.prototype;g.k.LA=function(){return!1}; +g.k.initialize=function(){return this.isInitialized=!0}; +g.k.zy=function(){return this.j.Ga}; +g.k.mC=function(){return this.j.Z}; +g.k.fail=function(a,b){if(!this.Z||(void 0===b?0:b))this.Z=!0,this.Ga=a,this.T=0,this.j!=this||rn(this)}; +g.k.getName=function(){return this.j.Qa}; +g.k.ws=function(){return this.j.PT()}; +g.k.PT=function(){return{}}; +g.k.cq=function(){return this.j.T}; +g.k.mR=function(){var a=Xm();a.j=Dm(!0,this.B,a.isMobileDevice)}; +g.k.nR=function(){Hia(Xm(),this.B)}; +g.k.dU=function(){return this.C.j}; +g.k.sample=function(){}; +g.k.isActive=function(){return this.j.I}; +g.k.Hy=function(a){var b=this.j;this.j=a.cq()>=this.T?a:this;b!==this.j?(this.I=this.j.I,rn(this)):this.I!==this.j.I&&(this.I=this.j.I,rn(this))}; +g.k.Hs=function(a){if(a.u===this.j){var b=!this.C.equals(a,this.ea);this.C=a;b&&Lia(this)}}; +g.k.ip=function(){return this.ea}; +g.k.dispose=function(){this.Aa=!0}; +g.k.isDisposed=function(){return this.Aa};g.k=sn.prototype;g.k.yJ=function(){return!0}; +g.k.MA=function(){}; +g.k.dispose=function(){if(!this.isDisposed()){var a=this.u;g.wb(a.D,this);a.ea&&this.ip()&&Kia(a);this.MA();this.Z=!0}}; +g.k.isDisposed=function(){return this.Z}; +g.k.ws=function(){return this.u.ws()}; +g.k.cq=function(){return this.u.cq()}; +g.k.zy=function(){return this.u.zy()}; +g.k.mC=function(){return this.u.mC()}; +g.k.Hy=function(){}; +g.k.Hs=function(){this.Hr()}; +g.k.ip=function(){return this.oa};g.k=tn.prototype;g.k.cq=function(){return this.j.cq()}; +g.k.zy=function(){return this.j.zy()}; +g.k.mC=function(){return this.j.mC()}; +g.k.create=function(a,b,c){var d=null;this.j&&(d=this.ME(a,b,c),bn(this.j,d));return d}; +g.k.oR=function(){return this.NA()}; +g.k.NA=function(){return!1}; +g.k.init=function(a){return this.j.initialize()?(bn(this.j,this),this.C=a,!0):!1}; +g.k.Hy=function(a){0==a.cq()&&this.C(a.zy(),this)}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.dispose=function(){this.D=!0}; +g.k.isDisposed=function(){return this.D}; +g.k.ws=function(){return{}};un.prototype.add=function(a,b,c){++this.B;a=new Mia(a,b,c);this.j.push(new Mia(a.u,a.j,a.B+this.B/4096));this.u=!0;return this};var xn;xn=["av.default","js","unreleased"].slice(-1)[0];Ria.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=wn(this.j);0=h;h=!(0=h)||c;this.j[e].update(f&&l,d,!f||h)}};Fn.prototype.update=function(a,b,c,d){this.J=-1!=this.J?Math.min(this.J,b.Xd):b.Xd;this.oa=Math.max(this.oa,b.Xd);this.ya=-1!=this.ya?Math.min(this.ya,b.Tj):b.Tj;this.Ga=Math.max(this.Ga,b.Tj);this.ib.update(b.Tj,c.Tj,b.j,a,d);this.u.update(b.Xd,c.Xd,b.j,a,d);c=d||c.hv!=b.hv?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.j;this.Qa.update(c,a,b)}; +Fn.prototype.wq=function(){return this.Qa.B>=this.fb};if(Ym&&Ym.URL){var k$a=Ym.URL,l$a;if(l$a=!!k$a){var m$a;a:{if(k$a){var n$a=RegExp(".*[&#?]google_debug(=[^&]*)?(&.*)?$");try{var i3=n$a.exec(decodeURIComponent(k$a));if(i3){m$a=i3[1]&&1=(this.hv()?.3:.5),this.YP(f,a,d),this.Wo=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new xm(0,0,0,0):a;a=this.u.C;b=e=d=0;0<(this.j.bottom-this.j.top)*(this.j.right-this.j.left)&&(this.VU(c)?c=new xm(0,0,0,0):(d=Xm().C,b=new xm(0,d.height,d.width,0),d=Jn(c,this.j),e=Jn(c,Xm().j),b=Jn(c,b)));c=c.top>=c.bottom||c.left>=c.right?new xm(0,0,0, +0):Am(c,-this.j.left,-this.j.top);Zm()||(e=d=0);this.J=new Cm(a,this.element,this.j,c,d,e,this.timestamp,b)}; +g.k.getName=function(){return this.u.getName()};var s$a=new xm(0,0,0,0);g.w(bo,ao);g.k=bo.prototype;g.k.yJ=function(){this.B();return!0}; +g.k.Hs=function(){ao.prototype.Hr.call(this)}; +g.k.JS=function(){}; +g.k.HK=function(){}; +g.k.Hr=function(){this.B();ao.prototype.Hr.call(this)}; +g.k.Hy=function(a){a=a.isActive();a!==this.I&&(a?this.B():(Xm().j=new xm(0,0,0,0),this.j=new xm(0,0,0,0),this.C=new xm(0,0,0,0),this.timestamp=-1));this.I=a};var m3={},Gja=(m3.firstquartile=0,m3.midpoint=1,m3.thirdquartile=2,m3.complete=3,m3);g.w(eo,Kn);g.k=eo.prototype;g.k.ip=function(){return!0}; +g.k.Zm=function(){return 2==this.Gi}; +g.k.VT=function(a){return ija(this,a,Math.max(1E4,this.B/3))}; +g.k.Pa=function(a,b,c,d,e,f,h){var l=this,m=this.J(this)||{};g.od(m,e);this.B=m.duration||this.B;this.ea=m.isVpaid||this.ea;this.La=m.isYouTube||this.La;e=yja(this,b);1===xja(this)&&(f=e);Kn.prototype.Pa.call(this,a,b,c,d,m,f,h);this.Bq&&this.Bq.B&&g.Ob(this.I,function(n){n.u(l)})}; +g.k.YP=function(a,b,c){Kn.prototype.YP.call(this,a,b,c);ho(this).update(a,b,this.Ah,c);this.ib=On(this.Ah)&&On(b);-1==this.Ga&&this.fb&&(this.Ga=this.cj().B.j);this.Rg.B=0;a=this.wq();b.isVisible()&&Un(this.Rg,"vs");a&&Un(this.Rg,"vw");Vm(b.volume)&&Un(this.Rg,"am");On(b)?Un(this.Rg,"a"):Un(this.Rg,"mut");this.Oy&&Un(this.Rg,"f");-1!=b.u&&(Un(this.Rg,"bm"),1==b.u&&(Un(this.Rg,"b"),On(b)&&Un(this.Rg,"umutb")));On(b)&&b.isVisible()&&Un(this.Rg,"avs");this.ib&&a&&Un(this.Rg,"avw");0this.j.T&&(this.j=this,rn(this)),this.T=a);return 2==a};xo.prototype.sample=function(){Ao(this,po(),!1)}; +xo.prototype.C=function(){var a=Zm(),b=sm();a?(um||(vm=b,g.Ob(oo.j,function(c){var d=c.cj();d.La=Xn(d,b,1!=c.Gi)})),um=!0):(this.J=gka(this,b),um=!1,Hja=b,g.Ob(oo.j,function(c){c.wB&&(c.cj().T=b)})); +Ao(this,po(),!a)}; +var yo=am(xo);var ika=null,kp="",jp=!1;var lka=kka().Bo,Co=kka().Do;var oka={xta:"visible",Yha:"audible",mZa:"time",qZa:"timetype"},pka={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, audible:function(a){return"0"==a||"1"==a}, timetype:function(a){return"mtos"==a||"tos"==a}, -time:function(a){return/^(100|[0-9]{1,2})%$/.test(a)||/^([0-9])+ms$/.test(a)}};g.u(Ak,qj);Ak.prototype.getId=function(){return this.K}; -Ak.prototype.F=function(){return!0}; -Ak.prototype.C=function(a){var b=a.Xf(),c=a.getDuration();return ki(this.I,function(d){if(void 0!=d.u)var e=Fca(d,b);else b:{switch(d.F){case "mtos":e=d.B?b.F.C:b.C.u;break b;case "tos":e=d.B?b.F.u:b.C.u;break b}e=0}0==e?d=!1:(d=-1!=d.C?d.C:void 0!==c&&0=d);return d})};g.u(Bk,qj);Bk.prototype.C=function(a){var b=Si(a.Xf().u,1);return Aj(a,b)};g.u(Ck,qj);Ck.prototype.C=function(a){return a.Xf().Jm()};g.u(Fk,Gca);Fk.prototype.u=function(a){var b=new Dk;b.u=Ek(a,KBa);b.C=Ek(a,MBa);return b};g.u(Gk,sj);Gk.prototype.C=function(){var a=g.Ja("ima.admob.getViewability"),b=ah(this.xb,"queryid");"function"===typeof a&&b&&a(b)}; -Gk.prototype.getName=function(){return"gsv"};g.u(Hk,Ai);Hk.prototype.getName=function(){return"gsv"}; -Hk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Hk.prototype.Su=function(a,b,c){return new Gk(this.u,b,c)};g.u(Ik,sj);Ik.prototype.C=function(){var a=this,b=g.Ja("ima.bridge.getNativeViewability"),c=ah(this.xb,"queryid");"function"===typeof b&&c&&b(c,function(d){g.Sb(d)&&a.F++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.u=ii(d.opt_nativeViewBounds||{});var h=a.B.C;h.u=f?IBa.clone():ii(e);a.timestamp=d.opt_nativeTime||-1;li.getInstance().u=h.u;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; -Ik.prototype.getName=function(){return"nis"};g.u(Jk,Ai);Jk.prototype.getName=function(){return"nis"}; -Jk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Jk.prototype.Su=function(a,b,c){return new Ik(this.u,b,c)};g.u(Kk,qi);g.k=Kk.prototype;g.k.av=function(){return null!=this.B.Vh}; -g.k.hD=function(){var a={};this.ha&&(a.mraid=this.ha);this.Y&&(a.mlc=1);a.mtop=this.B.YR;this.I&&(a.mse=this.I);this.ia&&(a.msc=1);a.mcp=this.B.compatibility;return a}; -g.k.Gl=function(a,b){for(var c=[],d=1;d=d);return d})};g.w(Vo,rja);Vo.prototype.j=function(a){var b=new Sn;b.j=Tn(a,p$a);b.u=Tn(a,r$a);return b};g.w(Wo,Yn);Wo.prototype.j=function(a){return Aja(a)};g.w(Xo,wja);g.w(Yo,Yn);Yo.prototype.j=function(a){return a.cj().wq()};g.w(Zo,Zn);Zo.prototype.j=function(a){var b=g.rb(this.J,vl(fm().Cc,"ovms"));return!a.Ms&&(0!=a.Gi||b)};g.w($o,Xo);$o.prototype.u=function(){return new Zo(this.j)}; +$o.prototype.B=function(){return[new Yo("viewable_impression",this.j),new Wo(this.j)]};g.w(ap,bo);ap.prototype.B=function(){var a=g.Ga("ima.admob.getViewability"),b=vl(this.Cc,"queryid");"function"===typeof a&&b&&a(b)}; +ap.prototype.getName=function(){return"gsv"};g.w(bp,tn);bp.prototype.getName=function(){return"gsv"}; +bp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +bp.prototype.ME=function(a,b,c){return new ap(this.j,b,c)};g.w(cp,bo);cp.prototype.B=function(){var a=this,b=g.Ga("ima.bridge.getNativeViewability"),c=vl(this.Cc,"queryid");"function"===typeof b&&c&&b(c,function(d){g.hd(d)&&a.D++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.j=Eia(d.opt_nativeViewBounds||{});var h=a.u.C;h.j=f?s$a.clone():Eia(e);a.timestamp=d.opt_nativeTime||-1;Xm().j=h.j;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; +cp.prototype.getName=function(){return"nis"};g.w(dp,tn);dp.prototype.getName=function(){return"nis"}; +dp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +dp.prototype.ME=function(a,b,c){return new cp(this.j,b,c)};g.w(ep,an);g.k=ep.prototype;g.k.LA=function(){return null!=this.u.jn}; +g.k.PT=function(){var a={};this.Ja&&(a.mraid=this.Ja);this.ya&&(a.mlc=1);a.mtop=this.u.f9;this.J&&(a.mse=this.J);this.La&&(a.msc=1);a.mcp=this.u.compatibility;return a}; +g.k.zt=function(a){var b=g.ya.apply(1,arguments);try{return this.u.jn[a].apply(this.u.jn,b)}catch(c){rm(538,c,.01,function(d){d.method=a})}}; +g.k.initialize=function(){var a=this;if(this.isInitialized)return!this.mC();this.isInitialized=!0;if(2===this.u.compatibility)return this.J="ng",this.fail("w"),!1;if(1===this.u.compatibility)return this.J="mm",this.fail("w"),!1;Xm().T=!0;this.B.document.readyState&&"complete"==this.B.document.readyState?vka(this):Hn(this.B,"load",function(){cm().setTimeout(qm(292,function(){return vka(a)}),100)},292); return!0}; -g.k.JE=function(){var a=li.getInstance(),b=Rk(this,"getMaxSize");a.u=new hg(0,b.width,b.height,0)}; -g.k.KE=function(){li.getInstance().D=Rk(this,"getScreenSize")}; -g.k.dispose=function(){Pk(this);qi.prototype.dispose.call(this)}; -La(Kk);g.k=Sk.prototype;g.k.cq=function(a){bj(a,!1);rca(a)}; -g.k.Xt=function(){}; -g.k.Hr=function(a,b,c,d){var e=this;this.B||(this.B=this.AC());b=c?b:-1;a=null==this.B?new uj(fh,a,b,7):new uj(fh,a,b,7,new qj("measurable_impression",this.B),Mca(this));a.mf=d;jba(a.xb);$g(a.xb,"queryid",a.mf);a.Sz("");Uba(a,function(f){for(var h=[],l=0;lthis.C?this.B:2*this.B)-this.C);a[0]=128;for(var b=1;bb;++b)for(var d=0;32>d;d+=8)a[c++]=this.u[b]>>>d&255;return a};g.u(ql,Fk);ql.prototype.u=function(a){var b=Fk.prototype.u.call(this,a);var c=fl=g.A();var d=gl(5);c=(il?!d:d)?c|2:c&-3;d=gl(2);c=(jl?!d:d)?c|8:c&-9;c={s1:(c>>>0).toString(16)};this.B||(this.B=Xca());b.F=this.B;b.I=Ek(a,LBa,c,"h",rl("kArwaWEsTs"));b.D=Ek(a,NBa,{},"h",rl("b96YPMzfnx"));b.B=Ek(a,OBa,{},"h",rl("yb8Wev6QDg"));return b};sl.prototype.u=function(){return g.Ja(this.B)};g.u(tl,sl);tl.prototype.u=function(a){if(!a.Qo)return sl.prototype.u.call(this,a);var b=this.D[a.Qo];if(b)return function(c,d,e){b.B(c,d,e)}; -Wh(393,Error());return null};g.u(ul,Sk);g.k=ul.prototype;g.k.Xt=function(a,b){var c=this,d=Xj.getInstance();if(null!=d.u)switch(d.u.getName()){case "nis":var e=ada(this,a,b);break;case "gsv":e=$ca(this,a,b);break;case "exc":e=bda(this,a)}e||(b.opt_overlayAdElement?e=void 0:b.opt_adElement&&(e=Qca(this,a,b.opt_adElement,b.opt_osdId)));e&&1==e.Oi()&&(e.aa==g.Ka&&(e.aa=function(f){return c.IE(f)}),Zca(this,e,b)); +g.k.mR=function(){var a=Xm(),b=Aka(this,"getMaxSize");a.j=new xm(0,b.width,b.height,0)}; +g.k.nR=function(){Xm().C=Aka(this,"getScreenSize")}; +g.k.dispose=function(){xka(this);an.prototype.dispose.call(this)};var aia=new function(a,b){this.key=a;this.defaultValue=void 0===b?!1:b;this.valueType="boolean"}("45378663");g.k=gp.prototype;g.k.rB=function(a){Ln(a,!1);Uja(a)}; +g.k.eG=function(){}; +g.k.ED=function(a,b,c,d){var e=this;a=new eo(Bl,a,c?b:-1,7,this.eL(),this.eT());a.Zh=d;wha(a.Cc);ul(a.Cc,"queryid",a.Zh);a.BO("");lja(a,function(){return e.nU.apply(e,g.u(g.ya.apply(0,arguments)))},function(){return e.P3.apply(e,g.u(g.ya.apply(0,arguments)))}); +(d=am(qo).j)&&hja(a,d);a.Cj.Ss&&am(cka);return a}; +g.k.Hy=function(a){switch(a.cq()){case 0:if(a=am(qo).j)a=a.j,g.wb(a.D,this),a.ea&&this.ip()&&Kia(a);ip();break;case 2:zo()}}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.P3=function(a,b){a.Ms=!0;switch(a.Io()){case 1:Gka(a,b);break;case 2:this.LO(a)}}; +g.k.Y3=function(a){var b=a.J(a);b&&(b=b.volume,a.kb=Vm(b)&&0=a.keyCode)a.keyCode=-1}catch(b){}};var Gl="closure_listenable_"+(1E6*Math.random()|0),hda=0;Jl.prototype.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.u++);var h=Ll(a,b,d,e);-1>>0);g.Va(g.am,g.C);g.am.prototype[Gl]=!0;g.k=g.am.prototype;g.k.addEventListener=function(a,b,c,d){Nl(this,a,b,c,d)}; -g.k.removeEventListener=function(a,b,c,d){Vl(this,a,b,c,d)}; -g.k.dispatchEvent=function(a){var b=this.za;if(b){var c=[];for(var d=1;b;b=b.za)c.push(b),++d}b=this.Ga;d=a.type||a;if("string"===typeof a)a=new g.El(a,b);else if(a instanceof g.El)a.target=a.target||b;else{var e=a;a=new g.El(d,b);g.Zb(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=bm(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=bm(h,d,!0,a)&&e,a.u||(e=bm(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&f2*this.C&&Pm(this),!0):!1}; -g.k.get=function(a,b){return Om(this.B,a)?this.B[a]:b}; -g.k.set=function(a,b){Om(this.B,a)||(this.C++,this.u.push(a),this.Ol++);this.B[a]=b}; -g.k.forEach=function(a,b){for(var c=this.Sg(),d=0;d=d.u.length)throw fj;var f=d.u[b++];return a?f:d.B[f]}; -return e};g.Qm.prototype.toString=function(){var a=[],b=this.F;b&&a.push(Xm(b,VBa,!0),":");var c=this.u;if(c||"file"==b)a.push("//"),(b=this.R)&&a.push(Xm(b,VBa,!0),"@"),a.push(md(c).replace(/%25([0-9a-fA-F]{2})/g,"%$1")),c=this.D,null!=c&&a.push(":",String(c));if(c=this.B)this.u&&"/"!=c.charAt(0)&&a.push("/"),a.push(Xm(c,"/"==c.charAt(0)?WBa:XBa,!0));(c=this.C.toString())&&a.push("?",c);(c=this.I)&&a.push("#",Xm(c,YBa));return a.join("")}; -g.Qm.prototype.resolve=function(a){var b=this.clone(),c=!!a.F;c?g.Rm(b,a.F):c=!!a.R;c?b.R=a.R:c=!!a.u;c?g.Sm(b,a.u):c=null!=a.D;var d=a.B;if(c)g.Tm(b,a.D);else if(c=!!a.B){if("/"!=d.charAt(0))if(this.u&&!this.B)d="/"+d;else{var e=b.B.lastIndexOf("/");-1!=e&&(d=b.B.substr(0,e+1)+d)}e=d;if(".."==e||"."==e)d="";else if(-1!=e.indexOf("./")||-1!=e.indexOf("/.")){d=nc(e,"/");e=e.split("/");for(var f=[],h=0;ha&&0===a%1&&this.B[a]!=b&&(this.B[a]=b,this.u=-1)}; -fn.prototype.get=function(a){return!!this.B[a]};g.Va(g.gn,g.C);g.k=g.gn.prototype;g.k.start=function(){this.stop();this.D=!1;var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?(this.u=Nl(this.B,"MozBeforePaint",this.C),this.B.mozRequestAnimationFrame(null),this.D=!0):this.u=a&&b?a.call(this.B,this.C):this.B.setTimeout(kaa(this.C),20)}; -g.k.Sb=function(){this.isActive()||this.start()}; -g.k.stop=function(){if(this.isActive()){var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?Wl(this.u):a&&b?b.call(this.B,this.u):this.B.clearTimeout(this.u)}this.u=null}; -g.k.rg=function(){this.isActive()&&(this.stop(),this.sD())}; -g.k.isActive=function(){return null!=this.u}; -g.k.sD=function(){this.D&&this.u&&Wl(this.u);this.u=null;this.I.call(this.F,g.A())}; -g.k.ca=function(){this.stop();g.gn.Jd.ca.call(this)};g.Va(g.F,g.C);g.k=g.F.prototype;g.k.Bq=0;g.k.ca=function(){g.F.Jd.ca.call(this);this.stop();delete this.u;delete this.B}; -g.k.start=function(a){this.stop();this.Bq=g.Lm(this.C,void 0!==a?a:this.yf)}; -g.k.Sb=function(a){this.isActive()||this.start(a)}; -g.k.stop=function(){this.isActive()&&g.v.clearTimeout(this.Bq);this.Bq=0}; -g.k.rg=function(){this.isActive()&&g.kn(this)}; -g.k.isActive=function(){return 0!=this.Bq}; -g.k.tD=function(){this.Bq=0;this.u&&this.u.call(this.B)};g.Va(ln,kl);ln.prototype.reset=function(){this.u[0]=1732584193;this.u[1]=4023233417;this.u[2]=2562383102;this.u[3]=271733878;this.u[4]=3285377520;this.D=this.C=0}; -ln.prototype.update=function(a,b){if(null!=a){void 0===b&&(b=a.length);for(var c=b-this.B,d=0,e=this.I,f=this.C;dthis.C?this.update(this.F,56-this.C):this.update(this.F,this.B-(this.C-56));for(var c=this.B-1;56<=c;c--)this.I[c]=b&255,b/=256;mn(this,this.I);for(c=b=0;5>c;c++)for(var d=24;0<=d;d-=8)a[b]=this.u[c]>>d&255,++b;return a};g.Va(g.vn,g.am);g.k=g.vn.prototype;g.k.Hb=function(){return 1==this.Ka}; -g.k.wv=function(){this.Pg("begin")}; -g.k.sr=function(){this.Pg("end")}; -g.k.Zf=function(){this.Pg("finish")}; -g.k.Pg=function(a){this.dispatchEvent(a)};var ZBa=bb(function(){if(g.ye)return g.ae("10.0");var a=g.Fe("DIV"),b=g.Ae?"-webkit":wg?"-moz":g.ye?"-ms":g.xg?"-o":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");b={style:c};if(!xBa.test("div"))throw Error("");if("DIV"in zBa)throw Error("");c=null;var d="";if(b)for(h in b)if(Object.prototype.hasOwnProperty.call(b,h)){if(!xBa.test(h))throw Error("");var e=b[h];if(null!=e){var f=h;if(e instanceof ec)e=fc(e);else if("style"==f.toLowerCase()){if(!g.Pa(e))throw Error(""); -e instanceof Mc||(e=Sc(e));e=Nc(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in yBa)if(e instanceof ic)e=jc(e).toString();else if(e instanceof g.Ec)e=g.Fc(e);else if("string"===typeof e)e=g.Jc(e).Tg();else throw Error("");}e.Rj&&(e=e.Tg());f=f+'="'+xc(String(e))+'"';d+=" "+f}}var h="":(c=Gaa(d),h+=">"+g.bd(c).toString()+"
",c=c.u());(b=b&&b.dir)&&(/^(ltr|rtl|auto)$/i.test(b)?c=0:c=null);b=cd(h,c);g.gd(a, -b);return""!=g.yg(a.firstChild,"transition")});g.Va(wn,g.vn);g.k=wn.prototype;g.k.play=function(){if(this.Hb())return!1;this.wv();this.Pg("play");this.startTime=g.A();this.Ka=1;if(ZBa())return g.ug(this.u,this.I),this.D=g.Lm(this.uR,void 0,this),!0;this.oy(!1);return!1}; -g.k.uR=function(){g.Lg(this.u);zda(this.u,this.K);g.ug(this.u,this.C);this.D=g.Lm((0,g.z)(this.oy,this,!1),1E3*this.F)}; -g.k.stop=function(){this.Hb()&&this.oy(!0)}; -g.k.oy=function(a){g.ug(this.u,"transition","");g.v.clearTimeout(this.D);g.ug(this.u,this.C);this.endTime=g.A();this.Ka=0;a?this.Pg("stop"):this.Zf();this.sr()}; -g.k.ca=function(){this.stop();wn.Jd.ca.call(this)}; -g.k.pause=function(){};var Ada={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};var Eda=yn("getPropertyValue"),Fda=yn("setProperty");var Dda={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};g.Cn.prototype.clone=function(){return new g.Cn(this.u,this.F,this.C,this.I,this.D,this.K,this.B,this.R)};g.En.prototype.B=0;g.En.prototype.reset=function(){this.u=this.C=this.D;this.B=0}; -g.En.prototype.getValue=function(){return this.C};Gn.prototype.clone=function(){return new Gn(this.start,this.end)}; -Gn.prototype.getLength=function(){return this.end-this.start};var $Ba=new WeakMap;(function(){if($Aa){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.Vc))?a[1]:"0"}return fE?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.Vc))?a[0].replace(/_/g,"."):"10"):g.qr?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.Vc))?a[1]:""):BBa||CBa||DBa?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.Vc))?a[1].replace(/_/g,"."):""):""})();var Mda=function(){if(g.vC)return Hn(/Firefox\/([0-9.]+)/);if(g.ye||g.hs||g.xg)return $d;if(g.pB)return Vd()?Hn(/CriOS\/([0-9.]+)/):Hn(/Chrome\/([0-9.]+)/);if(g.Ur&&!Vd())return Hn(/Version\/([0-9.]+)/);if(oD||sJ){var a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.Vc);if(a)return a[1]+"."+a[2]}else if(g.gD)return(a=Hn(/Android\s+([0-9.]+)/))?a:Hn(/Version\/([0-9.]+)/);return""}();g.Va(g.Jn,g.C);g.k=g.Jn.prototype;g.k.subscribe=function(a,b,c){var d=this.B[a];d||(d=this.B[a]=[]);var e=this.F;this.u[e]=a;this.u[e+1]=b;this.u[e+2]=c;this.F=e+3;d.push(e);return e}; -g.k.unsubscribe=function(a,b,c){if(a=this.B[a]){var d=this.u;if(a=g.fb(a,function(e){return d[e+1]==b&&d[e+2]==c}))return this.Cm(a)}return!1}; -g.k.Cm=function(a){var b=this.u[a];if(b){var c=this.B[b];0!=this.D?(this.C.push(a),this.u[a+1]=g.Ka):(c&&g.ob(c,a),delete this.u[a],delete this.u[a+1],delete this.u[a+2])}return!!b}; -g.k.V=function(a,b){var c=this.B[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)throw fj;var e=c.key(b++);if(a)return e;e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.pR=function(a){a.u=0;a.Aa=0;if("h"==a.C||"n"==a.C){fm();a.Ya&&(fm(),"h"!=mp(this)&&mp(this));var b=g.Ga("ima.common.getVideoMetadata");if("function"===typeof b)try{var c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2}else if("b"==a.C)if(b=g.Ga("ytads.bulleit.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else if("ml"==a.C)if(b=g.Ga("ima.common.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else a.u|=1;a.u||(void 0===c?a.u|=8:null=== +c?a.u|=16:g.hd(c)?a.u|=32:null!=c.errorCode&&(a.Aa=c.errorCode,a.u|=64));null==c&&(c={});b=c;a.T=0;for(var d in j$a)null==b[d]&&(a.T|=j$a[d]);Kka(b,"currentTime");Kka(b,"duration");Vm(c.volume)&&Vm()&&(c.volume*=NaN);return c}; +g.k.gL=function(){fm();"h"!=mp(this)&&mp(this);var a=Rka(this);return null!=a?new Lka(a):null}; +g.k.LO=function(a){!a.j&&a.Ms&&np(this,a,"overlay_unmeasurable_impression")&&(a.j=!0)}; +g.k.nX=function(a){a.PX&&(a.wq()?np(this,a,"overlay_viewable_end_of_session_impression"):np(this,a,"overlay_unviewable_impression"),a.PX=!1)}; +g.k.nU=function(){}; +g.k.ED=function(a,b,c,d){if(bia()){var e=vl(fm().Cc,"mm"),f={};(e=(f[gm.fZ]="ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO",f[gm.VIDEO]="ACTIVE_VIEW_TRAFFIC_TYPE_VIDEO",f)[e])&&vp(this,e);"ACTIVE_VIEW_TRAFFIC_TYPE_UNSPECIFIED"===this.C&&rm(1044,Error())}a=gp.prototype.ED.call(this,a,b,c,d);this.D&&(b=this.I,null==a.D&&(a.D=new mja),b.j[a.Zh]=a.D,a.D.D=t$a);return a}; +g.k.rB=function(a){a&&1==a.Io()&&this.D&&delete this.I.j[a.Zh];return gp.prototype.rB.call(this,a)}; +g.k.eT=function(){this.j||(this.j=this.gL());return null==this.j?new $n:"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new rp(this.j):new $o(this.j)}; +g.k.eL=function(){return"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new sp:new Vo}; +var up=new Sn;up.j="stopped";up.u="stopped";var u$a=pm(193,wp,void 0,Hka);g.Fa("Goog_AdSense_Lidar_sendVastEvent",u$a);var v$a=qm(194,function(a,b){b=void 0===b?{}:b;a=Uka(am(tp),a,b);return Vka(a)}); +g.Fa("Goog_AdSense_Lidar_getViewability",v$a);var w$a=pm(195,function(){return Wha()}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsArray",w$a);var x$a=qm(196,function(){return JSON.stringify(Wha())}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsList",x$a);var XIa={FSa:0,CSa:1,zSa:2,ASa:3,BSa:4,ESa:5,DSa:6};var Qna=(new Date).getTime();var y$a="client_dev_domain client_dev_regex_map client_dev_root_url client_rollout_override expflag forcedCapability jsfeat jsmode mods".split(" ");[].concat(g.u(y$a),["client_dev_set_cookie"]);var Zka="://secure-...imrworldwide.com/ ://cdn.imrworldwide.com/ ://aksecure.imrworldwide.com/ ://[^.]*.moatads.com ://youtube[0-9]+.moatpixel.com ://pm.adsafeprotected.com/youtube ://pm.test-adsafeprotected.com/youtube ://e[0-9]+.yt.srs.doubleverify.com www.google.com/pagead/xsul www.youtube.com/pagead/slav".split(" "),$ka=/\bocr\b/;var bla=/(?:\[|%5B)([a-zA-Z0-9_]+)(?:\]|%5D)/g;"undefined"!==typeof TextDecoder&&new TextDecoder;var z$a="undefined"!==typeof TextEncoder?new TextEncoder:null,qqa=z$a?function(a){return z$a.encode(a)}:function(a){a=g.fg(a); +for(var b=new Uint8Array(a.length),c=0;ca&&Number.isInteger(a)&&this.data_[a]!==b&&(this.data_[a]=b,this.j=-1)}; +Bp.prototype.get=function(a){return!!this.data_[a]};var Dp;g.Ta(g.Gp,g.C);g.k=g.Gp.prototype;g.k.start=function(){this.stop();this.C=!1;var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?(this.j=g.ud(this.u,"MozBeforePaint",this.B),this.u.mozRequestAnimationFrame(null),this.C=!0):this.j=a&&b?a.call(this.u,this.B):this.u.setTimeout(rba(this.B),20)}; +g.k.stop=function(){if(this.isActive()){var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?yd(this.j):a&&b?b.call(this.u,this.j):this.u.clearTimeout(this.j)}this.j=null}; +g.k.isActive=function(){return null!=this.j}; +g.k.N_=function(){this.C&&this.j&&yd(this.j);this.j=null;this.I.call(this.D,g.Ra())}; +g.k.qa=function(){this.stop();g.Gp.Gf.qa.call(this)};g.Ta(g.Ip,g.C);g.k=g.Ip.prototype;g.k.OA=0;g.k.qa=function(){g.Ip.Gf.qa.call(this);this.stop();delete this.j;delete this.u}; +g.k.start=function(a){this.stop();this.OA=g.ag(this.B,void 0!==a?a:this.Fi)}; +g.k.stop=function(){this.isActive()&&g.Ea.clearTimeout(this.OA);this.OA=0}; +g.k.isActive=function(){return 0!=this.OA}; +g.k.qR=function(){this.OA=0;this.j&&this.j.call(this.u)};Mp.prototype[Symbol.iterator]=function(){return this}; +Mp.prototype.next=function(){var a=this.j.next();return{value:a.done?void 0:this.u.call(void 0,a.value),done:a.done}};Vp.prototype.hk=function(){return new Wp(this.u())}; +Vp.prototype[Symbol.iterator]=function(){return new Xp(this.u())}; +Vp.prototype.j=function(){return new Xp(this.u())}; +g.w(Wp,g.Mn);Wp.prototype.next=function(){return this.u.next()}; +Wp.prototype[Symbol.iterator]=function(){return new Xp(this.u)}; +Wp.prototype.j=function(){return new Xp(this.u)}; +g.w(Xp,Vp);Xp.prototype.next=function(){return this.B.next()};g.k=g.Zp.prototype;g.k.Ml=function(){aq(this);for(var a=[],b=0;b2*this.size&&aq(this),!0):!1}; +g.k.get=function(a,b){return $p(this.u,a)?this.u[a]:b}; +g.k.set=function(a,b){$p(this.u,a)||(this.size+=1,this.j.push(a),this.Pt++);this.u[a]=b}; +g.k.forEach=function(a,b){for(var c=this.Xp(),d=0;d=d.j.length)return g.j3;var f=d.j[b++];return g.Nn(a?f:d.u[f])}; +return e};g.Ta(g.bq,g.Fd);g.k=g.bq.prototype;g.k.bd=function(){return 1==this.j}; +g.k.ZG=function(){this.Fl("begin")}; +g.k.Gq=function(){this.Fl("end")}; +g.k.onFinish=function(){this.Fl("finish")}; +g.k.Fl=function(a){this.dispatchEvent(a)};var A$a=Nd(function(){if(g.mf)return!0;var a=g.qf("DIV"),b=g.Pc?"-webkit":Im?"-moz":g.mf?"-ms":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");c={style:c};if(!c9a.test("div"))throw Error("");if("DIV"in e9a)throw Error("");b=void 0;var d="";if(c)for(h in c)if(Object.prototype.hasOwnProperty.call(c,h)){if(!c9a.test(h))throw Error("");var e=c[h];if(null!=e){var f=h;if(e instanceof Vd)e=Wd(e);else if("style"==f.toLowerCase()){if(!g.Ja(e))throw Error("");e instanceof +je||(e=Lba(e));e=ke(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in d9a)if(e instanceof Zd)e=zba(e).toString();else if(e instanceof ae)e=g.be(e);else if("string"===typeof e)e=g.he(e).Ll();else throw Error("");}e.Qo&&(e=e.Ll());f=f+'="'+Ub(String(e))+'"';d+=" "+f}}var h="":(b=Vba(b),h+=">"+g.ve(b).toString()+"
");h=g.we(h);g.Yba(a,h);return""!=g.Jm(a.firstChild,"transition")});g.Ta(cq,g.bq);g.k=cq.prototype;g.k.play=function(){if(this.bd())return!1;this.ZG();this.Fl("play");this.startTime=g.Ra();this.j=1;if(A$a())return g.Hm(this.u,this.I),this.B=g.ag(this.g8,void 0,this),!0;this.zJ(!1);return!1}; +g.k.g8=function(){g.Sm(this.u);lla(this.u,this.J);g.Hm(this.u,this.C);this.B=g.ag((0,g.Oa)(this.zJ,this,!1),1E3*this.D)}; +g.k.stop=function(){this.bd()&&this.zJ(!0)}; +g.k.zJ=function(a){g.Hm(this.u,"transition","");g.Ea.clearTimeout(this.B);g.Hm(this.u,this.C);this.endTime=g.Ra();this.j=0;if(a)this.Fl("stop");else this.onFinish();this.Gq()}; +g.k.qa=function(){this.stop();cq.Gf.qa.call(this)}; +g.k.pause=function(){};var nla={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};dq("Element","attributes")||dq("Node","attributes");dq("Element","innerHTML")||dq("HTMLElement","innerHTML");dq("Node","nodeName");dq("Node","nodeType");dq("Node","parentNode");dq("Node","childNodes");dq("HTMLElement","style")||dq("Element","style");dq("HTMLStyleElement","sheet");var tla=pla("getPropertyValue"),ula=pla("setProperty");dq("Element","namespaceURI")||dq("Node","namespaceURI");var sla={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};var yla,G8a,xla,wla,zla;yla=RegExp("[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]");G8a=RegExp("^[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");g.B$a=RegExp("^[^\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]*[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]"); +g.eq=RegExp("^[^A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]*[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");xla=/^http:\/\/.*/;g.C$a=RegExp("^(ar|ckb|dv|he|iw|fa|nqo|ps|sd|ug|ur|yi|.*[-_](Adlm|Arab|Hebr|Nkoo|Rohg|Thaa))(?!.*[-_](Latn|Cyrl)($|-|_))($|-|_)","i");wla=/\s+/;zla=/[\d\u06f0-\u06f9]/;gq.prototype.clone=function(){return new gq(this.j,this.J,this.B,this.D,this.C,this.I,this.u,this.T)}; +gq.prototype.equals=function(a){return this.j==a.j&&this.J==a.J&&this.B==a.B&&this.D==a.D&&this.C==a.C&&this.I==a.I&&this.u==a.u&&this.T==a.T};iq.prototype.clone=function(){return new iq(this.start,this.end)};(function(){if($0a){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.hc()))?a[1]:"0"}return ZW?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.hc()))?a[0].replace(/_/g,"."):"10"):g.fz?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.hc()))?a[1]:""):R8a||S8a||T8a?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.hc()))?a[1].replace(/_/g,"."):""):""})();var Bla=function(){if(g.fJ)return jq(/Firefox\/([0-9.]+)/);if(g.mf||g.oB||g.dK)return Ic;if(g.eI){if(Cc()||Dc()){var a=jq(/CriOS\/([0-9.]+)/);if(a)return a}return jq(/Chrome\/([0-9.]+)/)}if(g.BA&&!Cc())return jq(/Version\/([0-9.]+)/);if(cz||dz){if(a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.hc()))return a[1]+"."+a[2]}else if(g.eK)return(a=jq(/Android\s+([0-9.]+)/))?a:jq(/Version\/([0-9.]+)/);return""}();g.Ta(g.lq,g.C);g.k=g.lq.prototype;g.k.subscribe=function(a,b,c){var d=this.u[a];d||(d=this.u[a]=[]);var e=this.I;this.j[e]=a;this.j[e+1]=b;this.j[e+2]=c;this.I=e+3;d.push(e);return e}; +g.k.unsubscribe=function(a,b,c){if(a=this.u[a]){var d=this.j;if(a=a.find(function(e){return d[e+1]==b&&d[e+2]==c}))return this.Gh(a)}return!1}; +g.k.Gh=function(a){var b=this.j[a];if(b){var c=this.u[b];0!=this.C?(this.B.push(a),this.j[a+1]=function(){}):(c&&g.wb(c,a),delete this.j[a],delete this.j[a+1],delete this.j[a+2])}return!!b}; +g.k.ma=function(a,b){var c=this.u[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)return g.j3;var e=c.key(b++);if(a)return g.Nn(e);e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){this.u.clear()}; -g.k.key=function(a){return this.u.key(a)};g.Va(bo,ao);g.Va(co,ao);g.Va(fo,$n);var Pda={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},eo=null;g.k=fo.prototype;g.k.isAvailable=function(){return!!this.u}; -g.k.set=function(a,b){this.u.setAttribute(go(a),b);ho(this)}; -g.k.get=function(a){a=this.u.getAttribute(go(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; -g.k.remove=function(a){this.u.removeAttribute(go(a));ho(this)}; -g.k.wj=function(a){var b=0,c=this.u.XMLDocument.documentElement.attributes,d=new ej;d.next=function(){if(b>=c.length)throw fj;var e=c[b++];if(a)return decodeURIComponent(e.nodeName.replace(/\./g,"%")).substr(1);e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.clear=function(){this.j.clear()}; +g.k.key=function(a){return this.j.key(a)};g.Ta(sq,rq);g.Ta(Hla,rq);g.Ta(uq,qq);var Ila={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},tq=null;g.k=uq.prototype;g.k.isAvailable=function(){return!!this.j}; +g.k.set=function(a,b){this.j.setAttribute(vq(a),b);wq(this)}; +g.k.get=function(a){a=this.j.getAttribute(vq(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; +g.k.remove=function(a){this.j.removeAttribute(vq(a));wq(this)}; +g.k.hk=function(a){var b=0,c=this.j.XMLDocument.documentElement.attributes,d=new g.Mn;d.next=function(){if(b>=c.length)return g.j3;var e=c[b++];if(a)return g.Nn(decodeURIComponent(e.nodeName.replace(/\./g,"%")).slice(1));e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){for(var a=this.u.XMLDocument.documentElement,b=a.attributes.length;0=b)){if(1==b)lb(a);else{a[0]=a.pop();a=0;b=this.u;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; -g.k.Hf=function(){for(var a=this.u,b=[],c=a.length,d=0;d>1;if(b[d].getKey()>c.getKey())b[a]=b[d],a=d;else break}b[a]=c}; +g.k.remove=function(){var a=this.j,b=a.length,c=a[0];if(!(0>=b)){if(1==b)a.length=0;else{a[0]=a.pop();a=0;b=this.j;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; +g.k.Ml=function(){for(var a=this.j,b=[],c=a.length,d=0;d>>16&65535|0;for(var f;0!==c;){f=2E3o3;o3++){n3=o3;for(var I$a=0;8>I$a;I$a++)n3=n3&1?3988292384^n3>>>1:n3>>>1;H$a[o3]=n3}nr=function(a,b,c,d){c=d+c;for(a^=-1;d>>8^H$a[(a^b[d])&255];return a^-1};var dr={};dr={2:"need dictionary",1:"stream end",0:"","-1":"file error","-2":"stream error","-3":"data error","-4":"insufficient memory","-5":"buffer error","-6":"incompatible version"};var Xq=[0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0],$q=[0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13],fma=[0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7],Vla=[16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15],hr=Array(576);Pq(hr);var ir=Array(60);Pq(ir);var Zq=Array(512);Pq(Zq);var Wq=Array(256);Pq(Wq);var Yq=Array(29);Pq(Yq);var ar=Array(30);Pq(ar);var cma,dma,ema,bma=!1;var sr;sr=[new rr(0,0,0,0,function(a,b){var c=65535;for(c>a.Vl-5&&(c=a.Vl-5);;){if(1>=a.Yb){or(a);if(0===a.Yb&&0===b)return 1;if(0===a.Yb)break}a.xb+=a.Yb;a.Yb=0;var d=a.qk+c;if(0===a.xb||a.xb>=d)if(a.Yb=a.xb-d,a.xb=d,jr(a,!1),0===a.Sd.le)return 1;if(a.xb-a.qk>=a.Oi-262&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;if(4===b)return jr(a,!0),0===a.Sd.le?3:4;a.xb>a.qk&&jr(a,!1);return 1}), +new rr(4,4,8,4,pr),new rr(4,5,16,8,pr),new rr(4,6,32,32,pr),new rr(4,4,16,16,qr),new rr(8,16,32,32,qr),new rr(8,16,128,128,qr),new rr(8,32,128,256,qr),new rr(32,128,258,1024,qr),new rr(32,258,258,4096,qr)];var ama={};ama=function(){this.input=null;this.yw=this.Ti=this.Gv=0;this.Sj=null;this.LP=this.le=this.pz=0;this.msg="";this.state=null;this.iL=2;this.Cd=0};var gma=Object.prototype.toString; +tr.prototype.push=function(a,b){var c=this.Sd,d=this.options.chunkSize;if(this.ended)return!1;var e=b===~~b?b:!0===b?4:0;"string"===typeof a?c.input=Kla(a):"[object ArrayBuffer]"===gma.call(a)?c.input=new Uint8Array(a):c.input=a;c.Gv=0;c.Ti=c.input.length;do{0===c.le&&(c.Sj=new Oq.Nw(d),c.pz=0,c.le=d);a=$la(c,e);if(1!==a&&0!==a)return this.Gq(a),this.ended=!0,!1;if(0===c.le||0===c.Ti&&(4===e||2===e))if("string"===this.options.to){var f=Oq.rP(c.Sj,c.pz);b=f;f=f.length;if(65537>f&&(b.subarray&&G$a|| +!b.subarray))b=String.fromCharCode.apply(null,Oq.rP(b,f));else{for(var h="",l=0;la||a>c.length)throw Error();c[a]=b}; +var $ma=[1];g.w(Qu,J);Qu.prototype.j=function(a,b){return Sh(this,4,Du,a,b)}; +Qu.prototype.B=function(a,b){return Ih(this,5,a,b)}; +var ana=[4,5];g.w(Ru,J);g.w(Su,J);g.w(Tu,J);g.w(Uu,J);Uu.prototype.Qf=function(){return g.ai(this,2)};g.w(Vu,J);Vu.prototype.j=function(a,b){return Sh(this,1,Uu,a,b)}; +var bna=[1];g.w(Wu,J);g.w(Xu,J);Xu.prototype.Qf=function(){return g.ai(this,2)};g.w(Yu,J);Yu.prototype.j=function(a,b){return Sh(this,1,Xu,a,b)}; +var cna=[1];g.w(Zu,J);var $R=[1,2,3];g.w($u,J);$u.prototype.j=function(a,b){return Sh(this,1,Zu,a,b)}; +var dna=[1];g.w(av,J);var FD=[2,3,4,5];g.w(bv,J);bv.prototype.getMessage=function(){return g.ai(this,1)};g.w(cv,J);g.w(dv,J);g.w(ev,J);g.w(fv,J);fv.prototype.zi=function(a,b){return Sh(this,5,ev,a,b)}; +var ena=[5];g.w(gv,J);g.w(hv,J);hv.prototype.j=function(a,b){return Sh(this,3,gv,a,b)}; +var fna=[3];g.w(iv,J);g.w(jv,J);jv.prototype.B=function(a,b){return Sh(this,19,Ss,a,b)}; +jv.prototype.j=function(a,b){return Sh(this,20,Rs,a,b)}; +var gna=[19,20];g.w(kv,J);g.w(lv,J);g.w(mv,J);mv.prototype.j=function(a,b){return Sh(this,2,kv,a,b)}; +mv.prototype.setConfig=function(a){return I(this,lv,3,a)}; +mv.prototype.D=function(a,b){return Sh(this,5,kv,a,b)}; +mv.prototype.B=function(a,b){return Sh(this,9,wt,a,b)}; +var hna=[2,5,9];g.w(nv,J);nv.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(ov,J);ov.prototype.j=function(a,b){return Sh(this,9,nv,a,b)}; +var ina=[9];g.w(pv,J);g.w(qv,J);g.w(rv,J);g.w(tv,J);g.w(uv,J);uv.prototype.getType=function(){return bi(this,2)}; +uv.prototype.j=function(a,b){return Sh(this,3,tv,a,b)}; +var jna=[3];g.w(vv,J);vv.prototype.j=function(a,b){return Sh(this,10,wu,a,b)}; +vv.prototype.B=function(a,b){return Sh(this,17,ov,a,b)}; +var kna=[10,17];g.w(wv,J);var yHa={Gha:0,Fha:1,Cha:2,Dha:3,Eha:4};g.w(xv,J);xv.prototype.Qf=function(){return g.ai(this,2)}; +xv.prototype.GB=function(){return g.ai(this,7)};var $Ga={Ria:0,Qia:1,Kia:2,Lia:3,Mia:4,Nia:5,Oia:6,Pia:7};var fHa={Lpa:0,Mpa:3,Npa:1,Kpa:2};var WGa={Fqa:0,Vpa:1,Ypa:2,aqa:3,bqa:4,cqa:5,eqa:6,fqa:7,gqa:8,hqa:9,iqa:10,lqa:11,mqa:12,nqa:13,oqa:14,pqa:15,rqa:16,uqa:17,vqa:18,wqa:19,xqa:20,yqa:21,zqa:22,Aqa:23,Bqa:24,Gqa:25,Hqa:26,sqa:27,Cqa:28,tqa:29,kqa:30,dqa:31,jqa:32,Iqa:33,Jqa:34,Upa:35,Xpa:36,Dqa:37,Eqa:38,Zpa:39,qqa:40,Wpa:41};var ZGa={eta:0,ara:1,msa:2,Zsa:3,rta:4,isa:5,nsa:6,gra:7,ira:8,hra:9,zsa:10,hsa:11,gsa:12,Hsa:13,Lsa:14,ata:15,nta:16,fra:17,Qqa:18,xra:19,mra:20,lsa:21,tsa:22,bta:23,Rqa:24,Tqa:25,Esa:26,ora:116,Ara:27,Bra:28,ysa:29,cra:30,ura:31,ksa:32,xsa:33,Oqa:34,Pqa:35,Mqa:36,Nqa:37,qsa:38,rsa:39,Ksa:40,dra:41,pta:42,Csa:43,wsa:44,Asa:45,jsa:46,Bsa:47,pra:48,jra:49,tta:50,zra:51,yra:52,kra:53,lra:54,Xsa:55,Wsa:56,Vsa:57,Ysa:58,nra:59,qra:60,mta:61,Gsa:62,Dsa:63,Fsa:64,ssa:65,Rsa:66,Psa:67,Qsa:117,Ssa:68,vra:69, +wra:121,sta:70,tra:71,Tsa:72,Usa:73,Isa:74,Jsa:75,sra:76,rra:77,vsa:78,dta:79,usa:80,Kqa:81,Yqa:115,Wqa:120,Xqa:122,Zqa:123,Dra:124,Cra:125,Vqa:126,Osa:127,Msa:128,Nsa:129,qta:130,Lqa:131,Uqa:132,Sqa:133,Gra:82,Ira:83,Xra:84,Jra:85,esa:86,Hra:87,Lra:88,Rra:89,Ura:90,Zra:91,Wra:92,Yra:93,Fra:94,Mra:95,Vra:96,Ora:97,Nra:98,Era:99,Kra:100,bsa:101,Sra:102,fsa:103,csa:104,Pra:105,dsa:106,Tra:107,Qra:118,gta:108,kta:109,jta:110,ita:111,lta:112,hta:113,fta:114};var Hab={ula:0,tla:1,rla:2,sla:3};var hJa={aUa:0,HUa:1,MUa:2,uUa:3,vUa:4,wUa:5,OUa:39,PUa:6,KUa:7,GUa:50,NUa:69,IUa:70,JUa:71,EUa:74,xUa:32,yUa:44,zUa:33,LUa:8,AUa:9,BUa:10,DUa:11,CUa:12,FUa:73,bUa:56,cUa:57,dUa:58,eUa:59,fUa:60,gUa:61,lVa:13,mVa:14,nVa:15,vVa:16,qVa:17,xVa:18,wVa:19,sVa:20,tVa:21,oVa:34,uVa:35,rVa:36,pVa:49,kUa:37,lUa:38,nUa:40,pUa:41,oUa:42,qUa:43,rUa:51,mUa:52,jUa:67,hUa:22,iUa:23,TUa:24,ZUa:25,aVa:62,YUa:26,WUa:27,SUa:48,QUa:53,RUa:63,bVa:66,VUa:54,XUa:68,cVa:72,UUa:75,tUa:64,sUa:65,dVa:28,gVa:29,fVa:30,eVa:31, +iVa:45,kVa:46,jVa:47,hVa:55};var eJa={zVa:0,AVa:1,yVa:2};var jJa={DVa:0,CVa:1,BVa:2};var iJa={KVa:0,IVa:1,GVa:2,JVa:3,EVa:4,FVa:5,HVa:6};var PIa={cZa:0,bZa:1,aZa:2};var OIa={gZa:0,eZa:1,dZa:2,fZa:3};g.w(yv,J);g.w(zv,J);g.w(Av,J);g.w(Bv,J);g.w(Cv,J);g.w(Dv,J);Dv.prototype.hasFeature=function(){return null!=Ah(this,2)};g.w(Ev,J);Ev.prototype.OB=function(){return g.ai(this,7)};g.w(Fv,J);g.w(Gv,J);g.w(Hv,J);Hv.prototype.getName=function(){return bi(this,1)}; +Hv.prototype.getStatus=function(){return bi(this,2)}; +Hv.prototype.getState=function(){return bi(this,3)}; +Hv.prototype.qc=function(a){return H(this,3,a)};g.w(Iv,J);Iv.prototype.j=function(a,b){return Sh(this,2,Hv,a,b)}; +var lna=[2];g.w(Jv,J);g.w(Kv,J);Kv.prototype.j=function(a,b){return Sh(this,1,Iv,a,b)}; +Kv.prototype.B=function(a,b){return Sh(this,2,Iv,a,b)}; +var mna=[1,2];var dJa={fAa:0,dAa:1,eAa:2};var MIa={eGa:0,YFa:1,bGa:2,fGa:3,ZFa:4,aGa:5,cGa:6,dGa:7};var NIa={iGa:0,hGa:1,gGa:2};var LIa={FJa:0,GJa:1,EJa:2};var KIa={WJa:0,JJa:1,SJa:2,XJa:3,UJa:4,MJa:5,IJa:6,KJa:7,LJa:8,VJa:9,TJa:10,NJa:11,QJa:12,RJa:13,PJa:14,OJa:15,HJa:16};var HIa={NXa:0,JXa:1,MXa:2,LXa:3,KXa:4};var GIa={RXa:0,PXa:1,QXa:2,OXa:3};var IIa={YXa:0,UXa:1,WXa:2,SXa:3,XXa:4,TXa:5,VXa:6};var FIa={fYa:0,hYa:1,gYa:2,bYa:3,ZXa:4,aYa:5,iYa:6,cYa:7,jYa:8,dYa:9,eYa:10};var JIa={mYa:0,lYa:1,kYa:2};var TIa={d1a:0,a1a:1,Z0a:2,U0a:3,W0a:4,X0a:5,T0a:6,V0a:7,b1a:8,f1a:9,Y0a:10,R0a:11,S0a:12,e1a:13};var SIa={h1a:0,g1a:1};var $Ia={E1a:0,i1a:1,D1a:2,C1a:3,I1a:4,H1a:5,B1a:19,m1a:6,o1a:7,x1a:8,n1a:24,A1a:25,y1a:20,q1a:21,k1a:22,z1a:23,j1a:9,l1a:10,p1a:11,s1a:12,t1a:13,u1a:14,w1a:15,v1a:16,F1a:17,G1a:18};var UIa={M1a:0,L1a:1,N1a:2,J1a:3,K1a:4};var QIa={c2a:0,V1a:1,Q1a:2,Z1a:3,U1a:4,b2a:5,P1a:6,R1a:7,W1a:8,S1a:9,X1a:10,Y1a:11,T1a:12,a2a:13};var WIa={j2a:0,h2a:1,f2a:2,g2a:3,i2a:4};var VIa={n2a:0,k2a:1,l2a:2,m2a:3};var RIa={r2a:0,q2a:1,p2a:2};var aJa={u2a:0,s2a:1,t2a:2};var bJa={O2a:0,N2a:1,M2a:2,K2a:3,L2a:4};var cJa={S2a:0,Q2a:1,P2a:2,R2a:3};var Iab={Gla:0,Dla:1,Ela:2,Bla:3,Fla:4,Cla:5};var NFa={n1:0,Gxa:1,Eva:2,Fva:3,gAa:4,oKa:5,Xha:6};var WR={doa:0,Kna:101,Qna:102,Fna:103,Ina:104,Nna:105,Ona:106,Rna:107,Sna:108,Una:109,Vna:110,coa:111,Pna:112,Lna:113,Tna:114,Xna:115,eoa:116,Hna:117,Mna:118,foa:119,Yna:120,Zna:121,Jna:122,Gna:123,Wna:124,boa:125,aoa:126};var JHa={ooa:0,loa:1,moa:2,joa:3,koa:4,ioa:5,noa:6};var Jab={fpa:0,epa:1,cpa:2,dpa:3};var Kab={qpa:0,opa:1,hpa:2,npa:3,gpa:4,kpa:5,mpa:6,ppa:7,lpa:8,jpa:9,ipa:10};var Lab={spa:0,tpa:1,rpa:2};g.w(Lv,J);g.w(Mv,J);g.w(Nv,J);Nv.prototype.getState=function(){return Uh(this,1)}; +Nv.prototype.qc=function(a){return H(this,1,a)};g.w(Ov,J);g.w(Pv,J);g.w(Qv,J);g.w(Rv,J);g.w(Sv,J);Sv.prototype.Ce=function(){return g.ai(this,1)}; +Sv.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Tv,J);Tv.prototype.og=function(a){Rh(this,1,a)};g.w(Uv,J);Uv.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(Vv,J);Vv.prototype.hasFeature=function(){return null!=Ah(this,1)};g.w(Wv,J);g.w(Xv,J);g.w(Yv,J);Yv.prototype.Qf=function(){return bi(this,2)}; +var Mab=[1];g.w(Zv,J);g.w($v,J);g.w(aw,J);g.w(bw,J);bw.prototype.getVideoAspectRatio=function(){return kea(this,2)};g.w(cw,J);g.w(dw,J);g.w(ew,J);g.w(fw,J);g.w(gw,J);g.w(hw,J);g.w(iw,J);g.w(jw,J);g.w(kw,J);g.w(lw,J);g.w(mw,J);mw.prototype.getId=function(){return g.ai(this,1)};g.w(nw,J);g.w(ow,J);g.w(pw,J);pw.prototype.j=function(a,b){return Sh(this,5,ow,a,b)}; +var nna=[5];g.w(qw,J);g.w(rw,J);g.w(tw,J);tw.prototype.OB=function(){return g.ai(this,30)}; +tw.prototype.j=function(a,b){return Sh(this,27,rw,a,b)}; +var ona=[27];g.w(uw,J);g.w(vw,J);g.w(ww,J);g.w(xw,J);var s3=[1,2,3,4];g.w(yw,J);g.w(Aw,J);g.w(Fw,J);g.w(Gw,J);g.w(Hw,J);Hw.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(Iw,J);g.w(Jw,J);g.w(Kw,J);g.w(Lw,J);g.w(Mw,J);g.w(Nw,J);g.w(Ow,J);Ow.prototype.j=function(a,b){return Ih(this,1,a,b)}; +var pna=[1];g.w(Pw,J);Pw.prototype.Qf=function(){return bi(this,3)};g.w(Qw,J);g.w(Rw,J);g.w(Sw,J);g.w(Tw,J);Tw.prototype.Ce=function(){return Mh(this,Rw,2===Jh(this,t3)?2:-1)}; +Tw.prototype.setVideoId=function(a){return Oh(this,Rw,2,t3,a)}; +Tw.prototype.getPlaylistId=function(){return Mh(this,Qw,4===Jh(this,t3)?4:-1)}; +var t3=[2,3,4,5];g.w(Uw,J);Uw.prototype.getType=function(){return bi(this,1)}; +Uw.prototype.Ce=function(){return g.ai(this,3)}; +Uw.prototype.setVideoId=function(a){return H(this,3,a)};g.w(Vw,J);g.w(Ww,J);g.w(Xw,J);var DIa=[3];g.w(Yw,J);g.w(Zw,J);g.w($w,J);g.w(ax,J);g.w(bx,J);g.w(cx,J);g.w(dx,J);g.w(ex,J);g.w(fx,J);g.w(gx,J);gx.prototype.getStarted=function(){return Th(Uda(Ah(this,1)),!1)};g.w(hx,J);g.w(ix,J);g.w(jx,J);jx.prototype.getDuration=function(){return Uh(this,2)}; +jx.prototype.Sk=function(a){H(this,2,a)};g.w(kx,J);g.w(lx,J);g.w(mx,J);mx.prototype.OB=function(){return g.ai(this,1)};g.w(nx,J);g.w(ox,J);g.w(px,J);px.prototype.vg=function(){return Mh(this,nx,8)}; +px.prototype.a4=function(){return Ch(this,nx,8)}; +px.prototype.getVideoData=function(){return Mh(this,ox,15)}; +px.prototype.iP=function(a){I(this,ox,15,a)}; +var qna=[4];g.w(qx,J);g.w(rx,J);rx.prototype.j=function(a){return H(this,2,a)};g.w(sx,J);sx.prototype.j=function(a){return H(this,1,a)}; +var tna=[3];g.w(tx,J);tx.prototype.j=function(a){return H(this,1,a)}; +tx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(ux,J);ux.prototype.j=function(a){return H(this,1,a)}; +ux.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(vx,J);vx.prototype.j=function(a){return H(this,1,a)}; +vx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(wx,J);wx.prototype.j=function(a){return H(this,1,a)}; +wx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(xx,J);g.w(yx,J);yx.prototype.getId=function(){return g.ai(this,2)};g.w(Bx,J);Bx.prototype.getVisibilityState=function(){return bi(this,5)}; +var vna=[16];g.w(Cx,J);g.w(Dx,J);Dx.prototype.getPlayerType=function(){return bi(this,7)}; +Dx.prototype.Ce=function(){return g.ai(this,19)}; +Dx.prototype.setVideoId=function(a){return H(this,19,a)}; +var wna=[112,83,68];g.w(Fx,J);g.w(Gx,J);g.w(Hx,J);Hx.prototype.Ce=function(){return g.ai(this,1)}; +Hx.prototype.setVideoId=function(a){return H(this,1,a)}; +Hx.prototype.j=function(a,b){return Sh(this,9,Gx,a,b)}; +var xna=[9];g.w(Ix,J);Ix.prototype.j=function(a,b){return Sh(this,3,Hx,a,b)}; +var yna=[3];g.w(Jx,J);Jx.prototype.Ce=function(){return g.ai(this,1)}; +Jx.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Kx,J);g.w(Lx,J);Lx.prototype.j=function(a,b){return Sh(this,1,Jx,a,b)}; +Lx.prototype.B=function(a,b){return Sh(this,2,Kx,a,b)}; +var zna=[1,2];g.w(Mx,J);g.w(Nx,J);Nx.prototype.getId=function(){return g.ai(this,1)}; +Nx.prototype.j=function(a,b){return Ih(this,2,a,b)}; +var Ana=[2];g.w(Ox,J);g.w(Px,J);g.w(Qx,J);Qx.prototype.j=function(a,b){return Ih(this,9,a,b)}; +var Bna=[9];g.w(Rx,J);g.w(Sx,J);g.w(Tx,J);Tx.prototype.getId=function(){return g.ai(this,1)}; +Tx.prototype.j=function(a,b){return Sh(this,14,Px,a,b)}; +Tx.prototype.B=function(a,b){return Sh(this,17,Rx,a,b)}; +var Cna=[14,17];g.w(Ux,J);Ux.prototype.B=function(a,b){return Sh(this,1,Tx,a,b)}; +Ux.prototype.j=function(a,b){return Sh(this,2,Nx,a,b)}; +var Dna=[1,2];g.w(Vx,J);g.w(Wx,J);Wx.prototype.getOrigin=function(){return g.ai(this,3)}; +Wx.prototype.Ye=function(){return Uh(this,6)};g.w(Xx,J);g.w(Yx,J);g.w(Zx,J);Zx.prototype.getContext=function(){return Mh(this,Yx,33)}; +var AD=[2,3,5,6,7,11,13,20,21,22,23,24,28,32,37,45,59,72,73,74,76,78,79,80,85,91,97,100,102,105,111,117,119,126,127,136,146,148,151,156,157,158,159,163,164,168,176,177,178,179,184,188,189,190,191,193,194,195,196,197,198,199,200,201,202,203,204,205,206,208,209,215,219,222,225,226,227,229,232,233,234,240,241,244,247,248,249,251,254,255,256,257,258,259,260,261,266,270,272,278,288,291,293,300,304,308,309,310,311,313,314,319,320,321,323,324,327,328,330,331,332,334,337,338,340,344,348,350,351,352,353,354, +355,356,357,358,361,363,364,368,369,370,373,374,375,378,380,381,383,388,389,402,403,410,411,412,413,414,415,416,417,418,423,424,425,426,427,429,430,431,439,441,444,448,458,469,471,473,474];var Nab={Eoa:0,Boa:1,Aoa:2,Doa:3,Coa:4,yoa:5,zoa:6};var Oab={Cua:0,oua:1,rua:2,pua:3,uua:4,qua:5,Wta:6,zua:7,hua:8,Qta:9,iua:10,vua:11,sua:12,Yta:13,Uta:14,Xta:15,Bua:16,Rta:17,Sta:18,Aua:19,Zta:20,Vta:21,yua:22,Hua:23,Gua:24,Dua:25,jua:26,tua:27,Iua:28,aua:29,Ota:30,Fua:31,Eua:32,gua:33,Lua:34,fua:35,wua:36,Kua:37,kua:38,xua:39,eua:40,cua:41,Tta:42,nua:43,Jua:44,Pta:45};var Pab={uva:0,fva:1,iva:2,gva:3,mva:4,hva:5,Vua:6,rva:7,ava:8,Oua:9,bva:10,nva:11,jva:12,Xua:13,Tua:14,Wua:15,tva:16,Qua:17,Rua:18,sva:19,Yua:20,Uua:21,qva:22,yva:23,xva:24,vva:25,cva:26,kva:27,zva:28,Zua:29,Mua:30,wva:31,Pua:32,Cva:33,ova:34,Bva:35,dva:36,pva:37,Sua:38,eva:39,Ava:40,Nua:41};var Qab={kxa:0,jxa:1,lxa:2};var Rab={nwa:0,lwa:1,hwa:3,jwa:4,kwa:5,mwa:6,iwa:7};var Sab={twa:0,qwa:1,swa:2,rwa:3,pwa:4,owa:5};var Uab={fxa:0,bxa:1,cxa:2,dxa:3,exa:4};var Vab={qxa:0,rxa:1,sxa:2,pxa:3,nxa:4,oxa:5};var QCa={aya:0,Hxa:1,Nxa:2,Oxa:4,Uxa:8,Pxa:16,Qxa:32,Zxa:64,Yxa:128,Jxa:256,Lxa:512,Sxa:1024,Kxa:2048,Mxa:4096,Ixa:8192,Rxa:16384,Vxa:32768,Txa:65536,Wxa:131072,Xxa:262144};var IHa={Eya:0,Dya:1,Cya:2,Bya:4};var HHa={Jya:0,Gya:1,Hya:2,Kya:3,Iya:4,Fya:5};var Wab={Ata:0,zta:1,yta:2};var Xab={mGa:0,lGa:1,kGa:2};var Yab={bHa:0,JGa:1,ZGa:2,LGa:3,RGa:4,dHa:5,aHa:6,zGa:7,yGa:8,xGa:9,DGa:10,IGa:11,HGa:12,AGa:13,SGa:14,NGa:15,PGa:16,pGa:17,YGa:18,tGa:19,OGa:20,oGa:21,QGa:22,GGa:23,qGa:24,sGa:25,VGa:26,cHa:27,WGa:28,MGa:29,BGa:30,EGa:31,FGa:32,wGa:33,eHa:34,uGa:35,CGa:36,TGa:37,rGa:38,nGa:39,vGa:41,KGa:42,UGa:43,XGa:44};var Zab={iHa:0,hHa:1,gHa:2,fHa:3};var bHa={MHa:0,LHa:1,JHa:2,KHa:7,IHa:8,HHa:25,wHa:3,xHa:4,FHa:5,GHa:27,EHa:28,yHa:9,mHa:10,kHa:11,lHa:6,vHa:12,tHa:13,uHa:14,sHa:15,AHa:16,BHa:17,zHa:18,DHa:19,CHa:20,pHa:26,qHa:21,oHa:22,rHa:23,nHa:24,NHa:29};var dHa={SHa:0,PHa:1,QHa:2,RHa:3,OHa:4};var cHa={XHa:0,VHa:1,WHa:2,THa:3,UHa:4};var LGa={eIa:0,YHa:1,aIa:2,ZHa:3,bIa:4,cIa:5,dIa:6,fIa:7};var UHa={Xoa:0,Voa:1,Woa:2,Soa:3,Toa:4,Uoa:5};var ZHa={rMa:0,qMa:1,jMa:2,oMa:3,kMa:4,nMa:5,pMa:6,mMa:7,lMa:8};var uHa={LMa:0,DMa:1,MMa:2,KMa:4,HMa:8,GMa:16,FMa:32,IMa:64,EMa:128,JMa:256};var VHa={eNa:0,ZMa:1,dNa:2,WMa:3,OMa:4,UMa:5,PMa:6,QMa:7,SMa:8,XMa:9,bNa:10,aNa:11,cNa:12,RMa:13,TMa:14,VMa:15,YMa:16,NMa:17};var sHa={gMa:0,dMa:1,eMa:2,fMa:3};var xHa={yMa:0,AMa:1,xMa:2,tMa:3,zMa:4,uMa:5,vMa:6,wMa:7};var PGa={F2a:0,Lla:1,XFa:2,tKa:3,vKa:4,wKa:5,qKa:6,wZa:7,MKa:8,LKa:9,rKa:10,uKa:11,a_a:12,Oda:13,Wda:14,Pda:15,oPa:16,YLa:17,NKa:18,QKa:19,CMa:20,PKa:21,sMa:22,fNa:23,VKa:24,iMa:25,sKa:26,tZa:27,CXa:28,NRa:29,jja:30,n6a:31,hMa:32};var OGa={I2a:0,V$:1,hNa:2,gNa:3,SUCCESS:4,hZa:5,Bta:6,CRa:7,gwa:9,Mla:10,Dna:11,CANCELLED:12,MRa:13,DXa:14,IXa:15,b3a:16};var NGa={o_a:0,f_a:1,k_a:2,j_a:3,g_a:4,h_a:5,b_a:6,n_a:7,m_a:8,e_a:9,d_a:10,i_a:11,l_a:12,c_a:13};var YGa={dPa:0,UOa:1,YOa:2,WOa:3,cPa:4,XOa:5,bPa:6,aPa:7,ZOa:8,VOa:9};var $ab={lQa:0,kQa:1,jQa:2};var abb={oQa:0,mQa:1,nQa:2};var aHa={LSa:0,KSa:1,JSa:2};var bbb={SSa:0,TSa:1};var zIa={ZSa:0,XSa:1,YSa:2,aTa:3};var cbb={iWa:0,gWa:1,hWa:2};var dbb={FYa:0,BYa:1,CYa:2,DYa:3,EYa:4};var wHa={lWa:0,jWa:1,kWa:2};var YHa={FWa:0,CWa:1,DWa:2,EWa:3};var oHa={aha:0,Zga:1,Xga:2,Yga:3};var OHa={Fia:0,zia:1,Cia:2,Dia:3,Bia:4,Eia:5,Gia:6,Aia:7};var iHa={hma:0,gma:1,jma:2};var SGa={D2a:0,fla:1,gla:2,ela:3,hla:4};var RGa={E2a:0,bQa:1,MOa:2};var RHa={Kta:0,Gta:1,Cta:2,Jta:3,Eta:4,Hta:5,Fta:6,Dta:7,Ita:8};var THa={ixa:0,hxa:1,gxa:2};var NHa={WFa:0,VFa:1,UFa:2};var QHa={fKa:0,eKa:1,dKa:2};var MHa={qSa:0,oSa:1,pSa:2};var mHa={lZa:0,kZa:1,jZa:2};var ebb={sFa:0,oFa:1,pFa:2,qFa:3,rFa:4,tFa:5};var fbb={mPa:0,jPa:1,hPa:2,ePa:3,iPa:4,kPa:5,fPa:6,gPa:7,lPa:8,nPa:9};var gbb={KZa:0,JZa:1,LZa:2};var yIa={j6a:0,T5a:1,a6a:2,Z5a:3,S5a:4,k6a:5,h6a:6,U5a:7,V5a:8,Y5a:9,X5a:12,P5a:10,i6a:11,d6a:13,e6a:14,l6a:15,b6a:16,f6a:17,Q5a:18,g6a:19,R5a:20,m6a:21,W5a:22};var tIa={eya:0,cya:1,dya:2,bya:3};g.w($x,J);g.w(ay,J);ay.prototype.Ce=function(){var a=1===Jh(this,kD)?1:-1;return Ah(this,a)}; +ay.prototype.setVideoId=function(a){return Kh(this,1,kD,a)}; +ay.prototype.getPlaylistId=function(){var a=2===Jh(this,kD)?2:-1;return Ah(this,a)}; +var kD=[1,2];g.w(by,J);by.prototype.getContext=function(){return Mh(this,rt,1)}; +var Ena=[3];var rM=new g.zr("changeKeyedMarkersVisibilityCommand");var hbb=new g.zr("changeMarkersVisibilityCommand");var wza=new g.zr("loadMarkersCommand");var qza=new g.zr("shoppingOverlayRenderer");g.Oza=new g.zr("musicEmbeddedPlayerOverlayVideoDetailsRenderer");var ibb=new g.zr("adFeedbackEndpoint");var wNa=new g.zr("phoneDialerEndpoint");var vNa=new g.zr("sendSmsEndpoint");var Mza=new g.zr("copyTextEndpoint");var jbb=new g.zr("webPlayerShareEntityServiceEndpoint");g.pM=new g.zr("urlEndpoint");g.oM=new g.zr("watchEndpoint");var LCa=new g.zr("watchPlaylistEndpoint");var cIa={ija:0,hja:1,gja:2,eja:3,fja:4};var tHa={KKa:0,IKa:1,JKa:2,HKa:3};var kbb={aLa:0,ZKa:1,XKa:2,YKa:3};var lbb={eLa:0,bLa:1,cLa:2,dLa:3,fLa:4};var mbb={VLa:0,QLa:1,WLa:2,SLa:3,JLa:4,BLa:37,mLa:5,jLa:36,oLa:38,wLa:39,xLa:40,sLa:41,ULa:42,pLa:27,GLa:31,ILa:6,KLa:7,LLa:8,MLa:9,NLa:10,OLa:11,RLa:29,qLa:30,HLa:32,ALa:12,zLa:13,lLa:14,FLa:15,gLa:16,iLa:35,nLa:43,rLa:28,DLa:17,CLa:18,ELa:19,TLa:20,vLa:25,kLa:33,XLa:21,yLa:22,uLa:26,tLa:34,PLa:23,hLa:24};var aIa={cMa:0,aMa:1,ZLa:2,bMa:3};var ZR={HXa:0,EXa:1,GXa:2,FXa:3};var QGa={ZZa:0,NZa:1,MZa:2,SZa:3,YZa:4,OZa:5,VZa:6,TZa:7,UZa:8,PZa:9,WZa:10,QZa:11,XZa:12,RZa:13};var rHa={BMa:0,WKa:1,OKa:2,TKa:3,UKa:4,RKa:5,SKa:6};var nbb={OSa:0,NSa:1};var obb={IYa:0,HYa:1,GYa:2,JYa:3};var pbb={MYa:0,LYa:1,KYa:2};var qbb={WYa:0,QYa:1,RYa:2,SYa:5,VYa:7,XYa:8,TYa:9,UYa:10};var rbb={PYa:0,OYa:1,NYa:2};var KKa=new g.zr("compositeVideoOverlayRenderer");var KNa=new g.zr("miniplayerRenderer");var bza=new g.zr("playerMutedAutoplayOverlayRenderer"),cza=new g.zr("playerMutedAutoplayEndScreenRenderer");var gya=new g.zr("unserializedPlayerResponse"),dza=new g.zr("unserializedPlayerResponse");var sbb=new g.zr("playlistEditEndpoint");var u3;g.mM=new g.zr("buttonRenderer");u3=new g.zr("toggleButtonRenderer");var YR={G2a:0,tCa:4,sSa:1,cwa:2,mia:3,uCa:5,vSa:6,dwa:7,ewa:8,fwa:9};var tbb=new g.zr("resolveUrlCommandMetadata");var ubb=new g.zr("modifyChannelNotificationPreferenceEndpoint");var $Da=new g.zr("pingingEndpoint");var vbb=new g.zr("unsubscribeEndpoint");var PFa={J2a:0,kJa:1,gJa:2,fJa:3,GIa:71,FIa:4,iJa:5,lJa:6,jJa:16,hJa:69,HIa:70,CIa:56,DIa:64,EIa:65,TIa:7,JIa:8,OIa:9,KIa:10,NIa:11,MIa:12,LIa:13,QIa:43,WIa:44,XIa:45,YIa:46,ZIa:47,aJa:48,bJa:49,cJa:50,dJa:51,eJa:52,UIa:53,VIa:54,SIa:63,IIa:14,RIa:15,PIa:68,b5a:17,k5a:18,u4a:19,a5a:20,O4a:21,c5a:22,m4a:23,W4a:24,R4a:25,y4a:26,k4a:27,F4a:28,Z4a:29,h4a:30,g4a:31,i4a:32,n4a:33,X4a:34,V4a:35,P4a:36,T4a:37,d5a:38,B4a:39,j5a:40,H4a:41,w4a:42,e5a:55,S4a:66,A5a:67,L4a:57,Y4a:58,o4a:59,j4a:60,C4a:61,Q4a:62};var wbb={BTa:0,DTa:1,uTa:2,mTa:3,yTa:4,zTa:5,ETa:6,dTa:7,eTa:8,kTa:9,vTa:10,nTa:11,rTa:12,pTa:13,qTa:14,sTa:15,tTa:19,gTa:16,xTa:17,wTa:18,iTa:20,oTa:21,fTa:22,CTa:23,lTa:24,hTa:25,ATa:26,jTa:27};g.FM=new g.zr("subscribeButtonRenderer");var xbb=new g.zr("subscribeEndpoint");var pHa={pWa:0,nWa:1,oWa:2};g.GKa=new g.zr("buttonViewModel");var ZIa={WTa:0,XTa:1,VTa:2,RTa:3,UTa:4,STa:5,QTa:6,TTa:7};var q2a=new g.zr("qrCodeRenderer");var zxa={BFa:"LIVING_ROOM_APP_MODE_UNSPECIFIED",yFa:"LIVING_ROOM_APP_MODE_MAIN",xFa:"LIVING_ROOM_APP_MODE_KIDS",zFa:"LIVING_ROOM_APP_MODE_MUSIC",AFa:"LIVING_ROOM_APP_MODE_UNPLUGGED",wFa:"LIVING_ROOM_APP_MODE_GAMING"};var lza=new g.zr("autoplaySwitchButtonRenderer");var HL,oza,xya,cPa;HL=new g.zr("decoratedPlayerBarRenderer");oza=new g.zr("chapteredPlayerBarRenderer");xya=new g.zr("multiMarkersPlayerBarRenderer");cPa=new g.zr("chapterRenderer");g.VOa=new g.zr("markerRenderer");var nM=new g.zr("desktopOverlayConfigRenderer");var rza=new g.zr("gatedActionsOverlayViewModel");var ZOa=new g.zr("heatMarkerRenderer");var YOa=new g.zr("heatmapRenderer");var vza=new g.zr("watchToWatchTransitionRenderer");var Pza=new g.zr("playlistPanelRenderer");var TKa=new g.zr("speedmasterEduViewModel");var lM=new g.zr("suggestedActionTimeRangeTrigger"),mza=new g.zr("suggestedActionsRenderer"),nza=new g.zr("suggestedActionRenderer");var $Oa=new g.zr("timedMarkerDecorationRenderer");var ybb={z5a:0,v5a:1,w5a:2,y5a:3,x5a:4,u5a:5,t5a:6,p5a:7,r5a:8,s5a:9,q5a:10,n5a:11,m5a:12,l5a:13,o5a:14};var MR={n1:0,USER:74,Hha:459,TRACK:344,Iha:493,Vha:419,gza:494,dja:337,zIa:237,Uwa:236,Cna:3,B5a:78,E5a:248,oJa:79,mRa:246,K5a:247,zKa:382,yKa:383,xKa:384,oZa:235,VIDEO:4,H5a:186,Vla:126,AYa:127,dma:117,iRa:125,nSa:151,woa:515,Ola:6,Pva:132,Uva:154,Sva:222,Tva:155,Qva:221,Rva:156,zYa:209,yYa:210,U3a:7,BRa:124,mWa:96,kKa:97,b4a:93,c4a:275,wia:110,via:120,iQa:121,wxa:72,N3a:351,FTa:495,L3a:377,O3a:378,Lta:496,Mta:497,GTa:498,xia:381,M3a:386,d4a:387,Bha:410,kya:437,Spa:338,uia:380,T$:352,ROa:113,SOa:114, +EZa:82,FZa:112,uoa:354,AZa:21,Ooa:523,Qoa:375,Poa:514,Qda:302,ema:136,xxa:85,dea:22,L5a:23,IZa:252,HZa:253,tia:254,Nda:165,xYa:304,Noa:408,Xya:421,zZa:422,V3a:423,gSa:463,PLAYLIST:63,S3a:27,R3a:28,T3a:29,pYa:30,sYa:31,rYa:324,tYa:32,Hia:398,vYa:399,wYa:400,mKa:411,lKa:413,nKa:414,pKa:415,uRa:39,vRa:143,zRa:144,qRa:40,rRa:145,tRa:146,F3a:504,yRa:325,BPa:262,DPa:263,CPa:264,FPa:355,GPa:249,IPa:250,HPa:251,Ala:46,PSa:49,RSa:50,Hda:62,hIa:105,aza:242,BXa:397,rQa:83,QOa:135,yha:87,Aha:153,zha:187,tha:89, +sha:88,uha:139,wha:91,vha:104,xha:137,kla:99,U2a:100,iKa:326,qoa:148,poa:149,nYa:150,oYa:395,Zha:166,fia:199,aia:534,eia:167,bia:168,jia:169,kia:170,cia:171,dia:172,gia:179,hia:180,lia:512,iia:513,j3a:200,V2a:476,k3a:213,Wha:191,EPa:192,yPa:305,zPa:306,KPa:329,yWa:327,zWa:328,uPa:195,vPa:197,TOa:301,pPa:223,qPa:224,Vya:227,nya:396,hza:356,cza:490,iza:394,kja:230,oia:297,o3a:298,Uya:342,xoa:346,uta:245,GZa:261,Axa:265,Fxa:266,Bxa:267,yxa:268,zxa:269,Exa:270,Cxa:271,Dxa:272,mFa:303,dEa:391,eEa:503, +gEa:277,uFa:499,vFa:500,kFa:501,nFa:278,fEa:489,zpa:332,Bpa:333,xpa:334,Apa:335,ypa:336,jla:340,Pya:341,E3a:349,D3a:420,xRa:281,sRa:282,QSa:286,qYa:288,wRa:291,ARa:292,cEa:295,uYa:296,bEa:299,Sda:417,lza:308,M5a:309,N5a:310,O5a:311,Dea:350,m3a:418,Vwa:424,W2a:425,AKa:429,jKa:430,fza:426,xXa:460,hKa:427,PRa:428,QRa:542,ORa:461,AWa:464,mIa:431,kIa:432,rIa:433,jIa:434,oIa:435,pIa:436,lIa:438,qIa:439,sIa:453,nIa:454,iIa:472,vQa:545,tQa:546,DQa:547,GQa:548,FQa:549,EQa:550,wQa:551,CQa:552,yQa:516,xQa:517, +zQa:544,BQa:519,AQa:553,sZa:520,sQa:521,uQa:522,dza:543,aQa:440,cQa:441,gQa:442,YPa:448,ZPa:449,dQa:450,hQa:451,fQa:491,POST:445,XPa:446,eQa:447,JQa:456,BKa:483,KQa:529,IQa:458,USa:480,VSa:502,WSa:482,Qya:452,ITa:465,JTa:466,Ena:467,HQa:468,Cpa:469,yla:470,xla:471,bza:474,Oya:475,vma:477,Rya:478,Yva:479,LPa:484,JPa:485,xPa:486,wPa:487,Xda:488,apa:492,Epa:505,Moa:506,W3a:507,uAa:508,Xva:509,Zva:510,bwa:511,n3a:524,P3a:530,wSa:531,Dpa:532,OTa:533,Sya:535,kza:536,Yya:537,eza:538,Tya:539,Zya:540,Wya:541};var Ita=new g.zr("cipher");var hya=new g.zr("playerVars");var eza=new g.zr("playerVars");var v3=g.Ea.window,zbb,Abb,cy=(null==v3?void 0:null==(zbb=v3.yt)?void 0:zbb.config_)||(null==v3?void 0:null==(Abb=v3.ytcfg)?void 0:Abb.data_)||{};g.Fa("yt.config_",cy);var ky=[];var Nna=/^[\w.]*$/,Lna={q:!0,search_query:!0},Kna=String(oy);var Ona=new function(){var a=window.document;this.j=window;this.u=a}; +g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return py(zy(a))});g.Ra();var Rna="XMLHttpRequest"in g.Ea?function(){return new XMLHttpRequest}:null;var Tna={Authorization:"AUTHORIZATION","X-Goog-EOM-Visitor-Id":"EOM_VISITOR_DATA","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-Youtube-Domain-Admin-State":"DOMAIN_ADMIN_STATE","X-Youtube-Chrome-Connected":"CHROME_CONNECTED_HEADER","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL", +"X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM","X-Goog-AuthUser":"SESSION_INDEX","X-Goog-PageId":"DELEGATED_SESSION_ID"},Vna="app debugcss debugjs expflag force_ad_params force_ad_encrypted force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address".split(" ").concat(g.u(y$a)),$na=!1,qDa=Fy;g.w(Jy,cb);My.prototype.then=function(a,b,c){return this.j?this.j.then(a,b,c):1===this.B&&a?(a=a.call(c,this.u))&&"function"===typeof a.then?a:Oy(a):2===this.B&&b?(a=b.call(c,this.u))&&"function"===typeof a.then?a:Ny(a):this}; +My.prototype.getValue=function(){return this.u}; +My.prototype.$goog_Thenable=!0;var Py=!1;var nB=cz||dz;var loa=/^([0-9\.]+):([0-9\.]+)$/;g.w(sz,cb);sz.prototype.name="BiscottiError";g.w(rz,cb);rz.prototype.name="BiscottiMissingError";var uz={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},tz=null;var voa=eaa(["data-"]),zoa={};var Bbb=0,vz=g.Pc?"webkit":Im?"moz":g.mf?"ms":g.dK?"o":"",Cbb=g.Ga("ytDomDomGetNextId")||function(){return++Bbb}; +g.Fa("ytDomDomGetNextId",Cbb);var Coa={stopImmediatePropagation:1,stopPropagation:1,preventMouseEvent:1,preventManipulation:1,preventDefault:1,layerX:1,layerY:1,screenX:1,screenY:1,scale:1,rotation:1,webkitMovementX:1,webkitMovementY:1};Cz.prototype.preventDefault=function(){this.event&&(this.event.returnValue=!1,this.event.preventDefault&&this.event.preventDefault())}; +Cz.prototype.UU=function(){return this.event?!1===this.event.returnValue:!1}; +Cz.prototype.stopPropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopPropagation&&this.event.stopPropagation())}; +Cz.prototype.stopImmediatePropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopImmediatePropagation&&this.event.stopImmediatePropagation())};var Dz=g.Ea.ytEventsEventsListeners||{};g.Fa("ytEventsEventsListeners",Dz);var Foa=g.Ea.ytEventsEventsCounter||{count:0};g.Fa("ytEventsEventsCounter",Foa);var Moa=Nd(function(){var a=!1;try{var b=Object.defineProperty({},"passive",{get:function(){a=!0}}); +window.addEventListener("test",null,b)}catch(c){}return a}),Goa=Nd(function(){var a=!1; try{var b=Object.defineProperty({},"capture",{get:function(){a=!0}}); -window.addEventListener("test",null,b)}catch(c){}return a});var iz=window.ytcsi&&window.ytcsi.now?window.ytcsi.now:window.performance&&window.performance.timing&&window.performance.now&&window.performance.timing.navigationStart?function(){return window.performance.timing.navigationStart+window.performance.now()}:function(){return(new Date).getTime()};g.Va(op,g.C);op.prototype.Y=function(a){void 0===a.u&&Zo(a);var b=a.u;void 0===a.B&&Zo(a);this.u=new g.ge(b,a.B)}; -op.prototype.Pk=function(){return this.u||new g.ge}; -op.prototype.K=function(){if(this.u){var a=iz();if(0!=this.D){var b=this.I,c=this.u,d=b.x-c.x;b=b.y-c.y;d=Math.sqrt(d*d+b*b)/(a-this.D);this.B[this.C]=.5c;c++)b+=this.B[c]||0;3<=b&&this.P();this.F=d}this.D=a;this.I=this.u;this.C=(this.C+1)%4}}; -op.prototype.ca=function(){window.clearInterval(this.X);g.dp(this.R)};g.u(tp,pp);tp.prototype.start=function(){var a=g.Ja("yt.scheduler.instance.start");a&&a()}; -tp.prototype.pause=function(){var a=g.Ja("yt.scheduler.instance.pause");a&&a()}; -La(tp);tp.getInstance();var Ap={};var y1;y1=window;g.N=y1.ytcsi&&y1.ytcsi.now?y1.ytcsi.now:y1.performance&&y1.performance.timing&&y1.performance.now&&y1.performance.timing.navigationStart?function(){return y1.performance.timing.navigationStart+y1.performance.now()}:function(){return(new Date).getTime()};var cea=g.wo("initial_gel_batch_timeout",1E3),Op=Math.pow(2,16)-1,Pp=null,Np=0,Ep=void 0,Cp=0,Dp=0,Rp=0,Ip=!0,Fp=g.v.ytLoggingTransportGELQueue_||new Map;g.Fa("ytLoggingTransportGELQueue_",Fp,void 0);var Lp=g.v.ytLoggingTransportTokensToCttTargetIds_||{};g.Fa("ytLoggingTransportTokensToCttTargetIds_",Lp,void 0);var Qp=g.v.ytLoggingGelSequenceIdObj_||{};g.Fa("ytLoggingGelSequenceIdObj_",Qp,void 0);var fea={q:!0,search_query:!0};var fq=new function(){var a=window.document;this.u=window;this.B=a}; -g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return Wp(hq(a))},void 0);var iq="XMLHttpRequest"in g.v?function(){return new XMLHttpRequest}:null;var lq={Authorization:"AUTHORIZATION","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL","X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM"},jea="app debugcss debugjs expflag force_ad_params force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address client_dev_root_url".split(" "), -sq=!1,hG=mq;zq.prototype.set=function(a,b,c,d){c=c||31104E3;this.remove(a);if(this.u)try{this.u.set(a,b,g.A()+1E3*c);return}catch(f){}var e="";if(d)try{e=escape(g.Nj(b))}catch(f){return}else e=escape(b);g.wq(a,e,c,this.B)}; -zq.prototype.get=function(a,b){var c=void 0,d=!this.u;if(!d)try{c=this.u.get(a)}catch(e){d=!0}if(d&&(c=g.xq(a))&&(c=unescape(c),b))try{c=JSON.parse(c)}catch(e){this.remove(a),c=void 0}return c}; -zq.prototype.remove=function(a){this.u&&this.u.remove(a);g.yq(a,"/",this.B)};Bq.prototype.toString=function(){return this.topic};var eCa=g.Ja("ytPubsub2Pubsub2Instance")||new g.Jn;g.Jn.prototype.subscribe=g.Jn.prototype.subscribe;g.Jn.prototype.unsubscribeByKey=g.Jn.prototype.Cm;g.Jn.prototype.publish=g.Jn.prototype.V;g.Jn.prototype.clear=g.Jn.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",eCa,void 0);var Eq=g.Ja("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",Eq,void 0);var Gq=g.Ja("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",Gq,void 0); -var Fq=g.Ja("ytPubsub2Pubsub2IsAsync")||{};g.Fa("ytPubsub2Pubsub2IsAsync",Fq,void 0);g.Fa("ytPubsub2Pubsub2SkipSubKey",null,void 0);Jq.prototype.u=function(a,b){var c={},d=Dl([]);if(d){c.Authorization=d;var e=d=null===b||void 0===b?void 0:b.sessionIndex;void 0===e&&(e=Number(g.L("SESSION_INDEX",0)),e=isNaN(e)?0:e);c["X-Goog-AuthUser"]=e;"INNERTUBE_HOST_OVERRIDE"in ro||(c["X-Origin"]=window.location.origin);g.vo("pageid_as_header_web")&&void 0===d&&"DELEGATED_SESSION_ID"in ro&&(c["X-Goog-PageId"]=g.L("DELEGATED_SESSION_ID"))}return c};var ey={identityType:"UNAUTHENTICATED_IDENTITY_TYPE_UNKNOWN"};var Oq=[],Lq,Qq=!1;Sq.all=function(a){return new Sq(function(b,c){var d=[],e=a.length;0===e&&b(d);for(var f={vn:0};f.vnc;c++)b+=this.u[c]||0;3<=b&&this.J();this.D=d}this.C=a;this.I=this.j;this.B=(this.B+1)%4}}; +Iz.prototype.qa=function(){window.clearInterval(this.T);g.Fz(this.oa)};g.w(Jz,g.C);Jz.prototype.S=function(a,b,c,d,e){c=g.my((0,g.Oa)(c,d||this.Pb));c={target:a,name:b,callback:c};var f;e&&Moa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.T.push(c);return c}; +Jz.prototype.Hc=function(a){for(var b=0;bb&&a.u.createObjectStore("databases",{keyPath:"actualName"})}});var A1=new g.am;var is;g.u(ps,ds);ps.prototype.Kz=function(a,b,c){c=void 0===c?{}:c;return(this.options.WR?Fea:Eea)(a,b,Object.assign(Object.assign({},c),{clearDataOnAuthChange:this.options.clearDataOnAuthChange}))}; -ps.prototype.sC=function(a){A1.Bu.call(A1,"authchanged",a)}; -ps.prototype.tC=function(a){A1.Mb("authchanged",a)}; -ps.prototype["delete"]=function(a){a=void 0===a?{}:a;return(this.options.WR?Hea:Gea)(this.name,a)};g.u(qs,Sq);qs.reject=Sq.reject;qs.resolve=Sq.resolve;qs.all=Sq.all;var rs;g.u(vs,g.am);g.u(ys,g.am);var zs;g.Cs.prototype.isReady=function(){!this.Tf&&uq()&&(this.Tf=g.Kp());return!!this.Tf};var Nea=[{wE:function(a){return"Cannot read property '"+a.key+"'"}, -Nz:{TypeError:[{hh:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{hh:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{hh:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./,groups:["value","key"]},{hh:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/, -groups:["key"]},{hh:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]}],Error:[{hh:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}]}},{wE:function(a){return"Cannot call '"+a.key+"'"}, -Nz:{TypeError:[{hh:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{hh:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{hh:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{hh:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{hh:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, -{hh:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}}];var Ds;var Ls=new g.Jn;var Ks=new Set,Js=0,Ms=0,Oea=["PhantomJS","Googlebot","TO STOP THIS SECURITY SCAN go/scan"];Ns.prototype.initialize=function(a,b,c,d,e,f){var h=this;f=void 0===f?!1:f;b?(this.Pd=!0,g.So(b,function(){h.Pd=!1;var l=0<=b.indexOf("/th/");if(l?window.trayride:window.botguard)Os(h,c,d,f,l);else{l=To(b);var m=document.getElementById(l);m&&(Ro(l),m.parentNode.removeChild(m));g.Is(new g.tr("Unable to load Botguard","from "+b))}},e)):a&&(e=g.Fe("SCRIPT"),e.textContent=a,e.nonce=Ia(),document.head.appendChild(e),document.head.removeChild(e),((a=a.includes("trayride"))?window.trayride:window.botguard)? -Os(this,c,d,f,a):g.Is(Error("Unable to load Botguard from JS")))}; -Ns.prototype.Yd=function(){return!!this.u}; -Ns.prototype.dispose=function(){this.u=null};var Rea=[],Rs=!1;g.u(Ts,Ya);Ws.prototype.then=function(a,b,c){return 1===this.Ka&&a?(a=a.call(c,this.u),pm(a)?a:Ys(a)):2===this.Ka&&b?(a=b.call(c,this.u),pm(a)?a:Xs(a)):this}; -Ws.prototype.getValue=function(){return this.u}; -Ws.prototype.$goog_Thenable=!0;g.u($s,Ya);$s.prototype.name="BiscottiError";g.u(Zs,Ya);Zs.prototype.name="BiscottiMissingError";var bt={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},at=null;var gt=g.Ja("ytglobal.prefsUserPrefsPrefs_")||{};g.Fa("ytglobal.prefsUserPrefsPrefs_",gt,void 0);g.k=g.ht.prototype;g.k.get=function(a,b){lt(a);kt(a);var c=void 0!==gt[a]?gt[a].toString():null;return null!=c?c:b?b:""}; -g.k.set=function(a,b){lt(a);kt(a);if(null==b)throw Error("ExpectedNotNull");gt[a]=b.toString()}; -g.k.remove=function(a){lt(a);kt(a);delete gt[a]}; -g.k.save=function(){g.wq(this.u,this.dump(),63072E3,this.B)}; -g.k.clear=function(){g.Tb(gt)}; -g.k.dump=function(){var a=[],b;for(b in gt)a.push(b+"="+encodeURIComponent(String(gt[b])));return a.join("&")}; -La(g.ht);var Uea=new Map([["dark","USER_INTERFACE_THEME_DARK"],["light","USER_INTERFACE_THEME_LIGHT"]]),Wea=["/fashion","/channel/UCrpQ4p1Ql_hG8rKXIKM1MOQ","/channel/UCTApTkbpcqiLL39WUlne4ig","/channel/UCW5PCzG3KQvbOX4zc3KY0lQ"];g.u(rt,g.C);rt.prototype.N=function(a,b,c,d,e){c=Eo((0,g.z)(c,d||this.Ga));c={target:a,name:b,callback:c};var f;e&&dCa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.I.push(c);return c}; -rt.prototype.Mb=function(a){for(var b=0;b=L.Cm)||l.j.version>=P||l.j.objectStoreNames.contains(D)||F.push(D)}m=F;if(0===m.length){z.Ka(5);break}n=Object.keys(c.options.Fq);p=l.objectStoreNames(); +if(c.Dc.options.version+1)throw r.close(),c.B=!1,xpa(c,v);return z.return(r);case 8:throw b(),q instanceof Error&&!g.gy("ytidb_async_stack_killswitch")&& +(q.stack=q.stack+"\n"+h.substring(h.indexOf("\n")+1)),CA(q,c.name,"",null!=(x=c.options.version)?x:-1);}})} +function b(){c.j===d&&(c.j=void 0)} +var c=this;if(!this.B)throw xpa(this);if(this.j)return this.j;var d,e={blocking:function(f){f.close()}, +closed:b,q9:b,upgrade:this.options.upgrade};return this.j=d=a()};var lB=new jB("YtIdbMeta",{Fq:{databases:{Cm:1}},upgrade:function(a,b){b(1)&&g.LA(a,"databases",{keyPath:"actualName"})}});var qB,pB=new function(){}(new function(){});new g.Wj;g.w(tB,jB);tB.prototype.u=function(a,b,c){c=void 0===c?{}:c;return(this.options.shared?Gpa:Fpa)(a,b,Object.assign({},c))}; +tB.prototype.delete=function(a){a=void 0===a?{}:a;return(this.options.shared?Kpa:Hpa)(this.name,a)};var Jbb={},Mpa=g.uB("ytGcfConfig",{Fq:(Jbb.coldConfigStore={Cm:1},Jbb.hotConfigStore={Cm:1},Jbb),shared:!1,upgrade:function(a,b){b(1)&&(g.RA(g.LA(a,"hotConfigStore",{keyPath:"key",autoIncrement:!0}),"hotTimestampIndex","timestamp"),g.RA(g.LA(a,"coldConfigStore",{keyPath:"key",autoIncrement:!0}),"coldTimestampIndex","timestamp"))}, +version:1});HB.prototype.jp=function(){return{version:this.version,args:this.args}};IB.prototype.toString=function(){return this.topic};var Kbb=g.Ga("ytPubsub2Pubsub2Instance")||new g.lq;g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",Kbb);var LB=g.Ga("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",LB);var MB=g.Ga("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",MB);var lqa=g.Ga("ytPubsub2Pubsub2IsAsync")||{}; +g.Fa("ytPubsub2Pubsub2IsAsync",lqa);g.Fa("ytPubsub2Pubsub2SkipSubKey",null);var oqa=g.hy("max_body_size_to_compress",5E5),pqa=g.hy("min_body_size_to_compress",500),PB=!0,SB=0,RB=0,rqa=g.hy("compression_performance_threshold",250),sqa=g.hy("slow_compressions_before_abandon_count",10);g.k=VB.prototype;g.k.writeThenSend=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ih.set(d,this.yf).then(function(e){d.id=e;c.Zg.Rh()&&c.pC(d)}).catch(function(e){c.pC(d); +WB(c,e)})}else this.Qq(a,b)}; +g.k.sendThenWrite=function(a,b,c){var d=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var e={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ob&&this.ob("nwl_skip_retry")&&(e.skipRetry=c);if(this.Zg.Rh()||this.ob&&this.ob("nwl_aggressive_send_then_write")&&!e.skipRetry){if(!e.skipRetry){var f=b.onError?b.onError:function(){}; +b.onError=function(h,l){return g.A(function(m){if(1==m.j)return g.y(m,d.ih.set(e,d.yf).catch(function(n){WB(d,n)}),2); +f(h,l);g.oa(m)})}}this.Qq(a,b,e.skipRetry)}else this.ih.set(e,this.yf).catch(function(h){d.Qq(a,b,e.skipRetry); +WB(d,h)})}else this.Qq(a,b,this.ob&&this.ob("nwl_skip_retry")&&c)}; +g.k.sendAndWrite=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0},e=!1,f=b.onSuccess?b.onSuccess:function(){}; +d.options.onSuccess=function(h,l){void 0!==d.id?c.ih.ly(d.id,c.yf):e=!0;c.Zg.Fv&&c.ob&&c.ob("vss_network_hint")&&c.Zg.Fv(!0);f(h,l)}; +this.Qq(d.url,d.options);this.ih.set(d,this.yf).then(function(h){d.id=h;e&&c.ih.ly(d.id,c.yf)}).catch(function(h){WB(c,h)})}else this.Qq(a,b)}; +g.k.eA=function(){var a=this;if(!UB(this))throw g.DA("throttleSend");this.j||(this.j=this.cn.xi(function(){var b;return g.A(function(c){if(1==c.j)return g.y(c,a.ih.XT("NEW",a.yf),2);if(3!=c.j)return b=c.u,b?g.y(c,a.pC(b),3):(a.JK(),c.return());a.j&&(a.j=0,a.eA());g.oa(c)})},this.gY))}; +g.k.JK=function(){this.cn.Em(this.j);this.j=0}; +g.k.pC=function(a){var b=this,c,d;return g.A(function(e){switch(e.j){case 1:if(!UB(b))throw c=g.DA("immediateSend"),c;if(void 0===a.id){e.Ka(2);break}return g.y(e,b.ih.C4(a.id,b.yf),3);case 3:(d=e.u)||b.Iy(Error("The request cannot be found in the database."));case 2:if(b.SH(a,b.pX)){e.Ka(4);break}b.Iy(Error("Networkless Logging: Stored logs request expired age limit"));if(void 0===a.id){e.Ka(5);break}return g.y(e,b.ih.ly(a.id,b.yf),5);case 5:return e.return();case 4:a.skipRetry||(a=zqa(b,a));if(!a){e.Ka(0); +break}if(!a.skipRetry||void 0===a.id){e.Ka(8);break}return g.y(e,b.ih.ly(a.id,b.yf),8);case 8:b.Qq(a.url,a.options,!!a.skipRetry),g.oa(e)}})}; +g.k.SH=function(a,b){a=a.timestamp;return this.now()-a>=b?!1:!0}; +g.k.VH=function(){var a=this;if(!UB(this))throw g.DA("retryQueuedRequests");this.ih.XT("QUEUED",this.yf).then(function(b){b&&!a.SH(b,a.kX)?a.cn.xi(function(){return g.A(function(c){if(1==c.j)return void 0===b.id?c.Ka(2):g.y(c,a.ih.SO(b.id,a.yf),2);a.VH();g.oa(c)})}):a.Zg.Rh()&&a.eA()})};var XB;var Lbb={},Jqa=g.uB("ServiceWorkerLogsDatabase",{Fq:(Lbb.SWHealthLog={Cm:1},Lbb),shared:!0,upgrade:function(a,b){b(1)&&g.RA(g.LA(a,"SWHealthLog",{keyPath:"id",autoIncrement:!0}),"swHealthNewRequest",["interface","timestamp"])}, +version:1});var $B={},Pqa=0;aC.prototype.requestComplete=function(a,b){b&&(this.u=!0);a=this.removeParams(a);this.j.get(a)||this.j.set(a,b)}; +aC.prototype.isEndpointCFR=function(a){a=this.removeParams(a);return(a=this.j.get(a))?!1:!1===a&&this.u?!0:null}; +aC.prototype.removeParams=function(a){return a.split("?")[0]}; +aC.prototype.removeParams=aC.prototype.removeParams;aC.prototype.isEndpointCFR=aC.prototype.isEndpointCFR;aC.prototype.requestComplete=aC.prototype.requestComplete;aC.getInstance=bC;var cC;g.w(eC,g.Fd);g.k=eC.prototype;g.k.Rh=function(){return this.j.Rh()}; +g.k.Fv=function(a){this.j.j=a}; +g.k.x3=function(){var a=window.navigator.onLine;return void 0===a?!0:a}; +g.k.P2=function(){this.u=!0}; +g.k.Ra=function(a,b){return this.j.Ra(a,b)}; +g.k.aI=function(a){a=yp(this.j,a);a.then(function(b){g.gy("use_cfr_monitor")&&bC().requestComplete("generate_204",b)}); +return a}; +eC.prototype.sendNetworkCheckRequest=eC.prototype.aI;eC.prototype.listen=eC.prototype.Ra;eC.prototype.enableErrorFlushing=eC.prototype.P2;eC.prototype.getWindowStatus=eC.prototype.x3;eC.prototype.networkStatusHint=eC.prototype.Fv;eC.prototype.isNetworkAvailable=eC.prototype.Rh;eC.getInstance=Rqa;g.w(g.fC,g.Fd);g.fC.prototype.Rh=function(){var a=g.Ga("yt.networkStatusManager.instance.isNetworkAvailable");return a?a.bind(this.u)():!0}; +g.fC.prototype.Fv=function(a){var b=g.Ga("yt.networkStatusManager.instance.networkStatusHint").bind(this.u);b&&b(a)}; +g.fC.prototype.aI=function(a){var b=this,c;return g.A(function(d){c=g.Ga("yt.networkStatusManager.instance.sendNetworkCheckRequest").bind(b.u);return g.gy("skip_network_check_if_cfr")&&bC().isEndpointCFR("generate_204")?d.return(new Promise(function(e){var f;b.Fv((null==(f=window.navigator)?void 0:f.onLine)||!0);e(b.Rh())})):c?d.return(c(a)):d.return(!0)})};var gC;g.w(hC,VB);hC.prototype.writeThenSend=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.writeThenSend.call(this,a,b)}; +hC.prototype.sendThenWrite=function(a,b,c){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendThenWrite.call(this,a,b,c)}; +hC.prototype.sendAndWrite=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendAndWrite.call(this,a,b)}; +hC.prototype.awaitInitialization=function(){return this.u.promise};var Wqa=g.Ea.ytNetworklessLoggingInitializationOptions||{isNwlInitialized:!1};g.Fa("ytNetworklessLoggingInitializationOptions",Wqa);g.jC.prototype.isReady=function(){!this.config_&&Zpa()&&(this.config_=g.EB());return!!this.config_};var Mbb,mC,oC;Mbb=g.Ea.ytPubsubPubsubInstance||new g.lq;mC=g.Ea.ytPubsubPubsubSubscribedKeys||{};oC=g.Ea.ytPubsubPubsubTopicToKeys||{};g.nC=g.Ea.ytPubsubPubsubIsSynchronous||{};g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsubPubsubInstance",Mbb);g.Fa("ytPubsubPubsubTopicToKeys",oC);g.Fa("ytPubsubPubsubIsSynchronous",g.nC); +g.Fa("ytPubsubPubsubSubscribedKeys",mC);var $qa=/\.vflset|-vfl[a-zA-Z0-9_+=-]+/,ara=/-[a-zA-Z]{2,3}_[a-zA-Z]{2,3}(?=(\/|$))/,dra={};g.w(xC,g.C);var c2a=new Map([["TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL","trigger_category_layout_exit_normal"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED","trigger_category_layout_exit_user_skipped"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED","trigger_category_layout_exit_user_muted"],["TRIGGER_CATEGORY_SLOT_EXPIRATION","trigger_category_slot_expiration"],["TRIGGER_CATEGORY_SLOT_FULFILLMENT","trigger_category_slot_fulfillment"],["TRIGGER_CATEGORY_SLOT_ENTRY","trigger_category_slot_entry"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED", +"trigger_category_layout_exit_user_input_submitted"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED","trigger_category_layout_exit_user_cancelled"]]);g.w(N,cb);var fsa=[{oN:function(a){return"Cannot read property '"+a.key+"'"}, +oH:{Error:[{pj:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}],TypeError:[{pj:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{pj:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{pj:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./, +groups:["value","key"]},{pj:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/,groups:["key"]},{pj:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]},{pj:/(null) is not an object \(evaluating '(?:([^.]+)\.)?([^']+)'\)/,groups:["value","base","key"]}]}},{oN:function(a){return"Cannot call '"+a.key+"'"}, +oH:{TypeError:[{pj:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{pj:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{pj:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{pj:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{pj:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, +{pj:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}},{oN:function(a){return a.key+" is not defined"}, +oH:{ReferenceError:[{pj:/(.*) is not defined/,groups:["key"]},{pj:/Can't find variable: (.*)/,groups:["key"]}]}}];var pra={Dq:[],Ir:[{callback:mra,weight:500}]};var EC;var ED=new g.lq;var sra=new Set([174,173,175]),MC={};var RC=Symbol("injectionDeps");OC.prototype.toString=function(){return"InjectionToken("+this.name+")"}; +tra.prototype.resolve=function(a){return a instanceof PC?SC(this,a.key,[],!0):SC(this,a,[])};var TC;VC.prototype.storePayload=function(a,b){a=WC(a);this.store[a]?this.store[a].push(b):(this.u={},this.store[a]=[b]);this.j++;return a}; +VC.prototype.smartExtractMatchingEntries=function(a){if(!a.keys.length)return[];for(var b=YC(this,a.keys.splice(0,1)[0]),c=[],d=0;d=this.start&&(aRbb.length)Pbb=void 0;else{var Sbb=Qbb.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);Pbb=Sbb&&6===Sbb.length?Number(Sbb[5].replace("_",".")):0}var dM=Pbb,RT=0<=dM;var Yya={soa:1,upa:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var xM=Hta()?!0:"function"!==typeof window.fetch||!window.ReadableStream||!window.AbortController||g.oB||g.fJ?!1:!0;var H3={},HI=(H3.FAIRPLAY="fairplay",H3.PLAYREADY="playready",H3.WIDEVINE="widevine",H3.CLEARKEY=null,H3.FLASHACCESS=null,H3.UNKNOWN=null,H3.WIDEVINE_CLASSIC=null,H3);var Tbb=["h","H"],Ubb=["9","("],Vbb=["9h","(h"],Wbb=["8","*"],Xbb=["a","A"],Ybb=["o","O"],Zbb=["m","M"],$bb=["mac3","MAC3"],acb=["meac3","MEAC3"],I3={},twa=(I3.h=Tbb,I3.H=Tbb,I3["9"]=Ubb,I3["("]=Ubb,I3["9h"]=Vbb,I3["(h"]=Vbb,I3["8"]=Wbb,I3["*"]=Wbb,I3.a=Xbb,I3.A=Xbb,I3.o=Ybb,I3.O=Ybb,I3.m=Zbb,I3.M=Zbb,I3.mac3=$bb,I3.MAC3=$bb,I3.meac3=acb,I3.MEAC3=acb,I3);g.hF.prototype.getLanguageInfo=function(){return this.Jc}; +g.hF.prototype.getXtags=function(){if(!this.xtags){var a=this.id.split(";");1=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{oC:b,Wk:c}}; +LF.prototype.isFocused=function(a){return a>=this.B&&a=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{iu:b,ln:c}}; -g.k.isFocused=function(a){return a>=this.C&&athis.info.rb||4==this.info.type)return!0;var b=Yv(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2==this.info.type)return c==this.info.rb&&1936286840==b;if(3==this.info.type&&0==this.info.C)return 1836019558==b||1936286840== -b||1937013104==b||1718909296==b||1701671783==b||1936419184==b}else if(2==this.info.u.info.containerType){if(4>this.info.rb||4==this.info.type)return!0;c=Yv(this).getUint32(0,!1);a.ebm=c.toString();if(3==this.info.type&&0==this.info.C)return 524531317==c||440786851==c}return!0};var hw={Wt:function(a){a.reverse()}, -bS:function(a,b){var c=a[0];a[0]=a[b%a.length];a[b%a.length]=c}, -O2:function(a,b){a.splice(0,b)}};var MAa=/^https?:\/\/([^.]*\.moatads\.com\/|e[0-9]+\.yt\.srs\.doubleverify\.com|pagead2\.googlesyndication\.com\/pagead\/gen_204\?id=yt3p&sr=1&|pm\.adsafeprotected\.com\/youtube|pm\.test-adsafeprotected\.com\/youtube|youtube[0-9]+\.moatpixel\.com\/)/,mw=/^http:\/\/0\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.l2gfe\.[a-z0-9_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?\/|^https:\/\/([a-z]+\.)?[0-9a-f]{1,63}\.sslproxy\.corp\.google\.com\/|^https:\/\/([a-z]+\.)?[a-z0-9\-]{1,63}\.demos\.corp\.google\.com\/|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com\/|^https?:\/\/((?:uytfe\.corp|dev-uytfe\.corp|uytfe\.sandbox)\.google\.com\/|([-\w]*www[-\w]*\.|[-\w]*web[-\w]*\.|[-\w]*canary[-\w]*\.|[-\w]*dev[-\w]*\.|[-\w]{1,3}\.)+youtube(-nocookie|kids)?\.com\/|([A-Za-z0-9-]{1,63}\.)*(youtube\.googleapis\.com)[.]?(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.([a-z]{3}|i)\.corp\.google\.com(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.c\.googlers\.com(:[0-9]+)?\/|(docs|drive)\.google\.com\/(a\/[^/\\%]+\/|)|(tv|tv-green-qa|tv-release-qa)\.youtube\.com\/|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?\/|m?web-ppg\.corp\.google\.com\/)/, -NAa=/^https?:\/\/(www\.google\.com\/pagead\/xsul|www\.youtube\.com\/pagead\/slav)/,vfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|docs\.google\.com|drive\.google\.com|prod\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|youtube\-nocookie\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/, -wfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|prod\.google\.com|youtube\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/,qfa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|play\.google\.com|prod\.google\.com|currents\.google\.com|video\.google\.com|youtube\.com|ytimg\.com|ytimg\.sandbox\.google\.com|chat\.google\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|s2\.googleusercontent\.com\/s2\/favicons\?|yt[3-4]\.ggpht\.com\/)/, -rfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,OAa=/^https?.*#ocr$|^https?:\/\/(aksecure\.imrworldwide\.com\/|cdn\.imrworldwide\.com\/|secure\-..\.imrworldwide\.com\/)/,sfa=/^https?:\/\/(googleads\.g\.doubleclick\.net\/(aclk|pagead\/conversion)|www\.google\.com\/(aclk|pagead\/conversion)|www\.googleadservices\.com\/(aclk|pagead\/(aclk|conversion))|www\.youtube\.com\/pagead\/conversion)/,ofa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|googlevideo\.com|prod\.google\.com|lh3\.photos\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|xfx7\.com|yt\.akamaized\.net|chat\.google\.com|shopping\.google\.com|cdn\.shoploop\.tv)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|([A-Za-z0-9-]{1,63}\.)*c\.lh3(-d[a-gz]|-testonly)?\.(googleusercontent|photos\.google)\.com\/.*$)/, -pfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tha=/^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|2mdn\.net|googlesyndication\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|googleads\.g\.doubleclick\.net|prod\.google\.com|static\.doubleclick\.net|static\.googleadsserving\.cn|studioapi\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|ytimg\.com|ytimg\.sandbox\.google\.com)[.]?(:[0-9]+)?\/|lightbox-(demos|builder)\.appspot\.com\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/ytplayer)/, -rha=/^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https:\/\/canvastester-3fd0b\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-d\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-f\.appspot\.com(\/|$)|^https:\/\/one\.google\.com(\/|$)|^https:\/\/www\.gstatic\.com\/aog_howto|^https:\/\/www\.gstatic\.com\/narrative_cast_receiver\/news|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleads\.g\.doubleclick\.net|googleplex\.com|play\.google\.com|prod\.google\.com|photos\.google\.com|get\.google\.com|class\.photos\.google\.com|currents\.google\.com|books\.googleusercontent\.com|play\-books\-autopush\-sandbox\.googleusercontent\.com|play\-books\-canary\-sandbox\.googleusercontent\.com|play\-books\-internal\-sandbox\.googleusercontent\.com|play\-books\-staging\-sandbox\.googleusercontent\.com|blogger\.com|mail\.google\.com|survey\.g\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|vevo\.com|chat\.google\.com|meet\.google\.com|stadia\.google\.com|shoploop\.area120\.google\.com|shopping\.google\.com)[.]?(:[0-9]+)?(\/|$)|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|(www\.|encrypted\.)?google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/(search|webhp)\?|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|lightbox-(demos|builder)\.appspot\.com\/|s0\.2mdn\.net\/instream\/html5\/native\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris)/, -sha=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?(\/|$)/,nCa=/^(https\:\/\/photos\.google\.com|https\:\/\/get\.google\.com|https\:\/\/class\.photos\.google\.com|https\:\/\/currents\.google\.com|https\:\/\/mail\.google\.com|https\:\/\/chat\.google\.com|https\:\/\/stadia\.google\.com|https\:\/\/one\.google\.com|https\:\/\/shoploop\.area120\.google\.com|https\:\/\/shopping\.google\.com)$|^http:\/\/[0-9]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?$|^https:\/\/((staging|stream|today)\.)?meet\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*youtube\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sandbox\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com$|^https:\/\/(books|play-books-(autopush|canary|internal|staging)-sandbox)\.googleusercontent\.com$|^https:\/\/(draft|www|(www\.)?dev\.sandbox|(www\.)?autopush\.sandbox|(www\.)?restore\.sandbox)\.blogger\.com$|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com$|^https?:\/\/(((docs|m|sing|ss|sss|www)\.)?drive\.google\.com$|([A-Za-z0-9-]{1,63}\.)*c\.googlers\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*corp\.google\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*googleplex\.com(:[0-9]+)?$|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?$|docs\.google\.com$)/, -oCa=/^(https\:\/\/plus\.google\.com)$/;var kw=!1;vw.prototype.set=function(a,b){this.u[a]!==b&&(this.u[a]=b,this.url="")}; -vw.prototype.get=function(a){ww(this);return this.u[a]||null}; -vw.prototype.Ld=function(){this.url||(this.url=xfa(this));return this.url}; -vw.prototype.clone=function(){var a=new vw(this.B,this.D);a.scheme=this.scheme;a.path=this.path;a.C=this.C;a.u=g.Vb(this.u);a.url=this.url;return a};Ew.prototype.set=function(a,b){this.og.get(a);this.u[a]=b;this.url=""}; -Ew.prototype.get=function(a){return this.u[a]||this.og.get(a)}; -Ew.prototype.Ld=function(){this.url||(this.url=yfa(this));return this.url};Qw.prototype.Ng=function(){return Ju(this.u[0])};var C1={},jC=(C1.WIDTH={name:"width",video:!0,valid:640,invalid:99999},C1.HEIGHT={name:"height",video:!0,valid:360,invalid:99999},C1.FRAMERATE={name:"framerate",video:!0,valid:30,invalid:9999},C1.BITRATE={name:"bitrate",video:!0,valid:3E5,invalid:2E9},C1.EOTF={name:"eotf",video:!0,valid:"bt709",invalid:"catavision"},C1.CHANNELS={name:"channels",video:!1,valid:2,invalid:99},C1.CRYPTOBLOCKFORMAT={name:"cryptoblockformat",video:!0,valid:"subsample",invalid:"invalidformat"},C1.DECODETOTEXTURE={name:"decode-to-texture", -video:!0,valid:"false",invalid:"nope"},C1.AV1_CODECS={name:"codecs",video:!0,valid:"av01.0.05M.08",invalid:"av99.0.05M.08"},C1.EXPERIMENTAL={name:"experimental",video:!0,valid:"allowed",invalid:"invalid"},C1);var cx={0:"f",160:"h",133:"h",134:"h",135:"h",136:"h",137:"h",264:"h",266:"h",138:"h",298:"h",299:"h",304:"h",305:"h",214:"h",216:"h",374:"h",375:"h",140:"a",141:"ah",327:"sa",258:"m",380:"mac3",328:"meac3",161:"H",142:"H",143:"H",144:"H",222:"H",223:"H",145:"H",224:"H",225:"H",146:"H",226:"H",227:"H",147:"H",384:"H",376:"H",385:"H",377:"H",149:"A",261:"M",381:"MAC3",329:"MEAC3",598:"9",278:"9",242:"9",243:"9",244:"9",247:"9",248:"9",353:"9",355:"9",271:"9",313:"9",272:"9",302:"9",303:"9",407:"9", -408:"9",308:"9",315:"9",330:"9h",331:"9h",332:"9h",333:"9h",334:"9h",335:"9h",336:"9h",337:"9h",338:"so",600:"o",250:"o",251:"o",194:"*",195:"*",220:"*",221:"*",196:"*",197:"*",279:"(",280:"(",317:"(",318:"(",273:"(",274:"(",357:"(",358:"(",275:"(",359:"(",360:"(",276:"(",583:"(",584:"(",314:"(",585:"(",561:"(",277:"(",362:"(h",363:"(h",364:"(h",365:"(h",366:"(h",591:"(h",592:"(h",367:"(h",586:"(h",587:"(h",368:"(h",588:"(h",562:"(h",409:"(",410:"(",411:"(",412:"(",557:"(",558:"(",394:"1",395:"1", -396:"1",397:"1",398:"1",399:"1",400:"1",401:"1",571:"1",402:"1",386:"3",387:"w",406:"6"};var hha={JT:"auto",q3:"tiny",EY:"light",T2:"small",w_:"medium",BY:"large",vX:"hd720",rX:"hd1080",sX:"hd1440",tX:"hd2160",uX:"hd2880",BX:"highres",UNKNOWN:"unknown"};var D1;D1={};g.Yw=(D1.auto=0,D1.tiny=144,D1.light=144,D1.small=240,D1.medium=360,D1.large=480,D1.hd720=720,D1.hd1080=1080,D1.hd1440=1440,D1.hd2160=2160,D1.hd2880=2880,D1.highres=4320,D1);var ax="highres hd2880 hd2160 hd1440 hd1080 hd720 large medium small tiny".split(" ");Zw.prototype.Vg=function(){return"smpte2084"===this.u||"arib-std-b67"===this.u};g.k=dx.prototype;g.k.Ma=function(){return this.video}; -g.k.Yb=function(){return this.id.split(";",1)[0]}; -g.k.Zd=function(){return 2===this.containerType}; -g.k.isEncrypted=function(){return!!this.Ud}; -g.k.isAudio=function(){return!!this.audio}; -g.k.isVideo=function(){return!!this.video};g.k=Nx.prototype;g.k.tf=function(){}; -g.k.po=function(){}; -g.k.Fe=function(){return!!this.u&&this.index.Uc()}; -g.k.ek=function(){}; -g.k.GE=function(){return!1}; -g.k.wm=function(){}; -g.k.Sm=function(){}; -g.k.Ok=function(){}; -g.k.Kj=function(){}; -g.k.gu=function(){}; -g.k.HE=function(a){return[a]}; -g.k.Yv=function(a){return[a]}; -g.k.Fv=function(){}; -g.k.Qt=function(){};g.k=g.Ox.prototype;g.k.ME=function(a){this.segments.push(a)}; -g.k.getDuration=function(a){return(a=this.Li(a))?a.duration:0}; -g.k.cD=function(a){return this.getDuration(a)}; -g.k.Eh=function(){return this.segments.length?this.segments[0].qb:-1}; -g.k.Ue=function(a){return(a=this.Li(a))?a.ingestionTime:NaN}; -g.k.pD=function(a){return(a=this.Li(a))?a.B:null}; -g.k.Xb=function(){return this.segments.length?this.segments[this.segments.length-1].qb:-1}; -g.k.Nk=function(){var a=this.segments[this.segments.length-1];return a?a.endTime:NaN}; -g.k.Kc=function(){return this.segments[0].startTime}; -g.k.fo=function(){return this.segments.length}; -g.k.Wu=function(){return 0}; -g.k.Gh=function(a){return(a=this.Xn(a))?a.qb:-1}; -g.k.ky=function(a){return(a=this.Li(a))?a.sourceURL:""}; -g.k.Xe=function(a){return(a=this.Li(a))?a.startTime:0}; -g.k.Vt=ba(1);g.k.Uc=function(){return 0a.B&&this.index.Eh()<=a.B+1}; -g.k.update=function(a,b,c){this.index.append(a);Px(this.index,c);this.R=b}; -g.k.Fe=function(){return this.I?!0:Nx.prototype.Fe.call(this)}; -g.k.ql=function(a,b){var c=this.index.ky(a),d=this.index.Xe(a),e=this.index.getDuration(a),f;b?e=f=0:f=0=this.Xb())return 0;for(var c=0,d=this.Xe(a)+b,e=a;ethis.Xe(e);e++)c=Math.max(c,(e+1=this.index.Wu(c+1);)c++;return Ux(this,c,b,a.rb).u}; -g.k.ek=function(a){return this.Fe()?!0:isNaN(this.I)?!1:a.range.end+1this.I&&(c=new Du(c.start,this.I-1));c=[new Iu(4,a.u,c,"getNextRequestInfoByLength")];return new Qw(c)}4==a.type&&(c=this.Yv(a),a=c[c.length-1]);c=0;var d=a.range.start+a.C+a.rb;3==a.type&&(c=a.B,d==a.range.end+1&&(c+=1));return Ux(this,c,d,b)}; -g.k.Ok=function(){return null}; -g.k.Kj=function(a,b){var c=this.index.Gh(a);b&&(c=Math.min(this.index.Xb(),c+1));return Ux(this,c,this.index.Wu(c),0)}; -g.k.tf=function(){return!0}; -g.k.po=function(){return!1}; -g.k.Qt=function(){return this.indexRange.length+this.initRange.length}; -g.k.Fv=function(){return this.indexRange&&this.initRange&&this.initRange.end+1==this.indexRange.start?!0:!1};var Vx=void 0;var E1={},gy=function(a,b){var c;return function(){c||(c=new ps(a,b));return c}}("yt-player-local-media",{zF:(E1.index=!0,E1.media=!0,E1.metadata=!0,E1.playerdata=!0,E1), -upgrade:function(a,b){2>b&&(a.u.createObjectStore("index",void 0),a.u.createObjectStore("media",void 0));3>b&&a.u.createObjectStore("metadata",void 0);4>b&&a.u.createObjectStore("playerdata",void 0)}, -version:4}),dy=!1;py.prototype.then=function(a,b){return this.promise.then(a,b)}; -py.prototype.resolve=function(a){this.B(a)}; -py.prototype.reject=function(a){this.u(a)};g.k=vy.prototype;g.k.ay=function(){return 0}; -g.k.eF=function(){return null}; -g.k.gD=function(){return null}; -g.k.isFailed=function(){return 6===this.state}; -g.k.Iz=function(){this.callback&&this.callback(this)}; -g.k.na=function(){return-1===this.state}; -g.k.dispose=function(){this.info.Ng()&&5!==this.state&&(this.info.u[0].u.D=!1);yy(this,-1)};By.prototype.skip=function(a){this.offset+=a};var Qy=!1;g.u(Ey,g.O);Ey.prototype.Bi=function(){this.I=null}; -Ey.prototype.getDuration=function(){return this.C.index.Nk()};g.k=Wy.prototype;g.k.qe=function(a){return"content-type"===a?this.fl.get("type"):""}; -g.k.abort=function(){}; -g.k.Dm=function(){return!0}; -g.k.nq=function(){return this.range.length}; -g.k.Uu=function(){return this.loaded}; -g.k.hu=function(){return!!this.u.getLength()}; -g.k.Mh=function(){return!!this.u.getLength()}; -g.k.Vu=function(){var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){return this.u}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return!!this.error}; -g.k.Qm=function(){return this.error};Yy.prototype.deactivate=function(){this.isActive&&(this.isActive=!1)};var iga=0;g.k=qz.prototype;g.k.start=function(a){var b=this,c={method:this.method,credentials:this.credentials};this.headers&&(c.headers=new Headers(this.headers));this.body&&(c.body=this.body);this.D&&(c.signal=this.D.signal);a=new Request(a,c);fetch(a).then(function(d){b.status=d.status;if(d.ok&&d.body)b.status=b.status||242,b.C=d.body.getReader(),b.na()?b.C.cancel("Cancelling"):(b.K=d.headers,b.fa(),sz(b));else b.onDone()},function(d){b.onError(d)}).then(void 0,M)}; -g.k.onDone=function(){if(!this.na()){this.ea();this.P=!0;if(rz(this)&&!this.u.getLength()&&!this.I&&this.B){pz(this);var a=new Uint8Array(8),b=new DataView(a.buffer);b.setUint32(0,8);b.setUint32(4,1936419184);this.u.append(a);this.B+=a.length}this.Y()}}; -g.k.onError=function(a){this.ea();this.errorMessage=String(a);this.I=!0;this.onDone()}; -g.k.qe=function(a){return this.K?this.K.get(a):null}; -g.k.Dm=function(){return!!this.K}; -g.k.Uu=function(){return this.B}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.B}; -g.k.ea=function(){}; -g.k.Mh=function(){if(this.P)return!!this.u.getLength();var a=this.policy.C;if(a&&this.R+a>Date.now())return!1;a=this.nq()||0;a=Math.max(16384,this.policy.u*a);this.X||(a=Math.max(a,16384));this.policy.rf&&pz(this)&&(a=1);return this.u.getLength()>=a}; -g.k.Vu=function(){this.Mh();this.R=Date.now();this.X=!0;var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){this.Mh();return this.u}; -g.k.na=function(){return this.aborted}; -g.k.abort=function(){this.ea();this.C&&this.C.cancel("Cancelling");this.D&&this.D.abort();this.aborted=!0}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return this.I}; -g.k.Qm=function(){return this.errorMessage};g.k=tz.prototype;g.k.onDone=function(){if(!this.na){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.B=!0;this.C()}}; -g.k.ie=function(a){this.na||(this.status=this.xhr.status,this.D(a.timeStamp,a.loaded))}; -g.k.Dm=function(){return 2<=this.xhr.readyState}; -g.k.qe=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.Fo(Error("Could not read XHR header "+a)),""}}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.Uu=function(){return this.u}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.response&&!!this.response.byteLength}; -g.k.Mh=function(){return this.B&&!!this.response&&!!this.response.byteLength}; -g.k.Vu=function(){this.Mh();var a=this.response;this.response=void 0;return new Mv([new Uint8Array(a)])}; -g.k.hz=function(){this.Mh();return new Mv([new Uint8Array(this.response)])}; -g.k.abort=function(){this.na=!0;this.xhr.abort()}; -g.k.tj=function(){return!1}; -g.k.bA=function(){return!1}; -g.k.Qm=function(){return""};vz.prototype.iH=function(a,b){var c=this;b=void 0===b?1:b;this.u+=b;this.C+=a;var d=a/b;uz.forEach(function(e,f){dd.u&&4E12>a?a:g.A();kz(d,a,b);50>a-d.D&&lz(d)&&3!==bz(d)||hz(d,a,b,c);b=this.timing;b.B>b.Ga&&cz(b,b.B)&&3>this.state?yy(this,3):this.Ab.tj()&&Tz(this)&&yy(this,Math.max(2,this.state))}}; -g.k.iR=function(){if(!this.na()&&this.Ab){if(!this.K&&this.Ab.Dm()&&this.Ab.qe("X-Walltime-Ms")){var a=parseInt(this.Ab.qe("X-Walltime-Ms"),10);this.K=(g.A()-a)/1E3}this.Ab.Dm()&&this.Ab.qe("X-Restrict-Formats-Hint")&&this.u.FB&&!Kz()&&sCa(!0);a=parseInt(this.Ab.qe("X-Head-Seqnum"),10);var b=parseInt(this.Ab.qe("X-Head-Time-Millis"),10);this.C=a||this.C;this.D=b||this.D}}; -g.k.hR=function(){var a=this.Ab;!this.na()&&a&&(this.F.stop(),this.hj=a.status,a=oga(this,a),6===a?Gz(this):yy(this,a))}; -g.k.Iz=function(a){4<=this.state&&(this.u.ke?Rz(this):this.timing.deactivate());vy.prototype.Iz.call(this,a)}; -g.k.JR=function(){if(!this.na()){var a=g.A(),b=!1;lz(this.timing)?(a=this.timing.P,az(this.timing),this.timing.P-a>=.8*this.X?(this.mk++,b=5<=this.mk):this.mk=0):(b=this.timing,b.dj&&nz(b,g.A()),a-=b.X,this.u.Sl&&01E3*b);this.mk&&this.callback&&this.callback(this);b?Sz(this,!1):this.F.start()}}; -g.k.dispose=function(){vy.prototype.dispose.call(this);this.F.dispose();this.u.ke||Rz(this)}; -g.k.ay=function(){return this.K}; -g.k.eF=function(){this.Ab&&(this.C=parseInt(this.Ab.qe("X-Head-Seqnum"),10));return this.C}; -g.k.gD=function(){this.Ab&&(this.D=parseInt(this.Ab.qe("X-Head-Time-Millis"),10));return this.D}; -var kga=0,Pz=-1;hA.prototype.getDuration=function(){return this.u.index.Nk()}; -hA.prototype.Bi=function(){this.C.Bi()};KA.prototype.C=function(a,b){var c=Math.pow(this.alpha,a);this.B=b*(1-c)+c*this.B;this.D+=a}; -KA.prototype.u=function(){return this.B/(1-Math.pow(this.alpha,this.D))};MA.prototype.C=function(a,b){var c=Math.min(this.B,Math.max(1,Math.round(a*this.resolution)));c+this.valueIndex>=this.B&&(this.D=!0);for(;c--;)this.values[this.valueIndex]=b,this.valueIndex=(this.valueIndex+1)%this.B;this.I=!0}; -MA.prototype.u=function(){return this.K?(NA(this,this.F-this.K)+NA(this,this.F)+NA(this,this.F+this.K))/3:NA(this,this.F)};TA.prototype.setPlaybackRate=function(a){this.C=Math.max(1,a)}; -TA.prototype.getPlaybackRate=function(){return this.C};g.u($A,g.Ox);g.k=$A.prototype;g.k.Eh=function(){return this.Ai?this.segments.length?this.Xn(this.Kc()).qb:-1:g.Ox.prototype.Eh.call(this)}; -g.k.Kc=function(){if(this.he)return 0;if(!this.Ai)return g.Ox.prototype.Kc.call(this);if(!this.segments.length)return 0;var a=Math.max(g.db(this.segments).endTime-this.Hj,0);return 0c&&(this.segments=this.segments.slice(b))}}; -g.k.Xn=function(a){if(!this.Ai)return g.Ox.prototype.Xn.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.qb+Math.floor((a-b.endTime)/this.Qf+1);else{b=yb(this.segments,function(d){return a=d.endTime?1:0}); -if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.qb-b.qb-1))+1)+b.qb}return this.Li(b)}; -g.k.Li=function(a){if(!this.Ai)return g.Ox.prototype.Li.call(this,a);if(!this.segments.length)return null;var b=aB(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.Qf;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].qb-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.qb-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.qb-d.qb-1),d=d.endTime+(a-d.qb-1)*b);return new Cu(a,d,b,0,"sq/"+a,void 0,void 0, -!0)};g.u(cB,Qx);g.k=cB.prototype;g.k.po=function(){return!0}; -g.k.Fe=function(){return!0}; -g.k.ek=function(a){return!a.F}; -g.k.wm=function(){return[]}; -g.k.Kj=function(a,b){if("number"===typeof a&&!isFinite(a)){var c=new Iu(3,this,null,"mlLiveGetReqInfoStubForTime",-1,void 0,this.kh,void 0,this.kh*this.info.zb);return new Qw([c],"")}return Qx.prototype.Kj.call(this,a,b)}; -g.k.ql=function(a,b){var c=void 0===c?!1:c;if(bB(this.index,a))return Qx.prototype.ql.call(this,a,b);var d=this.index.Xe(a),e=b?0:this.kh*this.info.zb,f=!b;c=new Iu(c?6:3,this,null,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,e,a==this.index.Xb()&&!this.R&&0a.B&&this.index.Eh()<=a.B+1}; -g.k.Qt=function(){return this.initRange&&this.indexRange?this.initRange.length+this.indexRange.length:0}; -g.k.Fv=function(){return!1};lB.prototype.getName=function(){return this.name}; -lB.prototype.getId=function(){return this.id}; -lB.prototype.getIsDefault=function(){return this.isDefault}; -lB.prototype.toString=function(){return this.name}; -lB.prototype.getName=lB.prototype.getName;lB.prototype.getId=lB.prototype.getId;lB.prototype.getIsDefault=lB.prototype.getIsDefault;g.u(tB,g.O);g.k=tB.prototype;g.k.appendBuffer=function(a,b,c){if(this.Rc.Nt()!==this.appendWindowStart+this.start||this.Rc.Yx()!==this.appendWindowEnd+this.start||this.Rc.yc()!==this.timestampOffset+this.start)this.Rc.supports(1),this.Rc.qA(this.appendWindowStart+this.start,this.appendWindowEnd+this.start),this.Rc.ip(this.timestampOffset+this.start);this.Rc.appendBuffer(a,b,c)}; -g.k.abort=function(){this.Rc.abort()}; -g.k.remove=function(a,b){this.Rc.remove(a+this.start,b+this.start)}; -g.k.qA=function(a,b){this.appendWindowStart=a;this.appendWindowEnd=b}; -g.k.ly=function(){return this.timestampOffset+this.start}; -g.k.Nt=function(){return this.appendWindowStart}; -g.k.Yx=function(){return this.appendWindowEnd}; -g.k.ip=function(a){this.timestampOffset=a}; -g.k.yc=function(){return this.timestampOffset}; -g.k.Se=function(a){a=this.Rc.Se(void 0===a?!1:a);return gA(a,this.start,this.end)}; -g.k.Kf=function(){return this.Rc.Kf()}; -g.k.qm=function(){return this.Rc.qm()}; -g.k.Ot=function(){return this.Rc.Ot()}; -g.k.WA=function(a,b){this.Rc.WA(a,b)}; -g.k.supports=function(a){return this.Rc.supports(a)}; -g.k.Pt=function(){return this.Rc.Pt()}; +var c=new Uint8Array([1]);return 1===c.length&&1===c[0]?b:a}(); +VF=Array(1024);TF=window.TextDecoder?new TextDecoder:void 0;XF=window.TextEncoder?new TextEncoder:void 0;ZF.prototype.skip=function(a){this.j+=a};var K3={},ccb=(K3.predictStart="predictStart",K3.start="start",K3["continue"]="continue",K3.stop="stop",K3),nua={EVENT_PREDICT_START:"predictStart",EVENT_START:"start",EVENT_CONTINUE:"continue",EVENT_STOP:"stop"};hG.prototype.nC=function(){return!!(this.data["Stitched-Video-Id"]||this.data["Stitched-Video-Cpn"]||this.data["Stitched-Video-Duration-Us"]||this.data["Stitched-Video-Start-Frame-Index"]||this.data["Serialized-State"]||this.data["Is-Ad-Break-Finished"])}; +hG.prototype.toString=function(){for(var a="",b=g.t(Object.keys(this.data)),c=b.next();!c.done;c=b.next())c=c.value,a+=c+":"+this.data[c]+";";return a};var L3={},Tva=(L3.STEREO_LAYOUT_UNKNOWN=0,L3.STEREO_LAYOUT_LEFT_RIGHT=1,L3.STEREO_LAYOUT_TOP_BOTTOM=2,L3);uG.prototype.Xm=function(){var a=this.pos;this.pos=0;var b=!1;try{yG(this,440786851)&&(this.pos=0,yG(this,408125543)&&(b=!0))}catch(c){if(c instanceof RangeError)this.pos=0,b=!1,g.DD(c);else throw c;}this.pos=a;return b};IG.prototype.set=function(a,b){this.zj.get(a);this.j[a]=b;this.url=""}; +IG.prototype.get=function(a){return this.j[a]||this.zj.get(a)}; +IG.prototype.Ze=function(){this.url||(this.url=Iua(this));return this.url};MG.prototype.OB=function(){return this.B.get("cpn")||""}; +MG.prototype.Bk=function(a,b){a.zj===this.j&&(this.j=JG(a,b));a.zj===this.C&&(this.C=JG(a,b))};RG.prototype.Jg=function(){return!!this.j&&this.index.isLoaded()}; +RG.prototype.Vy=function(){return!1}; +RG.prototype.rR=function(a){return[a]}; +RG.prototype.Jz=function(a){return[a]};TG.prototype.toString=function(){return this.start+"-"+(null==this.end?"":this.end)};XG.prototype.isEncrypted=function(){return this.j.info.isEncrypted()}; +XG.prototype.equals=function(a){return!(!a||a.j!==this.j||a.type!==this.type||(this.range&&a.range?a.range.start!==this.range.start||a.range.end!==this.range.end:a.range!==this.range)||a.Ma!==this.Ma||a.Ob!==this.Ob||a.u!==this.u)}; +XG.prototype.Xg=function(){return!!this.j.info.video};fH.prototype.Im=function(){return this.u?this.u.Ze():""}; +fH.prototype.Ds=function(){return this.J}; +fH.prototype.Mr=function(){return ZG(this.gb[0])}; +fH.prototype.Bk=function(a,b){this.j.Bk(a,b);if(this.u){this.u=JG(a,b);b=g.t(["acpns","cpn","daistate","skipsq"]);for(var c=b.next();!c.done;c=b.next())this.u.set(c.value,null)}this.requestId=a.get("req_id")};g.w(jH,RG);g.k=jH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.Vy=function(){return!this.I}; +g.k.Uu=function(){return new fH([new XG(1,this,this.initRange,"getMetadataRequestInfo")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return this.ov()&&a.u&&!a.bf?new fH([new XG(a.type,a.j,a.range,"liveGetNextRequestInfoBySegment",a.Ma,a.startTime,a.duration,a.Ob+a.u,NaN,!0)],this.index.bG(a.Ma)):this.Br(bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.Br(a,!0)}; +g.k.mM=function(a){dcb?yH(a):this.j=new Uint8Array(tH(a).buffer)}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.update=function(a,b,c){this.index.append(a);eua(this.index,c);this.index.u=b}; +g.k.Jg=function(){return this.Vy()?!0:RG.prototype.Jg.call(this)}; +g.k.Br=function(a,b){var c=this.index.bG(a),d=this.index.getStartTime(a),e=this.index.getDuration(a),f;b?e=f=0:f=0c&&(this.segments=this.segments.slice(b))}}; +g.k.RF=function(){return this.Po}; +g.k.vy=function(a){if(!this.Dm)return g.KF.prototype.vy.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.Ma+Math.floor((a-b.endTime)/this.sj+1);else{b=Kb(this.segments,function(d){return a=d.endTime?1:0}); +if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.Ma-b.Ma-1))+1)+b.Ma}return this.Go(b)}; +g.k.Go=function(a){if(!this.Dm)return g.KF.prototype.Go.call(this,a);if(!this.segments.length)return null;var b=oH(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.sj;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].Ma-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.Ma-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.Ma-d.Ma-1),d=d.endTime+(a-d.Ma-1)*b);return new JF(a,d,b,0,"sq/"+a,void 0,void 0, +!0)};g.w(qH,jH);g.k=qH.prototype;g.k.zC=function(){return!0}; +g.k.Jg=function(){return!0}; +g.k.Ar=function(a){return this.ov()&&a.u&&!a.bf||!a.j.index.OM(a.Ma)}; +g.k.Uu=function(){}; +g.k.Zp=function(a,b){return"number"!==typeof a||isFinite(a)?jH.prototype.Zp.call(this,a,void 0===b?!1:b):new fH([new XG(3,this,void 0,"mlLiveGetReqInfoStubForTime",-1,void 0,this.Xj,void 0,this.Xj*this.info.dc)],"")}; +g.k.Br=function(a,b){var c=void 0===c?!1:c;if(pH(this.index,a))return jH.prototype.Br.call(this,a,b);var d=this.index.getStartTime(a);return new fH([new XG(c?6:3,this,void 0,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,b?0:this.Xj*this.info.dc,!b)],0<=a?"sq/"+a:"")};g.w(rH,RG);g.k=rH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!1}; +g.k.zC=function(){return!1}; +g.k.Uu=function(){return new fH([new XG(1,this,void 0,"otfInit")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return kva(this,bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return kva(this,a,!0)}; +g.k.mM=function(a){1===a.info.type&&(this.j||(this.j=iua(a.j)),a.u&&"http://youtube.com/streaming/otf/durations/112015"===a.u.uri&&lva(this,a.u))}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.WL=function(){return 0}; +g.k.wO=function(){return!1};sH.prototype.verify=function(a){if(this.info.u!==this.j.totalLength)return a.slength=this.info.u.toString(),a.range=this.j.totalLength.toString(),!1;if(1===this.info.j.info.containerType){if(8>this.info.u||4===this.info.type)return!0;var b=tH(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2===this.info.type)return c===this.info.u&&1936286840===b;if(3===this.info.type&&0===this.info.Ob)return 1836019558===b||1936286840=== +b||1937013104===b||1718909296===b||1701671783===b||1936419184===b}else if(2===this.info.j.info.containerType){if(4>this.info.u||4===this.info.type)return!0;c=tH(this).getUint32(0,!1);a.ebm=c.toString();if(3===this.info.type&&0===this.info.Ob)return 524531317===c||440786851===c}return!0};g.k=g.zH.prototype;g.k.Yp=function(a){return this.offsets[a]}; +g.k.getStartTime=function(a){return this.Li[a]/this.j}; +g.k.dG=aa(1);g.k.Pf=function(){return NaN}; +g.k.getDuration=function(a){a=this.KT(a);return 0<=a?a/this.j:-1}; +g.k.KT=function(a){return a+1=this.td())return 0;var c=0;for(b=this.getStartTime(a)+b;athis.getStartTime(a);a++)c=Math.max(c,uva(this,a)/this.getDuration(a));return c}; +g.k.resize=function(a){a+=2;var b=this.offsets;this.offsets=new Float64Array(a+1);var c=this.Li;this.Li=new Float64Array(a+1);for(a=0;a=b+c)break}e.length||g.CD(new g.bA("b189619593",""+a,""+b,""+c));return new fH(e)}; +g.k.rR=function(a){for(var b=this.Jz(a.info),c=a.info.range.start+a.info.Ob,d=a.B,e=[],f=0;f=this.index.Yp(c+1);)c++;return this.cC(c,b,a.u).gb}; +g.k.Ar=function(a){YG(a);return this.Jg()?!0:a.range.end+1this.info.contentLength&&(b=new TG(b.start,this.info.contentLength-1)),new fH([new XG(4,a.j,b,"getNextRequestInfoByLength",void 0,void 0,void 0,void 0,void 0,void 0,a.clipId)]);4===a.type&&(a=this.Jz(a),a=a[a.length-1]);var c=0,d=a.range.start+a.Ob+a.u;3===a.type&&(YG(a),c=a.Ma,d===a.range.end+1&&(c+=1));return this.cC(c,d,b)}; +g.k.PA=function(){return null}; +g.k.Zp=function(a,b,c){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.cC(a,this.index.Yp(a),0,c)}; +g.k.Ym=function(){return!0}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.WL=function(){return this.indexRange.length+this.initRange.length}; +g.k.wO=function(){return this.indexRange&&this.initRange&&this.initRange.end+1===this.indexRange.start?!0:!1};CH.prototype.isMultiChannelAudio=function(){return 2this.Nt()?(this.jc.appendWindowEnd=b,this.jc.appendWindowStart=a):(this.jc.appendWindowStart=a,this.jc.appendWindowEnd=b))}; -g.k.ly=function(){return this.timestampOffset}; -g.k.ip=function(a){Qy?this.timestampOffset=a:this.supports(1)&&(this.jc.timestampOffset=a)}; -g.k.yc=function(){return Qy?this.timestampOffset:this.supports(1)?this.jc.timestampOffset:0}; -g.k.Se=function(a){if(void 0===a?0:a)return this.Xs||this.Kf()||(this.cC=this.Se(!1),this.Xs=!0),this.cC;try{return this.jc?this.jc.buffered:this.de?this.de.webkitSourceBuffered(this.id):Vz([0],[Infinity])}catch(b){return Vz([],[])}}; -g.k.Kf=function(){var a;return(null===(a=this.jc)||void 0===a?void 0:a.updating)||!1}; -g.k.qm=function(){return this.yu}; -g.k.Ot=function(){return this.iE}; -g.k.WA=function(a,b){this.containerType!==a&&(this.supports(4),yB()&&this.jc.changeType(b));this.containerType=a}; -g.k.Pt=function(){return this.Zy}; +g.k.tI=function(a,b,c){return this.isActive?this.Ed.tI(a,b,c):!1}; +g.k.eF=function(){return this.Ed.eF()?this.isActive:!1}; +g.k.isLocked=function(){return this.rE&&!this.isActive}; +g.k.lc=function(a){a=this.Ed.lc(a);a.vw=this.start+"-"+this.end;return a}; +g.k.UB=function(){return this.Ed.UB()}; +g.k.ZL=function(){return this.Ed.ZL()}; +g.k.qa=function(){fE(this.Ed,this.tU);g.dE.prototype.qa.call(this)};var CX=!1;g.w(sI,g.dE);g.k=sI.prototype; +g.k.appendBuffer=function(a,b,c){this.iB=!1;c&&(this.FC=c);if(!ecb&&(b&&Cva(this,b),!a.length))return;if(ecb){if(a.length){var d;(null==(d=this.Vb)?0:d.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}b&&Cva(this,b)}else{var e;(null==(e=this.Vb)?0:e.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}this.Kz&&(2<=this.Kz.length||1048576this.IB()?(this.Vb.appendWindowEnd=b,this.Vb.appendWindowStart=a):(this.Vb.appendWindowStart=a,this.Vb.appendWindowEnd=b))}; +g.k.dM=function(){return this.timestampOffset}; +g.k.Vq=function(a){CX?this.timestampOffset=a:this.supports(1)&&(this.Vb.timestampOffset=a)}; +g.k.Jd=function(){return CX?this.timestampOffset:this.supports(1)?this.Vb.timestampOffset:0}; +g.k.Ig=function(a){if(void 0===a?0:a)return this.iB||this.gj()||(this.GK=this.Ig(!1),this.iB=!0),this.GK;try{return this.Vb?this.Vb.buffered:this.Dg?this.Dg.webkitSourceBuffered(this.id):iI([0],[Infinity])}catch(b){return iI([],[])}}; +g.k.gj=function(){var a;return(null==(a=this.Vb)?void 0:a.updating)||!1}; +g.k.Ol=function(){return this.jF}; +g.k.IM=function(){return!this.jF&&this.gj()}; +g.k.Tx=function(){this.jF=!1}; +g.k.Wy=function(a){var b=null==a?void 0:a.Lb;a=null==a?void 0:a.containerType;return!b&&!a||b===this.Lb&&a===this.containerType}; +g.k.qs=function(){return this.FC}; +g.k.SF=function(){return this.XM}; +g.k.VP=function(a,b){this.containerType!==a&&(this.supports(4),tI()&&this.Vb.changeType(b));this.containerType=a}; +g.k.TF=function(){return this.Cf}; g.k.isView=function(){return!1}; -g.k.supports=function(a){var b,c,d,e,f;switch(a){case 1:return void 0!==(null===(b=this.jc)||void 0===b?void 0:b.timestampOffset);case 0:return!(null===(c=this.jc)||void 0===c||!c.appendBuffer);case 2:return!(null===(d=this.jc)||void 0===d||!d.remove);case 3:return!!((null===(e=this.jc)||void 0===e?0:e.addEventListener)&&(null===(f=this.jc)||void 0===f?0:f.removeEventListener));case 4:return!(!this.jc||!this.jc.changeType);default:return!1}}; -g.k.lx=function(){return!this.Kf()}; +g.k.supports=function(a){switch(a){case 1:var b;return void 0!==(null==(b=this.Vb)?void 0:b.timestampOffset);case 0:var c;return!(null==(c=this.Vb)||!c.appendBuffer);case 2:var d;return!(null==(d=this.Vb)||!d.remove);case 3:var e,f;return!!((null==(e=this.Vb)?0:e.addEventListener)&&(null==(f=this.Vb)?0:f.removeEventListener));case 4:return!(!this.Vb||!this.Vb.changeType);default:return!1}}; +g.k.eF=function(){return!this.gj()}; g.k.isLocked=function(){return!1}; -g.k.sb=function(a){var b,c;a.to=""+this.yc();a.up=""+ +this.Kf();var d=(null===(b=this.jc)||void 0===b?void 0:b.appendWindowStart)||0,e=(null===(c=this.jc)||void 0===c?void 0:c.appendWindowEnd)||Infinity;a.aw=d.toFixed(3)+"-"+e.toFixed(3);try{a.bu=Wz(this.Se())}catch(f){}return g.vB(a)}; -g.k.ca=function(){this.supports(3)&&(this.jc.removeEventListener("updateend",this.Oj),this.jc.removeEventListener("error",this.Oj));g.O.prototype.ca.call(this)}; -g.k.us=function(a,b,c){if(!this.supports(2)||this.Kf())return!1;var d=this.Se(),e=Xz(d,a);if(0>e)return!1;try{if(b&&e+1this.K&&this.Qa;this.ha=parseInt(dB(a,SB(this,"earliestMediaSequence")),10)|| -0;if(b=Date.parse(gB(dB(a,SB(this,"mpdResponseTime")))))this.R=(g.A()-b)/1E3;this.isLive&&0>=a.getElementsByTagName("SegmentTimeline").length||g.qh(a.getElementsByTagName("Period"),this.sR,this);this.Ka=2;this.V("loaded");XB(this);return this}; -g.k.HK=function(a){this.aa=a.xhr.status;this.Ka=3;this.V("loaderror");return wm(a.xhr)}; -g.k.refresh=function(){if(1!=this.Ka&&!this.na()){var a=g.Md(this.sourceUrl,{start_seq:Vga(this).toString()});Cm(VB(this,a),function(){})}}; -g.k.resume=function(){XB(this)}; -g.k.Oc=function(){if(this.isManifestless&&this.I&&YB(this))return YB(this);var a=this.u,b=!1,c=NaN,d=NaN,e;for(e in a){var f=a[e],h=f.index;h.Uc()&&(f.K&&(b=!0),h=h.Nk(),f.info.isAudio()&&(isNaN(c)||hxCa){H1=xCa;break a}}var yCa=I1.match("("+g.Mb(vCa).join("|")+")");H1=yCa?vCa[yCa[0]]:0}else H1=void 0}var lD=H1,kD=0<=lD;yC.prototype.canPlayType=function(a,b){var c=a.canPlayType?a.canPlayType(b):!1;or?c=c||zCa[b]:2.2===lD?c=c||ACa[b]:er()&&(c=c||BCa[b]);return!!c}; -yC.prototype.isTypeSupported=function(a){this.ea();return this.F?window.cast.receiver.platform.canDisplayType(a):oB(a)}; -yC.prototype.disableAv1=function(){this.K=!0}; -yC.prototype.ea=function(){}; -var ACa={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},BCa={"application/x-mpegURL":"maybe"},zCa={"application/x-mpegURL":"maybe"};CC.prototype.getLanguageInfo=function(){return this.u}; -CC.prototype.toString=function(){return this.u.name}; -CC.prototype.getLanguageInfo=CC.prototype.getLanguageInfo;DC.prototype.isLocked=function(){return this.C&&!!this.B&&this.B===this.u}; -DC.prototype.compose=function(a){if(a.C&&GC(a))return UD;if(a.C||GC(this))return a;if(this.C||GC(a))return this;var b=this.B&&a.B?Math.max(this.B,a.B):this.B||a.B,c=this.u&&a.u?Math.min(this.u,a.u):this.u||a.u;b=Math.min(b,c);return b===this.B&&c===this.u?this:new DC(b,c,!1,c===this.u?this.reason:a.reason)}; -DC.prototype.D=function(a){return a.video?IC(this,a.video.quality):!1}; -var CCa=FC("auto","hd1080",!1,"l"),vxa=FC("auto","large",!1,"l"),UD=FC("auto","auto",!1,"p");FC("small","auto",!1,"p");JC.prototype.nm=function(a){a=a||UD;for(var b=g.Ke(this.videoInfos,function(h){return a.D(h)}),c=[],d={},e=0;e'}; -g.k.supportsGaplessAudio=function(){return g.pB&&!or&&74<=br()||g.vC&&g.ae(68)?!0:!1}; -g.k.getPlayerType=function(){return this.deviceParams.cplayer}; -var wha=["www.youtube-nocookie.com","youtube.googleapis.com"];g.u(iE,g.O);g.u(oE,Aq);g.u(pE,Aq);var Kha=new Bq("aft-recorded",oE),aF=new Bq("timing-sent",pE);var J1=window,XE=J1.performance||J1.mozPerformance||J1.msPerformance||J1.webkitPerformance||new Jha;var BE=!1,Lha=(0,g.z)(XE.clearResourceTimings||XE.webkitClearResourceTimings||XE.mozClearResourceTimings||XE.msClearResourceTimings||XE.oClearResourceTimings||g.Ka,XE);var IE=g.v.ytLoggingLatencyUsageStats_||{};g.Fa("ytLoggingLatencyUsageStats_",IE,void 0);GE.prototype.tick=function(a,b,c){JE(this,"tick_"+a+"_"+b)||g.Nq("latencyActionTicked",{tickName:a,clientActionNonce:b},{timestamp:c})}; -GE.prototype.info=function(a,b){var c=Object.keys(a).join("");JE(this,"info_"+c+"_"+b)||(c=Object.assign({},a),c.clientActionNonce=b,g.Nq("latencyActionInfo",c))}; -GE.prototype.span=function(a,b){var c=Object.keys(a).join("");JE(this,"span_"+c+"_"+b)||(a.clientActionNonce=b,g.Nq("latencyActionSpan",a))};var K1={},QE=(K1.ad_to_ad="LATENCY_ACTION_AD_TO_AD",K1.ad_to_video="LATENCY_ACTION_AD_TO_VIDEO",K1.app_startup="LATENCY_ACTION_APP_STARTUP",K1["artist.analytics"]="LATENCY_ACTION_CREATOR_ARTIST_ANALYTICS",K1["artist.events"]="LATENCY_ACTION_CREATOR_ARTIST_CONCERTS",K1["artist.presskit"]="LATENCY_ACTION_CREATOR_ARTIST_PROFILE",K1.browse="LATENCY_ACTION_BROWSE",K1.channels="LATENCY_ACTION_CHANNELS",K1.creator_channel_dashboard="LATENCY_ACTION_CREATOR_CHANNEL_DASHBOARD",K1["channel.analytics"]="LATENCY_ACTION_CREATOR_CHANNEL_ANALYTICS", -K1["channel.comments"]="LATENCY_ACTION_CREATOR_CHANNEL_COMMENTS",K1["channel.content"]="LATENCY_ACTION_CREATOR_POST_LIST",K1["channel.copyright"]="LATENCY_ACTION_CREATOR_CHANNEL_COPYRIGHT",K1["channel.editing"]="LATENCY_ACTION_CREATOR_CHANNEL_EDITING",K1["channel.monetization"]="LATENCY_ACTION_CREATOR_CHANNEL_MONETIZATION",K1["channel.music"]="LATENCY_ACTION_CREATOR_CHANNEL_MUSIC",K1["channel.translations"]="LATENCY_ACTION_CREATOR_CHANNEL_TRANSLATIONS",K1["channel.videos"]="LATENCY_ACTION_CREATOR_CHANNEL_VIDEOS", -K1["channel.live_streaming"]="LATENCY_ACTION_CREATOR_LIVE_STREAMING",K1.chips="LATENCY_ACTION_CHIPS",K1["dialog.copyright_strikes"]="LATENCY_ACTION_CREATOR_DIALOG_COPYRIGHT_STRIKES",K1["dialog.uploads"]="LATENCY_ACTION_CREATOR_DIALOG_UPLOADS",K1.embed="LATENCY_ACTION_EMBED",K1.home="LATENCY_ACTION_HOME",K1.library="LATENCY_ACTION_LIBRARY",K1.live="LATENCY_ACTION_LIVE",K1.live_pagination="LATENCY_ACTION_LIVE_PAGINATION",K1.onboarding="LATENCY_ACTION_KIDS_ONBOARDING",K1.parent_profile_settings="LATENCY_ACTION_KIDS_PARENT_PROFILE_SETTINGS", -K1.parent_tools_collection="LATENCY_ACTION_PARENT_TOOLS_COLLECTION",K1.parent_tools_dashboard="LATENCY_ACTION_PARENT_TOOLS_DASHBOARD",K1.player_att="LATENCY_ACTION_PLAYER_ATTESTATION",K1["post.comments"]="LATENCY_ACTION_CREATOR_POST_COMMENTS",K1["post.edit"]="LATENCY_ACTION_CREATOR_POST_EDIT",K1.prebuffer="LATENCY_ACTION_PREBUFFER",K1.prefetch="LATENCY_ACTION_PREFETCH",K1.profile_settings="LATENCY_ACTION_KIDS_PROFILE_SETTINGS",K1.profile_switcher="LATENCY_ACTION_KIDS_PROFILE_SWITCHER",K1.results= -"LATENCY_ACTION_RESULTS",K1.search_ui="LATENCY_ACTION_SEARCH_UI",K1.search_zero_state="LATENCY_ACTION_SEARCH_ZERO_STATE",K1.secret_code="LATENCY_ACTION_KIDS_SECRET_CODE",K1.settings="LATENCY_ACTION_SETTINGS",K1.tenx="LATENCY_ACTION_TENX",K1.video_to_ad="LATENCY_ACTION_VIDEO_TO_AD",K1.watch="LATENCY_ACTION_WATCH",K1.watch_it_again="LATENCY_ACTION_KIDS_WATCH_IT_AGAIN",K1["watch,watch7"]="LATENCY_ACTION_WATCH",K1["watch,watch7_html5"]="LATENCY_ACTION_WATCH",K1["watch,watch7ad"]="LATENCY_ACTION_WATCH", -K1["watch,watch7ad_html5"]="LATENCY_ACTION_WATCH",K1.wn_comments="LATENCY_ACTION_LOAD_COMMENTS",K1.ww_rqs="LATENCY_ACTION_WHO_IS_WATCHING",K1["video.analytics"]="LATENCY_ACTION_CREATOR_VIDEO_ANALYTICS",K1["video.comments"]="LATENCY_ACTION_CREATOR_VIDEO_COMMENTS",K1["video.edit"]="LATENCY_ACTION_CREATOR_VIDEO_EDIT",K1["video.translations"]="LATENCY_ACTION_CREATOR_VIDEO_TRANSLATIONS",K1["video.video_editor"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR",K1["video.video_editor_async"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR_ASYNC", -K1["video.monetization"]="LATENCY_ACTION_CREATOR_VIDEO_MONETIZATION",K1.voice_assistant="LATENCY_ACTION_VOICE_ASSISTANT",K1.cast_load_by_entity_to_watch="LATENCY_ACTION_CAST_LOAD_BY_ENTITY_TO_WATCH",K1.networkless_performance="LATENCY_ACTION_NETWORKLESS_PERFORMANCE",K1),L1={},TE=(L1.ad_allowed="adTypesAllowed",L1.yt_abt="adBreakType",L1.ad_cpn="adClientPlaybackNonce",L1.ad_docid="adVideoId",L1.yt_ad_an="adNetworks",L1.ad_at="adType",L1.aida="appInstallDataAgeMs",L1.browse_id="browseId",L1.p="httpProtocol", -L1.t="transportProtocol",L1.cpn="clientPlaybackNonce",L1.ccs="creatorInfo.creatorCanaryState",L1.cseg="creatorInfo.creatorSegment",L1.csn="clientScreenNonce",L1.docid="videoId",L1.GetHome_rid="requestIds",L1.GetSearch_rid="requestIds",L1.GetPlayer_rid="requestIds",L1.GetWatchNext_rid="requestIds",L1.GetBrowse_rid="requestIds",L1.GetLibrary_rid="requestIds",L1.is_continuation="isContinuation",L1.is_nav="isNavigation",L1.b_p="kabukiInfo.browseParams",L1.is_prefetch="kabukiInfo.isPrefetch",L1.is_secondary_nav= -"kabukiInfo.isSecondaryNav",L1.prev_browse_id="kabukiInfo.prevBrowseId",L1.query_source="kabukiInfo.querySource",L1.voz_type="kabukiInfo.vozType",L1.yt_lt="loadType",L1.mver="creatorInfo.measurementVersion",L1.yt_ad="isMonetized",L1.nr="webInfo.navigationReason",L1.nrsu="navigationRequestedSameUrl",L1.ncnp="webInfo.nonPreloadedNodeCount",L1.pnt="performanceNavigationTiming",L1.prt="playbackRequiresTap",L1.plt="playerInfo.playbackType",L1.pis="playerInfo.playerInitializedState",L1.paused="playerInfo.isPausedOnLoad", -L1.yt_pt="playerType",L1.fmt="playerInfo.itag",L1.yt_pl="watchInfo.isPlaylist",L1.yt_pre="playerInfo.preloadType",L1.yt_ad_pr="prerollAllowed",L1.pa="previousAction",L1.yt_red="isRedSubscriber",L1.rce="mwebInfo.responseContentEncoding",L1.scrh="screenHeight",L1.scrw="screenWidth",L1.st="serverTimeMs",L1.ssdm="shellStartupDurationMs",L1.br_trs="tvInfo.bedrockTriggerState",L1.kebqat="kabukiInfo.earlyBrowseRequestInfo.abandonmentType",L1.kebqa="kabukiInfo.earlyBrowseRequestInfo.adopted",L1.label="tvInfo.label", -L1.is_mdx="tvInfo.isMdx",L1.preloaded="tvInfo.isPreloaded",L1.upg_player_vis="playerInfo.visibilityState",L1.query="unpluggedInfo.query",L1.upg_chip_ids_string="unpluggedInfo.upgChipIdsString",L1.yt_vst="videoStreamType",L1.vph="viewportHeight",L1.vpw="viewportWidth",L1.yt_vis="isVisible",L1.rcl="mwebInfo.responseContentLength",L1.GetSettings_rid="requestIds",L1.GetTrending_rid="requestIds",L1.GetMusicSearchSuggestions_rid="requestIds",L1.REQUEST_ID="requestIds",L1),Mha="isContinuation isNavigation kabukiInfo.earlyBrowseRequestInfo.adopted kabukiInfo.isPrefetch kabukiInfo.isSecondaryNav isMonetized navigationRequestedSameUrl performanceNavigationTiming playerInfo.isPausedOnLoad prerollAllowed isRedSubscriber tvInfo.isMdx tvInfo.isPreloaded isVisible watchInfo.isPlaylist playbackRequiresTap".split(" "), -M1={},UE=(M1.ccs="CANARY_STATE_",M1.mver="MEASUREMENT_VERSION_",M1.pis="PLAYER_INITIALIZED_STATE_",M1.yt_pt="LATENCY_PLAYER_",M1.pa="LATENCY_ACTION_",M1.yt_vst="VIDEO_STREAM_TYPE_",M1),Nha="all_vc ap aq c cver cbrand cmodel cplatform ctheme ei l_an l_mm plid srt yt_fss yt_li vpst vpni2 vpil2 icrc icrt pa GetAccountOverview_rid GetHistory_rid cmt d_vpct d_vpnfi d_vpni nsru pc pfa pfeh pftr pnc prerender psc rc start tcrt tcrc ssr vpr vps yt_abt yt_fn yt_fs yt_pft yt_pre yt_pt yt_pvis ytu_pvis yt_ref yt_sts tds".split(" ");var N1=window;N1.ytcsi&&(N1.ytcsi.info=OE,N1.ytcsi.tick=PE);bF.prototype.Ma=function(){this.tick("gv")}; -bF.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.N)()};cF.prototype.send=function(){g.qq(this.target,{format:"RAW",responseType:"arraybuffer",timeout:1E4,Zf:this.B,Bg:this.B,context:this});this.u=(0,g.N)()}; -cF.prototype.B=function(a){var b,c={rc:a.status,lb:(null===(b=a.response)||void 0===b?void 0:b.byteLength)||0,rt:(((0,g.N)()-this.u)/1E3).toFixed(3),shost:g.yd(this.target),trigger:this.trigger};204===a.status||a.response?this.C&&this.C(g.vB(c)):this.D(new uB("pathprobe.net",!1,c))};var O1={},dF=(O1.AD_MARKER="ytp-ad-progress",O1.CHAPTER_MARKER="ytp-chapter-marker",O1.TIME_MARKER="ytp-time-marker",O1);g.eF.prototype.getId=function(){return this.id}; -g.eF.prototype.toString=function(){return"CueRange{"+this.namespace+":"+this.id+"}["+fF(this.start)+", "+fF(this.end)+"]"}; -g.eF.prototype.contains=function(a,b){return a>=this.start&&(aa&&this.D.start()))}; -g.k.fk=function(){this.F=!0;if(!this.I){for(var a=3;this.F&&a;)this.F=!1,this.I=!0,this.UD(),this.I=!1,a--;this.K().Hb()&&(a=lF(this.u,this.C),!isNaN(a)&&0x7ffffffffffff>a&&(a=(a-this.C)/this.Y(),this.D.start(a)))}}; -g.k.UD=function(){if(this.started&&!this.na()){this.D.stop();var a=this.K();g.U(a,32)&&this.P.start();for(var b=g.U(this.K(),2)?0x8000000000000:1E3*this.X(),c=g.U(a,2),d=[],e=[],f=g.q(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(qF(this,e));f=e=null;c?(a=kF(this.u,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=Uha(this.u)):a=this.C<=b&&HM(a)?Tha(this.u,this.C,b):kF(this.u,b); -d=d.concat(pF(this,a));e&&(d=d.concat(qF(this,e)));f&&(d=d.concat(pF(this,f)));this.C=b;Vha(this,d)}}; -g.k.ca=function(){this.B=[];this.u.u=[];g.C.prototype.ca.call(this)}; -(function(a,b){if(yz&&b){var c={},d;for(d in b)b.hasOwnProperty(d)&&(c.Nw=a.prototype[d],c.Pw=b[d],a.prototype[d]=function(e){return function(f){for(var h=[],l=0;lb&&c.B.pop();a.D.length?a.B=g.db(g.db(a.D).info.u):a.C.B.length?a.B=Gy(a.C).info:a.B=jA(a);a.B&&bFCa.length)P1=void 0;else{var Q1=ECa.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);P1=Q1&&6==Q1.length?Number(Q1[5].replace("_",".")):0}var tJ=P1,UU=0<=tJ;UU&&0<=g.Vc.search("Safari")&&g.Vc.search("Version");var Ela={mW:1,EW:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var dZ=16/9,GCa=[.25,.5,.75,1,1.25,1.5,1.75,2],HCa=GCa.concat([3,4,5,6,7,8,9,10,15]);g.u(yH,g.C); -yH.prototype.initialize=function(a,b){for(var c=this,d=g.q(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.q(a[e.value]);for(var f=e.next();!f.done;f=e.next())if(f=f.value,f.Ud)for(var h=g.q(Object.keys(f.Ud)),l=h.next();!l.done;l=h.next())if(l=l.value,xC[l])for(var m=g.q(xC[l]),n=m.next();!n.done;n=m.next())n=n.value,this.B[n]=this.B[n]||new nC(l,n,f.Ud[l],this.experiments),this.D[l]=this.D[l]||{},this.D[l][f.mimeType]=!0}hr()&&(this.B["com.youtube.fairplay"]=new nC("fairplay","com.youtube.fairplay","", -this.experiments),this.D.fairplay={'video/mp4; codecs="avc1.4d400b"':!0,'audio/mp4; codecs="mp4a.40.5"':!0});this.u=fha(b,this.useCobaltWidevine,g.kB(this.experiments,"html5_hdcp_probing_stream_url")).filter(function(p){return!!c.B[p]})}; -yH.prototype.ea=function(){}; -yH.prototype.ba=function(a){return g.Q(this.experiments,a)};g.k=BH.prototype;g.k.Te=function(){return this.Oa}; -g.k.Yq=function(){return null}; -g.k.dD=function(){var a=this.Yq();return a?(a=g.Zp(a.u),Number(a.expire)):NaN}; -g.k.nA=function(){}; -g.k.Yb=function(){return this.Oa.Yb()}; -g.k.getHeight=function(){return this.Oa.Ma().height};g.u(GH,BH);GH.prototype.dD=function(){return this.expiration}; -GH.prototype.Yq=function(){if(!this.u||this.u.na()){var a=this.B;Iia(a);var b=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],c={};a:if(a.u)var d=a.u;else{d="";for(var e=g.q(a.C),f=e.next();!f.done;f=e.next())if(f=f.value,f.u){if(f.u.getIsDefault()){d=f.u.getId();break a}d||(d=f.u.getId())}}e=g.q(a.C);for(f=e.next();!f.done;f=e.next())f=f.value,f.u&&f.u.getId()!==d||(c[f.itag]=f);d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,f=c[e.B]){var h=b,l=h.push,m=a,n="#EXT-X-MEDIA:TYPE=AUDIO,",p="YES", -r="audio";if(f.u){r=f.u;var t=r.getId().split(".")[0];t&&(n+='LANGUAGE="'+t+'",');m.u||r.getIsDefault()||(p="NO");r=r.getName()}t="";null!==e&&(t=e.itag.toString());m=DH(m,f.url,t);n=n+('NAME="'+r+'",DEFAULT='+(p+',AUTOSELECT=YES,GROUP-ID="'))+(EH(f,e)+'",URI="'+(m+'"'));l.call(h,n)}d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,h=c[e.B])f=a,h="#EXT-X-STREAM-INF:BANDWIDTH="+(e.bitrate+h.bitrate)+',CODECS="'+(e.codecs+","+h.codecs+'",RESOLUTION=')+(e.width+"x"+e.height+',AUDIO="')+(EH(h, -e)+'",CLOSED-CAPTIONS=NONE'),1e)return!1;try{if(b&&e+1rcb){T3=rcb;break a}}var scb=U3.match("("+Object.keys(pcb).join("|")+")");T3=scb?pcb[scb[0]]:0}else T3=void 0}var jK=T3,iK=0<=jK;var wxa={RED:"red",F5a:"white"};var uxa={aea:"adunit",goa:"detailpage",Roa:"editpage",Zoa:"embedded",bpa:"embedded_unbranded",vCa:"leanback",pQa:"previewpage",fRa:"profilepage",iS:"unplugged",APa:"playlistoverview",rWa:"sponsorshipsoffer",HTa:"shortspage",Vva:"handlesclaiming",vxa:"immersivelivepage",wma:"creatormusic"};Lwa.prototype.ob=function(a){return"true"===this.flags[a]};var Mwa=Promise.resolve(),Pwa=window.queueMicrotask?window.queueMicrotask.bind(window):Nwa;tJ.prototype.canPlayType=function(a,b){a=a.canPlayType?a.canPlayType(b):!1;nB?a=a||tcb[b]:2.2===jK?a=a||ucb[b]:Xy()&&(a=a||vcb[b]);return!!a}; +tJ.prototype.isTypeSupported=function(a){return this.J?window.cast.receiver.platform.canDisplayType(a):fI(a)}; +var ucb={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},vcb={"application/x-mpegURL":"maybe"},tcb={"application/x-mpegURL":"maybe"};wJ.prototype.gf=function(){this.j=!1;if(this.queue.length&&!(this.u&&5>=this.queue.length&&15E3>(0,g.M)()-this.C)){var a=this.queue.shift(),b=a.url;a=a.options;a.timeout=1E4;g.Ly(b,a,3,1E3).then(this.B,this.B);this.u=!0;this.C=(0,g.M)();5this.j;)a[d++]^=c[this.j++];for(var e=b-(b-d)%16;db;b++)this.counter[b]=a[4*b]<<24|a[4*b+1]<<16|a[4*b+2]<<8|a[4*b+3];this.j=16};var FJ=!1;(function(){function a(d){for(var e=new Uint8Array(d.length),f=0;f=this.j&&(this.B=!0);for(;a--;)this.values[this.u]=b,this.u=(this.u+1)%this.j;this.D=!0}; +TJ.prototype.bj=function(){return this.J?(UJ(this,this.C-this.J)+UJ(this,this.C)+UJ(this,this.C+this.J))/3:UJ(this,this.C)};g.w(pxa,g.C);aK.prototype.then=function(a,b){return this.promise.then(a,b)}; +aK.prototype.resolve=function(a){this.u(a)}; +aK.prototype.reject=function(a){this.j(a)};var vxa="blogger gac books docs duo google-live google-one play shopping chat hangouts-meet photos-edu picasaweb gmail jamboard".split(" "),Bxa={Sia:"cbrand",bja:"cbr",cja:"cbrver",fya:"c",iya:"cver",hya:"ctheme",gya:"cplayer",mJa:"cmodel",cKa:"cnetwork",bOa:"cos",cOa:"cosver",POa:"cplatform"};g.w(vK,g.C);g.k=vK.prototype;g.k.K=function(a){return this.experiments.ob(a)}; +g.k.getVideoUrl=function(a,b,c,d,e,f,h){b={list:b};c&&(e?b.time_continue=c:b.t=c);c=g.zK(this);e="www.youtube.com"===c;f=f&&this.K("embeds_enable_shorts_links_for_eligible_shorts");h&&this.K("fill_live_watch_url_in_watch_endpoint")&&e?h="https://"+c+"/live/"+a:!f&&d&&e?h="https://youtu.be/"+a:g.mK(this)?(h="https://"+c+"/fire",b.v=a):(f&&e?(h=this.protocol+"://"+c+"/shorts/"+a,d&&(b.feature="share")):(h=this.protocol+"://"+c+"/watch",b.v=a),nB&&(a=Fna())&&(b.ebc=a));return g.Zi(h,b)}; +g.k.getVideoEmbedCode=function(a,b,c,d){b="https://"+g.zK(this)+"/embed/"+b;d&&(b=g.Zi(b,{list:d}));d=c.width;c=c.height;b=g.Me(b);a=g.Me(null!=a?a:"YouTube video player");return'')}; +g.k.supportsGaplessAudio=function(){return g.eI&&!nB&&74<=goa()||g.fJ&&g.Nc(68)?!0:!1}; +g.k.getPlayerType=function(){return this.j.cplayer}; +g.k.Rd=function(){return this.If}; +var Dxa=["www.youtube-nocookie.com","youtube.googleapis.com","www.youtubeeducation.com","youtubeeducation.com"],Axa=["EMBEDDED_PLAYER_LITE_MODE_UNKNOWN","EMBEDDED_PLAYER_LITE_MODE_NONE","EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT","EMBEDDED_PLAYER_LITE_MODE_DYNAMIC_PLAYBACK_LIMIT"];g.k=SK.prototype;g.k.rh=function(){return this.j}; +g.k.QA=function(){return null}; +g.k.sR=function(){var a=this.QA();return a?(a=g.sy(a.j),Number(a.expire)):NaN}; +g.k.ZO=function(){}; +g.k.getHeight=function(){return this.j.video.height};Exa.prototype.wf=function(){Hxa(this);var a=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],b={};a:if(this.j)var c=this.j;else{c="";for(var d=g.t(this.B),e=d.next();!e.done;e=d.next())if(e=e.value,e.Jc){if(e.Jc.getIsDefault()){c=e.Jc.getId();break a}c||(c=e.Jc.getId())}}d=g.t(this.B);for(var f=d.next();!f.done;f=d.next())if(e=f.value,this.I||!e.Jc||e.Jc.getId()===c)b[e.itag]||(b[e.itag]=[]),b[e.itag].push(e);c=g.t(this.u);for(e=c.next();!e.done;e=c.next())if(d=e.value,e=b[d.j])for(e=g.t(e),f=e.next();!f.done;f= +e.next()){var h=a,l=h.push;f=f.value;var m="#EXT-X-MEDIA:TYPE=AUDIO,",n="YES",p="audio";if(f.Jc){p=f.Jc;var q=p.getId().split(".")[0];q&&(m+='LANGUAGE="'+q+'",');(this.j?this.j===p.getId():p.getIsDefault())||(n="NO");p=p.getName()}q="";null!==d&&(q=d.itag.toString());q=UK(this,f.url,q);m=m+('NAME="'+p+'",DEFAULT='+(n+',AUTOSELECT=YES,GROUP-ID="'))+(Gxa(f,d)+'",URI="'+(q+'"'));l.call(h,m)}c=g.t(this.D);for(d=c.next();!d.done;d=c.next())d=d.value,e=ycb,d=(h=d.Jc)?'#EXT-X-MEDIA:URI="'+UK(this,d.url)+ +'",TYPE=SUBTITLES,GROUP-ID="'+e+'",LANGUAGE="'+h.getId()+'",NAME="'+h.getName()+'",DEFAULT=NO,AUTOSELECT=YES':void 0,d&&a.push(d);c=0=this.oz()&&this.dr();var b=Math.floor(a/(this.columns*this.rows)),c=this.columns*this.rows,d=a%c;a=d%this.columns;d=Math.floor(d/this.columns);var e=this.dr()+1-c*b;if(eh.getHeight())&&c.push(h)}return c}; -nI.prototype.F=function(a,b,c,d){return new g.mI(a,b,c,d)};g.u(pI,g.mI);g.k=pI.prototype;g.k.fy=function(){return this.B.fo()}; -g.k.dv=function(a){var b=this.rows*this.columns*this.I,c=this.B,d=c.Xb();a=c.Gh(a);return a>d-b?-1:a}; -g.k.dr=function(){return this.B.Xb()}; -g.k.oz=function(){return this.B.Eh()}; -g.k.SE=function(a){this.B=a};g.u(qI,nI);qI.prototype.B=function(a,b){return nI.prototype.B.call(this,"$N|"+a,b)}; -qI.prototype.F=function(a,b,c){return new pI(a,b,c,this.isLive)};g.u(g.rI,g.O);g.k=g.rI.prototype;g.k.nh=function(a,b,c){c&&(this.errorCode=null,this.errorDetail="",this.Ki=this.errorReason=null);b?(bD(a),this.setData(a),bJ(this)&&DI(this)):(a=a||{},this.ba("embeds_enable_updatedata_from_embeds_response_killswitch")||dJ(this,a),yI(this,a),uI(this,a),this.V("dataupdated"))}; -g.k.setData=function(a){a=a||{};var b=a.errordetail;null!=b&&(this.errorDetail=b);var c=a.errorcode;null!=c?this.errorCode=c:"fail"==a.status&&(this.errorCode="150");var d=a.reason;null!=d&&(this.errorReason=d);var e=a.subreason;null!=e&&(this.Ki=e);this.clientPlaybackNonce||(this.clientPlaybackNonce=a.cpn||this.Wx());this.Zi=R(this.Sa.Zi,a.livemonitor);dJ(this,a);var f=a.raw_player_response;if(!f){var h=a.player_response;h&&(f=JSON.parse(h))}f&&(this.playerResponse=f);if(this.playerResponse){var l= -this.playerResponse.annotations;if(l)for(var m=g.q(l),n=m.next();!n.done;n=m.next()){var p=n.value.playerAnnotationsUrlsRenderer;if(p){p.adsOnly&&(this.Ss=!0);p.allowInPlaceSwitch&&(this.bx=!0);var r=p.loadPolicy;r&&(this.annotationsLoadPolicy=ICa[r]);var t=p.invideoUrl;t&&(this.Mg=uw(t));this.ru=!0;break}}var w=this.playerResponse.attestation;w&&fI(this,w);var y=this.playerResponse.heartbeatParams;if(y){var x=y.heartbeatToken;x&&(this.drmSessionId=y.drmSessionId||"",this.heartbeatToken=x,this.GD= -Number(y.intervalMilliseconds),this.HD=Number(y.maxRetries),this.ID=!!y.softFailOnError,this.QD=!!y.useInnertubeHeartbeatsForDrm,this.Ds=!0)}var B=this.playerResponse.messages;B&&Wia(this,B);var E=this.playerResponse.multicamera;if(E){var G=E.playerLegacyMulticameraRenderer;if(G){var K=G.metadataList;K&&(this.rF=K,this.Vl=Yp(K))}}var H=this.playerResponse.overlay;if(H){var ya=H.playerControlsOverlayRenderer;if(ya){var ia=ya.controlBgHtml;null!=ia?(this.Gj=ia,this.qc=!0):(this.Gj="",this.qc=!1);if(ya.mutedAutoplay){var Oa= -ya.mutedAutoplay.playerMutedAutoplayOverlayRenderer;if(Oa&&Oa.endScreen){var Ra=Oa.endScreen.playerMutedAutoplayEndScreenRenderer;Ra&&Ra.text&&(this.tF=g.T(Ra.text))}}else this.mutedAutoplay=!1}}var Wa=this.playerResponse.playabilityStatus;if(Wa){var kc=Wa.backgroundability;kc&&kc.backgroundabilityRenderer.backgroundable&&(this.backgroundable=!0);var Yb=Wa.offlineability;Yb&&Yb.offlineabilityRenderer.offlineable&&(this.offlineable=!0);var Qe=Wa.contextParams;Qe&&(this.contextParams=Qe);var ue=Wa.pictureInPicture; -ue&&ue.pictureInPictureRenderer.playableInPip&&(this.pipable=!0);Wa.playableInEmbed&&(this.allowEmbed=!0);var lf=Wa.ypcClickwrap;if(lf){var Uf=lf.playerLegacyDesktopYpcClickwrapRenderer,Qc=lf.ypcRentalActivationRenderer;if(Uf)this.Bs=Uf.durationMessage||"",this.Bp=!0;else if(Qc){var kx=Qc.durationMessage;this.Bs=kx?g.T(kx):"";this.Bp=!0}}var Rd=Wa.errorScreen;if(Rd){if(Rd.playerLegacyDesktopYpcTrailerRenderer){var Hd=Rd.playerLegacyDesktopYpcTrailerRenderer;this.Jw=Hd.trailerVideoId||"";var lx=Rd.playerLegacyDesktopYpcTrailerRenderer.ypcTrailer; -var vi=lx&&lx.ypcTrailerRenderer}else if(Rd.playerLegacyDesktopYpcOfferRenderer)Hd=Rd.playerLegacyDesktopYpcOfferRenderer;else if(Rd.ypcTrailerRenderer){vi=Rd.ypcTrailerRenderer;var zr=vi.fullVideoMessage;this.Cs=zr?g.T(zr):""}Hd&&(this.Ew=Hd.itemTitle||"",Hd.itemUrl&&(this.Fw=Hd.itemUrl),Hd.itemBuyUrl&&(this.Cw=Hd.itemBuyUrl),this.Dw=Hd.itemThumbnail||"",this.Hw=Hd.offerHeadline||"",this.Es=Hd.offerDescription||"",this.Iw=Hd.offerId||"",this.Gw=Hd.offerButtonText||"",this.fB=Hd.offerButtonFormattedText|| -null,this.Fs=Hd.overlayDurationMsec||NaN,this.Cs=Hd.fullVideoMessage||"",this.un=!0);if(vi){var mx=vi.unserializedPlayerResponse;if(mx)this.Cp={raw_player_response:mx};else{var Ar=vi.playerVars;this.Cp=Ar?Xp(Ar):null}this.un=!0}}}var mf=this.playerResponse.playbackTracking;if(mf){var nx=a,Br=dI(mf.googleRemarketingUrl);Br&&(this.googleRemarketingUrl=Br);var ox=dI(mf.youtubeRemarketingUrl);ox&&(this.youtubeRemarketingUrl=ox);var Pn=dI(mf.ptrackingUrl);if(Pn){var Qn=eI(Pn),px=Qn.oid;px&&(this.zG=px); -var xh=Qn.pltype;xh&&(this.AG=xh);var qx=Qn.ptchn;qx&&(this.yG=qx);var Cr=Qn.ptk;Cr&&(this.Ev=encodeURIComponent(Cr))}var rx=dI(mf.ppvRemarketingUrl);rx&&(this.ppvRemarketingUrl=rx);var uE=dI(mf.qoeUrl);if(uE){for(var Rn=g.Zp(uE),Dr=g.q(Object.keys(Rn)),Er=Dr.next();!Er.done;Er=Dr.next()){var sx=Er.value,Sn=Rn[sx];Rn[sx]=Array.isArray(Sn)?Sn.join(","):Sn}var Tn=Rn.cat;Tn&&(this.Br=Tn);var Fr=Rn.live;Fr&&(this.dz=Fr)}var zc=dI(mf.remarketingUrl);if(zc){this.remarketingUrl=zc;var Ig=eI(zc);Ig.foc_id&& -(this.qd.focEnabled=!0);var Gr=Ig.data;Gr&&(this.qd.rmktEnabled=!0,Gr.engaged&&(this.qd.engaged="1"));this.qd.baseUrl=zd(zc)+vd(g.xd(5,zc))}var tx=dI(mf.videostatsPlaybackUrl);if(tx){var hd=eI(tx),ux=hd.adformat;ux&&(nx.adformat=ux);var vx=hd.aqi;vx&&(nx.ad_query_id=vx);var Hr=hd.autoplay;Hr&&(this.eh="1"==Hr);var Ir=hd.autonav;Ir&&(this.Kh="1"==Ir);var wx=hd.delay;wx&&(this.yh=g.rd(wx));var xx=hd.ei;xx&&(this.eventId=xx);"adunit"===hd.el&&(this.eh=!0);var yx=hd.feature;yx&&(this.Gr=yx);var Jr=hd.list; -Jr&&(this.playlistId=Jr);var Kr=hd.of;Kr&&(this.Mz=Kr);var vE=hd.osid;vE&&(this.osid=vE);var ml=hd.referrer;ml&&(this.referrer=ml);var Kj=hd.sdetail;Kj&&(this.Sv=Kj);var Lr=hd.ssrt;Lr&&(this.Ur="1"==Lr);var Mr=hd.subscribed;Mr&&(this.subscribed="1"==Mr,this.qd.subscribed=Mr);var zx=hd.uga;zx&&(this.userGenderAge=zx);var Ax=hd.upt;Ax&&(this.tw=Ax);var Bx=hd.vm;Bx&&(this.videoMetadata=Bx)}var wE=dI(mf.videostatsWatchtimeUrl);if(wE){var Re=eI(wE).ald;Re&&(this.Qs=Re)}var Un=this.ba("use_player_params_for_passing_desktop_conversion_urls"); -if(mf.promotedPlaybackTracking){var id=mf.promotedPlaybackTracking;id.startUrls&&(Un||(this.Mv=id.startUrls[0]),this.Nv=id.startUrls);id.firstQuartileUrls&&(Un||(this.Vz=id.firstQuartileUrls[0]),this.Wz=id.firstQuartileUrls);id.secondQuartileUrls&&(Un||(this.Xz=id.secondQuartileUrls[0]),this.Yz=id.secondQuartileUrls);id.thirdQuartileUrls&&(Un||(this.Zz=id.thirdQuartileUrls[0]),this.aA=id.thirdQuartileUrls);id.completeUrls&&(Un||(this.Tz=id.completeUrls[0]),this.Uz=id.completeUrls);id.engagedViewUrls&& -(1f.getHeight())&&c.push(f)}return c}; +WL.prototype.D=function(a,b,c,d){return new g.VL(a,b,c,d)};g.w(XL,g.VL);g.k=XL.prototype;g.k.NE=function(){return this.u.Fy()}; +g.k.OE=function(a){var b=this.rows*this.columns*this.I,c=this.u,d=c.td();a=c.uh(a);return a>d-b?-1:a}; +g.k.ix=function(){return this.u.td()}; +g.k.BJ=function(){return this.u.Lm()}; +g.k.tR=function(a){this.u=a};g.w(YL,WL);YL.prototype.u=function(a,b){return WL.prototype.u.call(this,"$N|"+a,b)}; +YL.prototype.D=function(a,b,c){return new XL(a,b,c,this.isLive)};g.w(g.$L,g.dE);g.k=g.$L.prototype;g.k.V=function(){return this.B}; +g.k.K=function(a){return this.B.K(a)}; +g.k.yh=function(){return!this.isLivePlayback||this.allowLiveDvr}; +g.k.hasSupportedAudio51Tracks=function(){var a;return!(null==(a=this.jm)||!a.Xb)}; +g.k.gW=function(){this.isDisposed()||(this.j.u||this.j.unsubscribe("refresh",this.gW,this),this.SS(-1))}; +g.k.SS=function(a){if(!this.isLivePlayback||!this.J||"fairplay"!=this.J.flavor){var b=Xva(this.j,this.dK);if(0=this.K&&(M(Error("durationMs was specified incorrectly with a value of: "+this.K)), -this.Ye());this.bd();this.J.addEventListener("progresssync",this.P)}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandonedreset")}; -g.k.bd=function(){var a=this.J.T();HK.prototype.bd.call(this);this.u=Math.floor(this.J.getCurrentTime());this.D=this.u+this.K/1E3;g.wD(a)?this.J.xa("onAdMessageChange",{renderer:this.C.u,startTimeSecs:this.u}):LK(this,[new iL(this.C.u)]);a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs;b&&g.Nq("adNotify",{clientScreenNonce:b,adMediaTimeSec:this.D, -timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)});if(this.I)for(this.R=!0,a=g.q(this.I.listeners),b=a.next();!b.done;b=a.next())if(b=b.value,b.B)if(b.u)S("Received AdNotify started event before another one exited");else{b.u=b.B;c=b.C();b=b.u;kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.cf(b)}else S("Received AdNotify started event without start requested event");g.U(g.uK(this.J,1),512)&& -(a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs,b&&g.Nq("adNotifyFailure",{clientScreenNonce:b,adMediaTimeSec:this.D,timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)}),this.Ye())}; -g.k.Ye=function(){HK.prototype.Ye.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.J.removeEventListener("progresssync",this.P);this.uh();this.V(a);lL(this)}; -g.k.dispose=function(){this.J.removeEventListener("progresssync",this.P);lL(this);HK.prototype.dispose.call(this)}; -g.k.uh=function(){g.wD(this.J.T())?this.J.xa("onAdMessageChange",{renderer:null,startTimeSecs:this.u}):HK.prototype.uh.call(this)};g.u(mL,BK);g.u(nL,HK);nL.prototype.je=function(){LK(this,[new mL(this.ad.u,this.macros)])}; -nL.prototype.If=function(a){yK(this.Ia,a)};g.u(oL,BK);g.u(pL,HK);pL.prototype.je=function(){var a=new oL(this.u.u,this.macros);LK(this,[a])};g.u(qL,BK);g.u(rL,HK);rL.prototype.je=function(){this.bd()}; -rL.prototype.bd=function(){LK(this,[new qL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -rL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(sL,BK);yL.prototype.sendAdsPing=function(a){this.F.send(a,CL(this),{})};g.u(EL,BK);g.u(FL,NK);FL.prototype.je=function(){PK(this)||this.Jl()}; -FL.prototype.Jl=function(){LK(this,[this.C])}; -FL.prototype.If=function(a){yK(this.Ia,a)};g.u(HL,g.O);HL.prototype.getProgressState=function(){return this.C}; -HL.prototype.start=function(){this.D=Date.now();GL(this,{current:this.u/1E3,duration:this.B/1E3});this.Za.start()}; -HL.prototype.stop=function(){this.Za.stop()};g.u(IL,BK);g.u(JL,HK);g.k=JL.prototype;g.k.je=function(){this.bd()}; -g.k.bd=function(){var a=this.D.u;g.wD(this.J.T())?(a=pma(this.I,a),this.J.xa("onAdInfoChange",a),this.K=Date.now(),this.u&&this.u.start()):LK(this,[new IL(a)]);HK.prototype.bd.call(this)}; -g.k.getDuration=function(){return this.D.B}; -g.k.Vk=function(){HK.prototype.Vk.call(this);this.u&&this.u.stop()}; -g.k.Nj=function(){HK.prototype.Nj.call(this);this.u&&this.u.start()}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -g.k.Wk=function(){HK.prototype.Wk.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.uh();this.V(a)}; -g.k.If=function(a){switch(a){case "skip-button":this.Wk();break;case "survey-submit":this.ac("adended")}}; -g.k.uh=function(){g.wD(this.J.T())?(this.u&&this.u.stop(),this.J.xa("onAdInfoChange",null)):HK.prototype.uh.call(this)};g.u(KL,BK);g.u(LL,HK);LL.prototype.je=function(){this.bd()}; -LL.prototype.bd=function(){LK(this,[new KL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -LL.prototype.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -LL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(ML,BK);g.u(NL,HK);g.k=NL.prototype;g.k.je=function(){0b&&RAa(this.J.app,d,b-a);return d}; -g.k.dispose=function(){dK(this.J)&&!this.daiEnabled&&this.J.stopVideo(2);aM(this,"adabandoned");HK.prototype.dispose.call(this)};fM.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.u[b];c?b=c:(c={Sn:null,nE:-Infinity},b=this.u[b]=c);c=a.startSecs+a.u/1E3;if(!(ctJ?.1:0,Zra=new yM;g.k=yM.prototype;g.k.Gs=null;g.k.getDuration=function(){return this.duration||0}; -g.k.getCurrentTime=function(){return this.currentTime||0}; -g.k.fi=function(){this.src&&(or&&0b.u.getCurrentTime(2,!1)&&!g.Q(b.u.T().experiments,"html5_dai_pseudogapless_seek_killswitch")))){c=b.B;if(c.Kq()){var d=g.Q(b.R.u.T().experiments,"html5_dai_enable_active_view_creating_completed_adblock");Al(c.K,d)}b.B.R.seek= -!0}0>FK(a,4)&&!(0>FK(a,2))&&(b=this.B.Ia,jK(b)||(lK(b)?vK(b,"resume"):pK(b,"resume")));!g.Q(this.J.T().experiments,"html5_dai_handle_suspended_state_killswitch")&&this.daiEnabled&&g.GK(a,512)&&!g.IM(a.state)&&vM(this.K)}}}; -g.k.Ra=function(){if(!this.daiEnabled)return!1;g.Q(this.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator handled video data change",void 0,void 0,{adCpn:(this.J.getVideoData(2)||{}).clientPlaybackNonce,contentCpn:(this.J.getVideoData(1)||{}).clientPlaybackNonce});return NM(this)}; -g.k.hn=function(){}; -g.k.resume=function(){this.B&&this.B.iA()}; -g.k.Jk=function(){this.B&&this.B.ac("adended")}; -g.k.Ii=function(){this.Jk()}; -g.k.fF=function(a){var b=this.Xc;b.C&&g.Q(b.u.T().experiments,"html5_bulleit_dai_publish_ad_ux_killswitch")||b.u.xa("onAdUxUpdate",a)}; -g.k.onAdUxClicked=function(a){this.B.If(a)}; -g.k.WC=function(){return 0}; -g.k.YC=function(){return 1}; -g.k.qw=function(a){this.daiEnabled&&this.u.R&&this.u.u.start<=a&&a=Math.abs(c-this.u.u.end/1E3)):c=!0;if(c&&!this.u.I.hasOwnProperty("ad_placement_end")){c=g.q(this.u.X);for(var d=c.next();!d.done;d=c.next())OM(d.value);this.u.I.ad_placement_end=!0}c=this.u.F;null!==c&&(qM(this.xh,{cueIdentifier:this.u.C&&this.u.C.identifier,driftRecoveryMs:c,CG:this.u.u.start,pE:SM(this)}),this.u.F=null);b||this.daiEnabled?wN(this.Xc, -!0):this.X&&this.uz()&&this.bl()?wN(this.Xc,!1,Ema(this)):wN(this.Xc,!1);PM(this,!0)}; -g.k.wy=function(a){AN(this.Xc,a)}; -g.k.Ut=function(){return this.F}; -g.k.isLiveStream=function(){return this.X}; -g.k.reset=function(){return new MM(this.Xc,this.J,this.K.reset(),this.u,this.xh,this.Tn,this.zk,this.daiEnabled)}; -g.k.ca=function(){g.fg(this.B);this.B=null;g.O.prototype.ca.call(this)};UM.prototype.create=function(a){return(a.B instanceof IJ?this.D:a.B instanceof iM?this.C:""===a.K?this.u:this.B)(a)};VM.prototype.clickCommand=function(a){var b=g.Rt();if(!a.clickTrackingParams||!b)return!1;$t(this.client,b,g.Lt(a.clickTrackingParams),void 0);return!0};g.u($M,g.O);g.k=$M.prototype;g.k.ir=function(){return this.u.u}; -g.k.kr=function(){return RJ(this.u)}; -g.k.uz=function(){return QJ(this.u)}; -g.k.Xi=function(){return!1}; -g.k.Ny=function(){return!1}; -g.k.no=function(){return!1}; -g.k.Jy=function(){return!1}; -g.k.pu=function(){return!1}; -g.k.Ty=function(){return!1}; -g.k.jr=function(){return!1}; +g.k.isDaiEnabled=function(){return!!(this.playerResponse&&this.playerResponse.playerConfig&&this.playerResponse.playerConfig.daiConfig&&this.playerResponse.playerConfig.daiConfig.enableDai)}; +g.k.lP=function(){return this.Uo||this.Vf}; +g.k.VD=function(){return this.ij||this.Vf}; +g.k.tK=function(){return fM(this,"html5_samsung_vp9_live")}; +g.k.useInnertubeDrmService=function(){return!0}; +g.k.xa=function(a,b,c){this.ma("ctmp",a,b,c)}; +g.k.IO=function(a,b,c){this.ma("ctmpstr",a,b,c)}; +g.k.hasProgressBarBoundaries=function(){return!(!this.progressBarStartPosition||!this.progressBarEndPosition)}; +g.k.qa=function(){g.dE.prototype.qa.call(this);this.uA=null;delete this.l1;delete this.accountLinkingConfig;delete this.j;this.C=this.QJ=this.playerResponse=this.jd=null;this.Jf=this.adaptiveFormats="";delete this.botguardData;this.ke=this.suggestions=this.Ow=null};bN.prototype.D=function(){return!1}; +bN.prototype.Ja=function(){return function(){return null}};var jN=null;g.w(iN,g.dE);iN.prototype.RB=function(a){return this.j.hasOwnProperty(a)?this.j[a].RB():{}}; +g.Fa("ytads.bulleit.getVideoMetadata",function(a){return kN().RB(a)}); +g.Fa("ytads.bulleit.triggerExternalActivityEvent",function(a,b,c){var d=kN();c=dAa(c);null!==c&&d.ma(c,{queryId:a,viewabilityString:b})});g.w(pN,bN);pN.prototype.isSkippable=function(){return null!=this.Aa}; +pN.prototype.Ce=function(){return this.T}; +pN.prototype.getVideoUrl=function(){return null}; +pN.prototype.D=function(){return!0};g.w(yN,bN);yN.prototype.D=function(){return!0}; +yN.prototype.Ja=function(){return function(){return g.kf("video-ads")}};$Aa.prototype.isPostroll=function(){return"AD_PLACEMENT_KIND_END"==this.j.j};var d5a={b$:"FINAL",eZ:"AD_BREAK_LENGTH",Kda:"AD_CPN",Rda:"AH",Vda:"AD_MT",Yda:"ASR",cea:"AW",mla:"NM",nla:"NX",ola:"NY",oZ:"CONN",fma:"CPN",Loa:"DV_VIEWABILITY",Hpa:"ERRORCODE",Qpa:"ERROR_MSG",Tpa:"EI",FZ:"GOOGLE_VIEWABILITY",mxa:"IAS_VIEWABILITY",tAa:"LACT",P0:"LIVE_TARGETING_CONTEXT",SFa:"I_X",TFa:"I_Y",gIa:"MT",uIa:"MIDROLL_POS",vIa:"MIDROLL_POS_MS",AIa:"MOAT_INIT",BIa:"MOAT_VIEWABILITY",X0:"P_H",sPa:"PV_H",tPa:"PV_W",Y0:"P_W",MPa:"TRIGGER_TYPE",tSa:"SDKV",f1:"SLOT_POS",ZYa:"SURVEY_LOCAL_TIME_EPOCH_S", +YYa:"SURVEY_ELAPSED_MS",t1:"VIS",Q3a:"VIEWABILITY",X3a:"VED",u1:"VOL",a4a:"WT",A1:"YT_ERROR_CODE"};var GBa=["FINAL","CPN","MIDROLL_POS","SDKV","SLOT_POS"];EN.prototype.send=function(a,b,c){try{HBa(this,a,b,c)}catch(d){}};g.w(FN,EN);FN.prototype.j=function(){return this.Dl?g.NK(this.Dl.V(),g.VM(this.Dl)):Oy("")}; +FN.prototype.B=function(){return this.Dl?this.Dl.V().pageId:""}; +FN.prototype.u=function(){return this.Dl?this.Dl.V().authUser:""}; +FN.prototype.K=function(a){return this.Dl?this.Dl.K(a):!1};var Icb=eaa(["attributionsrc"]); +JN.prototype.send=function(a,b,c){var d=!1;try{var e=new g.Bk(a);if("2"===e.u.get("ase"))g.DD(Error("Queries for attributionsrc label registration when sending pings.")),d=!0,a=HN(a);else if("1"===e.u.get("ase")&&"video_10s_engaged_view"===e.u.get("label")){var f=document.createElement("img");zga([new Yj(Icb[0].toLowerCase(),woa)],f,"attributionsrc",a+"&asr=1")}var h=a.match(Si);if("https"===h[1])var l=a;else h[1]="https",l=Qi("https",h[2],h[3],h[4],h[5],h[6],h[7]);var m=ala(l);h=[];yy(l)&&(h.push({headerType:"USER_AUTH"}), +h.push({headerType:"PLUS_PAGE_ID"}),h.push({headerType:"VISITOR_ID"}),h.push({headerType:"EOM_VISITOR_ID"}),h.push({headerType:"AUTH_USER"}));d&&h.push({headerType:"ATTRIBUTION_REPORTING_ELIGIBLE"});this.ou.send({baseUrl:l,scrubReferrer:m,headers:h},b,c)}catch(n){}};g.w(MBa,g.C);g.w(ZN,g.dE);g.k=ZN.prototype;g.k.RB=function(){return{}}; +g.k.sX=function(){}; +g.k.kh=function(a){this.Eu();this.ma(a)}; +g.k.Eu=function(){SBa(this,this.oa,3);this.oa=[]}; +g.k.getDuration=function(){return this.F.getDuration(2,!1)}; +g.k.iC=function(){var a=this.Za;KN(a)||!SN(a,"impression")&&!SN(a,"start")||SN(a,"abandon")||SN(a,"complete")||SN(a,"skip")||VN(a,"pause");this.B||(a=this.Za,KN(a)||!SN(a,"unmuted_impression")&&!SN(a,"unmuted_start")||SN(a,"unmuted_abandon")||SN(a,"unmuted_complete")||VN(a,"unmuted_pause"))}; +g.k.jC=function(){this.ya||this.J||this.Rm()}; +g.k.Ei=function(){NN(this.Za,this.getDuration());if(!this.B){var a=this.Za;this.getDuration();KN(a)||(PBa(a,0,!0),QBa(a,0,0,!0),MN(a,"unmuted_complete"))}}; +g.k.Ko=function(){var a=this.Za;!SN(a,"impression")||SN(a,"skip")||SN(a,"complete")||RN(a,"abandon");this.B||(a=this.Za,SN(a,"unmuted_impression")&&!SN(a,"unmuted_complete")&&RN(a,"unmuted_abandon"))}; +g.k.jM=function(){var a=this.Za;a.daiEnabled?MN(a,"skip"):!SN(a,"impression")||SN(a,"abandon")||SN(a,"complete")||MN(a,"skip")}; +g.k.Rm=function(){if(!this.J){var a=this.GB();this.Za.macros.AD_CPN=a;a=this.Za;if(a.daiEnabled){var b=a.u.getCurrentTime(2,!1);QN(a,"impression",b,0)}else MN(a,"impression");MN(a,"start");KN(a)||a.u.isFullscreen()&&RN(a,"fullscreen");this.J=!0;this.B=this.F.isMuted()||0==this.F.getVolume();this.B||(a=this.Za,MN(a,"unmuted_impression"),MN(a,"unmuted_start"),KN(a)||a.u.isFullscreen()&&RN(a,"unmuted_fullscreen"))}}; +g.k.Lo=function(a){a=a||"";var b="",c="",d="";cN(this.F)&&(b=this.F.Cb(2).state,this.F.qe()&&(c=this.F.qe().xj(),null!=this.F.qe().Ye()&&(d=this.F.qe().Ye())));var e=this.Za;e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d)));MN(e,"error");this.B||(e=this.Za,e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d))),MN(e,"unmuted_error"))}; +g.k.gh=function(){}; +g.k.cX=function(){this.ma("adactiveviewmeasurable")}; +g.k.dX=function(){this.ma("adfullyviewableaudiblehalfdurationimpression")}; +g.k.eX=function(){this.ma("adoverlaymeasurableimpression")}; +g.k.fX=function(){this.ma("adoverlayunviewableimpression")}; +g.k.gX=function(){this.ma("adoverlayviewableendofsessionimpression")}; +g.k.hX=function(){this.ma("adoverlayviewableimmediateimpression")}; +g.k.iX=function(){this.ma("adviewableimpression")}; +g.k.dispose=function(){this.isDisposed()||(this.Eu(),this.j.unsubscribe("adactiveviewmeasurable",this.cX,this),this.j.unsubscribe("adfullyviewableaudiblehalfdurationimpression",this.dX,this),this.j.unsubscribe("adoverlaymeasurableimpression",this.eX,this),this.j.unsubscribe("adoverlayunviewableimpression",this.fX,this),this.j.unsubscribe("adoverlayviewableendofsessionimpression",this.gX,this),this.j.unsubscribe("adoverlayviewableimmediateimpression",this.hX,this),this.j.unsubscribe("adviewableimpression", +this.iX,this),delete this.j.j[this.ad.J],g.dE.prototype.dispose.call(this))}; +g.k.GB=function(){var a=this.F.getVideoData(2);return a&&a.clientPlaybackNonce||""}; +g.k.rT=function(){return""};g.w($N,bN);g.w(aO,gN);g.w(bO,ZN);g.k=bO.prototype;g.k.PE=function(){0=this.T&&(g.CD(Error("durationMs was specified incorrectly with a value of: "+this.T)),this.Ei());this.Rm();this.F.addEventListener("progresssync",this.Z)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandonedreset",!0)}; +g.k.Rm=function(){var a=this.F.V();fF("apbs",void 0,"video_to_ad");ZN.prototype.Rm.call(this);this.C=a.K("disable_rounding_ad_notify")?this.F.getCurrentTime():Math.floor(this.F.getCurrentTime());this.D=this.C+this.T/1E3;g.tK(a)?this.F.Na("onAdMessageChange",{renderer:this.u.j,startTimeSecs:this.C}):TBa(this,[new hO(this.u.j)]);a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64;b&&g.rA("adNotify",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3* +this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:Number(c)});if(this.I){this.ea=!0;b=this.u.j;if(!gO(b)){g.DD(Error("adMessageRenderer is not augmented on ad started"));return}a=b.slot;b=b.layout;c=g.t(this.I.listeners);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=a,f=b;gCa(d.j(),e);j0(d.j(),e,f)}}g.S(this.F.Cb(1),512)&&(g.DD(Error("player stuck during adNotify")),a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64, +b&&g.rA("adNotifyFailure",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3*this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:c}),this.Ei())}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended",!0)}; +g.k.Lo=function(a){g.DD(new g.bA("Player error during adNotify.",{errorCode:a}));ZN.prototype.Lo.call(this,a);this.kh("aderror",!0)}; +g.k.kh=function(a,b){(void 0===b?0:b)||g.DD(Error("TerminateAd directly called from other class during adNotify."));this.F.removeEventListener("progresssync",this.Z);this.Eu();ZBa(this,a);"adended"===a||"aderror"===a?this.ma("adnotifyexitednormalorerror"):this.ma(a)}; +g.k.dispose=function(){this.F.removeEventListener("progresssync",this.Z);ZBa(this);ZN.prototype.dispose.call(this)}; +g.k.Eu=function(){g.tK(this.F.V())?this.F.Na("onAdMessageChange",{renderer:null,startTimeSecs:this.C}):ZN.prototype.Eu.call(this)};mO.prototype.sendAdsPing=function(a){this.B.send(a,$Ba(this),{})}; +mO.prototype.Hg=function(a){var b=this;if(a){var c=$Ba(this);Array.isArray(a)?a.forEach(function(d){return b.j.executeCommand(d,c)}):this.j.executeCommand(a,c)}};g.w(nO,ZN);g.k=nO.prototype;g.k.RB=function(){return{currentTime:this.F.getCurrentTime(2,!1),duration:this.u.u,isPlaying:bAa(this.F),isVpaid:!1,isYouTube:!0,volume:this.F.isMuted()?0:this.F.getVolume()/100}}; +g.k.PE=function(){var a=this.u.j.legacyInfoCardVastExtension,b=this.u.Ce();a&&b&&this.F.V().Aa.add(b,{jB:a});try{var c=this.u.j.sodarExtensionData;if(c&&c.siub&&c.bgub&&c.scs&&c.bgp)try{Yka(c.siub,c.scs,c.bgub,c.bgp)}catch(e){var d=g.Xd("//tpc.googlesyndication.com/sodar/%{path}");g.DD(new g.bA("Load Sodar Error.",d instanceof Vd,d.constructor===Vd,{Message:e.message,"Escaped injector basename":g.Me(c.siub),"BG vm basename":c.bgub}));if(d.constructor===Vd)throw e;}}catch(e){g.CD(e)}eN(this.F,!1); +a=iAa(this.u);b=this.F.V();a.iv_load_policy=b.u||g.tK(b)||g.FK(b)?3:1;b=this.F.getVideoData(1);b.Ki&&(a.ctrl=b.Ki);b.qj&&(a.ytr=b.qj);b.Kp&&(a.ytrcc=b.Kp);b.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,b.ek&&(a.vss_credentials_token_type=b.ek),b.mdxEnvironment&&(a.mdx_environment=b.mdxEnvironment));this.ma("adunstarted",-1);this.T?this.D.start():(this.F.cueVideoByPlayerVars(a,2),this.D.start(),this.F.playVideo(2))}; +g.k.iC=function(){ZN.prototype.iC.call(this);this.ma("adpause",2)}; +g.k.jC=function(){ZN.prototype.jC.call(this);this.ma("adplay",1)}; +g.k.Rm=function(){ZN.prototype.Rm.call(this);this.D.stop();this.ea.S(this.F,g.ZD("bltplayback"),this.Q_);var a=new g.XD(0x7ffffffffffff,0x8000000000000,{id:"bltcompletion",namespace:"bltplayback",priority:2});this.F.ye([a],2);a=rO(this);this.C.Ga=a;if(this.F.isMuted()){a=this.Za;var b=this.F.isMuted();a.daiEnabled||MN(a,b?"mute":"unmute")}this.ma("adplay",1);if(null!==this.I){a=null!==this.C.j.getVideoData(1)?this.C.j.getVideoData(1).clientPlaybackNonce:"";b=cCa(this);for(var c=this.u,d=bCa(this), +e=g.t(this.I.listeners),f=e.next();!f.done;f=e.next()){f=f.value;var h=b,l=c,m=d,n=[],p=l.Ce(),q=l.getVideoUrl();p&&n.push(new y_(p));q&&n.push(new v1a(q));(q=(p=l.j)&&p.playerOverlay&&p.playerOverlay.instreamAdPlayerOverlayRenderer)?(n.push(new A_(q)),(q=q.elementId)&&n.push(new E_(q))):GD("instreamVideoAdRenderer without instreamAdPlayerOverlayRenderer");(p=p&&p.playerUnderlay)&&n.push(new B_(p));l.j.adNextParams&&n.push(new p_(l.j.adNextParams||""));(p=l.Ga)&&n.push(new q_(p));(p=f.Va.get().vg(2))? +(n.push(new r_({channelId:p.bk,channelThumbnailUrl:p.profilePicture,channelTitle:p.author,videoTitle:p.title})),n.push(new s_(p.isListed))):GD("Expected meaningful PlaybackData on ad started.");n.push(new u_(l.B));n.push(new J_(l.u));n.push(new z_(a));n.push(new G_({current:this}));p=l.Qa;null!=p.kind&&n.push(new t_(p));(p=l.La)&&n.push(new V_(p));void 0!==m&&n.push(new W_(m));f.j?GD(f.j.layoutId===h?"Received repeat AD_START event.":"Received a new AD_START event before received AD_ENDED event."): +dCa(f,h,n,!0,l.j.adLayoutLoggingData)}}this.F.Na("onAdStart",rO(this));a=g.t(this.u.j.impressionCommands||[]);for(b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Q_=function(a){"bltcompletion"==a.getId()&&(this.F.Ff("bltplayback",2),NN(this.Za,this.getDuration()),qO(this,"adended"))}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended");for(var a=g.t(this.u.j.completeCommands||[]),b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandoned")}; +g.k.PH=function(){var a=this.Za;KN(a)||RN(a,"clickthrough");this.B||(a=this.Za,KN(a)||RN(a,"unmuted_clickthrough"))}; +g.k.gD=function(){this.jM()}; +g.k.jM=function(){ZN.prototype.jM.call(this);this.kh("adended")}; +g.k.Lo=function(a){ZN.prototype.Lo.call(this,a);this.kh("aderror")}; +g.k.kh=function(a){this.D.stop();eN(this.F,!0);"adabandoned"!=a&&this.F.Na("onAdComplete");qO(this,a);this.F.Na("onAdEnd",rO(this));this.ma(a)}; +g.k.Eu=function(){var a=this.F.V();g.tK(a)&&(g.FK(a)||a.K("enable_topsoil_wta_for_halftime")||a.K("enable_topsoil_wta_for_halftime_live_infra")||g.tK(a))?this.F.Na("onAdInfoChange",null):ZN.prototype.Eu.call(this)}; +g.k.sX=function(){this.s4&&this.F.playVideo()}; +g.k.s4=function(){return 2==this.F.getPlayerState(2)}; +g.k.rT=function(a,b){if(!Number.isFinite(a))return g.CD(Error("Playing the video after the current media has finished is not supported")),"";if(b<=a)return g.CD(Error("Start time is not earlier than end time")),"";var c=1E3*this.u.u,d=iAa(this.u);d=this.F.Kx(d,"",2,c,a,b);a+c>b&&this.F.jA(d,b-a);return d}; +g.k.dispose=function(){bAa(this.F)&&!this.T&&this.F.stopVideo(2);qO(this,"adabandoned");ZN.prototype.dispose.call(this)};sO.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.j[b];c?b=c:(c={oB:null,kV:-Infinity},b=this.j[b]=c);c=a.startSecs+a.j/1E3;if(!(cdM&&(a=Math.max(.1,a)),this.setCurrentTime(a))}; +g.k.Dn=function(){if(!this.u&&this.Wa)if(this.Wa.D)try{var a;yI(this,{l:"mer",sr:null==(a=this.va)?void 0:zI(a),rs:BI(this.Wa)});this.Wa.clear();this.u=this.Wa;this.Wa=void 0}catch(b){a=new g.bA("Error while clearing Media Source in MediaElement: "+b.name+", "+b.message),g.CD(a),this.stopVideo()}else this.stopVideo()}; +g.k.stopVideo=function(){var a=this,b;null==(b=this.Wa)||Hva(b);if(!this.u)if(Lcb){if(!this.C){var c=new aK;c.then(void 0,function(){}); +this.C=c;Mcb&&this.pause();g.Cy(function(){a.C===c&&(IO(a),c.resolve())},200)}}else IO(this)}; +g.k.Dy=function(){var a=this.Nh();return 0performance.now()?c-Date.now()+performance.now():c;c=this.u||this.Wa;if((null==c?0:c.Ol())||b<=((null==c?void 0:c.I)||0)){var d;yI(this,{l:"mede",sr:null==(d=this.va)?void 0:zI(d)});return!1}if(this.xM)return c&&"seeking"===a.type&&(c.I=performance.now(),this.xM=!1),!1}return this.D.dispatchEvent(a)}; +g.k.nL=function(){this.J=!1}; +g.k.lL=function(){this.J=!0;this.Sz(!0)}; +g.k.VS=function(){this.J&&!this.VF()&&this.Sz(!0)}; +g.k.equals=function(a){return!!a&&a.ub()===this.ub()}; +g.k.qa=function(){this.T&&this.removeEventListener("volumechange",this.VS);Lcb&&IO(this);g.C.prototype.qa.call(this)}; +var Lcb=!1,Mcb=!1,Kcb=!1,CCa=!1;g.k=g.KO.prototype;g.k.getData=function(){return this.j}; +g.k.bd=function(){return g.S(this,8)&&!g.S(this,512)&&!g.S(this,64)&&!g.S(this,2)}; +g.k.isCued=function(){return g.S(this,64)&&!g.S(this,8)&&!g.S(this,4)}; +g.k.isError=function(){return g.S(this,128)}; +g.k.isSuspended=function(){return g.S(this,512)}; +g.k.BC=function(){return g.S(this,64)&&g.S(this,4)}; +g.k.toString=function(){return"PSt."+this.state.toString(16)}; +var $3={},a4=($3.BUFFERING="buffering-mode",$3.CUED="cued-mode",$3.ENDED="ended-mode",$3.PAUSED="paused-mode",$3.PLAYING="playing-mode",$3.SEEKING="seeking-mode",$3.UNSTARTED="unstarted-mode",$3);g.w(VO,g.dE);g.k=VO.prototype;g.k.fv=function(){var a=this.u;return a.u instanceof pN||a.u instanceof yN||a.u instanceof qN}; +g.k.uJ=function(){return!1}; +g.k.iR=function(){return this.u.j}; +g.k.vJ=function(){return"AD_PLACEMENT_KIND_START"==this.u.j.j}; +g.k.jR=function(){return zN(this.u)}; +g.k.iU=function(a){if(!bE(a)){this.ea&&(this.Aa=this.F.isAtLiveHead(),this.ya=Math.ceil(g.Ra()/1E3));var b=new vO(this.wi);a=kCa(a);b.Ch(a)}this.kR()}; +g.k.XU=function(){return!0}; +g.k.DC=function(){return this.J instanceof pN}; +g.k.kR=function(){var a=this.wi;this.XU()&&(a.u&&YO(a,!1),a.u=this,this.fv()&&yEa(a));this.D.mI();this.QW()}; +g.k.QW=function(){this.J?this.RA(this.J):ZO(this)}; +g.k.onAdEnd=function(a,b){b=void 0===b?!1:b;this.Yl(0);ZO(this,b)}; +g.k.RV=function(){this.onAdEnd()}; +g.k.d5=function(){MN(this.j.Za,"active_view_measurable")}; +g.k.g5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_fully_viewable_audible_half_duration")}; +g.k.j5=function(){}; +g.k.k5=function(){}; +g.k.l5=function(){}; +g.k.m5=function(){}; +g.k.p5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_viewable")}; +g.k.e5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_audible")}; +g.k.f5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_measurable")}; +g.k.HT=function(){return this.DC()?[this.YF()]:[]}; +g.k.yd=function(a){if(null!==this.j){this.oa||(a=new g.WN(a.state,new g.KO),this.oa=!0);var b=a.state;if(g.YN(a,2))this.j.Ei();else{var c=a;(this.F.V().experiments.ob("html5_bulleit_handle_gained_playing_state")?c.state.bd()&&!c.Hv.bd():c.state.bd())?(this.D.bP(),this.j.jC()):b.isError()?this.j.Lo(b.getData().errorCode):g.YN(a,4)&&(this.Z||this.j.iC())}if(null!==this.j){if(g.YN(a,16)&&(b=this.j.Za,!(KN(b)||.5>b.u.getCurrentTime(2,!1)))){c=b.ad;if(c.D()){var d=b.C.F.V().K("html5_dai_enable_active_view_creating_completed_adblock"); +Wka(c.J,d)}b.ad.I.seek=!0}0>XN(a,4)&&!(0>XN(a,2))&&(b=this.j,c=b.Za,KN(c)||VN(c,"resume"),b.B||(b=b.Za,KN(b)||VN(b,"unmuted_resume")));this.daiEnabled&&g.YN(a,512)&&!g.TO(a.state)&&this.D.aA()}}}; +g.k.onVideoDataChange=function(){return this.daiEnabled?ECa(this):!1}; +g.k.resume=function(){this.j&&this.j.sX()}; +g.k.sy=function(){this.j&&this.j.kh("adended")}; +g.k.Sr=function(){this.sy()}; +g.k.Yl=function(a){this.wi.Yl(a)}; +g.k.R_=function(a){this.wi.j.Na("onAdUxUpdate",a)}; +g.k.onAdUxClicked=function(a){this.j.gh(a)}; +g.k.FT=function(){return 0}; +g.k.GT=function(){return 1}; +g.k.QP=function(a){this.daiEnabled&&this.u.I&&this.u.j.start<=a&&a=this.I?this.D.B:this.D.B.slice(this.I)).some(function(a){return a.Jf()})}; -g.k.lr=function(){return this.R instanceof OJ||this.R instanceof eL}; -g.k.bl=function(){return this.R instanceof EJ||this.R instanceof ZK}; -g.k.DG=function(){this.daiEnabled?cK(this.J)&&NM(this):cN(this)}; -g.k.je=function(a){var b=aN(a);this.R&&b&&this.P!==b&&(b?Ana(this.Xc):Cna(this.Xc),this.P=b);this.R=a;(g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_action")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_image")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_shopping"))&&xna(this.Xc,this);this.daiEnabled&&(this.I=this.D.B.findIndex(function(c){return c===a})); -MM.prototype.je.call(this,a)}; -g.k.Ik=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.C&&(g.fg(this.C),this.C=null);MM.prototype.Ik.call(this,a,b)}; -g.k.Ii=function(){this.I=this.D.B.length;this.C&&this.C.ac("adended");this.B&&this.B.ac("adended");this.Ik()}; -g.k.hn=function(){cN(this)}; -g.k.Jk=function(){this.Um()}; -g.k.lc=function(a){MM.prototype.lc.call(this,a);a=a.state;g.U(a,2)&&this.C?this.C.Ye():a.Hb()?(null==this.C&&(a=this.D.D)&&(this.C=this.zk.create(a,XJ(VJ(this.u)),this.u.u.u),this.C.subscribe("onAdUxUpdate",this.fF,this),JK(this.C)),this.C&&this.C.Nj()):a.isError()&&this.C&&this.C.Wd(a.getData().errorCode)}; -g.k.Um=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(AN(this.Xc,0),a?this.Ik(a,b):cN(this))}; -g.k.AF=function(){1==this.D.C?this.Ik():this.Um()}; -g.k.onAdUxClicked=function(a){MM.prototype.onAdUxClicked.call(this,a);this.C&&this.C.If(a)}; -g.k.Ut=function(){var a=0>=this.I?this.D.B:this.D.B.slice(this.I);return 0FK(a,16)&&(this.K.forEach(this.xv,this),this.K.clear())}; -g.k.YQ=function(a,b){if(this.C&&g.Q(this.u.T().experiments,"html5_dai_debug_bulleit_cue_range")){if(!this.B||this.B.Ra())for(var c=g.q(this.Ga),d=c.next();!d.done;d=c.next())d=d.value,d instanceof bN&&d.u.P[b.Hc]&&d.Tm()}else if(this.B&&this.B.Ra(),this.C){c=1E3*this.u.getCurrentTime(1);d=g.q(this.F.keys());for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.start<=c&&c=this.C?this.B.j:this.B.j.slice(this.C)).some(function(){return!0})}; +g.k.DC=function(){return this.I instanceof pN||this.I instanceof cO}; +g.k.QW=function(){this.daiEnabled?cN(this.F)&&ECa(this):HDa(this)}; +g.k.RA=function(a){var b=GDa(a);this.I&&b&&this.T!==b&&(b?yEa(this.wi):AEa(this.wi),this.T=b);this.I=a;this.daiEnabled&&(this.C=this.B.j.findIndex(function(c){return c===a})); +VO.prototype.RA.call(this,a)}; +g.k.dN=function(a){var b=this;VO.prototype.dN.call(this,a);a.subscribe("adnotifyexitednormalorerror",function(){return void ZO(b)})}; +g.k.Sr=function(){this.C=this.B.j.length;this.j&&this.j.kh("adended");ZO(this)}; +g.k.sy=function(){this.onAdEnd()}; +g.k.onAdEnd=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(this.Yl(0),a?ZO(this,b):HDa(this))}; +g.k.RV=function(){if(1==this.B.u)this.I instanceof dO&&g.DD(Error("AdNotify error with FailureMode.TERMINATING")),ZO(this);else this.onAdEnd()}; +g.k.YF=function(){var a=0>=this.C?this.B.j:this.B.j.slice(this.C);return 0XN(a,16)&&(this.J.forEach(this.IN,this),this.J.clear())}; +g.k.Q7=function(){if(this.u)this.u.onVideoDataChange()}; +g.k.T7=function(){if(cN(this.j)&&this.u){var a=this.j.getCurrentTime(2,!1),b=this.u;b.j&&UBa(b.j,a)}}; +g.k.b5=function(){this.Xa=!0;if(this.u){var a=this.u;a.j&&a.j.Ko()}}; +g.k.n5=function(a){if(this.u)this.u.onAdUxClicked(a)}; +g.k.U7=function(){if(2==this.j.getPresentingPlayerType()&&this.u){var a=this.u.j,b=a.Za,c=a.F.isMuted();b.daiEnabled||MN(b,c?"mute":"unmute");a.B||(b=a.F.isMuted(),MN(a.Za,b?"unmuted_mute":"unmuted_unmute"))}}; +g.k.a6=function(a){if(this.u){var b=this.u.j,c=b.Za;KN(c)||RN(c,a?"fullscreen":"end_fullscreen");b.B||(b=b.Za,KN(b)||RN(b,a?"unmuted_fullscreen":"unmuted_end_fullscreen"))}}; +g.k.Ch=function(a,b){GD("removeCueRanges called in AdService");this.j.Ch(a,b);a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,this.mu.delete(b),this.B.delete(b)}; +g.k.M9=function(){for(var a=[],b=g.t(this.mu),c=b.next();!c.done;c=b.next())c=c.value,bE(c)||a.push(c);this.j.WP(a,1)}; +g.k.Yl=function(a){this.j.Yl(a);switch(a){case 1:this.qG=1;break;case 0:this.qG=0}}; +g.k.qP=function(){var a=this.j.getVideoData(2);return a&&a.isListed&&!this.T?(GD("showInfoBarDuring Ad returns true"),!0):!1}; +g.k.sy=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAd"),this.u.sy())}; +g.k.Sr=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAdPlacement"),this.u.Sr())}; +g.k.yc=function(a){if(this.u){var b=this.u;b.j&&UBa(b.j,a)}}; +g.k.executeCommand=function(a,b,c){var d=this.tb,e=d.executeCommand;if(c=void 0===c?null:c){var f=!!this.u&&this.u||null;f?(f=f.j,c=f.ad.D()?ON(f.Za,c):{}):c={}}else c={};e.call(d,a,b,c)}; +g.k.isDaiEnabled=function(){return!1}; +g.k.DT=function(){return this.Aa}; +g.k.ET=function(){return this.Ja};g.w(WP,g.C);WP.prototype.append=function(a){if(!this.u)throw Error("This does not support the append operation");a=a.ub();this.ub().appendChild(a)}; +g.w(XP,WP);XP.prototype.ub=function(){return this.j};g.w(CEa,g.C);var qSa=16/9,Pcb=[.25,.5,.75,1,1.25,1.5,1.75,2],Qcb=Pcb.concat([3,4,5,6,7,8,9,10,15]);var EEa=1;g.w(g.ZP,g.C);g.k=g.ZP.prototype; +g.k.createElement=function(a,b){b=b||"svg"===a.G;var c=a.N,d=a.Ia;if(b){var e=document.createElementNS("http://www.w3.org/2000/svg",a.G);g.HK&&(a.X||(a.X={}),a.X.focusable="false")}else e=g.qf(a.G);if(c){if(c=$P(this,e,"class",c))aQ(this,e,"class",c),this.Pb[c]=e}else if(d){c=g.t(d);for(var f=c.next();!f.done;f=c.next())this.Pb[f.value]=e;aQ(this,e,"class",d.join(" "))}d=a.ra;c=a.W;if(d)b=$P(this,e,"child",d),void 0!==b&&e.appendChild(g.rf(b));else if(c)for(d=0,c=g.t(c),f=c.next();!f.done;f=c.next())if(f= +f.value)if("string"===typeof f)f=$P(this,e,"child",f),null!=f&&e.appendChild(g.rf(f));else if(f.element)e.appendChild(f.element);else{var h=f;f=this.createElement(h,b);e.appendChild(f);h.xc&&(h=YP(),f.id=h,f=document.createElementNS("http://www.w3.org/2000/svg","use"),f.setAttribute("class","ytp-svg-shadow"),f.setAttributeNS("http://www.w3.org/1999/xlink","href","#"+h),g.wf(e,f,d++))}if(a=a.X)for(b=e,d=g.t(Object.keys(a)),c=d.next();!c.done;c=d.next())c=c.value,f=a[c],aQ(this,b,c,"string"===typeof f? +$P(this,b,c,f):f);return e}; +g.k.Da=function(a){return this.Pb[a]}; +g.k.Ea=function(a,b){"number"===typeof b?g.wf(a,this.element,b):a.appendChild(this.element)}; +g.k.detach=function(){g.xf(this.element)}; +g.k.update=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.updateValue(c,a[c])}; +g.k.updateValue=function(a,b){(a=this.Nd["{{"+a+"}}"])&&aQ(this,a[0],a[1],b)}; +g.k.qa=function(){this.Pb={};this.Nd={};this.detach();g.C.prototype.qa.call(this)};g.w(g.U,g.ZP);g.k=g.U.prototype;g.k.ge=function(a,b){this.updateValue(b||"content",a)}; +g.k.show=function(){this.yb||(g.Hm(this.element,"display",""),this.yb=!0)}; +g.k.hide=function(){this.yb&&(g.Hm(this.element,"display","none"),this.yb=!1)}; +g.k.Zb=function(a){this.ea=a}; +g.k.Ra=function(a,b,c){return this.S(this.element,a,b,c)}; +g.k.S=function(a,b,c,d){c=(0,g.Oa)(c,d||this);d={target:a,type:b,listener:c};this.listeners.push(d);a.addEventListener(b,c);return d}; +g.k.Hc=function(a){var b=this;this.listeners.forEach(function(c,d){c===a&&(c=b.listeners.splice(d,1)[0],c.target.removeEventListener(c.type,c.listener))})}; +g.k.focus=function(){var a=this.element;Bf(a);a.focus()}; +g.k.qa=function(){for(;this.listeners.length;){var a=this.listeners.pop();a&&a.target.removeEventListener(a.type,a.listener)}g.ZP.prototype.qa.call(this)};g.w(g.dQ,g.U);g.dQ.prototype.subscribe=function(a,b,c){return this.La.subscribe(a,b,c)}; +g.dQ.prototype.unsubscribe=function(a,b,c){return this.La.unsubscribe(a,b,c)}; +g.dQ.prototype.Gh=function(a){return this.La.Gh(a)}; +g.dQ.prototype.ma=function(a){return this.La.ma.apply(this.La,[a].concat(g.u(g.ya.apply(1,arguments))))};var Rcb=new WeakSet;g.w(eQ,g.dQ);g.k=eQ.prototype;g.k.bind=function(a){this.Xa||a.renderer&&this.init(a.id,a.renderer,{},a);return Promise.resolve()}; +g.k.init=function(a,b,c){this.Xa=a;this.element.setAttribute("id",this.Xa);this.kb&&g.Qp(this.element,this.kb);this.T=b&&b.adRendererCommands;this.macros=c;this.I=b.trackingParams||null;null!=this.I&&this.Zf(this.element,this.I)}; g.k.clear=function(){}; -g.k.hide=function(){g.KN.prototype.hide.call(this);null!=this.K&&RN(this,this.element,!1)}; -g.k.show=function(){g.KN.prototype.show.call(this);if(!this.Zb){this.Zb=!0;var a=this.X&&this.X.impressionCommand;a&&Lna(this,a,null)}null!=this.K&&RN(this,this.element,!0)}; -g.k.onClick=function(a){if(this.K&&!RCa.has(a)){var b=this.element;g.PN(this.api,b)&&this.fb&&g.$T(this.api,b,this.u);RCa.add(a)}(a=this.X&&this.X.clickCommand)&&Lna(this,a,this.bD())}; -g.k.bD=function(){return null}; -g.k.yN=function(a){var b=this.aa;b.K=!0;b.B=a.touches.length;b.u.isActive()&&(b.u.stop(),b.F=!0);a=a.touches;b.I=Ina(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.R=Infinity,b.P=Infinity):(b.R=c.clientX,b.P=c.clientY);for(c=b.C.length=0;cMath.pow(5,2))b.D=!0}; -g.k.wN=function(a){if(this.aa){var b=this.aa,c=a.changedTouches;c&&b.K&&1==b.B&&!b.D&&!b.F&&!b.I&&Ina(b,c)&&(b.X=a,b.u.start());b.B=a.touches.length;0===b.B&&(b.K=!1,b.D=!1,b.C.length=0);b.F=!1}}; -g.k.ca=function(){this.clear(null);this.Mb(this.kb);for(var a=g.q(this.ha),b=a.next();!b.done;b=a.next())this.Mb(b.value);g.KN.prototype.ca.call(this)};g.u(TN,W);TN.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b=(a=b.thumbnail)&&SN(a)||"";g.pc(b)?(g.Q(this.api.T().experiments,"web_player_ad_image_error_rate_sampling_killswitch")||.01>Math.random())&&g.Fo(Error("Found AdImage without valid image URL")):(this.B?g.ug(this.element,"backgroundImage","url("+b+")"):ve(this.element,{src:b}),ve(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),this.show())}; -TN.prototype.clear=function(){this.hide()};g.u(fO,W); -fO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.B=b;if(null==b.text&&null==b.icon)g.Fo(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.I(this.element,a);null!=b.text&&(a=g.T(b.text),g.pc(a)||(this.element.setAttribute("aria-label",a),this.D=new g.KN({G:"span",L:"ytp-ad-button-text",Z:a}),g.D(this,this.D),this.D.ga(this.element)));null!=b.icon&&(b=eO(b.icon),null!= -b&&(this.C=new g.KN({G:"span",L:"ytp-ad-button-icon",S:[b]}),g.D(this,this.C)),this.F?g.Ie(this.element,this.C.element,0):this.C.ga(this.element))}}; -fO.prototype.clear=function(){this.hide()}; -fO.prototype.onClick=function(a){var b=this;W.prototype.onClick.call(this,a);boa(this).forEach(function(c){return b.Ha.executeCommand(c,b.macros)}); -this.api.onAdUxClicked(this.componentType,this.layoutId)};var apa={seekableStart:0,seekableEnd:1,current:0};g.u(gO,W);gO.prototype.clear=function(){this.dispose()};g.u(jO,gO);g.k=jO.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);g.ug(this.D,"stroke-dasharray","0 "+this.C);this.show()}; +g.k.hide=function(){g.dQ.prototype.hide.call(this);null!=this.I&&this.Ua(this.element,!1)}; +g.k.show=function(){g.dQ.prototype.show.call(this);if(!this.tb){this.tb=!0;var a=this.T&&this.T.impressionCommand;a&&this.WO(a)}null!=this.I&&this.Ua(this.element,!0)}; +g.k.onClick=function(a){if(this.I&&!Rcb.has(a)){var b=this.element;this.api.Dk(b)&&this.yb&&this.api.qb(b,this.interactionLoggingClientData);Rcb.add(a)}if(a=this.T&&this.T.clickCommand)a=this.bX(a),this.WO(a)}; +g.k.bX=function(a){return a}; +g.k.W_=function(a){var b=this.oa;b.J=!0;b.u=a.touches.length;b.j.isActive()&&(b.j.stop(),b.D=!0);a=a.touches;b.I=DEa(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.T=Infinity,b.ea=Infinity):(b.T=c.clientX,b.ea=c.clientY);for(c=b.B.length=0;cMath.pow(5,2))b.C=!0}; +g.k.U_=function(a){if(this.oa){var b=this.oa,c=a.changedTouches;c&&b.J&&1==b.u&&!b.C&&!b.D&&!b.I&&DEa(b,c)&&(b.Z=a,b.j.start());b.u=a.touches.length;0===b.u&&(b.J=!1,b.C=!1,b.B.length=0);b.D=!1}}; +g.k.WO=function(a){this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(new g.bA("There is undefined layoutId when calling the runCommand method.",{componentType:this.componentType}))}; +g.k.Zf=function(a,b){this.api.Zf(a,this);this.api.og(a,b)}; +g.k.Ua=function(a,b){this.api.Dk(a)&&this.api.Ua(a,b,this.interactionLoggingClientData)}; +g.k.qa=function(){this.clear(null);this.Hc(this.ib);for(var a=g.t(this.ya),b=a.next();!b.done;b=a.next())this.Hc(b.value);g.dQ.prototype.qa.call(this)};g.w(vQ,eQ); +vQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(null==b.text&&null==b.icon)g.DD(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.Qp(this.element,a);null!=b.text&&(a=g.gE(b.text),g.Tb(a)||(this.element.setAttribute("aria-label",a),this.B=new g.dQ({G:"span",N:"ytp-ad-button-text",ra:a}),g.E(this,this.B),this.B.Ea(this.element)));this.api.V().K("use_accessibility_data_on_desktop_player_button")&&b.accessibilityData&& +b.accessibilityData.accessibilityData&&b.accessibilityData.accessibilityData.label&&!g.Tb(b.accessibilityData.accessibilityData.label)&&this.element.setAttribute("aria-label",b.accessibilityData.accessibilityData.label);null!=b.icon&&(b=uQ(b.icon),null!=b&&(this.u=new g.dQ({G:"span",N:"ytp-ad-button-icon",W:[b]}),g.E(this,this.u)),this.C?g.wf(this.element,this.u.element,0):this.u.Ea(this.element))}}; +vQ.prototype.clear=function(){this.hide()}; +vQ.prototype.onClick=function(a){eQ.prototype.onClick.call(this,a);a=g.t(WEa(this));for(var b=a.next();!b.done;b=a.next())b=b.value,this.layoutId?this.rb.executeCommand(b,this.layoutId):g.CD(Error("Missing layoutId for button."));this.api.onAdUxClicked(this.componentType,this.layoutId)};g.w(wQ,g.C);wQ.prototype.qa=function(){this.u&&g.Fz(this.u);this.j.clear();xQ=null;g.C.prototype.qa.call(this)}; +wQ.prototype.register=function(a,b){b&&this.j.set(a,b)}; +var xQ=null;g.w(zQ,eQ); +zQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&g.K(b.button,g.mM)||null;null==b?g.CD(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),g.E(this,this.button),this.button.init(fN("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.gE(a)),this.button.Ea(this.element),this.D&&!g.Pp(this.button.element,"ytp-ad-clickable")&&g.Qp(this.button.element, +"ytp-ad-clickable"),a&&(this.u=new g.dQ({G:"div",N:"ytp-ad-hover-text-container"}),this.C&&(b=new g.dQ({G:"div",N:"ytp-ad-hover-text-callout"}),b.Ea(this.u.element),g.E(this,b)),g.E(this,this.u),this.u.Ea(this.element),b=yQ(a),g.wf(this.u.element,b,0)),this.show())}; +zQ.prototype.hide=function(){this.button&&this.button.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this)}; +zQ.prototype.show=function(){this.button&&this.button.show();eQ.prototype.show.call(this)};g.w(BQ,eQ); +BQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);c=(a=b.thumbnail)&&AQ(a)||"";g.Tb(c)?.01>Math.random()&&g.DD(Error("Found AdImage without valid image URL")):(this.j?g.Hm(this.element,"backgroundImage","url("+c+")"):lf(this.element,{src:c}),lf(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),b&&b.adRendererCommands&&b.adRendererCommands.clickCommand?this.element.classList.add("ytp-ad-clickable-element"):this.element.classList.remove("ytp-ad-clickable-element"),this.show())}; +BQ.prototype.clear=function(){this.hide()};g.w(CQ,eQ);g.k=CQ.prototype;g.k.hide=function(){eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.B=document.activeElement;eQ.prototype.show.call(this);this.C.focus()}; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?g.CD(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?g.CD(Error("ConfirmDialogRenderer.cancelLabel was not set.")):$Ea(this,b):g.CD(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; +g.k.clear=function(){g.Lz(this.j);this.hide()}; +g.k.FN=function(){this.hide()}; +g.k.CJ=function(){var a=this.u.cancelEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()}; +g.k.GN=function(){var a=this.u.confirmNavigationEndpoint||this.u.confirmEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()};g.w(DQ,eQ);g.k=DQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;if(null==b.defaultText&&null==b.defaultIcon)g.CD(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)g.CD(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.Qp(this.B,a)}a={};b.defaultText? +(c=g.gE(b.defaultText),g.Tb(c)||(a.buttonText=c,this.j.setAttribute("aria-label",c))):g.Tm(this.Aa,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.j.hasAttribute("aria-label")||this.Z.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=uQ(b.defaultIcon),this.updateValue("untoggledIconTemplateSpec",c),b.toggledIcon?(this.J=!0,c=uQ(b.toggledIcon),this.updateValue("toggledIconTemplateSpec",c)):(g.Tm(this.D,!0),g.Tm(this.C,!1)),g.Tm(this.j,!1)):g.Tm(this.Z,!1);g.hd(a)||this.update(a); +b.isToggled&&(g.Qp(this.B,"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));EQ(this);this.S(this.element,"change",this.uR);this.show()}}; +g.k.onClick=function(a){0a&&M(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ga&&g.I(this.C.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.ia=null==a||0===a?this.B.gF():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.D.init(AK("ad-text"),d,c);(d=this.api.getVideoData(1))&& -d.Vr&&b.thumbnail?this.I.init(AK("ad-image"),b.thumbnail,c):this.P.hide()}; +g.k.toggleButton=function(a){g.Up(this.B,"ytp-ad-toggle-button-toggled",a);this.j.checked=a;EQ(this)}; +g.k.isToggled=function(){return this.j.checked};g.w(FQ,Jz);FQ.prototype.I=function(a){if(Array.isArray(a)){a=g.t(a);for(var b=a.next();!b.done;b=a.next())b=b.value,b instanceof cE&&this.C(b)}};g.w(GQ,eQ);g.k=GQ.prototype;g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?g.CD(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.DD(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.DD(Error("AdFeedbackRenderer.title was not set.")),eFa(this,b)):g.CD(Error("AdFeedbackRenderer.reasons were not set."))}; +g.k.clear=function(){Hz(this.D);Hz(this.J);this.C.length=0;this.hide()}; +g.k.hide=function(){this.j&&this.j.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.j&&this.j.show();this.u&&this.u.show();this.B=document.activeElement;eQ.prototype.show.call(this);this.D.focus()}; +g.k.aW=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.ma("a");this.hide()}; +g.k.P7=function(){this.hide()}; +HQ.prototype.ub=function(){return this.j.element}; +HQ.prototype.isChecked=function(){return this.B.checked};g.w(IQ,CQ);IQ.prototype.FN=function(a){CQ.prototype.FN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.CJ=function(a){CQ.prototype.CJ.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.GN=function(a){CQ.prototype.GN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.ma("b")};g.w(JQ,eQ);g.k=JQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.D=b;if(null==b.dialogMessage&&null==b.title)g.CD(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.DD(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&g.K(b.closeOverlayRenderer,g.mM)||null)this.j=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"), +g.E(this,this.j),this.j.init(fN("button"),a,this.macros),this.j.Ea(this.element);b.title&&(a=g.gE(b.title),this.updateValue("title",a));if(b.adReasons)for(a=b.adReasons,c=0;ca&&g.CD(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ya&&g.Qp(this.u.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.Aa=null==a||0===a?this.j.Jl():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.B.init(fN("ad-text"),d,c);(d=this.api.getVideoData(1))&& +d.Zn&&b.thumbnail?this.C.init(fN("ad-image"),b.thumbnail,c):this.J.hide()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){this.C.hide();this.D.hide();this.I.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.show=function(){hO(this);this.C.show();this.D.show();this.I.show();gO.prototype.show.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.za&&a>=this.ia?(g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")||this.Y.hide(),this.za=!0,this.V("c")):this.D&&this.D.isTemplated()&&(a=Math.max(0,Math.ceil((this.ia-a)/1E3)),a!=this.Aa&&(lO(this.D,{TIME_REMAINING:String(a)}),this.Aa=a)))}};g.u(qO,g.C);g.k=qO.prototype;g.k.ca=function(){this.reset();g.C.prototype.ca.call(this)}; -g.k.reset=function(){g.ut(this.F);this.I=!1;this.u&&this.u.stop();this.D.stop();this.B&&(this.B=!1,this.K.play())}; -g.k.start=function(){this.reset();this.F.N(this.C,"mouseover",this.CN,this);this.F.N(this.C,"mouseout",this.BN,this);this.u?this.u.start():(this.I=this.B=!0,g.ug(this.C,{opacity:this.P}))}; -g.k.CN=function(){this.B&&(this.B=!1,this.K.play());this.D.stop();this.u&&this.u.stop()}; -g.k.BN=function(){this.I?this.D.start():this.u&&this.u.start()}; -g.k.WB=function(){this.B||(this.B=!0,this.R.play(),this.I=!0)};g.u(rO,gO);g.k=rO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);this.P=b;this.ia=coa(this);if(!b||g.Sb(b))M(Error("SkipButtonRenderer was not specified or empty."));else if(!b.message||g.Sb(b.message))M(Error("SkipButtonRenderer.message was not specified or empty."));else{a={iconType:"SKIP_NEXT"};b=eO(a);null==b?M(Error("Icon for SkipButton was unable to be retrieved. yt.innertube.Icon.IconType: "+a.iconType+".")):(this.I=new g.KN({G:"button",la:["ytp-ad-skip-button","ytp-button"],S:[{G:"span",L:"ytp-ad-skip-button-icon", -S:[b]}]}),g.D(this,this.I),this.I.ga(this.D.element),this.C=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-ad-skip-button-text"),this.C.init(AK("ad-text"),this.P.message,c),g.D(this,this.C),g.Ie(this.I.element,this.C.element,0));var d=void 0===d?null:d;c=this.api.T();!(0this.B&&(this.u=this.B,this.Za.stop(),a=!0);this.D={seekableStart:0,seekableEnd:this.B/1E3,current:this.u/1E3};this.F&&this.F.sc(this.D.current);this.V("b");a&&this.V("a")}; -g.k.getProgressState=function(){return this.D};g.u(tO,W);g.k=tO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&b.actionButton.buttonRenderer)if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)M(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!= -e&&0f)M(Error("timeoutSeconds was specified incorrectly in AdChoiceInterstitialRenderer with a value of: "+f));else if(b.completeCommands)if(b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer){foa(this,b.text);var m=goa(b.defaultButtonChoiceIndex);ioa(this,e,a,m)?(koa(this,b.completeCommands,c,f),b&&b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer&&loa(this,b.adDurationRemaining.timedPieCountdownRenderer, -c),b&&b.background&&(c=this.ka("ytp-ad-choice-interstitial"),eoa(c,b.background)),joa(this,a),this.show(),g.Q(this.api.T().experiments,"self_podding_default_button_focused")&&g.mm(function(){0===m?d.B&&d.B.focus():d.D&&d.D.focus()})):M(Error("AdChoiceInterstitialRenderer failed to initialize buttons."))}else M(Error("AdChoiceInterstitialRenderer requires a timed_pie_countdown_renderer.")); -else M(Error("timeoutSeconds was specified yet no completeCommands were specified"))}else M(Error("AdChoiceInterstitialRenderer should have two choices."));else M(Error("AdChoiceInterstitialRenderer has no title."))}; -uO.prototype.clear=function(){this.hide()};g.u(vO,W);g.k=vO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.text?(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a?M(Error("durationMilliseconds was specified incorrectly in AdTextInterstitialRenderer with a value of: "+a)):(this.B.init(AK("ad-text"),b.text,c),this.show())):M(Error("AdTextInterstitialRenderer has no message AdText."))}; +g.k.hide=function(){this.u.hide();this.B.hide();this.C.hide();PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);this.u.show();this.B.show();this.C.show();NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(null!=this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Ja&&a>=this.Aa?(this.Z.hide(),this.Ja=!0,this.ma("i")):this.B&&this.B.isTemplated()&&(a=Math.max(0,Math.ceil((this.Aa-a)/1E3)),a!=this.Qa&&(MQ(this.B,{TIME_REMAINING:String(a)}),this.Qa=a)))}};g.w(UQ,NQ);g.k=UQ.prototype; +g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if((a=b.actionButton&&g.K(b.actionButton,g.mM))&&a.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d)if(b.image&&b.image.thumbnail){var e=b.image.thumbnail.thumbnails;null!=e&&0=this.Aa&&(PQ(this),g.Sp(this.element,"ytp-flyout-cta-inactive"),this.u.element.removeAttribute("tabIndex"))}}; +g.k.Vv=function(){this.clear()}; +g.k.clear=function(){this.hide();this.api.removeEventListener("playerUnderlayVisibilityChange",this.wR.bind(this))}; +g.k.show=function(){this.u&&this.u.show();NQ.prototype.show.call(this)}; +g.k.hide=function(){this.u&&this.u.hide();NQ.prototype.hide.call(this)}; +g.k.wR=function(a){"hidden"==a?this.show():this.hide()};g.w(VQ,eQ);g.k=VQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(this.j.rectangle)for(a=this.j.likeButton&&g.K(this.j.likeButton,u3),b=this.j.dislikeButton&&g.K(this.j.dislikeButton,u3),this.B.init(fN("toggle-button"),a,c),this.u.init(fN("toggle-button"),b,c),this.S(this.element,"change",this.xR),this.C.show(100),this.show(),c=g.t(this.j&&this.j.impressionCommands||[]),a=c.next();!a.done;a=c.next())a=a.value,this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for instream user sentiment."))}; g.k.clear=function(){this.hide()}; -g.k.show=function(){moa(!0);W.prototype.show.call(this)}; -g.k.hide=function(){moa(!1);W.prototype.hide.call(this)}; -g.k.onClick=function(){};g.u(wO,g.C);wO.prototype.ca=function(){this.B&&g.dp(this.B);this.u.clear();xO=null;g.C.prototype.ca.call(this)}; -wO.prototype.register=function(a,b){b&&this.u.set(a,b)}; -var xO=null;g.u(zO,W); -zO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&b.button.buttonRenderer||null;null==b?M(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new fO(this.api,this.Ha,this.layoutId,this.u),g.D(this,this.button),this.button.init(AK("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.T(a)),this.button.ga(this.element),this.I&&!g.qn(this.button.element,"ytp-ad-clickable")&&g.I(this.button.element,"ytp-ad-clickable"), -a&&(this.C=new g.KN({G:"div",L:"ytp-ad-hover-text-container"}),this.F&&(b=new g.KN({G:"div",L:"ytp-ad-hover-text-callout"}),b.ga(this.C.element),g.D(this,b)),g.D(this,this.C),this.C.ga(this.element),b=yO(a),g.Ie(this.C.element,b,0)),this.show())}; -zO.prototype.hide=function(){this.button&&this.button.hide();this.C&&this.C.hide();W.prototype.hide.call(this)}; -zO.prototype.show=function(){this.button&&this.button.show();W.prototype.show.call(this)};g.u(AO,W);g.k=AO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?M(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.Fo(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.Fo(Error("AdFeedbackRenderer.title was not set.")),toa(this,b)):M(Error("AdFeedbackRenderer.reasons were not set."))}; -g.k.clear=function(){np(this.F);np(this.P);this.D.length=0;this.hide()}; -g.k.hide=function(){this.B&&this.B.hide();this.C&&this.C.hide();W.prototype.hide.call(this);this.I&&this.I.focus()}; -g.k.show=function(){this.B&&this.B.show();this.C&&this.C.show();this.I=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.kF=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.V("f");this.hide()}; -g.k.VQ=function(){this.hide()}; -BO.prototype.Pa=function(){return this.u.element}; -BO.prototype.isChecked=function(){return this.C.checked};g.u(CO,W);g.k=CO.prototype;g.k.hide=function(){W.prototype.hide.call(this);this.D&&this.D.focus()}; -g.k.show=function(){this.D=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?M(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?M(Error("ConfirmDialogRenderer.cancelLabel was not set.")):uoa(this,b):M(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; -g.k.clear=function(){g.ut(this.B);this.hide()}; -g.k.Bz=function(){this.hide()}; -g.k.vz=function(){var a=this.C.cancelEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()}; -g.k.Cz=function(){var a=this.C.confirmNavigationEndpoint||this.C.confirmEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()};g.u(DO,CO);DO.prototype.Bz=function(a){CO.prototype.Bz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.vz=function(a){CO.prototype.vz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.Cz=function(a){CO.prototype.Cz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.V("g")};g.u(EO,W);g.k=EO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.I=b;if(null==b.dialogMessage&&null==b.title)M(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.Fo(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&b.closeOverlayRenderer.buttonRenderer||null)this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"),g.D(this,this.B), -this.B.init(AK("button"),a,this.macros),this.B.ga(this.element);b.title&&(a=g.T(b.title),this.ya("title",a));if(b.adReasons)for(a=b.adReasons,c=0;c=a&&M(Error("durationMs was specified incorrectly in AdMessageRenderer with a value of: "+a));a=b.durationMs;this.I=null==a||0===a?0:a+1E3*this.B.getProgressState().current;if(b.text)var d=b.text.templatedAdText;else b.staticMessage&&(d=b.staticMessage);this.C.init(AK("ad-text"),d,c);this.C.ga(this.D.element);this.P.show(100);this.show()}; +g.k.hide=function(){this.B.hide();this.u.hide();eQ.prototype.hide.call(this)}; +g.k.show=function(){this.B.show();this.u.show();eQ.prototype.show.call(this)}; +g.k.xR=function(){jla(this.element,"ytp-ad-instream-user-sentiment-selected");this.j.postMessageAction&&this.api.Na("onYtShowToast",this.j.postMessageAction);this.C.hide()}; +g.k.onClick=function(a){0=this.J&&pFa(this,!0)};g.w($Q,vQ);$Q.prototype.init=function(a,b,c){vQ.prototype.init.call(this,a,b,c);a=!1;null!=b.text&&(a=g.gE(b.text),a=!g.Tb(a));a?null==b.navigationEndpoint?g.DD(Error("No visit advertiser clickthrough provided in renderer,")):"STYLE_UNKNOWN"!==b.style?g.DD(Error("Button style was not a link-style type in renderer,")):this.show():g.DD(Error("No visit advertiser text was present in the renderer."))};g.w(aR,eQ);aR.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.text;g.Tb(fQ(a))?g.DD(Error("SimpleAdBadgeRenderer has invalid or empty text")):(a&&a.text&&(b=a.text,this.j&&(b=this.api.V(),b=a.text+" "+(b&&b.u?"\u2022":"\u00b7")),b={text:b,isTemplated:a.isTemplated},a.style&&(b.style=a.style),a.targetId&&(b.targetId=a.targetId),a=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),a.init(fN("simple-ad-badge"),b,c),a.Ea(this.element),g.E(this,a)),this.show())}; +aR.prototype.clear=function(){this.hide()};g.w(bR,gN);g.w(cR,g.dE);g.k=cR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(a){this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:a.current};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(dR,g.dE);g.k=dR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.start=function(){this.j||(this.j=!0,this.timer.start())}; +g.k.stop=function(){this.j&&(this.j=!1,this.timer.stop())}; +g.k.yc=function(){this.Mi+=100;var a=!1;this.Mi>this.durationMs&&(this.Mi=this.durationMs,this.timer.stop(),a=!0);this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:this.Mi/1E3};this.xe&&this.xe.yc(this.u.current);this.ma("h");a&&this.ma("g")}; +g.k.getProgressState=function(){return this.u};g.w(gR,NQ);g.k=gR.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);var d;if(null==b?0:null==(d=b.templatedCountdown)?0:d.templatedAdText){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.DD(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.u=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb);this.u.init(fN("ad-text"),a,{});this.u.Ea(this.element);g.E(this,this.u)}this.show()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){Noa(this,!1);gO.prototype.hide.call(this);this.D.hide();this.C.hide();iO(this)}; -g.k.show=function(){Noa(this,!0);gO.prototype.show.call(this);hO(this);this.D.show();this.C.show()}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Y&&a>=this.I?(this.P.hide(),this.Y=!0):this.C&&this.C.isTemplated()&&(a=Math.max(0,Math.ceil((this.I-a)/1E3)),a!=this.ia&&(lO(this.C,{TIME_REMAINING:String(a)}),this.ia=a)))}};g.u(ZO,gO);g.k=ZO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);a=b&&b.preskipRenderer&&b.preskipRenderer.adPreviewRenderer||{};if(a=g.Sb(a)?null:a){this.I=null!=a.durationMilliseconds&&void 0!==a.durationMilliseconds?a.durationMilliseconds:5E3;var d="countdown_next_to_thumbnail"==g.kB(this.api.T().experiments,"preskip_button_style_ads_backend")&&uD(this.api.T());this.C=new oO(this.api,this.Ha,this.layoutId,this.u,this.B,d);this.C.init(AK("preskip-component"),a,c);pO(this.C);g.D(this,this.C);this.C.ga(this.element); -g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")&&this.C.subscribe("c",this.PP,this)}else b.skipOffsetMilliseconds&&(this.I=b.skipOffsetMilliseconds);b=b&&b.skippableRenderer&&b.skippableRenderer.skipButtonRenderer||{};b=g.Sb(b)?null:b;null==b?M(Error("SkipButtonRenderer was not set in player response.")):(this.D=new rO(this.api,this.Ha,this.layoutId,this.u,this.B),this.D.init(AK("skip-button"),b,c),g.D(this,this.D),this.D.ga(this.element),this.show())}; -g.k.show=function(){this.P&&this.D?this.D.show():this.C&&this.C.show();hO(this);gO.prototype.show.call(this)}; -g.k.bn=function(){}; -g.k.clear=function(){this.C&&this.C.clear();this.D&&this.D.clear();iO(this);gO.prototype.hide.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();this.D&&this.D.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.PP=function(){$O(this,!0)}; -g.k.Cl=function(){g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")?this.C||1E3*this.B.getProgressState().current>=this.I&&$O(this,!0):1E3*this.B.getProgressState().current>=this.I&&$O(this,!0)};g.u(aP,W);aP.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.skipAd&&(a=b.skipAd,a.skipAdRenderer&&(b=new ZO(this.api,this.Ha,this.layoutId,this.u,this.B),b.ga(this.C),b.init(AK("skip-button"),a.skipAdRenderer,this.macros),g.D(this,b)));this.show()};g.u(dP,gO);g.k=dP.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.templatedCountdown){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.Fo(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.C=new kO(this.api,this.Ha,this.layoutId,this.u);this.C.init(AK("ad-text"),a,{});this.C.ga(this.element);g.D(this,this.C)}this.show()}; -g.k.clear=function(){this.hide()}; -g.k.hide=function(){iO(this);gO.prototype.hide.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();if(null!=a&&null!=a.current&&this.C){a=(void 0!==this.D?this.D:this.B instanceof sO?a.seekableEnd:this.api.getDuration(2,!1))-a.current;var b=g.bP(a);lO(this.C,{FORMATTED_AD_DURATION_REMAINING:String(b),TIME_REMAINING:String(Math.ceil(a))})}}}; -g.k.show=function(){hO(this);gO.prototype.show.call(this)};g.u(eP,kO);eP.prototype.onClick=function(a){kO.prototype.onClick.call(this,a);this.api.onAdUxClicked(this.componentType)};g.u(fP,gO);g.k=fP.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.actionButton&&b.actionButton.buttonRenderer&&b.actionButton.buttonRenderer.navigationEndpoint){a=this.api.getVideoData(2);if(null!=a)if(b.image&&b.image.thumbnail){var d=b.image.thumbnail.thumbnails;null!=d&&0=this.ia&&(iO(this),g.sn(this.element,"ytp-flyout-cta-inactive"))}}; -g.k.bn=function(){this.clear()}; -g.k.clear=function(){this.hide()}; -g.k.show=function(){this.C&&this.C.show();gO.prototype.show.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();gO.prototype.hide.call(this)};g.u(gP,W);g.k=gP.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;if(null==b.defaultText&&null==b.defaultIcon)M(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)M(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.I(this.D,a)}a={};b.defaultText? -(c=g.T(b.defaultText),g.pc(c)||(a.buttonText=c,this.B.setAttribute("aria-label",c))):g.Mg(this.ia,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.B.hasAttribute("aria-label")||this.Y.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=eO(b.defaultIcon),this.ya("untoggledIconTemplateSpec",c),b.toggledIcon?(this.P=!0,c=eO(b.toggledIcon),this.ya("toggledIconTemplateSpec",c)):(g.Mg(this.I,!0),g.Mg(this.F,!1)),g.Mg(this.B,!1)):g.Mg(this.Y,!1);g.Sb(a)||this.update(a);b.isToggled&&(g.I(this.D, -"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));hP(this);this.N(this.element,"change",this.iF);this.show()}}; -g.k.onClick=function(a){0a)M(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&b.ctaButton.buttonRenderer)if(b.brandImage)if(b.backgroundImage&&b.backgroundImage.thumbnailLandscapePortraitRenderer&&b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape){Zoa(this.F,b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape);Zoa(this.P, -b.brandImage);g.Ne(this.Y,g.T(b.text));this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-survey-interstitial-action-button"]);g.D(this,this.B);this.B.ga(this.I);this.B.init(AK("button"),b.ctaButton.buttonRenderer,c);this.B.show();var e=b.timeoutCommands;this.D=new sO(1E3*a);this.D.subscribe("a",function(){d.C.hide();e.forEach(function(f){return d.Ha.executeCommand(f,c)}); -d.Ha.executeCommand({adLifecycleCommand:{action:"END_LINEAR_AD"}},c)}); -g.D(this,this.D);this.N(this.element,"click",function(f){return Yoa(d,f,b)}); -this.C.show(100);b.impressionCommands&&b.impressionCommands.forEach(function(f){return d.Ha.executeCommand(f,c)})}else M(Error("SurveyTextInterstitialRenderer has no landscape background image.")); -else M(Error("SurveyTextInterstitialRenderer has no brandImage."));else M(Error("SurveyTextInterstitialRenderer has no button."));else M(Error("SurveyTextInterstitialRenderer has no text."));else M(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; -zP.prototype.clear=function(){this.hide()}; -zP.prototype.show=function(){$oa(!0);W.prototype.show.call(this)}; -zP.prototype.hide=function(){$oa(!1);W.prototype.hide.call(this)};g.u(AP,g.O);g.k=AP.prototype;g.k.gF=function(){return 1E3*this.u.getDuration(this.C,!1)}; -g.k.stop=function(){this.D&&this.B.Mb(this.D)}; -g.k.hF=function(){var a=this.u.getProgressState(this.C);this.F={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:g.Q(this.u.T().experiments,"halftime_ux_killswitch")?a.current:this.u.getCurrentTime(this.C,!1)};this.V("b")}; -g.k.getProgressState=function(){return this.F}; -g.k.vN=function(a){g.GK(a,2)&&this.V("a")};var SCa="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.u(CP,BN); -CP.prototype.C=function(a){var b=a.id,c=a.content;if(c){var d=c.componentType;if(!SCa.includes(d))switch(a.actionType){case 1:a=this.K();var e=this.D,f=c.layoutId,h=c.u;h=void 0===h?{}:h;switch(d){case "invideo-overlay":a=new SO(e,a,f,h);break;case "persisting-overlay":a=new aP(e,a,f,h,new AP(e));break;case "player-overlay":a=new pP(e,a,f,h,new AP(e));break;case "survey":a=new yP(e,a,f,h);break;case "ad-action-interstitial":a=new tO(e,a,f,h);break;case "ad-text-interstitial":a=new vO(e,a,f,h);break; -case "survey-interstitial":a=new zP(e,a,f,h);break;case "ad-choice-interstitial":a=new uO(e,a,f,h);break;case "ad-message":a=new YO(e,a,f,h,new AP(e,1));break;default:a=null}if(!a){g.Fo(Error("No UI component returned from ComponentFactory for type: "+d));break}Ob(this.B,b)?g.Fo(Error("Ad UI component already registered: "+b)):this.B[b]=a;a.bind(c);this.F.append(a.Nb);break;case 2:b=bpa(this,a);if(null==b)break;b.bind(c);break;case 3:c=bpa(this,a),null!=c&&(g.fg(c),Ob(this.B,b)?(c=this.B,b in c&& -delete c[b]):g.Fo(Error("Ad UI component does not exist: "+b)))}}}; -CP.prototype.ca=function(){g.gg(Object.values(this.B));this.B={};BN.prototype.ca.call(this)};var TCa={V1:"replaceUrlMacros",XX:"isExternalShelfAllowedFor"};DP.prototype.Dh=function(){return"adLifecycleCommand"}; -DP.prototype.handle=function(a){var b=this;switch(a.action){case "START_LINEAR_AD":g.mm(function(){b.controller.hn()}); -break;case "END_LINEAR_AD":g.mm(function(){b.controller.Jk()}); -break;case "END_LINEAR_AD_PLACEMENT":g.mm(function(){b.controller.Ii()}); -break;case "FILL_INSTREAM_SLOT":g.mm(function(){a.elementId&&b.controller.Ct(a.elementId)}); -break;case "FILL_ABOVE_FEED_SLOT":g.mm(function(){a.elementId&&b.controller.kq(a.elementId)}); -break;case "CLEAR_ABOVE_FEED_SLOT":g.mm(function(){b.controller.Vp()})}}; -DP.prototype.Si=function(a){this.handle(a)};EP.prototype.Dh=function(){return"adPlayerControlsCommand"}; -EP.prototype.handle=function(a){var b=this.Xp();switch(a.action){case "AD_PLAYER_CONTROLS_ACTION_SEEK_TO_END":var c=cK(b.u)&&b.B.bl()?b.u.getDuration(2):0;if(0>=c)break;b.seekTo(g.ce(c-(Number(a.seekOffsetMilliseconds)||0)/1E3,0,c));break;case "AD_PLAYER_CONTROLS_ACTION_RESUME":b.resume()}}; -EP.prototype.Si=function(a){this.handle(a)};FP.prototype.Dh=function(){return"clearCueRangesCommand"}; -FP.prototype.handle=function(){var a=this.Xp();g.mm(function(){mM(a,Array.from(a.I))})}; -FP.prototype.Si=function(a){this.handle(a)};GP.prototype.Dh=function(){return"muteAdEndpoint"}; -GP.prototype.handle=function(a){dpa(this,a)}; -GP.prototype.Si=function(a,b){dpa(this,a,b)};HP.prototype.Dh=function(){return"openPopupAction"}; -HP.prototype.handle=function(){}; -HP.prototype.Si=function(a){this.handle(a)};IP.prototype.Dh=function(){return"pingingEndpoint"}; -IP.prototype.handle=function(){}; -IP.prototype.Si=function(a){this.handle(a)};JP.prototype.Dh=function(){return"urlEndpoint"}; -JP.prototype.handle=function(a,b){var c=g.en(a.url,b);g.RL(c)}; -JP.prototype.Si=function(){S("Trying to handle UrlEndpoint with no macro in controlflow")};KP.prototype.Dh=function(){return"adPingingEndpoint"}; -KP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;this.Ip.send(a,b,c)}; -KP.prototype.Si=function(a,b,c){Gqa(this.Fa.get(),a,b,void 0,c)};LP.prototype.Dh=function(){return"changeEngagementPanelVisibilityAction"}; -LP.prototype.handle=function(a){this.J.xa("changeEngagementPanelVisibility",{changeEngagementPanelVisibilityAction:a})}; -LP.prototype.Si=function(a){this.handle(a)};MP.prototype.Dh=function(){return"loggingUrls"}; -MP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,this.ci.send(d.baseUrl,b,c,d.headers)}; -MP.prototype.Si=function(a,b,c){a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,Gqa(this.Fa.get(),d.baseUrl,b,d.headers,c)};g.u(fpa,g.C);var upa=new Map([[0,"normal"],[1,"skipped"],[2,"muted"],[6,"user_input_submitted"]]);var npa=new Map([["opportunity_type_ad_break_service_response_received","OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED"],["opportunity_type_live_stream_break_signal","OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL"],["opportunity_type_player_bytes_media_layout_entered","OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED"],["opportunity_type_player_response_received","OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED"],["opportunity_type_throttled_ad_break_request_slot_reentry","OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY"]]), -jpa=new Map([["trigger_type_on_new_playback_after_content_video_id","TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID"],["trigger_type_on_different_slot_id_enter_requested","TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED"],["trigger_type_slot_id_entered","TRIGGER_TYPE_SLOT_ID_ENTERED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_scheduled","TRIGGER_TYPE_SLOT_ID_SCHEDULED"],["trigger_type_slot_id_fulfilled_empty", -"TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY"],["trigger_type_slot_id_fulfilled_non_empty","TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY"],["trigger_type_layout_id_entered","TRIGGER_TYPE_LAYOUT_ID_ENTERED"],["trigger_type_on_different_layout_id_entered","TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED"],["trigger_type_layout_id_exited","TRIGGER_TYPE_LAYOUT_ID_EXITED"],["trigger_type_layout_exited_for_reason","TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON"],["trigger_type_on_layout_self_exit_requested","TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED"], -["trigger_type_on_element_self_enter_requested","TRIGGER_TYPE_ON_SLOT_SELF_ENTER_REQUESTED"],["trigger_type_before_content_video_id_started","TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED"],["trigger_type_after_content_video_id_ended","TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED"],["trigger_type_media_time_range","TRIGGER_TYPE_MEDIA_TIME_RANGE"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED","TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED","TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED"], -["trigger_type_close_requested","TRIGGER_TYPE_CLOSE_REQUESTED"],["trigger_type_time_relative_to_layout_enter","TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER"],["trigger_type_not_in_media_time_range","TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE"],["trigger_type_survey_submitted","TRIGGER_TYPE_SURVEY_SUBMITTED"],["trigger_type_skip_requested","TRIGGER_TYPE_SKIP_REQUESTED"],["trigger_type_on_opportunity_received","TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED"],["trigger_type_layout_id_active_and_slot_id_has_exited", -"TRIGGER_TYPE_LAYOUT_ID_ACTIVE_AND_SLOT_ID_HAS_EXITED"],["trigger_type_playback_minimized","TRIGGER_TYPE_PLAYBACK_MINIMIZED"]]),mpa=new Map([[5,"TRIGGER_CATEGORY_SLOT_ENTRY"],[4,"TRIGGER_CATEGORY_SLOT_FULFILLMENT"],[3,"TRIGGER_CATEGORY_SLOT_EXPIRATION"],[0,"TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL"],[1,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"],[2,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"],[6,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED"]]),ipa=new Map([["unspecified","CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"], -["core","CONTROL_FLOW_MANAGER_LAYER_CORE"],["adapter","CONTROL_FLOW_MANAGER_LAYER_ADAPTER"],["surface","CONTROL_FLOW_MANAGER_LAYER_SURFACE"],["external","CONTROL_FLOW_MANAGER_LAYER_EXTERNAL"]]),gpa=new Map([["normal",{Lr:"ADS_CLIENT_EVENT_TYPE_NORMAL_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_NORMALLY"}],["skipped",{Lr:"ADS_CLIENT_EVENT_TYPE_SKIP_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_SKIP"}],["muted",{Lr:"ADS_CLIENT_EVENT_TYPE_MUTE_EXIT_LAYOUT_REQUESTED", -gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_MUTE"}],["abandoned",{Lr:"ADS_CLIENT_EVENT_TYPE_ABANDON_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_ABANDON"}],["user_input_submitted",{Lr:"ADS_CLIENT_EVENT_TYPE_USER_INPUT_SUBMITTED_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_USER_INPUT_SUBMITTED"}]]);g.u(UP,g.C);g.k=UP.prototype;g.k.Zg=function(a,b){IQ(this.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_RECEIVED",a,b,void 0);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.Zg(a,b)}; -g.k.cf=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",a);this.u.cf(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.cf(a);qpa(this,a)}}; -g.k.df=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",a);this.u.df(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.df(a);YP(this.u,a)&&ZP(this.u,a).F&&WP(this,a,!1)}}; -g.k.xd=function(a,b){if(YP(this.u,a)){$P(this.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",a,b);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.xd(a,b)}}; -g.k.yd=function(a,b,c){if(YP(this.u,a)){$P(this.Gb,hpa(c),a,b);this.u.yd(a,b);for(var d=g.q(this.B),e=d.next();!e.done;e=d.next())e.value.yd(a,b,c);(c=lQ(this.u,a))&&b.layoutId===c.layoutId&&Bpa(this,a,!1)}}; -g.k.Nf=function(a,b,c){S(c,a,b,void 0,c.Ul);WP(this,a,!0)}; -g.k.ca=function(){var a=Cpa(this.u);a=g.q(a);for(var b=a.next();!b.done;b=a.next())WP(this,b.value,!1);g.C.prototype.ca.call(this)};oQ.prototype.isActive=function(){switch(this.u){case "entered":case "rendering":case "rendering_stop_requested":case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Vy=function(){switch(this.D){case "fill_requested":return!0;default:return!1}}; -oQ.prototype.Uy=function(){switch(this.u){case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Qy=function(){switch(this.u){case "rendering_stop_requested":return!0;default:return!1}};g.u(aQ,Ya);g.u(pQ,g.C);g.k=pQ.prototype;g.k.Ag=function(a){a=ZP(this,a);"not_scheduled"!==a.u&&mQ(a.slot,a.u,"onSlotScheduled");a.u="scheduled"}; -g.k.lq=function(a){a=ZP(this,a);a.D="fill_requested";a.I.lq()}; -g.k.cf=function(a){a=ZP(this,a);"enter_requested"!==a.u&&mQ(a.slot,a.u,"onSlotEntered");a.u="entered"}; -g.k.Nn=function(a){ZP(this,a).Nn=!0}; -g.k.Vy=function(a){return ZP(this,a).Vy()}; -g.k.Uy=function(a){return ZP(this,a).Uy()}; -g.k.Qy=function(a){return ZP(this,a).Qy()}; -g.k.df=function(a){a=ZP(this,a);"exit_requested"!==a.u&&mQ(a.slot,a.u,"onSlotExited");a.u="scheduled"}; -g.k.yd=function(a,b){var c=ZP(this,a);null!=c.layout&&c.layout.layoutId===b.layoutId&&("rendering_stop_requested"!==c.u&&mQ(c.slot,c.u,"onLayoutExited"),c.u="entered")};g.u(Gpa,g.C);g.u(sQ,g.C);sQ.prototype.get=function(){this.na()&&S("Tried to retrieve object during dispose",void 0,void 0,{type:typeof this.u});this.u||(this.u=this.B());return this.u};g.u(HQ,g.C);g.u(LQ,g.C);LQ.prototype.Tu=function(){}; -LQ.prototype.gz=function(a){var b=this,c=this.u.get(a);c&&(this.u["delete"](a),this.Bb.get().removeCueRange(a),nG(this.tb.get(),"opportunity_type_throttled_ad_break_request_slot_reentry",function(){var d=b.ib.get();d=OQ(d.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST");return[Object.assign(Object.assign({},c),{slotId:d,hc:c.hc?vqa(c.slotId,d,c.hc):void 0,Me:wqa(c.slotId,d,c.Me),Af:wqa(c.slotId,d,c.Af)})]},c.slotId))}; -LQ.prototype.ej=function(){for(var a=g.q(this.u.keys()),b=a.next();!b.done;b=a.next())b=b.value,this.Bb.get().removeCueRange(b);this.u.clear()}; -LQ.prototype.Pm=function(){};g.u(MQ,g.C);g.k=MQ.prototype;g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(a,b){this.B.has(a)||this.B.set(a,new Set);this.B.get(a).add(b)}; -g.k.jj=function(a,b){this.u.has(a)&&this.u.get(a)===b&&S("Unscheduled a Layout that is currently entered.",a,b);if(this.B.has(a)){var c=this.B.get(a);c.has(b)?(c["delete"](b),0===c.size&&this.B["delete"](a)):S("Trying to unscheduled a Layout that was not scheduled.",a,b)}else S("Trying to unscheduled a Layout that was not scheduled.",a,b)}; -g.k.xd=function(a,b){this.u.set(a,b)}; -g.k.yd=function(a){this.u["delete"](a)}; -g.k.Zg=function(){};ZQ.prototype.clone=function(a){var b=this;return new ZQ(function(){return b.triggerId},a)};$Q.prototype.clone=function(a){var b=this;return new $Q(function(){return b.triggerId},a)};aR.prototype.clone=function(a){var b=this;return new aR(function(){return b.triggerId},a)};bR.prototype.clone=function(a){var b=this;return new bR(function(){return b.triggerId},a)};cR.prototype.clone=function(a){var b=this;return new cR(function(){return b.triggerId},a)};g.u(fR,g.C);fR.prototype.logEvent=function(a){IQ(this,a)};g.u(hR,g.C);hR.prototype.addListener=function(a){this.listeners.push(a)}; -hR.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -hR.prototype.B=function(){g.Q(this.Ca.get().J.T().experiments,"html5_mark_internal_abandon_in_pacf")&&this.u&&Aqa(this,this.u)};g.u(iR,g.C);iR.prototype.addCueRange=function(a,b,c,d,e,f,h){f=void 0===f?2:f;h=void 0===h?1:h;this.u.has(a)?S("Tried to register duplicate cue range",void 0,void 0,{CueRangeID:a}):(a=new Bqa(a,b,c,d,f),this.u.set(a.id,{Kd:a,listener:e,yp:h}),g.zN(this.J,[a],h))}; -iR.prototype.removeCueRange=function(a){var b=this.u.get(a);b?(this.J.app.Zo([b.Kd],b.yp),this.u["delete"](a)):S("Requested to remove unknown cue range",void 0,void 0,{CueRangeID:a})}; -iR.prototype.C=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.Tu(a.id)}; -iR.prototype.D=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.gz(a.id)}; -g.u(Bqa,g.eF);mR.prototype.C=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.BE()}; -mR.prototype.B=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.AE()}; -mR.prototype.D=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.CE()};g.u(oR,ZJ);oR.prototype.uf=function(){return this.u()}; -oR.prototype.B=function(){return this.C()};pR.prototype.Yf=function(){var a=this.J.dc();return a&&(a=a.Yf(1))?a:null};g.u(g.tR,rt);g.tR.prototype.N=function(a,b,c,d,e){return rt.prototype.N.call(this,a,b,c,d,e)};g.u(uR,g.C);g.k=uR.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.ZQ=function(a,b,c){var d=this.Vs(b,c);this.u=d;this.listeners.forEach(function(e){e.cG(d)}); -a=pG(this,1);a.clientPlaybackNonce!==this.contentCpn&&(this.contentCpn=a.clientPlaybackNonce,this.listeners.forEach(function(){}))}; -g.k.Vs=function(a,b){var c,d,e,f,h=a.author,l=a.clientPlaybackNonce,m=a.isListed,n=a.Hc,p=a.title,r=a.gg,t=a.nf,w=a.isMdxPlayback,y=a.Gg,x=a.mdxEnvironment,B=a.Kh,E=a.eh,G=a.videoId||"",K=a.lf||"",H=a.kg||"",ya=a.Cj||void 0;n=this.Sc.get().u.get(n)||{layoutId:null,slotId:null};var ia=this.J.getVideoData(1),Oa=ia.Wg(),Ra=ia.getPlayerResponse();ia=1E3*this.J.getDuration(b);var Wa=1E3*this.J.getDuration(1);Ra=(null===(d=null===(c=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===c?void 0:c.daiConfig)|| -void 0===d?void 0:d.enableDai)||(null===(f=null===(e=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===e?void 0:e.daiConfig)||void 0===f?void 0:f.enableServerStitchedDai)||!1;return Object.assign(Object.assign({},n),{videoId:G,author:h,clientPlaybackNonce:l,playbackDurationMs:ia,uC:Wa,daiEnabled:Ra,isListed:m,Wg:Oa,lf:K,title:p,kg:H,gg:r,nf:t,Cj:ya,isMdxPlayback:w,Gg:y,mdxEnvironment:x,Kh:B,eh:E})}; -g.k.ca=function(){this.listeners.length=0;this.u=null;g.C.prototype.ca.call(this)};g.u(vR,g.C);g.k=vR.prototype;g.k.ej=function(){var a=this;this.u=cb(function(){a.J.na()||a.J.Wc("ad",1)})}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.playVideo=function(){this.J.playVideo()}; -g.k.pauseVideo=function(){this.J.pauseVideo()}; -g.k.getVolume=function(){return this.J.getVolume()}; -g.k.isMuted=function(){return this.J.isMuted()}; -g.k.getPresentingPlayerType=function(){return this.J.getPresentingPlayerType()}; -g.k.getPlayerState=function(a){return this.J.getPlayerState(a)}; -g.k.isFullscreen=function(){return this.J.isFullscreen()}; -g.k.XP=function(){if(2===this.J.getPresentingPlayerType())for(var a=kQ(this,2,!1),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Io(a)}; -g.k.OP=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ko(a)}; -g.k.UL=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.yo(a)}; -g.k.VL=function(){for(var a=g.q(this.listeners),b=a.next();!b.done;b=a.next())b.value.zo()}; -g.k.kj=function(){for(var a=this.J.app.visibility.u,b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.kj(a)}; -g.k.Va=function(){for(var a=g.cG(this.J).getPlayerSize(),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ho(a)};g.u(Mqa,g.C);wR.prototype.executeCommand=function(a,b){pN(this.u(),a,b)};yR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH),Zp:X(a.slot.va,"metadata_type_cue_point")})},function(b){b=b.ph; -(!b.length||2<=b.length)&&S("Unexpected ad placement renderers length",a.slot,null,{length:b.length})})}; -yR.prototype.u=function(){Qqa(this.B)};zR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH)})})}; -zR.prototype.u=function(){Qqa(this.B)};KQ.prototype.lq=function(){rpa(this.callback,this.slot,X(this.slot.va,"metadata_type_fulfilled_layout"))}; -KQ.prototype.u=function(){XP(this.callback,this.slot,new gH("Got CancelSlotFulfilling request for "+this.slot.ab+" in DirectFulfillmentAdapter."))};g.u(AR,Rqa);AR.prototype.u=function(a,b){if(JQ(b,{Be:["metadata_type_ad_break_request_data","metadata_type_cue_point"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new yR(a,b,this.od,this.Cb,this.gb,this.Ca);if(JQ(b,{Be:["metadata_type_ad_break_request_data"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new zR(a,b,this.od,this.Cb,this.gb,this.Ca);throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in AdBreakRequestSlotFulfillmentAdapterFactory.");};g.u(BR,Rqa);BR.prototype.u=function(a,b){throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in DefaultFulfillmentAdapterFactory.");};g.k=Sqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var b=X(a.va,"metadata_type_ad_break_response_data");"SLOT_TYPE_AD_BREAK_REQUEST"===this.slot.ab?(this.callback.xd(this.slot,a),yia(this.u,this.slot,b)):S("Unexpected slot type in AdBreakResponseLayoutRenderingAdapter - this should never happen", -this.slot,a)}}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};DR.prototype.u=function(a,b,c,d){if(CR(d,{Be:["metadata_type_ad_break_response_data"],wg:["LAYOUT_TYPE_AD_BREAK_RESPONSE","LAYOUT_TYPE_THROTTLED_AD_BREAK_RESPONSE"]}))return new Sqa(a,c,d,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in AdBreakRequestLayoutRenderingAdapterFactory.");};g.k=Tqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.callback.xd(this.slot,a),LO(this.Ia,"impression"),OR(this.u,a.layoutId))}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};ER.prototype.u=function(a,b,c,d){if(CR(d,Uqa()))return new Tqa(a,c,d,this.Fa,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in ForecastingLayoutRenderingAdapterFactory.");};g.u(FR,g.O);g.k=FR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){this.u.get().addListener(this)}; -g.k.release=function(){this.u.get().removeListener(this);this.dispose()}; -g.k.Eq=function(){}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(a=this.u.get(),kra(a,this.wk,1))}; -g.k.jh=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var c=this.u.get();kra(c,this.wk,3);this.wk=[];this.callback.yd(this.slot,a,b)}}; -g.k.ca=function(){this.u.get().removeListener(this);g.O.prototype.ca.call(this)};g.u(IR,FR);g.k=IR.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_action_companion_ad_renderer",function(b,c,d,e,f){return new RK(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(JR,FR);JR.prototype.init=function(){FR.prototype.init.call(this);var a=X(this.layout.va,"metadata_type_instream_ad_player_overlay_renderer"),b={adsClientData:this.layout.td};this.wk.push(new VL(a,this.layout.layoutId,X(this.layout.va,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"),b))}; -JR.prototype.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -JR.prototype.If=function(a){a:{var b=this.Nd.get();var c=this.cj;b=g.q(b.u.values());for(var d=b.next();!d.done;d=b.next())if(d.value.layoutId===c){c=!0;break a}c=!1}if(c)switch(a){case "visit-advertiser":this.Fa.get().J.sendVideoStatsEngageEvent(3,void 0,2)}switch(a){case "ad-mute-confirm-dialog-close-button":case "ad-feedback-undo-mute-button":case "ad-info-dialog-close-button":this.B||(a=this.ua.get(),2===a.J.getPlayerState(2)&&a.J.playVideo());break;case "ad-info-icon-button":(this.B=2===this.ua.get().J.getPlayerState(2))|| -this.ua.get().pauseVideo();break;case "visit-advertiser":this.ua.get().pauseVideo();X(this.layout.va,"metadata_type_player_bytes_callback").dA();break;case "skip-button":a=X(this.layout.va,"metadata_type_player_bytes_callback"),a.Y&&a.pG()}}; -JR.prototype.ca=function(){FR.prototype.ca.call(this)};LR.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in OtherWebInPlayerLayoutRenderingAdapterFactory.");};g.u(MR,g.C);MR.prototype.startRendering=function(a){if(a.layoutId!==this.Vd().layoutId)this.callback.Nf(this.Ve(),a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.Vd().layoutId+("and LayoutType: "+this.Vd().layoutType)));else{var b=this.ua.get().J;g.xN(b.app,2);uM(this.Tc.get());this.IH(a)}}; -MR.prototype.jh=function(a,b){this.JH(a,b);g.yN(this.ua.get().J,2);this.Yc.get().J.cueVideoByPlayerVars({},2);var c=nR(this.ua.get(),1);g.U(c,4)&&!g.U(c,2)&&this.ua.get().playVideo()};g.u(NR,MR);g.k=NR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){if(1>=this.u.length)throw new gH("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b=b.value,b.init(),eQ(this.D,this.slot,b.Vd())}; -g.k.release=function(){for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b.value.release()}; -g.k.IH=function(){PR(this)}; -g.k.HQ=function(a,b){fQ(this.D,a,b)}; -g.k.JH=function(a,b){var c=this;if(this.B!==this.u.length-1){var d=this.u[this.B];d.jh(d.Vd(),b);this.C=function(){c.callback.yd(c.slot,c.layout,b)}}else this.callback.yd(this.slot,this.layout,b)}; -g.k.JQ=function(a,b,c){$L(this.D,a,b,c);this.C?this.C():PR(this)}; -g.k.IQ=function(a,b){$L(this.D,a,b,"error");this.C?this.C():PR(this)};g.u(TR,g.C);g.k=TR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=this;VP(this.me(),this);this.ua.get().addListener(this);var a=X(this.layout.va,"metadata_type_video_length_seconds");Dqa(this.jb.get(),this.layout.layoutId,a,this);rR(this.Fa.get(),this)}; -g.k.release=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=null;this.me().B["delete"](this);this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId);sR(this.Fa.get(),this);this.u&&this.Bb.get().removeCueRange(this.u);this.u=void 0;this.D.dispose()}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else if(DK(this.Dd.get(),1)){Zqa(this,!1);var b=X(a.va,"metadata_type_ad_video_id"),c=X(a.va,"metadata_type_legacy_info_card_vast_extension");b&&c&&this.Gd.get().J.T().K.add(b,{Up:c});(b=X(a.va,"metadata_type_sodar_extension_data"))&&Nqa(this.Bd.get(), -b);Lqa(this.ua.get(),!1);this.C(-1);this.B="rendering_start_requested";b=this.Yc.get();a=X(a.va,"metadata_type_player_vars");b.J.cueVideoByPlayerVars(a,2);this.D.start();this.Yc.get().J.playVideo(2)}else SR(this,"ui_unstable",new aQ("Failed to render media layout because ad ui unstable."))}; -g.k.xd=function(a,b){var c,d;if(b.layoutId===this.layout.layoutId){this.B="rendering";LO(this.Ia,"impression");LO(this.Ia,"start");this.ua.get().isMuted()&&KO(this.Ia,"mute");this.ua.get().isFullscreen()&&KO(this.Ia,"fullscreen");this.D.stop();this.u="adcompletioncuerange:"+this.layout.layoutId;this.Bb.get().addCueRange(this.u,0x7ffffffffffff,0x8000000000000,!1,this,1,2);(this.adCpn=(null===(c=pG(this.Da.get(),2))||void 0===c?void 0:c.clientPlaybackNonce)||"")||S("Media layout confirmed started, but ad CPN not set."); -xM(this.Tc.get());this.C(1);this.ld.get().u("onAdStart",this.adCpn);var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.impressionCommands)||[],f=this.oc.get(),h=this.layout.layoutId;nN(f.u(),e,h)}}; -g.k.dA=function(){KO(this.Ia,"clickthrough")}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.B="rendering_stop_requested",this.F=b,this.D.stop(),Lqa(this.ua.get(),!0))}; -g.k.Tu=function(a){a!==this.u?S("Received CueRangeEnter signal for unknown layout.",this.slot,this.layout,{cueRangeId:a}):(this.Bb.get().removeCueRange(this.u),this.u=void 0,a=X(this.layout.va,"metadata_type_video_length_seconds"),Yqa(this,a,!0),LO(this.Ia,"complete"))}; -g.k.yd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.B="not_rendering",this.F=void 0,wM(this.Tc.get()),Zqa(this,!0),"abandoned"!==c&&this.ld.get().u("onAdComplete"),this.ld.get().u("onAdEnd",this.adCpn),this.C(0),c){case "abandoned":var d;LO(this.Ia,"abandon");var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.onAbandonCommands)||[];d=this.oc.get();a=this.layout.layoutId;nN(d.u(),e,a);break;case "normal":LO(this.Ia,"complete");d= -(null===(e=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===e?void 0:e.completeCommands)||[];e=this.oc.get();a=this.layout.layoutId;nN(e.u(),d,a);break;case "skipped":LO(this.Ia,"skip")}}; -g.k.tq=function(){return this.layout.layoutId}; -g.k.Xx=function(){return this.R}; -g.k.gz=function(){}; -g.k.Io=function(a){Yqa(this,a)}; -g.k.Ko=function(a){var b,c;if("not_rendering"!==this.B){this.I||(a=new g.EK(a.state,new g.AM),this.I=!0);var d=2===this.ua.get().getPresentingPlayerType();"rendering_start_requested"===this.B?d&&QR(a)&&this.callback.xd(this.slot,this.layout):g.GK(a,2)||!d?this.K():(QR(a)?this.C(1):a.state.isError()?SR(this,null===(b=a.state.getData())||void 0===b?void 0:b.errorCode,new aQ("There was a player error during this media layout.",{playerErrorCode:null===(c=a.state.getData())||void 0===c?void 0:c.errorCode})): -g.GK(a,4)&&!g.GK(a,2)&&(KO(this.Ia,"pause"),this.C(2)),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"))}}; -g.k.BE=function(){LO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){LO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){LO(this.Ia,"active_view_viewable")}; -g.k.yo=function(a){2===this.ua.get().getPresentingPlayerType()&&(a?KO(this.Ia,"fullscreen"):KO(this.Ia,"end_fullscreen"))}; -g.k.zo=function(){2===this.ua.get().getPresentingPlayerType()&&KO(this.Ia,this.ua.get().isMuted()?"mute":"unmute")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){};g.u(UR,MR);g.k=UR.prototype;g.k.Ve=function(){return this.u.Ve()}; -g.k.Vd=function(){return this.u.Vd()}; -g.k.init=function(){this.u.init()}; -g.k.release=function(){this.u.release()}; -g.k.IH=function(a){this.u.startRendering(a)}; -g.k.JH=function(a,b){this.u.jh(a,b)};VR.prototype.u=function(a,b,c,d){if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb,this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.u(WR,g.C);g.k=WR.prototype;g.k.xd=function(a,b){var c=this;if(bra(this)&&"LAYOUT_TYPE_MEDIA"===b.layoutType&&NP(b,this.C)){var d=pG(this.Da.get(),2),e=this.u(b,d);e?nG(this.tb.get(),"opportunity_type_player_bytes_media_layout_entered",function(){return[xqa(c.ib.get(),e.contentCpn,e.pw,function(f){return c.B(f.slotId,"core",e,SP(c.gb.get(),f))},e.MD)]}):S("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.yd=function(){};var HS=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=dra.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot)}; -g.k.release=function(){};ZR.prototype.u=function(a,b){return new dra(a,b)};g.k=era.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing")}; -g.k.release=function(){};g.k=fra.prototype;g.k.init=function(){lH(this.slot)&&(this.u=!0)}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.I(a.J.getRootNode(),"ad-interrupting");this.callback.cf(this.slot)}; -g.k.Qx=function(){gra(this);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.sn(a.J.getRootNode(),"ad-interrupting");this.callback.df(this.slot)}; -g.k.release=function(){gra(this)};$R.prototype.u=function(a,b){if(eH(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new era(a,b,this.ua);if(eH(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new fra(a,b,this.ua);throw new gH("Unsupported slot with type "+b.ab+" and client metadata: "+(PP(b.va)+" in PlayerBytesSlotAdapterFactory."));};g.u(bS,g.C);bS.prototype.Eq=function(a){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof xQ&&2===d.category&&e.u===a&&b.push(d)}b.length&&gQ(this.kz(),b)};g.u(cS,bS);g.k=cS.prototype;g.k.If=function(a,b){if(b)if("survey-submit"===a){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof yQ&&f.u===b&&c.push(e)}c.length?gQ(this.kz(),c):S("Survey is submitted but no registered triggers can be activated.")}else if("skip-button"===a){c=[];d=g.q(this.ob.values());for(e=d.next();!e.done;e=d.next())e=e.value,f=e.trigger,f instanceof xQ&&1===e.category&&f.u===b&&c.push(e);c.length&&gQ(this.kz(),c)}}; -g.k.Eq=function(a){bS.prototype.Eq.call(this,a)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof yQ||b instanceof xQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){};g.u(dS,g.C);g.k=dS.prototype; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof ZQ||b instanceof $Q||b instanceof aR||b instanceof bR||b instanceof cR||b instanceof RQ||b instanceof mH||b instanceof wQ||b instanceof DQ||b instanceof QQ||b instanceof VQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new aS(a,b,c,d);this.ob.set(b.triggerId,a);b instanceof cR&&this.F.has(b.B)&& -gQ(this.u(),[a]);b instanceof ZQ&&this.C.has(b.B)&&gQ(this.u(),[a]);b instanceof mH&&this.B.has(b.u)&&gQ(this.u(),[a])}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(a){this.F.add(a.slotId);for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof cR&&a.slotId===d.trigger.B&&b.push(d);0FK(a,16)){a=g.q(this.u);for(var b=a.next();!b.done;b=a.next())this.Tu(b.value);this.u.clear()}}; -g.k.Io=function(){}; -g.k.yo=function(){}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.zo=function(){};g.u(hS,g.C);g.k=hS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof zQ||b instanceof YQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.hn=function(){}; -g.k.Jk=function(){}; -g.k.Ii=function(){}; -g.k.xd=function(a,b){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.u?S("called onLayoutEntered with AboveFeedSlot but there is already a layout entered"):this.u=b.layoutId)}; -g.k.yd=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(this.u=null)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.B?S("called onSlotEntered with AboveFeedSlot but there is already a slot entered"):this.B=a.slotId)}; -g.k.df=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null===this.B?S("called onSlotExited with AboveFeedSlot but there is no entered slot"):this.B=null)}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.Vp=function(){null!=this.u&&OR(this,this.u)}; -g.k.kq=function(a){if(null===this.B){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof YQ&&d.trigger.slotId===a&&b.push(d);b.length&&gQ(this.C(),b)}}; -g.k.Ct=function(){};g.u(iS,g.C);g.k=iS.prototype;g.k.Zg=function(a,b){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&gQ(this.u(),c)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof rqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.xd=function(){}; -g.k.yd=function(){};g.u(jS,g.C);jS.prototype.init=function(){}; -jS.prototype.release=function(){}; -jS.prototype.ca=function(){this.Od.get().removeListener(this);g.C.prototype.ca.call(this)};kS.prototype.fetch=function(a){var b=this,c=a.DC;return this.Qw.fetch(a.pI,{Zp:void 0===a.Zp?void 0:a.Zp,Kd:c}).then(function(d){var e=null,f=null;if(g.Q(b.Ca.get().J.T().experiments,"get_midroll_info_use_client_rpc"))f=d;else try{(e=JSON.parse(d.response))&&(f=e)}catch(h){d.response&&(d=d.response,d.startsWith("GIF89")||(h.params=d.substr(0,256),g.Is(h)))}return jra(f,c)})};g.u(lS,g.C);g.k=lS.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.onAdUxClicked=function(a,b){mS(this,function(c){c.If(a,b)})}; -g.k.TL=function(a){mS(this,function(b){b.uy(a)})}; -g.k.SL=function(a){mS(this,function(b){b.ty(a)})}; -g.k.aO=function(a){mS(this,function(b){b.eu(a)})};oS.prototype.u=function(a,b){for(var c=[],d=1;d=Math.abs(e-f)}e&&LO(this.Ia,"ad_placement_end")}; -g.k.cG=function(a){a=a.layoutId;var b,c;this.u&&(null===(b=this.u.zi)||void 0===b?void 0:b.layout.layoutId)!==a&&(null===(c=this.u.zi)||void 0===c?void 0:c.jh("normal"),ora(this,a))}; -g.k.UF=function(){}; -g.k.LF=function(a){var b=X(this.layout.va,"metadata_type_layout_enter_ms"),c=X(this.layout.va,"metadata_type_layout_exit_ms");a*=1E3;b<=a&&ad&&(c=d-c,d=this.eg.get(),RAa(d.J.app,b,c))}else S("Unexpected failure to add to playback timeline",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}))}else S("Expected non-zero layout duration",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}));this.ua.get().addListener(this); -Dqa(this.jb.get(),this.layout.layoutId,a,this);eQ(this.callback,this.slot,this.layout)}; -g.k.release=function(){this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId)}; -g.k.startRendering=function(){if(this.u)S("Expected the layout not to be entered before start rendering",this.slot,this.layout);else{this.u={bz:null,tH:!1};var a=X(this.layout.va,"metadata_type_sodar_extension_data");if(a)try{Nqa(this.Bd.get(),a)}catch(b){S("Unexpected error when loading Sodar",this.slot,this.layout,{error:b})}fQ(this.callback,this.slot,this.layout)}}; -g.k.jh=function(a){this.u?(this.u=null,$L(this.callback,this.slot,this.layout,a)):S("Expected the layout to be entered before stop rendering",this.slot,this.layout)}; -g.k.Io=function(a){if(this.u){if(this.Ia.u.has("impression")){var b=nR(this.ua.get());sra(this,b,a,this.u.bz)}this.u.bz=a}}; -g.k.Ko=function(a){if(this.u){this.u.tH||(this.u.tH=!0,a=new g.EK(a.state,new g.AM));var b=kQ(this.ua.get(),2,!1);QR(a)&&RR(b,0,null)&&LO(this.Ia,"impression");if(this.Ia.u.has("impression")&&(g.GK(a,4)&&!g.GK(a,2)&&KO(this.Ia,"pause"),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"),g.GK(a,16)&&.5<=kQ(this.ua.get(),2,!1)&&KO(this.Ia,"seek"),g.GK(a,2))){var c=X(this.layout.va,"metadata_type_video_length_seconds"),d=1>=Math.abs(c-b);sra(this,a.state,d?c:b,this.u.bz);d&&LO(this.Ia,"complete")}}}; -g.k.yo=function(a){this.Ia.u.has("impression")&&KO(this.Ia,a?"fullscreen":"end_fullscreen")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.pG=function(){}; -g.k.zo=function(){}; -g.k.dA=function(){this.Ia.u.has("impression")&&KO(this.Ia,"clickthrough")}; -g.k.BE=function(){KO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_viewable")};tS.prototype.u=function(a,b,c,d){if(c.va.u.has("metadata_type_dai")){a:{var e=X(d.va,"metadata_type_sub_layouts"),f=X(d.va,"metadata_type_ad_placement_config");if(CR(d,{Be:["metadata_type_layout_enter_ms","metadata_type_drift_recovery_ms","metadata_type_layout_exit_ms"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})&&void 0!==e&&void 0!==f){var h=[];e=g.q(e);for(var l=e.next();!l.done;l=e.next()){l=l.value;var m=X(l.va,"metadata_type_sub_layout_index");if(!CR(l,{Be:["metadata_type_video_length_seconds", -"metadata_type_player_vars","metadata_type_layout_enter_ms","metadata_type_layout_exit_ms","metadata_type_player_bytes_callback_ref"],wg:["LAYOUT_TYPE_MEDIA"]})||void 0===m){a=null;break a}m=new GO(l.kd,this.Fa,f,l.layoutId,m);h.push(new rra(b,c,l,this.eg,m,this.ua,this.Sc,this.jb,this.Bd))}b=new GO(d.kd,this.Fa,f,d.layoutId);a=new mra(a,c,d,this.Da,this.eg,this.ee,this.ua,b,this.Fa,h)}else a=null}if(a)return a}else if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb, -this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesLayoutRenderingAdapterFactory.");};g.u(uS,g.C);g.k=uS.prototype;g.k.UF=function(a){this.u&&ura(this,this.u,a)}; -g.k.LF=function(){}; -g.k.ej=function(a){this.u&&this.u.contentCpn!==a&&(S("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn}),this.u=null)}; -g.k.Pm=function(a){this.u&&this.u.contentCpn!==a&&S("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn});this.u=null}; -g.k.ca=function(){g.C.prototype.ca.call(this);this.u=null};g.u(vS,g.C); -vS.prototype.ih=function(a,b,c,d){if(this.B.has(b.triggerId)||this.C.has(b.triggerId))throw new gH("Tried to re-register the trigger.");a=new aS(a,b,c,d);if(a.trigger instanceof uqa)this.B.set(a.trigger.triggerId,a);else if(a.trigger instanceof qqa)this.C.set(a.trigger.triggerId,a);else throw new gH("Incorrect TriggerType: Tried to register trigger of type "+a.trigger.triggerType+" in LiveStreamBreakTransitionTriggerAdapter");this.B.has(a.trigger.triggerId)&&a.slot.slotId===this.u&&gQ(this.D(),[a])}; -vS.prototype.mh=function(a){this.B["delete"](a.triggerId);this.C["delete"](a.triggerId)}; -vS.prototype.cG=function(a){a=a.slotId;if(this.u!==a){var b=[];null!=this.u&&b.push.apply(b,g.ma(vra(this.C,this.u)));null!=a&&b.push.apply(b,g.ma(vra(this.B,a)));this.u=a;b.length&&gQ(this.D(),b)}};g.u(wS,g.C);g.k=wS.prototype;g.k.ej=function(){this.D=new fM(this,Cqa(this.Ca.get()));this.C=new gM;wra(this)}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.VF=function(a){this.u.push(a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.UF(a)}; -g.k.MF=function(a){g.Bb(this.C.u,1E3*a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.LF(a)}; -g.k.Ez=function(a){var b=pG(this.Da.get(),1),c=b.clientPlaybackNonce;b=b.daiEnabled;var d=Date.now();a=g.q(a);for(var e=a.next();!e.done;e=a.next())e=e.value,b&&qR(this.Fa.get(),{cuepointTrigger:{event:xra(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:d,contentCpn:c}}),this.B.add(e),this.D.reduce(e)}; -g.k.ca=function(){this.J.getVideoData(1).unsubscribe("cuepointupdated",this.Ez,this);this.listeners.length=0;this.B.clear();this.u.length=0;g.C.prototype.ca.call(this)};xS.prototype.addListener=function(a){this.listeners.add(a)}; -xS.prototype.removeListener=function(a){this.listeners["delete"](a)};g.u(yS,FR);g.k=yS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_image_companion_ad_renderer",function(b,c,d,e,f){return new Fna(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(zS,FR);g.k=zS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_shopping_companion_carousel_renderer",function(b,c,d,e,f){return new EL(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};Dra.prototype.u=function(a,b,c,d){if(CR(d,Vqa()))return new IR(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Bra()))return new yS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Cra()))return new zS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in DesktopAboveFeedLayoutRenderingAdapterFactory.");};g.u(AS,FR);g.k=AS.prototype;g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout);if(this.C=PO(a,Kqa(this.ua.get())))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};g.u(BS,FR);g.k=BS.prototype;g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.uy=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.stop()}}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.ty=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.start()}}; -g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout),c=b.contentSupportedRenderer.imageOverlayAdContentRenderer,d=Kqa(this.ua.get());a:{c=c.image;c=void 0===c?null:c;if(null!=c&&(c=c.thumbnail,null!=c&&null!=c.thumbnails&&!g.kb(c.thumbnails)&&null!=c.thumbnails[0].width&&null!=c.thumbnails[0].height)){c=new g.ie(c.thumbnails[0].width||0,c.thumbnails[0].height||0);break a}c=new g.ie(0,0)}if(this.C=PO(a,d,c))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};CS.prototype.u=function(a,b,c,d){if(b=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return b;b=["metadata_type_invideo_overlay_ad_renderer"];for(var e=g.q(HO()),f=e.next();!f.done;f=e.next())b.push(f.value);if(CR(d,{Be:b,wg:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}))return new BS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.C,this.ua,this.oc,this.Ca);if(CR(d,Era()))return new AS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.ua,this.oc,this.Ca);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+ -PP(d.va)+" in WebDesktopMainAndEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.u(DS,g.C);DS.prototype.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof pqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in CloseRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -DS.prototype.mh=function(a){this.ob["delete"](a.triggerId)};g.u(FS,g.C);g.k=FS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof CQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d));a=this.u.has(b.u)?this.u.get(b.u):new Set;a.add(b);this.u.set(b.u,a)}; -g.k.mh=function(a){this.ob["delete"](a.triggerId);if(!(a instanceof CQ))throw new gH("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.B.get(a.triggerId);b&&(b.dispose(),this.B["delete"](a.triggerId));if(b=this.u.get(a.u))b["delete"](a),0===b.size&&this.u["delete"](a.u)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.xd=function(a,b){var c=this;if(this.u.has(b.layoutId)){var d=this.u.get(b.layoutId),e={};d=g.q(d);for(var f=d.next();!f.done;e={Ep:e.Ep},f=d.next())e.Ep=f.value,f=new g.F(function(h){return function(){var l=c.ob.get(h.Ep.triggerId);gQ(c.C(),[l])}}(e),e.Ep.durationMs),f.start(),this.B.set(e.Ep.triggerId,f)}}; -g.k.yd=function(){};g.u(GS,g.C);GS.prototype.init=function(){}; -GS.prototype.release=function(){}; -GS.prototype.ca=function(){this.bj.get().removeListener(this);g.C.prototype.ca.call(this)};g.u(Gra,g.C);g.u(Hra,g.C);g.u(Ira,g.C);g.u(Jra,g.C);g.u(IS,JR);IS.prototype.startRendering=function(a){JR.prototype.startRendering.call(this,a);X(this.layout.va,"metadata_ad_video_is_listed")&&(a=X(this.layout.va,"metadata_type_ad_info_ad_metadata"),this.Jn.get().J.xa("onAdMetadataAvailable",a))};Kra.prototype.u=function(a,b,c,d){b=Wqa();b.Be.push("metadata_type_ad_info_ad_metadata");if(CR(d,b))return new IS(a,c,d,this.Vb,this.ua,this.Fa,this.Nd,this.Jn);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.u(Lra,g.C);Mra.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.u(Nra,g.C);g.u(Pra,g.C);g.k=Qra.prototype;g.k.kq=function(a){a:{var b=g.q(this.B.u.u.values());for(var c=b.next();!c.done;c=b.next()){c=g.q(c.value.values());for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.slot.slotId===a&&"scheduled"===d.u){b=!0;break a}}b=!1}if(b)this.yi.kq(a);else try{this.u().kq(a)}catch(e){g.Fo(e)}}; -g.k.Vp=function(){a:{var a=jQ(this.B.u,"SLOT_TYPE_ABOVE_FEED_1");a=g.q(a.values());for(var b=a.next();!b.done;b=a.next())if(iQ(b.value)){a=!0;break a}a=!1}a?this.yi.Vp():this.u().Vp()}; -g.k.Ct=function(a){this.u().Ct(a)}; -g.k.hn=function(){this.u().hn()}; -g.k.Jk=function(){this.u().Jk()}; -g.k.Ii=function(){this.u().Ii()};g.u(g.JS,g.O);g.k=g.JS.prototype;g.k.create=function(){}; -g.k.load=function(){this.loaded=!0}; -g.k.unload=function(){this.loaded=!1}; -g.k.Ae=function(){}; -g.k.ii=function(){return!0}; -g.k.ca=function(){this.loaded&&this.unload();g.O.prototype.ca.call(this)}; -g.k.sb=function(){return{}}; -g.k.getOptions=function(){return[]};g.u(KS,g.JS);g.k=KS.prototype;g.k.create=function(){this.load();this.created=!0}; -g.k.load=function(){g.JS.prototype.load.call(this);this.player.getRootNode().classList.add("ad-created");var a=this.B.u.Ke.qg,b=this.F(),c=this.player.getVideoData(1),d=c&&c.videoId||"",e=c&&c.getPlayerResponse()||{},f=(e&&e.adPlacements||[]).map(function(l){return l.adPlacementRenderer}); -e=e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1;f=Tra(f,a,e);c=c&&c.clientPlaybackNonce||"";var h=1E3*this.player.getDuration(1);uN(a)?(this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em),zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),sN(this.u)):(zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em))}; -g.k.destroy=function(){var a=this.player.getVideoData(1);Aqa(this.B.u.ik,a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; -g.k.unload=function(){g.JS.prototype.unload.call(this);this.player.getRootNode().classList.remove("ad-created");if(null!==this.u){var a=this.u;this.u=null;a.dispose()}null!=this.C&&(a=this.C,this.C=null,a.dispose());this.D.reset()}; -g.k.ii=function(){return!1}; -g.k.yA=function(){return null===this.u?!1:this.u.yA()}; -g.k.ij=function(a){null!==this.u&&this.u.ij(a)}; -g.k.getAdState=function(){return this.u?this.u.Aa:-1}; -g.k.getOptions=function(){return Object.values(TCa)}; -g.k.Ae=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":var c=b;if(c.url){var d=TJ(this.player);Object.assign(d,c.u);this.u&&!d.AD_CPN&&(d.AD_CPN=this.u.Ja);c=g.en(c.url,d)}else c=null;return c;case "isExternalShelfAllowedFor":a:if(b.playerResponse){c=b.playerResponse.adPlacements||[];for(d=0;dthis.B;)a[e++]^=d[this.B++];for(var f=c-(c-e)%16;ea||10tJ&&(a=Math.max(.1,a)),this.Zv(a))}; -g.k.stopVideo=function(){this.We()&&(XCa&&or&&0=a)){a-=this.u.length;for(var b=0;b=(a||1)}; -g.k.pJ=function(){for(var a=this.C.length-1;0<=a;a--)XS(this,this.C[a]);this.u.length==this.B.length&&4<=this.u.length||(4>this.B.length?this.QC(4):(this.u=[],g.Cb(this.B,function(b){XS(this,b)},this)))}; -WS.prototype.fillPool=WS.prototype.QC;WS.prototype.getTag=WS.prototype.xK;WS.prototype.releaseTag=WS.prototype.ER;WS.prototype.hasTags=WS.prototype.bL;WS.prototype.activateTags=WS.prototype.pJ;g.u(g.YS,g.RS);g.k=g.YS.prototype;g.k.ol=function(){return!0}; -g.k.isView=function(){return!1}; -g.k.Wv=function(){return!1}; -g.k.Pa=function(){return this.u}; -g.k.We=function(){return this.u.src}; -g.k.bw=function(a){var b=this.getPlaybackRate();this.u.src=a;this.setPlaybackRate(b)}; -g.k.Uv=function(){this.u.removeAttribute("src")}; -g.k.getPlaybackRate=function(){try{return 0<=this.u.playbackRate?this.u.playbackRate:1}catch(a){return 1}}; -g.k.setPlaybackRate=function(a){this.getPlaybackRate()!=a&&(this.u.playbackRate=a);return a}; -g.k.sm=function(){return this.u.loop}; -g.k.setLoop=function(a){this.u.loop=a}; -g.k.canPlayType=function(a,b){return this.u.canPlayType(a,b)}; -g.k.pl=function(){return this.u.paused}; -g.k.Wq=function(){return this.u.seeking}; -g.k.Yi=function(){return this.u.ended}; -g.k.Rt=function(){return this.u.muted}; -g.k.gp=function(a){sB();this.u.muted=a}; -g.k.xm=function(){return this.u.played||Vz([],[])}; -g.k.Gf=function(){try{var a=this.u.buffered}catch(b){}return a||Vz([],[])}; -g.k.yq=function(){return this.u.seekable||Vz([],[])}; -g.k.Zu=function(){return this.u.getStartDate?this.u.getStartDate():null}; -g.k.getCurrentTime=function(){return this.u.currentTime}; -g.k.Zv=function(a){this.u.currentTime=a}; -g.k.getDuration=function(){return this.u.duration}; -g.k.load=function(){var a=this.u.playbackRate;this.u.load&&this.u.load();this.u.playbackRate=a}; -g.k.pause=function(){this.u.pause()}; -g.k.play=function(){var a=this.u.play();if(!a||!a.then)return null;a.then(void 0,function(){}); -return a}; -g.k.yg=function(){return this.u.readyState}; -g.k.St=function(){return this.u.networkState}; -g.k.Sh=function(){return this.u.error?this.u.error.code:null}; -g.k.Bo=function(){return this.u.error?this.u.error.message:""}; -g.k.getVideoPlaybackQuality=function(){var a={};if(this.u){if(this.u.getVideoPlaybackQuality)return this.u.getVideoPlaybackQuality();this.u.webkitDecodedFrameCount&&(a.totalVideoFrames=this.u.webkitDecodedFrameCount,a.droppedVideoFrames=this.u.webkitDroppedFrameCount)}return a}; -g.k.Ze=function(){return!!this.u.webkitCurrentPlaybackTargetIsWireless}; -g.k.fn=function(){return!!this.u.webkitShowPlaybackTargetPicker()}; -g.k.togglePictureInPicture=function(){qB()?this.u!=window.document.pictureInPictureElement?this.u.requestPictureInPicture():window.document.exitPictureInPicture():rB()&&this.u.webkitSetPresentationMode("picture-in-picture"==this.u.webkitPresentationMode?"inline":"picture-in-picture")}; -g.k.Pk=function(){var a=this.u;return new g.ge(a.offsetLeft,a.offsetTop)}; -g.k.setPosition=function(a){return g.Cg(this.u,a)}; -g.k.Co=function(){return g.Lg(this.u)}; -g.k.setSize=function(a){return g.Kg(this.u,a)}; -g.k.getVolume=function(){return this.u.volume}; -g.k.setVolume=function(a){sB();this.u.volume=a}; -g.k.Kx=function(a){if(!this.B[a]){var b=(0,g.z)(this.DL,this);this.u.addEventListener(a,b);this.B[a]=b}}; -g.k.DL=function(a){this.dispatchEvent(new VS(this,a.type,a))}; -g.k.setAttribute=function(a,b){this.u.setAttribute(a,b)}; -g.k.removeAttribute=function(a){this.u.removeAttribute(a)}; -g.k.hasAttribute=function(a){return this.u.hasAttribute(a)}; -g.k.Lp=ba(7);g.k.hs=ba(9);g.k.jn=ba(4);g.k.Wp=ba(11);g.k.iq=function(){return pt(this.u)}; -g.k.Aq=function(a){return g.yg(this.u,a)}; -g.k.Ky=function(){return g.Me(document.body,this.u)}; -g.k.ca=function(){for(var a in this.B)this.u.removeEventListener(a,this.B[a]);g.RS.prototype.ca.call(this)};g.u(g.ZS,g.RS);g.k=g.ZS.prototype;g.k.isView=function(){return!0}; -g.k.Wv=function(){var a=this.u.getCurrentTime();if(a=c.lk.length)c=!1;else{for(var d=g.q(c.lk),e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof GH)){c=!1;break a}var f=a.u.getId();e.B&&(e.B.u=f,e.u=null)}c.Qr=a;c= -!0}c&&(b.V("internalaudioformatchange",b.videoData,!0),V_(b)&&b.Na("hlsaudio",a.id))}}}; -g.k.dK=function(){return this.getAvailableAudioTracks()}; -g.k.getAvailableAudioTracks=function(){return g.Z(this.app,this.playerType).getAvailableAudioTracks()}; -g.k.getMaxPlaybackQuality=function(){var a=g.Z(this.app,this.playerType);return a&&a.getVideoData().Oa?HC(a.Id?Pxa(a.cg,a.Id,a.co()):UD):"unknown"}; -g.k.getUserPlaybackQualityPreference=function(){var a=g.Z(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; -g.k.getSubtitlesUserSettings=function(){var a=g.nU(this.app.C);return a?a.yK():null}; -g.k.resetSubtitlesUserSettings=function(){g.nU(this.app.C).MR()}; +g.k.setUserEngagement=function(a){this.app.V().jl!==a&&(this.app.V().jl=a,(a=g.qS(this.app,this.playerType))&&wZ(a))}; +g.k.updateSubtitlesUserSettings=function(a,b){b=void 0===b?!0:b;g.JT(this.app.wb()).IY(a,b)}; +g.k.getCaptionWindowContainerId=function(){var a=g.JT(this.app.wb());return a?a.getCaptionWindowContainerId():""}; +g.k.toggleSubtitlesOn=function(){var a=g.JT(this.app.wb());a&&a.mY()}; +g.k.isSubtitlesOn=function(){var a=g.JT(this.app.wb());return a?a.isSubtitlesOn():!1}; +g.k.getPresentingPlayerType=function(){var a=this.app.getPresentingPlayerType(!0);2===a&&this.app.mf()&&(a=1);return a}; +g.k.getPlayerResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getPlayerResponse():null}; +g.k.getHeartbeatResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getHeartbeatResponse():null}; +g.k.getStoryboardFrame=function(a,b){var c=this.app.Hj();if(!c)return null;b=c.levels[b];return b?(a=g.UL(b,a))?{column:a.column,columns:a.columns,height:a.Dv,row:a.row,rows:a.rows,url:a.url,width:a.NC}:null:null}; +g.k.getStoryboardFrameIndex=function(a,b){var c=this.app.Hj();if(!c)return-1;b=c.levels[b];if(!b)return-1;a-=this.Jd();return b.OE(a)}; +g.k.getStoryboardLevel=function(a){var b=this.app.Hj();return b?(b=b.levels[a])?{index:a,intervalMs:b.j,maxFrameIndex:b.ix(),minFrameIndex:b.BJ()}:null:null}; +g.k.getNumberOfStoryboardLevels=function(){var a=this.app.Hj();return a?a.levels.length:0}; +g.k.X2=function(){return this.getAudioTrack()}; +g.k.getAudioTrack=function(){var a=g.qS(this.app,this.playerType);return a?a.getAudioTrack():this.app.getVideoData().wm}; +g.k.setAudioTrack=function(a,b){3===this.getPresentingPlayerType()&&JS(this.app.wb()).bp("control_set_audio_track",a);var c=g.qS(this.app,this.playerType);if(c)if(c.isDisposed()||g.S(c.playerState,128))a=!1;else{var d;if(null==(d=c.videoData.C)?0:d.j)b=b?c.getCurrentTime()-c.Jd():NaN,c.Fa.setAudioTrack(a,b);else if(O_a(c)){b:{b=c.mediaElement.audioTracks();for(d=0;d=b.Nd.length)b=!1;else{d=g.t(b.Nd);for(e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof VK)){b=!1;break b}var f=a.Jc.getId();e.B&&(Fxa(e.B,f),e.u=null)}b.Xn=a;b=!0}b&&oZ(c)&&(c.ma("internalaudioformatchange",c.videoData,!0),c.xa("hlsaudio",{id:a.id}))}a=!0}else a=!1;return a}; +g.k.Y2=function(){return this.getAvailableAudioTracks()}; +g.k.getAvailableAudioTracks=function(){return g.qS(this.app,this.playerType).getAvailableAudioTracks()}; +g.k.getMaxPlaybackQuality=function(){var a=g.qS(this.app,this.playerType);return a&&a.getVideoData().u?nF(a.Df?oYa(a.Ji,a.Df,a.Su()):ZL):"unknown"}; +g.k.getUserPlaybackQualityPreference=function(){var a=g.qS(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; +g.k.getSubtitlesUserSettings=function(){var a=g.JT(this.app.wb());return a?a.v3():null}; +g.k.resetSubtitlesUserSettings=function(){g.JT(this.app.wb()).J8()}; g.k.setMinimized=function(a){this.app.setMinimized(a)}; -g.k.setGlobalCrop=function(a){this.app.template.setGlobalCrop(a)}; -g.k.getVisibilityState=function(){var a=this.app.T();a=this.app.visibility.u&&!g.Q(a.experiments,"kevlar_miniplayer_disable_vis");return this.app.getVisibilityState(this.Ze(),this.isFullscreen()||mD(this.app.T()),a,this.isInline(),this.app.visibility.pictureInPicture,this.app.visibility.B)}; -g.k.isMutedByMutedAutoplay=function(){return this.app.Ta}; +g.k.setInlinePreview=function(a){this.app.setInlinePreview(a)}; +g.k.setGlobalCrop=function(a){this.app.jb().setGlobalCrop(a)}; +g.k.getVisibilityState=function(){var a=this.zg();return this.app.getVisibilityState(this.wh(),this.isFullscreen()||g.kK(this.app.V()),a,this.isInline(),this.app.Ty(),this.app.Ry())}; +g.k.isMutedByMutedAutoplay=function(){return this.app.oz}; g.k.isInline=function(){return this.app.isInline()}; -g.k.setInternalSize=function(a,b){this.app.template.setInternalSize(new g.ie(a,b))}; -g.k.yc=function(){var a=g.Z(this.app,void 0);return a?a.yc():0}; -g.k.Ze=function(){var a=g.Z(this.app,this.playerType);return!!a&&a.Ze()}; +g.k.setInternalSize=function(a,b){this.app.jb().setInternalSize(new g.He(a,b))}; +g.k.Jd=function(){var a=g.qS(this.app);return a?a.Jd():0}; +g.k.zg=function(){return this.app.zg()}; +g.k.wh=function(){var a=g.qS(this.app,this.playerType);return!!a&&a.wh()}; g.k.isFullscreen=function(){return this.app.isFullscreen()}; -g.k.setSafetyMode=function(a){this.app.T().enableSafetyMode=a}; +g.k.setSafetyMode=function(a){this.app.V().enableSafetyMode=a}; g.k.canPlayType=function(a){return this.app.canPlayType(a)}; -g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;if(b&&b!==a.list)if(this.ba("player_enable_playback_playlist_change"))c=!0;else return;void 0!==a.external_list&&this.app.setIsExternalPlaylist(a.external_list);var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==b.Ma().videoId||(a.index=b.index)):H0(this.app,{list:a.list,index:a.index,playlist_length:d.length});iU(this.app.getPlaylist(),a);this.xa("onPlaylistUpdate")}else this.app.updatePlaylist()}; -g.k.updateVideoData=function(a,b){var c=g.Z(this.app,this.playerType||1);c&&c.getVideoData().nh(a,b)}; -g.k.updateEnvironmentData=function(a){this.app.T().nh(a,!1)}; +g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;b&&b!==a.list&&(c=!0);void 0!==a.external_list&&(this.app.Lh=jz(!1,a.external_list));var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==g.zT(b).videoId||(a.index=b.index)):JZ(this.app,{list:a.list,index:a.index,playlist_length:d.length});pLa(this.app.getPlaylist(),a);this.Na("onPlaylistUpdate")}else this.app.updatePlaylist()}; +g.k.updateVideoData=function(a,b){var c=g.qS(this.app,this.playerType||1);c&&g.cM(c.getVideoData(),a,b)}; +g.k.updateEnvironmentData=function(a){rK(this.app.V(),a,!1)}; g.k.sendVideoStatsEngageEvent=function(a){this.app.sendVideoStatsEngageEvent(a,this.playerType)}; -g.k.setCardsVisible=function(a,b,c){var d=g.RT(this.app.C);d&&d.Vq()&&d.setCardsVisible(a,b,c)}; -g.k.productsInVideoVisibilityUpdated=function(a){this.V("changeProductsInVideoVisibility",a)}; +g.k.productsInVideoVisibilityUpdated=function(a){this.ma("changeProductsInVideoVisibility",a)}; g.k.setInline=function(a){this.app.setInline(a)}; g.k.isAtLiveHead=function(a,b){return this.app.isAtLiveHead(a,void 0===b?!0:b)}; -g.k.getVideoAspectRatio=function(){return this.app.template.getVideoAspectRatio()}; -g.k.getPreferredQuality=function(){var a=g.Z(this.app);return a?a.getPreferredQuality():"unknown"}; -g.k.setPlaybackQualityRange=function(a,b){var c=g.Z(this.app,this.playerType);if(c){var d=FC(a,b||a,!0,"m");Qsa(c,d)}}; -g.k.onAdUxClicked=function(a,b){this.V("aduxclicked",a,b)}; -g.k.getLoopVideo=function(){return this.app.getLoopVideo()}; -g.k.setLoopVideo=function(a){this.app.setLoopVideo(a)}; -g.k.V=function(a,b){for(var c=[],d=1;da)){var d=this.api.getVideoData(),e=d.Pk;if(e&&aMath.random()){b=b?"pbp":"pbs";var c={startTime:this.j};a.T&&(c.cttAuthInfo={token:a.T,videoId:a.videoId});cF("seek",c);g.dF("cpn",a.clientPlaybackNonce,"seek");isNaN(this.u)||eF("pl_ss",this.u,"seek");eF(b,(0,g.M)(),"seek")}this.reset()}};g.k=hLa.prototype;g.k.reset=function(){$E(this.timerName)}; +g.k.tick=function(a,b){eF(a,b,this.timerName)}; +g.k.di=function(a){return Gta(a,this.timerName)}; +g.k.Mt=function(a){xT(a,void 0,this.timerName)}; +g.k.info=function(a,b){g.dF(a,b,this.timerName)};g.w(kLa,g.dE);g.k=kLa.prototype;g.k.Ck=function(a){return this.loop||!!a||this.index+1([^<>]+)<\/a>/;g.u(KU,g.tR);KU.prototype.Ra=function(){var a=this;this.B();var b=this.J.getVideoData();if(b.isValid()){var c=[];this.J.T().R||c.push({src:b.ne("mqdefault.jpg")||"",sizes:"320x180"});this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:c});c=b=null;g.NT(this.J)&&(this.u["delete"]("nexttrack"),this.u["delete"]("previoustrack"),b=function(){a.J.nextVideo()},c=function(){a.J.previousVideo()}); -JU(this,"nexttrack",b);JU(this,"previoustrack",c)}}; -KU.prototype.B=function(){var a=g.uK(this.J);a=a.isError()?"none":g.GM(a)?"playing":"paused";this.mediaSession.playbackState=a}; -KU.prototype.ca=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())JU(this,b.value,null);g.tR.prototype.ca.call(this)};g.u(LU,g.V);LU.prototype.Ra=function(a,b){Ita(this,b);this.Pc&&Jta(this,this.Pc)}; -LU.prototype.lc=function(a){var b=this.J.getVideoData();this.videoId!==b.videoId&&Ita(this,b);this.u&&Jta(this,a.state);this.Pc=a.state}; -LU.prototype.Bc=function(){this.B.show();this.J.V("paidcontentoverlayvisibilitychange",!0)}; -LU.prototype.nb=function(){this.B.hide();this.J.V("paidcontentoverlayvisibilitychange",!1)};g.u(NU,g.V);NU.prototype.hide=function(){this.u.stop();this.message.style.display="none";g.V.prototype.hide.call(this)}; -NU.prototype.B=function(a){MU(this,a.state)}; -NU.prototype.C=function(){MU(this,g.uK(this.api))}; -NU.prototype.D=function(){this.message.style.display="block"};g.u(g.OU,g.KN);g.k=g.OU.prototype;g.k.show=function(){var a=this.zf();g.KN.prototype.show.call(this);this.Y&&(this.K.N(window,"blur",this.nb),this.K.N(document,"click",this.VM));a||this.V("show",!0)}; -g.k.hide=function(){var a=this.zf();g.KN.prototype.hide.call(this);Kta(this);a&&this.V("show",!1)}; -g.k.Bc=function(a,b){this.u=a;this.X.show();b?(this.P||(this.P=this.K.N(this.J,"appresize",this.TB)),this.TB()):this.P&&(this.K.Mb(this.P),this.P=void 0)}; -g.k.TB=function(){var a=g.BT(this.J);this.u&&a.To(this.element,this.u)}; -g.k.nb=function(){var a=this.zf();Kta(this);this.X.hide();a&&this.V("show",!1)}; -g.k.VM=function(a){var b=fp(a);b&&(g.Me(this.element,b)||this.u&&g.Me(this.u,b)||!g.cP(a))||this.nb()}; -g.k.zf=function(){return this.fb&&4!==this.X.state};g.u(QU,g.OU);QU.prototype.D=function(a){this.C&&(a?(Lta(this),this.Bc()):(this.seen&&Mta(this),this.nb()))}; -QU.prototype.F=function(a){this.api.isMutedByMutedAutoplay()&&g.GK(a,2)&&this.nb()}; -QU.prototype.onClick=function(){this.api.unMute();Mta(this)};g.u(g.SU,g.tR);g.k=g.SU.prototype;g.k.init=function(){var a=g.uK(this.api);this.vb(a);this.vk();this.Va()}; -g.k.Ra=function(a,b){if(this.fa!==b.videoId){this.fa=b.videoId;var c=this.Nc;c.fa=b&&0=b){this.C=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.D-1);02*b&&d<3*b&&(this.Jr(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.ip(a)}this.Aa=Date.now();this.Ja.start()}}; -g.k.nQ=function(a){Pta(this,a)||(Ota(this)||!VU(this,a)||this.F.isActive()||(RU(this),g.ip(a)),this.C&&(this.C=!1))}; -g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!0});HAa(!0);Hp();window.location.reload()},function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!1}); -a.ev()})}; -g.k.ju=function(){}; -g.k.gn=function(){}; -g.k.Jr=function(){}; -g.k.ev=function(){var a=g.uK(this.api);g.U(a,2)&&JT(this.api)||(g.GM(a)?this.api.pauseVideo():(this.api.app.Ig=!0,this.api.playVideo(),this.B&&document.activeElement===this.B.D.element&&this.api.getRootNode().focus()))}; -g.k.oQ=function(a){var b=this.api.getPresentingPlayerType();if(!TU(this,fp(a)))if(a=this.api.T(),(g.Q(this.api.T().experiments,"player_doubletap_to_seek")||g.Q(this.api.T().experiments,"embeds_enable_mobile_dtts"))&&this.C)this.C=!1;else if(a.za&&3!==b)try{this.api.toggleFullscreen()["catch"](function(c){Qta(c)})}catch(c){Qta(c)}}; -g.k.pQ=function(a){Rta(this,.3,a.scale);g.ip(a)}; -g.k.qQ=function(a){Rta(this,.1,a.scale)}; -g.k.Va=function(){var a=g.cG(this.api).getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Nc.resize();g.J(b,"ytp-fullscreen",this.api.isFullscreen());g.J(b,"ytp-large-width-mode",c);g.J(b,"ytp-small-mode",this.Ie());g.J(b,"ytp-tiny-mode",this.Ie()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height));g.J(b,"ytp-big-mode",this.ge());this.u&&this.u.resize(a)}; -g.k.HM=function(a){this.vb(a.state);this.vk()}; -g.k.gy=function(){var a=!!this.fa&&!g.IT(this.api),b=2===this.api.getPresentingPlayerType(),c=this.api.T();if(b){if(CBa&&g.Q(c.experiments,"enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=sU(g.HT(this.api));return a&&b.yA()}return a&&(c.En||this.api.isFullscreen()||c.ng)}; -g.k.vk=function(){var a=this.gy();this.Vi!==a&&(this.Vi=a,g.J(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; -g.k.vb=function(a){var b=a.isCued()||this.api.Qj()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.ma&&this.Mb(this.ma),this.ma=this.N(g.cG(this.api),"touchstart",this.rQ,void 0,b));var c=a.Hb()&&!g.U(a,32)||UT(this.api);wU(this.Nc,128,!c);c=3===this.api.getPresentingPlayerType();wU(this.Nc,256,c);c=this.api.getRootNode();if(g.U(a,2))var d=[b2.ENDED];else d=[],g.U(a,8)?d.push(b2.PLAYING):g.U(a,4)&&d.push(b2.PAUSED),g.U(a,1)&&!g.U(a,32)&&d.push(b2.BUFFERING),g.U(a,32)&& -d.push(b2.SEEKING),g.U(a,64)&&d.push(b2.UNSTARTED);g.Ab(this.X,d)||(g.tn(c,this.X),this.X=d,g.rn(c,d));d=this.api.T();var e=g.U(a,2);g.J(c,"ytp-hide-controls",("3"===d.controlsType?!e:"1"!==d.controlsType)||b);g.J(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.aa);g.U(a,128)&&!g.hD(d)?(this.u||(this.u=new g.FU(this.api),g.D(this,this.u),g.BP(this.api,this.u.element,4)),this.u.B(a.getData()),this.u.show()):this.u&&(this.u.dispose(),this.u=null)}; -g.k.Ij=function(){return g.ST(this.api)&&g.TT(this.api)?(this.api.setCardsVisible(!1,!1),!0):g.IT(this.api)?(g.KT(this.api,!0),!0):!1}; -g.k.GM=function(a){this.aa=a;this.Fg()}; -g.k.ge=function(){return!1}; -g.k.Ie=function(){return!this.ge()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; -g.k.Nh=function(){return this.R}; -g.k.Qk=function(){return null}; -g.k.Pi=function(){var a=g.cG(this.api).getPlayerSize();return new g.jg(0,0,a.width,a.height)}; +g.k.Ak=function(){return this.u.getVideoUrl(g.zT(this).videoId,this.getPlaylistId())}; +g.k.qa=function(){this.j=null;g.$a(this.items);g.dE.prototype.qa.call(this)};var AT=new Map;g.w(g.CT,g.dE);g.k=g.CT.prototype;g.k.create=function(){}; +g.k.load=function(){this.loaded=!0}; +g.k.unload=function(){this.loaded=!1}; +g.k.qh=function(){}; +g.k.Tk=function(){return!0}; +g.k.qa=function(){this.loaded&&this.unload();g.dE.prototype.qa.call(this)}; +g.k.lc=function(){return{}}; +g.k.getOptions=function(){return[]};g.w(g.FT,g.C);g.k=g.FT.prototype;g.k.Qs=aa(29);g.k.cz=function(){}; +g.k.gr=function(){}; +g.k.Wu=function(){return""}; +g.k.AO=aa(30);g.k.qa=function(){this.gr();g.C.prototype.qa.call(this)};g.w(g.GT,g.FT);g.GT.prototype.Qs=aa(28);g.GT.prototype.cz=function(a){if(this.audioTrack)for(var b=g.t(this.audioTrack.captionTracks),c=b.next();!c.done;c=b.next())g.ET(this.j,c.value);a()}; +g.GT.prototype.Wu=function(a,b){var c=a.Ze(),d={fmt:b};if("srv3"===b||"3"===b||"json3"===b)g.Yy()?Object.assign(d,{xorb:2,xobt:1,xovt:1}):Object.assign(d,{xorb:2,xobt:3,xovt:3});a.translationLanguage&&(d.tlang=g.aL(a));this.Y.K("web_player_topify_subtitles_for_shorts")&&this.B&&(d.xosf="1");this.Y.K("captions_url_add_ei")&&this.eventId&&(d.ei=this.eventId);Object.assign(d,this.Y.j);return ty(c,d)}; +g.GT.prototype.gr=function(){this.u&&this.u.abort()};g.xLa.prototype.override=function(a){a=g.t(Object.entries(a));for(var b=a.next();!b.done;b=a.next()){var c=g.t(b.value);b=c.next().value;c=c.next().value;Object.defineProperty(this,b,{value:c})}};g.Vcb=new Map;g.w(g.IT,g.FT);g.IT.prototype.Qs=aa(27); +g.IT.prototype.cz=function(a){var b=this,c=this.B,d={type:"list",tlangs:1,v:this.videoId,vssids:1};this.JU&&(d.asrs=1);c=ty(c,d);this.gr();this.u=g.Hy(c,{format:"RAW",onSuccess:function(e){b.u=null;if((e=e.responseXML)&&e.firstChild){for(var f=e.getElementsByTagName("track"),h=0;h([^<>]+)<\/a>/;g.w(aU,g.bI);aU.prototype.Hi=function(){zMa(this)}; +aU.prototype.onVideoDataChange=function(){var a=this,b=this.F.getVideoData();if(b.De()){var c=this.F.V(),d=[],e="";if(!c.oa){var f=xMa(this);c.K("enable_web_media_session_metadata_fix")&&g.nK(c)&&f?(d=yMa(f.thumbnailDetails),f.album&&(e=g.gE(f.album))):d=[{src:b.wg("mqdefault.jpg")||"",sizes:"320x180",type:"image/jpeg"}]}zMa(this);wMa(this);this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:d,album:e});c=b=null;g.KS(this.F)&&(this.j.delete("nexttrack"),this.j.delete("previoustrack"), +b=function(){a.F.nextVideo()},c=function(){a.F.previousVideo()}); +bU(this,"nexttrack",b);bU(this,"previoustrack",c)}}; +aU.prototype.qa=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.t(this.j),b=a.next();!b.done;b=a.next())bU(this,b.value,null);g.bI.prototype.qa.call(this)};g.w(AMa,g.U);g.k=AMa.prototype;g.k.onClick=function(a){g.UT(a,this.F,!0);this.F.qb(this.element)}; +g.k.onVideoDataChange=function(a,b){CMa(this,b);this.Te&&DMa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&CMa(this,b);this.j&&DMa(this,a.state);this.Te=a.state}; +g.k.od=function(){this.C.show();this.F.ma("paidcontentoverlayvisibilitychange",!0);this.F.Ua(this.element,!0)}; +g.k.Fb=function(){this.C.hide();this.F.ma("paidcontentoverlayvisibilitychange",!1);this.F.Ua(this.element,!1)};g.w(cU,g.U);cU.prototype.hide=function(){this.j.stop();this.message.style.display="none";g.U.prototype.hide.call(this)}; +cU.prototype.onStateChange=function(a){this.qc(a.state)}; +cU.prototype.qc=function(a){if(g.S(a,128))var b=!1;else{var c;b=(null==(c=this.api.Rc())?0:c.Ns)?!1:g.S(a,16)||g.S(a,1)?!0:!1}b?this.j.start():this.hide()}; +cU.prototype.u=function(){this.message.style.display="block"};g.w(dU,g.PS);dU.prototype.onMutedAutoplayChange=function(a){this.B&&(a?(EMa(this),this.od()):(this.j&&this.qb(),this.Fb()))}; +dU.prototype.Hi=function(a){this.api.isMutedByMutedAutoplay()&&g.YN(a,2)&&this.Fb()}; +dU.prototype.onClick=function(){this.api.unMute();this.qb()}; +dU.prototype.qb=function(){this.clicked||(this.clicked=!0,this.api.qb(this.element))};g.w(g.eU,g.bI);g.k=g.eU.prototype;g.k.init=function(){var a=this.api,b=a.Cb();this.qC=a.getPlayerSize();this.pc(b);this.wp();this.Db();this.api.ma("basechromeinitialized",this)}; +g.k.onVideoDataChange=function(a,b){var c=this.GC!==b.videoId;if(c||"newdata"===a)a=this.api,a.isFullscreen()||(this.qC=a.getPlayerSize());c&&(this.GC=b.videoId,c=this.Ve,c.Aa=b&&0=b){this.vB=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.PC-1);02*b&&d<3*b&&(this.GD(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.EO(a)}else RT&&this.api.K("embeds_web_enable_mobile_dtts")&& +this.api.V().T&&fU(this,a)&&g.EO(a);this.hV=Date.now();this.qX.start()}}; +g.k.h7=function(){this.uN.HU=!1;this.api.ma("rootnodemousedown",this.uN)}; +g.k.d7=function(a){this.uN.HU||JMa(this,a)||(IMa(this)||!fU(this,a)||this.uF.isActive()||(g.GK(this.api.V())&&this.api.Cb().isCued()&&yT(this.api.Oh()),GMa(this),g.EO(a)),this.vB&&(this.vB=!1))}; +g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.rA("embedsRequestStorageAccessResult",{resolved:!0});qwa(!0);xD();window.location.reload()},function(){g.rA("embedsRequestStorageAccessResult",{resolved:!1}); +a.fA()})}; +g.k.nG=function(){}; +g.k.nw=function(){}; +g.k.GD=function(){}; +g.k.FD=function(){}; +g.k.fA=function(){var a=this.api.Cb();g.S(a,2)&&g.HS(this.api)||(g.RO(a)?this.api.pauseVideo():(this.Fm&&(a=this.Fm.B,document.activeElement===a.element&&this.api.ma("largeplaybuttonclicked",a.element)),this.api.GG(),this.api.playVideo(),this.Fm&&document.activeElement===this.Fm.B.element&&this.api.getRootNode().focus()))}; +g.k.e7=function(a){var b=this,c=this.api.getPresentingPlayerType();if(!HMa(this,CO(a)))if(a=this.api.V(),(this.api.V().K("player_doubletap_to_seek")||this.api.K("embeds_web_enable_mobile_dtts")&&this.api.V().T)&&this.vB)this.vB=!1;else if(a.Tb&&3!==c)try{this.api.toggleFullscreen().catch(function(d){b.lC(d)})}catch(d){this.lC(d)}}; +g.k.lC=function(a){String(a).includes("fullscreen error")?g.DD(a):g.CD(a)}; +g.k.f7=function(a){KMa(this,.3,a.scale);g.EO(a)}; +g.k.g7=function(a){KMa(this,.1,a.scale)}; +g.k.Db=function(){var a=this.api.jb().getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Ve.resize();g.Up(b,"ytp-fullscreen",this.api.isFullscreen());g.Up(b,"ytp-large-width-mode",c);g.Up(b,"ytp-small-mode",this.Wg());g.Up(b,"ytp-tiny-mode",this.xG());g.Up(b,"ytp-big-mode",this.yg());this.rg&&this.rg.resize(a)}; +g.k.Hi=function(a){this.pc(a.state);this.wp()}; +g.k.TD=aa(31);g.k.SL=function(){var a=!!this.GC&&!this.api.Af()&&!this.pO,b=2===this.api.getPresentingPlayerType(),c=this.api.V();if(b){if(S8a&&c.K("enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=MT(this.api.wb());return a&&b.qP()}return a&&(c.vl||this.api.isFullscreen()||c.ij)}; +g.k.wp=function(){var a=this.SL();this.To!==a&&(this.To=a,g.Up(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; +g.k.pc=function(a){var b=a.isCued()||this.api.Mo()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.OP&&this.Hc(this.OP),this.OP=this.S(this.api.jb(),"touchstart",this.i7,void 0,b));var c=a.bd()&&!g.S(a,32)||this.api.AC();QT(this.Ve,128,!c);c=3===this.api.getPresentingPlayerType();QT(this.Ve,256,c);c=this.api.getRootNode();if(g.S(a,2))var d=[a4.ENDED];else d=[],g.S(a,8)?d.push(a4.PLAYING):g.S(a,4)&&d.push(a4.PAUSED),g.S(a,1)&&!g.S(a,32)&&d.push(a4.BUFFERING),g.S(a,32)&& +d.push(a4.SEEKING),g.S(a,64)&&d.push(a4.UNSTARTED);g.Mb(this.jK,d)||(g.Tp(c,this.jK),this.jK=d,g.Rp(c,d));d=this.api.V();var e=g.S(a,2);a:{var f=this.api.V();var h=f.controlsType;switch(h){case "2":case "0":f=!1;break a}f="3"===h&&!g.S(a,2)||this.isCued||(2!==this.api.getPresentingPlayerType()?0:z8a(MT(this.api.wb())))||g.fK(f)&&2===this.api.getPresentingPlayerType()?!1:!0}g.Up(c,"ytp-hide-controls",!f);g.Up(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.vM);g.S(a,128)&&!g.fK(d)?(this.rg|| +(this.rg=new g.XT(this.api),g.E(this,this.rg),g.NS(this.api,this.rg.element,4)),this.rg.u(a.getData()),this.rg.show()):this.rg&&(this.rg.dispose(),this.rg=null)}; +g.k.Il=function(){return this.api.nk()&&this.api.xo()?(this.api.Rz(!1,!1),!0):this.api.Af()?(g.IS(this.api,!0),!0):!1}; +g.k.onMutedAutoplayChange=function(a){this.vM=a;this.fl()}; +g.k.yg=function(){return!1}; +g.k.Wg=function(){return!this.yg()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; +g.k.xG=function(){return this.Wg()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height)}; +g.k.Sb=function(){var a=this.api.V();if(!g.fK(a)||"EMBEDDED_PLAYER_MODE_DEFAULT"!==(a.Qa||"EMBEDDED_PLAYER_MODE_DEFAULT")||this.api.getPlaylist())return!1;a=this.qC;var b,c;return a.width<=a.height&&!!(null==(b=this.api.getVideoData())?0:null==(c=b.embeddedPlayerConfig)?0:c.isShortsExperienceEligible)}; +g.k.Ql=function(){return this.qI}; +g.k.Nm=function(){return null}; +g.k.PF=function(){return null}; +g.k.zk=function(){var a=this.api.jb().getPlayerSize();return new g.Em(0,0,a.width,a.height)}; g.k.handleGlobalKeyDown=function(){return!1}; g.k.handleGlobalKeyUp=function(){return!1}; -g.k.To=function(){}; -g.k.showControls=function(a){void 0!==a&&fK(g.cG(this.api),a)}; -g.k.tk=function(){}; -g.k.oD=function(){return null};g.u(WU,g.V);WU.prototype.onClick=function(){this.J.xa("BACK_CLICKED")};g.u(g.XU,g.V);g.XU.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -g.XU.prototype.hide=function(){this.B.stop();g.V.prototype.hide.call(this)}; -g.XU.prototype.gn=function(a){a?g.U(g.uK(this.J),64)||YU(this,Zna(),"Play"):(a=this.J.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?YU(this,aoa(),"Stop live playback"):YU(this,Xna(),"Pause"))};g.u($U,g.V);g.k=$U.prototype;g.k.fI=function(){g.ST(this.J)&&g.TT(this.J)&&this.zf()&&this.nb()}; -g.k.kS=function(){this.nb();g.Po("iv-teaser-clicked",null!=this.u);this.J.setCardsVisible(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}; -g.k.IM=function(){g.Po("iv-teaser-mouseover");this.u&&this.u.stop()}; -g.k.LQ=function(a){this.u||!a||g.TT(this.J)||this.B&&this.B.isActive()||(this.Bc(a),g.Po("iv-teaser-shown"))}; -g.k.Bc=function(a){this.ya("text",a.teaserText);this.element.setAttribute("dir",g.Bn(a.teaserText));this.D.show();this.B=new g.F(function(){g.I(this.J.getRootNode(),"ytp-cards-teaser-shown");this.ZA()},0,this); -this.B.start();aV(this.Di,!1);this.u=new g.F(this.nb,580+a.durationMs,this);this.u.start();this.F.push(this.wa("mouseover",this.VE,this));this.F.push(this.wa("mouseout",this.UE,this))}; -g.k.ZA=function(){if(g.hD(this.J.T())&&this.fb){var a=this.Di.element.offsetLeft,b=g.se("ytp-cards-button-icon"),c=this.J.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Di.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; -g.k.GJ=function(){g.hD(this.J.T())&&this.X.Ie()&&this.fb&&this.P.start()}; -g.k.VE=function(){this.I.stop();this.u&&this.u.isActive()&&this.K.start()}; -g.k.UE=function(){this.K.stop();this.u&&!this.u.isActive()&&this.I.start()}; -g.k.wP=function(){this.u&&this.u.stop()}; -g.k.vP=function(){this.nb()}; -g.k.nb=function(){!this.u||this.C&&this.C.isActive()||(g.Po("iv-teaser-hidden"),this.D.hide(),g.sn(this.J.getRootNode(),"ytp-cards-teaser-shown"),this.C=new g.F(function(){for(var a=g.q(this.F),b=a.next();!b.done;b=a.next())this.Mb(b.value);this.F=[];this.u&&(this.u.dispose(),this.u=null);aV(this.Di,!0)},330,this),this.C.start())}; -g.k.zf=function(){return this.fb&&4!==this.D.state}; -g.k.ca=function(){var a=this.J.getRootNode();a&&g.sn(a,"ytp-cards-teaser-shown");g.gg(this.B,this.C,this.u);g.V.prototype.ca.call(this)};g.u(bV,g.V);g.k=bV.prototype;g.k.Bc=function(){this.B.show();g.Po("iv-button-shown")}; -g.k.nb=function(){g.Po("iv-button-hidden");this.B.hide()}; -g.k.zf=function(){return this.fb&&4!==this.B.state}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)}; -g.k.YO=function(){g.Po("iv-button-mouseover")}; -g.k.onClicked=function(a){g.ST(this.J);var b=g.qn(this.J.getRootNode(),"ytp-cards-teaser-shown");g.Po("iv-teaser-clicked",b);a=0===a.screenX&&0===a.screenY;this.J.setCardsVisible(!g.TT(this.J),a,"YOUTUBE_DRAWER_MANUAL_OPEN")};var Tta=new Set("embed_config endscreen_ad_tracking home_group_info ic_track player_request watch_next_request".split(" "));var f2={},fV=(f2.BUTTON="ytp-button",f2.TITLE_NOTIFICATIONS="ytp-title-notifications",f2.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f2.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f2.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f2);g.u(gV,g.V);gV.prototype.onClick=function(){g.$T(this.api,this.element);var a=!this.u;this.ya("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.ya("pressed",a);Wta(this,a)};g.u(g.iV,g.V);g.iV.prototype.B=function(){g.I(this.element,"ytp-sb-subscribed")}; -g.iV.prototype.C=function(){g.sn(this.element,"ytp-sb-subscribed")};g.u(jV,g.V);g.k=jV.prototype;g.k.hA=function(){aua(this);this.channel.classList.remove("ytp-title-expanded")}; +g.k.Uv=function(){}; +g.k.showControls=function(a){void 0!==a&&this.api.jb().SD(a)}; +g.k.tp=function(){}; +g.k.TL=function(){return this.qC};g.w(gU,g.dE);g.k=gU.prototype;g.k.Jl=function(){return 1E3*this.api.getDuration(this.In,!1)}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(){var a=this.api.getProgressState(this.In);this.u={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:this.api.getCurrentTime(this.In,!1)};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(LMa,g.U);LMa.prototype.onClick=function(){this.F.Na("BACK_CLICKED")};g.w(g.hU,g.U);g.hU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.j)}; +g.hU.prototype.hide=function(){this.u.stop();g.U.prototype.hide.call(this)}; +g.hU.prototype.nw=function(a){a?g.S(this.F.Cb(),64)||iU(this,pQ(),"Play"):(a=this.F.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?iU(this,VEa(),"Stop live playback"):iU(this,REa(),"Pause"))};g.w(PMa,g.U);g.k=PMa.prototype;g.k.od=function(){this.F.V().K("player_new_info_card_format")&&g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown")&&!g.fK(this.F.V())||(this.u.show(),g.rC("iv-button-shown"))}; +g.k.Fb=function(){g.rC("iv-button-hidden");this.u.hide()}; +g.k.ej=function(){return this.yb&&4!==this.u.state}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)}; +g.k.f6=function(){g.rC("iv-button-mouseover")}; +g.k.L5=function(a){this.F.nk();var b=g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown");g.rC("iv-teaser-clicked",b);var c;if(null==(c=this.F.getVideoData())?0:g.MM(c)){var d;a=null==(d=this.F.getVideoData())?void 0:g.NM(d);(null==a?0:a.onIconTapCommand)&&this.F.Na("innertubeCommand",a.onIconTapCommand)}else d=0===a.screenX&&0===a.screenY,this.F.Rz(!this.F.xo(),d,"YOUTUBE_DRAWER_MANUAL_OPEN")};g.w(QMa,g.U);g.k=QMa.prototype;g.k.CY=function(){this.F.nk()&&this.F.xo()&&this.ej()&&this.Fb()}; +g.k.DP=function(){this.Fb();!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb();g.rC("iv-teaser-clicked",null!=this.j);if(this.onClickCommand)this.F.Na("innertubeCommand",this.onClickCommand);else{var a;(null==(a=this.F.getVideoData())?0:g.MM(a))||this.F.Rz(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}}; +g.k.g0=function(){g.rC("iv-teaser-mouseover");this.j&&this.j.stop()}; +g.k.E7=function(a){this.F.V().K("player_new_info_card_format")&&!g.fK(this.F.V())?this.Wi.Fb():this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.od();this.j||!a||this.F.xo()||this.u&&this.u.isActive()||(this.od(a),g.rC("iv-teaser-shown"))}; +g.k.od=function(a){this.onClickCommand=a.onClickCommand;this.updateValue("text",a.teaserText);this.element.setAttribute("dir",g.fq(a.teaserText));this.C.show();this.u=new g.Ip(function(){g.Qp(this.F.getRootNode(),"ytp-cards-teaser-shown");this.F.K("player_new_info_card_format")&&!g.fK(this.F.V())&&this.Wi.Fb();this.aQ()},0,this); +this.u.start();OMa(this.Wi,!1);this.j=new g.Ip(this.Fb,580+a.durationMs,this);this.j.start();this.D.push(this.Ra("mouseover",this.ER,this));this.D.push(this.Ra("mouseout",this.DR,this))}; +g.k.aQ=function(){if(!this.F.V().K("player_new_info_card_format")&&g.fK(this.F.V())&&this.yb){var a=this.Wi.element.offsetLeft,b=g.kf("ytp-cards-button-icon"),c=this.F.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Wi.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; +g.k.m2=function(){g.fK(this.F.V())&&this.Z.Wg()&&this.yb&&this.T.start()}; +g.k.ER=function(){this.I.stop();this.j&&this.j.isActive()&&this.J.start()}; +g.k.DR=function(){this.J.stop();this.j&&!this.j.isActive()&&this.I.start()}; +g.k.s6=function(){this.j&&this.j.stop()}; +g.k.r6=function(){this.Fb()}; +g.k.Zo=function(){this.Fb()}; +g.k.Fb=function(){!this.j||this.B&&this.B.isActive()||(g.rC("iv-teaser-hidden"),this.C.hide(),g.Sp(this.F.getRootNode(),"ytp-cards-teaser-shown"),this.B=new g.Ip(function(){for(var a=g.t(this.D),b=a.next();!b.done;b=a.next())this.Hc(b.value);this.D=[];this.j&&(this.j.dispose(),this.j=null);OMa(this.Wi,!0);!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb()},330,this),this.B.start())}; +g.k.ej=function(){return this.yb&&4!==this.C.state}; +g.k.qa=function(){var a=this.F.getRootNode();a&&g.Sp(a,"ytp-cards-teaser-shown");g.$a(this.u,this.B,this.j);g.U.prototype.qa.call(this)};var f4={},kU=(f4.BUTTON="ytp-button",f4.TITLE_NOTIFICATIONS="ytp-title-notifications",f4.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f4.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f4.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f4);g.w(RMa,g.U);RMa.prototype.onClick=function(){this.api.qb(this.element);var a=!this.j;this.updateValue("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.updateValue("pressed",a);SMa(this,a)};g.Fa("yt.pubsub.publish",g.rC);g.w(g.nU,g.U);g.nU.prototype.C=function(){window.location.reload()}; +g.nU.prototype.j=function(){g.Qp(this.element,"ytp-sb-subscribed")}; +g.nU.prototype.u=function(){g.Sp(this.element,"ytp-sb-subscribed")};g.w(VMa,g.U);g.k=VMa.prototype;g.k.I5=function(a){this.api.qb(this.j);var b=this.api.V();b.u||b.tb?XMa(this)&&(this.isExpanded()?this.nF():this.CF()):g.gk(oU(this));a.preventDefault()}; +g.k.RO=function(){ZMa(this);this.channel.classList.remove("ytp-title-expanded")}; g.k.isExpanded=function(){return this.channel.classList.contains("ytp-title-expanded")}; -g.k.Sx=function(){if(Zta(this)&&!this.isExpanded()){this.ya("flyoutUnfocusable","false");this.ya("channelTitleFocusable","0");this.C&&this.C.stop();this.subscribeButton&&(this.subscribeButton.show(),g.QN(this.api,this.subscribeButton.element,!0));var a=this.api.getVideoData();this.B&&a.kp&&a.subscribed&&(this.B.show(),g.QN(this.api,this.B.element,!0));this.channel.classList.add("ytp-title-expanded");this.channel.classList.add("ytp-title-show-expanded")}}; -g.k.yx=function(){this.ya("flyoutUnfocusable","true");this.ya("channelTitleFocusable","-1");this.C&&this.C.start()}; -g.k.oa=function(){var a=this.api.getVideoData(),b=this.api.T(),c=!1;2===this.api.getPresentingPlayerType()?c=!!a.videoId&&!!a.isListed&&!!a.author&&!!a.Ek&&!!a.lf:g.hD(b)&&(c=!!a.videoId&&!!a.Ek&&!!a.lf&&!(a.qc&&b.pfpChazalUi));b=g.TD(this.api.T())+a.Ek;g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_ch_name_ex")));var d=a.Ek,e=a.lf,f=a.author;d=void 0===d?"":d;e=void 0===e?"":e;f=void 0===f?"":f;c?(d=g.TD(this.api.T())+d,this.I!==e&&(this.u.style.backgroundImage="url("+e+")",this.I=e),this.ya("channelLink", -d),this.ya("channelLogoLabel",g.tL("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:f})),g.I(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.sn(this.api.getRootNode(),"ytp-title-enable-channel-logo");g.QN(this.api,this.u,c&&this.R);this.subscribeButton&&(this.subscribeButton.channelId=a.kg);this.ya("expandedTitle",a.Rx);this.ya("channelTitleLink",b);this.ya("expandedSubtitle",a.expandedSubtitle)};g.u(g.lV,g.KN);g.lV.prototype.ya=function(a,b){g.KN.prototype.ya.call(this,a,b);this.V("size-change")};g.u(oV,g.KN);oV.prototype.JF=function(){this.V("size-change")}; -oV.prototype.focus=function(){this.content.focus()}; -oV.prototype.rO=function(){this.V("back")};g.u(g.pV,oV);g.pV.prototype.Wb=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{var c=g.xb(this.items,a,bua);if(0<=c)return;c=~c;g.ub(this.items,c,0,a);g.Ie(this.menuItems.element,a.element,c)}a.subscribe("size-change",this.Hz,this);this.menuItems.V("size-change")}; -g.pV.prototype.re=function(a){a.unsubscribe("size-change",this.Hz,this);this.na()||(g.ob(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.V("size-change"))}; -g.pV.prototype.Hz=function(){this.menuItems.V("size-change")}; -g.pV.prototype.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone(); -d&&(h=a,e=b,f=5,65==(f&65)&&(h.x=d.right)&&(f&=-2),132==(f&132)&&(h.y=d.bottom)&&(f&=-5),h.xd.right&&(e.width=Math.min(d.right-h.x,c+e.width-d.left),e.width=Math.max(e.width,0))),h.x+e.width>d.right&&f&1&&(h.x=Math.max(d.right-e.width,d.left)),h.yd.bottom&&(e.height=Math.min(d.bottom-h.y,c+e.height-d.top),e.height=Math.max(e.height, -0))),h.y+e.height>d.bottom&&f&4&&(h.y=Math.max(d.bottom-e.height,d.top)));d=new g.jg(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Cg(this.element,new g.ge(d.left,d.top));g.ut(this.I);this.I.N(document,"contextmenu",this.OO);this.I.N(this.J,"fullscreentoggled",this.KM);this.I.N(this.J,"pageTransition",this.LM)}}; -g.k.OO=function(a){if(!g.kp(a)){var b=fp(a);g.Me(this.element,b)||this.nb();this.J.T().disableNativeContextMenu&&g.ip(a)}}; -g.k.KM=function(){this.nb();hua(this)}; -g.k.LM=function(){this.nb()};g.u(CV,g.V);CV.prototype.onClick=function(){return We(this,function b(){var c=this,d,e,f,h;return xa(b,function(l){if(1==l.u)return d=c.api.T(),e=c.api.getVideoData(),f=c.api.getPlaylistId(),h=d.getVideoUrl(e.videoId,f,void 0,!0),sa(l,jua(c,h),2);l.B&&iua(c);g.$T(c.api,c.element);l.u=0})})}; -CV.prototype.oa=function(){var a=this.api.T(),b=this.api.getVideoData();this.ya("icon",{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.ya("title-attr","Copy link");var c=g.cG(this.api).getPlayerSize().width;this.visible= -!!b.videoId&&240<=c&&b.Xr&&!(b.qc&&a.pfpChazalUi);g.J(this.element,"ytp-copylink-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -CV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -CV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-copylink-button-visible")};g.u(FV,g.V);FV.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -FV.prototype.hide=function(){this.B.stop();g.sn(this.element,"ytp-chapter-seek");g.V.prototype.hide.call(this)}; -FV.prototype.Jr=function(a,b,c,d){var e=-1===a?this.D:this.C;e&&g.$T(this.J,e);this.u.rg();this.B.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*g.cG(this.J).getPlayerSize().height;e=g.cG(this.J).getPlayerSize();e=e.width/3-3*e.height;var h=this.ka("ytp-doubletap-static-circle");h.style.width=f+"px";h.style.height=f+"px";1===a?(h.style.left="",h.style.right=e+"px"):-1===a&&(h.style.right="",h.style.left=e+"px");var l=2.5*f;f=l/2;h=this.ka("ytp-doubletap-ripple");h.style.width= -l+"px";h.style.height=l+"px";1===a?(a=g.cG(this.J).getPlayerSize().width-b+Math.abs(e),h.style.left="",h.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,h.style.right="",h.style.left=a-f+"px");h.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.ka("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");kua(this,d)};var ZCa={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(ZCa).reduce(function(a,b){a[ZCa[b]]=b;return a},{}); -var $Ca={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys($Ca).reduce(function(a,b){a[$Ca[b]]=b;return a},{}); -var aDa={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(aDa).reduce(function(a,b){a[aDa[b]]=b;return a},{});var g2,bDa;g2=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];bDa=[{option:0,text:HV(0)},{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]; -g.KV=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:g2},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:HV(.5)},{option:-1,text:HV(.75)},{option:0,text:HV(1)},{option:1,text:HV(1.5)},{option:2,text:HV(2)}, -{option:3,text:HV(3)},{option:4,text:HV(4)}]},{option:"background",text:"Background color",options:g2},{option:"backgroundOpacity",text:"Background opacity",options:bDa},{option:"windowColor",text:"Window color",options:g2},{option:"windowOpacity",text:"Window opacity",options:bDa},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity",text:"Font opacity", -options:[{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]}];g.u(g.JV,g.tR);g.k=g.JV.prototype; -g.k.AD=function(a){var b=!1,c=g.lp(a),d=fp(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey,f=!1,h=!1,l=this.api.T();g.kp(a)?(e=!1,h=!0):l.Hg&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role");break;case 38:case 40:m=d.getAttribute("role"), -d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);ZU(this.Tb,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);ZU(this.Tb,f,!0);this.api.setVolume(f);h=f=!0;break;case 36:this.api.He()&&(this.api.seekTo(0), -h=f=!0);break;case 35:this.api.He()&&(this.api.seekTo(Infinity),h=f=!0)}}b&&this.tA(!0);(b||h)&&this.Nc.tk();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.ip(a);l.C&&(a={keyCode:g.lp(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.kp(a),fullscreen:this.api.isFullscreen()},this.api.xa("onKeyPress",a))}; -g.k.BD=function(a){this.handleGlobalKeyUp(g.lp(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; -g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.PT(g.HT(this.api));c&&(c=c.Ml)&&c.fb&&(c.yD(a),b=!0);9===a&&(this.tA(!0),b=!0);return b}; -g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){e=!1;c=this.api.T();if(c.Hg)return e;var h=g.PT(g.HT(this.api));if(h&&(h=h.Ml)&&h.fb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:e=h.xD(a)}c.I||e||(e=f||String.fromCharCode(a).toLowerCase(),this.B+=e,0==="awesome".indexOf(this.B)?(e=!0,7===this.B.length&&un(this.api.getRootNode(),"ytp-color-party")):(this.B=e,e=0==="awesome".indexOf(this.B)));if(!e){f=(f=this.api.getVideoData())?f.Ea:[];switch(a){case 80:b&&!c.aa&&(YU(this.Tb, -$na(),"Previous"),this.api.previousVideo(),e=!0);break;case 78:b&&!c.aa&&(YU(this.Tb,$N(),"Next"),this.api.nextVideo(),e=!0);break;case 74:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(-10*this.api.getPlaybackRate()),e=!0);break;case 76:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(10*this.api.getPlaybackRate()),e=!0);break;case 37:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=nua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,-1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), -this.api.seekBy(-5*this.api.getPlaybackRate()),e=!0));break;case 39:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=mua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&null!=this.u?GV(this.u,1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), -this.api.seekBy(5*this.api.getPlaybackRate()),e=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),ZU(this.Tb,this.api.getVolume(),!1)):(this.api.mute(),ZU(this.Tb,0,!0));e=!0;break;case 32:case 75:c.aa||(b=!g.GM(g.uK(this.api)),this.Tb.gn(b),b?this.api.playVideo():this.api.pauseVideo(),e=!0);break;case 190:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b+.25,!0),Sta(this.Tb,!1),e=!0):this.api.He()&&(pua(this,1),e=!0);break;case 188:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b- -.25,!0),Sta(this.Tb,!0),e=!0):this.api.He()&&(pua(this,-1),e=!0);break;case 70:Eta(this.api)&&(this.api.toggleFullscreen()["catch"](function(){}),e=!0); -break;case 27:this.D()&&(e=!0)}if("3"!==c.controlsType)switch(a){case 67:g.nU(g.HT(this.api))&&(c=this.api.getOption("captions","track"),this.api.toggleSubtitles(),YU(this.Tb,Sna(),!c||c&&!c.displayName?"Subtitles/closed captions on":"Subtitles/closed captions off"),e=!0);break;case 79:LV(this,"textOpacity");break;case 87:LV(this,"windowOpacity");break;case 187:case 61:LV(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LV(this,"fontSizeIncrement",!0,!0)}var l;48<=a&&57>=a?l=a-48:96<=a&&105>= -a&&(l=a-96);null!=l&&this.api.He()&&(a=this.api.getProgressState(),this.api.seekTo(l/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),e=!0);e&&this.Nc.tk()}return e}; -g.k.tA=function(a){g.J(this.api.getRootNode(),"ytp-probably-keyboard-focus",a);g.J(this.contextMenu.element,"ytp-probably-keyboard-focus",a)}; -g.k.ca=function(){this.C.rg();g.tR.prototype.ca.call(this)};g.u(MV,g.V);MV.prototype.oa=function(){var a=g.hD(this.J.T())&&g.NT(this.J)&&g.U(g.uK(this.J),128),b=this.J.getPlayerSize();this.visible=this.u.Ie()&&!a&&240<=b.width&&!(this.J.getVideoData().qc&&this.J.T().pfpChazalUi);g.J(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&EV(this.tooltip);g.QN(this.J,this.element,this.visible&&this.R)}; -MV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)}; -MV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-overflow-button-visible")};g.u(NV,g.OU);g.k=NV.prototype;g.k.RM=function(a){a=fp(a);g.Me(this.element,a)&&(g.Me(this.B,a)||g.Me(this.closeButton,a)||PU(this))}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){this.fb&&this.J.V("OVERFLOW_PANEL_OPENED");g.OU.prototype.show.call(this);qua(this,!0)}; -g.k.hide=function(){g.OU.prototype.hide.call(this);qua(this,!1)}; -g.k.QM=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){for(var a=g.q(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.fb){b.focus();break}};g.u(PV,g.V);PV.prototype.Mc=function(a){this.element.setAttribute("aria-checked",String(a))}; -PV.prototype.onClick=function(a){g.AU(a,this.api)&&this.api.playVideoAt(this.index)};g.u(QV,g.OU);g.k=QV.prototype;g.k.show=function(){g.OU.prototype.show.call(this);this.C.N(this.api,"videodatachange",this.qz);this.C.N(this.api,"onPlaylistUpdate",this.qz);this.qz()}; -g.k.hide=function(){g.OU.prototype.hide.call(this);g.ut(this.C);this.updatePlaylist(null)}; -g.k.qz=function(){this.updatePlaylist(this.api.getPlaylist())}; -g.k.Xv=function(){var a=this.playlist,b=a.xu;if(b===this.D)this.selected.Mc(!1),this.selected=this.B[a.index];else{for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.dispose();c=a.getLength();this.B=[];for(d=0;dthis.api.getPlayerSize().width));c=b.profilePicture;a=g.fK(a)?b.ph:b.author;c=void 0===c?"":c;a=void 0===a?"":a;this.C?(this.J!==c&&(this.j.style.backgroundImage="url("+c+")",this.J=c),this.api.K("web_player_ve_conversion_fixes_for_channel_info")|| +this.updateValue("channelLink",oU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,this.C&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",oU(this));this.updateValue("expandedSubtitle", +b.expandedSubtitle)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.j,this.C&&a)};g.w(pU,g.dQ);pU.prototype.cW=function(){this.ma("size-change")}; +pU.prototype.focus=function(){this.content.focus()}; +pU.prototype.WV=function(){this.ma("back")};g.w(g.qU,pU);g.k=g.qU.prototype;g.k.Zc=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{b=g.Jb(this.items,a,aNa);if(0<=b)return;b=~b;g.Gb(this.items,b,0,a);g.wf(this.menuItems.element,a.element,b)}a.subscribe("size-change",this.WN,this);this.menuItems.ma("size-change")}; +g.k.jh=function(a){a.unsubscribe("size-change",this.WN,this);this.isDisposed()||(g.wb(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.ma("size-change"))}; +g.k.WN=function(){this.menuItems.ma("size-change")}; +g.k.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone();d&&(h=b,e=5,65==(e&65)&&(a.x=d.right)&&(e&=-2),132==(e&132)&&(a.y< +d.top||a.y>=d.bottom)&&(e&=-5),a.xd.right&&(h.width=Math.min(d.right-a.x,f+h.width-d.left),h.width=Math.max(h.width,0))),a.x+h.width>d.right&&e&1&&(a.x=Math.max(d.right-h.width,d.left)),a.yd.bottom&&(h.height=Math.min(d.bottom-a.y,f+h.height-d.top),h.height=Math.max(h.height,0))),a.y+h.height>d.bottom&&e&4&&(a.y=Math.max(d.bottom-h.height,d.top))); +d=new g.Em(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Nm(this.element,new g.Fe(d.left,d.top));g.Lz(this.C);this.C.S(document,"contextmenu",this.W5);this.C.S(this.F,"fullscreentoggled",this.onFullscreenToggled);this.C.S(this.F,"pageTransition",this.l0)}; +g.k.W5=function(a){if(!g.DO(a)){var b=CO(a);g.zf(this.element,b)||this.Fb();this.F.V().disableNativeContextMenu&&g.EO(a)}}; +g.k.onFullscreenToggled=function(){this.Fb();kNa(this)}; +g.k.l0=function(){this.Fb()};g.w(g.yU,g.U);g.yU.prototype.onClick=function(){var a=this,b,c,d,e;return g.A(function(f){if(1==f.j)return b=a.api.V(),c=a.api.getVideoData(),d=a.api.getPlaylistId(),e=b.getVideoUrl(c.videoId,d,void 0,!0),g.y(f,nNa(a,e),2);f.u&&mNa(a);a.api.qb(a.element);g.oa(f)})}; +g.yU.prototype.Pa=function(){this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.updateValue("title-attr","Copy link");this.visible=lNa(this);g.Up(this.element,"ytp-copylink-button-visible", +this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,this.visible&&this.ea)}; +g.yU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.yU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-copylink-button-visible")};g.w(AU,g.U);AU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.u)}; +AU.prototype.hide=function(){this.C.stop();this.B=0;g.Sp(this.element,"ytp-chapter-seek");g.Sp(this.element,"ytp-time-seeking");g.U.prototype.hide.call(this)}; +AU.prototype.GD=function(a,b,c,d){this.B=a===this.I?this.B+d:d;this.I=a;var e=-1===a?this.T:this.J;e&&this.F.qb(e);this.D?this.u.stop():g.Lp(this.u);this.C.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*this.F.jb().getPlayerSize().height;e=this.F.jb().getPlayerSize();e=e.width/3-3*e.height;this.j.style.width=f+"px";this.j.style.height=f+"px";1===a?(this.j.style.left="",this.j.style.right=e+"px"):-1===a&&(this.j.style.right="",this.j.style.left=e+"px");var h=2.5*f;f= +h/2;var l=this.Da("ytp-doubletap-ripple");l.style.width=h+"px";l.style.height=h+"px";1===a?(a=this.F.jb().getPlayerSize().width-b+Math.abs(e),l.style.left="",l.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,l.style.right="",l.style.left=a-f+"px");l.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.Da("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");oNa(this,this.D?this.B:d)};g.w(EU,g.U);g.k=EU.prototype;g.k.YG=function(){}; +g.k.WC=function(){}; +g.k.Yz=function(){return!0}; +g.k.g9=function(){if(this.expanded){this.Ga.show();var a=this.B.element.scrollWidth}else a=this.B.element.scrollWidth,this.Ga.hide();this.fb=34+a;g.Up(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.fb)+"px";this.Aa.start()}; +g.k.S2=function(){this.badge.element.style.width=(this.expanded?this.fb:34)+"px";this.La.start()}; +g.k.K9=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!0)}; +g.k.oP=function(){return this.Z||this.C||!this.D}; +g.k.dl=function(){this.Yz()?this.I.show():this.I.hide();qNa(this)}; +g.k.n0=function(){this.enabled=!1;this.dl()}; +g.k.J9=function(){this.dl()}; +g.k.F5=function(a){this.Xa=1===a;this.dl();g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!1)}; +g.k.Z5=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-fullscreen",this.F.isFullscreen());this.dl()};g.w(sNa,EU);g.k=sNa.prototype;g.k.Yz=function(){return!!this.J}; +g.k.oP=function(){return!!this.J}; +g.k.YG=function(a){a.target===this.dismissButton.element?a.preventDefault():FU(this,!1)}; +g.k.WC=function(){FU(this,!0);this.NH()}; +g.k.W8=function(a){var b;if(a.id!==(null==(b=this.J)?void 0:b.identifier)){this.NH();b=g.t(this.T);for(var c=b.next();!c.done;c=b.next()){var d=c.value,e=void 0,f=void 0;(c=null==(e=d)?void 0:null==(f=e.bannerData)?void 0:f.itemData)&&d.identifier===a.id&&(this.J=d,cQ(this.banner,c.accessibilityLabel||""),f=d=void 0,e=null==(f=g.K(g.K(c.onTapCommand,g.gT),g.pM))?void 0:f.url,this.banner.update({url:e,thumbnail:null==(d=(c.thumbnailSources||[])[0])?void 0:d.url,title:c.productTitle,vendor:c.vendorName, +price:c.price}),c.trackingParams&&(this.j=!0,this.F.og(this.badge.element,c.trackingParams)),this.I.show(),DU(this))}}}; +g.k.NH=function(){this.J&&(this.J=void 0,this.dl())}; +g.k.onVideoDataChange=function(a,b){var c=this;"dataloaded"===a&&tNa(this);var d,e;if(null==b?0:null==(d=b.getPlayerResponse())?0:null==(e=d.videoDetails)?0:e.isLiveContent){a=b.shoppingOverlayRenderer;var f=null==a?void 0:a.featuredProductsEntityKey,h;if(b=null==a?void 0:null==(h=a.dismissButton)?void 0:h.trackingParams)this.F.og(this.dismissButton.element,b),this.u=!0;var l;(h=null==a?void 0:null==(l=a.dismissButton)?void 0:l.a11yLabel)&&cQ(this.dismissButton,g.gE(h));this.T.length||uNa(this,f); +var m;null==(m=this.Ja)||m.call(this);this.Ja=g.sM.subscribe(function(){uNa(c,f)})}else this.NH()}; +g.k.qa=function(){tNa(this);EU.prototype.qa.call(this)};g.w(xNa,g.U);xNa.prototype.onClick=function(){this.F.qb(this.element,this.u)};g.w(yNa,g.PS);g.k=yNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.F.ma("infopaneldetailvisibilitychange",!0);this.F.Ua(this.element,!0);zNa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.F.ma("infopaneldetailvisibilitychange",!1);this.F.Ua(this.element,!1);zNa(this,!1)}; +g.k.getId=function(){return this.C}; +g.k.Ho=function(){return this.itemData.length}; +g.k.onVideoDataChange=function(a,b){if(b){var c,d,e,f;this.update({title:(null==(c=b.lm)?void 0:null==(d=c.title)?void 0:d.content)||"",body:(null==(e=b.lm)?void 0:null==(f=e.bodyText)?void 0:f.content)||""});var h;a=(null==(h=b.lm)?void 0:h.trackingParams)||null;this.F.og(this.element,a);h=g.t(this.itemData);for(a=h.next();!a.done;a=h.next())a.value.dispose();this.itemData=[];var l;if(null==(l=b.lm)?0:l.ctaButtons)for(b=g.t(b.lm.ctaButtons),l=b.next();!l.done;l=b.next())if(l=g.K(l.value,dab))l=new xNa(this.F, +l,this.j),l.De&&(this.itemData.push(l),l.Ea(this.items))}}; +g.k.qa=function(){this.hide();g.PS.prototype.qa.call(this)};g.w(CNa,g.U);g.k=CNa.prototype;g.k.onVideoDataChange=function(a,b){BNa(this,b);this.Te&&ENa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&BNa(this,b);ENa(this,a.state);this.Te=a.state}; +g.k.dW=function(a){(this.C=a)?this.hide():this.j&&this.show()}; +g.k.q0=function(){this.u||this.od();this.showControls=!0}; +g.k.o0=function(){this.u||this.Fb();this.showControls=!1}; +g.k.od=function(){this.j&&!this.C&&(this.B.show(),this.F.ma("infopanelpreviewvisibilitychange",!0),this.F.Ua(this.element,!0))}; +g.k.Fb=function(){this.j&&!this.C&&(this.B.hide(),this.F.ma("infopanelpreviewvisibilitychange",!1),this.F.Ua(this.element,!1))}; +g.k.Z8=function(){this.u=!1;this.showControls||this.Fb()};var Wcb={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(Wcb).reduce(function(a,b){a[Wcb[b]]=b;return a},{}); +var Xcb={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys(Xcb).reduce(function(a,b){a[Xcb[b]]=b;return a},{}); +var Ycb={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(Ycb).reduce(function(a,b){a[Ycb[b]]=b;return a},{});var Zcb,$cb;Zcb=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];$cb=[{option:0,text:GU(0)},{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]; +g.KU=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:Zcb},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:GU(.5)},{option:-1,text:GU(.75)},{option:0,text:GU(1)},{option:1,text:GU(1.5)},{option:2, +text:GU(2)},{option:3,text:GU(3)},{option:4,text:GU(4)}]},{option:"background",text:"Background color",options:Zcb},{option:"backgroundOpacity",text:"Background opacity",options:$cb},{option:"windowColor",text:"Window color",options:Zcb},{option:"windowOpacity",text:"Window opacity",options:$cb},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity", +text:"Font opacity",options:[{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]}];var adb=[27,9,33,34,13,32,187,61,43,189,173,95,79,87,67,80,78,75,70,65,68,87,83,107,221,109,219];g.w(g.JU,g.bI);g.k=g.JU.prototype; +g.k.oU=function(a){var b=!1,c=g.zO(a),d=CO(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey&&(!g.wS(this.api.app)||adb.includes(c)),f=!1,h=!1,l=this.api.V();g.DO(a)?(e=!1,h=!0):l.aj&&!g.wS(this.api.app)&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role"); +break;case 38:case 40:m=d.getAttribute("role"),d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);jU(this.Qc,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);jU(this.Qc,f,!0);this.api.setVolume(f); +h=f=!0;break;case 36:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(0),h=f=!0);break;case 35:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(Infinity),h=f=!0)}}b&&IU(this,!0);(b||h)&&this.Ve.tp();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.EO(a);l.I&&(a={keyCode:g.zO(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.DO(a),fullscreen:this.api.isFullscreen()},this.api.Na("onKeyPress",a))}; +g.k.pU=function(a){this.handleGlobalKeyUp(g.zO(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; +g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.LS(this.api.wb());c&&(c=c.Et)&&c.yb&&(c.kU(a),b=!0);9===a&&(IU(this,!0),b=!0);return b}; +g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){var h=!1;e=this.api.V();if(e.aj&&!g.wS(this.api.app))return h;var l=g.LS(this.api.wb());if(l&&(l=l.Et)&&l.yb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:h=l.jU(a)}e.J||h||(h=f||String.fromCharCode(a).toLowerCase(),this.u+=h,0==="awesome".indexOf(this.u)?(h=!0,7===this.u.length&&jla(this.api.getRootNode(),"ytp-color-party")):(this.u=h,h=0==="awesome".indexOf(this.u)));if(!h&&(!g.wS(this.api.app)||adb.includes(a))){l=this.api.getVideoData(); +var m,n;f=null==(m=this.Kc)?void 0:null==(n=m.u)?void 0:n.isEnabled;m=l?l.Pk:[];n=ZW?d:c;switch(a){case 80:b&&!e.Xa&&(iU(this.Qc,UEa(),"Previous"),this.api.previousVideo(),h=!0);break;case 78:b&&!e.Xa&&(iU(this.Qc,mQ(),"Next"),this.api.nextVideo(),h=!0);break;case 74:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,-1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(-10*this.api.getPlaybackRate()),h=!0);break;case 76:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(10*this.api.getPlaybackRate()),h=!0);break;case 37:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=HNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,-1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(this.j?BU(this.j,-1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), +this.api.seekBy(-5*this.api.getPlaybackRate()),h=!0));break;case 39:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=GNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(null!=this.j?BU(this.j,1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), +this.api.seekBy(5*this.api.getPlaybackRate()),h=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),jU(this.Qc,this.api.getVolume(),!1)):(this.api.mute(),jU(this.Qc,0,!0));h=!0;break;case 32:case 75:e.Xa||(LNa(this)&&this.api.Na("onExpandMiniplayer"),f?this.Kc.AL():(h=!g.RO(this.api.Cb()),this.Qc.nw(h),h?this.api.playVideo():this.api.pauseVideo()),h=!0);break;case 190:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h+.25,!0),MMa(this.Qc,!1),h=!0):this.api.yh()&&(this.step(1),h= +!0);break;case 188:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h-.25,!0),MMa(this.Qc,!0),h=!0):this.api.yh()&&(this.step(-1),h=!0);break;case 70:oMa(this.api)&&(this.api.toggleFullscreen().catch(function(){}),h=!0); +break;case 27:f?(this.Kc.Vr(),h=!0):this.C()&&(h=!0)}if("3"!==e.controlsType)switch(a){case 67:g.JT(this.api.wb())&&(e=this.api.getOption("captions","track"),this.api.toggleSubtitles(),NMa(this.Qc,!e||e&&!e.displayName),h=!0);break;case 79:LU(this,"textOpacity");break;case 87:LU(this,"windowOpacity");break;case 187:case 61:LU(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LU(this,"fontSizeIncrement",!0,!0)}var p;b||c||d||(48<=a&&57>=a?p=a-48:96<=a&&105>=a&&(p=a-96));null!=p&&this.api.yh()&& +(this.api.startSeekCsiAction(),a=this.api.getProgressState(),this.api.seekTo(p/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),h=!0);h&&this.Ve.tp()}return h}; +g.k.step=function(a){this.api.yh();if(g.QO(this.api.Cb())){var b=this.api.getVideoData().u;b&&(b=b.video)&&this.api.seekBy(a/(b.fps||30))}}; +g.k.qa=function(){g.Lp(this.B);g.bI.prototype.qa.call(this)};g.w(g.MU,g.U);g.MU.prototype.Sq=aa(33); +g.MU.prototype.Pa=function(){var a=this.F.V(),b=a.B||this.F.K("web_player_hide_overflow_button_if_empty_menu")&&this.Bh.Bf(),c=g.fK(a)&&g.KS(this.F)&&g.S(this.F.Cb(),128),d=this.F.getPlayerSize(),e=a.K("shorts_mode_to_player_api")?this.F.Sb():this.j.Sb();this.visible=this.j.Wg()&&!c&&240<=d.width&&!(this.F.getVideoData().D&&a.Z)&&!b&&!this.u&&!e;g.Up(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&$S(this.tooltip);this.F.Ua(this.element,this.visible&&this.ea)}; +g.MU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.F.Ua(this.element,this.visible&&a)}; +g.MU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-overflow-button-visible")};g.w(MNa,g.PS);g.k=MNa.prototype;g.k.r0=function(a){a=CO(a);g.zf(this.element,a)&&(g.zf(this.j,a)||g.zf(this.closeButton,a)||QS(this))}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element)}; +g.k.show=function(){this.yb&&this.F.ma("OVERFLOW_PANEL_OPENED");g.PS.prototype.show.call(this);this.element.setAttribute("aria-modal","true");ONa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.element.removeAttribute("aria-modal");ONa(this,!1)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.Bf=function(){return 0===this.actionButtons.length}; +g.k.focus=function(){for(var a=g.t(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.yb){b.focus();break}};g.w(PNa,g.U);PNa.prototype.onClick=function(a){g.UT(a,this.api)&&this.api.playVideoAt(this.index)};g.w(QNa,g.PS);g.k=QNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.B.S(this.api,"videodatachange",this.GJ);this.B.S(this.api,"onPlaylistUpdate",this.GJ);this.GJ()}; +g.k.hide=function(){g.PS.prototype.hide.call(this);g.Lz(this.B);this.updatePlaylist(null)}; +g.k.GJ=function(){this.updatePlaylist(this.api.getPlaylist());this.api.V().B&&(this.Da("ytp-playlist-menu-title-name").removeAttribute("href"),this.C&&(this.Hc(this.C),this.C=null))}; +g.k.TH=function(){var a=this.playlist,b=a.author,c=b?"by $AUTHOR \u2022 $CURRENT_POSITION/$PLAYLIST_LENGTH":"$CURRENT_POSITION/$PLAYLIST_LENGTH",d={CURRENT_POSITION:String(a.index+1),PLAYLIST_LENGTH:String(a.length)};b&&(d.AUTHOR=b);this.update({title:a.title,subtitle:g.lO(c,d),playlisturl:this.api.getVideoUrl(!0)});b=a.B;if(b===this.D)this.selected.element.setAttribute("aria-checked","false"),this.selected=this.j[a.index];else{c=g.t(this.j);for(d=c.next();!d.done;d=c.next())d.value.dispose();c=a.length; +this.j=[];for(d=0;dg.cG(this.api).getPlayerSize().width&&!a);this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.tL("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.getLength())}),title:g.tL("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}),this.fb||(this.show(),EV(this.tooltip)),this.visible=!0):this.fb&& -(this.hide(),EV(this.tooltip))}; -RV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -RV.prototype.u=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.oa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.oa,this);this.oa()};g.u(SV,g.V);g.k=SV.prototype; -g.k.rz=function(a,b){if(!this.C){if(a){this.tooltipRenderer=a;var c,d,e,f,h,l,m,n,p=this.tooltipRenderer.text,r=!1;(null===(c=null===p||void 0===p?void 0:p.runs)||void 0===c?0:c.length)&&p.runs[0].text&&(this.update({title:p.runs[0].text.toString()}),r=!0);g.Mg(this.title,r);p=this.tooltipRenderer.detailsText;c=!1;if((null===(d=null===p||void 0===p?void 0:p.runs)||void 0===d?0:d.length)&&p.runs[0].text){r=p.runs[0].text.toString();d=r.indexOf("$TARGET_ICON");if(-1=this.B&&!a;g.J(this.element,"ytp-share-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -g.VV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -g.VV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-share-button-visible")};g.u(g.WV,g.OU);g.k=g.WV.prototype;g.k.bN=function(a){a=fp(a);g.Me(this.F,a)||g.Me(this.closeButton,a)||PU(this)}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){var a=this.fb;g.OU.prototype.show.call(this);this.oa();a||this.api.xa("onSharePanelOpened")}; -g.k.oa=function(){var a=this;g.I(this.element,"ytp-share-panel-loading");g.sn(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId(),d=c&&this.D.checked,e=this.api.T();g.Q(e.experiments,"web_player_innertube_share_panel")&&b.getSharePanelCommand?cT(dG(this.api.app),b.getSharePanelCommand,{includeListId:d}).then(function(f){uua(a,f)}):(g.J(this.element,"ytp-share-panel-has-playlist",!!c),b={action_get_share_info:1, -video_id:b.videoId},e.ye&&(b.authuser=e.ye),e.pageId&&(b.pageid=e.pageId),g.hD(e)&&g.eV(b,"emb_share"),d&&(b.list=c),g.qq(e.P+"share_ajax",{method:"GET",onError:function(){wua(a)}, -onSuccess:function(f,h){h?uua(a,h):wua(a)}, -si:b,withCredentials:!0}));c=this.api.getVideoUrl(!0,!0,!1,!1);this.ya("link",c);this.ya("linkText",c);this.ya("shareLinkWithUrl",g.tL("Share link $URL",{URL:c}));DU(this.C)}; -g.k.aN=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){this.C.focus()}; -g.k.ca=function(){g.OU.prototype.ca.call(this);vua(this)};g.u(ZV,g.V);g.k=ZV.prototype;g.k.DF=function(){}; -g.k.EF=function(){}; -g.k.cw=function(){return!0}; -g.k.ZR=function(){if(this.expanded){this.Y.show();var a=this.D.element.scrollWidth}else a=this.D.element.scrollWidth,this.Y.hide();this.Ga=34+a;g.J(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.Ga)+"px";this.X.start()}; -g.k.ZJ=function(){this.badge.element.style.width=(this.expanded?this.Ga:34)+"px";this.ha.start()}; -g.k.ri=function(){this.cw()?this.P.show():this.P.hide();xua(this)}; -g.k.TM=function(){this.enabled=!1;this.ri()}; -g.k.zS=function(a){this.Qa=a;this.ri()}; -g.k.vO=function(a){this.za=1===a;this.ri()};g.u($V,ZV);g.k=$V.prototype;g.k.ca=function(){aW(this);ZV.prototype.ca.call(this)}; -g.k.DF=function(a){a.target!==this.dismissButton.element&&(yua(this,!1),this.J.xa("innertubeCommand",this.onClickCommand))}; -g.k.EF=function(){this.dismissed=!0;yua(this,!0);this.ri()}; -g.k.QP=function(a){this.fa=a;this.ri()}; -g.k.HP=function(a){var b=this.J.getVideoData();b&&b.videoId===this.videoId&&this.aa&&(this.K=a,a||(a=3+this.J.getCurrentTime(),zua(this,a)))}; -g.k.Ra=function(a,b){var c,d=!!b.videoId&&this.videoId!==b.videoId;d&&(this.videoId=b.videoId,this.dismissed=!1,this.u=!0,this.K=this.aa=this.F=this.I=!1,aW(this));if(d||!b.videoId)this.C=this.B=!1;d=b.shoppingOverlayRenderer;this.fa=this.enabled=!1;if(d){this.enabled=!0;var e,f;this.B||(this.B=!!d.trackingParams)&&g.NN(this.J,this.badge.element,d.trackingParams||null);this.C||(this.C=!(null===(e=d.dismissButton)||void 0===e||!e.trackingParams))&&g.NN(this.J,this.dismissButton.element,(null===(f= -d.dismissButton)||void 0===f?void 0:f.trackingParams)||null);this.text=g.T(d.text);if(e=null===(c=d.dismissButton)||void 0===c?void 0:c.a11yLabel)this.Aa=g.T(e);this.onClickCommand=d.onClickCommand;this.timing=d.timing;YI(b)?this.K=this.aa=!0:zua(this)}d=this.text||"";g.Ne(g.se("ytp-suggested-action-badge-title",this.element),d);this.badge.element.setAttribute("aria-label",d);this.dismissButton.element.setAttribute("aria-label",this.Aa?this.Aa:"");YV(this);this.ri()}; -g.k.cw=function(){return this.Qa&&!this.fa&&this.enabled&&!this.dismissed&&!this.Ta.Ie()&&!this.J.isFullscreen()&&!this.za&&!this.K&&(this.F||this.u)}; -g.k.ff=function(a){(this.F=a)?(XV(this),YV(this,!1)):(aW(this),this.ma.start());this.ri()};g.u(bW,g.OU);bW.prototype.show=function(){g.OU.prototype.show.call(this);this.B.start()}; -bW.prototype.hide=function(){g.OU.prototype.hide.call(this);this.B.stop()};g.u(cW,g.V);cW.prototype.onClick=function(){this.J.fn()}; -cW.prototype.oa=function(){g.JN(this,this.J.Jq());this.ya("icon",this.J.Ze()?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"}, -S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};new zq("yt.autonav");g.u(dW,g.V);g.k=dW.prototype; -g.k.er=function(){var a=this.J.getPresentingPlayerType();if(2!==a&&3!==a&&g.XT(this.J)&&400<=g.cG(this.J).getPlayerSize().width)this.u||(this.u=!0,g.JN(this,this.u),this.B.push(this.N(this.J,"videodatachange",this.er)),this.B.push(this.N(this.J,"videoplayerreset",this.er)),this.B.push(this.N(this.J,"onPlaylistUpdate",this.er)),this.B.push(this.N(this.J,"autonavchange",this.TE)),a=this.J.getVideoData(),this.TE(a.autonavState),g.QN(this.J,this.element,this.u));else{this.u=!1;g.JN(this,this.u);a=g.q(this.B); -for(var b=a.next();!b.done;b=a.next())this.Mb(b.value)}}; -g.k.TE=function(a){this.isChecked=1!==a||!g.jt(g.ht.getInstance(),140);Aua(this)}; -g.k.onClick=function(){this.isChecked=!this.isChecked;var a=this.J,b=this.isChecked?2:1;cBa(a.app,b);b&&a1(a.app,b);Aua(this);g.$T(this.J,this.element)}; -g.k.getValue=function(){return this.isChecked}; -g.k.setValue=function(a){this.isChecked=a;this.ka("ytp-autonav-toggle-button").setAttribute("aria-checked",String(this.isChecked))};g.u(g.fW,g.V);g.fW.prototype.ca=function(){this.u=null;g.V.prototype.ca.call(this)};g.u(gW,g.V);gW.prototype.Y=function(a){var b=g.Lg(this.I).width,c=g.Lg(this.X).width,d=this.K.ge()?3:1;a=a.width-b-c-40*d-52;0d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.Fz()}}; -g.k.disable=function(){var a=this;if(!this.message){var b=(null!=Xo(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.OU(this.J,{G:"div",la:["ytp-popup","ytp-generic-popup"],U:{role:"alert",tabindex:"0"},S:[b[0],{G:"a",U:{href:"https://support.google.com/youtube/answer/6276924", -target:this.J.T().F},Z:b[2]},b[4]]},100,!0);this.message.hide();g.D(this,this.message);this.message.subscribe("show",function(c){a.C.hq(a.message,c)}); -g.BP(this.J,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.u)();this.u=null}}; -g.k.oa=function(){g.JN(this,Eta(this.J))}; -g.k.WE=function(a){if(a){var b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", -L:"ytp-fullscreen-button-corner-1",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.EU(this.J,"Exit full screen","f");document.activeElement===this.element&&this.J.getRootNode().focus()}else b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-1",S:[{G:"path", -wb:!0,L:"ytp-svg-fill",U:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.EU(this.J,"Full screen","f");this.ya("icon",b);this.ya("title",this.message?null:a);EV(this.C.Rb())}; -g.k.ca=function(){this.message||((0,this.u)(),this.u=null);g.V.prototype.ca.call(this)};g.u(mW,g.V);mW.prototype.onClick=function(){this.J.xa("onCollapseMiniplayer");g.$T(this.J,this.element)}; -mW.prototype.oa=function(){this.visible=!this.J.isFullscreen();g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -mW.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)};g.u(nW,g.V);nW.prototype.Ra=function(a){this.oa("newdata"===a)}; -nW.prototype.oa=function(a){var b=this.J.getVideoData(),c=b.Vl,d=g.uK(this.J);d=(g.GM(d)||g.U(d,4))&&0a&&this.delay.start()}; -var dDa=new g.Cn(0,0,.4,0,.2,1,1,1),Hua=/[0-9.-]+|[^0-9.-]+/g;g.u(rW,g.V);g.k=rW.prototype;g.k.XE=function(a){this.visible=300<=a.width;g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -g.k.yP=function(){this.J.T().X?this.J.isMuted()?this.J.unMute():this.J.mute():PU(this.message,this.element,!0);g.$T(this.J,this.element)}; -g.k.PM=function(a){this.setVolume(a.volume,a.muted)}; -g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.J.T(),f=0===d?1:50this.clipEnd)&&this.Tv()}; -g.k.XM=function(a){if(!g.kp(a)){var b=!1;switch(g.lp(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.ip(a)}}; -g.k.YE=function(a,b){this.updateVideoData(b,"newdata"===a)}; -g.k.MK=function(){this.YE("newdata",this.api.getVideoData())}; -g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.isValid();this.fd=c&&a.allowLiveDvr;fva(this,this.api.He());b&&(c?(c=a.clipEnd,this.clipStart=a.clipStart,this.clipEnd=c,pX(this),lX(this,this.K,this.ma)):this.Tv(),g.dY(this.tooltip));if(a){c=a.watchNextResponse;if(c=!a.isLivePlayback&&c){c=this.api.getVideoData().multiMarkersPlayerBarRenderer;var d=this.api.getVideoData().sx;c=null!=c||null!=d&&0a.position&&(n=1);!m&&h/2>this.C-a.position&&(n=2);yva(this.tooltip, -c,d,b,!!f,l,e,n)}else yva(this.tooltip,c,d,b,!!f,l);g.J(this.api.getRootNode(),"ytp-progress-bar-hover",!g.U(g.uK(this.api),64));Zua(this)}; -g.k.SP=function(){g.dY(this.tooltip);g.sn(this.api.getRootNode(),"ytp-progress-bar-hover")}; -g.k.RP=function(a,b){this.D&&(this.D.dispose(),this.D=null);this.Ig=b;1e||1e&&a.D.start()}); -this.D.start()}if(g.U(g.uK(this.api),32)||3===this.api.getPresentingPlayerType())1.1*(this.B?60:40),f=iX(this));g.J(this.element,"ytp-pull-ui",e);d&&g.I(this.element,"ytp-pulling");d=0;f.B&&0>=f.position&&1===this.Ea.length?d=-1:f.F&&f.position>=f.width&&1===this.Ea.length&&(d=1);if(this.ub!==d&&1===this.Ea.length&&(this.ub=d,this.D&&(this.D.dispose(),this.D=null),d)){var h=(0,g.N)();this.D=new g.gn(function(){var l=c.C*(c.ha-1); -c.X=g.ce(c.X+c.ub*((0,g.N)()-h)*.3,0,l);mX(c);c.api.seekTo(oX(c,iX(c)),!1);0this.api.jb().getPlayerSize().width&&!a);(this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb())?this.hide():this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.lO("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.length)}),title:g.lO("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}), +this.yb||(this.show(),$S(this.tooltip)),this.visible=!0,this.Zb(!0)):this.yb&&this.hide()}; +NU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +NU.prototype.j=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.Pa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.Pa,this);this.Pa()};g.w(RNa,g.U);g.k=RNa.prototype;g.k.t0=function(){this.C?VNa(this):UNa(this)}; +g.k.s0=function(){this.C?(OU(this),this.I=!0):UNa(this)}; +g.k.c5=function(){this.D=!0;this.QD(1);this.F.ma("promotooltipacceptbuttonclicked",this.acceptButton);OU(this);this.u&&this.F.qb(this.acceptButton)}; +g.k.V5=function(){this.D=!0;this.QD(2);OU(this);this.u&&this.F.qb(this.dismissButton)}; +g.k.u0=function(a){if(1===this.F.getPresentingPlayerType()||2===this.F.getPresentingPlayerType()&&this.T){var b=!0,c=g.kf("ytp-ad-overlay-ad-info-dialog-container"),d=CO(a);if(this.B&&d&&g.zf(this.B,d))this.B=null;else{1===this.F.getPresentingPlayerType()&&d&&Array.from(d.classList).forEach(function(l){l.startsWith("ytp-ad")&&(b=!1)}); +var e=WNa(this.tooltipRenderer),f;if("TOOLTIP_DISMISS_TYPE_TAP_ANYWHERE"===(null==(f=this.tooltipRenderer.dismissStrategy)?void 0:f.type))e&&(b=b&&!g.zf(this.element,d));else{var h;"TOOLTIP_DISMISS_TYPE_TAP_INTERNAL"===(null==(h=this.tooltipRenderer.dismissStrategy)?void 0:h.type)&&(b=e?!1:b&&g.zf(this.element,d))}this.j&&this.yb&&!c&&(!d||b&&g.fR(a))&&(this.D=!0,OU(this))}}}; +g.k.QD=function(a){var b=this.tooltipRenderer.promoConfig;if(b){switch(a){case 0:var c;if(null==(c=b.impressionEndpoints)?0:c.length)var d=b.impressionEndpoints[0];break;case 1:d=b.acceptCommand;break;case 2:d=b.dismissCommand}var e;a=null==(e=g.K(d,cab))?void 0:e.feedbackToken;d&&a&&(e={feedbackTokens:[a]},a=this.F.Mm(),(null==a?0:vFa(d,a.rL))&&tR(a,d,e))}}; +g.k.Db=function(){this.I||(this.j||(this.j=SNa(this)),VNa(this))}; +var TNa={"ytp-settings-button":g.rQ()};g.w(PU,g.U);PU.prototype.onStateChange=function(a){this.qc(a.state)}; +PU.prototype.qc=function(a){g.bQ(this,g.S(a,2))}; +PU.prototype.onClick=function(){this.F.Cb();this.F.playVideo()};g.w(g.QU,g.U);g.k=g.QU.prototype;g.k.Tq=aa(35);g.k.onClick=function(){var a=this,b=this.api.V(),c=this.api.getVideoData(this.api.getPresentingPlayerType()),d=this.api.getPlaylistId();b=b.getVideoUrl(c.videoId,d,void 0,!0);if(navigator.share)try{var e=navigator.share({title:c.title,url:b});e instanceof Promise&&e.catch(function(f){YNa(a,f)})}catch(f){f instanceof Error&&YNa(this,f)}else this.j.Il(),QS(this.B,this.element,!1); +this.api.qb(this.element)}; +g.k.showShareButton=function(a){var b=!0;if(this.api.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){var c,d,e=null==(c=a.kf)?void 0:null==(d=c.embedPreview)?void 0:d.thumbnailPreviewRenderer;e&&(b=!!e.shareButton);var f,h;(c=null==(f=a.jd)?void 0:null==(h=f.playerOverlays)?void 0:h.playerOverlayRenderer)&&(b=!!c.shareButton);var l,m,n,p;if(null==(p=g.K(null==(l=a.jd)?void 0:null==(m=l.contents)?void 0:null==(n=m.twoColumnWatchNextResults)?void 0:n.desktopOverlay,nM))?0:p.suppressShareButton)b= +!1}else b=a.showShareButton;return b}; +g.k.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.j.Sb();g.Up(this.element,"ytp-show-share-title",g.fK(a)&&!g.oK(a)&&!b);this.j.yg()&&b?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.element,"right",a+"px")):b&&g.Hm(this.element,"right","0px");this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20.20,14.19 0,-4.45 7.79,7.79 -7.79,7.79 0,-4.56 C 16.27,20.69 12.10,21.81 9.34,24.76 8.80,25.13 7.60,27.29 8.12,25.65 9.08,21.32 11.80,17.18 15.98,15.38 c 1.33,-0.60 2.76,-0.98 4.21,-1.19 z"}}]}); +this.visible=XNa(this);g.Up(this.element,"ytp-share-button-visible",this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,XNa(this)&&this.ea)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-share-button-visible")};g.w(g.RU,g.PS);g.k=g.RU.prototype;g.k.v0=function(a){a=CO(a);g.zf(this.D,a)||g.zf(this.closeButton,a)||QS(this)}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element);this.api.Ua(this.j,!1);for(var a=g.t(this.B),b=a.next();!b.done;b=a.next())b=b.value,this.api.Dk(b.element)&&this.api.Ua(b.element,!1)}; +g.k.show=function(){var a=this.yb;g.PS.prototype.show.call(this);this.Pa();a||this.api.Na("onSharePanelOpened")}; +g.k.B4=function(){this.yb&&this.Pa()}; +g.k.Pa=function(){var a=this;g.Qp(this.element,"ytp-share-panel-loading");g.Sp(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId()&&this.C.checked;b.getSharePanelCommand&&tR(this.api.Mm(),b.getSharePanelCommand,{includeListId:c}).then(function(d){a.isDisposed()||(g.Sp(a.element,"ytp-share-panel-loading"),aOa(a,d))}); +b=this.api.getVideoUrl(!0,!0,!1,!1);g.oK(this.api.V())&&(b=g.Zi(b,g.hS({},"emb_share")));this.updateValue("link",b);this.updateValue("linkText",b);this.updateValue("shareLinkWithUrl",g.lO("Share link $URL",{URL:b}));rMa(this.j);this.api.Ua(this.j,!0)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.focus=function(){this.j.focus()}; +g.k.qa=function(){g.PS.prototype.qa.call(this);$Na(this)};g.w(cOa,EU);g.k=cOa.prototype;g.k.qa=function(){dOa(this);EU.prototype.qa.call(this)}; +g.k.YG=function(a){a.target!==this.dismissButton.element&&(FU(this,!1),this.F.Na("innertubeCommand",this.onClickCommand))}; +g.k.WC=function(){this.ya=!0;FU(this,!0);this.dl()}; +g.k.I6=function(a){this.Ja=a;this.dl()}; +g.k.B6=function(a){var b=this.F.getVideoData();b&&b.videoId===this.videoId&&this.T&&(this.J=a,a||(a=3+this.F.getCurrentTime(),this.ye(a)))}; +g.k.onVideoDataChange=function(a,b){if(a=!!b.videoId&&this.videoId!==b.videoId)this.videoId=b.videoId,this.ya=!1,this.C=!0,this.J=this.T=this.D=this.Z=!1,dOa(this);if(a||!b.videoId)this.u=this.j=!1;var c,d;if(this.F.K("web_player_enable_featured_product_banner_on_desktop")&&(null==b?0:null==(c=b.getPlayerResponse())?0:null==(d=c.videoDetails)?0:d.isLiveContent))this.Bg(!1);else{var e,f,h;c=b.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")?g.K(null==(e=b.jd)?void 0:null==(f=e.playerOverlays)? +void 0:null==(h=f.playerOverlayRenderer)?void 0:h.productsInVideoOverlayRenderer,qza):b.shoppingOverlayRenderer;this.Ja=this.enabled=!1;if(c){this.enabled=!0;if(!this.j){var l;e=null==(l=c.badgeInteractionLogging)?void 0:l.trackingParams;(this.j=!!e)&&this.F.og(this.badge.element,e||null)}if(!this.u){var m;if(this.u=!(null==(m=c.dismissButton)||!m.trackingParams)){var n;this.F.og(this.dismissButton.element,(null==(n=c.dismissButton)?void 0:n.trackingParams)||null)}}this.text=g.gE(c.text);var p;if(l= +null==(p=c.dismissButton)?void 0:p.a11yLabel)this.Ya=g.gE(l);this.onClickCommand=c.onClickCommand;this.timing=c.timing;BM(b)?this.J=this.T=!0:this.ye()}rNa(this);DU(this);this.dl()}}; +g.k.Yz=function(){return!this.Ja&&this.enabled&&!this.ya&&!this.kb.Wg()&&!this.Xa&&!this.J&&(this.D||this.C)}; +g.k.Bg=function(a){(this.D=a)?(CU(this),DU(this,!1)):(dOa(this),this.oa.start());this.dl()}; +g.k.ye=function(a){a=void 0===a?0:a;var b=[],c=this.timing.visible,d=this.timing.expanded;c&&b.push(new g.XD(1E3*(c.startSec+a),1E3*(c.endSec+a),{priority:9,namespace:"shopping_overlay_visible"}));d&&b.push(new g.XD(1E3*(d.startSec+a),1E3*(d.endSec+a),{priority:9,namespace:"shopping_overlay_expanded"}));this.F.ye(b)};g.w(fOa,g.U); +fOa.prototype.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.bQ(this,g.fK(a)&&b);this.subscribeButton&&this.api.Ua(this.subscribeButton.element,this.yb);b=this.api.getVideoData();var c=!1;2===this.api.getPresentingPlayerType()?c=!!b.videoId&&!!b.isListed&&!!b.author&&!!b.Lc&&!!b.profilePicture:g.fK(a)&&(c=!!b.videoId&&!!b.Lc&&!!b.profilePicture&&!(b.D&&a.Z)&&!a.B&&!(a.T&&200>this.api.getPlayerSize().width));var d=b.profilePicture;a=g.fK(a)?b.ph:b.author; +d=void 0===d?"":d;a=void 0===a?"":a;c?(this.B!==d&&(this.j.style.backgroundImage="url("+d+")",this.B=d),this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelLink",SU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,c&&this.ea);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&& +this.api.Ua(this.channelName,c&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",SU(this))};g.w(TU,g.PS);TU.prototype.show=function(){g.PS.prototype.show.call(this);this.j.start()}; +TU.prototype.hide=function(){g.PS.prototype.hide.call(this);this.j.stop()}; +TU.prototype.Gs=function(a,b){"dataloaded"===a&&((this.ri=b.ri,this.vf=b.vf,isNaN(this.ri)||isNaN(this.vf))?this.B&&(this.F.Ff("intro"),this.F.removeEventListener(g.ZD("intro"),this.I),this.F.removeEventListener(g.$D("intro"),this.D),this.F.removeEventListener("onShowControls",this.C),this.hide(),this.B=!1):(this.F.addEventListener(g.ZD("intro"),this.I),this.F.addEventListener(g.$D("intro"),this.D),this.F.addEventListener("onShowControls",this.C),a=new g.XD(this.ri,this.vf,{priority:9,namespace:"intro"}), +this.F.ye([a]),this.B=!0))};g.w(UU,g.U);UU.prototype.onClick=function(){this.F.Dt()}; +UU.prototype.Pa=function(){var a=!0;g.fK(this.F.V())&&(a=a&&480<=this.F.jb().getPlayerSize().width);g.bQ(this,a);this.updateValue("icon",this.F.wh()?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}: +{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};g.w(g.WU,g.U);g.WU.prototype.qa=function(){this.j=null;g.U.prototype.qa.call(this)};g.w(XU,g.U);XU.prototype.onClick=function(){this.F.Na("innertubeCommand",this.j)}; +XU.prototype.J=function(a){a!==this.D&&(this.update({title:a}),this.D=a);a?this.show():this.hide()}; +XU.prototype.I=function(){this.B.disabled=null==this.j;g.Up(this.B,"ytp-chapter-container-disabled",this.B.disabled);this.yc()};g.w(YU,XU);YU.prototype.onClickCommand=function(a){g.K(a,rM)&&this.yc()}; +YU.prototype.updateVideoData=function(a,b){var c;if(b.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")){var d,e;a=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.decoratedPlayerBarRenderer,HL);c=g.K(null==a?void 0:a.playerBarActionButton,g.mM)}else c=b.z1;var f;this.j=null==(f=c)?void 0:f.command;XU.prototype.I.call(this)}; +YU.prototype.yc=function(){var a="",b=this.C.j,c,d="clips"===(null==(c=this.F.getLoopRange())?void 0:c.type);if(1d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.NN()}}; +g.k.disable=function(){var a=this;if(!this.message){var b=(null!=wz(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.PS(this.F,{G:"div",Ia:["ytp-popup","ytp-generic-popup"],X:{role:"alert",tabindex:"0"},W:[b[0],{G:"a",X:{href:"https://support.google.com/youtube/answer/6276924", +target:this.F.V().ea},ra:b[2]},b[4]]},100,!0);this.message.hide();g.E(this,this.message);this.message.subscribe("show",function(c){a.u.qy(a.message,c)}); +g.NS(this.F,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.j)();this.j=null}}; +g.k.Pa=function(){var a=oMa(this.F),b=this.F.V().T&&250>this.F.getPlayerSize().width;g.bQ(this,a&&!b);this.F.Ua(this.element,this.yb)}; +g.k.cm=function(a){if(a){var b={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", +N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.WT(this.F,"Exit full screen","f");this.update({"data-title-no-tooltip":"Exit full screen"});document.activeElement===this.element&&this.F.getRootNode().focus();document.u&&document.j().catch(function(c){g.DD(c)})}else b={G:"svg", +X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3", +W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.WT(this.F,"Full screen","f"),this.update({"data-title-no-tooltip":"Full screen"});a=this.message?null:a;this.update({title:a,icon:b});$S(this.u.Ic())}; +g.k.qa=function(){this.message||((0,this.j)(),this.j=null);g.U.prototype.qa.call(this)};g.w(aV,g.U);aV.prototype.onClick=function(){this.F.qb(this.element);this.F.seekBy(this.j,!0);null!=this.C.Ou&&BU(this.C.Ou,0this.j&&a.push("backwards");this.element.classList.add.apply(this.element.classList,g.u(a));g.Jp(this.u)}};g.w(bV,XU);bV.prototype.onClickCommand=function(a){g.K(a,hbb)&&this.yc()}; +bV.prototype.updateVideoData=function(){var a,b;this.j=null==(a=kOa(this))?void 0:null==(b=a.onTap)?void 0:b.innertubeCommand;XU.prototype.I.call(this)}; +bV.prototype.yc=function(){var a="",b=this.C.I,c,d=null==(c=kOa(this))?void 0:c.headerTitle;c=d?g.gE(d):"";var e;d="clips"===(null==(e=this.F.getLoopRange())?void 0:e.type);1a&&this.delay.start()}; +var bdb=new gq(0,0,.4,0,.2,1,1,1),rOa=/[0-9.-]+|[^0-9.-]+/g;g.w(g.fV,g.U);g.k=g.fV.prototype;g.k.FR=function(a){this.visible=300<=a.width||this.Ga;g.bQ(this,this.visible);this.F.Ua(this.element,this.visible&&this.ea)}; +g.k.t6=function(){this.F.V().Ya?this.F.isMuted()?this.F.unMute():this.F.mute():QS(this.message,this.element,!0);this.F.qb(this.element)}; +g.k.onVolumeChange=function(a){this.setVolume(a.volume,a.muted)}; +g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.F.V();a=0===d?1:50=HOa(this)){this.api.seekTo(a,!1);g.Hm(this.B,"transform","translateX("+this.u+"px)");var b=g.eR(a),c=g.lO("Seek to $PROGRESS",{PROGRESS:g.eR(a,!0)});this.update({ariamin:0,ariamax:Math.floor(this.api.getDuration()),arianow:Math.floor(a),arianowtext:c,seekTime:b})}else this.u=this.J}; +g.k.x0=function(){var a=300>(0,g.M)()-this.Ja;if(5>Math.abs(this.T)&&!a){this.Ja=(0,g.M)();a=this.Z+this.T;var b=this.C/2-a;this.JJ(a);this.IJ(a+b);DOa(this);this.api.qb(this.B)}DOa(this)}; +g.k.xz=function(){iV(this,this.api.getCurrentTime())}; +g.k.play=function(a){this.api.seekTo(IOa(this,this.u));this.api.playVideo();a&&this.api.qb(this.playButton)}; +g.k.Db=function(a,b){this.Ga=a;this.C=b;iV(this,this.api.getCurrentTime())}; +g.k.enable=function(){this.isEnabled||(this.isEnabled=!0,this.La=this.api.getCurrentTime(),g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled),this.Aa=this.S(this.element,"wheel",this.y0),this.Ua(this.isEnabled))}; +g.k.disable=function(){this.isEnabled=!1;this.hide();g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled);this.Aa&&this.Hc(this.Aa);this.Ua(this.isEnabled)}; +g.k.reset=function(){this.disable();this.D=[];this.ya=!1}; +g.k.Ua=function(a){this.api.Ua(this.element,a);this.api.Ua(this.B,a);this.api.Ua(this.dismissButton,a);this.api.Ua(this.playButton,a)}; +g.k.qa=function(){for(;this.j.length;){var a=void 0;null==(a=this.j.pop())||a.dispose()}g.U.prototype.qa.call(this)}; +g.w(EOa,g.U);g.w(FOa,g.U);g.w(LOa,g.U);g.w(jV,g.U);jV.prototype.ub=function(a){return"PLAY_PROGRESS"===a?this.I:"LOAD_PROGRESS"===a?this.D:"LIVE_BUFFER"===a?this.C:this.u};NOa.prototype.update=function(a,b,c,d){c=void 0===c?0:c;this.width=b;this.B=c;this.j=b-c-(void 0===d?0:d);this.position=g.ze(a,c,c+this.j);this.u=this.position-c;this.fraction=this.u/this.j};g.w(OOa,g.U);g.w(g.mV,g.dQ);g.k=g.mV.prototype; +g.k.EY=function(){var a=!1,b=this.api.getVideoData();if(!b)return a;this.api.Ff("timedMarkerCueRange");ROa(this);for(var c=g.t(b.ke),d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0,f=null==(e=this.uc[d])?void 0:e.markers;if(f){a=g.t(f);for(e=a.next();!e.done;e=a.next()){f=e.value;e=new OOa;var h=void 0;e.title=(null==(h=f.title)?void 0:h.simpleText)||"";e.timeRangeStartMillis=Number(f.startMillis);e.j=Number(f.durationMillis);var l=h=void 0;e.onActiveCommand=null!=(l=null==(h=f.onActive)?void 0: +h.innertubeCommand)?l:void 0;WOa(this,e)}XOa(this,this.I);a=this.I;e=this.Od;f=[];h=null;for(l=0;lm&&(h.end=m);m=INa(m,m+p);f.push(m);h=m;e[m.id]=a[l].onActiveCommand}}this.api.ye(f);this.vf=this.uc[d];a=!0}}b.JR=this.I;g.Up(this.element,"ytp-timed-markers-enabled",a);return a}; +g.k.Db=function(){g.nV(this);pV(this);XOa(this,this.I);if(this.u){var a=g.Pm(this.element).x||0;this.u.Db(a,this.J)}}; +g.k.onClickCommand=function(a){if(a=g.K(a,rM)){var b=a.key;a.isVisible&&b&&aPa(this,b)}}; +g.k.H7=function(a){this.api.Na("innertubeCommand",this.Od[a.id])}; +g.k.yc=function(){pV(this);var a=this.api.getCurrentTime();(athis.clipEnd)&&this.LH()}; +g.k.A0=function(a){if(!g.DO(a)){var b=!1;switch(g.zO(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.EO(a)}}; +g.k.Gs=function(a,b){this.updateVideoData(b,"newdata"===a)}; +g.k.I3=function(){this.Gs("newdata",this.api.getVideoData())}; +g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.De();c&&(aN(a)||hPa(this)?this.je=!1:this.je=a.allowLiveDvr,g.Up(this.api.getRootNode(),"ytp-enable-live-buffer",!(null==a||!aN(a))));qPa(this,this.api.yh());if(b){if(c){b=a.clipEnd;this.clipStart=a.clipStart;this.clipEnd=b;tV(this);for(qV(this,this.Z,this.ib);0m&&(c=m,a.position=jR(this.B,m)*oV(this).j),b=this.B.u;hPa(this)&& +(b=this.B.u);m=f||g.eR(this.je?c-this.B.j:c-b);b=a.position+this.Jf;c-=this.api.Jd();var n;if(null==(n=this.u)||!n.isEnabled)if(this.api.Hj()){if(1=n);d=this.tooltip.scale;l=(isNaN(l)?0:l)-45*d;this.api.K("web_key_moments_markers")?this.vf?(n=FNa(this.I,1E3*c),n=null!=n?this.I[n].title:""):(n=HU(this.j,1E3*c),n=this.j[n].title):(n=HU(this.j,1E3*c),n=this.j[n].title);n||(l+=16*d);.6===this.tooltip.scale&&(l=n?110:126);d=HU(this.j,1E3*c);this.Xa=jPa(this,c,d)?d:jPa(this,c,d+1)?d+1:-1;g.Up(this.api.getRootNode(),"ytp-progress-bar-snap",-1!==this.Xa&&1=h.visibleTimeRangeStartMillis&&p<=h.visibleTimeRangeEndMillis&&(n=h.label,m=g.eR(h.decorationTimeMillis/1E3),d=!0)}this.rd!==d&&(this.rd=d,this.api.Ua(this.Vd,this.rd));g.Up(this.api.getRootNode(),"ytp-progress-bar-decoration",d);d=320*this.tooltip.scale;e=n.length*(this.C?8.55:5.7);e=e<=d?e:d;h=e<160*this.tooltip.scale;d=3;!h&&e/2>a.position&&(d=1);!h&&e/2>this.J-a.position&&(d=2);this.api.V().T&&(l-=10); +this.D.length&&this.D[0].De&&(l-=14*(this.C?2:1),this.Ga||(this.Ga=!0,this.api.Ua(this.oa,this.Ga)));var q;if(lV(this)&&((null==(q=this.u)?0:q.isEnabled)||0=.5*a?(this.u.enable(),iV(this.u,this.api.getCurrentTime()),pPa(this,a)):zV(this)}if(g.S(this.api.Cb(),32)||3===this.api.getPresentingPlayerType()){var b;if(null==(b=this.u)?0:b.isEnabled)this.api.pauseVideo();else{this.api.startSeekCsiAction();if(1=c.visibleTimeRangeStartMillis&&1E3*a<=c.visibleTimeRangeEndMillis&&this.api.qb(this.Vd)}g.Sp(this.element,"ytp-drag");this.ke&&!g.S(this.api.Cb(),2)&&this.api.playVideo()}}}; +g.k.N6=function(a,b){a=oV(this);a=sV(this,a);this.api.seekTo(a,!1);var c;lV(this)&&(null==(c=this.u)?0:c.ya)&&(iV(this.u,a),this.u.isEnabled||(this.Qa=g.ze(this.Kf-b-10,0,vV(this)),pPa(this,this.Qa)))}; +g.k.ZV=function(){this.Bb||(this.updateValue("clipstarticon",JEa()),this.updateValue("clipendicon",JEa()),g.Qp(this.element,"ytp-clip-hover"))}; +g.k.YV=function(){this.Bb||(this.updateValue("clipstarticon",LEa()),this.updateValue("clipendicon",KEa()),g.Sp(this.element,"ytp-clip-hover"))}; +g.k.LH=function(){this.clipStart=0;this.clipEnd=Infinity;tV(this);qV(this,this.Z,this.ib)}; +g.k.GY=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.visible){var c=b.getId();if(!this.Ja[c]){var d=g.qf("DIV");b.tooltip&&d.setAttribute("data-tooltip",b.tooltip);this.Ja[c]=b;this.jc[c]=d;g.Op(d,b.style);kPa(this,c);this.api.V().K("disable_ad_markers_on_content_progress_bar")||this.j[0].B.appendChild(d)}}else oPa(this,b)}; +g.k.D8=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())oPa(this,b.value)}; +g.k.Vr=function(a){if(this.u){var b=this.u;a=null!=a;b.api.seekTo(b.La);b.api.playVideo();a&&b.api.qb(b.dismissButton);zV(this)}}; +g.k.AL=function(a){this.u&&(this.u.play(null!=a),zV(this))}; +g.k.qa=function(){qPa(this,!1);g.dQ.prototype.qa.call(this)};g.w(AV,g.U);AV.prototype.isActive=function(){return!!this.F.getOption("remote","casting")}; +AV.prototype.Pa=function(){var a=!1;this.F.getOptions().includes("remote")&&(a=1=c;g.bQ(this,a);this.F.Ua(this.element,a)}; +BV.prototype.B=function(){if(this.Eb.yb)this.Eb.Fb();else{var a=g.JT(this.F.wb());a&&!a.loaded&&(a.qh("tracklist",{includeAsr:!0}).length||a.load());this.F.qb(this.element);this.Eb.od(this.element)}}; +BV.prototype.updateBadge=function(){var a=this.F.isHdr(),b=this.F.getPresentingPlayerType(),c=2!==b&&3!==b,d=g.MS(this.F),e=c&&!!g.LS(this.F.wb());b=e&&1===d.displayMode;d=e&&2===d.displayMode;c=(e=b||d)||!c?null:this.F.getPlaybackQuality();g.Up(this.element,"ytp-hdr-quality-badge",a);g.Up(this.element,"ytp-hd-quality-badge",!a&&("hd1080"===c||"hd1440"===c));g.Up(this.element,"ytp-4k-quality-badge",!a&&"hd2160"===c);g.Up(this.element,"ytp-5k-quality-badge",!a&&"hd2880"===c);g.Up(this.element,"ytp-8k-quality-badge", +!a&&"highres"===c);g.Up(this.element,"ytp-3d-badge-grey",!a&&e&&b);g.Up(this.element,"ytp-3d-badge",!a&&e&&d)};g.w(CV,aT);CV.prototype.isLoaded=function(){var a=g.PT(this.F.wb());return void 0!==a&&a.loaded}; +CV.prototype.Pa=function(){void 0!==g.PT(this.F.wb())&&3!==this.F.getPresentingPlayerType()?this.j||(this.Eb.Zc(this),this.j=!0):this.j&&(this.Eb.jh(this),this.j=!1);bT(this,this.isLoaded())}; +CV.prototype.onSelect=function(a){this.isLoaded();a?this.F.loadModule("annotations_module"):this.F.unloadModule("annotations_module");this.F.ma("annotationvisibility",a)}; +CV.prototype.qa=function(){this.j&&this.Eb.jh(this);aT.prototype.qa.call(this)};g.w(g.DV,g.SS);g.k=g.DV.prototype;g.k.open=function(){g.tU(this.Eb,this.u)}; +g.k.yj=function(a){tPa(this);this.options[a].element.setAttribute("aria-checked","true");this.ge(this.gk(a));this.B=a}; +g.k.DK=function(a,b,c){var d=this;b=new g.SS({G:"div",Ia:["ytp-menuitem"],X:{tabindex:"0",role:"menuitemradio","aria-checked":c?"true":void 0},W:[{G:"div",Ia:["ytp-menuitem-label"],ra:"{{label}}"}]},b,this.gk(a,!0));b.Ra("click",function(){d.eh(a)}); return b}; -g.k.enable=function(a){this.F?a||(this.F=!1,this.Go(!1)):a&&(this.F=!0,this.Go(!0))}; -g.k.Go=function(a){a?this.Xa.Wb(this):this.Xa.re(this)}; -g.k.af=function(a){this.V("select",a)}; -g.k.Th=function(a){return a.toString()}; -g.k.ZM=function(a){g.kp(a)||39!==g.lp(a)||(this.open(),g.ip(a))}; -g.k.ca=function(){this.F&&this.Xa.re(this);g.lV.prototype.ca.call(this);for(var a=g.q(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.u(yX,g.wX);yX.prototype.oa=function(){var a=this.J.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.F:this.F;this.en(b);g.ip(a)}; -g.k.dN=function(a){a=(a-g.Eg(this.B).x)/this.K*this.range+this.minimumValue;this.en(a)}; -g.k.en=function(a,b){b=void 0===b?"":b;var c=g.ce(a,this.minimumValue,this.maximumValue);""===b&&(b=c.toString());this.ya("valuenow",c);this.ya("valuetext",b);this.X.style.left=(c-this.minimumValue)/this.range*(this.K-this.P)+"px";this.u=c}; -g.k.focus=function(){this.aa.focus()};g.u(GX,EX);GX.prototype.Y=function(){this.J.setPlaybackRate(this.u,!0)}; -GX.prototype.en=function(a){EX.prototype.en.call(this,a,HX(this,a).toString());this.C&&(FX(this),this.fa())}; -GX.prototype.ha=function(){var a=this.J.getPlaybackRate();HX(this,this.u)!==a&&(this.en(a),FX(this))};g.u(IX,g.KN);IX.prototype.focus=function(){this.u.focus()};g.u(jva,oV);g.u(JX,g.wX);g.k=JX.prototype;g.k.Th=function(a){return"1"===a?"Normal":a.toLocaleString()}; -g.k.oa=function(){var a=this.J.getPresentingPlayerType();this.enable(2!==a&&3!==a);mva(this)}; -g.k.Go=function(a){g.wX.prototype.Go.call(this,a);a?(this.K=this.N(this.J,"onPlaybackRateChange",this.fN),mva(this),kva(this,this.J.getPlaybackRate())):(this.Mb(this.K),this.K=null)}; -g.k.fN=function(a){var b=this.J.getPlaybackRate();this.I.includes(b)||lva(this,b);kva(this,a)}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);a===this.u?this.J.setPlaybackRate(this.D,!0):this.J.setPlaybackRate(Number(a),!0);this.Xa.fg()};g.u(LX,g.wX);g.k=LX.prototype;g.k.Mc=function(a){g.wX.prototype.Mc.call(this,a)}; +g.k.enable=function(a){this.I?a||(this.I=!1,this.jx(!1)):a&&(this.I=!0,this.jx(!0))}; +g.k.jx=function(a){a?this.Eb.Zc(this):this.Eb.jh(this)}; +g.k.eh=function(a){this.ma("select",a)}; +g.k.gk=function(a){return a.toString()}; +g.k.B0=function(a){g.DO(a)||39!==g.zO(a)||(this.open(),g.EO(a))}; +g.k.qa=function(){this.I&&this.Eb.jh(this);g.SS.prototype.qa.call(this);for(var a=g.t(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.w(FV,g.DV);FV.prototype.Pa=function(){var a=this.F.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.J:this.J;this.hw(b);g.EO(a)}; +g.k.D0=function(a){a=(a-g.Pm(this.B).x)/this.Z*this.range+this.u;this.hw(a)}; +g.k.hw=function(a,b){b=void 0===b?"":b;a=g.ze(a,this.u,this.C);""===b&&(b=a.toString());this.updateValue("valuenow",a);this.updateValue("valuetext",b);this.oa.style.left=(a-this.u)/this.range*(this.Z-this.Aa)+"px";this.j=a}; +g.k.focus=function(){this.Ga.focus()};g.w(IV,HV);IV.prototype.ya=function(){this.F.setPlaybackRate(this.j,!0)}; +IV.prototype.hw=function(a){HV.prototype.hw.call(this,a,APa(this,a).toString());this.D&&(zPa(this),this.Ja())}; +IV.prototype.updateValues=function(){var a=this.F.getPlaybackRate();APa(this,this.j)!==a&&(this.hw(a),zPa(this))};g.w(BPa,g.dQ);BPa.prototype.focus=function(){this.j.focus()};g.w(CPa,pU);g.w(DPa,g.DV);g.k=DPa.prototype;g.k.gk=function(a){return"1"===a?"Normal":a.toLocaleString()}; +g.k.Pa=function(){var a=this.F.getPresentingPlayerType();this.enable(2!==a&&3!==a);HPa(this)}; +g.k.jx=function(a){g.DV.prototype.jx.call(this,a);a?(this.J=this.S(this.F,"onPlaybackRateChange",this.onPlaybackRateChange),HPa(this),FPa(this,this.F.getPlaybackRate())):(this.Hc(this.J),this.J=null)}; +g.k.onPlaybackRateChange=function(a){var b=this.F.getPlaybackRate();this.D.includes(b)||GPa(this,b);FPa(this,a)}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);a===this.j?this.F.setPlaybackRate(this.C,!0):this.F.setPlaybackRate(Number(a),!0);this.Eb.nj()};g.w(JPa,g.DV);g.k=JPa.prototype;g.k.yj=function(a){g.DV.prototype.yj.call(this,a)}; g.k.getKey=function(a){return a.option.toString()}; g.k.getOption=function(a){return this.settings[a]}; -g.k.Th=function(a){return this.getOption(a).text||""}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);this.V("settingChange",this.setting,this.settings[a].option)};g.u(MX,g.pV);MX.prototype.se=function(a){for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.kl[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.Mc(e),c.D.element.setAttribute("aria-checked",String(!d)),c.u.element.setAttribute("aria-checked",String(d)))}}}; -MX.prototype.ag=function(a,b){this.V("settingChange",a,b)};g.u(NX,g.wX);NX.prototype.getKey=function(a){return a.languageCode}; -NX.prototype.Th=function(a){return this.languages[a].languageName||""}; -NX.prototype.af=function(a){this.V("select",a);g.AV(this.Xa)};g.u(OX,g.wX);g.k=OX.prototype;g.k.getKey=function(a){return g.Sb(a)?"__off__":a.displayName}; -g.k.Th=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":("__off__"===a?{}:this.tracks[a]).displayName}; -g.k.af=function(a){"__translate__"===a?this.u.open():"__contribute__"===a?(this.J.pauseVideo(),this.J.isFullscreen()&&this.J.toggleFullscreen(),a=g.dV(this.J.T(),this.J.getVideoData()),g.RL(a)):(this.J.setOption("captions","track","__off__"===a?{}:this.tracks[a]),g.wX.prototype.af.call(this,a),this.Xa.fg())}; -g.k.oa=function(){var a=this.J.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.J.getVideoData();b=b&&b.gt;var c={};if(a||b){if(a){var d=this.J.getOption("captions","track");c=this.J.getOption("captions","tracklist",{includeAsr:!0});var e=this.J.getOption("captions","translationLanguages");this.tracks=g.Db(c,this.getKey,this);var f=g.Oc(c,this.getKey);if(e.length&&!g.Sb(d)){var h=d.translationLanguage;if(h&&h.languageName){var l=h.languageName;h=e.findIndex(function(m){return m.languageName=== -l}); -saa(e,h)}ova(this.u,e);f.push("__translate__")}e=this.getKey(d)}else this.tracks={},f=[],e="__off__";f.unshift("__off__");this.tracks.__off__={};b&&f.unshift("__contribute__");this.tracks[e]||(this.tracks[e]=d,f.push(e));g.xX(this,f);this.Mc(e);d&&d.translationLanguage?this.u.Mc(this.u.getKey(d.translationLanguage)):hva(this.u);a&&this.D.se(this.J.getSubtitlesUserSettings());this.K.Gc(c&&c.length?" ("+c.length+")":"");this.V("size-change");this.enable(!0)}else this.enable(!1)}; -g.k.jN=function(a){var b=this.J.getOption("captions","track");b=g.Vb(b);b.translationLanguage=this.u.languages[a];this.J.setOption("captions","track",b)}; -g.k.ag=function(a,b){if("reset"===a)this.J.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.J.updateSubtitlesUserSettings(c)}pva(this,!0);this.I.start();this.D.se(this.J.getSubtitlesUserSettings())}; -g.k.yQ=function(a){a||this.I.rg()}; -g.k.ca=function(){this.I.rg();g.wX.prototype.ca.call(this)};g.u(PX,g.xV);g.k=PX.prototype;g.k.initialize=function(){if(!this.Yd){this.Yd=!0;this.cz=new BX(this.J,this);g.D(this,this.cz);var a=new DX(this.J,this);g.D(this,a);a=new OX(this.J,this);g.D(this,a);a=new vX(this.J,this);g.D(this,a);this.J.T().Qc&&(a=new JX(this.J,this),g.D(this,a));this.J.T().Zb&&!g.Q(this.J.T().experiments,"web_player_move_autonav_toggle")&&(a=new zX(this.J,this),g.D(this,a));a=new yX(this.J,this);g.D(this,a);uX(this.settingsButton,this.sd.items.length)}}; -g.k.Wb=function(a){this.initialize();this.sd.Wb(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.re=function(a){this.fb&&1>=this.sd.items.length&&this.hide();this.sd.re(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.Bc=function(a){this.initialize();0=this.K&&(!this.B||!g.U(g.uK(this.api),64));g.JN(this,b);g.J(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.current:this.api.getCurrentTime(b,!1));this.C!==c&&(this.ya("currenttime",c),this.C=c);b=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.duration:this.api.getDuration(b, -!1));this.D!==b&&(this.ya("duration",b),this.D=b)}this.B&&(a=a.isAtLiveHead,this.I!==a||this.F!==this.isPremiere)&&(this.I=a,this.F=this.isPremiere,this.sc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.Gc(this.isPremiere?"Premiere":"Live"),a?this.u&&(this.u(),this.u=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.u=g.cV(this.tooltip,this.liveBadge.element)))}; -g.k.Ra=function(a,b,c){this.updateVideoData(g.Q(this.api.T().experiments,"enable_topsoil_wta_for_halftime")&&2===c?this.api.getVideoData(1):b);this.sc()}; -g.k.updateVideoData=function(a){this.B=a.isLivePlayback&&!a.Zi;this.isPremiere=a.isPremiere;g.J(this.element,"ytp-live",this.B)}; +g.k.gk=function(a){return this.getOption(a).text||""}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);this.ma("settingChange",this.J,this.settings[a].option)};g.w(JV,g.qU);JV.prototype.ah=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.Vs[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.yj(e),c.C.element.setAttribute("aria-checked",String(!d)),c.j.element.setAttribute("aria-checked",String(d)))}}}; +JV.prototype.Pj=function(a,b){this.ma("settingChange",a,b)};g.w(KV,g.DV);KV.prototype.getKey=function(a){return a.languageCode}; +KV.prototype.gk=function(a){return this.languages[a].languageName||""}; +KV.prototype.eh=function(a){this.ma("select",a);this.F.qb(this.element);g.wU(this.Eb)};g.w(MPa,g.DV);g.k=MPa.prototype;g.k.getKey=function(a){return g.hd(a)?"__off__":a.displayName}; +g.k.gk=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":"__correction__"===a?"Suggest caption corrections":("__off__"===a?{}:this.tracks[a]).displayName}; +g.k.eh=function(a){if("__translate__"===a)this.j.open();else if("__contribute__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var b=g.zJa(this.F.V(),this.F.getVideoData());g.IN(b)}else if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var c=NPa(this);LV(this,c);g.DV.prototype.eh.call(this,this.getKey(c));var d,e;c=null==(b=this.F.getVideoData().getPlayerResponse())?void 0:null==(d=b.captions)?void 0:null==(e=d.playerCaptionsTracklistRenderer)? +void 0:e.openTranscriptCommand;this.F.Na("innertubeCommand",c);this.Eb.nj();this.C&&this.F.qb(this.C)}else{if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();b=NPa(this);LV(this,b);g.DV.prototype.eh.call(this,this.getKey(b));var f,h;b=null==(c=this.F.getVideoData().getPlayerResponse())?void 0:null==(f=c.captions)?void 0:null==(h=f.playerCaptionsTracklistRenderer)?void 0:h.openTranscriptCommand;this.F.Na("innertubeCommand",b)}else this.F.qb(this.element), +LV(this,"__off__"===a?{}:this.tracks[a]),g.DV.prototype.eh.call(this,a);this.Eb.nj()}}; +g.k.Pa=function(){var a=this.F.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.F.getVideoData(),c=b&&b.gF,d,e=!(null==(d=this.F.getVideoData())||!g.ZM(d));d={};if(a||c){var f;if(a){var h=this.F.getOption("captions","track");d=this.F.getOption("captions","tracklist",{includeAsr:!0});var l=e?[]:this.F.getOption("captions","translationLanguages");this.tracks=g.Pb(d,this.getKey,this);e=g.Yl(d,this.getKey);var m=NPa(this),n,p;b.K("suggest_caption_correction_menu_item")&&m&&(null==(f=b.getPlayerResponse())? +0:null==(n=f.captions)?0:null==(p=n.playerCaptionsTracklistRenderer)?0:p.openTranscriptCommand)&&e.push("__correction__");if(l.length&&!g.hd(h)){if((f=h.translationLanguage)&&f.languageName){var q=f.languageName;f=l.findIndex(function(r){return r.languageName===q}); +Daa(l,f)}KPa(this.j,l);e.push("__translate__")}f=this.getKey(h)}else this.tracks={},e=[],f="__off__";e.unshift("__off__");this.tracks.__off__={};c&&e.unshift("__contribute__");this.tracks[f]||(this.tracks[f]=h,e.push(f));g.EV(this,e);this.yj(f);h&&h.translationLanguage?this.j.yj(this.j.getKey(h.translationLanguage)):tPa(this.j);a&&this.D.ah(this.F.getSubtitlesUserSettings());this.T.ge(d&&d.length?" ("+d.length+")":"");this.ma("size-change");this.F.Ua(this.element,!0);this.enable(!0)}else this.enable(!1)}; +g.k.F0=function(a){var b=this.F.getOption("captions","track");b=g.md(b);b.translationLanguage=this.j.languages[a];LV(this,b)}; +g.k.Pj=function(a,b){if("reset"===a)this.F.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.F.updateSubtitlesUserSettings(c)}LPa(this,!0);this.J.start();this.D.ah(this.F.getSubtitlesUserSettings())}; +g.k.q7=function(a){a||g.Lp(this.J)}; +g.k.qa=function(){g.Lp(this.J);g.DV.prototype.qa.call(this)}; +g.k.open=function(){g.DV.prototype.open.call(this);this.options.__correction__&&!this.C&&(this.C=this.options.__correction__.element,this.F.sb(this.C,this,167341),this.F.Ua(this.C,!0))};g.w(OPa,g.vU);g.k=OPa.prototype; +g.k.initialize=function(){if(!this.isInitialized){var a=this.F.V();this.isInitialized=!0;var b=new vPa(this.F,this);g.E(this,b);b=new MPa(this.F,this);g.E(this,b);a.B||(b=new CV(this.F,this),g.E(this,b));a.uf&&(b=new DPa(this.F,this),g.E(this,b));this.F.K("embeds_web_enable_new_context_menu_triggering")&&(g.fK(a)||a.J)&&(a.u||a.tb)&&(b=new uPa(this.F,this),g.E(this,b));a.Od&&!a.K("web_player_move_autonav_toggle")&&(a=new GV(this.F,this),g.E(this,a));a=new FV(this.F,this);g.E(this,a);this.F.ma("settingsMenuInitialized"); +sPa(this.settingsButton,this.Of.Ho())}}; +g.k.Zc=function(a){this.initialize();this.Of.Zc(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.jh=function(a){this.yb&&1>=this.Of.Ho()&&this.hide();this.Of.jh(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.od=function(a){this.initialize();0=b;g.bQ(this,c);this.F.Ua(this.element,c);a&&this.updateValue("pressed",this.isEnabled())};g.w(g.PV,g.U);g.k=g.PV.prototype; +g.k.yc=function(){var a=this.api.jb().getPlayerSize().width,b=this.J;this.api.V().T&&(b=400);b=a>=b&&(!RV(this)||!g.S(this.api.Cb(),64));g.bQ(this,b);g.Up(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=this.api.getCurrentTime(b,!1);this.u&&(c-=a.airingStart);QV(this)&&(c-=this.Bb.startTimeMs/1E3);c=g.eR(c);this.B!==c&&(this.updateValue("currenttime",c),this.B=c);b=QV(this)?g.eR((this.Bb.endTimeMs-this.Bb.startTimeMs)/ +1E3):g.eR(this.api.getDuration(b,!1));this.C!==b&&(this.updateValue("duration",b),this.C=b)}a=a.isAtLiveHead;!RV(this)||this.I===a&&this.D===this.isPremiere||(this.I=a,this.D=this.isPremiere,this.yc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.ge(this.isPremiere?"Premiere":"Live"),a?this.j&&(this.j(),this.j=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.j=g.ZS(this.tooltip,this.liveBadge.element)));a=this.api.getLoopRange();b=this.Bb!==a;this.Bb=a;b&&OV(this)}; +g.k.onLoopRangeChange=function(a){var b=this.Bb!==a;this.Bb=a;b&&(this.yc(),OV(this))}; +g.k.V7=function(){this.api.setLoopRange(null)}; +g.k.onVideoDataChange=function(a,b,c){this.updateVideoData((this.api.V().K("enable_topsoil_wta_for_halftime")||this.api.V().K("enable_topsoil_wta_for_halftime_live_infra"))&&2===c?this.api.getVideoData(1):b);this.yc();OV(this)}; +g.k.updateVideoData=function(a){this.yC=a.isLivePlayback&&!a.Xb;this.u=aN(a);this.isPremiere=a.isPremiere;g.Up(this.element,"ytp-live",RV(this))}; g.k.onClick=function(a){a.target===this.liveBadge.element&&(this.api.seekTo(Infinity),this.api.playVideo())}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)};g.u(VX,g.V);g.k=VX.prototype;g.k.jk=function(){var a=this.B.ge();this.F!==a&&(this.F=a,UX(this,this.api.getVolume(),this.api.isMuted()))}; -g.k.cF=function(a){g.JN(this,350<=a.width)}; -g.k.oN=function(a){if(!g.kp(a)){var b=g.lp(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ce(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.ip(a))}}; -g.k.mN=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ce(b/10,-10,10));g.ip(a)}; -g.k.CQ=function(){TX(this,this.u,!0,this.D,this.B.Nh());this.Y=this.volume;this.api.isMuted()&&this.api.unMute()}; -g.k.nN=function(a){var b=this.F?78:52,c=this.F?18:12;a-=g.Eg(this.X).x;this.api.setVolume(100*g.ce((a-c/2)/(b-c),0,1))}; -g.k.BQ=function(){TX(this,this.u,!1,this.D,this.B.Nh());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Y))}; -g.k.pN=function(a){UX(this,a.volume,a.muted)}; -g.k.pC=function(){TX(this,this.u,this.C,this.D,this.B.Nh())}; -g.k.ca=function(){g.V.prototype.ca.call(this);g.sn(this.K,"ytp-volume-slider-active")};g.u(g.WX,g.V);g.WX.prototype.Ra=function(){var a=this.api.getVideoData(1).qc,b=this.api.T();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.pfpChazalUi);g.JN(this,this.visible);g.QN(this.api,this.element,this.visible&&this.R);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.ya("url",a))}; -g.WX.prototype.onClick=function(a){var b=this.api.getVideoUrl(!g.cP(a),!1,!0,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_logo")));g.BU(b,this.api,a);g.$T(this.api,this.element)}; -g.WX.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)};g.u(YX,g.tR);g.k=YX.prototype;g.k.ie=function(){this.nd.sc();this.mi.sc()}; -g.k.Yh=function(){this.sz();this.Nc.B?this.ie():g.dY(this.nd.tooltip)}; -g.k.ur=function(){this.ie();this.Xd.start()}; -g.k.sz=function(){var a=!this.J.T().u&&300>g.gva(this.nd)&&g.uK(this.J).Hb()&&!!window.requestAnimationFrame,b=!a;this.Nc.B||(a=b=!1);b?this.K||(this.K=this.N(this.J,"progresssync",this.ie)):this.K&&(this.Mb(this.K),this.K=null);a?this.Xd.isActive()||this.Xd.start():this.Xd.stop()}; -g.k.Va=function(){var a=this.B.ge(),b=g.cG(this.J).getPlayerSize(),c=ZX(this),d=Math.max(b.width-2*c,100);if(this.za!==b.width||this.ma!==a){this.za=b.width;this.ma=a;var e=tva(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";this.nd.setPosition(c,e,a);this.B.Rb().fa=e}c=this.u;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-$X(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.fv=e;c.tp();this.sz();!this.J.T().ba("html5_player_bottom_linear_gradient")&&g.Q(this.J.T().experiments, -"html5_player_dynamic_bottom_gradient")&&g.eW(this.ha,b.height)}; -g.k.Ra=function(){var a=this.J.getVideoData();this.X.style.background=a.qc?a.Gj:"";g.JN(this.Y,a.zA)}; -g.k.Pa=function(){return this.C.element};var h2={},aY=(h2.CHANNEL_NAME="ytp-title-channel-name",h2.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",h2.LINK="ytp-title-link",h2.SESSIONLINK="yt-uix-sessionlink",h2.SUBTEXT="ytp-title-subtext",h2.TEXT="ytp-title-text",h2.TITLE="ytp-title",h2);g.u(bY,g.V);bY.prototype.onClick=function(a){g.$T(this.api,this.element);var b=this.api.getVideoUrl(!g.cP(a),!1,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_title")));g.BU(b,this.api,a)}; -bY.prototype.oa=function(){var a=this.api.getVideoData(),b=this.api.T();this.ya("title",a.title);uva(this);if(2===this.api.getPresentingPlayerType()){var c=this.api.getVideoData();c.videoId&&c.isListed&&c.author&&c.Ek&&c.lf?(this.ya("channelLink",c.Ek),this.ya("channelName",c.author)):uva(this)}c=b.externalFullscreen||!this.api.isFullscreen()&&b.ng;g.J(this.link,aY.FULLERSCREEN_LINK,c);b.R||!a.videoId||c||a.qc&&b.pfpChazalUi?this.u&&(this.ya("url",null),this.Mb(this.u),this.u=null):(this.ya("url", -this.api.getVideoUrl(!0)),this.u||(this.u=this.N(this.link,"click",this.onClick)))};g.u(g.cY,g.V);g.k=g.cY.prototype;g.k.QF=function(a,b){if(a<=this.C&&this.C<=b){var c=this.C;this.C=NaN;wva(this,c)}}; -g.k.rL=function(){lI(this.u,this.C,160*this.scale)}; -g.k.gj=function(){switch(this.type){case 2:var a=this.B;a.removeEventListener("mouseout",this.X);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.X);a.addEventListener("focus",this.D);zva(this);break;case 3:zva(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.QF,this),this.u=null),this.api.removeEventListener("videoready",this.Y),this.aa.stop()}this.type=null;this.K&&this.I.hide()}; -g.k.Ci=function(a){for(var b=0;b(b.height-d.height)/2?m=l.y-f.height-12:m=l.y+d.height+12);a.style.top=m+(e||0)+"px";a.style.left=c+"px"}; -g.k.Yh=function(a){a&&(this.tooltip.Ci(this.Cg.element),this.Bf&&this.tooltip.Ci(this.Bf.Pa()));g.SU.prototype.Yh.call(this,a)}; -g.k.Pi=function(a,b){var c=g.cG(this.api).getPlayerSize();c=new g.jg(0,0,c.width,c.height);if(a||this.Nc.B&&!this.Il()){if(this.api.T().En||b){var d=this.ge()?this.xx:this.wx;c.top+=d;c.height-=d}this.Bf&&(c.height-=$X(this.Bf))}return c}; -g.k.jk=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.T().externalFullscreen||(b.parentElement.insertBefore(this.Ht.element,b),b.parentElement.insertBefore(this.Gt.element,b.nextSibling))):M(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.Ht.detach(),this.Gt.detach());this.Va();this.vk()}; -g.k.ge=function(){var a=this.api.T();a=a.ba("embeds_enable_mobile_custom_controls")&&a.u;return this.api.isFullscreen()&&!a||!1}; -g.k.showControls=function(a){this.mt=!a;this.Fg()}; -g.k.Va=function(){var a=this.ge();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.J(this.contextMenu.element,"ytp-big-mode",a);this.Fg();if(this.Ie()&&this.dg)this.mg&&OV(this.dg,this.mg),this.shareButton&&OV(this.dg,this.shareButton),this.Dj&&OV(this.dg,this.Dj);else{if(this.dg){a=this.dg;for(var b=g.q(a.actionButtons),c=b.next();!c.done;c=b.next())c.value.detach();a.actionButtons=[]}this.mg&&!g.Me(this.Rf.element,this.mg.element)&&this.mg.ga(this.Rf.element);this.shareButton&&!g.Me(this.Rf.element, -this.shareButton.element)&&this.shareButton.ga(this.Rf.element);this.Dj&&!g.Me(this.Rf.element,this.Dj.element)&&this.Dj.ga(this.Rf.element)}this.vk();g.SU.prototype.Va.call(this)}; -g.k.gy=function(){if(Fva(this)&&!g.NT(this.api))return!1;var a=this.api.getVideoData();return!g.hD(this.api.T())||2===this.api.getPresentingPlayerType()||!this.Qg||((a=this.Qg||a.Qg)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&a.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.SU.prototype.gy.call(this):!1}; -g.k.vk=function(){g.SU.prototype.vk.call(this);g.QN(this.api,this.title.element,!!this.Vi);this.So&&this.So.Eb(!!this.Vi);this.channelAvatar.Eb(!!this.Vi);this.overflowButton&&this.overflowButton.Eb(this.Ie()&&!!this.Vi);this.shareButton&&this.shareButton.Eb(!this.Ie()&&!!this.Vi);this.mg&&this.mg.Eb(!this.Ie()&&!!this.Vi);this.Dj&&this.Dj.Eb(!this.Ie()&&!!this.Vi);if(!this.Vi){this.tooltip.Ci(this.Cg.element);for(var a=0;ae?jY(this,"next_player_future"):(this.I=d,this.C=GB(a,c,d,!0),this.D=GB(a,e,f,!1),a=this.B.getVideoData().clientPlaybackNonce,this.u.Na("gaplessPrep","cpn."+a),mY(this.u,this.C),this.u.setMediaElement(Lva(b,c,d,!this.u.getVideoData().isAd())), -lY(this,2),Rva(this))):this.ea():this.ea()}else jY(this,"no-elem")}else this.ea()}; -g.k.Lo=function(a){var b=Qva(this).xH,c=a===b;b=c?this.C.u:this.C.B;c=c?this.D.u:this.D.B;if(b.isActive&&!c.isActive){var d=this.I;cA(a.Se(),d-.01)&&(lY(this,4),b.isActive=!1,b.zs=b.zs||b.isActive,this.B.Na("sbh","1"),c.isActive=!0,c.zs=c.zs||c.isActive);a=this.D.B;this.D.u.isActive&&a.isActive&&lY(this,5)}}; -g.k.WF=function(){4<=this.status.status&&6>this.status.status&&jY(this,"player-reload-after-handoff")}; -g.k.ca=function(){Pva(this);this.u.unsubscribe("newelementrequired",this.WF,this);if(this.C){var a=this.C.B;this.C.u.Rc.unsubscribe("updateend",this.Lo,this);a.Rc.unsubscribe("updateend",this.Lo,this)}g.C.prototype.ca.call(this)}; -g.k.lc=function(a){g.GK(a,128)&&jY(this,"player-error-event")}; -g.k.ea=function(){};g.u(pY,g.C);pY.prototype.clearQueue=function(){this.ea();this.D&&this.D.reject("Queue cleared");qY(this)}; -pY.prototype.ca=function(){qY(this);g.C.prototype.ca.call(this)}; -pY.prototype.ea=function(){};g.u(tY,g.O);g.k=tY.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:Wva()?3:b?2:c?1:d?5:e?7:f?8:0}; -g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.ff())}; -g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.ff())}; -g.k.setImmersivePreview=function(a){this.B!==a&&(this.B=a,this.ff())}; -g.k.Ze=function(){return this.C}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)};g.w(RPa,g.U);g.k=RPa.prototype;g.k.Hq=function(){var a=this.j.yg();this.C!==a&&(this.C=a,QPa(this,this.api.getVolume(),this.api.isMuted()))}; +g.k.IR=function(a){g.bQ(this,350<=a.width)}; +g.k.I0=function(a){if(!g.DO(a)){var b=g.zO(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ze(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.EO(a))}}; +g.k.G0=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ze(b/10,-10,10));g.EO(a)}; +g.k.v7=function(){SV(this,this.u,!0,this.B,this.j.Ql());this.Z=this.volume;this.api.isMuted()&&this.api.unMute()}; +g.k.H0=function(a){var b=this.C?78:52,c=this.C?18:12;a-=g.Pm(this.T).x;this.api.setVolume(100*g.ze((a-c/2)/(b-c),0,1))}; +g.k.u7=function(){SV(this,this.u,!1,this.B,this.j.Ql());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Z))}; +g.k.onVolumeChange=function(a){QPa(this,a.volume,a.muted)}; +g.k.US=function(){SV(this,this.u,this.isDragging,this.B,this.j.Ql())}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.J,"ytp-volume-slider-active")};g.w(g.TV,g.U); +g.TV.prototype.onVideoDataChange=function(){var a=this.api.getVideoData(1).D,b=this.api.V();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.Z);g.bQ(this,this.visible);this.api.Ua(this.element,this.visible&&this.ea);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.updateValue("url",a));b.B&&(this.j&&(this.Hc(this.j),this.j=null),this.element.removeAttribute("href"),this.element.removeAttribute("title"),this.element.removeAttribute("aria-label"),g.Qp(this.element,"no-link"));this.Db()}; +g.TV.prototype.onClick=function(a){this.api.K("web_player_log_click_before_generating_ve_conversion_params")&&this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0,!0);if(g.fK(b)||g.oK(b)){var d={};b.ya&&g.fK(b)&&g.iS(d,b.loaderUrl);g.fK(b)&&g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_logo"))}g.VT(c,this.api,a);this.api.K("web_player_log_click_before_generating_ve_conversion_params")||this.api.qb(this.element)}; +g.TV.prototype.Db=function(){var a={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 67 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 45.09 10 L 45.09 25.82 L 47.16 25.82 L 47.41 24.76 L 47.47 24.76 C 47.66 25.14 47.94 25.44 48.33 25.66 C 48.72 25.88 49.16 25.99 49.63 25.99 C 50.48 25.99 51.1 25.60 51.5 24.82 C 51.9 24.04 52.09 22.82 52.09 21.16 L 52.09 19.40 C 52.12 18.13 52.05 17.15 51.90 16.44 C 51.75 15.74 51.50 15.23 51.16 14.91 C 50.82 14.59 50.34 14.44 49.75 14.44 C 49.29 14.44 48.87 14.57 48.47 14.83 C 48.27 14.96 48.09 15.11 47.93 15.29 C 47.78 15.46 47.64 15.65 47.53 15.86 L 47.51 15.86 L 47.51 10 L 45.09 10 z M 8.10 10.56 L 10.96 20.86 L 10.96 25.82 L 13.42 25.82 L 13.42 20.86 L 16.32 10.56 L 13.83 10.56 L 12.78 15.25 C 12.49 16.62 12.31 17.59 12.23 18.17 L 12.16 18.17 C 12.04 17.35 11.84 16.38 11.59 15.23 L 10.59 10.56 L 8.10 10.56 z M 30.10 10.56 L 30.10 12.58 L 32.59 12.58 L 32.59 25.82 L 35.06 25.82 L 35.06 12.58 L 37.55 12.58 L 37.55 10.56 L 30.10 10.56 z M 19.21 14.46 C 18.37 14.46 17.69 14.63 17.17 14.96 C 16.65 15.29 16.27 15.82 16.03 16.55 C 15.79 17.28 15.67 18.23 15.67 19.43 L 15.67 21.06 C 15.67 22.24 15.79 23.19 16 23.91 C 16.21 24.62 16.57 25.15 17.07 25.49 C 17.58 25.83 18.27 26 19.15 26 C 20.02 26 20.69 25.83 21.19 25.5 C 21.69 25.17 22.06 24.63 22.28 23.91 C 22.51 23.19 22.63 22.25 22.63 21.06 L 22.63 19.43 C 22.63 18.23 22.50 17.28 22.27 16.56 C 22.04 15.84 21.68 15.31 21.18 14.97 C 20.68 14.63 20.03 14.46 19.21 14.46 z M 56.64 14.47 C 55.39 14.47 54.51 14.84 53.99 15.61 C 53.48 16.38 53.22 17.60 53.22 19.27 L 53.22 21.23 C 53.22 22.85 53.47 24.05 53.97 24.83 C 54.34 25.40 54.92 25.77 55.71 25.91 C 55.97 25.96 56.26 25.99 56.57 25.99 C 57.60 25.99 58.40 25.74 58.96 25.23 C 59.53 24.72 59.81 23.94 59.81 22.91 C 59.81 22.74 59.79 22.61 59.78 22.51 L 57.63 22.39 C 57.62 23.06 57.54 23.54 57.40 23.83 C 57.26 24.12 57.01 24.27 56.63 24.27 C 56.35 24.27 56.13 24.18 56.00 24.02 C 55.87 23.86 55.79 23.61 55.75 23.25 C 55.71 22.89 55.68 22.36 55.68 21.64 L 55.68 21.08 L 59.86 21.08 L 59.86 19.16 C 59.86 17.99 59.77 17.08 59.58 16.41 C 59.39 15.75 59.07 15.25 58.61 14.93 C 58.15 14.62 57.50 14.47 56.64 14.47 z M 23.92 14.67 L 23.92 23.00 C 23.92 24.03 24.11 24.79 24.46 25.27 C 24.82 25.76 25.35 26.00 26.09 26.00 C 27.16 26.00 27.97 25.49 28.5 24.46 L 28.55 24.46 L 28.76 25.82 L 30.73 25.82 L 30.73 14.67 L 28.23 14.67 L 28.23 23.52 C 28.13 23.73 27.97 23.90 27.77 24.03 C 27.57 24.16 27.37 24.24 27.15 24.24 C 26.89 24.24 26.70 24.12 26.59 23.91 C 26.48 23.70 26.43 23.35 26.43 22.85 L 26.43 14.67 L 23.92 14.67 z M 36.80 14.67 L 36.80 23.00 C 36.80 24.03 36.98 24.79 37.33 25.27 C 37.60 25.64 37.97 25.87 38.45 25.96 C 38.61 25.99 38.78 26.00 38.97 26.00 C 40.04 26.00 40.83 25.49 41.36 24.46 L 41.41 24.46 L 41.64 25.82 L 43.59 25.82 L 43.59 14.67 L 41.09 14.67 L 41.09 23.52 C 40.99 23.73 40.85 23.90 40.65 24.03 C 40.45 24.16 40.23 24.24 40.01 24.24 C 39.75 24.24 39.58 24.12 39.47 23.91 C 39.36 23.70 39.31 23.35 39.31 22.85 L 39.31 14.67 L 36.80 14.67 z M 56.61 16.15 C 56.88 16.15 57.08 16.23 57.21 16.38 C 57.33 16.53 57.42 16.79 57.47 17.16 C 57.52 17.53 57.53 18.06 57.53 18.78 L 57.53 19.58 L 55.69 19.58 L 55.69 18.78 C 55.69 18.05 55.71 17.52 55.75 17.16 C 55.79 16.81 55.87 16.55 56.00 16.39 C 56.13 16.23 56.32 16.15 56.61 16.15 z M 19.15 16.19 C 19.50 16.19 19.75 16.38 19.89 16.75 C 20.03 17.12 20.09 17.7 20.09 18.5 L 20.09 21.97 C 20.09 22.79 20.03 23.39 19.89 23.75 C 19.75 24.11 19.51 24.29 19.15 24.30 C 18.80 24.30 18.54 24.11 18.41 23.75 C 18.28 23.39 18.22 22.79 18.22 21.97 L 18.22 18.5 C 18.22 17.7 18.28 17.12 18.42 16.75 C 18.56 16.38 18.81 16.19 19.15 16.19 z M 48.63 16.22 C 48.88 16.22 49.08 16.31 49.22 16.51 C 49.36 16.71 49.45 17.05 49.50 17.52 C 49.55 17.99 49.58 18.68 49.58 19.55 L 49.58 21 L 49.59 21 C 49.59 21.81 49.57 22.45 49.5 22.91 C 49.43 23.37 49.32 23.70 49.16 23.89 C 49.00 24.08 48.78 24.17 48.51 24.17 C 48.30 24.17 48.11 24.12 47.94 24.02 C 47.76 23.92 47.62 23.78 47.51 23.58 L 47.51 17.25 C 47.59 16.95 47.75 16.70 47.96 16.50 C 48.17 16.31 48.39 16.22 48.63 16.22 z "}}]}, +b=this.api.V(),c=b.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.oK(b)?(b=this.Da("ytp-youtube-music-button"),a=(c=300>this.api.getPlayerSize().width)?{G:"svg",X:{fill:"none",height:"24",width:"24"},W:[{G:"circle",X:{cx:"12",cy:"12",fill:"red",r:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09z",fill:"#fff"}}]}:{G:"svg",X:{viewBox:"0 0 80 24"},W:[{G:"ellipse",X:{cx:"12.18", +cy:"12",fill:"red",rx:"12.18",ry:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09zM37.43 9.64c-.57 2.85-1.01 6.33-1.25 7.77h-.16c-.18-1.48-.62-4.94-1.22-7.75L33.31 2.67h-4.52v18.85h2.80V5.98l.27 1.45 2.85 14.08h2.80l2.80-14.08.3-1.45v15.54h2.80V2.67h-4.56l-1.43 6.96zM51.01 18.69c-.25.51-.81.87-1.36.87-.64 0-.90-.49-.90-1.70V7.75H45.54v10.29c0 2.54.85 3.70 2.75 3.70 1.29 0 2.33-.56 3.05-1.90h.07l.27 1.68h2.50V7.75h-3.19v10.94h.00zM60.39 13.19c-1.04-.74-1.69-1.23-1.69-2.31 0-.76.37-1.19 1.25-1.19.90 0 1.20.60 1.22 2.67l2.68-.11c.20-3.34-.92-4.74-3.87-4.74-2.73 0-4.07 1.19-4.07 3.63 0 2.22 1.11 3.23 2.92 4.56 1.55 1.16 2.45 1.82 2.45 2.76 0 .72-.46 1.21-1.27 1.21-.95 0-1.50-.87-1.36-2.40l-2.71.04c-.41 2.85.76 4.51 3.91 4.51 2.75 0 4.19-1.23 4.19-3.70-.00-2.24-1.16-3.14-3.66-4.94zM68.87 7.75h-3.05v13.77h3.06V7.75zM67.36 2.31c-1.18 0-1.73.42-1.73 1.91 0 1.52.55 1.90 1.73 1.90 1.20 0 1.73-.38 1.73-1.90 0-1.41-.53-1.91-1.73-1.91zM79.15 16.56l-2.80-.13c0 2.42-.27 3.21-1.22 3.21-.95 0-1.11-.87-1.11-3.73v-2.67c0-2.76.18-3.63 1.13-3.63.88 0 1.11.83 1.11 3.39l2.77-.17c.18-2.13-.09-3.59-.94-4.42-.62-.60-1.57-.89-2.89-.89-3.10 0-4.37 1.61-4.37 6.15v1.93c0 4.67 1.08 6.17 4.26 6.17 1.34 0 2.27-.27 2.89-.85.90-.81 1.24-2.20 1.18-4.34z", +fill:"#fff"}}]},g.Up(b,"ytp-youtube-music-logo-icon-only",c)):c&&(a={G:"svg",X:{fill:"none",height:"100%",viewBox:"-10 -8 67 36",width:"100%"},W:[{G:"path",X:{d:"m.73 13.78 2.57-.05c-.05 2.31.36 3.04 1.34 3.04.95 0 1.34-.61 1.34-1.88 0-1.88-.97-2.83-2.37-4.04C1.47 8.99.55 7.96.55 5.23c0-2.60 1.15-4.14 4.17-4.14 2.91 0 4.12 1.70 3.71 5.20l-2.57.15c.05-2.39-.20-3.22-1.26-3.22-.97 0-1.31.64-1.31 1.82 0 1.77.74 2.31 2.34 3.84 1.98 1.88 3.09 2.98 3.09 5.54 0 3.24-1.26 4.48-4.20 4.48-3.06.02-4.30-1.62-3.78-5.12ZM9.67.74h2.83V4.58c0 1.15-.05 1.95-.15 2.93h.05c.54-1.15 1.44-1.75 2.60-1.75 1.75 0 2.5 1.23 2.5 3.35v9.53h-2.83V9.32c0-1.03-.25-1.54-.90-1.54-.48 0-.92.28-1.23.79V18.65H9.70V.74h-.02ZM18.67 13.27v-1.82c0-4.07 1.18-5.64 3.99-5.64 2.80 0 3.86 1.62 3.86 5.64v1.82c0 3.96-1.00 5.59-3.94 5.59-2.98 0-3.91-1.67-3.91-5.59Zm5 1.03v-3.94c0-1.72-.25-2.60-1.08-2.60-.79 0-1.05.87-1.05 2.60v3.94c0 1.80.25 2.62 1.05 2.62.82 0 1.08-.82 1.08-2.62ZM27.66 6.03h2.19l.25 2.73h.10c.28-2.01 1.21-3.01 2.39-3.01.15 0 .30.02.51.05l-.15 3.27c-1.18-.25-2.13-.05-2.57.72V18.63h-2.73V6.03ZM34.80 15.67V8.27h-1.03V6.05h1.15l.36-3.73h2.11V6.05h1.93v2.21h-1.80v6.98c0 1.18.15 1.44.61 1.44.41 0 .77-.05 1.10-.18l.36 1.80c-.85.41-1.93.54-2.60.54-1.82-.02-2.21-.97-2.21-3.19ZM40.26 14.81l2.39-.05c-.12 1.39.36 2.19 1.21 2.19.72 0 1.13-.46 1.13-1.10 0-.87-.79-1.46-2.16-2.5-1.62-1.23-2.60-2.16-2.60-4.20 0-2.24 1.18-3.32 3.63-3.32 2.60 0 3.63 1.28 3.42 4.35l-2.39.10c-.02-1.90-.28-2.44-1.08-2.44-.77 0-1.10.38-1.10 1.08 0 .97.56 1.44 1.49 2.11 2.21 1.64 3.24 2.47 3.24 4.53 0 2.26-1.28 3.40-3.73 3.40-2.78-.02-3.81-1.54-3.45-4.14Z", +fill:"#fff"}}]});a.X=Object.assign({},a.X,{"aria-hidden":"true"});this.updateValue("logoSvg",a)}; +g.TV.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)};g.w(TPa,g.bI);g.k=TPa.prototype;g.k.Ie=function(){g.S(this.F.Cb(),2)||(this.Kc.yc(),this.tj.yc())}; +g.k.qn=function(){this.KJ();if(this.Ve.u){this.Ie();var a;null==(a=this.tb)||a.show()}else{g.XV(this.Kc.tooltip);var b;null==(b=this.tb)||b.hide()}}; +g.k.Iv=function(){this.Ie();this.lf.start()}; +g.k.KJ=function(){var a=!this.F.V().u&&300>g.rPa(this.Kc)&&this.F.Cb().bd()&&!!window.requestAnimationFrame,b=!a;this.Ve.u||(a=b=!1);b?this.ea||(this.ea=this.S(this.F,"progresssync",this.Ie)):this.ea&&(this.Hc(this.ea),this.ea=null);a?this.lf.isActive()||this.lf.start():this.lf.stop()}; +g.k.Db=function(){var a=this.u.yg(),b=this.F.jb().getPlayerSize(),c=VPa(this),d=Math.max(b.width-2*c,100);if(this.ib!==b.width||this.fb!==a){this.ib=b.width;this.fb=a;var e=WPa(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";g.yV(this.Kc,c,e,a);this.u.Ic().LJ=e}c=this.B;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-XPa(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.UE=e;c.lA();this.KJ();this.F.V().K("html5_player_dynamic_bottom_gradient")&&g.VU(this.kb,b.height)}; +g.k.onVideoDataChange=function(){var a=this.F.getVideoData(),b,c,d,e=null==(b=a.kf)?void 0:null==(c=b.embedPreview)?void 0:null==(d=c.thumbnailPreviewRenderer)?void 0:d.controlBgHtml;b=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?!!e:a.D;e=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?null!=e?e:"":a.Wc;this.Ja.style.background=b?e:"";g.bQ(this.ya,a.jQ);this.oa&&jOa(this.oa,a.showSeekingControls);this.Z&&jOa(this.Z,a.showSeekingControls)}; +g.k.ub=function(){return this.C.element};g.w(YPa,EU);g.k=YPa.prototype;g.k.YG=function(a){a.target!==this.dismissButton.element&&(this.onClickCommand&&this.F.Na("innertubeCommand",this.onClickCommand),this.WC())}; +g.k.WC=function(){this.enabled=!1;this.I.hide()}; +g.k.onVideoDataChange=function(a,b){"dataloaded"===a&&ZPa(this);if(this.F.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){a=[];var c,d,e,f;if(b=null==(f=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.suggestedActionsRenderer,mza))?void 0:f.suggestedActions)for(c=g.t(b),d=c.next();!d.done;d=c.next())(d=g.K(d.value,nza))&&g.K(d.trigger,lM)&&a.push(d)}else a=b.suggestedActions;c=a;if(0!==c.length){a=[];c=g.t(c);for(d=c.next();!d.done;d= +c.next())if(d=d.value,e=g.K(d.trigger,lM))f=(f=d.title)?g.gE(f):"View Chapters",b=e.timeRangeStartMillis,e=e.timeRangeEndMillis,null!=b&&null!=e&&d.tapCommand&&(a.push(new g.XD(b,e,{priority:9,namespace:"suggested_action_button_visible",id:f})),this.suggestedActions[f]=d.tapCommand);this.F.ye(a)}}; +g.k.Yz=function(){return this.enabled}; +g.k.Bg=function(){this.enabled?this.oa.start():CU(this);this.dl()}; +g.k.qa=function(){ZPa(this);EU.prototype.qa.call(this)};var g4={},UV=(g4.CHANNEL_NAME="ytp-title-channel-name",g4.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",g4.LINK="ytp-title-link",g4.SESSIONLINK="yt-uix-sessionlink",g4.SUBTEXT="ytp-title-subtext",g4.TEXT="ytp-title-text",g4.TITLE="ytp-title",g4);g.w(VV,g.U); +VV.prototype.onClick=function(a){this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0);if(g.fK(b)){var d={};b.ya&&g.iS(d,b.loaderUrl);g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_title"))}g.VT(c,this.api,a)}; +VV.prototype.Pa=function(){var a=this.api.getVideoData(),b=this.api.V();this.updateValue("title",a.title);var c={G:"a",N:UV.CHANNEL_NAME,X:{href:"{{channelLink}}",target:"_blank"},ra:"{{channelName}}"};this.api.V().B&&(c={G:"span",N:UV.CHANNEL_NAME,ra:"{{channelName}}",X:{tabIndex:"{{channelSubtextFocusable}}"}});this.updateValue("subtextElement",c);$Pa(this);2===this.api.getPresentingPlayerType()&&(c=this.api.getVideoData(),c.videoId&&c.isListed&&c.author&&c.Lc&&c.profilePicture?(this.updateValue("channelLink", +c.Lc),this.updateValue("channelName",c.author),this.updateValue("channelTitleFocusable","0")):$Pa(this));c=b.externalFullscreen||!this.api.isFullscreen()&&b.ij;g.Up(this.link,UV.FULLERSCREEN_LINK,c);b.oa||!a.videoId||c||a.D&&b.Z||b.B?this.j&&(this.updateValue("url",null),this.Hc(this.j),this.j=null):(this.updateValue("url",this.api.getVideoUrl(!0)),this.j||(this.j=this.S(this.link,"click",this.onClick)));b.B&&(this.element.classList.add("ytp-no-link"),this.updateValue("channelName",g.fK(b)?a.ph:a.author), +this.updateValue("channelTitleFocusable","0"),this.updateValue("channelSubtextFocusable","0"))};g.w(g.WV,g.U);g.k=g.WV.prototype;g.k.fP=function(a){if(null!=this.type)if(a)switch(this.type){case 3:case 2:eQa(this);this.I.show();break;default:this.I.show()}else this.I.hide();this.T=a}; +g.k.iW=function(a,b){a<=this.C&&this.C<=b&&(a=this.C,this.C=NaN,bQa(this,a))}; +g.k.x4=function(){Qya(this.u,this.C,this.J*this.scale)}; +g.k.Nn=function(){switch(this.type){case 2:var a=this.j;a.removeEventListener("mouseout",this.oa);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.oa);a.addEventListener("focus",this.D);fQa(this);break;case 3:fQa(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.iW,this),this.u=null),this.api.removeEventListener("videoready",this.ya),this.Aa.stop()}this.type=null;this.T&&this.I.hide()}; +g.k.rk=function(){if(this.j)for(var a=0;a(b.height-d.height)/2?l.y-f.height-12:l.y+d.height+12);a.style.top=f+(e||0)+"px";a.style.left=c+"px"}; +g.k.qn=function(a){a&&(this.tooltip.rk(this.Fh.element),this.dh&&this.tooltip.rk(this.dh.ub()));this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide",a),g.Up(this.contextMenu.element,"ytp-autohide-active",!0));g.eU.prototype.qn.call(this,a)}; +g.k.DN=function(){g.eU.prototype.DN.call(this);this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide-active",!1),this.rG&&(this.contextMenu.hide(),this.Bh&&this.Bh.hide()))}; +g.k.zk=function(a,b){var c=this.api.jb().getPlayerSize();c=new g.Em(0,0,c.width,c.height);if(a||this.Ve.u&&!this.Ct()){if(this.api.V().vl||b)a=this.yg()?this.RK:this.QK,c.top+=a,c.height-=a;this.dh&&(c.height-=XPa(this.dh))}return c}; +g.k.Hq=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.V().externalFullscreen||(b.parentElement.insertBefore(this.IF.element,b),b.parentElement.insertBefore(this.HF.element,b.nextSibling))):g.CD(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.IF.detach(),this.HF.detach());this.Db();this.wp()}; +g.k.yg=function(){var a=this.api.V();return this.api.isFullscreen()&&!a.T||!1}; +g.k.showControls=function(a){this.pF=!a;this.fl()}; +g.k.Db=function(){var a=this.yg();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.Up(this.contextMenu.element,"ytp-big-mode",a);this.fl();this.api.K("web_player_hide_overflow_button_if_empty_menu")||nQa(this);this.wp();var b=this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.Sb();b&&a?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.Fh.element,"padding-left",a+"px"),g.Hm(this.Fh.element,"padding-right",a+"px")):b&&(g.Hm(this.Fh.element,"padding-left", +""),g.Hm(this.Fh.element,"padding-right",""));g.eU.prototype.Db.call(this)}; +g.k.SL=function(){if(mQa(this)&&!g.KS(this.api))return!1;var a=this.api.getVideoData();return!g.fK(this.api.V())||2===this.api.getPresentingPlayerType()||!this.kf||((a=this.kf||a.kf)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&g.K(a.videoDetails,Nza)||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.eU.prototype.SL.call(this):!1}; +g.k.wp=function(){g.eU.prototype.wp.call(this);this.api.Ua(this.title.element,!!this.To);this.Dz&&this.Dz.Zb(!!this.To);this.channelAvatar.Zb(!!this.To);this.overflowButton&&this.overflowButton.Zb(this.Wg()&&!!this.To);this.shareButton&&this.shareButton.Zb(!this.Wg()&&!!this.To);this.Jn&&this.Jn.Zb(!this.Wg()&&!!this.To);this.Bi&&this.Bi.Zb(!this.Wg()&&!!this.To);if(!this.To){this.tooltip.rk(this.Fh.element);for(var a=0;a=b)return d.return();(c=a.j.get(0))&&uQa(a,c);g.oa(d)})}; +var rQa={qQa:0,xSa:1,pRa:2,ySa:3,Ima:4,0:"PRIMARY",1:"SECONDARY",2:"RANDOM",3:"SENSITIVE_CONTENT",4:"C_YOUTUBE"};g.eW.prototype.info=function(){}; +var CQa=new Map;fW.prototype.Vj=function(){if(!this.Le.length)return[];var a=this.Le;this.Le=[];this.B=g.jb(a).info;return a}; +fW.prototype.Rv=function(){return this.Le};g.w(hW,g.C);g.k=hW.prototype;g.k.Up=function(){return Array.from(this.Xc.keys())}; +g.k.lw=function(a){a=this.Xc.get(a);var b=a.Le;a.Qx+=b.totalLength;a.Le=new LF;return b}; +g.k.Vg=function(a){return this.Xc.get(a).Vg}; +g.k.Qh=function(a){return this.Xc.get(a).Qh}; +g.k.Kv=function(a,b,c,d){this.Xc.get(a)||this.Xc.set(a,{Le:new LF,Cq:[],Qx:0,bytesReceived:0,KU:0,CO:!1,Vg:!1,Qh:!1,Ek:b,AX:[],gb:[],OG:[]});b=this.Xc.get(a);this.Sa?(c=MQa(this,a,c,d),LQa(this,a,b,c)):(c.Xm?b.KU=c.Pq:b.OG.push(c),b.AX.push(c))}; +g.k.Om=function(a){var b;return(null==(b=this.Xc.get(a))?void 0:b.gb)||[]}; +g.k.qz=function(){for(var a=g.t(this.Xc.values()),b=a.next();!b.done;b=a.next())b=b.value,b.CO&&(b.Ie&&b.Ie(),b.CO=!1)}; +g.k.Iq=function(a){a=this.Xc.get(a);iW&&a.Cq.push({data:new LF([]),qL:!0});a&&!a.Qh&&(a.Qh=!0)}; +g.k.Vj=function(a){var b,c=null==(b=this.Xc.get(a))?void 0:b.Zd;if(!c)return[];this.Sm(a,c);return c.Vj()}; +g.k.Nk=function(a){var b,c,d;return!!(null==(c=null==(b=this.Xc.get(a))?void 0:b.Zd)?0:null==(d=c.Rv())?0:d.length)||JQa(this,a)}; +g.k.Sm=function(a,b){for(;JQa(this,a);)if(iW){var c=this.Xc.get(a),d=c.Cq.shift();c.Qx+=(null==d?void 0:d.data.totalLength)||0;c=d;gW(b,c.data,c.qL)}else c=this.lw(a),d=a,d=this.Xc.get(d).Vg&&!IQa(this,d),gW(b,c,d&&KQa(this,a))}; +g.k.qa=function(){g.C.prototype.qa.call(this);for(var a=g.t(this.Xc.keys()),b=a.next();!b.done;b=a.next())FQa(this,b.value);this.Xc.clear()}; +var iW=!1;var lW=[],m0a=!1;g.PY=Nd(function(){var a="";try{var b=g.qf("CANVAS").getContext("webgl");b&&(b.getExtension("WEBGL_debug_renderer_info"),a=b.getParameter(37446),a=a.replace(/[ :]/g,"_"))}catch(c){}return a});g.w(mW,g.C);mW.prototype.B=function(){null!=this.j&&this.app.getVideoData()!==this.j&&aM(this.j)&&R0a(this.app,this.j,void 0,void 0,this.u)}; +mW.prototype.qa=function(){this.j=null;g.C.prototype.qa.call(this)};g.w(g.nW,FO);g.k=g.nW.prototype;g.k.isView=function(){return!0}; +g.k.QO=function(){var a=this.mediaElement.getCurrentTime();if(ae?this.Eg("next_player_future"):(this.D=d,this.currentVideoDuration=d-c,this.B=Gva(a,c,d,!0),this.C=Gva(a,e,h,!1),a=this.u.getVideoData().clientPlaybackNonce,this.j.xa("gaplessPrep",{cpn:a}),ZQa(this.j,this.B),this.j.setMediaElement(VQa(b,c,d,!this.j.getVideoData().isAd())), +pW(this,2),bRa(this))))}else this.Eg("no-elem")}; +g.k.kx=function(a){var b=a===aRa(this).LX,c=b?this.B.j:this.B.u;b=b?this.C.j:this.C.u;if(c.isActive&&!b.isActive){var d=this.D;lI(a.Ig(),d-.01)&&(pW(this,4),c.isActive=!1,c.rE=c.rE||c.isActive,this.u.xa("sbh",{}),b.isActive=!0,b.rE=b.rE||b.isActive);a=this.C.u;this.C.j.isActive&&a.isActive&&(pW(this,5),0!==this.T&&(this.j.getVideoData().QR=!0,this.j.setLoopRange({startTimeMs:0,endTimeMs:1E3*this.currentVideoDuration})))}}; +g.k.nW=function(){4<=this.status.status&&6>this.status.status&&this.Eg("player-reload-after-handoff")}; +g.k.Eg=function(a,b){b=void 0===b?{}:b;if(!this.isDisposed()&&6!==this.status.status){var c=4<=this.status.status&&"player-reload-after-handoff"!==a;this.status={status:Infinity,error:a};if(this.j&&this.u){var d=this.u.getVideoData().clientPlaybackNonce;this.j.Kd(new PK("dai.transitionfailure",Object.assign(b,{cpn:d,transitionTimeMs:this.fm,msg:a})));a=this.j;a.videoData.fb=!1;c&&IY(a);a.Fa&&XWa(a.Fa)}this.rp.reject(void 0);this.dispose()}}; +g.k.qa=function(){$Qa(this);this.j.unsubscribe("newelementrequired",this.nW,this);if(this.B){var a=this.B.u;this.B.j.Ed.unsubscribe("updateend",this.kx,this);a.Ed.unsubscribe("updateend",this.kx,this)}g.C.prototype.qa.call(this)}; +g.k.yd=function(a){g.YN(a,128)&&this.Eg("player-error-event")};g.w(rW,g.C);rW.prototype.clearQueue=function(){this.C&&this.C.reject("Queue cleared");sW(this)}; +rW.prototype.vv=function(){return!this.j}; +rW.prototype.qa=function(){sW(this);g.C.prototype.qa.call(this)};g.w(lRa,g.dE);g.k=lRa.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:hRa()?3:b?2:c?1:d?5:e?7:f?8:0}; +g.k.cm=function(a){this.fullscreen!==a&&(this.fullscreen=a,this.Bg())}; +g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.Bg())}; +g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.Bg())}; +g.k.Uz=function(a){this.pictureInPicture!==a&&(this.pictureInPicture=a,this.Bg())}; +g.k.wh=function(){return this.j}; g.k.isFullscreen=function(){return 0!==this.fullscreen}; +g.k.Ay=function(){return this.fullscreen}; +g.k.zg=function(){return this.u}; g.k.isInline=function(){return this.inline}; -g.k.isBackground=function(){return Wva()}; -g.k.ff=function(){this.V("visibilitychange");var a=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B);a!==this.F&&this.V("visibilitystatechange");this.F=a}; -g.k.ca=function(){Zva(this.D);g.O.prototype.ca.call(this)};g.u(vY,g.C);g.k=vY.prototype; -g.k.CM=function(a){var b,c,d,e;if(a=this.C.get(a))if(this.api.V("serverstitchedvideochange",a.Hc),a.cpn&&(null===(c=null===(b=a.playerResponse)||void 0===b?void 0:b.videoDetails)||void 0===c?0:c.videoId)){for(var f,h,l=0;l=a.pw?a.pw:void 0;return{Pz:{lK:f?KRa(this,f):[],S1:h,Qr:d,RX:b,T9:Se(l.split(";")[0]),U9:l.split(";")[1]||""}}}; +g.k.Im=function(a,b,c,d,e){var f=Number(c.split(";")[0]),h=3===d;a=GRa(this,a,b,d,c);this.Qa&&this.va.xa("sdai",{gdu:1,seg:b,itag:f,pb:""+!!a});if(!a)return KW(this,b,h),null;a.locations||(a.locations=new Map);if(!a.locations.has(f)){var l,m,n=null==(l=a.videoData.getPlayerResponse())?void 0:null==(m=l.streamingData)?void 0:m.adaptiveFormats;if(!n)return this.va.xa("sdai",{gdu:"noadpfmts",seg:b,itag:f}),KW(this,b,h),null;l=n.find(function(z){return z.itag===f}); +if(!l||!l.url){var p=a.videoData.videoId;a=[];d=g.t(n);for(var q=d.next();!q.done;q=d.next())a.push(q.value.itag);this.va.xa("sdai",{gdu:"nofmt",seg:b,vid:p,itag:f,fullitag:c,itags:a.join(",")});KW(this,b,h);return null}a.locations.set(f,new g.DF(l.url,!0))}n=a.locations.get(f);if(!n)return this.va.xa("sdai",{gdu:"nourl",seg:b,itag:f}),KW(this,b,h),null;n=new IG(n);this.Wc&&(n.get("dvc")?this.va.xa("sdai",{dvc:n.get("dvc")||""}):n.set("dvc","webm"));var r;(e=null==(r=JW(this,b-1,d,e))?void 0:r.Qr)&& +n.set("daistate",e);a.pw&&b>=a.pw&&n.set("skipsq",""+a.pw);(e=this.va.getVideoData().clientPlaybackNonce)&&n.set("cpn",e);r=[];a.Am&&(r=KRa(this,a.Am),0d?(this.kI(a,c,!0),this.va.seekTo(d),!0):!1}; +g.k.kI=function(a,b,c){c=void 0===c?!1:c;if(a=IW(this,a,b)){var d=a.Am;if(d){this.va.xa("sdai",{skipadonsq:b,sts:c,abid:d,acpn:a.cpn,avid:a.videoData.videoId});c=this.ea.get(d);if(!c)return;c=g.t(c);for(d=c.next();!d.done;d=c.next())d.value.pw=b}this.u=a.cpn;HRa(this)}}; +g.k.TO=function(){for(var a=g.t(this.T),b=a.next();!b.done;b=a.next())b.value.pw=NaN;HRa(this);this.va.xa("sdai",{rsac:"resetSkipAd",sac:this.u});this.u=""}; +g.k.kE=aa(38); +g.k.fO=function(a,b,c,d,e,f,h,l,m){m&&(h?this.Xa.set(a,{Qr:m,YA:l}):this.Aa.set(a,{Qr:m,YA:l}));if(h){if(d.length&&e.length)for(this.u&&this.u===d[0]&&this.va.xa("sdai",{skipfail:1,sq:a,acpn:this.u}),a=b+this.aq(),h=0;h=b+a)b=h.end;else{if(l=!1,h?bthis.C;)(c=this.data.shift())&&OY(this,c,!0);MY(this)}; -NY.prototype.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); -c&&(OY(this,c,b),g.pb(this.data,function(d){return d.key===a}),MY(this))}; -NY.prototype.ca=function(){var a=this;g.C.prototype.ca.call(this);this.data.forEach(function(b){OY(a,b,!0)}); -this.data=[]};PY.prototype.add=function(a){this.u=(this.u+1)%this.data.length;this.data[this.u]=a}; -PY.prototype.forEach=function(a){for(var b=this.u+1;b=c||cthis.C&&(this.C=c,g.Sb(this.u)||(this.u={},this.D.stop(),this.B.stop())),this.u[b]=a,this.B.Sb())}}; -iZ.prototype.F=function(){for(var a=g.q(Object.keys(this.u)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.V;for(var d=this.C,e=this.u[c].match(wd),f=[],h=g.q(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+md(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=a.size||(a.forEach(function(c,d){var e=qC(b.B)?d:c,f=new Uint8Array(qC(b.B)?c:d);qC(b.B)&&mxa(f);var h=g.sf(f,4);mxa(f);f=g.sf(f,4);b.u[h]?b.u[h].status=e:b.u[f]?b.u[f].status=e:b.u[h]={type:"",status:e}}),this.ea("Key statuses changed: "+ixa(this,",")),kZ(this,"onkeystatuschange"),this.status="kc",this.V("keystatuseschange",this))}; -g.k.error=function(a,b,c,d){this.na()||this.V("licenseerror",a,b,c,d);b&&this.dispose()}; -g.k.shouldRetry=function(a,b){return this.fa&&this.I?!1:!a&&this.requestNumber===b.requestNumber}; -g.k.ca=function(){g.O.prototype.ca.call(this)}; -g.k.sb=function(){var a={requestedKeyIds:this.aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.C&&(a.keyStatuses=this.u);return a}; -g.k.Te=function(){var a=this.F.join();if(mZ(this)){var b=[],c;for(c in this.u)"usable"!==this.u[c].status&&b.push(this.u[c].type);a+="/UKS."+b}return a+="/"+this.cryptoPeriodIndex}; -g.k.ea=function(){}; -g.k.Ld=function(){return this.url}; -var k2={},fxa=(k2.widevine="DRM_SYSTEM_WIDEVINE",k2.fairplay="DRM_SYSTEM_FAIRPLAY",k2.playready="DRM_SYSTEM_PLAYREADY",k2);g.u(oZ,g.C);g.k=oZ.prototype;g.k.NL=function(a){if(this.F){var b=a.messageType||"license-request";this.F(new Uint8Array(a.message),b)}}; -g.k.xl=function(){this.K&&this.K(this.u.keyStatuses)}; -g.k.fG=function(a){this.F&&this.F(a.message,"license-request")}; -g.k.eG=function(a){if(this.C){if(this.B){var b=this.B.error.code;a=this.B.error.u}else b=a.errorCode,a=a.systemCode;this.C("t.prefixedKeyError;c."+b+";sc."+a)}}; -g.k.dG=function(){this.I&&this.I()}; -g.k.update=function(a){var b=this;if(this.u)return this.u.update(a).then(null,Eo(function(c){pxa(b,"t.update",c)})); -this.B?this.B.update(a):this.element.addKey?this.element.addKey(this.R.u,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.R.u,a,this.initData,this.sessionId);return Ys()}; -g.k.ca=function(){this.u&&this.u.close();this.element=null;g.C.prototype.ca.call(this)};g.u(pZ,g.C);g.k=pZ.prototype;g.k.createSession=function(a,b){var c=a.initData;if(this.u.keySystemAccess){b&&b("createsession");var d=this.B.createSession();tC(this.u)&&(c=sxa(c,this.u.Bh));b&&b("genreq");c=d.generateRequest(a.contentType,c);var e=new oZ(null,null,null,d,null);c.then(function(){b&&b("genreqsuccess")},Eo(function(f){pxa(e,"t.generateRequest",f)})); -return e}if(pC(this.u))return uxa(this,c);if(sC(this.u))return txa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.u.u,c):this.element.webkitGenerateKeyRequest(this.u.u,c);return this.D=new oZ(this.element,this.u,c,null,null)}; -g.k.QL=function(a){var b=rZ(this,a);b&&b.fG(a)}; -g.k.PL=function(a){var b=rZ(this,a);b&&b.eG(a)}; -g.k.OL=function(a){var b=rZ(this,a);b&&b.dG(a)}; -g.k.ca=function(){g.C.prototype.ca.call(this);delete this.element};g.u(sZ,g.C); -sZ.prototype.init=function(){return We(this,function b(){var c=this,d,e;return xa(b,function(f){if(1==f.u)return g.ug(c.u,{position:"absolute",width:"1px",height:"1px",display:"block"}),c.u.src=c.C.D,document.body.appendChild(c.u),c.F.N(c.u,"encrypted",c.I),d=[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}],sa(f,navigator.requestMediaKeySystemAccess("com.youtube.fairplay",d),2);e=f.B;c.C.keySystemAccess= -e;c.B=new pZ(c.u,c.C);g.D(c,c.B);qZ(c.B);f.u=0})})}; -sZ.prototype.I=function(a){var b=this;if(!this.na()){var c=new Uint8Array(a.initData);a=new zy(c,a.initDataType);var d=Lwa(c).replace("skd://","https://"),e={},f=this.B.createSession(a,function(){b.ea()}); -f&&(g.D(this,f),this.D.push(f),Wwa(f,function(h){nxa(h,f.u,d,e,"fairplay")},function(){b.ea()},function(){},function(){}))}}; -sZ.prototype.ea=function(){}; -sZ.prototype.ca=function(){this.D=[];this.u&&this.u.parentNode&&this.u.parentNode.removeChild(this.u);g.C.prototype.ca.call(this)};g.u(tZ,hZ);tZ.prototype.F=function(a){var b=(0,g.N)(),c;if(!(c=this.D)){a:{c=a.cryptoPeriodIndex;if(!isNaN(c))for(var d=g.q(this.C.values),e=d.next();!e.done;e=d.next())if(1>=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}c=!1}c=!c}c?c=0:(c=a.u,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30)));this.u.push({time:b+c,info:a});this.B.Sb(c)};uZ.prototype.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; -uZ.prototype.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; -uZ.prototype.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; -uZ.prototype.findIndex=function(a){return g.gb(this.keys,function(b){return g.Ab(a,b)})};g.u(wZ,g.O);g.k=wZ.prototype;g.k.RL=function(a){vZ(this,"onecpt");a.initData&&yxa(this,new Uint8Array(a.initData),a.initDataType)}; -g.k.BP=function(a){vZ(this,"onndky");yxa(this,a.initData,a.contentType)}; -g.k.SB=function(a){this.C.push(a);yZ(this)}; -g.k.createSession=function(a){this.B.get(a.initData);this.Y=!0;var b=new lZ(this.videoData,this.W,a,this.drmSessionId);this.B.set(a.initData,b);b.subscribe("ctmp",this.FF,this);b.subscribe("hdentitled",this.RF,this);b.subscribe("keystatuseschange",this.xl,this);b.subscribe("licenseerror",this.yv,this);b.subscribe("newlicense",this.YF,this);b.subscribe("newsession",this.aG,this);b.subscribe("sessionready",this.nG,this);b.subscribe("fairplay_next_need_key_info",this.OF,this);Ywa(b,this.D)}; -g.k.YF=function(a){this.na()||(this.ea(),vZ(this,"onnelcswhb"),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.V("heartbeatparams",a)))}; -g.k.aG=function(){this.na()||(this.ea(),vZ(this,"newlcssn"),this.C.shift(),this.Y=!1,yZ(this))}; -g.k.nG=function(){if(pC(this.u)&&(this.ea(),vZ(this,"onsnrdy"),this.Ja--,0===this.Ja)){var a=this.X;a.element.msSetMediaKeys(a.C)}}; -g.k.xl=function(a){this.na()||(!this.ma&&this.videoData.ba("html5_log_drm_metrics_on_key_statuses")&&(Dxa(this),this.ma=!0),this.ea(),vZ(this,"onksch"),Cxa(this,hxa(a,this.ha)),this.V("keystatuseschange",a))}; -g.k.RF=function(){this.na()||this.fa||!rC(this.u)||(this.ea(),vZ(this,"onhdet"),this.Aa=CCa,this.V("hdproberequired"),this.V("qualitychange"))}; -g.k.FF=function(a,b){this.na()||this.V("ctmp",a,b)}; -g.k.OF=function(a,b){this.na()||this.V("fairplay_next_need_key_info",a,b)}; -g.k.yv=function(a,b,c,d){this.na()||(this.videoData.ba("html5_log_drm_metrics_on_error")&&Dxa(this),this.V("licenseerror",a,b,c,d))}; -g.k.co=function(a){return(void 0===a?0:a)&&this.Aa?this.Aa:this.K}; -g.k.ca=function(){this.u.keySystemAccess&&this.element.setMediaKeys(null);this.element=null;this.C=[];for(var a=g.q(this.B.values),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.FF,this),b.unsubscribe("hdentitled",this.RF,this),b.unsubscribe("keystatuseschange",this.xl,this),b.unsubscribe("licenseerror",this.yv,this),b.unsubscribe("newlicense",this.YF,this),b.unsubscribe("newsession",this.aG,this),b.unsubscribe("sessionready",this.nG,this),b.unsubscribe("fairplay_next_need_key_info", -this.OF,this),b.dispose();a=this.B;a.keys=[];a.values=[];g.O.prototype.ca.call(this)}; -g.k.sb=function(){for(var a={systemInfo:this.u.sb(),sessions:[]},b=g.q(this.B.values),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.sb());return a}; -g.k.Te=function(){return 0>=this.B.values.length?"no session":this.B.values[0].Te()+(this.F?"/KR":"")}; -g.k.ea=function(){};g.u(AZ,g.O); -AZ.prototype.handleError=function(a,b){var c=this;Hxa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!DZ(this,a.errorCode,a.details))&&!Kxa(this,a,b))if(Ixa(a)&&this.videoData.La&&this.videoData.La.B)BZ(this,a.errorCode,a.details),EZ(this,"highrepfallback","1",{BA:!0}),!this.videoData.ba("html5_hr_logging_killswitch")&&/^hr/.test(this.videoData.clientPlaybackNonce)&&btoa&&EZ(this,"afmts",btoa(this.videoData.adaptiveFormats),{BA:!0}), -Ola(this.videoData),this.V("highrepfallback");else if(a.u){var d=this.Ba?this.Ba.K.F:null;if(Ixa(a)&&d&&d.isLocked())var e="FORMAT_UNAVAILABLE";else if(!this.Sa.I&&"auth"===a.errorCode&&"429"===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}this.V("playererror",a.errorCode,e,g.vB(a.details),f)}else d=/^pp/.test(this.videoData.clientPlaybackNonce),BZ(this,a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(d="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+ -"&t="+(0,g.N)(),(new cF(d,"manifest",function(h){c.F=!0;EZ(c,"pathprobe",h)},function(h){BZ(c,h.errorCode,h.details)})).send())}; -AZ.prototype.ca=function(){this.Ba=null;this.setMediaElement(null);g.O.prototype.ca.call(this)}; -AZ.prototype.setMediaElement=function(a){this.da=a}; -AZ.prototype.ea=function(){};GZ.prototype.setPlaybackRate=function(a){this.playbackRate=a}; -GZ.prototype.ba=function(a){return g.Q(this.W.experiments,a)};g.u(JZ,g.C);JZ.prototype.lc=function(a){cya(this);this.playerState=a.state;0<=this.B&&g.GK(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; -JZ.prototype.onError=function(a){"player.fatalexception"!==a&&(a.match(fDa)?this.networkErrorCount++:this.nonNetworkErrorCount++)}; -JZ.prototype.send=function(){if(!(this.C||0>this.u)){cya(this);var a=g.rY(this.provider)-this.u,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.U(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.U(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.U(this.playerState,16)||g.U(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.U(this.playerState,1)&& -g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.U(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.U(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");var d=ZI(this.provider.videoData);c="LIVE_STREAM_MODE_UNKNOWN";"live"===d?c="LIVE_STREAM_MODE_LIVE":"dvr"===d&&(c="LIVE_STREAM_MODE_DVR");d=dya(this.provider);var e=0>this.B?a:this.B-this.u;a=this.provider.W.Ta+36E5<(0,g.N)();b={started:0<=this.B,stateAtSend:b, -joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.WI(this.provider.videoData),isGapless:this.provider.videoData.Lh};!a&&this.provider.ba("html5_health_to_gel")&&g.Nq("html5PlayerHealthEvent",b);this.provider.ba("html5_health_to_qoe")&&(b.muted=a,this.I(g.vB(b)));this.C=!0; -this.dispose()}}; -JZ.prototype.ca=function(){this.C||this.send();g.C.prototype.ca.call(this)}; -var fDa=/\bnet\b/;g.u(g.NZ,g.C);g.k=g.NZ.prototype;g.k.OK=function(){var a=g.rY(this.provider);OZ(this,a)}; -g.k.rq=function(){return this.ia}; -g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.na()&&(a=0<=a?a:g.rY(this.provider),-1<["PL","B","S"].indexOf(this.Pc)&&(!g.Sb(this.u)||a>=this.C+30)&&(g.MZ(this,a,"vps",[this.Pc]),this.C=a),!g.Sb(this.u)))if(7E3===this.sequenceNumber&&g.Is(Error("Sent over 7000 pings")),7E3<=this.sequenceNumber)this.u={};else{PZ(this,a);var b=a,c=this.provider.C(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Ga,h=e&&!this.Ya;if(d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.fu(),this.u.qoealert=["1"],this.ha=!0)}"B"!==a||"PL"!==this.Pc&&"PB"!==this.Pc||(this.Y=!0);this.C=c}"B"=== -a&&"PL"===this.Pc||this.provider.videoData.nk?PZ(this,c):OZ(this,c);"PL"===a&&this.Nb.Sb();g.MZ(this,c,"vps",[a]);this.Pc=a;this.C=this.ma=c;this.P=!0}a=b.getData();g.U(b,128)&&a&&this.Er(c,a.errorCode,a.cH);(g.U(b,2)||g.U(b,128))&&this.reportStats(c);b.Hb()&&!this.D&&(0<=this.B&&(this.u.user_intent=[this.B.toString()]),this.D=!0);QZ(this)}; -g.k.wl=ba(20);g.k.vl=ba(23);g.k.Zh=ba(16);g.k.getPlayerState=function(a){if(g.U(a,128))return"ER";if(g.U(a,512))return"SU";if(g.U(a,16)||g.U(a,32))return"S";var b=gDa[JM(a)];g.wD(this.provider.W)&&"B"===b&&3===this.provider.getVisibilityState()&&(b="SU");"B"===b&&g.U(a,4)&&(b="PB");return b}; -g.k.ca=function(){g.C.prototype.ca.call(this);window.clearInterval(this.Aa)}; -g.k.Na=function(a,b,c){var d=this.u.ctmp||[],e=-1!==this.Zb.indexOf(a);e||this.Zb.push(a);if(!c||!e){/[^a-zA-Z0-9;.!_-]/.test(b)&&(b=b.replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"));if(!c&&!/^t[.]/.test(b)){var f=1E3*g.rY(this.provider);b="t."+f.toFixed()+";"+b}hDa(a,b);d.push(a+":"+b);this.u.ctmp=d;QZ(this);return f}}; -g.k.Fr=function(a,b,c){this.F={NR:Number(this.Na("glrem","nst."+a.toFixed()+";rem."+b.toFixed()+";ca."+ +c)),xF:a,FR:b,isAd:c}}; -g.k.Yo=function(a,b,c){g.MZ(this,g.rY(this.provider),"ad_playback",[a,b,c])}; -g.k.cn=function(a,b,c,d,e,f){1===e&&this.reportStats();this.adCpn=a;this.K=b;this.adFormat=f;a=g.rY(this.provider);b=this.provider.u();1===e&&g.MZ(this,a,"vps",[this.Pc]);f=this.u.xvt||[];f.push("t."+a.toFixed(3)+";m."+b.toFixed(3)+";g.2;tt."+e+";np.0;c."+c+";d."+d);this.u.xvt=f;0===e&&(this.reportStats(),this.K=this.adCpn="",this.adFormat=void 0)}; -var hDa=g.Ka,l2={},gDa=(l2[5]="N",l2[-1]="N",l2[3]="B",l2[0]="EN",l2[2]="PA",l2[1]="PL",l2);jya.prototype.update=function(){if(this.K){var a=this.provider.u()||0,b=g.rY(this.provider);if(a!==this.u||oya(this,a,b)){var c;if(!(c=ab-this.lastUpdateTime+2||oya(this,a,b))){var d=this.provider.De();c=d.volume;var e=c!==this.P;d=d.muted;d!==this.R?(this.R=d,c=!0):(!e||0<=this.D||(this.P=c,this.D=b),c=b-this.D,0<=this.D&&2=this.provider.videoData.yh){if(this.C&&this.provider.videoData.yh){var a=$Z(this,"delayplay");a.ub=!0;a.send();this.X=!0}sya(this)}}; -g.k.lc=function(a){this.na()||(g.U(a.state,2)?(this.currentPlayerState="paused",g.GK(a,2)&&this.C&&d_(this).send()):g.U(a.state,8)?(this.currentPlayerState="playing",this.C&&isNaN(this.B)&&a_(this,!1)):this.currentPlayerState="paused",this.D&&g.U(a.state,128)&&(c_(this,"error-100"),g.Io(this.D)))}; -g.k.ca=function(){g.C.prototype.ca.call(this);g.Io(this.B);this.B=NaN;mya(this.u);g.Io(this.D)}; -g.k.sb=function(){return XZ($Z(this,"playback"))}; -g.k.rp=function(){this.provider.videoData.qd.eventLabel=kJ(this.provider.videoData);this.provider.videoData.qd.playerStyle=this.provider.W.playerStyle;this.provider.videoData.Wo&&(this.provider.videoData.qd.feature="pyv");this.provider.videoData.qd.vid=this.provider.videoData.videoId;var a=this.provider.videoData.qd;var b=this.provider.videoData;b=b.isAd()||!!b.Wo;a.isAd=b}; -g.k.Yf=function(a){var b=$Z(this,"engage");b.K=a;return pya(b,yya(this.provider))};xya.prototype.isEmpty=function(){return this.endTime===this.startTime};e_.prototype.ba=function(a){return g.Q(this.W.experiments,a)}; -var zya={other:1,none:2,wifi:3,cellular:7};g.u(g.f_,g.C);g.k=g.f_.prototype;g.k.lc=function(a){var b;if(g.GK(a,1024)||g.GK(a,2048)||g.GK(a,512)||g.GK(a,4)){if(this.B){var c=this.B;0<=c.B||(c.u=-1,c.delay.stop())}this.qoe&&(c=this.qoe,c.D||(c.B=-1))}this.provider.videoData.enableServerStitchedDai&&this.C?null===(b=this.D.get(this.C))||void 0===b?void 0:b.lc(a):this.u&&this.u.lc(a);this.qoe&&this.qoe.lc(a);this.B&&this.B.lc(a)}; -g.k.ie=function(){var a;this.provider.videoData.enableServerStitchedDai&&this.C?null===(a=this.D.get(this.C))||void 0===a?void 0:a.ie():this.u&&this.u.ie()}; -g.k.onError=function(a,b){if(this.qoe)this.qoe.onError(a,b);if(this.B)this.B.onError(a)}; -g.k.wl=ba(19);g.k.Na=function(a,b,c){this.qoe&&this.qoe.Na(a,b,c)}; -g.k.Fr=function(a,b,c){this.qoe&&this.qoe.Fr(a,b,c)}; -g.k.Dr=function(a){this.qoe&&this.qoe.Dr(a)}; -g.k.Yo=function(a,b,c){this.qoe&&this.qoe.Yo(a,b,c)}; -g.k.vl=ba(22);g.k.Zh=ba(15);g.k.rq=function(){if(this.qoe)return this.qoe.rq()}; -g.k.sb=function(){var a;if(this.provider.videoData.enableServerStitchedDai&&this.C)null===(a=this.D.get(this.C))||void 0===a?void 0:a.sb();else if(this.u)return this.u.sb();return{}}; -g.k.Yf=function(a){return this.u?this.u.Yf(a):function(){}}; -g.k.rp=function(){this.u&&this.u.rp()};Fya.prototype.Lc=function(){return this.La.Lc()};g.u(j_,g.O);j_.prototype.Tj=function(){return this.K}; -j_.prototype.Fh=function(){return Math.max(this.R()-Jya(this,!0),this.videoData.Kc())}; -j_.prototype.ea=function(){};g.u(o_,g.C);o_.prototype.setMediaElement=function(a){(this.da=a)&&this.C.Sb()}; -o_.prototype.lc=function(a){this.playerState=a.state}; -o_.prototype.X=function(){var a=this;if(this.da&&!this.playerState.isError()){var b=this.da,c=b.getCurrentTime(),d=8===this.playerState.state&&c>this.u,e=Bma(this.playerState),f=this.visibility.isBackground()||this.playerState.isSuspended();p_(this,this.fa,e&&!f,d,"qoe.slowseek",function(){},"timeout"); -e=e&&isFinite(this.u)&&0c-this.D;f=this.videoData.isAd()&&d&&!e&&f;p_(this,this.ia,f,!f,"ad.rebuftimeout",function(){return a.V("skipslowad")},"skip_slow_ad"); -this.D=c;this.C.start()}}; -o_.prototype.sb=function(a){a=a.sb();this.u&&(a.stt=this.u.toFixed(3));this.Ba&&Object.assign(a,this.Ba.sb());this.da&&Object.assign(a,this.da.sb());return a}; -m_.prototype.reset=function(){this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -m_.prototype.sb=function(){var a={},b=(0,g.N)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.B&&(a.wtd=(b-this.B).toFixed());this.u&&(a.wssd=(b-this.u).toFixed());return a};g.u(r_,g.O);g.k=r_.prototype;g.k.hi=function(a){t_(this);this.videoData=a;this.K=this.u=null;this.C=this.Ga=this.timestampOffset=0;this.ia=!0;this.I.dispose();this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);this.I.setMediaElement(this.da);this.I.Ba=this.Ba}; -g.k.setMediaElement=function(a){g.ut(this.Aa);(this.da=a)?(Yya(this),q_(this)):t_(this);this.I.setMediaElement(a)}; -g.k.lc=function(a){this.I.lc(a);this.ba("html5_exponential_memory_for_sticky")&&(a.state.Hb()?this.Y.Sb():this.Y.stop());var b;if(b=this.da)b=8===a.hk.state&&HM(a.state)&&g.IM(a.state)&&this.policy.D;if(b){a=this.da.getCurrentTime();b=this.da.Gf();var c=this.ba("manifestless_post_live_ufph")||this.ba("manifestless_post_live")?Xz(b,Math.max(a-3.5,0)):Xz(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.Qa-c)||(this.V("ctmp","seekover","b."+Wz(b, -"_")+";cmt."+a),this.Qa=c,this.seekTo(c,{Gq:!0})))}}; -g.k.getCurrentTime=function(){return!isNaN(this.B)&&isFinite(this.B)?this.B:this.da&&Wya(this)?this.da.getCurrentTime()+this.timestampOffset:this.C||0}; -g.k.Mi=function(){return this.getCurrentTime()-this.yc()}; -g.k.Fh=function(){return this.u?this.u.Fh():Infinity}; -g.k.isAtLiveHead=function(a){if(!this.u)return!1;void 0===a&&(a=this.getCurrentTime());return l_(this.u,a)}; -g.k.Tj=function(){return!!this.u&&this.u.Tj()}; -g.k.seekTo=function(a,b){var c=void 0===b?{}:b,d=void 0===c.bI?!1:c.bI,e=void 0===c.cI?0:c.cI,f=void 0===c.Gq?!1:c.Gq;c=void 0===c.OA?0:c.OA;var h=a,l=!isFinite(h)||(this.u?l_(this.u,h):h>=this.Oc())||!g.eJ(this.videoData);l||this.V("ctmp","seeknotallowed",h+";"+this.Oc());if(!l)return this.D&&(this.D=null,Tya(this)),vm(this.getCurrentTime());this.ea();if(a===this.B&&this.P)return this.ea(),this.F;this.P&&t_(this);this.F||(this.F=new py);a&&!isFinite(a)&&s_(this,!1);h=a;(v_(this)&&!(this.da&&0this.B;)(c=this.data.shift())&&TW(this,c,!0);RW(this)}; +g.k.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); +c&&(TW(this,c,b),g.yb(this.data,function(d){return d.key===a}),RW(this))}; +g.k.Ef=function(){var a;if(a=void 0===a?!1:a)for(var b=g.t(this.data),c=b.next();!c.done;c=b.next())TW(this,c.value,a);this.data=[];RW(this)}; +g.k.qa=function(){var a=this;g.C.prototype.qa.call(this);this.data.forEach(function(b){TW(a,b,!0)}); +this.data=[]};g.w(UW,g.C);UW.prototype.QF=function(a){if(a)return this.u.get(a)}; +UW.prototype.qa=function(){this.j.Ef();this.u.Ef();g.C.prototype.qa.call(this)};g.w(VW,g.lq);VW.prototype.ma=function(a){var b=g.ya.apply(1,arguments);if(this.D.has(a))return this.D.get(a).push(b),!0;var c=!1;try{for(b=[b],this.D.set(a,b);b.length;)c=g.lq.prototype.ma.call.apply(g.lq.prototype.ma,[this,a].concat(g.u(b.shift())))}finally{this.D.delete(a)}return c};g.w(jSa,g.C);jSa.prototype.qa=function(){g.C.prototype.qa.call(this);this.j=null;this.u&&this.u.disconnect()};g.cdb=Nd(function(){var a=window.AudioContext||window.webkitAudioContext;try{return new a}catch(b){return b.name}});var h4;h4={};g.WW=(h4.STOP_EVENT_PROPAGATION="html5-stop-propagation",h4.IV_DRAWER_ENABLED="ytp-iv-drawer-enabled",h4.IV_DRAWER_OPEN="ytp-iv-drawer-open",h4.MAIN_VIDEO="html5-main-video",h4.VIDEO_CONTAINER="html5-video-container",h4.VIDEO_CONTAINER_TRANSITIONING="html5-video-container-transitioning",h4.HOUSE_BRAND="house-brand",h4);g.w(mSa,g.U);g.k=mSa.prototype;g.k.Dr=function(){g.Rp(this.element,g.ya.apply(0,arguments))}; +g.k.rj=function(){this.kc&&(this.kc.removeEventListener("focus",this.MN),g.xf(this.kc),this.kc=null)}; +g.k.jL=function(){this.isDisposed();var a=this.app.V();a.wm||this.Dr("tag-pool-enabled");a.J&&this.Dr(g.WW.HOUSE_BRAND);"gvn"===a.playerStyle&&(this.Dr("ytp-gvn"),this.element.style.backgroundColor="transparent");a.Dc&&(this.YK=g.pC("yt-dom-content-change",this.resize,this));this.S(window,"orientationchange",this.resize,this);this.S(window,"resize",this.resize,this)}; +g.k.SD=function(a){g.kK(this.app.V());this.mG=!a;XW(this)}; +g.k.resize=function(){if(this.kc){var a=this.Ij();if(!a.Bf()){var b=!g.Ie(a,this.Ez.getSize()),c=rSa(this);b&&(this.Ez.width=a.width,this.Ez.height=a.height);a=this.app.V();(c||b||a.Dc)&&this.app.Ta.ma("resize",this.getPlayerSize())}}}; +g.k.Gs=function(a,b){this.updateVideoData(b)}; +g.k.updateVideoData=function(a){if(this.kc){var b=this.app.V();nB&&(this.kc.setAttribute("x-webkit-airplay","allow"),a.title?this.kc.setAttribute("title",a.title):this.kc.removeAttribute("title"));Cza(a)?this.kc.setAttribute("disableremoteplayback",""):this.kc.removeAttribute("disableremoteplayback");this.kc.setAttribute("controlslist","nodownload");b.Xo&&a.videoId&&(this.kc.poster=a.wg("default.jpg"))}b=g.DM(a,"yt:bgcolor");this.kB.style.backgroundColor=b?b:"";this.qN=nz(g.DM(a,"yt:stretch"));this.rN= +nz(g.DM(a,"yt:crop"),!0);g.Up(this.element,"ytp-dni",a.D);this.resize()}; +g.k.setGlobalCrop=function(a){this.gM=nz(a,!0);this.resize()}; +g.k.setCenterCrop=function(a){this.QS=a;this.resize()}; +g.k.cm=function(){}; +g.k.getPlayerSize=function(){var a=this.app.V(),b=this.app.Ta.isFullscreen();if(b&&Xy())return new g.He(window.outerWidth,window.outerHeight);if(b||a.Vn){if(window.matchMedia){a="(width: "+window.innerWidth+"px) and (height: "+window.innerHeight+"px)";this.LC&&this.LC.media===a||(this.LC=window.matchMedia(a));var c=this.LC&&this.LC.matches}if(c)return new g.He(window.innerWidth,window.innerHeight)}else if(!isNaN(this.FB.width)&&!isNaN(this.FB.height))return this.FB.clone();return new g.He(this.element.clientWidth, +this.element.clientHeight)}; +g.k.Ij=function(){var a=this.app.V().K("enable_desktop_player_underlay"),b=this.getPlayerSize(),c=g.gJ(this.app.V().experiments,"player_underlay_min_player_width");return a&&this.zO&&b.width>c?new g.He(b.width*g.gJ(this.app.V().experiments,"player_underlay_video_width_fraction"),b.height):b}; +g.k.getVideoAspectRatio=function(){return isNaN(this.qN)?oSa(this):this.qN}; +g.k.getVideoContentRect=function(a){var b=this.Ij();a=pSa(this,b,this.getVideoAspectRatio(),a);return new g.Em((b.width-a.width)/2,(b.height-a.height)/2,a.width,a.height)}; +g.k.Wz=function(a){this.zO=a;this.resize()}; +g.k.uG=function(){return this.vH}; +g.k.onMutedAutoplayChange=function(){XW(this)}; +g.k.setInternalSize=function(a){g.Ie(this.FB,a)||(this.FB=a,this.resize())}; +g.k.qa=function(){this.YK&&g.qC(this.YK);this.rj();g.U.prototype.qa.call(this)};g.k=sSa.prototype;g.k.click=function(a,b){this.elements.has(a);this.j.has(a);var c=g.FE();c&&a.visualElement&&g.kP(c,a.visualElement,b)}; +g.k.sb=function(a,b,c,d){var e=this;d=void 0===d?!1:d;this.elements.has(a);this.elements.add(a);c=fta(c);a.visualElement=c;var f=g.FE(),h=g.EE();f&&h&&g.my(g.bP)(void 0,f,h,c);g.bb(b,function(){tSa(e,a)}); +d&&this.u.add(a)}; +g.k.Zf=function(a,b,c){var d=this;c=void 0===c?!1:c;this.elements.has(a);this.elements.add(a);g.bb(b,function(){tSa(d,a)}); +c&&this.u.add(a)}; +g.k.fL=function(a,b){this.clientPlaybackNonce!==b&&(this.clientPlaybackNonce=b,pP().wk(a),uSa(this))}; +g.k.og=function(a,b){this.elements.has(a);b&&(a.visualElement=g.BE(b))}; +g.k.Dk=function(a){return this.elements.has(a)};vSa.prototype.setPlaybackRate=function(a){this.playbackRate=Math.max(1,a)}; +vSa.prototype.getPlaybackRate=function(){return this.playbackRate};zSa.prototype.seek=function(a,b){a!==this.j&&(this.seekCount=0);this.j=a;var c=this.videoTrack.u,d=this.audioTrack.u,e=this.audioTrack.Vb,f=CSa(this,this.videoTrack,a,this.videoTrack.Vb,b);b=CSa(this,this.audioTrack,this.policy.uf?a:f,e,b);a=Math.max(a,f,b);this.C=!0;this.Sa.isManifestless&&(ASa(this.videoTrack,c),ASa(this.audioTrack,d));return a}; +zSa.prototype.hh=function(){return this.C}; +var BSa=2/24;HSa.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.M)()};g.w(JSa,g.dE);g.k=JSa.prototype; +g.k.VN=function(a,b,c,d){if(this.C&&d){d=[];var e=[],f=[],h=void 0,l=0;b&&(d=b.j,e=b.u,f=b.C,h=b.B,l=b.YA);this.C.fO(a.Ma,a.startTime,this.u,d,e,f,c,l,h)}if(c){if(b&&!this.ya.has(a.Ma)){c=a.startTime;d=[];for(e=0;ethis.policy.ya&&(null==(c=this.j)?0:KH(c.info))&&(null==(d=this.nextVideo)||!KH(d.info))&&(this.T=!0)}};$Sa.prototype.Vq=function(a){this.timestampOffset=a};lTa.prototype.dispose=function(){this.oa=!0}; +lTa.prototype.isDisposed=function(){return this.oa}; +g.w(xX,Error);ATa.prototype.skip=function(a){this.offset+=a}; +ATa.prototype.Yp=function(){return this.offset};g.k=ETa.prototype;g.k.bU=function(){return this.u}; +g.k.vk=function(){this.u=[];BX(this);DTa(this)}; +g.k.lw=function(a){this.Qa=this.u.shift().info;a.info.equals(this.Qa)}; +g.k.Om=function(){return g.Yl(this.u,function(a){return a.info})}; +g.k.Ek=function(){return!!this.I.info.audio}; +g.k.getDuration=function(){return this.I.index.ys()};var WTa=0;g.k=EX.prototype;g.k.gs=function(){this.oa||(this.oa=this.callbacks.gs?this.callbacks.gs():1);return this.oa}; +g.k.wG=function(){return this.Hk?1!==this.gs():!1}; +g.k.Mv=function(){this.Qa=this.now();this.callbacks.Mv()}; +g.k.nt=function(a,b){$Ta(this,a,b);50>a-this.C&&HX(this)||aUa(this,a,b);this.callbacks.nt(a,b)}; +g.k.Jq=function(){this.callbacks.Jq()}; +g.k.qv=function(){return this.u>this.kH&&cUa(this,this.u)}; +g.k.now=function(){return(0,g.M)()};KX.prototype.feed=function(a){MF(this.j,a);this.gf()}; +KX.prototype.gf=function(){if(this.C){if(!this.j.totalLength)return;var a=this.j.split(this.B-this.u),b=a.oC;a=a.Wk;this.callbacks.aO(this.C,b,this.u,this.B);this.u+=b.totalLength;this.j=a;this.u===this.B&&(this.C=this.B=this.u=void 0)}for(;;){var c=0;a=g.t(jUa(this.j,c));b=a.next().value;c=a.next().value;c=g.t(jUa(this.j,c));a=c.next().value;c=c.next().value;if(0>b||0>a)break;if(!(c+a<=this.j.totalLength)){if(!(this.callbacks.aO&&c+1<=this.j.totalLength))break;c=this.j.split(c).Wk;this.callbacks.aO(b, +c,0,a)&&(this.C=b,this.u=c.totalLength,this.B=a,this.j=new LF([]));break}a=this.j.split(c).Wk.split(a);c=a.Wk;this.callbacks.yz(b,a.oC);this.j=c}}; +KX.prototype.dispose=function(){this.j=new LF};g.k=LX.prototype;g.k.JL=function(){return 0}; +g.k.RF=function(){return null}; +g.k.OT=function(){return null}; +g.k.Os=function(){return 1<=this.state}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.onStateChange=function(){}; +g.k.qc=function(a){var b=this.state;this.state=a;this.onStateChange(b);this.callback&&this.callback(this,b)}; +g.k.qz=function(a){a&&this.state=this.xhr.HEADERS_RECEIVED}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.B}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&!!this.B}; +g.k.nq=function(){return 0this.status&&!!this.u}; +g.k.nq=function(){return!!this.j.totalLength}; +g.k.jw=function(){var a=this.j;this.j=new LF;return a}; +g.k.pH=function(){return this.j}; +g.k.isDisposed=function(){return this.I}; +g.k.abort=function(){this.hp&&this.hp.cancel().catch(function(){}); +this.B&&this.B.abort();this.I=!0}; +g.k.Jt=function(){return!0}; +g.k.GH=function(){return this.J}; +g.k.zf=function(){return this.errorMessage};g.k=qUa.prototype;g.k.onDone=function(){if(!this.isDisposed){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.j=!0;this.callbacks.Jq()}}; +g.k.wz=function(){2===this.xhr.readyState&&this.callbacks.Mv()}; +g.k.Ie=function(a){this.isDisposed||(this.status=this.xhr.status,this.j||(this.u=a.loaded),this.callbacks.nt((0,g.M)(),a.loaded))}; +g.k.Zu=function(){return 2<=this.xhr.readyState}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.DD(Error("Could not read XHR header "+a)),""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.u}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&this.j&&!!this.u}; +g.k.nq=function(){return this.j&&!!this.response&&!!this.response.byteLength}; +g.k.jw=function(){var a=this.response;this.response=void 0;return new LF([new Uint8Array(a)])}; +g.k.pH=function(){return new LF([new Uint8Array(this.response)])}; +g.k.abort=function(){this.isDisposed=!0;this.xhr.abort()}; +g.k.Jt=function(){return!1}; +g.k.GH=function(){return!1}; +g.k.zf=function(){return""};g.w(MX,g.C);g.k=MX.prototype;g.k.G8=function(){if(!this.isDisposed()&&!this.D){var a=(0,g.M)(),b=!1;HX(this.timing)?(a=this.timing.ea,YTa(this.timing),this.timing.ea-a>=.8*this.policy.Nd?(this.u++,b=this.u>=this.policy.wm):this.u=0):(b=this.timing,b.Hk&&iUa(b,b.now()),a-=b.T,this.policy.zm&&01E3*b);0this.state)return!1;if(this.Zd&&this.Zd.Le.length)return!0;var a;return(null==(a=this.xhr)?0:a.nq())?!0:!1}; +g.k.Rv=function(){this.Sm(!1);return this.Zd?this.Zd.Rv():[]}; +g.k.Sm=function(a){try{if(a||this.xhr.Zu()&&this.xhr.nq()&&!yUa(this)&&!this.Bz){if(!this.Zd){var b;this.xhr.Jt()||this.uj?b=this.info.C:b=this.xhr.Kl();this.Zd=new fW(this.policy,this.info.gb,b)}this.xhr.nq()&&(this.uj?this.uj.feed(this.xhr.jw()):gW(this.Zd,this.xhr.jw(),a&&!this.xhr.nq()))}}catch(c){this.uj?xUa(this,c):g.DD(c)}}; +g.k.yz=function(a,b){switch(a){case 21:a=b.split(1).Wk;gW(this.Zd,a,!1);break;case 22:this.xY=!0;gW(this.Zd,new LF([]),!0);break;case 43:if(a=nL(new hL(b),1))this.info.Bk(this.Me,a),this.yY=!0;break;case 45:this.policy.Rk&&(b=KLa(new hL(b)),a=b.XH,b=b.YH,a&&b&&(this.FK=a/b))}}; +g.k.aO=function(a,b,c){if(21!==a)return!1;if(!c){if(1===b.totalLength)return!0;b=b.split(1).Wk}gW(this.Zd,b,!1);return!0}; +g.k.Kl=function(){return this.xhr.Kl()}; +g.k.JL=function(){return this.Wx}; +g.k.gs=function(){return this.wG()?2:1}; +g.k.wG=function(){if(!this.policy.I.dk||!isNaN(this.info.Tg)&&0this.info.gb[0].Ma?!1:!0}; +g.k.bM=function(){return+this.xhr.getResponseHeader("X-Segment-Lmt")||0}; +g.k.RF=function(){this.xhr&&(this.Po=Number(this.xhr.getResponseHeader("X-Head-Seqnum")));return this.Po}; +g.k.OT=function(){this.xhr&&(this.kq=Number(this.xhr.getResponseHeader("X-Head-Time-Millis")));return this.kq}; +g.k.Ye=function(){return this.Bd.Ye()};g.w(bX,LX);g.k=bX.prototype;g.k.onStateChange=function(){this.isDisposed()&&(jW(this.eg,this.formatId),this.j.dispose())}; +g.k.Vp=function(){var a=HQa(this.eg,this.formatId),b;var c=(null==(b=this.eg.Xc.get(this.formatId))?void 0:b.bytesReceived)||0;var d;b=(null==(d=this.eg.Xc.get(this.formatId))?void 0:d.Qx)||0;return{expected:a,received:c,bytesShifted:b,sliceLength:IQa(this.eg,this.formatId),isEnded:this.eg.Qh(this.formatId)}}; +g.k.JT=function(){return 0}; +g.k.qv=function(){return!0}; +g.k.Vj=function(){return this.eg.Vj(this.formatId)}; +g.k.Rv=function(){return[]}; +g.k.Nk=function(){return this.eg.Nk(this.formatId)}; +g.k.Ye=function(){return this.lastError}; +g.k.As=function(){return 0};g.k=zUa.prototype;g.k.lw=function(a){this.C.lw(a);var b;null!=(b=this.T)&&(b.j=fTa(b,b.ze,b.Az,b.j,a));this.dc=Math.max(this.dc,a.info.j.info.dc||0)}; +g.k.getDuration=function(){return this.j.index.ys()}; +g.k.vk=function(){dX(this);this.C.vk()}; +g.k.VL=function(){return this.C}; +g.k.isRequestPending=function(a){return this.B.length?a===this.B[this.B.length-1].info.gb[0].Ma:!1}; +g.k.Vq=function(a){var b;null==(b=this.T)||b.Vq(a)};g.w($X,g.C); +$X.prototype.Fs=function(a){var b=a.info.gb[0].j,c=a.Ye();if(GF(b.u.j)){var d=g.hg(a.zf(),3);this.Fa.xa("dldbrerr",{em:d||"none"})}d=a.info.gb[0].Ma;var e=LSa(this.j,a.info.gb[0].C,d);"net.badstatus"===c&&(this.I+=1);if(a.canRetry()){if(!(3<=a.info.j.u&&this.u&&a.info.Im()&&"net.badstatus"===a.Ye()&&this.u.Fs(e,d))){d=(b.info.video&&1b.SG||0b.tN)){this.Bd.iE(!1);this.NO=(0,g.M)();var c;null==(c=this.ID)||c.stop()}}}; +g.k.eD=function(a){this.callbacks.eD(a)}; +g.k.dO=function(a){this.yX=!0;this.info.j.Bk(this.Me,a.redirectUrl)}; +g.k.hD=function(a){this.callbacks.hD(a)}; +g.k.ZC=function(a){if(this.policy.C){var b=a.videoId,c=a.formatId,d=iVa({videoId:b,itag:c.itag,jj:c.jj,xtags:c.xtags}),e=a.mimeType||"",f,h,l=new TG((null==(f=a.LU)?void 0:f.first)||0,(null==(h=a.LU)?void 0:h.eV)||0),m,n;f=new TG((null==(m=a.indexRange)?void 0:m.first)||0,(null==(n=a.indexRange)?void 0:n.eV)||0);this.Sa.I.get(d)||(a=this.Sa,d=a.j[c.itag],c=JI({lmt:""+c.jj,itag:""+c.itag,xtags:c.xtags,type:e},null),EI(a,new BH(d.T,c,l,f),b));this.policy.C&&this.callbacks.ZC(b)}}; +g.k.fD=function(a){a.XH&&a.YH&&this.callbacks.fD(a)}; +g.k.canRetry=function(){this.isDisposed();return this.Bd.canRetry(!1)}; +g.k.dispose=function(){if(!this.isDisposed()){g.C.prototype.dispose.call(this);this.Bd.dispose();var a;null==(a=this.ID)||a.dispose();this.qc(-1)}}; +g.k.qc=function(a){this.state=a;qY(this.callbacks,this)}; +g.k.uv=function(){return this.info.uv()}; +g.k.Kv=function(a,b,c,d){d&&(this.clipId=d);this.eg.Kv(a,b,c,d)}; +g.k.Iq=function(a){this.eg.Iq(a);qY(this.callbacks,this)}; +g.k.Vj=function(a){return this.eg.Vj(a)}; +g.k.Om=function(a){return this.eg.Om(a)}; +g.k.Nk=function(a){return this.eg.Nk(a)}; +g.k.Up=function(){return this.eg.Up()}; +g.k.gs=function(){return 1}; +g.k.aG=function(){return this.Dh.requestNumber}; +g.k.hs=function(){return this.clipId}; +g.k.UV=function(){this.WA()}; +g.k.WA=function(){var a;null==(a=this.xhr)||a.abort();IX(this.Dh)}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.YU=function(){return 3===this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.ZU=function(){return 4===this.state}; +g.k.Os=function(){return 1<=this.state}; +g.k.As=function(){return this.Bd.As()}; +g.k.IT=function(){return this.info.data.EK}; +g.k.rU=function(){}; +g.k.Ye=function(){return this.Bd.Ye()}; +g.k.Vp=function(){var a=uUa(this.Bd);Object.assign(a,PVa(this.info));a.req="sabr";a.rn=this.aG();var b;if(null==(b=this.xhr)?0:b.status)a.rc=this.policy.Eq?this.xhr.status:this.xhr.status.toString();var c;(b=null==(c=this.xhr)?void 0:c.zf())&&(a.msg=b);this.NO&&(c=OVa(this,this.NO-this.Dh.j),a.letm=c.u4,a.mrbps=c.SG,a.mram=c.tN);return a};gY.prototype.uv=function(){return 1===this.requestType}; +gY.prototype.ML=function(){var a;return(null==(a=this.callbacks)?void 0:a.ML())||0};g.w(hY,g.C);hY.prototype.encrypt=function(a){(0,g.M)();if(this.u)var b=this.u;else this.B?(b=new QJ(this.B,this.j.j),g.E(this,b),this.u=b):this.u=new PJ(this.j.j),b=this.u;return b.encrypt(a,this.iv)}; +hY.prototype.decrypt=function(a,b){(0,g.M)();return(new PJ(this.j.j)).decrypt(a,b)};bWa.prototype.decrypt=function(a){var b=this,c,d,e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(b.j.length&&!b.j[0].isEncrypted)return m.return();b.u=!0;b.Mk.Vc("omd_s");c=new Uint8Array(16);HJ()?d=new OJ(a):e=new PJ(a);case 2:if(!b.j.length||!b.j[0].isEncrypted){m.Ka(3);break}f=b.j.shift();if(!d){h=e.decrypt(QF(f.buffer),c);m.Ka(4);break}return g.y(m,d.decrypt(QF(f.buffer),c),5);case 5:h=m.u;case 4:l=h;for(var n=0;nc&&d.u.pop();EUa(b);b.u&&cf||f!==h)&&b.xa("sbu_mismatch",{b:jI(e),c:b.currentTime,s:dH(d)})},0))}this.gf()}; +g.k.v5=function(a){if(this.Wa){var b=RX(a===this.Wa.j?this.audioTrack:this.videoTrack);if(a=a.ZL())for(var c=0;c=c||cthis.B&&(this.B=c,g.hd(this.j)||(this.j={},this.C.stop(),this.u.stop())),this.j[b]=a,g.Jp(this.u))}}; +AY.prototype.D=function(){for(var a=g.t(Object.keys(this.j)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.ma;for(var d=this.B,e=this.j[c].match(Si),f=[],h=g.t(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+g.Ke(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}}c=!1}c?(c=a.j,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30))):c=0;this.ma("log_qoe",{wvagt:"delay."+c,cpi:a.cryptoPeriodIndex,reqlen:this.j.length}); +0>=c?nXa(this,a):(this.j.push({time:b+c,info:a}),g.Jp(this.u,c))}}; +BY.prototype.qa=function(){this.j=[];zY.prototype.qa.call(this)};var q4={},uXa=(q4.DRM_TRACK_TYPE_AUDIO="AUDIO",q4.DRM_TRACK_TYPE_SD="SD",q4.DRM_TRACK_TYPE_HD="HD",q4.DRM_TRACK_TYPE_UHD1="UHD1",q4);g.w(rXa,g.C);rXa.prototype.RD=function(a,b){this.onSuccess=a;this.onError=b};g.w(wXa,g.dE);g.k=wXa.prototype;g.k.ep=function(a){var b=this;this.isDisposed()||0>=a.size||(a.forEach(function(c,d){var e=aJ(b.u)?d:c;d=new Uint8Array(aJ(b.u)?c:d);aJ(b.u)&&MXa(d);c=g.gg(d,4);MXa(d);d=g.gg(d,4);b.j[c]?b.j[c].status=e:b.j[d]?b.j[d].status=e:b.j[c]={type:"",status:e}}),HXa(this,","),CY(this,{onkeystatuschange:1}),this.status="kc",this.ma("keystatuseschange",this))}; +g.k.error=function(a,b,c,d){this.isDisposed()||(this.ma("licenseerror",a,b,c,d),"drm.provision"===a&&(a=(Date.now()-this.I)/1E3,this.I=NaN,this.ma("ctmp","provf",{et:a.toFixed(3)})));QK(b)&&this.dispose()}; +g.k.shouldRetry=function(a,b){return this.Ga&&this.J?!1:!a&&this.requestNumber===b.requestNumber}; +g.k.qa=function(){this.j={};g.dE.prototype.qa.call(this)}; +g.k.lc=function(){var a={ctype:this.ea.contentType||"",length:this.ea.initData.length,requestedKeyIds:this.Aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.B&&(a.keyStatuses=this.j);return a}; +g.k.rh=function(){var a=this.C.join();if(DY(this)){var b=new Set,c;for(c in this.j)"usable"!==this.j[c].status&&b.add(this.j[c].type);a+="/UKS."+Array.from(b)}return a+="/"+this.cryptoPeriodIndex}; +g.k.Ze=function(){return this.url};g.w(EY,g.C);g.k=EY.prototype;g.k.RD=function(a,b,c,d){this.D=a;this.B=b;this.I=c;this.J=d}; +g.k.K0=function(a){if(this.D){var b=a.messageType||"license-request";this.D(new Uint8Array(a.message),b)}}; +g.k.ep=function(){this.J&&this.J(this.j.keyStatuses)}; +g.k.vW=function(a){this.D&&this.D(a.message,"license-request")}; +g.k.uW=function(a){if(this.B){if(this.u){var b=this.u.error.code;a=this.u.error.systemCode}else b=a.errorCode,a=a.systemCode;this.B("t.prefixedKeyError;c."+b+";sc."+a,b,a)}}; +g.k.tW=function(){this.I&&this.I()}; +g.k.update=function(a){var b=this;if(this.j)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emeupd",this.j.update).call(this.j,a):this.j.update(a)).then(null,XI(function(c){OXa(b,"t.update",c)})); +this.u?this.u.update(a):this.element.addKey?this.element.addKey(this.T.keySystem,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.T.keySystem,a,this.initData,this.sessionId);return Oy()}; +g.k.qa=function(){this.j&&this.j.close();this.element=null;g.C.prototype.qa.call(this)};g.w(FY,g.C);g.k=FY.prototype;g.k.attach=function(){var a=this;if(this.j.keySystemAccess)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emenew",this.j.keySystemAccess.createMediaKeys).call(this.j.keySystemAccess):this.j.keySystemAccess.createMediaKeys()).then(function(b){a.isDisposed()||(a.u=b,qJ.isActive()&&qJ.ww()?qJ.Dw("emeset",a.element.setMediaKeys).call(a.element,b):a.element.setMediaKeys(b))}); +$I(this.j)?this.B=new (ZI())(this.j.keySystem):bJ(this.j)?(this.B=new (ZI())(this.j.keySystem),this.element.webkitSetMediaKeys(this.B)):(Kz(this.D,this.element,["keymessage","webkitkeymessage"],this.N0),Kz(this.D,this.element,["keyerror","webkitkeyerror"],this.M0),Kz(this.D,this.element,["keyadded","webkitkeyadded"],this.L0));return null}; +g.k.setServerCertificate=function(){return this.u.setServerCertificate?"widevine"===this.j.flavor&&this.j.rl?this.u.setServerCertificate(this.j.rl):dJ(this.j)&&this.j.Ya?this.u.setServerCertificate(this.j.Ya):null:null}; +g.k.createSession=function(a,b){var c=a.initData;if(this.j.keySystemAccess){b&&b("createsession");var d=this.u.createSession();cJ(this.j)?c=PXa(c,this.j.Ya):dJ(this.j)&&(c=mXa(c)||new Uint8Array(0));b&&b("genreq");a=qJ.isActive()&&qJ.ww()?qJ.Dw("emegen",d.generateRequest).call(d,a.contentType,c):d.generateRequest(a.contentType,c);var e=new EY(null,null,null,d,null);a.then(function(){b&&b("genreqsuccess")},XI(function(f){OXa(e,"t.generateRequest",f)})); +return e}if($I(this.j))return RXa(this,c);if(bJ(this.j))return QXa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.j.keySystem,c):this.element.webkitGenerateKeyRequest(this.j.keySystem,c);return this.C=new EY(this.element,this.j,c,null,null)}; +g.k.N0=function(a){var b=SXa(this,a);b&&b.vW(a)}; +g.k.M0=function(a){var b=SXa(this,a);b&&b.uW(a)}; +g.k.L0=function(a){var b=SXa(this,a);b&&b.tW(a)}; +g.k.getMetrics=function(){if(this.u&&this.u.getMetrics)try{var a=this.u.getMetrics()}catch(b){}return a}; +g.k.qa=function(){this.B=this.u=null;var a;null==(a=this.C)||a.dispose();a=g.t(Object.values(this.I));for(var b=a.next();!b.done;b=a.next())b.value.dispose();this.I={};g.C.prototype.qa.call(this);delete this.element};g.k=GY.prototype;g.k.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; +g.k.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; +g.k.Ef=function(){this.keys=[];this.values=[]}; +g.k.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; +g.k.findIndex=function(a){return g.ob(this.keys,function(b){return g.Mb(a,b)})};g.w(VXa,g.dE);g.k=VXa.prototype;g.k.Y5=function(a){this.Ri({onecpt:1});a.initData&&YXa(this,new Uint8Array(a.initData),a.initDataType)}; +g.k.v6=function(a){this.Ri({onndky:1});YXa(this,a.initData,a.contentType)}; +g.k.vz=function(a){this.Ri({onneedkeyinfo:1});this.Y.K("html5_eme_loader_sync")&&(this.J.get(a.initData)||this.J.set(a.initData,a));XXa(this,a)}; +g.k.wS=function(a){this.B.push(a);HY(this)}; +g.k.createSession=function(a){var b=$Xa(this)?yTa(a):g.gg(a.initData);this.u.get(b);this.ya=!0;a=new wXa(this.videoData,this.Y,a,this.drmSessionId);this.u.set(b,a);a.subscribe("ctmp",this.XV,this);a.subscribe("keystatuseschange",this.ep,this);a.subscribe("licenseerror",this.bH,this);a.subscribe("newlicense",this.pW,this);a.subscribe("newsession",this.qW,this);a.subscribe("sessionready",this.EW,this);a.subscribe("fairplay_next_need_key_info",this.hW,this);this.Y.K("html5_enable_vp9_fairplay")&&a.subscribe("qualitychange", +this.bQ,this);zXa(a,this.C)}; +g.k.pW=function(a){this.isDisposed()||(this.Ri({onnelcswhb:1}),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.ma("heartbeatparams",a)))}; +g.k.qW=function(){this.isDisposed()||(this.Ri({newlcssn:1}),this.B.shift(),this.ya=!1,HY(this))}; +g.k.EW=function(){if($I(this.j)&&(this.Ri({onsnrdy:1}),this.Ja--,0===this.Ja)){var a=this.Z;a.element.msSetMediaKeys(a.B)}}; +g.k.ep=function(a){if(!this.isDisposed()){!this.Ga&&this.videoData.K("html5_log_drm_metrics_on_key_statuses")&&(aYa(this),this.Ga=!0);this.Ri({onksch:1});var b=this.bQ;if(!DY(a)&&g.oB&&"com.microsoft.playready"===a.u.keySystem&&navigator.requestMediaKeySystemAccess)var c="large";else{c=[];var d=!0;if(DY(a))for(var e=g.t(Object.keys(a.j)),f=e.next();!f.done;f=e.next())f=f.value,"usable"===a.j[f].status&&c.push(a.j[f].type),"unknown"!==a.j[f].status&&(d=!1);if(!DY(a)||d)c=a.C;c=GXa(c)}b.call(this,c); +this.ma("keystatuseschange",a)}}; +g.k.XV=function(a,b){this.isDisposed()||this.ma("ctmp",a,b)}; +g.k.hW=function(a,b){this.isDisposed()||this.ma("fairplay_next_need_key_info",a,b)}; +g.k.bH=function(a,b,c,d){this.isDisposed()||(this.videoData.K("html5_log_drm_metrics_on_error")&&aYa(this),this.ma("licenseerror",a,b,c,d))}; +g.k.Su=function(){return this.T}; +g.k.bQ=function(a){var b=g.kF("auto",a,!1,"l");if(this.videoData.hm){if(this.T.equals(b))return}else if(Jta(this.T,a))return;this.T=b;this.ma("qualitychange");this.Ri({updtlq:a})}; +g.k.qa=function(){this.j.keySystemAccess&&this.element&&this.element.setMediaKeys(null);this.element=null;this.B=[];for(var a=g.t(this.u.values()),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.XV,this),b.unsubscribe("keystatuseschange",this.ep,this),b.unsubscribe("licenseerror",this.bH,this),b.unsubscribe("newlicense",this.pW,this),b.unsubscribe("newsession",this.qW,this),b.unsubscribe("sessionready",this.EW,this),b.unsubscribe("fairplay_next_need_key_info",this.hW,this),this.Y.K("html5_enable_vp9_fairplay")&& +b.unsubscribe("qualitychange",this.bQ,this),b.dispose();this.u.clear();this.I.Ef();this.J.Ef();this.heartbeatParams=null;g.dE.prototype.qa.call(this)}; +g.k.lc=function(){for(var a={systemInfo:this.j.lc(),sessions:[]},b=g.t(this.u.values()),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.lc());return a}; +g.k.rh=function(){return 0>=this.u.size?"no session":""+this.u.values().next().value.rh()+(this.D?"/KR":"")}; +g.k.Ri=function(a,b){b=void 0===b?!1:b;this.isDisposed()||(OK(a),(this.Y.Rd()||b)&&this.ma("ctmp","drmlog",a))};g.w(JY,g.C);JY.prototype.yG=function(){return this.B}; +JY.prototype.handleError=function(a){var b=this;fYa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!eYa(this,a.errorCode,a.details))&&!jYa(this,a)){if(this.J&&"yt"!==this.j.Ja&&hYa(this,a)&&this.videoData.jo&&(0,g.M)()/1E3>this.videoData.jo&&"hm"===this.j.Ja){var c=Object.assign({e:a.errorCode},a.details);c.stalesigexp="1";c.expire=this.videoData.jo;c.init=this.videoData.uY/1E3;c.now=(0,g.M)()/1E3;c.systelapsed=((0,g.M)()-this.videoData.uY)/ +1E3;a=new PK(a.errorCode,c,2);this.va.Ng(a.errorCode,2,"SIGNATURE_EXPIRED",OK(a.details))}if(QK(a.severity)){var d;c=null==(d=this.va.Fa)?void 0:d.ue.B;if(this.j.K("html5_use_network_error_code_enums"))if(gYa(a)&&c&&c.isLocked())var e="FORMAT_UNAVAILABLE";else{if(!this.j.J&&"auth"===a.errorCode&&429===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}}else gYa(a)&&c&&c.isLocked()?e="FORMAT_UNAVAILABLE":this.j.J||"auth"!==a.errorCode||"429"!==a.details.rc||(e="TOO_MANY_REQUESTS",f="6");this.va.Ng(a.errorCode, +a.severity,e,OK(a.details),f)}else this.va.ma("nonfatalerror",a),d=/^pp/.test(this.videoData.clientPlaybackNonce),this.Kd(a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(a="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+"&t="+(0,g.M)(),$V(a,"manifest",function(h){b.I=!0;b.xa("pathprobe",h)},function(h){b.Kd(h.errorCode,h.details)}))}}; +JY.prototype.xa=function(a,b){this.va.zc.xa(a,b)}; +JY.prototype.Kd=function(a,b){b=OK(b);this.va.zc.Kd(a,b)};mYa.prototype.K=function(a){return this.Y.K(a)};g.w(LY,g.C);LY.prototype.yd=function(a){EYa(this);this.playerState=a.state;0<=this.u&&g.YN(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; +LY.prototype.onError=function(a){if("player.fatalexception"!==a||this.provider.K("html5_exception_to_health"))a.match(edb)?this.networkErrorCount++:this.nonNetworkErrorCount++}; +LY.prototype.send=function(){if(!(this.B||0>this.j)){EYa(this);var a=g.uW(this.provider)-this.j,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.S(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.S(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.S(this.playerState,16)||g.S(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.S(this.playerState,1)&& +g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.S(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.S(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");c=$_a[CM(this.provider.videoData)];a:switch(this.provider.Y.playerCanaryState){case "canary":var d="HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";break a;case "holdback":d="HTML5_PLAYER_CANARY_TYPE_CONTROL";break a;default:d="HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}var e= +0>this.u?a:this.u-this.j;a=this.provider.Y.Jf+36E5<(0,g.M)();b={started:0<=this.u,stateAtSend:b,joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.AM(this.provider.videoData),isGapless:this.provider.videoData.fb,isServerStitchedDai:this.provider.videoData.enableServerStitchedDai}; +a||g.rA("html5PlayerHealthEvent",b);this.B=!0;this.dispose()}}; +LY.prototype.qa=function(){this.B||this.send();g.C.prototype.qa.call(this)}; +var edb=/\bnet\b/;var HYa=window;var FYa=/[?&]cpn=/;g.w(g.NY,g.C);g.k=g.NY.prototype;g.k.K3=function(){var a=g.uW(this.provider);LYa(this,a)}; +g.k.VB=function(){return this.ya}; +g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.isDisposed()&&(a=0<=a?a:g.uW(this.provider),-1<["PL","B","S"].indexOf(this.Te)&&(!g.hd(this.j)||a>=this.C+30)&&(g.MY(this,a,"vps",[this.Te]),this.C=a),!g.hd(this.j))){7E3===this.sequenceNumber&&g.DD(Error("Sent over 7000 pings"));if(!(7E3<=this.sequenceNumber)){OYa(this,a);var b=a,c=this.provider.va.hC(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Pb,h=e&&!this.jc;d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.va.YC(),this.j.qoealert=["1"],this.Ya=!0)),"B"!==a||"PL"!==this.Te&&"PB"!==this.Te||(this.Z=!0),this.C=c),"PL"===this.Te&&("B"===a||"S"===a)||this.provider.Y.Rd()?OYa(this,c):(this.fb||"PL"!==a||(this.fb= +!0,NYa(this,c,this.provider.va.eC())),LYa(this,c)),"PL"===a&&g.Jp(this.Oc),g.MY(this,c,"vps",[a]),this.Te=a,this.C=this.ib=c,this.D=!0);a=b.getData();g.S(b,128)&&a&&(a.EH=a.EH||"",SYa(this,c,a.errorCode,a.AF,a.EH));(g.S(b,2)||g.S(b,128))&&this.reportStats(c);b.bd()&&!this.I&&(0<=this.u&&(this.j.user_intent=[this.u.toString()]),this.I=!0);QYa(this)}; +g.k.iD=function(a){var b=g.uW(this.provider);g.MY(this,b,"vfs",[a.j.id,a.u,this.uc,a.reason]);this.uc=a.j.id;var c=this.provider.va.getPlayerSize();if(0b-this.Wo+2||aZa(this,a,b))){c=this.provider.va.getVolume();var d=c!==this.ea,e=this.provider.va.isMuted()?1:0;e!==this.T?(this.T=e,c=!0):(!d||0<=this.C||(this.ea=c,this.C=b),c=b-this.C,0<=this.C&&2=this.provider.videoData.Pb;a&&(this.u&&this.provider.videoData.Pb&&(a=UY(this,"delayplay"),a.vf=!0,a.send(),this.oa=!0),jZa(this))}; +g.k.yd=function(a){if(!this.isDisposed())if(g.S(a.state,2)||g.S(a.state,512))this.I="paused",(g.YN(a,2)||g.YN(a,512))&&this.u&&(XY(this),YY(this).send(),this.D=NaN);else if(g.S(a.state,8)){this.I="playing";var b=this.u&&isNaN(this.C)?VY(this):NaN;!isNaN(b)&&(0>XN(a,64)||0>XN(a,512))&&(a=oZa(this,!1),a.D=b,a.send())}else this.I="paused"}; +g.k.qa=function(){g.C.prototype.qa.call(this);XY(this);ZYa(this.j)}; +g.k.lc=function(){return dZa(UY(this,"playback"))}; +g.k.kA=function(){this.provider.videoData.ea.eventLabel=PM(this.provider.videoData);this.provider.videoData.ea.playerStyle=this.provider.Y.playerStyle;this.provider.videoData.Ui&&(this.provider.videoData.ea.feature="pyv");this.provider.videoData.ea.vid=this.provider.videoData.videoId;var a=this.provider.videoData.ea;var b=this.provider.videoData;b=b.isAd()||!!b.Ui;a.isAd=b}; +g.k.Gj=function(a){var b=UY(this,"engage");b.T=a;return eZa(b,tZa(this.provider))};rZa.prototype.Bf=function(){return this.endTime===this.startTime};sZa.prototype.K=function(a){return this.Y.K(a)}; +var uZa={other:1,none:2,wifi:3,cellular:7};g.w(g.ZY,g.C);g.k=g.ZY.prototype;g.k.yd=function(a){if(g.YN(a,1024)||g.YN(a,512)||g.YN(a,4)){var b=this.B;0<=b.u||(b.j=-1,b.delay.stop());this.qoe&&(b=this.qoe,b.I||(b.u=-1))}if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var c;null==(c=this.u.get(this.Ci))||c.yd(a)}else this.j&&this.j.yd(a);this.qoe&&this.qoe.yd(a);this.B.yd(a)}; +g.k.Ie=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.Ie()}else this.j&&this.j.Ie()}; +g.k.Kd=function(a,b){this.qoe&&TYa(this.qoe,a,b);this.B.onError(a)}; +g.k.iD=function(a){this.qoe&&this.qoe.iD(a)}; +g.k.VC=function(a){this.qoe&&this.qoe.VC(a)}; +g.k.onPlaybackRateChange=function(a){if(this.qoe)this.qoe.onPlaybackRateChange(a)}; +g.k.jt=aa(42);g.k.xa=function(a,b,c){this.qoe&&this.qoe.xa(a,b,c)}; +g.k.CD=function(a,b,c){this.qoe&&this.qoe.CD(a,b,c)}; +g.k.Hz=function(a,b,c){this.qoe&&this.qoe.Hz(a,b,c)}; +g.k.vn=aa(15);g.k.VB=function(){if(this.qoe)return this.qoe.VB()}; +g.k.lc=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.lc()}else if(this.j)return this.j.lc();return{}}; +g.k.Gj=function(a){return this.j?this.j.Gj(a):function(){}}; +g.k.kA=function(){this.j&&this.j.kA()};g.w($Y,g.C);g.k=$Y.prototype;g.k.ye=function(a,b){this.On();b&&2E3<=this.j.array.length&&this.CB("captions",1E4);b=this.j;if(1b.array.length)b.array=b.array.concat(a),b.array.sort(b.j);else{a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,!b.array.length||0a&&this.C.start()))}; +g.k.tL=function(a){var b=[];if(!a.length)return b;for(var c=0;ca&&(a=(a-this.u)/this.oa(),this.C.start(a)))}}; +g.k.RU=function(){if(this.started&&!this.isDisposed()){this.C.stop();var a=this.D();g.S(a,32)&&this.Z.start();for(var b=g.S(this.D(),2)?0x8000000000000:1E3*this.T(),c=g.S(a,2),d=[],e=[],f=g.t(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(this.wL(e));f=e=null;c?(a=FZa(this.j,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=GZa(this.j)):a=this.u<=b&&SO(a)?EZa(this.j,this.u,b):FZa(this.j,b); +d=d.concat(this.tL(a));e&&(d=d.concat(this.wL(e)));f&&(d=d.concat(this.tL(f)));this.u=b;JZa(this,d)}}; +g.k.qa=function(){this.B=[];this.j.array=[];g.C.prototype.qa.call(this)}; +g.oW.ev($Y,{ye:"crmacr",tL:"crmncr",wL:"crmxcr",RU:"crmis",Ch:"crmrcr"});g.w(cZ,g.dE);cZ.prototype.uq=function(){return this.J}; +cZ.prototype.Wp=function(){return Math.max(this.T()-QZa(this,!0),this.videoData.Id())};g.w(hZ,g.C);hZ.prototype.yd=function(){g.Jp(this.B)}; +hZ.prototype.gf=function(){var a=this,b=this.va.qe(),c=this.va.getPlayerState();if(b&&!c.isError()){var d=b.getCurrentTime(),e=8===c.state&&d>this.j,f=g.S(c,8)&&g.S(c,16),h=this.va.Es().isBackground()||c.isSuspended();iZ(this,this.Ja,f&&!h,e,"qoe.slowseek",function(){},"timeout"); +var l=isFinite(this.j);l=f&&l&&BCa(b,this.j);var m=!d||10d+5,z=q&&n&&x;x=this.va.getVideoData();var B=.002>d&&.002>this.j,F=0<=v,G=1===b.xj();iZ(this,this.ya,B&&f&&g.QM(x)&&!h,e,"qoe.slowseek",m,"slow_seek_shorts");iZ(this,this.Aa,B&&f&&g.QM(x)&&!h&&G,e,"qoe.slowseek",m,"slow_seek_shorts_vrs");iZ(this,this.oa,B&&f&&g.QM(x)&&!h&&F,e,"qoe.slowseek",m,"slow_seek_shorts_buffer_range");iZ(this,this.I,z&&!h,q&&!n,"qoe.longrebuffer",p,"jiggle_cmt"); +iZ(this,this.J,z&&!h,q&&!n,"qoe.longrebuffer",m,"new_elem_nnr");if(l){var D=l.getCurrentTime();f=b.Vu();f=Bva(f,D);f=!l.hh()&&d===f;iZ(this,this.fb,q&&n&&f&&!h,q&&!n&&!f,"qoe.longrebuffer",function(){b.seekTo(D)},"seek_to_loader")}f={}; +p=kI(r,Math.max(d-3.5,0));z=0<=p&&d>r.end(p)-1.1;B=0<=p&&p+1B;f.close2edge=z;f.gapsize=B;f.buflen=r.length;iZ(this,this.T,q&&n&&!h,q&&!n,"qoe.longrebuffer",function(){},"timeout",f); +r=c.isSuspended();r=g.rb(this.va.zn,"ad")&&!r;iZ(this,this.D,r,!r,"qoe.start15s",function(){a.va.jg("ad")},"ads_preroll_timeout"); +r=.5>d-this.C;v=x.isAd()&&q&&!n&&r;q=function(){var L=a.va,P=L.Nf.Rc();(!P||!L.videoData.isAd()||P.getVideoData().Nc!==L.getVideoData().Nc)&&L.videoData.mf||L.Ng("ad.rebuftimeout",2,"RETRYABLE_ERROR","skipslad.vid."+L.videoData.videoId)}; +iZ(this,this.Qa,v,!v,"ad.rebuftimeout",q,"skip_slow_ad");n=x.isAd()&&n&&lI(b.Nh(),d+5)&&r;iZ(this,this.Xa,n,!n,"ad.rebuftimeout",q,"skip_slow_ad_buf");iZ(this,this.Ya,g.RO(c)&&g.S(c,64)&&!h,e,"qoe.start15s",function(){},"timeout"); +iZ(this,this.ea,!!l&&!l.Wa&&g.RO(c),e,"qoe.start15s",m,"newElemMse");this.C=d;this.B.start()}}; +hZ.prototype.Kd=function(a,b,c){b=this.lc(b);b.wn=c;b.wdup=this.u[a]?"1":"0";this.va.Kd(new PK(a,b));this.u[a]=!0}; +hZ.prototype.lc=function(a){a=Object.assign(this.va.lc(!0),a.lc());this.j&&(a.stt=this.j.toFixed(3));delete a.uga;delete a.euri;delete a.referrer;delete a.fexp;delete a.vm;return a}; +fZ.prototype.reset=function(){this.j=this.u=this.B=this.startTimestamp=0;this.C=!1}; +fZ.prototype.lc=function(){var a={},b=(0,g.M)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.u&&(a.wtd=(b-this.u).toFixed());this.j&&(a.wssd=(b-this.j).toFixed());return a};g.w(XZa,g.C);g.k=XZa.prototype;g.k.setMediaElement=function(a){g.Lz(this.Qa);(this.mediaElement=a)?(i_a(this),jZ(this)):kZ(this)}; +g.k.yd=function(a){this.Z.yd(a);this.K("html5_exponential_memory_for_sticky")&&(a.state.bd()?g.Jp(this.oa):this.oa.stop());if(this.mediaElement)if(8===a.Hv.state&&SO(a.state)&&g.TO(a.state)){a=this.mediaElement.getCurrentTime();var b=this.mediaElement.Nh();var c=this.K("manifestless_post_live_ufph")||this.K("manifestless_post_live")?kI(b,Math.max(a-3.5,0)):kI(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.fb-c)||(this.va.xa("seekover",{b:jI(b, +"_"),cmt:a}),this.fb=c,this.seekTo(c,{bv:!0,Je:"seektimeline_postLiveDisc"})))}else(null==(b=a.state)?0:8===b.state)&&this.Y.K("embeds_enable_muted_autoplay")&&!this.Ya&&0=this.pe())||!g.GM(this.videoData))||this.va.xa("seeknotallowed",{st:v,mst:this.pe()});if(!m)return this.B&&(this.B=null,e_a(this)),Qf(this.getCurrentTime());if(.005>Math.abs(a-this.u)&&this.T)return this.D;h&&(v=a,(this.Y.Rd()||this.K("html5_log_seek_reasons"))&& +this.va.xa("seekreason",{reason:h,tgt:v}));this.T&&kZ(this);this.D||(this.D=new aK);a&&!isFinite(a)&&$Za(this,!1);if(h=!c)h=a,h=this.videoData.isLivePlayback&&this.videoData.C&&!this.videoData.C.j&&!(this.mediaElement&&0e.videoData.endSeconds&&isFinite(f)&&J_a(e);fb.start&&J_a(this.va);return this.D}; +g.k.pe=function(a){if(!this.videoData.isLivePlayback)return j0a(this.va);var b;if(aN(this.videoData)&&(null==(b=this.mediaElement)?0:b.Ip())&&this.videoData.j)return a=this.getCurrentTime(),Yza(1E3*this.Pf(a))+a;if(jM(this.videoData)&&this.videoData.rd&&this.videoData.j)return this.videoData.j.pe()+this.timestampOffset;if(this.videoData.C&&this.videoData.C.j){if(!a&&this.j)return this.j.Wp();a=j0a(this.va);this.policy.j&&this.mediaElement&&(a=Math.max(a,DCa(this.mediaElement)));return a+this.timestampOffset}return this.mediaElement? +Zy()?Yza(this.mediaElement.RE().getTime()):GO(this.mediaElement)+this.timestampOffset||this.timestampOffset:this.timestampOffset}; +g.k.Id=function(){var a=this.videoData?this.videoData.Id()+this.timestampOffset:this.timestampOffset;if(aN(this.videoData)&&this.videoData.j){var b,c=Number(null==(b=this.videoData.progressBarStartPosition)?void 0:b.utcTimeMillis)/1E3;b=this.getCurrentTime();b=this.Pf(b)-b;if(!isNaN(c)&&!isNaN(b))return Math.max(a,c-b)}return a}; +g.k.CL=function(){this.D||this.seekTo(this.C,{Je:"seektimeline_forceResumeTime_singleMediaSourceTransition"})}; +g.k.vG=function(){return this.T&&!isFinite(this.u)}; +g.k.qa=function(){a_a(this,null);this.Z.dispose();g.C.prototype.qa.call(this)}; +g.k.lc=function(){var a={};this.Fa&&Object.assign(a,this.Fa.lc());this.mediaElement&&Object.assign(a,this.mediaElement.lc());return a}; +g.k.gO=function(a){this.timestampOffset=a}; +g.k.getStreamTimeOffset=function(){return jM(this.videoData)?0:this.videoData.j?this.videoData.j.getStreamTimeOffset():0}; +g.k.Jd=function(){return this.timestampOffset}; +g.k.Pf=function(a){return this.videoData.j.Pf(a-this.timestampOffset)}; +g.k.Tu=function(){if(!this.mediaElement)return 0;if(HM(this.videoData)){var a=DCa(this.mediaElement)+this.timestampOffset-this.Id(),b=this.pe()-this.Id();return Math.max(0,Math.min(1,a/b))}return this.mediaElement.Tu()}; +g.k.bD=function(a){this.I&&(this.I.j=a.audio.index)}; +g.k.K=function(a){return this.Y&&this.Y.K(a)};lZ.prototype.Os=function(){return this.started}; +lZ.prototype.start=function(){this.started=!0}; +lZ.prototype.reset=function(){this.finished=this.started=!1};var o_a=!1;g.w(g.pZ,g.dE);g.k=g.pZ.prototype;g.k.qa=function(){this.oX();this.BH.stop();window.clearInterval(this.rH);kRa(this.Bg);this.visibility.unsubscribe("visibilitystatechange",this.Bg);xZa(this.zc);g.Za(this.zc);uZ(this);g.Ap.Em(this.Wv);this.rj();this.Df=null;g.Za(this.videoData);g.Za(this.Gl);g.$a(this.a5);this.Pp=null;g.dE.prototype.qa.call(this)}; +g.k.Hz=function(a,b,c,d){this.zc.Hz(a,b,c);this.K("html5_log_media_perf_info")&&this.xa("adloudness",{ld:d.toFixed(3),cpn:a})}; +g.k.KL=function(){var a;return null==(a=this.Fa)?void 0:a.KL()}; +g.k.NL=function(){var a;return null==(a=this.Fa)?void 0:a.NL()}; +g.k.OL=function(){var a;return null==(a=this.Fa)?void 0:a.OL()}; +g.k.LL=function(){var a;return null==(a=this.Fa)?void 0:a.LL()}; +g.k.Pl=function(){return this.videoData.Pl()}; g.k.getVideoData=function(){return this.videoData}; -g.k.T=function(){return this.W}; -g.k.Zc=function(){return this.da}; -g.k.vx=function(){if(this.videoData.Uc()){var a=this.Ac;0=a.start);return a}; -g.k.Tj=function(){return this.Kb.Tj()}; -g.k.Hb=function(){return this.playerState.Hb()}; +g.k.sendAbandonmentPing=function(){g.S(this.getPlayerState(),128)||(this.ma("internalAbandon"),this.aP(!0),xZa(this.zc),g.Za(this.zc),g.Ap.Em(this.Wv));var a;null==(a=this.Y.Rk)||a.flush()}; +g.k.jr=function(){wZa(this.zc)}; +g.k.Ng=function(a,b,c,d,e,f){var h,l;g.ad(Jcb,c)?h=c:c?l=c:h="GENERIC_WITHOUT_LINK";d=(d||"")+(";a6s."+FR());b={errorCode:a,errorDetail:e,errorMessage:l||g.$T[h]||"",uL:h,Gm:f||"",EH:d,AF:b,cpn:this.videoData.clientPlaybackNonce};this.videoData.errorCode=a;tZ(this,"dataloaderror");this.pc(LO(this.playerState,128,b));g.Ap.Em(this.Wv);uZ(this);this.Dn()}; +g.k.jg=function(a){this.zn=this.zn.filter(function(b){return a!==b}); +this.Lq.Os()&&E_a(this)}; +g.k.Mo=function(){var a;(a=!!this.zn.length)||(a=this.Xi.j.array[0],a=!!a&&-0x8000000000000>=a.start);return a}; +g.k.uq=function(){return this.xd.uq()}; +g.k.bd=function(){return this.playerState.bd()}; +g.k.BC=function(){return this.playerState.BC()&&this.videoData.Tn}; g.k.getPlayerState=function(){return this.playerState}; g.k.getPlayerType=function(){return this.playerType}; -g.k.getPreferredQuality=function(){if(this.Id){var a=this.Id;a=a.videoData.yw.compose(a.videoData.bC);a=HC(a)}else a="auto";return a}; -g.k.wq=ba(12);g.k.isGapless=function(){return!!this.da&&this.da.isView()}; -g.k.setMediaElement=function(a){this.ea();if(this.da&&a.Pa()===this.da.Pa()&&(a.isView()||this.da.isView())){if(a.isView()||!this.da.isView())g.ut(this.xp),this.da=a,gAa(this),this.Kb.setMediaElement(this.da),this.Ac.setMediaElement(this.da)}else{this.da&&this.Pf();if(!this.playerState.isError()){var b=DM(this.playerState,512);g.U(b,8)&&!g.U(b,2)&&(b=CM(b,1));a.isView()&&(b=DM(b,64));this.vb(b)}this.da=a;this.da.setLoop(this.loop);this.da.setPlaybackRate(this.playbackRate);gAa(this);this.Kb.setMediaElement(this.da); -this.Ac.setMediaElement(this.da)}}; -g.k.Pf=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.ea();if(this.da){var c=this.getCurrentTime();0c.u.length)c.u=c.u.concat(a),c.u.sort(c.B);else{a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,!c.u.length||0this.da.getCurrentTime()&&this.Ba)return;break;case "resize":oAa(this);this.videoData.Oa&&"auto"===this.videoData.Oa.Ma().quality&&this.V("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.YB&&g.U(this.playerState,8)&&!g.U(this.playerState,1024)&&0===this.getCurrentTime()&&g.Ur){e0(this,"safari_autoplay_disabled");return}}if(this.da&&this.da.We()===b){this.V("videoelementevent",a);b=this.playerState;if(!g.U(b,128)){c=this.Sp; -e=this.da;var f=this.W.experiments;d=b.state;e=e?e:a.target;var h=e.getCurrentTime();if(!g.U(b,64)||"ended"!==a.type&&"pause"!==a.type){var l=e.Yi()||1Math.abs(h-e.getDuration());h="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.U(b,4)&&!g_(c,h);if("pause"===a.type&&e.Yi()||l&&h)0a-this.wu)){var b=this.da.Ze();this.wu=a;b!==this.Ze()&&(a=this.visibility,a.C!==b&&(a.C=b,a.ff()),Z_(this));this.V("airplayactivechange")}}; -g.k.du=function(a){if(this.Ba){var b=this.Ba,c=b.R,d=b.I;c.V("ctmp","sdai","adfetchdone_to_"+a,!1);a||isNaN(c.F)||(a=c.F,zA(c.P,c.D,a,d),zA(c.aa,c.D,a,d),c.V("ctmp","sdai","joinad_rollbk2_seg_"+c.D+"_rbt_"+a.toFixed(3)+"_lt_"+d.toFixed(3),!1));c.B=4;KF(b)}}; -g.k.sc=function(a){var b=this;a=void 0===a?!1:a;if(this.da&&this.videoData){Rya(this.Kb,this.Hb());var c=this.getCurrentTime();this.Ba&&(g.U(this.playerState,4)&&g.eJ(this.videoData)||gia(this.Ba,c));5Math.abs(l-f)?(b.Na("setended","ct."+f+";bh."+h+";dur."+l+";live."+ +m),m&&b.ba("html5_set_ended_in_pfx_live_cfl")||(b.da.sm()?(b.ea(),b.seekTo(0)):sY(b))):(g.IM(b.playerState)||s0(b,"progress_fix"),b.vb(CM(b.playerState,1)))):(l&&!m&&!n&&0m-1&&b.Na("misspg", -"t:"+f.toFixed(2)+";d:"+m.toFixed(2)+";r:"+l.toFixed(2)+";bh:"+h.toFixed(2))),g.U(b.playerState,4)&&g.IM(b.playerState)&&5FK(b,8)||g.GK(b,1024))&&this.Mm.stop();!g.GK(b,8)||this.videoData.Rg||g.U(b.state,1024)||this.Mm.start();g.U(b.state,8)&&0>FK(b,16)&&!g.U(b.state,32)&&!g.U(b.state,2)&&this.playVideo();g.U(b.state,2)&&fJ(this.videoData)&&(this.gi(this.getCurrentTime()),this.sc(!0));g.GK(b,2)&&this.oA(!0);g.GK(b,128)&&this.fi();this.videoData.ra&&this.videoData.isLivePlayback&&!this.iI&&(0>FK(b,8)?(a=this.videoData.ra,a.D&&a.D.stop()):g.GK(b,8)&&this.videoData.ra.resume()); -this.Kb.lc(b);this.Jb.lc(b);if(c&&!this.na())try{for(var e=g.q(this.Iv),f=e.next();!f.done;f=e.next()){var h=f.value;this.Vf.lc(h);this.V("statechange",h)}}finally{this.Iv.length=0}}}; -g.k.fu=function(){this.videoData.isLivePlayback||this.V("connectionissue")}; -g.k.yv=function(a,b,c,d){a:{var e=this.Ac;d=void 0===d?"LICENSE":d;c=c.substr(0,256);if("drm.keyerror"===a&&this.Jc&&1e.C)a="drm.sessionlimitexhausted",b=!1;else if(e.videoData.ba("html5_drm_fallback_to_playready_on_retry")&&"drm.keyerror"===a&&2>e.D&&(e.D++,e.V("removedrmplaybackmanager"),1=e.B.values.length){var f="ns;";e.P||(f+="nr;");e=f+="ql."+e.C.length}else e=jxa(e.B.values[0]);d.drmp=e}g.Ua(c,(null===(a=this.Ba)||void 0===a?void 0:a.sb())||{});g.Ua(c,(null===(b=this.da)||void 0===b?void 0:b.sb())||{})}this.Jb.onError("qoe.start15s",g.vB(c));this.V("loadsofttimeout")}}; -g.k.DQ=function(){g.U(this.playerState,128)||this.mediaSource&&CB(this.mediaSource)||(this.Jb.onError("qoe.restart",g.vB({detail:"bufferattach"})),this.EH++,nY(this))}; -g.k.gi=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,c0(this))}; -g.k.oA=function(a){var b=this;a=void 0===a?!1:a;if(!this.Ln){WE("att_s","player_att")||ZE("att_s","player_att");var c=new ysa(this.videoData,this.ba("web_player_inline_botguard"));if("c1a"in c.u&&!oT(c)&&(ZE("att_wb","player_att"),2===this.Np&&.01>Math.random()&&g.Is(Error("Botguard not available after 2 attempts")),!a&&5>this.Np)){this.fx.Sb();this.Np++;return}if("c1b"in c.u){var d=Cya(this.Jb);d&&Bsa(c).then(function(e){e&&!b.Ln&&d?(ZE("att_f","player_att"),d(e),b.Ln=!0):ZE("att_e","player_att")}, -function(){ZE("att_e","player_att")})}else(a=zsa(c))?(ZE("att_f","player_att"),Bya(this.Jb,a),this.Ln=!0):ZE("att_e","player_att")}}; -g.k.Oc=function(a){return this.Kb.Oc(void 0===a?!1:a)}; -g.k.Kc=function(){return this.Kb.Kc()}; -g.k.yc=function(){return this.Kb?this.Kb.yc():0}; -g.k.getStreamTimeOffset=function(){return this.Kb?this.Kb.getStreamTimeOffset():0}; -g.k.setPlaybackRate=function(a){var b=this.videoData.La&&this.videoData.La.videoInfos&&32this.mediaElement.getCurrentTime()&&this.Fa)return;break;case "resize":i0a(this);this.videoData.u&&"auto"===this.videoData.u.video.quality&&this.ma("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.DS&&g.S(this.playerState,8)&&!g.S(this.playerState,1024)&&0===this.getCurrentTime()&&g.BA){vZ(this,"safari_autoplay_disabled");return}}if(this.mediaElement&&this.mediaElement.Qf()===b){this.ma("videoelementevent",a);b=this.playerState;c=this.videoData.clientPlaybackNonce; +if(!g.S(b,128)){d=this.gB;var e=this.mediaElement,f=this.Y.experiments,h=b.state;e=e?e:a.target;var l=e.getCurrentTime();if(!g.S(b,64)||"ended"!==a.type&&"pause"!==a.type){var m=e.Qh()||1Math.abs(l-e.getDuration()),n="pause"===a.type&&e.Qh();l="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.S(b,4)&&!aZ(d,l);if(n||m&&l)0a-this.AG||(this.AG=a,b!==this.wh()&&(a=this.visibility,a.j!==b&&(a.j=b,a.Bg()),this.xa("airplay",{rbld:b}),KY(this)),this.ma("airplayactivechange"))}; +g.k.kC=function(a){if(this.Fa){var b=this.Fa,c=b.B,d=b.currentTime,e=Date.now()-c.ea;c.ea=NaN;c.xa("sdai",{adfetchdone:a,d:e});a&&!isNaN(c.D)&&3!==c.u&&VWa(c.Fa,d,c.D,c.B);c.J=NaN;iX(c,4,3===c.u?"adfps":"adf");xY(b)}}; +g.k.yc=function(a){var b=this;a=void 0===a?!1:a;if(this.mediaElement&&this.videoData){b_a(this.xd,this.bd());var c=this.getCurrentTime();this.Fa&&(g.S(this.playerState,4)&&g.GM(this.videoData)||iXa(this.Fa,c));5Math.abs(m-h)?(b.xa("setended",{ct:h,bh:l,dur:m,live:n}),b.mediaElement.xs()?b.seekTo(0,{Je:"videoplayer_loop"}):vW(b)):(g.TO(b.playerState)||f0a(b,"progress_fix"),b.pc(MO(b.playerState,1)))):(m&&!n&&!p&&0n-1&&b.xa("misspg",{t:h.toFixed(2),d:n.toFixed(2), +r:m.toFixed(2),bh:l.toFixed(2)})),g.QO(b.playerState)&&g.TO(b.playerState)&&5XN(b,8)||g.YN(b,1024))&&this.Bv.stop();!g.YN(b,8)||this.videoData.kb||g.S(b.state,1024)||this.Bv.start();g.S(b.state,8)&&0>XN(b,16)&&!g.S(b.state,32)&&!g.S(b.state,2)&&this.playVideo();g.S(b.state,2)&&HM(this.videoData)&&(this.Sk(this.getCurrentTime()),this.yc(!0));g.YN(b,2)&&this.aP(!0);g.YN(b,128)&&this.Dn();this.videoData.j&&this.videoData.isLivePlayback&&!this.FY&&(0>XN(b,8)?(a=this.videoData.j,a.C&&a.C.stop()): +g.YN(b,8)&&this.videoData.j.resume());this.xd.yd(b);this.zc.yd(b);if(c&&!this.isDisposed())try{for(var e=g.t(this.uH),f=e.next();!f.done;f=e.next()){var h=f.value;this.Xi.yd(h);this.ma("statechange",h)}}finally{this.uH.length=0}}}; +g.k.YC=function(){this.videoData.isLivePlayback||this.K("html5_disable_connection_issue_event")||this.ma("connectionissue")}; +g.k.cO=function(){this.vb.tick("qoes")}; +g.k.CL=function(){this.xd.CL()}; +g.k.bH=function(a,b,c,d){a:{var e=this.Gl;d=void 0===d?"LICENSE":d;c=c.substr(0,256);var f=QK(b);"drm.keyerror"===a&&this.oe&&1e.D&&(a="drm.sessionlimitexhausted",f=!1);if(f)if(e.videoData.u&&e.videoData.u.video.isHdr())kYa(e,a);else{if(e.va.Ng(a,b,d,c),bYa(e,{detail:c}))break a}else e.Kd(a,{detail:c});"drm.sessionlimitexhausted"===a&&(e.xa("retrydrm",{sessionLimitExhausted:1}),e.D++,e0a(e.va))}}; +g.k.h6=function(){var a=this,b=g.gJ(this.Y.experiments,"html5_license_constraint_delay"),c=hz();b&&c?(b=new g.Ip(function(){wZ(a);tZ(a)},b),g.E(this,b),b.start()):(wZ(this),tZ(this))}; +g.k.aD=function(a){this.ma("heartbeatparams",a)}; +g.k.ep=function(a){this.xa("keystatuses",IXa(a));var b="auto",c=!1;this.videoData.u&&(b=this.videoData.u.video.quality,c=this.videoData.u.video.isHdr());if(this.K("html5_drm_check_all_key_error_states")){var d=JXa(b,c);d=DY(a)?KXa(a,d):a.C.includes(d)}else{a:{b=JXa(b,c);for(d in a.j)if("output-restricted"===a.j[d].status){var e=a.j[d].type;if(""===b||"AUDIO"===e||b===e){d=!0;break a}}d=!1}d=!d}if(this.K("html5_enable_vp9_fairplay")){if(c)if(a.T){var f;if(null==(f=this.oe)?0:dJ(f.j))if(null==(c=this.oe))c= +0;else{b=f=void 0;e=g.t(c.u.values());for(var h=e.next();!h.done;h=e.next())h=h.value,f||(f=LXa(h,"SD")),b||(b=LXa(h,"AUDIO"));c.Ri({sd:f,audio:b});c="output-restricted"===f||"output-restricted"===b}else c=!d;if(c){this.xa("drm",{dshdr:1});kYa(this.Gl);return}}else{this.videoData.WI||(this.videoData.WI=!0,this.xa("drm",{dphdr:1}),IY(this,!0));return}var l;if(null==(l=this.oe)?0:dJ(l.j))return}else if(l=a.T&&d,c&&!l){kYa(this.Gl);return}d||KXa(a,"AUDIO")&&KXa(a,"SD")||(a=IXa(a),this.UO?(this.ma("drmoutputrestricted"), +this.K("html5_report_fatal_drm_restricted_error_killswitch")||this.Ng("drm.keyerror",2,void 0,"info."+a)):(this.UO=!0,this.Kd(new PK("qoe.restart",Object.assign({},{retrydrm:1},a))),nZ(this),e0a(this)))}; +g.k.j6=function(){if(!this.videoData.kb&&this.mediaElement&&!this.isBackground()){var a="0";0=b.u.size){var c="ns;";b.ea||(c+="nr;");b=c+="ql."+b.B.length}else b=IXa(b.u.values().next().value),b=OK(b);a.drmp=b}var d;Object.assign(a,(null==(d=this.Fa)?void 0:d.lc())||{});var e;Object.assign(a,(null==(e=this.mediaElement)?void 0:e.lc())||{});this.zc.Kd("qoe.start15s",OK(a));this.ma("loadsofttimeout")}}; +g.k.Sk=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,tZ(this))}; +g.k.aP=function(a){var b=this;a=void 0===a?!1:a;if(!this.ZE){aF("att_s","player_att")||fF("att_s",void 0,"player_att");var c=new g.AJa(this.videoData);if("c1a"in c.j&&!g.fS.isInitialized()&&(fF("att_wb",void 0,"player_att"),2===this.xK&&.01>Math.random()&&g.DD(Error("Botguard not available after 2 attempts")),!a&&5>this.xK)){g.Jp(this.yK);this.xK++;return}if("c1b"in c.j){var d=zZa(this.zc);d&&DJa(c).then(function(e){e&&!b.ZE&&d?(fF("att_f",void 0,"player_att"),d(e),b.ZE=!0):fF("att_e",void 0,"player_att")}, +function(){fF("att_e",void 0,"player_att")})}else(a=g.BJa(c))?(fF("att_f",void 0,"player_att"),yZa(this.zc,a),this.ZE=!0):fF("att_e",void 0,"player_att")}}; +g.k.pe=function(a){return this.xd.pe(void 0===a?!1:a)}; +g.k.Id=function(){return this.xd.Id()}; +g.k.Jd=function(){return this.xd?this.xd.Jd():0}; +g.k.getStreamTimeOffset=function(){return this.xd?this.xd.getStreamTimeOffset():0}; +g.k.aq=function(){var a=0;this.Y.K("web_player_ss_media_time_offset")&&(a=0===this.getStreamTimeOffset()?this.Jd():this.getStreamTimeOffset());return a}; +g.k.setPlaybackRate=function(a){var b;this.playbackRate!==a&&pYa(this.Ji,null==(b=this.videoData.C)?void 0:b.videoInfos)&&nZ(this);this.playbackRate=a;this.mediaElement&&this.mediaElement.setPlaybackRate(a)}; g.k.getPlaybackRate=function(){return this.playbackRate}; -g.k.getPlaybackQuality=function(){var a="unknown";if(this.videoData.Oa&&(a=this.videoData.Oa.Ma().quality,"auto"===a&&this.da)){var b=xK(this);b&&0=c,b.dis=this.da.Aq("display"));(a=a?(0,g.SZ)():null)&&(b.gpu=a);b.cgr=!0;b.debug_playbackQuality=this.u.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; -g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.T().experiments.experimentIds.join(", ")},b=LT(this).getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; -g.k.getPresentingPlayerType=function(){return 1===this.Y?1:v0(this)?3:g.Z(this).getPlayerType()}; -g.k.getAppState=function(){return this.Y}; -g.k.Jz=function(a){switch(a.type){case "loadedmetadata":WE("fvb",this.eb.timerName)||this.eb.tick("fvb");ZE("fvb","video_to_ad");this.kc.start();break;case "loadstart":WE("gv",this.eb.timerName)||this.eb.tick("gv");ZE("gv","video_to_ad");break;case "progress":case "timeupdate":!WE("l2s",this.eb.timerName)&&2<=eA(a.target.Gf())&&this.eb.tick("l2s");break;case "playing":g.OD&&this.kc.start();if(g.wD(this.W))a=!1;else{var b=g.PT(this.C);a="none"===this.da.Aq("display")||0===ke(this.da.Co());var c=bZ(this.template), -d=this.D.getVideoData(),e=KD(this.W)||g.qD(this.W);d=AI(d);b=!c||b||e||d||this.W.ke;a=a&&!b}a&&(this.D.Na("hidden","1",!0),this.getVideoData().pj||(this.ba("html5_new_elem_on_hidden")?(this.getVideoData().pj=1,this.XF(null),this.D.playVideo()):bBa(this,"hidden",!0)))}}; -g.k.eP=function(a,b){this.u.xa("onLoadProgress",b)}; -g.k.GQ=function(){this.u.V("playbackstalledatstart")}; -g.k.xr=function(a,b){var c=D0(this,a);b=R0(this,c.getCurrentTime(),c);this.u.xa("onVideoProgress",b)}; -g.k.PO=function(){this.u.xa("onDompaused")}; -g.k.WP=function(){this.u.V("progresssync")}; -g.k.mO=function(a){if(1===this.getPresentingPlayerType()){g.GK(a,1)&&!g.U(a.state,64)&&E0(this).isLivePlayback&&this.B.isAtLiveHead()&&1=+c),b.dis=this.mediaElement.getStyle("display"));(a=a?(0,g.PY)():null)&&(b.gpu=a);b.debug_playbackQuality=this.Ta.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; +g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.V().experiments.experimentIds.join(", ")},b=this.Cb().getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; +g.k.getPresentingPlayerType=function(a){if(1===this.appState)return 1;if(HZ(this))return 3;var b;return a&&(null==(b=this.Ke)?0:zRa(b,this.getCurrentTime()))?2:g.qS(this).getPlayerType()}; +g.k.Cb=function(a){return 3===this.getPresentingPlayerType()?JS(this.hd).Te:g.qS(this,a).getPlayerState()}; +g.k.getAppState=function(){return this.appState}; +g.k.iO=function(a){switch(a.type){case "loadedmetadata":this.UH.start();a=g.t(this.Mz);for(var b=a.next();!b.done;b=a.next())b=b.value,V0a(this,b.id,b.R9,b.Q9,void 0,!1);this.Mz=[];break;case "loadstart":this.vb.Mt("gv");break;case "progress":case "timeupdate":2<=nI(a.target.Nh())&&this.vb.Mt("l2s");break;case "playing":g.HK&&this.UH.start();if(g.tK(this.Y))a=!1;else{b=g.LS(this.wb());a="none"===this.mediaElement.getStyle("display")||0===Je(this.mediaElement.getSize());var c=YW(this.template),d=this.Kb.getVideoData(), +e=g.nK(this.Y)||g.oK(this.Y);d=uM(d);b=!c||b||e||d||this.Y.Ld;a=a&&!b}a&&(this.Kb.xa("hidden",{},!0),this.getVideoData().Dc||(this.getVideoData().Dc=1,this.oW(),this.Kb.playVideo()))}}; +g.k.onLoadProgress=function(a,b){this.Ta.Na("onLoadProgress",b)}; +g.k.y7=function(){this.Ta.ma("playbackstalledatstart")}; +g.k.onVideoProgress=function(a,b){a=GZ(this,a);b=QZ(this,a.getCurrentTime(),a);this.Ta.Na("onVideoProgress",b)}; +g.k.onAutoplayBlocked=function(){this.Ta.Na("onAutoplayBlocked")}; +g.k.P6=function(){this.Ta.ma("progresssync")}; +g.k.y5=function(a){if(1===this.getPresentingPlayerType()){g.YN(a,1)&&!g.S(a.state,64)&&this.Hd().isLivePlayback&&this.zb.isAtLiveHead()&&1=1E3*(this.getDuration()-1)){J0a(this);return}A0a(this)}if(g.S(a.state,128)){var b=a.state;this.cancelPlayback(5);b=b.getData();JSON.stringify({errorData:b,debugInfo:this.getDebugText(!0)});this.Ta.Na("onError",TJa(b.errorCode));this.Ta.Na("onDetailedError",{errorCode:b.errorCode, +errorDetail:b.errorDetail,message:b.errorMessage,messageKey:b.uL,cpn:b.cpn});6048E5<(0,g.M)()-this.Y.Jf&&this.Ta.Na("onReloadRequired")}b={};if(a.state.bd()&&!g.TO(a.state)&&!aF("pbresume","ad_to_video")&&aF("_start","ad_to_video")){var c=this.getVideoData();b.clientPlaybackNonce=c.clientPlaybackNonce;c.videoId&&(b.videoId=c.videoId);bF(b,"ad_to_video");eF("pbresume",void 0,"ad_to_video");eMa(this.hd)}this.Ta.ma("applicationplayerstatechange",a)}}; +g.k.JW=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("presentingplayerstatechange",a)}; +g.k.Hi=function(a){EZ(this,UO(a.state));g.S(a.state,1024)&&this.Ta.isMutedByMutedAutoplay()&&(tS(this,{muted:!1,volume:this.ji.volume},!1),OZ(this,!1))}; +g.k.u5=function(a,b,c){"newdata"===a&&t0a(this);b=c.clipConfig;"dataloaded"===a&&b&&null!=b.startTimeMs&&null!=b.endTimeMs&&this.setLoopRange({startTimeMs:Math.floor(Number(b.startTimeMs)),endTimeMs:Math.floor(Number(b.endTimeMs)),postId:b.postId,type:"clips"})}; +g.k.VC=function(){this.Ta.Na("onPlaybackAudioChange",this.Ta.getAudioTrack().Jc.name)}; +g.k.iD=function(a){var b=this.Kb.getVideoData();a===b&&this.Ta.Na("onPlaybackQualityChange",a.u.video.quality)}; +g.k.onVideoDataChange=function(a,b,c){b===this.zb&&(this.Y.Zi=c.oauthToken);if(b===this.zb&&(this.getVideoData().enableServerStitchedDai&&!this.Ke?this.Ke=new g.zW(this.Ta,this.Y,this.zb):!this.getVideoData().enableServerStitchedDai&&this.Ke&&(this.Ke.dispose(),this.Ke=null),YM(this.getVideoData())&&"newdata"===a)){this.Sv.Ef();var d=oRa(this.Sv,1,0,this.getDuration(1),void 0,{video_id:this.getVideoData().videoId});var e=this.Sv;d.B===e&&(0===e.segments.length&&(e.j=d),e.segments.push(d));this.Og= +new LW(this.Ta,this.Sv,this.zb)}if("newdata"===a)LT(this.hd,2),this.Ta.ma("videoplayerreset",b);else{if(!this.mediaElement)return;"dataloaded"===a&&(this.Kb===this.zb?(rK(c.B,c.RY),this.zb.getPlayerState().isError()||(d=HZ(this),this.Hd().isLoaded(),d&&this.mp(6),E0a(this),cMa(this.hd)||D0a(this))):E0a(this));if(1===b.getPlayerType()&&(this.Y.Ya&&c1a(this),this.getVideoData().isLivePlayback&&!this.Y.Eo&&this.Eg("html5.unsupportedlive",2,"DEVICE_FALLBACK"),c.isLoaded())){if(Lza(c)||this.getVideoData().uA){d= +this.Lx;var f=this.getVideoData();e=this.zb;kS(d,"part2viewed",1,0x8000000000000,e);kS(d,"engagedview",Math.max(1,1E3*f.Pb),0x8000000000000,e);f.isLivePlayback||(f=1E3*f.lengthSeconds,kS(d,"videoplaytime25",.25*f,f,e),kS(d,"videoplaytime50",.5*f,f,e),kS(d,"videoplaytime75",.75*f,f,e),kS(d,"videoplaytime100",f,0x8000000000000,e),kS(d,"conversionview",f,0x8000000000000,e),kS(d,"videoplaybackstart",1,f,e),kS(d,"videoplayback2s",2E3,f,e),kS(d,"videoplayback10s",1E4,f,e))}if(c.hasProgressBarBoundaries()){var h; +d=Number(null==(h=this.getVideoData().progressBarEndPosition)?void 0:h.utcTimeMillis)/1E3;!isNaN(d)&&(h=this.Pf())&&(h-=this.getCurrentTime(),h=1E3*(d-h),d=this.CH.progressEndBoundary,(null==d?void 0:d.start)!==h&&(d&&this.MH([d]),h=new g.XD(h,0x7ffffffffffff,{id:"progressEndBoundary",namespace:"appprogressboundary"}),this.zb.addCueRange(h),this.CH.progressEndBoundary=h))}}this.Ta.ma("videodatachange",a,c,b.getPlayerType())}this.Ta.Na("onVideoDataChange",{type:a,playertype:b.getPlayerType()});this.ZH(); +(a=c.Nz)?this.Ls.fL(a,c.clientPlaybackNonce):uSa(this.Ls)}; +g.k.iF=function(){JZ(this,null);this.Ta.Na("onPlaylistUpdate")}; +g.k.TV=function(a){var b=a.getId(),c=this.Hd(),d=!this.isInline();if(!c.inlineMetricEnabled&&!this.Y.experiments.ob("enable_player_logging_lr_home_infeed_ads")||d){if("part2viewed"===b){if(c.pQ&&g.ZB(c.pQ),c.cN&&WZ(this,c.cN),c.zx)for(var e={CPN:this.getVideoData().clientPlaybackNonce},f=g.t(c.zx),h=f.next();!h.done;h=f.next())WZ(this,g.xp(h.value,e))}else"conversionview"===b?this.zb.kA():"engagedview"===b&&c.Ui&&(e={CPN:this.getVideoData().clientPlaybackNonce},g.ZB(g.xp(c.Ui,e)));c.qQ&&(e=a.getId(), +e=ty(c.qQ,{label:e}),g.ZB(e));switch(b){case "videoplaytime25":c.bZ&&WZ(this,c.bZ);c.yN&&XZ(this,c.yN);c.sQ&&g.ZB(c.sQ);break;case "videoplaytime50":c.cZ&&WZ(this,c.cZ);c.vO&&XZ(this,c.vO);c.xQ&&g.ZB(c.xQ);break;case "videoplaytime75":c.oQ&&WZ(this,c.oQ);c.FO&&XZ(this,c.FO);c.yQ&&g.ZB(c.yQ);break;case "videoplaytime100":c.aZ&&WZ(this,c.aZ),c.jN&&XZ(this,c.jN),c.rQ&&g.ZB(c.rQ)}(e=this.getVideoData().uA)&&Q0a(this,e,a.getId())&&Q0a(this,e,a.getId()+"gaia")}if(c.inlineMetricEnabled&&!d)switch(b){case "videoplaybackstart":var l, +m=null==(l=c.Ax)?void 0:l.j;m&&WZ(this,m);break;case "videoplayback2s":(l=null==(m=c.Ax)?void 0:m.B)&&WZ(this,l);break;case "videoplayback10s":var n;(l=null==(n=c.Ax)?void 0:n.u)&&WZ(this,l)}this.zb.removeCueRange(a)}; +g.k.O6=function(a){delete this.CH[a.getId()];this.zb.removeCueRange(a);a:{a=this.getVideoData();var b,c,d,e,f,h,l,m,n,p,q=(null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:null==(d=c.singleColumnWatchNextResults)?void 0:null==(e=d.autoplay)?void 0:null==(f=e.autoplay)?void 0:f.sets)||(null==(h=a.jd)?void 0:null==(l=h.contents)?void 0:null==(m=l.twoColumnWatchNextResults)?void 0:null==(n=m.autoplay)?void 0:null==(p=n.autoplay)?void 0:p.sets);if(q)for(b=g.t(q),c=b.next();!c.done;c=b.next())if(c=c.value, +e=d=void 0,c=c.autoplayVideo||(null==(d=c.autoplayVideoRenderer)?void 0:null==(e=d.autoplayEndpointRenderer)?void 0:e.endpoint),d=g.K(c,g.oM),f=e=void 0,null!=c&&(null==(e=d)?void 0:e.videoId)===a.videoId&&(null==(f=d)?0:f.continuePlayback)){a=c;break a}a=null}(b=g.K(a,g.oM))&&this.Ta.Na("onPlayVideo",{sessionData:{autonav:"1",itct:null==a?void 0:a.clickTrackingParams},videoId:b.videoId,watchEndpoint:b})}; +g.k.mp=function(a){a!==this.appState&&(2===a&&1===this.getPresentingPlayerType()&&(EZ(this,-1),EZ(this,5)),this.appState=a,this.Ta.ma("appstatechange",a))}; +g.k.Eg=function(a,b,c,d,e){this.zb.Ng(a,b,c,d,e)}; +g.k.Uq=function(a,b){this.zb.handleError(new PK(a,b))}; +g.k.isAtLiveHead=function(a,b){b=void 0===b?!1:b;var c=g.qS(this,a);if(!c)return!1;a=FZ(this,c);c=GZ(this,c);return a!==c?a.isAtLiveHead(QZ(this,c.getCurrentTime(),c),!0):a.isAtLiveHead(void 0,b)}; +g.k.us=function(){var a=g.qS(this);return a?FZ(this,a).us():0}; +g.k.seekTo=function(a,b,c,d){b=!1!==b;if(d=g.qS(this,d))2===this.appState&&MZ(this),this.mf(d)?PZ(this)?this.Ke.seekTo(a,b,c):this.kd.seekTo(a,b,c):d.seekTo(a,{vY:!b,wY:c,Je:"application"})}; g.k.seekBy=function(a,b,c,d){this.seekTo(this.getCurrentTime()+a,b,c,d)}; -g.k.LL=function(){this.u.xa("SEEK_COMPLETE")}; -g.k.wQ=function(a,b){var c=a.getVideoData();if(1===this.Y||2===this.Y)c.startSeconds=b;2===this.Y?L0(this):(this.u.xa("SEEK_TO",b),!this.ba("hoffle_api")&&this.F&&uT(this.F,c.videoId))}; -g.k.cO=function(){this.u.V("airplayactivechange")}; -g.k.dO=function(){this.u.V("airplayavailabilitychange")}; -g.k.tO=function(){this.u.V("beginseeking")}; -g.k.SO=function(){this.u.V("endseeking")}; -g.k.getStoryboardFormat=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().getStoryboardFormat():null}; -g.k.tg=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().tg():null}; -g.k.cd=function(a){if(a=a||this.D){a=a.getVideoData();if(this.I)a=a===this.I.u.getVideoData();else a:{var b=this.te;if(a===b.B.getVideoData()&&b.u.length)a=!0;else{b=g.q(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Hc===c.value.Hc){a=!0;break a}a=!1}}if(a)return!0}return!1}; -g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.cd();a=new g.rI(this.W,a);d&&(a.Hc=d);!g.Q(this.W.experiments,"html5_report_dai_ad_playback_killswitch")&&2===b&&this.B&&this.B.Yo(a.clientPlaybackNonce,a.Xo||"",a.breakType||0);SAa(this,a,b,c)}; -g.k.clearQueue=function(){this.ea();this.Ga.clearQueue()}; -g.k.loadVideoByPlayerVars=function(a,b,c,d,e){var f=!1,h=new g.rI(this.W,a);if(!this.ba("web_player_load_video_context_killswitch")&&e){for(;h.bk.length&&h.bk[0].isExpired();)h.bk.shift();for(var l=g.q(h.bk),m=l.next();!m.done;m=l.next())e.B(m.value)&&(f=!0);h.bk.push(e)}c||(a&&gU(a)?(FD(this.W)&&!this.R&&(a.fetch=0),H0(this,a)):this.playlist&&H0(this,null),a&&this.setIsExternalPlaylist(a.external_list),FD(this.W)&&!this.R&&I0(this));a=KY(this,h,b,d);f&&(f=("loadvideo.1;emsg."+h.bk.join()).replace(/[;:,]/g, -"_"),this.B.Rd("player.fatalexception","GENERIC_WITH_LINK_AND_CPN",f,void 0));return a}; -g.k.preloadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;c=void 0===c?NaN:c;e=void 0===e?"":e;d=bD(a);d=V0(b,d,e);this.kb.get(d)?this.ea():this.D&&this.D.di.started&&d===V0(this.D.getPlayerType(),this.D.getVideoData().videoId,this.D.getVideoData().Hc)?this.ea():(a=new g.rI(this.W,a),e&&(a.Hc=e),UAa(this,a,b,c))}; -g.k.setMinimized=function(a){this.visibility.setMinimized(a);a=this.C;a=a.J.T().showMiniplayerUiWhenMinimized?a.Vc.get("miniplayer"):void 0;a&&(this.visibility.u?a.load():a.unload());this.u.V("minimized")}; +g.k.xz=function(){this.Ta.Na("SEEK_COMPLETE")}; +g.k.n7=function(a,b){var c=a.getVideoData();if(1===this.appState||2===this.appState)c.startSeconds=b;2===this.appState?g.S(a.getPlayerState(),512)||MZ(this):this.Ta.Na("SEEK_TO",b)}; +g.k.onAirPlayActiveChange=function(){this.Ta.ma("airplayactivechange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayActiveChange",this.Ta.wh())}; +g.k.onAirPlayAvailabilityChange=function(){this.Ta.ma("airplayavailabilitychange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayAvailabilityChange",this.Ta.vC())}; +g.k.showAirplayPicker=function(){var a;null==(a=this.Kb)||a.Dt()}; +g.k.EN=function(){this.Ta.ma("beginseeking")}; +g.k.JN=function(){this.Ta.ma("endseeking")}; +g.k.getStoryboardFormat=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().getStoryboardFormat():null}; +g.k.Hj=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().Hj():null}; +g.k.mf=function(a){a=a||this.Kb;var b=!1;if(a){a=a.getVideoData();if(PZ(this))a=a===this.Ke.va.getVideoData();else a:if(b=this.kd,a===b.j.getVideoData()&&b.u.length)a=!0;else{b=g.t(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Nc===c.value.Nc){a=!0;break a}a=!1}b=a}return b}; +g.k.Kx=function(a,b,c,d,e,f,h){var l=PZ(this),m;null==(m=g.qS(this))||m.xa("appattl",{sstm:this.Ke?1:0,ssenable:this.getVideoData().enableServerStitchedDai,susstm:l});return l?wRa(this.Ke,a,b,c,d,e,f,h):WRa(this.kd,a,c,d,e,f)}; +g.k.rC=function(a,b,c,d,e,f,h){PZ(this)&&wRa(this.Ke,a,b,c,d,e,f,h);return""}; +g.k.kt=function(a){var b;null==(b=this.Ke)||b.kt(a)}; +g.k.Fu=function(a,b){a=void 0===a?-1:a;b=void 0===b?Infinity:b;PZ(this)||eSa(this.kd,a,b)}; +g.k.jA=function(a,b,c){if(PZ(this)){var d=this.Ke,e=d.Oc.get(a);e?(void 0===c&&(c=e.Dd),e.durationMs=b,e.Dd=c):d.KC("Invalid_timelinePlaybackId_"+a+"_specified")}else{d=this.kd;e=null;for(var f=g.t(d.u),h=f.next();!h.done;h=f.next())if(h=h.value,h.Nc===a){e=h;break}e?(void 0===c&&(c=e.Dd),dSa(d,e,b,c)):MW(d,"InvalidTimelinePlaybackId timelinePlaybackId="+a)}}; +g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.mf();a=new g.$L(this.Y,a);d&&(a.Nc=d);R0a(this,a,b,c)}; +g.k.queueNextVideo=function(a,b,c,d,e){c=void 0===c?NaN:c;a.prefer_gapless=!0;if((a=this.preloadVideoByPlayerVars(a,void 0===b?1:b,c,void 0===d?"":d,void 0===e?"":e))&&g.QM(a)&&!a.Xl){var f;null==(f=g.qS(this))||f.xa("sgap",{pcpn:a.clientPlaybackNonce});f=this.SY;f.j!==a&&(f.j=a,f.u=1,a.isLoaded()?f.B():f.j.subscribe("dataloaded",f.B,f))}}; +g.k.yF=function(a,b,c,d){var e=this;c=void 0===c?0:c;d=void 0===d?0:d;var f=g.qS(this);f&&(FZ(this,f).FY=!0);dRa(this.ir,a,b,c,d).then(function(){e.Ta.Na("onQueuedVideoLoaded")},function(){})}; +g.k.vv=function(){return this.ir.vv()}; +g.k.clearQueue=function(){this.ir.clearQueue()}; +g.k.loadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;var f=!1,h=new g.$L(this.Y,a);g.GK(this.Y)&&!h.Xl&&yT(this.vb);var l,m=null!=(l=h.Qa)?l:"";this.vb.timerName=m;this.vb.di("pl_i");this.K("web_player_early_cpn")&&h.clientPlaybackNonce&&this.vb.info("cpn",h.clientPlaybackNonce);if(this.K("html5_enable_short_gapless")){l=gRa(this.ir,h,b);if(null==l){EZ(this,-1);h=this.ir;h.app.setLoopRange(null);h.app.getVideoData().ZI=!0;var n;null==(n=h.j)||vZa(n.zc);h.app.seekTo(fRa(h));if(!h.app.Cb(b).bd()){var p; +null==(p=g.qS(h.app))||p.playVideo(!0)}h.I();return!0}this.ir.clearQueue();var q;null==(q=g.qS(this))||q.xa("sgap",{f:l})}if(e){for(;h.Sl.length&&h.Sl[0].isExpired();)h.Sl.shift();n=h.Sl.length-1;f=0Math.random()&&g.Nq("autoplayTriggered",{intentional:this.Ig});this.ng=!1;this.u.xa("onPlaybackStartExternal");g.Q(this.W.experiments,"mweb_client_log_screen_associated")||a();SE("player_att",["att_f","att_e"]);if(this.ba("web_player_inline_botguard")){var c=this.getVideoData().botguardData;c&&(this.ba("web_player_botguard_inline_skip_config_killswitch")&& -(so("BG_I",c.interpreterScript),so("BG_IU",c.interpreterUrl),so("BG_P",c.program)),g.HD(this.W)?rp(function(){M0(b)}):M0(this))}}; -g.k.IL=function(){this.u.V("internalAbandon");this.ba("html5_ad_module_cleanup_killswitch")||S0(this)}; -g.k.KF=function(a){a=a.u;!isNaN(a)&&0Math.random()&&g.rA("autoplayTriggered",{intentional:this.QU});this.pV=!1;eMa(this.hd);this.K("web_player_defer_ad")&&D0a(this);this.Ta.Na("onPlaybackStartExternal");(this.Y.K("mweb_client_log_screen_associated"),this.Y.K("kids_web_client_log_screen_associated")&&uK(this.Y))||a();var c={};this.getVideoData().T&&(c.cttAuthInfo={token:this.getVideoData().T, +videoId:this.getVideoData().videoId});cF("player_att",c);if(this.getVideoData().botguardData||this.K("fetch_att_independently"))g.DK(this.Y)||"MWEB"===g.rJ(this.Y)?g.gA(g.iA(),function(){NZ(b)}):NZ(this); +this.ZH()}; +g.k.PN=function(){this.Ta.ma("internalAbandon");RZ(this)}; +g.k.onApiChange=function(){this.Y.I&&this.Kb?this.Ta.Na("onApiChange",this.Kb.getPlayerType()):this.Ta.Na("onApiChange")}; +g.k.q6=function(){var a=this.mediaElement;a={volume:g.ze(Math.floor(100*a.getVolume()),0,100),muted:a.VF()};a.muted||OZ(this,!1);this.ji=g.md(a);this.Ta.Na("onVolumeChange",a)}; +g.k.mutedAutoplay=function(){var a=this.getVideoData().videoId;isNaN(this.xN)&&(this.xN=this.getVideoData().startSeconds);a&&(this.loadVideoByPlayerVars({video_id:a,playmuted:!0,start:this.xN}),this.Ta.Na("onMutedAutoplayStarts"))}; +g.k.onFullscreenChange=function(){var a=Z0a(this);this.cm(a?1:0);a1a(this,!!a)}; +g.k.cm=function(a){var b=!!a,c=!!this.Ay()!==b;this.visibility.cm(a);this.template.cm(b);this.K("html5_media_fullscreen")&&!b&&this.mediaElement&&Z0a(this)===this.mediaElement.ub()&&this.mediaElement.AB();this.template.resize();c&&this.vb.tick("fsc");c&&(this.Ta.ma("fullscreentoggled",b),a=this.Hd(),b={fullscreen:b,videoId:a.eJ||a.videoId,time:this.getCurrentTime()},this.Ta.getPlaylistId()&&(b.listId=this.Ta.getPlaylistId()),this.Ta.Na("onFullscreenChange",b))}; g.k.isFullscreen=function(){return this.visibility.isFullscreen()}; -g.k.lQ=function(){this.D&&(0!==this.visibility.fullscreen&&1!==this.visibility.fullscreen||B0(this,Z0(this)?1:0),this.W.yn&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.da&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.da.iq())}; -g.k.dP=function(a){3!==this.getPresentingPlayerType()&&this.u.V("liveviewshift",a)}; -g.k.playVideo=function(a){this.ea();if(a=g.Z(this,a))2===this.Y?L0(this):(null!=this.X&&this.X.fb&&this.X.start(),g.U(a.getPlayerState(),2)?this.seekTo(0):a.playVideo())}; -g.k.pauseVideo=function(a){(a=g.Z(this,a))&&a.pauseVideo()}; -g.k.stopVideo=function(){this.ea();var a=this.B.getVideoData(),b=new g.rI(this.W,{video_id:a.gB||a.videoId,oauth_token:a.oauthToken});b.li=g.Vb(a.li);this.cancelPlayback(6);X0(this,b,1);null!=this.X&&this.X.stop()}; -g.k.cancelPlayback=function(a,b){this.ea();Hq(this.za);this.za=0;var c=g.Z(this,b);if(c)if(1===this.Y||2===this.Y)this.ea();else{c===this.D&&(this.ea(),rU(this.C,a));var d=c.getVideoData();if(this.F&&qJ(d)&&d.videoId)if(this.ba("hoffle_api")){var e=this.F;d=d.videoId;if(2===Zx(d)){var f=qT(e,d);f&&f!==e.player&&qJ(f.getVideoData())&&(f.Bi(),RI(f.getVideoData(),!1),by(d,3),rT(e))}}else uT(this.F,d.videoId);1===b&&(g.Q(this.W.experiments,"html5_stop_video_in_cancel_playback")&&c.stopVideo(),S0(this)); -c.fi();VT(this,"cuerangesremoved",c.Lk());c.Vf.reset();this.Ga&&c.isGapless()&&(c.Pf(!0),c.setMediaElement(this.da))}else this.ea()}; -g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.Z(this,b))&&this.W.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; -g.k.Yf=function(a){var b=g.Z(this,void 0);return b&&this.W.enabledEngageTypes.has(a.toString())?b.Yf(a):null}; -g.k.updatePlaylist=function(){FD(this.W)?I0(this):g.Q(this.W.experiments,"embeds_wexit_list_ajax_migration")&&g.nD(this.W)&&J0(this);this.u.xa("onPlaylistUpdate")}; -g.k.setSizeStyle=function(a,b){this.wi=a;this.ce=b;this.u.V("sizestylechange",a,b);this.template.resize()}; -g.k.isWidescreen=function(){return this.ce}; +g.k.Ay=function(){return this.visibility.Ay()}; +g.k.b7=function(){this.Kb&&(0!==this.Ay()&&1!==this.Ay()||this.cm(Z0a(this)?1:0),this.Y.lm&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.mediaElement&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.mediaElement.AB())}; +g.k.i6=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("liveviewshift",a)}; +g.k.playVideo=function(a){if(a=g.qS(this,a))2===this.appState?(g.GK(this.Y)&&yT(this.vb),MZ(this)):g.S(a.getPlayerState(),2)?this.seekTo(0):a.playVideo()}; +g.k.pauseVideo=function(a){(a=g.qS(this,a))&&a.pauseVideo()}; +g.k.stopVideo=function(){var a=this.zb.getVideoData(),b=new g.$L(this.Y,{video_id:a.eJ||a.videoId,oauth_token:a.oauthToken});b.Z=g.md(a.Z);this.cancelPlayback(6);UZ(this,b,1)}; +g.k.cancelPlayback=function(a,b){var c=g.qS(this,b);c&&(2===b&&1===c.getPlayerType()&&Zza(this.Hd())?c.xa("canclpb",{r:"no_adpb_ssdai"}):(this.Y.Rd()&&c.xa("canclpb",{r:a}),1!==this.appState&&2!==this.appState&&(c===this.Kb&<(this.hd,a),1===b&&(c.stopVideo(),RZ(this)),c.Dn(void 0,6!==a),DZ(this,"cuerangesremoved",c.Hm()),c.Xi.reset(),this.ir&&c.isGapless()&&(c.rj(!0),c.setMediaElement(this.mediaElement)))))}; +g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.qS(this,b))&&this.Y.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; +g.k.Gj=function(a){var b=g.qS(this);return b&&this.Y.enabledEngageTypes.has(a.toString())?b.Gj(a):null}; +g.k.updatePlaylist=function(){BK(this.Y)?KZ(this):g.fK(this.Y)&&F0a(this);this.Ta.Na("onPlaylistUpdate")}; +g.k.setSizeStyle=function(a,b){this.QX=a;this.RM=b;this.Ta.ma("sizestylechange",a,b);this.template.resize()}; +g.k.wv=function(){return this.RM}; +g.k.zg=function(){return this.visibility.zg()}; g.k.isInline=function(){return this.visibility.isInline()}; -g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return g.MT(this.C).getAdState();if(!this.cd()){var a=sU(this.C);if(a)return a.getAdState()}return-1}; -g.k.kQ=function(a){var b=this.template.getVideoContentRect();kg(this.Jg,b)||(this.Jg=b,this.D&&g0(this.D),this.B&&this.B!==this.D&&g0(this.B),1===this.visibility.fullscreen&&this.Ya&&aBa(this,!0));this.ke&&g.je(this.ke,a)||(this.u.V("appresize",a),this.ke=a)}; -g.k.He=function(){return this.u.He()}; -g.k.AQ=function(){2===this.getPresentingPlayerType()&&this.te.isManifestless()&&!this.ba("web_player_manifestless_ad_signature_expiration_killswitch")?uwa(this.te):bBa(this,"signature",void 0,!0)}; -g.k.XF=function(){this.Pf();x0(this)}; -g.k.jQ=function(a){mY(a,this.da.tm())}; -g.k.JL=function(a){this.F&&this.F.u(a)}; -g.k.FO=function(){this.u.xa("CONNECTION_ISSUE")}; -g.k.tr=function(a){this.u.V("heartbeatparams",a)}; -g.k.Zc=function(){return this.da}; -g.k.setBlackout=function(a){this.W.ke=a;this.D&&(this.D.sn(),this.W.X&&eBa(this))}; -g.k.setAccountLinkState=function(a){var b=g.Z(this);b&&(b.getVideoData().In=a,b.sn())}; -g.k.updateAccountLinkingConfig=function(a){var b=g.Z(this);if(b){var c=b.getVideoData();c.accountLinkingConfig&&(c.accountLinkingConfig.linked=a);this.u.V("videodatachange","dataupdated",c,b.getPlayerType())}}; -g.k.EP=function(){var a=g.Z(this);if(a){var b=!UT(this.u);(a.Ay=b)||a.Mm.stop();if(a.videoData.ra)if(b)a.videoData.ra.resume();else{var c=a.videoData.ra;c.D&&c.D.stop()}g.Q(a.W.experiments,"html5_suspend_loader")&&a.Ba&&(b?a.Ba.resume():m0(a,!0));g.Q(a.W.experiments,"html5_fludd_suspend")&&(g.U(a.playerState,2)||b?g.U(a.playerState,512)&&b&&a.vb(DM(a.playerState,512)):a.vb(CM(a.playerState,512)));a=a.Jb;a.qoe&&(a=a.qoe,g.MZ(a,g.rY(a.provider),"stream",[b?"A":"I"]))}}; -g.k.gP=function(){this.u.xa("onLoadedMetadata")}; -g.k.RO=function(){this.u.xa("onDrmOutputRestricted")}; -g.k.ex=function(){void 0!==navigator.mediaCapabilities&&(QB=!0);g.Q(this.W.experiments,"html5_disable_subtract_cuepoint_offset")&&(Uy=!0);g.Q(this.W.experiments,"html5_log_opus_oboe_killswitch")&&(Hv=!1);g.Q(this.W.experiments,"html5_skip_empty_load")&&(UCa=!0);XCa=g.Q(this.W.experiments,"html5_ios_force_seek_to_zero_on_stop");VCa=g.Q(this.W.experiments,"html5_ios7_force_play_on_stall");WCa=g.Q(this.W.experiments,"html5_ios4_seek_above_zero");g.Q(this.W.experiments,"html5_mediastream_applies_timestamp_offset")&& -(Qy=!0);g.Q(this.W.experiments,"html5_dont_override_default_sample_desc_index")&&(pv=!0)}; -g.k.ca=function(){this.C.dispose();this.te.dispose();this.I&&this.I.dispose();this.B.dispose();this.Pf();g.gg(g.Lb(this.Oe),this.playlist);Hq(this.za);this.za=0;g.C.prototype.ca.call(this)}; -g.k.ea=function(){}; -g.k.ba=function(a){return g.Q(this.W.experiments,a)}; +g.k.Ty=function(){return this.visibility.Ty()}; +g.k.Ry=function(){return this.visibility.Ry()}; +g.k.PM=function(){return this.QX}; +g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return JS(this.hd).getAdState();if(!this.mf()){var a=MT(this.wb());if(a)return a.getAdState()}return-1}; +g.k.a7=function(a){var b=this.template.getVideoContentRect();Fm(this.iV,b)||(this.iV=b,this.Kb&&wZ(this.Kb),this.zb&&this.zb!==this.Kb&&wZ(this.zb),1===this.Ay()&&this.kD&&a1a(this,!0));this.YM&&g.Ie(this.YM,a)||(this.Ta.ma("appresize",a),this.YM=a)}; +g.k.yh=function(){return this.Ta.yh()}; +g.k.t7=function(){2===this.getPresentingPlayerType()&&this.kd.isManifestless()?cSa(this.kd):(this.Ke&&(DRa(this.Ke),RZ(this)),z0a(this,"signature"))}; +g.k.oW=function(){this.rj();CZ(this)}; +g.k.w6=function(a){"manifest.net.badstatus"===a.errorCode&&a.details.rc===(this.Y.experiments.ob("html5_use_network_error_code_enums")?401:"401")&&this.Ta.Na("onPlayerRequestAuthFailed")}; +g.k.YC=function(){this.Ta.Na("CONNECTION_ISSUE")}; +g.k.aD=function(a){this.Ta.ma("heartbeatparams",a)}; +g.k.RH=function(a){this.Ta.Na("onAutonavChangeRequest",1!==a)}; +g.k.qe=function(){return this.mediaElement}; +g.k.setBlackout=function(a){this.Y.Ld=a;this.Kb&&(this.Kb.jr(),this.Y.Ya&&c1a(this))}; +g.k.y6=function(){var a=g.qS(this);if(a){var b=!this.Ta.AC();(a.uU=b)||a.Bv.stop();if(a.videoData.j)if(b)a.videoData.j.resume();else{var c=a.videoData.j;c.C&&c.C.stop()}a.Fa&&(b?a.Fa.resume():zZ(a,!0));g.S(a.playerState,2)||b?g.S(a.playerState,512)&&b&&a.pc(NO(a.playerState,512)):a.pc(MO(a.playerState,512));a=a.zc;a.qoe&&(a=a.qoe,g.MY(a,g.uW(a.provider),"stream",[b?"A":"I"]))}}; +g.k.onLoadedMetadata=function(){this.Ta.Na("onLoadedMetadata")}; +g.k.onDrmOutputRestricted=function(){this.Ta.Na("onDrmOutputRestricted")}; +g.k.wK=function(){Lcb=this.K("html5_use_async_stopVideo");Mcb=this.K("html5_pause_for_async_stopVideo");Kcb=this.K("html5_not_reset_media_source");CCa=this.K("html5_rebase_video_to_ad_timeline");xI=this.K("html5_not_reset_media_source");fcb=this.K("html5_not_reset_media_source");rI=this.K("html5_retain_source_buffer_appends_for_debugging");ecb=this.K("html5_source_buffer_wrapper_reorder");this.K("html5_mediastream_applies_timestamp_offset")&&(CX=!0);var a=g.gJ(this.Y.experiments,"html5_cobalt_override_quic"); +a&&kW("QUIC",+(0r.start&&dE;E++)if(x=(x<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(w.charAt(E)),4==E%5){for(var G="",K=0;6>K;K++)G="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(x& -31)+G,x>>=5;B+=G}w=B.substr(0,4)+" "+B.substr(4,4)+" "+B.substr(8,4)}else w="";l={video_id_and_cpn:c.videoId+" / "+w,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",drm_style:p?"":"display:none",drm:p,debug_info:d,bandwidth_style:t,network_activity_style:t,network_activity_bytes:m.toFixed(0)+" KB",shader_info:r,shader_info_style:r?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1a)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":f="Optimized for Normal Latency";break;case "LOW":f="Optimized for Low Latency";break;case "ULTRALOW":f="Optimized for Ultra Low Latency";break;default:f="Unknown Latency Setting"}else f=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=f;(a=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= -", seq "+a.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=RY(h,"bandwidth");l.network_activity_samples=RY(h,"networkactivity");l.live_latency_samples=RY(h,"livelatency");l.buffer_health_samples=RY(h,"bufferhealth");FI(c,"web_player_release_debug")?(l.release_name="youtube.player.web_20201213_0_RC0",l.release_style=""):l.release_style="display:none";return l}; -g.k.getVideoUrl=function(a,b,c,d,e){return this.K&&this.K.postId?(a=this.W.getVideoUrl(a),a=Sd(a,"v"),a.replace("/watch","/clip/"+this.K.postId)):this.W.getVideoUrl(a,b,c,d,e)}; -var o2={};g.Fa("yt.player.Application.create",u0.create,void 0);g.Fa("yt.player.Application.createAlternate",u0.create,void 0);var p2=Es(),q2={Om:[{xL:/Unable to load player module/,weight:5}]};q2.Om&&(p2.Om=p2.Om.concat(q2.Om));q2.Pn&&(p2.Pn=p2.Pn.concat(q2.Pn));var lDa=g.Ja("ytcsi.tick");lDa&&lDa("pe");g.qU.ad=KS;var iBa=/#(.)(.)(.)/,hBa=/^#(?:[0-9a-f]{3}){1,2}$/i;var kBa=g.ye&&jBa();g.Va(g.f1,g.C);var mDa=[];g.k=g.f1.prototype;g.k.wa=function(a,b,c,d){Array.isArray(b)||(b&&(mDa[0]=b.toString()),b=mDa);for(var e=0;ethis.u.length)throw new N("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=this);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,b.init(),P1a(this.B,this.slot,b.Hb()),Q1a(this.B,this.slot,b.Hb())}; +g.k.wt=function(){var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=null);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,pO(this.B,this.slot,b.Hb()),b.release()}; +g.k.Qv=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("pauseLayout for a PlayerBytes layout that is not currently active",a,b):c.Qv()}; +g.k.ew=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("resumeLayout for a PlayerBytes layout that is not currently active",a,b):c.ew()}; +g.k.gD=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("onSkipRequested for a PlayerBytes layout that is not currently active",c.pd(),c.Hb(),{requestingSlot:a,requestingLayout:b}):Q5a(this,c.pd(),c.Hb(),"skipped")}; +g.k.Ft=function(){-1===this.j&&P5a(this,this.j+1)}; +g.k.A7=function(a,b){j0(this.B,a,b)}; +g.k.It=function(a,b){var c=this;this.j!==this.u.length?(a=this.u[this.j],a.Pg(a.Hb(),b),this.D=function(){c.callback.wd(c.slot,c.layout,b)}):this.callback.wd(this.slot,this.layout,b)}; +g.k.Tc=function(a,b){var c=this.u[this.j];c&&c.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);var d=this.u[this.j];d&&d.wd(a,b,c)}; +g.k.yV=function(){var a=this.u[this.j];a&&a.gG()}; +g.k.Mj=function(a){var b=this.u[this.j];b&&b.Mj(a)}; +g.k.wW=function(a){var b=this.u[this.j];b&&b.Jk(a)}; +g.k.fg=function(a,b,c){-1===this.j&&(this.callback.Tc(this.slot,this.layout),this.j++);var d=this.u[this.j];d?d.OC(a,b,c):GD("No active adapter found onLayoutError in PlayerBytesVodCompositeLayoutRenderingAdapter",void 0,void 0,{activeSubLayoutIndex:String(this.j),layoutId:this.Hb().layoutId})}; +g.k.onFullscreenToggled=function(a){var b=this.u[this.j];if(b)b.onFullscreenToggled(a)}; +g.k.Uh=function(a){var b=this.u[this.j];b&&b.Uh(a)}; +g.k.Ik=function(a){var b=this.u[this.j];b&&b.Ik(a)}; +g.k.onVolumeChange=function(){var a=this.u[this.j];if(a)a.onVolumeChange()}; +g.k.C7=function(a,b,c){Q5a(this,a,b,c)}; +g.k.B7=function(a,b){Q5a(this,a,b,"error")};g.w(a2,g.C);g.k=a2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){var a=ZZ(this.layout.Ba,"metadata_type_video_length_seconds"),b=ZZ(this.layout.Ba,"metadata_type_active_view_traffic_type");mN(this.layout.Rb)&&V4a(this.Mb.get(),this.layout.layoutId,b,a,this);Z4a(this.Oa.get(),this);this.Ks()}; +g.k.release=function(){mN(this.layout.Rb)&&W4a(this.Mb.get(),this.layout.layoutId);$4a(this.Oa.get(),this);this.wt()}; +g.k.Qv=function(){}; +g.k.ew=function(){}; +g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.fg(this.slot,a,new b0("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"):(this.Fc="rendering_start_requested",cAa(this.Xf.get(),1)?(this.vD(-1),this.Ft(a),this.Px(!1)):this.OC("ui_unstable",new b0("Failed to render media layout because ad ui unstable.", +void 0,"ADS_CLIENT_ERROR_MESSAGE_AD_UI_UNSTABLE"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"))}; +g.k.Tc=function(a,b){if(b.layoutId===this.layout.layoutId){this.Fc="rendering";this.CC=this.Ha.get().isMuted()||0===this.Ha.get().getVolume();this.md("impression");this.md("start");if(this.Ha.get().isMuted()){this.zw("mute");var c;a=(null==(c=$1(this))?void 0:c.muteCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId)}if(this.Ha.get().isFullscreen()){this.lh("fullscreen");var d;c=(null==(d=$1(this))?void 0:d.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}this.Mc.get().bP();this.vD(1); +this.kW();var e;d=(null==(e=$1(this))?void 0:e.impressionCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.OC=function(a,b,c){this.nu={AI:3,mE:"load_timeout"===a?402:400,errorMessage:b.message};this.md("error");var d;a=(null==(d=$1(this))?void 0:d.errorCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId);this.callback.fg(this.slot,this.layout,b,c)}; +g.k.gG=function(){this.XK()}; +g.k.lU=function(){if("rendering"===this.Fc){this.zw("pause");var a,b=(null==(a=$1(this))?void 0:a.pauseCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId);this.vD(2)}}; +g.k.mU=function(){if("rendering"===this.Fc){this.zw("resume");var a,b=(null==(a=$1(this))?void 0:a.resumeCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Pg=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.fg(this.slot,a,new b0("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_EXIT_LAYOUT_FAILED");else if("rendering_stop_requested"!==this.Fc){this.Fc="rendering_stop_requested";this.layoutExitReason=b;switch(b){case "normal":this.md("complete");break;case "skipped":this.md("skip"); +break;case "abandoned":N1(this.Za,"impression")&&this.md("abandon")}this.It(a,b)}}; +g.k.wd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.Fc="not_rendering",this.layoutExitReason=void 0,(a="normal"!==c||this.position+1===this.nY)&&this.Px(a),this.lW(c),this.vD(0),c){case "abandoned":if(N1(this.Za,"impression")){var d,e=(null==(d=$1(this))?void 0:d.abandonCommands)||[];this.Nb.get().Hg(e,this.layout.layoutId)}break;case "normal":d=(null==(e=$1(this))?void 0:e.completeCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId);break;case "skipped":var f;d=(null==(f=$1(this))? +void 0:f.skipCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.Cy=function(){return this.layout.layoutId}; +g.k.GL=function(){return this.nu}; +g.k.Jk=function(a){if("not_rendering"!==this.Fc){this.zX||(a=new g.WN(a.state,new g.KO),this.zX=!0);var b=2===this.Ha.get().getPresentingPlayerType();"rendering_start_requested"===this.Fc?b&&R5a(a)&&this.ZS():b?g.YN(a,2)?this.Ei():(R5a(a)?this.vD(1):g.YN(a,4)&&!g.YN(a,2)&&this.lU(),0>XN(a,4)&&!(0>XN(a,2))&&this.mU()):this.gG()}}; +g.k.TC=function(){if("rendering"===this.Fc){this.Za.md("active_view_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.SC=function(){if("rendering"===this.Fc){this.Za.md("active_view_fully_viewable_audible_half_duration");var a,b=(null==(a=$1(this))?void 0:a.activeViewFullyViewableAudibleHalfDurationCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.UC=function(){if("rendering"===this.Fc){this.Za.md("active_view_viewable");var a,b=(null==(a=$1(this))?void 0:a.activeViewViewableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.QC=function(){if("rendering"===this.Fc){this.Za.md("audio_audible");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioAudibleCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.RC=function(){if("rendering"===this.Fc){this.Za.md("audio_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Px=function(a){this.Mc.get().Px(ZZ(this.layout.Ba,"metadata_type_ad_placement_config").kind,a,this.position,this.nY,!1)}; +g.k.onFullscreenToggled=function(a){if("rendering"===this.Fc)if(a){this.lh("fullscreen");var b,c=(null==(b=$1(this))?void 0:b.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}else this.lh("end_fullscreen"),b=(null==(c=$1(this))?void 0:c.endFullscreenCommands)||[],this.Nb.get().Hg(b,this.layout.layoutId)}; +g.k.onVolumeChange=function(){if("rendering"===this.Fc)if(this.Ha.get().isMuted()){this.zw("mute");var a,b=(null==(a=$1(this))?void 0:a.muteCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}else this.zw("unmute"),a=(null==(b=$1(this))?void 0:b.unmuteCommands)||[],this.Nb.get().Hg(a,this.layout.layoutId)}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.Ul=function(){}; +g.k.lh=function(a){this.Za.lh(a,!this.CC)}; +g.k.md=function(a){this.Za.md(a,!this.CC)}; +g.k.zw=function(a){this.Za.zw(a,!this.CC)};g.w(W5a,a2);g.k=W5a.prototype;g.k.Ks=function(){}; +g.k.wt=function(){var a=this.Oa.get();a.nI===this&&(a.nI=null);this.timer.stop()}; +g.k.Ft=function(){V5a(this);j5a(this.Ha.get());this.Oa.get().nI=this;aF("pbp")||aF("pbs")||fF("pbp");aF("pbp","watch")||aF("pbs","watch")||fF("pbp",void 0,"watch");this.ZS()}; +g.k.kW=function(){Z5a(this)}; +g.k.Ei=function(){}; +g.k.Qv=function(){this.timer.stop();a2.prototype.lU.call(this)}; +g.k.ew=function(){Z5a(this);a2.prototype.mU.call(this)}; +g.k.By=function(){return ZZ(this.Hb().Ba,"METADATA_TYPE_MEDIA_BREAK_LAYOUT_DURATION_MILLISECONDS")}; +g.k.It=function(){this.timer.stop()}; +g.k.yc=function(){var a=Date.now(),b=a-this.aN;this.aN=a;this.Mi+=b;this.Mi>=this.By()?(this.Mi=this.By(),b2(this,this.Mi/1E3,!0),Y5a(this,this.Mi),this.XK()):(b2(this,this.Mi/1E3),Y5a(this,this.Mi))}; +g.k.lW=function(){}; +g.k.Mj=function(){};g.w(c2,a2);g.k=c2.prototype;g.k.Ks=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=this;this.shrunkenPlayerBytesConfig=ZZ(this.Hb().Ba,"metadata_type_shrunken_player_bytes_config")}; +g.k.wt=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=null;this.Iu&&this.wc.get().removeCueRange(this.Iu);this.Iu=void 0;this.NG.dispose();this.lz&&this.lz.dispose()}; +g.k.Ft=function(a){var b=P0(this.Ca.get()),c=Q0(this.Ca.get());if(b&&c){c=ZZ(a.Ba,"metadata_type_preload_player_vars");var d=g.gJ(this.Ca.get().F.V().experiments,"html5_preload_wait_time_secs");c&&this.lz&&this.lz.start(1E3*d)}c=ZZ(a.Ba,"metadata_type_ad_video_id");d=ZZ(a.Ba,"metadata_type_legacy_info_card_vast_extension");c&&d&&this.dg.get().F.V().Aa.add(c,{jB:d});(c=ZZ(a.Ba,"metadata_type_sodar_extension_data"))&&m5a(this.hf.get(),c);k5a(this.Ha.get(),!1);V5a(this);b?(c=this.Pe.get(),a=ZZ(a.Ba, +"metadata_type_player_vars"),c.F.loadVideoByPlayerVars(a,!1,2)):(c=this.Pe.get(),a=ZZ(a.Ba,"metadata_type_player_vars"),c.F.cueVideoByPlayerVars(a,2));this.NG.start();b||this.Pe.get().F.playVideo(2)}; +g.k.kW=function(){this.NG.stop();this.Iu="adcompletioncuerange:"+this.Hb().layoutId;this.wc.get().addCueRange(this.Iu,0x7ffffffffffff,0x8000000000000,!1,this,2,2);var a;(this.adCpn=(null==(a=this.Va.get().vg(2))?void 0:a.clientPlaybackNonce)||"")||GD("Media layout confirmed started, but ad CPN not set.");this.zd.get().Na("onAdStart",this.adCpn)}; +g.k.Ei=function(){this.XK()}; +g.k.By=function(){var a;return null==(a=this.Va.get().vg(2))?void 0:a.h8}; +g.k.PH=function(){this.Za.lh("clickthrough")}; +g.k.It=function(){this.NG.stop();this.lz&&this.lz.stop();k5a(this.Ha.get(),!0);var a;(null==(a=this.shrunkenPlayerBytesConfig)?0:a.shouldRequestShrunkenPlayerBytes)&&this.Ha.get().Wz(!1)}; +g.k.onCueRangeEnter=function(a){a!==this.Iu?GD("Received CueRangeEnter signal for unknown layout.",this.pd(),this.Hb(),{cueRangeId:a}):(this.wc.get().removeCueRange(this.Iu),this.Iu=void 0,a=ZZ(this.Hb().Ba,"metadata_type_video_length_seconds"),b2(this,a,!0),this.md("complete"))}; +g.k.lW=function(a){"abandoned"!==a&&this.zd.get().Na("onAdComplete");this.zd.get().Na("onAdEnd",this.adCpn)}; +g.k.onCueRangeExit=function(){}; +g.k.Mj=function(a){"rendering"===this.Fc&&(this.shrunkenPlayerBytesConfig&&this.shrunkenPlayerBytesConfig.shouldRequestShrunkenPlayerBytes&&a>=(this.shrunkenPlayerBytesConfig.playerProgressOffsetSeconds||0)&&this.Ha.get().Wz(!0),b2(this,a))};g.w(a6a,W1);g.k=a6a.prototype;g.k.pd=function(){return this.j.pd()}; +g.k.Hb=function(){return this.j.Hb()}; +g.k.Ks=function(){this.j.init()}; +g.k.wt=function(){this.j.release()}; +g.k.Qv=function(){this.j.Qv()}; +g.k.ew=function(){this.j.ew()}; +g.k.gD=function(a,b){GD("Unexpected onSkipRequested from PlayerBytesVodSingleLayoutRenderingAdapter. Skip should be handled by Triggers",this.pd(),this.Hb(),{requestingSlot:a,requestingLayout:b})}; +g.k.Ft=function(a){this.j.startRendering(a)}; +g.k.It=function(a,b){this.j.Pg(a,b)}; +g.k.Tc=function(a,b){this.j.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);this.j.wd(a,b,c);b.layoutId===this.Hb().layoutId&&this.Mc.get().aA()}; +g.k.yV=function(){this.j.gG()}; +g.k.Mj=function(a){this.j.Mj(a)}; +g.k.wW=function(a){this.j.Jk(a)}; +g.k.fg=function(a,b,c){this.j.OC(a,b,c)}; +g.k.onFullscreenToggled=function(a){this.j.onFullscreenToggled(a)}; +g.k.Uh=function(a){this.j.Uh(a)}; +g.k.Ik=function(a){this.j.Ik(a)}; +g.k.onVolumeChange=function(){this.j.onVolumeChange()};d2.prototype.wf=function(a,b,c,d){if(a=c6a(a,b,c,d,this.Ue,this.j,this.Oa,this.Mb,this.hf,this.Pe,this.Va,this.Ha,this.wc,this.Mc,this.zd,this.Xf,this.Nb,this.dg,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.w(e2,g.C);g.k=e2.prototype;g.k.mW=function(a){if(!this.j){var b;null==(b=this.qf)||b.get().kt(a.identifier);return!1}d6a(this,this.j,a);return!0}; +g.k.eW=function(){}; +g.k.Nj=function(a){this.j&&this.j.contentCpn!==a&&(GD("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn}),this.j=null)}; +g.k.un=function(a){this.j&&this.j.contentCpn!==a&&GD("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn},!0);this.j=null}; +g.k.qa=function(){g.C.prototype.qa.call(this);this.j=null};g.w(f2,g.C);g.k=f2.prototype;g.k.Tc=function(a,b){var c=this;if("LAYOUT_TYPE_MEDIA"===b.layoutType&&fO(b,this.B)){var d=this.Va.get().vg(2),e=this.j(b,d||void 0,this.Ca.get().F.V().experiments.ob("enable_post_ad_perception_survey_in_tvhtml5"));e?zC(this.ac.get(),"OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",function(){var f=[T2a(c.Ib.get(),e.contentCpn,e.vp,function(h){return c.u(h.slotId,"core",e,c_(c.Jb.get(),h))},e.inPlayerSlotId)]; +e.instreamAdPlayerUnderlayRenderer&&U2a(c.Ca.get())&&f.push(e6a(c,e,e.instreamAdPlayerUnderlayRenderer));return f}):GD("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Lg=function(){}; +g.k.Qj=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.wd=function(){};var M2=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=i6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot)}; +g.k.release=function(){};h2.prototype.wf=function(a,b){return new i6a(a,b)};g.k=j6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot);C1(this.Ha.get(),"ad-showing")}; +g.k.release=function(){};g.k=k6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.u=this.Ha.get().isAtLiveHead();this.j=Math.ceil(Date.now()/1E3);this.callback.Lg(this.slot)}; +g.k.BF=function(){C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");var a=this.u?Infinity:this.Ha.get().getCurrentTimeSec(1,!0)+Math.floor(Date.now()/1E3)-this.j;this.Ha.get().F.seekTo(a,void 0,void 0,1);this.callback.Mg(this.slot)}; +g.k.release=function(){};g.k=l6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.callback.Lg(this.slot)}; +g.k.BF=function(){VP(this.Ha.get());C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");this.callback.Mg(this.slot)}; +g.k.release=function(){VP(this.Ha.get())};i2.prototype.wf=function(a,b){if(BC(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new j6a(a,b,this.Ha);if(b.slotEntryTrigger instanceof Z0&&BC(b,["metadata_type_served_from_live_infra"],"SLOT_TYPE_PLAYER_BYTES"))return new k6a(a,b,this.Ha);if(BC(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new l6a(a,b,this.Ha);throw new N("Unsupported slot with type "+b.slotType+" and client metadata: "+($Z(b.Ba)+" in PlayerBytesSlotAdapterFactory."));};g.w(k2,g.C);k2.prototype.j=function(a){for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"===d.category&&e.triggeringLayoutId===a&&b.push(d)}b.length?k0(this.gJ(),b):GD("Mute requested but no registered triggers can be activated.")};g.w(l2,k2);g.k=l2.prototype;g.k.gh=function(a,b){if(b)if("skip-button"===a){a=[];for(var c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"===d.category&&e.triggeringLayoutId===b&&a.push(d)}a.length&&k0(this.gJ(),a)}else V0(this.Ca.get(),"supports_multi_step_on_desktop")?"ad-action-submit-survey"===a&&m6a(this,b):"survey-submit"===a?m6a(this,b):"survey-single-select-answer-button"===a&&m6a(this,b)}; +g.k.nM=function(a){k2.prototype.j.call(this,a)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof I0||b instanceof H0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.lM=function(){}; +g.k.kM=function(){}; +g.k.hG=function(){};g.w(m2,g.C);g.k=m2.prototype; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof C0||b instanceof D0||b instanceof f1||b instanceof g1||b instanceof y0||b instanceof h1||b instanceof v4a||b instanceof A0||b instanceof B0||b instanceof F0||b instanceof u4a||b instanceof d1))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new j2(a,b,c,d);this.Wb.set(b.triggerId,a);b instanceof +y0&&this.D.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof C0&&this.B.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof A0&&this.u.has(b.triggeringLayoutId)&&k0(this.j(),[a])}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(a){this.D.add(a.slotId);for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof y0&&a.slotId===d.trigger.triggeringSlotId&&b.push(d);0XN(a,16)){a=g.t(this.j);for(var b=a.next();!b.done;b=a.next())this.onCueRangeEnter(b.value,!0);this.j.clear()}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(a,b){a=g.t(this.Wb.values());for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.Cu.trigger;c=c.Lu;if(o6a(d)&&d.layoutId===b.layoutId){var e=1E3*this.Ha.get().getCurrentTimeSec(1,!1);d instanceof b1?d=0:(d=e+d.offsetMs,e=0x7ffffffffffff);this.wc.get().addCueRange(c,d,e,!1,this)}}}; +g.k.wd=function(a,b,c){var d=this;a={};for(var e=g.t(this.Wb.values()),f=e.next();!f.done;a={xA:a.xA,Bp:a.Bp},f=e.next())f=f.value,a.Bp=f.Cu.trigger,a.xA=f.Lu,o6a(a.Bp)&&a.Bp.layoutId===b.layoutId?P4a(this.wc.get(),a.xA):a.Bp instanceof e1&&a.Bp.layoutId===b.layoutId&&"user_cancelled"===c&&(this.wc.get().removeCueRange(a.xA),g.gA(g.iA(),function(h){return function(){d.wc.get().addCueRange(h.xA,h.Bp.j.start,h.Bp.j.end,h.Bp.visible,d)}}(a)))}; +g.k.lj=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.onVolumeChange=function(){}; +g.k.Ul=function(){};g.w(p2,g.C);g.k=p2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof G0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.sy=function(){}; +g.k.Sr=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){};g.w(q2,g.C);g.k=q2.prototype;g.k.lj=function(a,b){for(var c=[],d=g.t(this.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&k0(this.j(),c)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof w4a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){};g.w(r2,g.C);r2.prototype.qa=function(){this.hn.isDisposed()||this.hn.get().removeListener(this);g.C.prototype.qa.call(this)};g.w(s2,g.C);s2.prototype.qa=function(){this.cf.isDisposed()||this.cf.get().removeListener(this);g.C.prototype.qa.call(this)};t2.prototype.fetch=function(a){var b=a.gT;return this.fu.fetch(a.MY,{nB:void 0===a.nB?void 0:a.nB,me:b}).then(function(c){return r6a(c,b)})};g.w(u2,g.C);g.k=u2.prototype;g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.iI=function(a){s6a(this,a,1)}; +g.k.onAdUxClicked=function(a,b){v2(this,function(c){c.gh(a,b)})}; +g.k.CN=function(a){v2(this,function(b){b.lM(a)})}; +g.k.BN=function(a){v2(this,function(b){b.kM(a)})}; +g.k.o5=function(a){v2(this,function(b){b.hG(a)})};g.w(w2,g.C);g.k=w2.prototype; +g.k.Nj=function(){this.D=new sO(this,S4a(this.Ca.get()));this.B=new tO;var a=this.F.getVideoData(1);if(!a.enableServerStitchedDai){var b=this.F.getVideoData(1),c;(null==(c=this.j)?void 0:c.clientPlaybackNonce)!==b.clientPlaybackNonce&&(null!=this.j&&this.j.unsubscribe("cuepointupdated",this.HN,this),b.subscribe("cuepointupdated",this.HN,this),this.j=b)}this.sI.length=0;var d;b=(null==(d=a.j)?void 0:Xva(d,0))||[];d=g.t(b);for(b=d.next();!b.done;b=d.next())b=b.value,this.gt(b)&&GD("Unexpected a GetAdBreak to go out without player waiting", +void 0,void 0,{cuePointId:b.identifier,cuePointEvent:b.event,contentCpn:a.clientPlaybackNonce})}; +g.k.un=function(){}; +g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.YN=function(a){this.sI.push(a);for(var b=!1,c=g.t(this.listeners),d=c.next();!d.done;d=c.next())b=d.value.mW(a)||b;this.C=b}; +g.k.fW=function(a){g.Nb(this.B.j,1E3*a);for(var b=g.t(this.listeners),c=b.next();!c.done;c=b.next())c.value.eW(a)}; +g.k.gt=function(a){u6a(this,a);this.D.reduce(a);a=this.C;this.C=!1;return a}; +g.k.HN=function(a){var b=this.F.getVideoData(1).isDaiEnabled();if(b||!g.FK(this.F.V())){a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,u6a(this,c),b?this.D.reduce(c):0!==this.F.getCurrentTime(1)&&"start"===c.event&&(this.Ca.get().F.V().experiments.ob("ignore_overlapping_cue_points_on_endemic_live_html5")&&(null==this.u?0:c.startSecs+c.Sg>=this.u.startSecs&&c.startSecs<=this.u.startSecs+this.u.Sg)?GD("Latest Endemic Live Web cue point overlaps with previous cue point"):(this.u=c,this.YN(c)))}}; +g.k.qa=function(){null!=this.j&&(this.j.unsubscribe("cuepointupdated",this.HN,this),this.j=null);this.listeners.length=0;this.sI.length=0;g.C.prototype.qa.call(this)};z2.prototype.addListener=function(a){this.listeners.push(a)}; +z2.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})};g.k=w6a.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.Ha.get().addListener(this);this.Ha.get().oF.push(this)}; +g.k.release=function(){this.Ha.get().removeListener(this);g5a(this.Ha.get(),this)}; +g.k.startRendering=function(a){this.callback.Tc(this.slot,a)}; +g.k.Pg=function(a,b){this.callback.wd(this.slot,a,b)}; +g.k.Ul=function(a){switch(a.id){case "part2viewed":this.Za.md("start");break;case "videoplaytime25":this.Za.md("first_quartile");break;case "videoplaytime50":this.Za.md("midpoint");break;case "videoplaytime75":this.Za.md("third_quartile");break;case "videoplaytime100":this.Za.md("complete");break;case "engagedview":if(!T4a(this.Ca.get())){this.Za.md("progress");break}y5a(this.Za)||this.Za.md("progress");break;case "conversionview":case "videoplaybackstart":case "videoplayback2s":case "videoplayback10s":break; +default:GD("Cue Range ID unknown in DiscoveryLayoutRenderingAdapter",this.slot,this.layout)}}; +g.k.onVolumeChange=function(){}; +g.k.Ik=function(){}; +g.k.Uh=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Jk=function(){}; +g.k.Mj=function(){}; +g.k.bW=function(a){T4a(this.Ca.get())&&y5a(this.Za)&&M1(this.Za,1E3*a,!1)};x6a.prototype.wf=function(a,b,c,d){b=["metadata_type_ad_placement_config"];for(var e=g.t(K1()),f=e.next();!f.done;f=e.next())b.push(f.value);if(H1(d,{Ae:b,Rf:["LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER"]}))return new w6a(a,c,d,this.Ha,this.Oa,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlaybackTrackingLayoutRenderingAdapterFactory.");};g.k=A2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.xf.get().addListener(this);this.Ha.get().addListener(this);this.Ks();var a=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),b=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms"),c,d=null==(c=this.Va.get().Nu)?void 0:c.clientPlaybackNonce;c=this.layout.Ac.adClientDataEntry;y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:b-a,contentCpn:d,adClientData:c}});var e=this.xf.get();e=uO(e.B,a,b);null!==e&&(y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:e-a,contentCpn:d, +cueDurationChange:"DAI_CUE_DURATION_CHANGE_SHORTER",adClientData:c}}),this.qf.get().Fu(e,b))}; +g.k.release=function(){this.wt();this.xf.get().removeListener(this);this.Ha.get().removeListener(this)}; +g.k.startRendering=function(){this.Ft();this.callback.Tc(this.slot,this.layout)}; +g.k.Pg=function(a,b){this.It(b);null!==this.driftRecoveryMs&&(z6a(this,{driftRecoveryMs:this.driftRecoveryMs.toString(),breakDurationMs:Math.round(y6a(this)-ZZ(this.layout.Ba,"metadata_type_layout_enter_ms")).toString(),driftFromHeadMs:Math.round(1E3*this.Ha.get().F.us()).toString()}),this.driftRecoveryMs=null);this.callback.wd(this.slot,this.layout,b)}; +g.k.mW=function(){return!1}; +g.k.eW=function(a){var b=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),c=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms");a*=1E3;if(b<=a&&aa.width&&C2(this.C,this.layout)}; +g.k.onVolumeChange=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Jk=function(){}; +g.k.Ul=function(){}; +g.k.qa=function(){P1.prototype.qa.call(this)}; +g.k.release=function(){P1.prototype.release.call(this);this.Ha.get().removeListener(this)};w7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,{Ae:["METADATA_TYPE_VALID_INSTREAM_SURVEY_AD_RENDERER_FOR_VOD"],Rf:["LAYOUT_TYPE_SURVEY"]}))return new v7a(c,d,a,this.vc,this.u,this.Ha,this.Ca);if(H1(d, +{Ae:["metadata_type_player_bytes_layout_controls_callback_ref","metadata_type_valid_survey_text_interstitial_renderer","metadata_type_ad_placement_config"],Rf:["LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT"]}))return new F2(c,d,a,this.vc,this.Oa);if(H1(d,J5a()))return new U1(c,d,a,this.vc,this.Ha,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebDesktopMainInPlayerLayoutRenderingAdapterFactory.");};g.w(L2,g.C);g.k=L2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof O3a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d));a=this.j.has(b.triggeringLayoutId)?this.j.get(b.triggeringLayoutId):new Set;a.add(b);this.j.set(b.triggeringLayoutId,a)}; +g.k.gm=function(a){this.Wb.delete(a.triggerId);if(!(a instanceof O3a))throw new N("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.u.get(a.triggerId);b&&(b.dispose(),this.u.delete(a.triggerId));if(b=this.j.get(a.triggeringLayoutId))b.delete(a),0===b.size&&this.j.delete(a.triggeringLayoutId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.Tc=function(a,b){var c=this;if(this.j.has(b.layoutId)){b=this.j.get(b.layoutId);a={};b=g.t(b);for(var d=b.next();!d.done;a={AA:a.AA},d=b.next())a.AA=d.value,d=new g.Ip(function(e){return function(){var f=c.Wb.get(e.AA.triggerId);k0(c.B(),[f])}}(a),a.AA.durationMs),d.start(),this.u.set(a.AA.triggerId,d)}}; +g.k.wd=function(){};g.w(y7a,g.C);z7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.w(A7a,g.C);g.w(B7a,g.C);g.w(C7a,g.C);g.w(N2,T1);N2.prototype.startRendering=function(a){T1.prototype.startRendering.call(this,a);ZZ(this.layout.Ba,"metadata_ad_video_is_listed")&&(a=ZZ(this.layout.Ba,"metadata_type_ad_info_ad_metadata"),this.Bm.get().F.Na("onAdMetadataAvailable",a))};E7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.w(F7a,g.C);G7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);if(a=V1(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.j,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.w(H7a,g.C);g.w(J7a,g.C);J7a.prototype.B=function(){return this.u};g.w(K7a,FQ); +K7a.prototype.C=function(a){var b=a.content;if("shopping-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,shoppingCompanionCarouselRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:this.j.Na("updateKevlarOrC3Companion",{})}else if("action-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1); +this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,actionCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b.renderer&&(b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})),this.j.Na("updateKevlarOrC3Companion",{})}else if("image-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion", +{contentVideoId:a&&a.videoId,imageCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId}),this.j.Na("updateKevlarOrC3Companion",{})}else if("ads-engagement-panel"===b.componentType)switch(b=b.renderer,a.actionType){case 1:case 2:this.j.Na("updateEngagementPanelAction",b.addAction);this.j.Na("changeEngagementPanelVisibility", +b.expandAction);break;case 3:this.j.Na("changeEngagementPanelVisibility",b.hideAction),this.j.Na("updateEngagementPanelAction",b.removeAction)}};g.w(L7a,NQ);g.k=L7a.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);g.Hm(this.B,"stroke-dasharray","0 "+this.u);this.api.V().K("enable_dark_mode_style_endcap_timed_pie_countdown")&&(this.B.classList.add("ytp-ad-timed-pie-countdown-inner-light"),this.C.classList.add("ytp-ad-timed-pie-countdown-outer-light"));this.show()}; +g.k.clear=function(){this.hide()}; +g.k.hide=function(){PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&g.Hm(this.B,"stroke-dasharray",a.current/a.seekableEnd*this.u+" "+this.u)}};g.w(M7a,eQ);g.k=M7a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&g.K(b.actionButton,g.mM))if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)g.CD(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!=e&& +0=this.B?(this.C.hide(),this.J=!0):this.messageText&&this.messageText.isTemplated()&&(a=Math.max(0,Math.ceil((this.B-a)/1E3)),a!==this.Z&&(MQ(this.messageText,{TIME_REMAINING:String(a)}),this.Z=a)))}};g.w(a8a,eQ);g.k=a8a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,{});b.image&&b.image.thumbnail?b.headline?b.description?b.actionButton&&g.K(b.actionButton,g.mM)?(this.B.init(fN("ad-image"),b.image,c),this.u.init(fN("ad-text"),b.headline,c),this.C.init(fN("ad-text"),b.description,c),a=["ytp-ad-underlay-action-button"],this.api.V().K("use_blue_buttons_for_desktop_player_underlay")&&a.push("ytp-ad-underlay-action-button-blue"),this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb, +a),b.backgroundColor&&g.Hm(this.element,"background-color",g.nR(b.backgroundColor)),g.E(this,this.actionButton),this.actionButton.Ea(this.D),this.actionButton.init(fN("button"),g.K(b.actionButton,g.mM),c),b=g.gJ(this.api.V().experiments,"player_underlay_video_width_fraction"),this.api.V().K("place_shrunken_video_on_left_of_player")?(c=this.j,g.Sp(c,"ytp-ad-underlay-left-container"),g.Qp(c,"ytp-ad-underlay-right-container"),g.Hm(this.j,"margin-left",Math.round(100*(b+.02))+"%")):(c=this.j,g.Sp(c,"ytp-ad-underlay-right-container"), +g.Qp(c,"ytp-ad-underlay-left-container")),g.Hm(this.j,"width",Math.round(100*(1-b-.04))+"%"),this.api.uG()&&this.show(),this.api.addEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this)),this.api.addEventListener("resize",this.qU.bind(this))):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no button.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no description AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no headline AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no image."))}; +g.k.show=function(){b8a(!0);this.actionButton&&this.actionButton.show();eQ.prototype.show.call(this)}; +g.k.hide=function(){b8a(!1);this.actionButton&&this.actionButton.hide();eQ.prototype.hide.call(this)}; +g.k.clear=function(){this.api.removeEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this));this.api.removeEventListener("resize",this.qU.bind(this));this.hide()}; +g.k.onClick=function(a){eQ.prototype.onClick.call(this,a);this.actionButton&&g.zf(this.actionButton.element,a.target)&&this.api.pauseVideo()}; +g.k.CQ=function(a){"transitioning"===a?(this.j.classList.remove("ytp-ad-underlay-clickable"),this.show()):"visible"===a?this.j.classList.add("ytp-ad-underlay-clickable"):"hidden"===a&&(this.hide(),this.j.classList.remove("ytp-ad-underlay-clickable"))}; +g.k.qU=function(a){1200a)g.CD(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&g.K(b.ctaButton,g.mM))if(b.brandImage)if(b.backgroundImage&&g.K(b.backgroundImage,U0)&&g.K(b.backgroundImage,U0).landscape){this.layoutId||g.CD(Error("Missing layoutId for survey interstitial."));p8a(this.interstitial,g.K(b.backgroundImage, +U0).landscape);p8a(this.logoImage,b.brandImage);g.Af(this.text,g.gE(b.text));var e=["ytp-ad-survey-interstitial-action-button"];this.api.V().K("web_modern_buttons_bl_survey")&&e.push("ytp-ad-survey-interstitial-action-button-rounded");this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,e);g.E(this,this.actionButton);this.actionButton.Ea(this.u);this.actionButton.init(fN("button"),g.K(b.ctaButton,g.mM),c);this.actionButton.show();this.j=new cR(this.api,1E3*a); +this.j.subscribe("g",function(){d.transition.hide()}); +g.E(this,this.j);this.S(this.element,"click",function(f){var h=f.target===d.interstitial;f=d.actionButton.element.contains(f.target);if(h||f)if(d.transition.hide(),h)d.api.onAdUxClicked(d.componentType,d.layoutId)}); +this.transition.show(100)}else g.CD(Error("SurveyTextInterstitialRenderer has no landscape background image."));else g.CD(Error("SurveyTextInterstitialRenderer has no brandImage."));else g.CD(Error("SurveyTextInterstitialRenderer has no button."));else g.CD(Error("SurveyTextInterstitialRenderer has no text."));else g.CD(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; +X2.prototype.clear=function(){this.hide()}; +X2.prototype.show=function(){q8a(!0);eQ.prototype.show.call(this)}; +X2.prototype.hide=function(){q8a(!1);eQ.prototype.hide.call(this)};var idb="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.w(Y2,FQ); +Y2.prototype.C=function(a){var b=a.id,c=a.content,d=c.componentType;if(!idb.includes(d))switch(a.actionType){case 1:a=this.api;var e=this.rb,f=c.layoutId,h=c.interactionLoggingClientData,l=c instanceof aO?c.pP:!1,m=c instanceof aO||c instanceof bR?c.gI:!1;h=void 0===h?{}:h;l=void 0===l?!1:l;m=void 0===m?!1:m;switch(d){case "invideo-overlay":a=new R7a(a,f,h,e);break;case "player-overlay":a=new lR(a,f,h,e,new gU(a),m);break;case "survey":a=new W2(a,f,h,e);break;case "ad-action-interstitial":a=new M7a(a, +f,h,e,l,m);break;case "survey-interstitial":a=new X2(a,f,h,e);break;case "ad-message":a=new Z7a(a,f,h,e,new gU(a,1));break;case "player-underlay":a=new a8a(a,f,h,e);break;default:a=null}if(!a){g.DD(Error("No UI component returned from ComponentFactory for type: "+d));break}g.$c(this.u,b)?g.DD(Error("Ad UI component already registered: "+b)):this.u[b]=a;a.bind(c);c instanceof l7a?this.B?this.B.append(a.VO):g.CD(Error("Underlay view was not created but UnderlayRenderer was created")):this.D.append(a.VO); +break;case 2:b=r8a(this,a);if(null==b)break;b.bind(c);break;case 3:c=r8a(this,a),null!=c&&(g.Za(c),g.$c(this.u,b)?g.id(this.u,b):g.DD(Error("Ad UI component does not exist: "+b)))}}; +Y2.prototype.qa=function(){g.$a(Object.values(this.u));this.u={};FQ.prototype.qa.call(this)};g.w(s8a,g.CT);g.k=s8a.prototype;g.k.create=function(){try{t8a(this),this.load(),this.created=!0,t8a(this)}catch(a){GD(a instanceof Error?a:String(a))}}; +g.k.load=function(){try{v8a(this)}finally{k1(O2(this.j).Di)&&this.player.jg("ad",1)}}; +g.k.destroy=function(){var a=this.player.getVideoData(1);this.j.j.Zs.un(a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; +g.k.unload=function(){g.CT.prototype.unload.call(this);zsa(!1);try{this.player.getRootNode().classList.remove("ad-created")}catch(b){GD(b instanceof Error?b:String(b))}if(null!==this.xe){var a=this.xe;this.xe=null;a.dispose()}null!=this.u&&(a=this.u,this.u=null,a.dispose());this.fu.reset()}; +g.k.Tk=function(){return!1}; +g.k.qP=function(){return null===this.xe?!1:this.xe.qP()}; +g.k.bp=function(a){null!==this.xe&&this.xe.bp(a)}; +g.k.getAdState=function(){return this.xe?this.xe.qG:-1}; +g.k.getOptions=function(){return Object.values(hdb)}; +g.k.qh=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":return a=b,a.url?(b=BN(this.player),Object.assign(b,a.s6a),this.xe&&!b.AD_CPN&&(b.AD_CPN=this.xe.GB()),a=g.xp(a.url,b)):a=null,a;case "onAboutThisAdPopupClosed":this.Ys(b);break;case "executeCommand":a=b;a.command&&a.layoutId&&this.executeCommand(a);break;default:return null}}; +g.k.gt=function(a){var b;return!(null==(b=this.j.j.xf)||!b.get().gt(a))}; +g.k.Ys=function(a){a.isMuted&&hEa(this.xe,O2(this.j).Kj,O2(this.j).Tl,a.layoutId);this.Gx&&this.Gx.Ys()}; +g.k.executeCommand=function(a){O2(this.j).rb.executeCommand(a.command,a.layoutId)};g.BT("ad",s8a);var B8a=g.mf&&A8a();g.w(g.Z2,g.C);g.Z2.prototype.start=function(a,b,c){this.config={from:a,to:b,duration:c,startTime:(0,g.M)()};this.next()}; +g.Z2.prototype.stop=function(){this.delay.stop();this.config=void 0}; +g.Z2.prototype.next=function(){if(this.config){var a=this.config,b=a.from,c=a.to,d=a.duration;a=a.startTime;var e=(0,g.M)()-a;a=this.j;d=Ala(a,e/d);if(0==d)a=a.J;else if(1==d)a=a.T;else{e=De(a.J,a.D,d);var f=De(a.D,a.I,d);a=De(a.I,a.T,d);e=De(e,f,d);f=De(f,a,d);a=De(e,f,d)}a=g.ze(a,0,1);this.callback(b+(c-b)*a);1>a&&this.delay.start()}};g.w(g.$2,g.U);g.k=g.$2.prototype;g.k.JZ=function(){this.B&&this.scrollTo(this.j-this.containerWidth)}; +g.k.show=function(){g.U.prototype.show.call(this);F8a(this)}; +g.k.KZ=function(){this.B&&this.scrollTo(this.j+this.containerWidth)}; +g.k.Hq=function(){this.Db(this.api.jb().getPlayerSize())}; +g.k.isShortsModeEnabled=function(){return this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.I.Sb()}; +g.k.Db=function(a){var b=this.isShortsModeEnabled()?.5625:16/9,c=this.I.yg();a=a.width-(c?112:58);c=Math.ceil(a/(c?320:192));var d=(a-8*c)/c;b=Math.floor(d/b);for(var e=g.t(this.u),f=e.next();!f.done;f=e.next())f=f.value.Da("ytp-suggestion-image"),f.style.width=d+"px",f.style.height=b+"px";this.suggestions.element.style.height=b+"px";this.D=d;this.Z=b;this.containerWidth=a;this.columns=c;this.j=0;this.suggestions.element.scrollLeft=-0;g.a3(this)}; +g.k.onVideoDataChange=function(){var a=this.api.V(),b=this.api.getVideoData();this.J=b.D?!1:a.C;this.suggestionData=b.suggestions?g.Rn(b.suggestions,function(c){return c&&!c.playlistId}):[]; +H8a(this);b.D?this.title.update({title:g.lO("More videos from $DNI_RELATED_CHANNEL",{DNI_RELATED_CHANNEL:b.author})}):this.title.update({title:this.isShortsModeEnabled()?"More shorts":"More videos"})}; +g.k.scrollTo=function(a){a=g.ze(a,this.containerWidth-this.suggestionData.length*(this.D+8),0);this.T.start(this.j,a,1E3);this.j=a;g.a3(this);F8a(this)};})(_yt_player); diff --git a/test/files/videos/regular/player_ias.vflset.js b/test/files/videos/regular/player_ias.vflset.js index 60db6665..aab05559 100644 --- a/test/files/videos/regular/player_ias.vflset.js +++ b/test/files/videos/regular/player_ias.vflset.js @@ -1,8516 +1,12277 @@ var _yt_player={};(function(g){var window=this;/* + (The MIT License) + + Copyright (C) 2014 by Vitaly Puzrin + + 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. + + ----------------------------------------------------------------------------- + Ported from zlib, which is under the following license + https://github.com/madler/zlib/blob/master/zlib.h + + zlib.h -- interface of the 'zlib' general purpose compression library + version 1.2.8, April 28th, 2013 + Copyright (C) 1995-2013 Jean-loup Gailly and Mark Adler + This software is provided 'as-is', without any express or implied + warranty. In no event will the authors be held liable for any damages + arising from the use of this software. + Permission is granted to anyone to use this software for any purpose, + including commercial applications, and to alter it and redistribute it + freely, subject to the following restrictions: + 1. The origin of this software must not be misrepresented; you must not + claim that you wrote the original software. If you use this software + in a product, an acknowledgment in the product documentation would be + appreciated but is not required. + 2. Altered source versions must be plainly marked as such, and must not be + misrepresented as being the original software. + 3. This notice may not be removed or altered from any source distribution. + Jean-loup Gailly Mark Adler + jloup@gzip.org madler@alumni.caltech.edu + The data format used by the zlib library is described by RFCs (Request for + Comments) 1950 to 1952 in the files http://tools.ietf.org/html/rfc1950 + (zlib format), rfc1951 (deflate format) and rfc1952 (gzip format). +*/ +/* + + + The MIT License (MIT) + + Copyright (c) 2015-present Dan Abramov + + 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. +*/ +/* + Copyright The Closure Library Authors. SPDX-License-Identifier: Apache-2.0 */ -var ba,da,aaa,ha,ia,ka,oa,pa,qa,sa,ta,ua,baa,caa,wa,daa,xa,ya,za,Ba,Ca,Da,Ea,Fa,Ga,Ha,Ma,Ka,Pa,Qa,gaa,haa,Za,$a,ab,iaa,jaa,kaa,cb,laa,eb,fb,maa,naa,pb,oaa,vb,wb,paa,Bb,yb,qaa,zb,raa,saa,taa,Lb,Nb,Ob,Sb,Ub,Vb,cc,ec,hc,jc,mc,nc,waa,oc,pc,qc,zc,Ac,Cc,Hc,Nc,Oc,Sc,Qc,Aaa,Daa,Eaa,Faa,Wc,Yc,$c,Zc,bd,ed,Gaa,Haa,dd,Iaa,kd,ld,md,qd,sd,td,Laa,ud,vd,zd,Ad,Bd,Cd,Dd,Ed,Fd,Gd,Id,Md,Nd,Pd,Qd,Rd,Naa,Sd,Td,Ud,Vd,Wd,Xd,ee,ge,je,ne,oe,ve,we,ze,xe,Be,De,Ce,Saa,le,Qe,Oe,Pe,Se,Re,ke,Te,Uaa,Ye,$e,Xe,bf,cf,df,gf,hf,jf,kf, -lf,Vaa,sf,of,Ef,Waa,If,Kf,Mf,Xaa,Nf,Pf,Qf,Rf,Sf,Tf,Uf,Vf,Wf,Xf,$f,Zf,ag,bg,$aa,bba,cba,eba,gg,hg,jg,fba,lg,og,tg,ug,xg,gba,Ag,zg,Bg,hba,Jg,Kg,Lg,iba,Mg,Ng,Og,Pg,Qg,Rg,Sg,jba,Tg,Ug,Vg,kba,lba,Wg,Yg,Xg,$g,ah,dh,bh,nba,ch,eh,fh,hh,gh,oba,ih,qba,pba,rba,lh,sba,nh,oh,ph,mh,qh,tba,rh,uba,uh,wba,vh,wh,xh,xba,zh,Bh,Hh,Kh,Mh,Jh,Ih,Nh,yba,Oh,Ph,Qh,Rh,Aba,Wh,Xh,Yh,Zh,Cba,$h,ai,bi,ci,di,Dba,fi,gi,hi,ii,ji,ki,mi,ni,oi,pi,qi,li,ri,si,ti,Eba,Fba,ui,vi,Gba,wi,xi,Hba,zi,Iba,Ai,Bi,Ci,Jba,Di,Ei,Li,Ni,Oi,Pi,Qi,Ri,Ki, -Mi,Lba,Si,Ti,Vi,Ui,Mba,Nba,Oba,Wi,Xi,Yi,Zi,Sba,Tba,Uba,$i,bj,Vba,Wba,Xba,dj,ej,Yba,fj,Zba,$ba,gj,hj,ij,aca,kj,lj,mj,nj,oj,pj,qj,rj,sj,tj,uj,bca,cca,vj,dca,xj,wj,Aj,Bj,zj,eca,ica,hca,Dj,jca,kca,lca,nca,mca,oca,Ej,Gj,Ij,Jj,Kj,qca,Mj,Nj,rca,sca,Oj,Pj,Qj,Rj,tca,Sj,Tj,vca,Uj,wca,Vj,Wj,Yj,Zj,ck,dk,ek,gk,hk,ik,kk,mk,nk,Xj,ok,qk,pk,rk,sk,uk,yca,vk,xca,wk,zca,xk,Aca,Bca,zk,Bk,Ck,Dk,Ek,Ak,Hk,Ik,Fk,Cca,Eca,Fca,Kk,Lk,Mk,Nk,Gca,Ok,Pk,Qk,Rk,Sk,Tk,Uk,Vk,Yk,Xk,Ica,Jca,Zk,al,Wk,$k,Hca,bl,cl,Lca,Mca,Nca,Oca,gl,hl, -il,Pca,dl,jl,kl,Kca,Qca,Rca,Sca,nl,ll,ol,ql,Xca,Tca,ul,vl,wl,xl,yl,zl,jj,Yca,Al,Bl,Zca,$ca,ada,bda,cda,Dl,El,Fl,Gl,Hl,Il,fda,gda,Jl,Ml,Ol,ida,Pl,Ql,Rl,Tl,Vl,Xl,jda,Ul,cm,dm,$l,gm,fm,lda,Yl,Wl,jm,km,lm,mm,om,nda,pm,qm,oda,vm,xm,zm,Am,Cm,Dm,Em,Gm,pda,Hm,Jm,Lm,Mm,Im,Km,ym,Fm,rda,Pm,Nm,Om,Rm,qda,Qm,Vm,Ym,Xm,cn,dn,fn,uda,en,hn,kn,jn,sda,nn,pn,xda,rn,sn,un,vn,wn,xn,yn,yda,En,Fn,Ada,Gn,Hn,Fda,Bda,On,Kda,Pn,Qn,Mda,Tn,Un,Vn,Wn,Nda,Zn,$n,ao,bo,eo,fo,go,ho,jo,ko,no,oo,po,Qda,Rda,ro,so,wo,to,xo,zo,Ao,yo,Sda, -Do,Go,Ro,Qo,Vda,Wda,To,Wo,Xo,Yo,Zo,Yda,Zda,fp,gp,hp,$da,mp,np,aea,pp,rp,op,up,xp,wp,vp,zp,Fp,Ep,bea,eea,dea,Qp,Rp,Sp,Tp,Up,Vp,Wp,$p,Yp,aq,bq,cq,fq,eq,gea,iea,hq,jea,lq,kq,lea,mq,nq,mea,rq,nea,oea,pq,pea,tq,qea,yq,zq,Aq,Bq,rea,sea,Cq,Eq,Fq,Dq,Gq,tea,Hq,uea,Iq,vea,Oq,Pq,Qq,Rq,Tq,yea,Uq,Vq,Aea,zea,Xq,Sq,xea,Yq,Zq,$q,Wq,Bea,Cea,Dea,cr,Gea,fr,er,Iea,Hea,hr,ir,gr,Jea,Kea,nr,or,Oea,rr,sr,Pea,ur,wr,yr,xr,Ar,Br,Cr,Er,Dr,Rea,Hr,Ir,Jr,Kr,Pr,Qr,Nr,Uea,Sea,Rr,Ur,Vr,Wea,Sr,Tr,Xr,Zr,$r,cs,as,es,ds,fs,Xea,hs,is, -ks,Zea,ms,ns,os,qs,$ea,ts,vs,ws,xs,zs,Ds,Fs,Es,ys,Gs,Ks,Hs,bfa,bt,$s,cfa,ft,et,ht,dt,gt,it,jt,kt,lt,mt,nt,ot,efa,pt,qt,tt,ut,rt,ffa,vt,wt,zt,Bt,gfa,Ct,Gt,Et,At,Ht,Dt,Ft,It,Jt,Kt,hfa,Mt,Nt,Ot,Pt,Vt,ifa,Rt,Xt,Zt,bu,au,Tt,Yt,Wt,jfa,cu,eu,fu,kfa,gu,hu,Qt,St,Ut,$t,lfa,iu,ju,ku,lu,ou,mu,mfa,pu,qu,ru,tu,uu,nfa,nu,vu,xu,yu,zu,Au,Bu,Cu,Du,Eu,Fu,Gu,Hu,Iu,Ju,Ku,Lu,Mu,Nu,Pu,Ru,Qu,Su,Tu,Uu,Vu,Wu,ofa,pfa,$u,av,bv,dv,ev,gv,ufa,hv,iv,jv,kv,mv,nv,ov,pv,lv,wfa,qv,rv,tv,uv,vv,xfa,wv,yfa,zfa,xv,yv,Afa,Av,Bfa,zv,Bv,Dv, -Ev,Fv,Hv,Iv,Jv,Mv,Nv,Ov,Kv,Sv,wu,Tv,Uv,Vv,Wv,Xv,Qv,Yv,Zv,aw,bw,cw,dw,fw,hw,iw,jw,kw,lw,mw,Cfa,nw,Dfa,qw,Efa,rw,Ffa,tw,Gfa,Hfa,Ifa,Kfa,ww,Lfa,Mfa,Nfa,Ofa,Pfa,xw,yw,pw,uw,vw,Jfa,Qfa,Rfa,Bw,Dw,Cw,Sfa,zw,Aw,Tfa,Ufa,Vfa,Wfa,Xfa,Ew,Yfa,Zfa,Gw,Hw,$fa,Kw,Qw,Ow,Tw,Lw,Uw,Iw,Vw,Mw,Jw,Sw,Ww,Xw,Yw,$w,Zw,ax,cx,dx,hx,ix,gx,kx,lx,mx,ox,nx,px,qx,rx,sx,vx,wx,gga,tx,iga,ux,Ex,Dx,Gx,zx,Fx,xx,hga,jga,Hx,Ix,yx,ega,Jx,Kx,Lx,Mx,Nx,Ox,Px,Qx,Xx,Tx,kga,Zx,Ux,Vx,Sx,Wx,Rx,Yx,cy,by,ay,ey,fy,gy,hy,iy,mga,jy,ky,ly,my,ny,oy,py,ry, -qy,sy,ty,yy,Ay,By,Cy,Dy,Fy,Gy,Ty,zy,vy,uy,wy,Uy,Vy,Wy,Xy,Sy,Ey,Hy,Yy,Zy,$y,az,cz,bz,dz,pga,Nw,Bx,Ax,fz,Pw,gz,hz,Fw,ez,iz,jz,lz,kz,rga,mz,nz,pz,qz,rz,sz,uz,tz,vz,wz,xz,yz,zz,sga,Az,tga,uga,yga,zga,vga,wga,xga,Bz,Cz,Aga,Bga,Dz,Ez,Fz,Cga,Gz,Iz,Ega,Jz,Fga,Gga,Kz,Lz,Hga,Iga,Jga,Mz,Kga,Qz,Nz,Tz,Lga,Mga,Uz,Nga,Oga,Vz,Wz,Pga,Xz,Yz,Qga,Rga,Sga,Rz,Tga,Zz,$z,aA,Wga,Vga,cA,dA,bA,eA,fA,Xga,hA,iA,jA,lA,mA,gA,nA,kA,pA,qA,sA,rA,tA,uA,wA,xA,yA,zA,FA,BA,IA,CA,LA,JA,MA,EA,bha,NA,AA,PA,QA,RA,SA,TA,VA,WA,XA,ZA,aB,$A, -YA,bB,cB,cha,dB,fB,gB,hB,nga,iB,dha,jB,kB,lB,mB,eha,oB,pB,nB,qB,rB,sB,tB,fha,xB,uB,gha,zB,hha,AB,iha,jha,S,BB,CB,DB,EB,FB,dC,eC,hC,iC,QB,VB,GB,ZB,YB,bC,lC,nC,pC,uC,NB,MB,wC,XB,yC,zC,AC,BC,CC,DC,EC,FC,rha,sha,tha,GC,HC,JC,KC,LC,MC,NC,OC,IC,PC,uha,RC,xha,yha,UC,TC,wha,vha,SC,VC,zha,Cha,Dha,Eha,bD,cD,Fha,dD,nla,YC,eD,fD,XC,Aha,hD,ZC,$C,Bha,iD,aD,ola,pla,qla,jD,kD,rla,lD,mD,sla,nD,tla,rD,oD,qD,pD,uD,vla,wla,xla,zD,yla,yD,AD,BD,CD,DD,ED,FD,GD,HD,Bla,Ala,zla,Cla,JD,Dla,aga,cga,KD,ND,Fla,OD,PD,QD,SD,UD, -WD,XD,ZD,Hla,Jla,Kla,Lla,YD,aE,cE,Mla,gE,Nla,fE,iE,jE,eE,hE,LD,Ela,dE,VD,Gla,Ola,MD,bE,TD,RD,kE,Pla,Qla,Rla,mE,Tla,nE,Ula,Sla,Vla,oE,pE,Wla,qE,rE,Xla,Yla,Zla,sE,tE,$la,dma,uE,ama,cma,bma,vE,ema,wE,fma,gma,hma,AE,BE,EE,DE,FE,GE,HE,IE,jma,kma,lma,KE,LE,OE,NE,mma,QE,RE,ME,SE,TE,nma,XE,aF,bF,dF,qma,iF,kF,fF,lF,pma,rma,mF,oF,pF,nF,qF,sma,tma,eF,jF,uF,uma,vma,wma,yma,vF,wF,xma,yF,zF,AF,CF,DF,hF,YE,FF,$E,ZE,HF,tF,zma,MF,NF,OF,PF,QF,cF,SF,RF,sF,rF,TF,EF,UF,gF,Ama,WE,XF,VE,JE,YF,Bma,aG,bG,cG,dG,Cma,Dma,eG, -Ema,gG,fG,hG,iG,lG,Fma,Gma,mG,nG,tG,Jma,Kma,rG,Hma,zG,PG,QG,Tma,Uma,VG,WG,Vma,ZG,$G,aH,bH,cH,dH,eH,fH,XG,gH,Wma,hH,iH,jH,kH,Xma,lH,mH,Yma,nH,oH,Zma,pH,$ma,qH,sH,ana,bna,dna,cna,tH,uH,ena,vH,wH,xH,yH,zH,AH,BH,CH,DH,EH,fna,FH,GH,HH,IH,KH,ina,JH,jna,gna,LH,hna,MH,kna,NH,OH,PH,QH,RH,SH,TH,VH,UH,WH,YH,ZH,mna,$H,fI,hI,bI,eI,kI,dI,mI,gI,nI,jI,iI,pI,cI,aI,qI,sI,rI,tI,uI,wI,yI,AI,CI,DI,BI,zI,EI,FI,GI,HI,II,JI,nna,KI,LI,MI,NI,OI,PI,QI,RI,SI,TI,UI,VI,WI,XI,YI,ZI,$I,bJ,cJ,dJ,eJ,fJ,gJ,hJ,iJ,kJ,lJ,ona,mJ,rna,pna, -qna,sna,nJ,oJ,qJ,rJ,pJ,sJ,tJ,tna,una,uJ,vJ,wJ,xJ,yJ,zJ,AJ,BJ,CJ,DJ,EJ,FJ,GJ,HJ,IJ,JJ,KJ,LJ,MJ,NJ,OJ,PJ,QJ,RJ,SJ,TJ,UJ,VJ,WJ,XJ,YJ,ZJ,$J,aK,bK,cK,dK,eK,fK,gK,vna,xna,yna,wna,iK,hK,jK,kK,lK,mK,nK,oK,pK,tK,uK,vK,wK,xK,yK,zK,zna,CK,DK,AK,GK,EK,FK,Ana,HK,Bna,IK,JK,Cna,KK,LK,MK,NK,PK,Dna,Fna,Gna,SK,Hna,RK,QK,Ena,TK,VK,UK,WK,YK,XK,ZK,Ina,$K,cL,dL,eL,fL,ID,Kna,jL,lL,mL,nL,oL,pL,rL,Lna,tL,sL,Mna,Nna,uL,vL,wL,xL,Pna,yL,Rna,Qna,zL,AL,BL,DL,EL,CL,Tna,FL,GL,Una,HL,IL,JL,KL,Vna,LL,Wna,ML,NL,OL,Xna,PL,RL,TL,VL, -XL,YL,bM,Yna,Zna,ZL,$L,aM,cM,fM,dM,hM,oM,$na,kM,lM,pM,iM,boa,aoa,rM,doa,qM,mM,uM,sM,vM,wM,xM,yM,tM,AM,zM,DM,EM,qL,coa,OK,CM,JM,KM,LM,MM,NM,OM,eoa,PM,QM,SM,UM,foa,VM,W,YM,ZM,goa,bN,eN,fN,gN,hN,jN,mN,nN,oN,qN,rN,sN,tN,vN,wN,xN,zN,AN,BN,CN,FN,GN,HN,IN,hoa,JN,KN,LN,MN,NN,ON,QN,RN,SN,TN,UN,ioa,VN,WN,XN,YN,joa,koa,loa,moa,ZN,noa,ooa,poa,$N,aO,bO,dO,fO,qoa,eO,gO,hO,uoa,roa,toa,soa,iO,jO,voa,kO,lO,woa,xoa,yoa,zoa,mO,Aoa,Boa,nO,oO,qO,sO,tO,rO,xO,yO,zO,BO,CO,DO,EO,Doa,Eoa,Foa,HO,Goa,Hoa,Ioa,Joa,IO,GO,KO,LO, -Koa,MO,NO,OO,RO,SO,TO,UO,VO,Loa,WO,Moa,XO,YO,ZO,$O,aP,bP,cP,Noa,dP,eP,fP,gP,hP,Ooa,Qoa,Poa,Roa,iP,Soa,Toa,jP,Uoa,kP,lP,mP,Voa,Woa,Xoa,nP,pP,Zoa,qP,rP,sP,tP,apa,$oa,uP,vP,wP,xP,yP,cpa,bpa,zP,AP,AO,BP,epa,DP,ipa,kpa,FP,lpa,GP,EP,HP,IP,KP,npa,opa,ppa,qpa,BK,QP,SP,TP,tpa,upa,vpa,wpa,mpa,xpa,JP,zpa,aQ,VP,OP,bQ,WP,MP,Apa,ypa,LP,UP,YP,cQ,PP,RP,$P,ZP,Cpa,dQ,Epa,Dpa,eQ,X,Ipa,fQ,Jpa,Fpa,Kpa,gQ,Npa,Lpa,Spa,Ppa,Opa,Vpa,Upa,Wpa,Zpa,Ypa,bqa,dqa,eqa,fqa,hqa,qQ,UG,iqa,sQ,RG,wQ,Sma,xQ,uO,yQ,pQ,hQ,zQ,kqa,iQ,lqa,AQ, -BQ,mQ,mqa,Rpa,kQ,lQ,jQ,nqa,CQ,DQ,rQ,oQ,nQ,Xpa,$pa,EQ,FQ,oqa,GQ,HQ,IQ,JQ,KQ,LQ,MQ,NQ,OQ,YG,qqa,pqa,rqa,cqa,Qpa,Mpa,Hpa,Gpa,Tpa,gqa,aqa,PQ,sqa,QQ,aJ,NP,rpa,tQ,RQ,SQ,uqa,vqa,TQ,wqa,UQ,VQ,WQ,gM,nM,xqa,yqa,XQ,zqa,Aqa,Coa,ZQ,$Q,Bqa,aR,bR,cR,vO,pO,Dqa,Eqa,eR,TG,fR,XP,YQ,Gqa,Hqa,Iqa,gR,hR,Jqa,Kqa,Lqa,Mqa,iR,jR,vQ,uQ,Nqa,kR,lR,Oqa,mR,nR,Pqa,Qqa,oR,pR,qR,sR,rR,tR,Rqa,uR,Sqa,vR,wR,Tqa,xR,zR,Uqa,yR,Vqa,Wqa,AR,BR,Xqa,CR,Yqa,DR,Zqa,$qa,ara,ER,FR,GR,HR,IR,JR,bra,cra,KR,LR,dra,MR,NR,OR,PR,QR,era,RR,fra,SR,TR,UR, -VR,WR,gra,hra,jra,lra,ira,YR,mra,nra,ora,ZR,$R,aS,jqa,pra,bS,qra,cS,kra,rra,sra,tra,vra,dS,wra,eS,fS,xra,gS,yra,zra,hS,Ara,iS,Bra,jS,kS,lS,mS,Cra,Dra,Era,Fra,oS,Gra,Hra,Ira,Jra,Lra,Kra,qS,Mra,Nra,SG,Ora,wS,Pra,Qra,yS,Rra,zS,Sra,Tra,Ura,AS,BS,CS,FS,Wra,GS,HS,IS,JS,Xra,Yra,Zra,$ra,asa,csa,NS,bsa,dsa,OS,PS,esa,fsa,gsa,isa,hsa,jsa,ksa,msa,lsa,osa,RS,tsa,psa,usa,vsa,rsa,wsa,ssa,SS,Asa,ysa,zsa,Gsa,Dsa,Hsa,Isa,Jsa,QS,Csa,Bsa,Fsa,xsa,Ksa,US,Lsa,qsa,Msa,VS,WS,Nsa,Osa,Qsa,Rsa,XS,Psa,YS,ZS,aT,Tsa,Vsa,Wsa,Ysa, -Xsa,bT,Usa,dT,cT,Zsa,$sa,$S,ata,eT,hT,bta,dta,cta,gT,eta,fta,gta,ita,hta,jta,iT,fT,kta,lta,jT,kT,nta,ota,pta,mta,qta,rta,sta,tta,vta,xta,uta,yta,zta,Ata,Bta,wta,lT,Cta,Dta,Eta,Fta,nT,oT,qT,sT,tT,Hta,uT,Ita,Jta,Kta,vT,rT,Mta,yT,Nta,Ota,Qta,Pta,Rta,zT,AT,Sta,CT,BT,DT,ET,Xta,Zta,$ta,HT,cua,JT,IT,dua,MT,bua,fua,aua,LT,gua,eua,iua,KT,NT,jua,kua,lua,Cqa,PT,mua,nua,oua,pua,hua,Gta,xT,rua,QT,RT,sua,uua,tua,wua,xua,VT,UT,yua,zua,TT,ST,vua,ZT,XT,$T,WT,Aua,bU,Eua,dU,fU,gU,hU,iU,Cua,eU,jU,Dua,Gua,Hua,Iua,aU, -Jua,cU,Fua,Kua,Bua,Lua,Nua,Oua,Mua,kU,lU,nU,oU,pU,mU,Pua,Qua,qU,tU,Rua,Uua,Tua,Sua,Vua,Xua,uU,vU,wU,xU,yU,zU,Yua,Zua,CU,ava,cva,bva,dva,fva,eva,DU,EU,gva,FU,GU,HU,IU,JU,KU,hva,iva,kva,lva,mva,nva,ova,pva,qva,LU,rva,sva,MU,NU,OU,PU,QU,RU,tva,SU,uva,vva,wva,TU,xva,UU,yva,VU,zva,Bva,Ava,Cva,Hva,Fva,Dva,Eva,Gva,XU,Jva,WU,Lva,$U,Mva,Nva,eV,oI,fV,gV,Qva,Rva,Uva,hV,dV,ZV,kV,YU,Sva,cW,Vva,eW,$V,gW,fW,dW,jW,lW,kW,ZU,$va,Ova,bV,hW,qW,awa,rW,bwa,aV,cwa,nW,pW,jV,Wva,ewa,dwa,gwa,fwa,sW,Yva,YV,tW,iV,cV,uW,oW,Pva, -vW,wW,jwa,hwa,aW,kwa,mW,lwa,iW,Zva,Tva,xW,mwa,owa,pwa,nwa,qwa,yW,zW,twa,swa,Kq,Nq,vwa,uwa,wwa,AW,xwa,DW,EW,ywa,BW,Bwa,zwa,CW,Awa,GW,FW,HW,Y,jM,Cwa,Dwa,Ewa,Fwa,LW,KW,MW,PW,$W,aX,ura,oG,Qwa,Swa,mX,Xwa,pX,Zwa,Wwa,$wa,axa,oX,Ywa,rX,sX,tX,uX,Gwa,vX,ZW,bxa,xX,cxa,wX,zX,dxa,CX,DX,IX,fxa,gxa,KX,JX,LX,hxa,ixa,NX,MX,jxa,PX,QX,lxa,kxa,TX,nxa,VX,RX,oxa,pxa,mxa,WX,ZX,qxa,YX,$X,bY,aY,eY,rxa,sxa,hY,txa,wxa,uxa,lY,mY,xxa,pY,qY,sY,uY,yxa,zxa,xY,Bxa,wY,Axa,Cxa,Dxa,AY,Exa,Gxa,Fxa,DY,Ixa,Hxa,EY,FY,IY,Kxa,Jxa,JY,KY,LY, -Lxa,MY,NY,OY,PY,Mxa,QY,RY,Oxa,Nxa,Qxa,Pxa,WY,UY,XY,VY,Rxa,Sxa,Txa,YY,ZY,$Y,Uxa,cZ,Vxa,eZ,fZ,gZ,iZ,jZ,kZ,lZ,Wxa,Zxa,mZ,Xxa,Yxa,nZ,cya,dya,oZ,fya,eya,gya,hya,iya,rZ,tZ,uZ,vZ,jya,kya,lya,mya,oya,pya,qya,zZ,DZ,sya,tya,BZ,xZ,AZ,FZ,wya,GZ,CZ,nya,vya,EZ,rya,uya,xya,yya,HZ,IZ,JZ,KZ,Aya,NZ,OZ,PZ,QZ,RZ,SZ,Bya,TZ,VZ,UZ,WZ,XZ,Cya,YZ,Dya,Fya,Eya,ZZ,$Z,Gya,a_,b_,Hya,c_,Iya,d_,Jya,e_,f_,j_,i_,Kya,h_,m_,Lya,Mya,n_,o_,q_,Nya,fY,Rya,BY,Oya,l_,Qya,CY,Pya,Sya,Uya,Tya,u_,Vya,v_,Wya,w_,Xya,Yya,Zya,z_,bza,$ya,cza,A_,y_, -dza,aza,B_,fza,eza,C_,E_,lza,H_,kza,jza,I_,D_,J_,iX,mza,G_,Ila,F_,nza,hza,K_,sza,M_,uza,vza,qza,O_,wza,P_,oza,R_,rza,xza,Q_,N_,yza,jX,zza,L_,Bza,V_,T_,W_,U_,Cza,X_,Eza,$_,Gza,Hza,XH,Iza,Jza,c0,b0,a0,Kza,Lza,Nwa,Owa,Mza,Nza,e0,f0,g0,i0,Zza,Uza,qG,Tza,aAa,bAa,l0,m0,hX,dAa,cAa,n0,Pwa,h0,kX,r0,fAa,s0,u0,Xza,Yza,A0,hAa,z0,j0,IM,jAa,E0,$za,F0,gAa,Jwa,kAa,lAa,w0,x0,v0,I0,qAa,o0,rAa,sAa,tAa,tza,vAa,J0,D0,gza,p0,S_,K0,L0,wAa,y0,eAa,H0,mAa,yAa,Kwa,iAa,IW,AAa,C0,O0,CAa,q0,bX,P0,DAa,EAa,Q0,FAa,Wza,G0,GAa,Vza, -R0,S0,Fza,HAa,IAa,LAa,NAa,W0,X0,aa,fa,ea,eaa,La,Ta,faa;ba=function(a){return function(){return aa[a].apply(this,arguments)}}; -g.ca=function(a,b){return aa[a]=b}; -da=function(a){var b=0;return function(){return bb?null:"string"===typeof a?a.charAt(b):a[b]}; -g.ib=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; -paa=function(a){for(var b={},c=0,d=0;d>>1),n;c?n=b.call(e,a[m],m,a):n=b(d,a[m]);0b?1:ac&&g.xb(a,-(c+1),0,b)}; -g.Hb=function(a,b,c){var d={};(0,g.Gb)(a,function(e,f){d[b.call(c,e,f,a)]=e}); +naa=function(a,b,c){a instanceof String&&(a=String(a));for(var d=a.length,e=0;eb?null:"string"===typeof a?a.charAt(b):a[b]}; +kb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; +yaa=function(a){for(var b=0,c=0,d={};c>>1),m=void 0;c?m=b.call(void 0,a[l],l,a):m=b(d,a[l]);0b?1:ac&&g.Gb(a,-(c+1),0,b)}; +g.Pb=function(a,b,c){var d={};(0,g.Ob)(a,function(e,f){d[b.call(c,e,f,a)]=e}); return d}; -saa=function(a){for(var b=[],c=0;c")&&(a=a.replace(vc,">"));-1!=a.indexOf('"')&&(a=a.replace(wc,"""));-1!=a.indexOf("'")&&(a=a.replace(xc,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(yc,"�"))}return a}; -Ac=function(a,b){return-1!=a.toLowerCase().indexOf(b.toLowerCase())}; -g.Dc=function(a,b){for(var c=0,d=Bc(String(a)).split("."),e=Bc(String(b)).split("."),f=Math.max(d.length,e.length),h=0;0==c&&hb?1:0}; -g.Fc=function(a,b){this.B=b===Ec?a:""}; -g.Gc=function(a){return a instanceof g.Fc&&a.constructor===g.Fc?a.B:"type_error:SafeUrl"}; -Hc=function(a){a=String(a);a=a.replace(/(%0A|%0D)/g,"");var b=a.match(yaa);return b&&zaa.test(b[1])?new g.Fc(a,Ec):null}; -g.Kc=function(a){a instanceof g.Fc||(a="object"==typeof a&&a.jj?a.zg():String(a),a=Ic.test(a)?new g.Fc(a,Ec):Hc(a));return a||Jc}; -g.Lc=function(a,b){if(a instanceof g.Fc)return a;a="object"==typeof a&&a.jj?a.zg():String(a);if(b&&/^data:/i.test(a)){var c=Hc(a)||Jc;if(c.zg()==a)return c}Ic.test(a)||(a="about:invalid#zClosurez");return new g.Fc(a,Ec)}; -Nc=function(a,b){this.u=b===Mc?a:""}; -Oc=function(a){return a instanceof Nc&&a.constructor===Nc?a.u:"type_error:SafeStyle"}; -Sc=function(a){var b="",c;for(c in a)if(Object.prototype.hasOwnProperty.call(a,c)){if(!/^[-_a-zA-Z0-9]+$/.test(c))throw Error("Name allows only [-_a-zA-Z0-9], got: "+c);var d=a[c];null!=d&&(d=Array.isArray(d)?g.Pc(d,Qc).join(" "):Qc(d),b+=c+":"+d+";")}return b?new Nc(b,Mc):Rc}; -Qc=function(a){if(a instanceof g.Fc)return'url("'+g.Gc(a).replace(/>>0;return b}; -g.rd=function(a){var b=Number(a);return 0==b&&g.rc(a)?NaN:b}; -sd=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; -td=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; -Laa=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; -ud=function(a,b,c,d,e,f,h){var l="";a&&(l+=a+":");c&&(l+="//",b&&(l+=b+"@"),l+=c,d&&(l+=":"+d));e&&(l+=e);f&&(l+="?"+f);h&&(l+="#"+h);return l}; -vd=function(a){return a?decodeURI(a):a}; -g.xd=function(a,b){return b.match(wd)[a]||null}; -g.yd=function(a){return vd(g.xd(3,a))}; -zd=function(a){a=a.match(wd);return ud(a[1],null,a[3],a[4])}; -Ad=function(a){a=a.match(wd);return ud(null,null,null,null,a[5],a[6],a[7])}; -Bd=function(a,b){if(a)for(var c=a.split("&"),d=0;db&&(b=a.length);var c=a.indexOf("?");if(0>c||c>b){c=b;var d=""}else d=a.substring(c+1,b);return[a.substr(0,c),d,a.substr(b)]}; -Dd=function(a,b){return b?a?a+"&"+b:b:a}; -Ed=function(a,b){if(!b)return a;var c=Cd(a);c[1]=Dd(c[1],b);return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Fd=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return md(a.substr(d,e-d))}; -Qd=function(a,b){for(var c=a.search(Od),d=0,e,f=[];0<=(e=Nd(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.substr(d));return f.join("").replace(Maa,"$1")}; -Rd=function(a,b,c){return Md(Qd(a,b),b,c)}; -Naa=function(a,b){var c=Cd(a),d=c[1],e=[];d&&d.split("&").forEach(function(f){var h=f.indexOf("=");b.hasOwnProperty(0<=h?f.substr(0,h):f)||e.push(f)}); -c[1]=Dd(e.join("&"),g.Hd(b));return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Sd=function(){return Wc("iPhone")&&!Wc("iPod")&&!Wc("iPad")}; -Td=function(){return Sd()||Wc("iPad")||Wc("iPod")}; -Ud=function(a){Ud[" "](a);return a}; -Vd=function(a,b){try{return Ud(a[b]),!0}catch(c){}return!1}; -Wd=function(a,b,c,d){d=d?d(b):b;return Object.prototype.hasOwnProperty.call(a,d)?a[d]:a[d]=c(b)}; -Xd=function(){var a=g.v.document;return a?a.documentMode:void 0}; -g.$d=function(a){return Wd(Oaa,a,function(){return 0<=g.Dc(Zd,a)})}; -g.ae=function(a){return Number(Paa)>=a}; -g.be=function(a,b,c){return Math.min(Math.max(a,b),c)}; -g.ce=function(a,b){var c=a%b;return 0>c*b?c+b:c}; -g.de=function(a,b,c){return a+c*(b-a)}; -ee=function(a,b){return 1E-6>=Math.abs(a-b)}; -g.fe=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; -ge=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; -g.he=function(a,b){this.width=a;this.height=b}; -g.ie=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; -je=function(a){return a.width*a.height}; -ne=function(a){return a?new ke(le(a)):me||(me=new ke)}; -oe=function(a,b){return"string"===typeof b?a.getElementById(b):b}; -g.se=function(a,b){var c=b||document;return c.querySelectorAll&&c.querySelector?c.querySelectorAll("."+a):g.pe(document,"*",a,b)}; -g.te=function(a,b){var c=b||document;if(c.getElementsByClassName)c=c.getElementsByClassName(a)[0];else{c=document;var d=b||c;c=d.querySelectorAll&&d.querySelector&&a?d.querySelector(a?"."+a:""):g.pe(c,"*",a,b)[0]||null}return c||null}; -g.pe=function(a,b,c,d){a=d||a;b=b&&"*"!=b?String(b).toUpperCase():"";if(a.querySelectorAll&&a.querySelector&&(b||c))return a.querySelectorAll(b+(c?"."+c:""));if(c&&a.getElementsByClassName){a=a.getElementsByClassName(c);if(b){d={};for(var e=0,f=0,h;h=a[f];f++)b==h.nodeName&&(d[e++]=h);d.length=e;return d}return a}a=a.getElementsByTagName(b||"*");if(c){d={};for(f=e=0;h=a[f];f++)b=h.className,"function"==typeof b.split&&g.nb(b.split(/\s+/),c)&&(d[e++]=h);d.length=e;return d}return a}; -ve=function(a,b){g.Ib(b,function(c,d){c&&"object"==typeof c&&c.jj&&(c=c.zg());"style"==d?a.style.cssText=c:"class"==d?a.className=c:"for"==d?a.htmlFor=c:ue.hasOwnProperty(d)?a.setAttribute(ue[d],c):pc(d,"aria-")||pc(d,"data-")?a.setAttribute(d,c):a[d]=c})}; -we=function(a){a=a.document;a="CSS1Compat"==a.compatMode?a.documentElement:a.body;return new g.he(a.clientWidth,a.clientHeight)}; -ze=function(a){var b=xe(a);a=a.parentWindow||a.defaultView;return g.ye&&g.$d("10")&&a.pageYOffset!=b.scrollTop?new g.fe(b.scrollLeft,b.scrollTop):new g.fe(a.pageXOffset||b.scrollLeft,a.pageYOffset||b.scrollTop)}; -xe=function(a){return a.scrollingElement?a.scrollingElement:g.Ae||"CSS1Compat"!=a.compatMode?a.body||a.documentElement:a.documentElement}; -Be=function(a){return a?a.parentWindow||a.defaultView:window}; -g.Ee=function(a,b,c){var d=arguments,e=document,f=String(d[0]),h=d[1];if(!Qaa&&h&&(h.name||h.type)){f=["<",f];h.name&&f.push(' name="',g.nd(h.name),'"');if(h.type){f.push(' type="',g.nd(h.type),'"');var l={};g.bc(l,h);delete l.type;h=l}f.push(">");f=f.join("")}f=Ce(e,f);h&&("string"===typeof h?f.className=h:Array.isArray(h)?f.className=h.join(" "):ve(f,h));2a}; -Se=function(a,b,c,d){if(!b&&!c)return null;var e=b?String(b).toUpperCase():null;return Re(a,function(f){return(!e||f.nodeName==e)&&(!c||"string"===typeof f.className&&g.nb(f.className.split(/\s+/),c))},!0,d)}; -Re=function(a,b,c,d){a&&!c&&(a=a.parentNode);for(c=0;a&&(null==d||c<=d);){if(b(a))return a;a=a.parentNode;c++}return null}; -ke=function(a){this.u=a||g.v.document||document}; -Te=function(a,b,c,d){var e=window,f="//pagead2.googlesyndication.com/bg/"+g.nd(c)+".js";c=e.document;var h={};b&&(h._scs_=b);h._bgu_=f;h._bgp_=d;h._li_="v_h.3.0.0.0";(b=e.GoogleTyFxhY)&&"function"==typeof b.push||(b=e.GoogleTyFxhY=[]);b.push(h);e=ne(c).createElement("SCRIPT");e.type="text/javascript";e.async=!0;a=waa(g.kc("//tpc.googlesyndication.com/sodar/%{path}"),{path:g.nd(a)+".js"});g.jd(e,a);c.getElementsByTagName("head")[0].appendChild(e)}; -g.Ue=function(a,b){var c=void 0;return new (c||(c=Promise))(function(d,e){function f(m){try{l(b.next(m))}catch(n){e(n)}} -function h(m){try{l(b["throw"](m))}catch(n){e(n)}} -function l(m){m.done?d(m.value):(new c(function(n){n(m.value)})).then(f,h)} -l((b=b.apply(a,void 0)).next())})}; -Uaa=function(a){return g.Pc(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; -g.We=function(a){for(var b=[],c=0,d=0;ce)b[d++]=String.fromCharCode(e);else if(191e){var f=a[c++];b[d++]=String.fromCharCode((e&31)<<6|f&63)}else if(239e){f=a[c++];var h=a[c++],l=a[c++];e=((e&7)<<18|(f&63)<<12|(h&63)<<6|l&63)-65536;b[d++]=String.fromCharCode(55296+(e>>10));b[d++]=String.fromCharCode(56320+(e&1023))}else f=a[c++],h=a[c++],b[d++]=String.fromCharCode((e&15)<<12|(f&63)<<6|h&63)}return b.join("")}; -Ye=function(a,b,c){this.B=null;this.u=this.C=this.D=0;this.F=!1;a&&Xe(this,a,b,c)}; -$e=function(a,b,c){if(Ze.length){var d=Ze.pop();a&&Xe(d,a,b,c);return d}return new Ye(a,b,c)}; -Xe=function(a,b,c,d){b=b.constructor===Uint8Array?b:b.constructor===ArrayBuffer?new Uint8Array(b):b.constructor===Array?new Uint8Array(b):b.constructor===String?g.af(b):new Uint8Array(0);a.B=b;a.D=void 0!==c?c:0;a.C=void 0!==d?a.D+d:a.B.length;a.u=a.D}; -bf=function(a){for(var b=128,c=0,d=0,e=0;4>e&&128<=b;e++)b=a.B[a.u++],c|=(b&127)<<7*e;128<=b&&(b=a.B[a.u++],c|=(b&127)<<28,d|=(b&127)>>4);if(128<=b)for(e=0;5>e&&128<=b;e++)b=a.B[a.u++],d|=(b&127)<<7*e+3;if(128>b){a=c>>>0;b=d>>>0;if(d=b&2147483648)a=~a+1>>>0,b=~b>>>0,0==a&&(b=b+1>>>0);a=4294967296*b+(a>>>0);return d?-a:a}a.F=!0}; -cf=function(a){var b=a.B;var c=b[a.u+0];var d=c&127;if(128>c)return a.u+=1,d;c=b[a.u+1];d|=(c&127)<<7;if(128>c)return a.u+=2,d;c=b[a.u+2];d|=(c&127)<<14;if(128>c)return a.u+=3,d;c=b[a.u+3];d|=(c&127)<<21;if(128>c)return a.u+=4,d;c=b[a.u+4];d|=(c&15)<<28;if(128>c)return a.u+=5,d>>>0;a.u+=5;128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&a.u++;return d}; -df=function(a){this.u=$e(a,void 0,void 0);this.F=this.u.u;this.B=this.C=-1;this.D=!1}; -gf=function(a){var b=a.u;(b=b.u==b.C)||(b=a.D)||(b=a.u,b=b.F||0>b.u||b.u>b.C);if(b)return!1;a.F=a.u.u;b=cf(a.u);var c=b&7;if(0!=c&&5!=c&&1!=c&&2!=c&&3!=c&&4!=c)return a.D=!0,!1;a.C=b>>>3;a.B=c;return!0}; -hf=function(a){switch(a.B){case 0:if(0!=a.B)hf(a);else{for(a=a.u;a.B[a.u]&128;)a.u++;a.u++}break;case 1:1!=a.B?hf(a):a.u.advance(8);break;case 2:if(2!=a.B)hf(a);else{var b=cf(a.u);a.u.advance(b)}break;case 5:5!=a.B?hf(a):a.u.advance(4);break;case 3:b=a.C;do{if(!gf(a)){a.D=!0;break}if(4==a.B){a.C!=b&&(a.D=!0);break}hf(a)}while(1);break;default:a.D=!0}}; -jf=function(a){var b=cf(a.u);a=a.u;var c=a.B,d=a.u,e=d+b;b=[];for(var f="";dh)b.push(h);else if(192>h)continue;else if(224>h){var l=c[d++];b.push((h&31)<<6|l&63)}else if(240>h){l=c[d++];var m=c[d++];b.push((h&15)<<12|(l&63)<<6|m&63)}else if(248>h){l=c[d++];m=c[d++];var n=c[d++];h=(h&7)<<18|(l&63)<<12|(m&63)<<6|n&63;h-=65536;b.push((h>>10&1023)+55296,(h&1023)+56320)}8192<=b.length&&(f+=String.fromCharCode.apply(null,b),b.length=0)}c=f;if(8192>=b.length)b=String.fromCharCode.apply(null, -b);else{e="";for(f=0;fb||a.u+b>a.B.length)a.F=!0,b=new Uint8Array(0);else{var c=a.B.subarray(a.u,a.u+b);a.u+=b;b=c}return b}; -lf=function(){this.u=[]}; -g.mf=function(a,b){for(;127>>=7;a.u.push(b)}; -g.nf=function(a,b){a.u.push(b>>>0&255);a.u.push(b>>>8&255);a.u.push(b>>>16&255);a.u.push(b>>>24&255)}; -g.qf=function(a,b){void 0===b&&(b=0);of();for(var c=pf[b],d=[],e=0;e>2;f=(f&3)<<4|l>>4;l=(l&15)<<2|n>>6;n&=63;m||(n=64,h||(l=64));d.push(c[p],c[f],c[l]||"",c[n]||"")}return d.join("")}; -g.rf=function(a){for(var b=[],c=0,d=0;d>=8);b[c++]=e}return g.qf(b,3)}; -Vaa=function(a){var b=[];sf(a,function(c){b.push(c)}); +Caa=function(a){for(var b=[],c=0;c")&&(a=a.replace(Laa,">"));-1!=a.indexOf('"')&&(a=a.replace(Maa,"""));-1!=a.indexOf("'")&&(a=a.replace(Naa,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(Oaa,"�"));return a}; +g.Vb=function(a,b){return-1!=a.indexOf(b)}; +ac=function(a,b){return g.Vb(a.toLowerCase(),b.toLowerCase())}; +g.ec=function(a,b){var c=0;a=cc(String(a)).split(".");b=cc(String(b)).split(".");for(var d=Math.max(a.length,b.length),e=0;0==c&&eb?1:0}; +g.hc=function(){var a=g.Ea.navigator;return a&&(a=a.userAgent)?a:""}; +mc=function(a){return ic||jc?kc?kc.brands.some(function(b){return(b=b.brand)&&g.Vb(b,a)}):!1:!1}; +nc=function(a){return g.Vb(g.hc(),a)}; +oc=function(){return ic||jc?!!kc&&0=a}; +$aa=function(a){return g.Pc?"webkit"+a:a.toLowerCase()}; +Qc=function(a,b){g.ib.call(this,a?a.type:"");this.relatedTarget=this.currentTarget=this.target=null;this.button=this.screenY=this.screenX=this.clientY=this.clientX=0;this.key="";this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.altKey=this.ctrlKey=!1;this.state=null;this.pointerId=0;this.pointerType="";this.j=null;a&&this.init(a,b)}; +Rc=function(a){return!(!a||!a[aba])}; +cba=function(a,b,c,d,e){this.listener=a;this.proxy=null;this.src=b;this.type=c;this.capture=!!d;this.ud=e;this.key=++bba;this.removed=this.cF=!1}; +Sc=function(a){a.removed=!0;a.listener=null;a.proxy=null;a.src=null;a.ud=null}; +g.Tc=function(a,b,c){for(var d in a)b.call(c,a[d],d,a)}; +g.Uc=function(a,b,c){var d={},e;for(e in a)b.call(c,a[e],e,a)&&(d[e]=a[e]);return d}; +Vc=function(a,b){var c={},d;for(d in a)c[d]=b.call(void 0,a[d],d,a);return c}; +g.Wc=function(a,b,c){for(var d in a)if(b.call(c,a[d],d,a))return!0;return!1}; +dba=function(a,b){for(var c in a)if(!b.call(void 0,a[c],c,a))return!1;return!0}; +g.Xc=function(a){for(var b in a)return b}; +eba=function(a){for(var b in a)return a[b]}; +Yc=function(a){var b=[],c=0,d;for(d in a)b[c++]=a[d];return b}; +g.Zc=function(a){var b=[],c=0,d;for(d in a)b[c++]=d;return b}; +g.$c=function(a,b){return null!==a&&b in a}; +g.ad=function(a,b){for(var c in a)if(a[c]==b)return!0;return!1}; +gd=function(a,b){for(var c in a)if(b.call(void 0,a[c],c,a))return c}; +fba=function(a,b){return(b=gd(a,b))&&a[b]}; +g.hd=function(a){for(var b in a)return!1;return!0}; +g.gba=function(a){for(var b in a)delete a[b]}; +g.id=function(a,b){b in a&&delete a[b]}; +g.jd=function(a,b,c){return null!==a&&b in a?a[b]:c}; +g.kd=function(a,b){for(var c in a)if(!(c in b)||a[c]!==b[c])return!1;for(var d in b)if(!(d in a))return!1;return!0}; +g.md=function(a){var b={},c;for(c in a)b[c]=a[c];return b}; +g.nd=function(a){if(!a||"object"!==typeof a)return a;if("function"===typeof a.clone)return a.clone();if("undefined"!==typeof Map&&a instanceof Map)return new Map(a);if("undefined"!==typeof Set&&a instanceof Set)return new Set(a);if(a instanceof Date)return new Date(a.getTime());var b=Array.isArray(a)?[]:"function"!==typeof ArrayBuffer||"function"!==typeof ArrayBuffer.isView||!ArrayBuffer.isView(a)||a instanceof DataView?{}:new a.constructor(a.length),c;for(c in a)b[c]=g.nd(a[c]);return b}; +g.od=function(a,b){for(var c,d,e=1;ea.u&&(a.u++,b.next=a.j,a.j=b)}; +Ld=function(a){return function(){return a}}; +g.Md=function(){}; +rba=function(a){var b=b||0;return function(){return a.apply(this,Array.prototype.slice.call(arguments,0,b))}}; +Nd=function(a){var b=!1,c;return function(){b||(c=a(),b=!0);return c}}; +Od=function(a){var b=a;return function(){if(b){var c=b;b=null;c()}}}; +sba=function(a,b){var c=0;return function(d){g.Ea.clearTimeout(c);var e=arguments;c=g.Ea.setTimeout(function(){a.apply(b,e)},50)}}; +Ud=function(){if(void 0===Td){var a=null,b=g.Ea.trustedTypes;if(b&&b.createPolicy){try{a=b.createPolicy("goog#html",{createHTML:Ua,createScript:Ua,createScriptURL:Ua})}catch(c){g.Ea.console&&g.Ea.console.error(c.message)}Td=a}else Td=a}return Td}; +Vd=function(a,b){this.j=a===tba&&b||"";this.u=uba}; +Wd=function(a){return a instanceof Vd&&a.constructor===Vd&&a.u===uba?a.j:"type_error:Const"}; +g.Xd=function(a){return new Vd(tba,a)}; +Yd=function(a,b){this.j=b===vba?a:"";this.Qo=!0}; +wba=function(a){return a instanceof Yd&&a.constructor===Yd?a.j:"type_error:SafeScript"}; +xba=function(a){var b=Ud();a=b?b.createScript(a):a;return new Yd(a,vba)}; +Zd=function(a,b){this.j=b===yba?a:""}; +zba=function(a){return a instanceof Zd&&a.constructor===Zd?a.j:"type_error:TrustedResourceUrl"}; +Cba=function(a,b){var c=Wd(a);if(!Aba.test(c))throw Error("Invalid TrustedResourceUrl format: "+c);a=c.replace(Bba,function(d,e){if(!Object.prototype.hasOwnProperty.call(b,e))throw Error('Found marker, "'+e+'", in format string, "'+c+'", but no valid label mapping found in args: '+JSON.stringify(b));d=b[e];return d instanceof Vd?Wd(d):encodeURIComponent(String(d))}); +return $d(a)}; +$d=function(a){var b=Ud();a=b?b.createScriptURL(a):a;return new Zd(a,yba)}; +ae=function(a,b){this.j=b===Dba?a:""}; +g.be=function(a){return a instanceof ae&&a.constructor===ae?a.j:"type_error:SafeUrl"}; +Eba=function(a){var b=a.indexOf("#");0a*b?a+b:a}; +De=function(a,b,c){return a+c*(b-a)}; +Ee=function(a,b){return 1E-6>=Math.abs(a-b)}; +g.Fe=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; +Ge=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; +g.He=function(a,b){this.width=a;this.height=b}; +g.Ie=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; +Je=function(a){return a.width*a.height}; +g.Ke=function(a){return encodeURIComponent(String(a))}; +Le=function(a){return decodeURIComponent(a.replace(/\+/g," "))}; +g.Me=function(a){return a=Ub(a)}; +g.Qe=function(a){return null==a?"":String(a)}; +Re=function(a){for(var b=0,c=0;c>>0;return b}; +Se=function(a){var b=Number(a);return 0==b&&g.Tb(a)?NaN:b}; +bca=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; +cca=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; +dca=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; +eca=function(a){var b=1;a=a.split(":");for(var c=[];0a}; +Df=function(a,b,c){if(!b&&!c)return null;var d=b?String(b).toUpperCase():null;return Cf(a,function(e){return(!d||e.nodeName==d)&&(!c||"string"===typeof e.className&&g.rb(e.className.split(/\s+/),c))},!0)}; +Cf=function(a,b,c){a&&!c&&(a=a.parentNode);for(c=0;a;){if(b(a))return a;a=a.parentNode;c++}return null}; +Te=function(a){this.j=a||g.Ea.document||document}; +Ff=function(a){"function"!==typeof g.Ea.setImmediate||g.Ea.Window&&g.Ea.Window.prototype&&!tc()&&g.Ea.Window.prototype.setImmediate==g.Ea.setImmediate?(Ef||(Ef=nca()),Ef(a)):g.Ea.setImmediate(a)}; +nca=function(){var a=g.Ea.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!nc("Presto")&&(a=function(){var e=g.qf("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.Oa)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()}, +this); +f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); +if("undefined"!==typeof a&&!qc()){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.MS;c.MS=null;e()}}; +return function(e){d.next={MS:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.Ea.setTimeout(e,0)}}; +oca=function(a){g.Ea.setTimeout(function(){throw a;},0)}; +Gf=function(){this.u=this.j=null}; +Hf=function(){this.next=this.scope=this.fn=null}; +g.Mf=function(a,b){If||pca();Lf||(If(),Lf=!0);qca.add(a,b)}; +pca=function(){if(g.Ea.Promise&&g.Ea.Promise.resolve){var a=g.Ea.Promise.resolve(void 0);If=function(){a.then(rca)}}else If=function(){Ff(rca)}}; +rca=function(){for(var a;a=qca.remove();){try{a.fn.call(a.scope)}catch(b){oca(b)}qba(sca,a)}Lf=!1}; +g.Of=function(a){this.j=0;this.J=void 0;this.C=this.u=this.B=null;this.D=this.I=!1;if(a!=g.Md)try{var b=this;a.call(void 0,function(c){Nf(b,2,c)},function(c){Nf(b,3,c)})}catch(c){Nf(this,3,c)}}; +tca=function(){this.next=this.context=this.u=this.B=this.j=null;this.C=!1}; +Pf=function(a,b,c){var d=uca.get();d.B=a;d.u=b;d.context=c;return d}; +Qf=function(a){if(a instanceof g.Of)return a;var b=new g.Of(g.Md);Nf(b,2,a);return b}; +Rf=function(a){return new g.Of(function(b,c){c(a)})}; +g.wca=function(a,b,c){vca(a,b,c,null)||g.Mf(g.Pa(b,a))}; +xca=function(a){return new g.Of(function(b,c){a.length||b(void 0);for(var d=0,e;d=a.C&&a.gx()}; +Ica=function(a,b){return a.I.has(b)?void 0:a.u.get(b)}; +Jca=function(a){for(var b=0;b "+a)}; +eg=function(){throw Error("Invalid UTF8");}; +Vca=function(a,b){b=String.fromCharCode.apply(null,b);return null==a?b:a+b}; +Yca=function(a){var b=!1;b=void 0===b?!1:b;if(Wca){if(b&&/(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])/.test(a))throw Error("Found an unpaired surrogate");a=(Xca||(Xca=new TextEncoder)).encode(a)}else{for(var c=0,d=new Uint8Array(3*a.length),e=0;ef)d[c++]=f;else{if(2048>f)d[c++]=f>>6|192;else{if(55296<=f&&57343>=f){if(56319>=f&&e=h){f=1024*(f-55296)+h-56320+65536;d[c++]=f>> +18|240;d[c++]=f>>12&63|128;d[c++]=f>>6&63|128;d[c++]=f&63|128;continue}else e--}if(b)throw Error("Found an unpaired surrogate");f=65533}d[c++]=f>>12|224;d[c++]=f>>6&63|128}d[c++]=f&63|128}}a=c===d.length?d:d.subarray(0,c)}return a}; +Zca=function(a){return Array.prototype.map.call(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; +g.gg=function(a,b){void 0===b&&(b=0);ada();b=bda[b];for(var c=Array(Math.floor(a.length/3)),d=b[64]||"",e=0,f=0;e>2];h=b[(h&3)<<4|l>>4];l=b[(l&15)<<2|m>>6];m=b[m&63];c[f++]=""+n+h+l+m}n=0;m=d;switch(a.length-e){case 2:n=a[e+1],m=b[(n&15)<<2]||d;case 1:a=a[e],c[f]=""+b[a>>2]+b[(a&3)<<4|n>>4]+m+d}return c.join("")}; +g.hg=function(a,b){if(cda&&!b)a=g.Ea.btoa(a);else{for(var c=[],d=0,e=0;e>=8);c[d++]=f}a=g.gg(c,b)}return a}; +eda=function(a){var b=[];dda(a,function(c){b.push(c)}); return b}; -g.af=function(a){!g.ye||g.$d("10");var b=a.length,c=3*b/4;c%3?c=Math.floor(c):-1!="=.".indexOf(a[b-1])&&(c=-1!="=.".indexOf(a[b-2])?c-2:c-1);var d=new Uint8Array(c),e=0;sf(a,function(f){d[e++]=f}); -return d.subarray(0,e)}; -sf=function(a,b){function c(m){for(;d>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; -of=function(){if(!tf){tf={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));pf[c]=d;for(var e=0;eb;b++)a.u.push(c&127|128),c>>=7;a.u.push(1)}}; -g.zf=function(a,b,c){if(null!=c&&null!=c){g.mf(a.u,8*b);a=a.u;var d=c;c=0>d;d=Math.abs(d);b=d>>>0;d=Math.floor((d-b)/4294967296);d>>>=0;c&&(d=~d>>>0,b=(~b>>>0)+1,4294967295>>7|b<<25)>>>0,b>>>=7;a.u.push(c)}}; -g.Af=function(a,b,c){if(null!=c){g.mf(a.u,8*b+1);a=a.u;var d=c;d=(c=0>d?1:0)?-d:d;if(0===d)g.yf=0<1/d?0:2147483648,g.xf=0;else if(isNaN(d))g.yf=2147483647,g.xf=4294967295;else if(1.7976931348623157E308>>0,g.xf=0;else if(2.2250738585072014E-308>d)d/=Math.pow(2,-1074),g.yf=(c<<31|d/4294967296)>>>0,g.xf=d>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;g.xf=4503599627370496* -d>>>0}g.nf(a,g.xf);g.nf(a,g.yf)}}; -g.Bf=function(){}; -g.Gf=function(a,b,c,d){a.u=null;b||(b=[]);a.I=void 0;a.C=-1;a.xf=b;a:{if(b=a.xf.length){--b;var e=a.xf[b];if(!(null===e||"object"!=typeof e||Array.isArray(e)||Cf&&e instanceof Uint8Array)){a.D=b-a.C;a.B=e;break a}}a.D=Number.MAX_VALUE}a.F={};if(c)for(b=0;ba&&b.setFullYear(b.getFullYear()-1900);return b}; -Xf=function(a,b){a.getDate()!=b&&a.date.setUTCHours(a.date.getUTCHours()+(a.getDate()>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; +ada=function(){if(!rg){rg={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));bda[c]=d;for(var e=0;ea;a=Math.abs(a);var c=a>>>0;a=Math.floor((a-c)/4294967296);b&&(c=g.t(qda(c,a)),b=c.next().value,a=c.next().value,c=b);Ag=c>>>0;Bg=a>>>0}; +tda=function(a){if(16>a.length)rda(Number(a));else if(sda)a=BigInt(a),Ag=Number(a&BigInt(4294967295))>>>0,Bg=Number(a>>BigInt(32)&BigInt(4294967295));else{var b=+("-"===a[0]);Bg=Ag=0;for(var c=a.length,d=0+b,e=(c-b)%6+b;e<=c;d=e,e+=6)d=Number(a.slice(d,e)),Bg*=1E6,Ag=1E6*Ag+d,4294967296<=Ag&&(Bg+=Ag/4294967296|0,Ag%=4294967296);b&&(b=g.t(qda(Ag,Bg)),a=b.next().value,b=b.next().value,Ag=a,Bg=b)}}; +qda=function(a,b){b=~b;a?a=~a+1:b+=1;return[a,b]}; +Cg=function(a,b){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.init(a,void 0,void 0,b)}; +Eg=function(a){var b=0,c=0,d=0,e=a.u,f=a.j;do{var h=e[f++];b|=(h&127)<d&&h&128);32>4);for(d=3;32>d&&h&128;d+=7)h=e[f++],c|=(h&127)<h){a=b>>>0;h=c>>>0;if(c=h&2147483648)a=~a+1>>>0,h=~h>>>0,0==a&&(h=h+1>>>0);a=4294967296*h+(a>>>0);return c?-a:a}throw dg();}; +Dg=function(a,b){a.j=b;if(b>a.B)throw Uca(a.B,b);}; +Fg=function(a){var b=a.u,c=a.j,d=b[c++],e=d&127;if(d&128&&(d=b[c++],e|=(d&127)<<7,d&128&&(d=b[c++],e|=(d&127)<<14,d&128&&(d=b[c++],e|=(d&127)<<21,d&128&&(d=b[c++],e|=d<<28,d&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128)))))throw dg();Dg(a,c);return e}; +Gg=function(a){var b=a.u,c=a.j,d=b[c+0],e=b[c+1],f=b[c+2];b=b[c+3];a.advance(4);return(d<<0|e<<8|f<<16|b<<24)>>>0}; +Hg=function(a){var b=Gg(a),c=Gg(a);a=2*(c>>31)+1;var d=c>>>20&2047;b=4294967296*(c&1048575)+b;return 2047==d?b?NaN:Infinity*a:0==d?a*Math.pow(2,-1074)*b:a*Math.pow(2,d-1075)*(b+4503599627370496)}; +Ig=function(a){for(var b=0,c=a.j,d=c+10,e=a.u;cb)throw Error("Tried to read a negative byte length: "+b);var c=a.j,d=c+b;if(d>a.B)throw Uca(b,a.B-c);a.j=d;return c}; +wda=function(a,b){if(0==b)return wg();var c=uda(a,b);a.XE&&a.D?c=a.u.subarray(c,c+b):(a=a.u,b=c+b,c=c===b?tg():vda?a.slice(c,b):new Uint8Array(a.subarray(c,b)));return pda(c)}; +Kg=function(a,b){if(Jg.length){var c=Jg.pop();c.init(a,void 0,void 0,b);a=c}else a=new Cg(a,b);this.j=a;this.B=this.j.j;this.u=this.C=-1;xda(this,b)}; +xda=function(a,b){b=void 0===b?{}:b;a.mL=void 0===b.mL?!1:b.mL}; +yda=function(a){var b=a.j;if(b.j==b.B)return!1;a.B=a.j.j;var c=Fg(a.j)>>>0;b=c>>>3;c&=7;if(!(0<=c&&5>=c))throw Tca(c,a.B);if(1>b)throw Error("Invalid field number: "+b+" (at position "+a.B+")");a.C=b;a.u=c;return!0}; +Lg=function(a){switch(a.u){case 0:0!=a.u?Lg(a):Ig(a.j);break;case 1:a.j.advance(8);break;case 2:if(2!=a.u)Lg(a);else{var b=Fg(a.j)>>>0;a.j.advance(b)}break;case 5:a.j.advance(4);break;case 3:b=a.C;do{if(!yda(a))throw Error("Unmatched start-group tag: stream EOF");if(4==a.u){if(a.C!=b)throw Error("Unmatched end-group tag");break}Lg(a)}while(1);break;default:throw Tca(a.u,a.B);}}; +Mg=function(a,b,c){var d=a.j.B,e=Fg(a.j)>>>0,f=a.j.j+e,h=f-d;0>=h&&(a.j.B=f,c(b,a,void 0,void 0,void 0),h=f-a.j.j);if(h)throw Error("Message parsing ended unexpectedly. Expected to read "+(e+" bytes, instead read "+(e-h)+" bytes, either the data ended unexpectedly or the message misreported its own length"));a.j.j=f;a.j.B=d}; +Pg=function(a){var b=Fg(a.j)>>>0;a=a.j;var c=uda(a,b);a=a.u;if(zda){var d=a,e;(e=Ng)||(e=Ng=new TextDecoder("utf-8",{fatal:!0}));a=c+b;d=0===c&&a===d.length?d:d.subarray(c,a);try{var f=e.decode(d)}catch(n){if(void 0===Og){try{e.decode(new Uint8Array([128]))}catch(p){}try{e.decode(new Uint8Array([97])),Og=!0}catch(p){Og=!1}}!Og&&(Ng=void 0);throw n;}}else{f=c;b=f+b;c=[];for(var h=null,l,m;fl?c.push(l):224>l?f>=b?eg():(m=a[f++],194>l||128!==(m&192)?(f--,eg()):c.push((l&31)<<6|m&63)): +240>l?f>=b-1?eg():(m=a[f++],128!==(m&192)||224===l&&160>m||237===l&&160<=m||128!==((d=a[f++])&192)?(f--,eg()):c.push((l&15)<<12|(m&63)<<6|d&63)):244>=l?f>=b-2?eg():(m=a[f++],128!==(m&192)||0!==(l<<28)+(m-144)>>30||128!==((d=a[f++])&192)||128!==((e=a[f++])&192)?(f--,eg()):(l=(l&7)<<18|(m&63)<<12|(d&63)<<6|e&63,l-=65536,c.push((l>>10&1023)+55296,(l&1023)+56320))):eg(),8192<=c.length&&(h=Vca(h,c),c.length=0);f=Vca(h,c)}return f}; +Ada=function(a){var b=Fg(a.j)>>>0;return wda(a.j,b)}; +Bda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Dda=function(a){if(!a)return Cda||(Cda=new Bda(0,0));if(!/^\d+$/.test(a))return null;tda(a);return new Bda(Ag,Bg)}; +Eda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Gda=function(a){if(!a)return Fda||(Fda=new Eda(0,0));if(!/^-?\d+$/.test(a))return null;tda(a);return new Eda(Ag,Bg)}; +Zg=function(){this.j=[]}; +Hda=function(a,b,c){for(;0>>7|c<<25)>>>0,c>>>=7;a.j.push(b)}; +$g=function(a,b){for(;127>>=7;a.j.push(b)}; +Ida=function(a,b){if(0<=b)$g(a,b);else{for(var c=0;9>c;c++)a.j.push(b&127|128),b>>=7;a.j.push(1)}}; +ah=function(a,b){a.j.push(b>>>0&255);a.j.push(b>>>8&255);a.j.push(b>>>16&255);a.j.push(b>>>24&255)}; +Jda=function(){this.B=[];this.u=0;this.j=new Zg}; +bh=function(a,b){0!==b.length&&(a.B.push(b),a.u+=b.length)}; +Kda=function(a,b){ch(a,b,2);b=a.j.end();bh(a,b);b.push(a.u);return b}; +Lda=function(a,b){var c=b.pop();for(c=a.u+a.j.length()-c;127>>=7,a.u++;b.push(c);a.u++}; +Mda=function(a,b){if(b=b.uC){bh(a,a.j.end());for(var c=0;c>>0,c=Math.floor((c-b)/4294967296)>>>0,Ag=b,Bg=c,ah(a,Ag),ah(a,Bg)):(c=Dda(c),a=a.j,b=c.j,ah(a,c.u),ah(a,b)))}; +dh=function(a,b,c){ch(a,b,2);$g(a.j,c.length);bh(a,a.j.end());bh(a,c)}; +fh=function(a,b){if(eh)return a[eh]|=b;if(void 0!==a.So)return a.So|=b;Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return b}; +Oda=function(a,b){var c=gh(a);(c&b)!==b&&(Object.isFrozen(a)&&(a=Array.prototype.slice.call(a)),hh(a,c|b));return a}; +Pda=function(a,b){eh?a[eh]&&(a[eh]&=~b):void 0!==a.So&&(a.So&=~b)}; +gh=function(a){var b;eh?b=a[eh]:b=a.So;return null==b?0:b}; +hh=function(a,b){eh?a[eh]=b:void 0!==a.So?a.So=b:Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return a}; +ih=function(a){fh(a,1);return a}; +jh=function(a){return!!(gh(a)&2)}; +Qda=function(a){fh(a,16);return a}; +Rda=function(a,b){hh(b,(a|0)&-51)}; +kh=function(a,b){hh(b,(a|18)&-41)}; +Sda=function(a){return null!==a&&"object"===typeof a&&!Array.isArray(a)&&a.constructor===Object}; +lh=function(a,b,c,d){if(null==a){if(!c)throw Error();}else if("string"===typeof a)a=a?new vg(a,ug):wg();else if(a.constructor!==vg)if(sg(a))a=d?pda(a):a.length?new vg(new Uint8Array(a),ug):wg();else{if(!b)throw Error();a=void 0}return a}; +nh=function(a){mh(gh(a.Re))}; +mh=function(a){if(a&2)throw Error();}; +oh=function(a){if(null!=a&&"number"!==typeof a)throw Error("Value of float/double field must be a number|null|undefined, found "+typeof a+": "+a);return a}; +Tda=function(a){return a.displayName||a.name||"unknown type name"}; +Uda=function(a){return null==a?a:!!a}; +Vda=function(a){return a}; +Wda=function(a){return a}; +Xda=function(a){return a}; +Yda=function(a){return a}; +ph=function(a,b){if(!(a instanceof b))throw Error("Expected instanceof "+Tda(b)+" but got "+(a&&Tda(a.constructor)));return a}; +rh=function(a,b,c,d){var e=!1;if(null!=a&&"object"===typeof a&&!(e=Array.isArray(a))&&a.pN===qh)return a;if(!e)return c?d&2?(a=b[Zda])?b=a:(a=new b,fh(a.Re,18),b=b[Zda]=a):b=new b:b=void 0,b;e=c=gh(a);0===e&&(e|=d&16);e|=d&2;e!==c&&hh(a,e);return new b(a)}; +$da=function(a){var b=a.u+a.vu;0<=b&&Number.isInteger(b);return a.mq||(a.mq=a.Re[b]={})}; +Ah=function(a,b,c){return-1===b?null:b>=a.u?a.mq?a.mq[b]:void 0:c&&a.mq&&(c=a.mq[b],null!=c)?c:a.Re[b+a.vu]}; +H=function(a,b,c,d){nh(a);return Bh(a,b,c,d)}; +Bh=function(a,b,c,d){a.C&&(a.C=void 0);if(b>=a.u||d)return $da(a)[b]=c,a;a.Re[b+a.vu]=c;(c=a.mq)&&b in c&&delete c[b];return a}; +Ch=function(a,b,c){return void 0!==aea(a,b,c,!1)}; +Eh=function(a,b,c,d,e){var f=Ah(a,b,d);Array.isArray(f)||(f=Dh);var h=gh(f);h&1||ih(f);if(e)h&2||fh(f,18),c&1||Object.freeze(f);else{e=!(c&2);var l=h&2;c&1||!l?e&&h&16&&!l&&Pda(f,16):(f=ih(Array.prototype.slice.call(f)),Bh(a,b,f,d))}return f}; +bea=function(a,b){var c=Ah(a,b);var d=null==c?c:"number"===typeof c||"NaN"===c||"Infinity"===c||"-Infinity"===c?Number(c):void 0;null!=d&&d!==c&&Bh(a,b,d);return d}; +cea=function(a,b){var c=Ah(a,b),d=lh(c,!0,!0,!!(gh(a.Re)&18));null!=d&&d!==c&&Bh(a,b,d);return d}; +Fh=function(a,b,c,d,e){var f=jh(a.Re),h=Eh(a,b,e||1,d,f),l=gh(h);if(!(l&4)){Object.isFrozen(h)&&(h=ih(h.slice()),Bh(a,b,h,d));for(var m=0,n=0;mc||c>=a.length)throw Error();return a[c]}; +mea=function(a,b){ci=b;a=new a(b);ci=void 0;return a}; +oea=function(a,b){return nea(b)}; +nea=function(a){switch(typeof a){case "number":return isFinite(a)?a:String(a);case "object":if(a&&!Array.isArray(a)){if(sg(a))return gda(a);if(a instanceof vg){var b=a.j;return null==b?"":"string"===typeof b?b:a.j=gda(b)}}}return a}; +pea=function(a,b,c,d,e,f){if(null!=a){if(Array.isArray(a))a=e&&0==a.length&&gh(a)&1?void 0:f&&gh(a)&2?a:di(a,b,c,void 0!==d,e,f);else if(Sda(a)){var h={},l;for(l in a)h[l]=pea(a[l],b,c,d,e,f);a=h}else a=b(a,d);return a}}; +di=function(a,b,c,d,e,f){var h=gh(a);d=d?!!(h&16):void 0;a=Array.prototype.slice.call(a);for(var l=0;lh&&"number"!==typeof a[h]){var l=a[h++];c(b,l)}for(;hd?-2147483648:0)?-d:d,1.7976931348623157E308>>0,Ag=0;else if(2.2250738585072014E-308>d)b=d/Math.pow(2,-1074),Bg=(c|b/4294967296)>>>0,Ag=b>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;Ag=4503599627370496*d>>>0}ah(a, +Ag);ah(a,Bg)}}; +oi=function(a,b,c){b=Ah(b,c);null!=b&&("string"===typeof b&&Gda(b),null!=b&&(ch(a,c,0),"number"===typeof b?(a=a.j,rda(b),Hda(a,Ag,Bg)):(c=Gda(b),Hda(a.j,c.u,c.j))))}; +pi=function(a,b,c){a:if(b=Ah(b,c),null!=b){switch(typeof b){case "string":b=+b;break a;case "number":break a}b=void 0}null!=b&&null!=b&&(ch(a,c,0),Ida(a.j,b))}; +Lea=function(a,b,c){b=Uda(Ah(b,c));null!=b&&(ch(a,c,0),a.j.j.push(b?1:0))}; +Mea=function(a,b,c){b=Ah(b,c);null!=b&&dh(a,c,Yca(b))}; +Nea=function(a,b,c,d,e){b=Mh(b,d,c);null!=b&&(c=Kda(a,c),e(b,a),Lda(a,c))}; +Oea=function(a){return function(){var b=new Jda;Cea(this,b,li(a));bh(b,b.j.end());for(var c=new Uint8Array(b.u),d=b.B,e=d.length,f=0,h=0;hv;v+=4)r[v/4]=q[v]<<24|q[v+1]<<16|q[v+2]<<8|q[v+3];for(v=16;80>v;v++)q=r[v-3]^r[v-8]^r[v-14]^r[v-16],r[v]=(q<<1|q>>>31)&4294967295;q=e[0];var x=e[1],z=e[2],B=e[3],F=e[4];for(v=0;80>v;v++){if(40>v)if(20>v){var G=B^x&(z^B);var D=1518500249}else G=x^z^B,D=1859775393;else 60>v?(G=x&z|B&(x|z),D=2400959708):(G=x^z^B,D=3395469782);G=((q<<5|q>>>27)&4294967295)+G+F+D+r[v]&4294967295;F=B;B=z;z=(x<<30|x>>>2)&4294967295;x=q;q=G}e[0]=e[0]+q&4294967295;e[1]=e[1]+x&4294967295;e[2]= +e[2]+z&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+F&4294967295} +function c(q,r){if("string"===typeof q){q=unescape(encodeURIComponent(q));for(var v=[],x=0,z=q.length;xn?c(l,56-n):c(l,64-(n-56));for(var v=63;56<=v;v--)f[v]=r&255,r>>>=8;b(f);for(v=r=0;5>v;v++)for(var x=24;0<=x;x-=8)q[r++]=e[v]>>x&255;return q} +for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,I2:function(){for(var q=d(),r="",v=0;vc&&(c=a.length);var d=a.indexOf("?");if(0>d||d>c){d=c;var e=""}else e=a.substring(d+1,c);a=[a.slice(0,d),e,a.slice(c)];c=a[1];a[1]=b?c?c+"&"+b:b:c;return a[0]+(a[1]?"?"+a[1]:"")+a[2]}; +Xi=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return Le(a.slice(d,-1!==e?e:0))}; +mj=function(a,b){for(var c=a.search(xfa),d=0,e,f=[];0<=(e=wfa(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.slice(d));return f.join("").replace(yfa,"$1")}; +zfa=function(a,b,c){return $i(mj(a,b),b,c)}; +g.nj=function(a){g.Fd.call(this);this.headers=new Map;this.T=a||null;this.B=!1;this.ya=this.j=null;this.Z="";this.u=0;this.C="";this.D=this.Ga=this.ea=this.Aa=!1;this.J=0;this.oa=null;this.Ja="";this.La=this.I=!1}; +Bfa=function(a,b,c,d,e,f,h){var l=new g.nj;Afa.push(l);b&&l.Ra("complete",b);l.CG("ready",l.j2);f&&(l.J=Math.max(0,f));h&&(l.I=h);l.send(a,c,d,e)}; +Cfa=function(a){return g.mf&&"number"===typeof a.timeout&&void 0!==a.ontimeout}; +Efa=function(a,b){a.B=!1;a.j&&(a.D=!0,a.j.abort(),a.D=!1);a.C=b;a.u=5;Dfa(a);oj(a)}; +Dfa=function(a){a.Aa||(a.Aa=!0,a.dispatchEvent("complete"),a.dispatchEvent("error"))}; +Ffa=function(a){if(a.B&&"undefined"!=typeof pj)if(a.ya[1]&&4==g.qj(a)&&2==a.getStatus())a.getStatus();else if(a.ea&&4==g.qj(a))g.ag(a.yW,0,a);else if(a.dispatchEvent("readystatechange"),a.isComplete()){a.getStatus();a.B=!1;try{if(rj(a))a.dispatchEvent("complete"),a.dispatchEvent("success");else{a.u=6;try{var b=2a.ib()?"https://www.google.com/log?format=json&hasfast=true":"https://play.google.com/log?format=json&hasfast=true");return a.Z}; +Vfa=function(a,b){a.D=new g.Ki(1>b?1:b,3E5,.1);a.j.setInterval(a.D.getValue())}; +Xfa=function(a){Wfa(a,function(b,c){b=$i(b,"format","json");var d=!1;try{d=nf().navigator.sendBeacon(b,c.jp())}catch(e){}a.ya&&!d&&(a.ya=!1);return d})}; +Wfa=function(a,b){if(0!==a.u.length){var c=mj(Ufa(a),"format");c=vfa(c,"auth",a.La(),"authuser",a.sessionIndex||"0");for(var d=0;10>d&&a.u.length;++d){var e=a.u.slice(0,32),f=a.C.wf(e,a.J,a.I);if(!b(c,f)){++a.I;break}a.J=0;a.I=0;a.u=a.u.slice(e.length)}a.j.enabled&&a.j.stop()}}; +Yfa=function(a){g.ib.call(this,"event-logged",void 0);this.j=a}; +Sfa=function(a,b){this.B=b=void 0===b?!1:b;this.u=this.locale=null;this.j=new Ofa;H(this.j,2,a);b||(this.locale=document.documentElement.getAttribute("lang"));zj(this,new $h)}; +zj=function(a,b){I(a.j,$h,1,b);Ah(b,1)||H(b,1,1);a.B||(b=Bj(a),Ah(b,5)||H(b,5,a.locale));a.u&&(b=Bj(a),Mh(b,wj,9)||I(b,wj,9,a.u))}; +Zfa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,1,b))}; +$fa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,2,b))}; +cga=function(a,b){var c=void 0===c?aga:c;b(nf(),c).then(function(d){a.u=d;d=Bj(a);I(d,wj,9,a.u);return!0}).catch(function(){return!1})}; +Bj=function(a){a=Mh(a.j,$h,1);var b=Mh(a,xj,11);b||(b=new xj,I(a,xj,11,b));return b}; +Cj=function(a){a=Bj(a);var b=Mh(a,vj,10);b||(b=new vj,H(b,2,!1),I(a,vj,10,b));return b}; +dga=function(a,b,c){Bfa(a.url,function(d){d=d.target;rj(d)?b(g.sj(d)):c(d.getStatus())},a.requestType,a.body,a.dw,a.timeoutMillis,a.withCredentials)}; +Dj=function(a,b){g.C.call(this);this.I=a;this.Ga=b;this.C="https://play.google.com/log?format=json&hasfast=true";this.D=!1;this.oa=dga;this.j=""}; +Ej=function(a,b,c,d,e,f){a=void 0===a?-1:a;b=void 0===b?"":b;c=void 0===c?"":c;d=void 0===d?!1:d;e=void 0===e?"":e;g.C.call(this);f?b=f:(a=new Dj(a,"0"),a.j=b,g.E(this,a),""!=c&&(a.C=c),d&&(a.D=!0),e&&(a.u=e),b=a.wf());this.j=b}; +ega=function(a){switch(a){case 200:return 0;case 400:return 3;case 401:return 16;case 403:return 7;case 404:return 5;case 409:return 10;case 412:return 9;case 429:return 8;case 499:return 1;case 500:return 2;case 501:return 12;case 503:return 14;case 504:return 4;default:return 2}}; +fga=function(a){switch(a){case 0:return"OK";case 1:return"CANCELLED";case 2:return"UNKNOWN";case 3:return"INVALID_ARGUMENT";case 4:return"DEADLINE_EXCEEDED";case 5:return"NOT_FOUND";case 6:return"ALREADY_EXISTS";case 7:return"PERMISSION_DENIED";case 16:return"UNAUTHENTICATED";case 8:return"RESOURCE_EXHAUSTED";case 9:return"FAILED_PRECONDITION";case 10:return"ABORTED";case 11:return"OUT_OF_RANGE";case 12:return"UNIMPLEMENTED";case 13:return"INTERNAL";case 14:return"UNAVAILABLE";case 15:return"DATA_LOSS"; +default:return""}}; +Fj=function(a,b,c){c=void 0===c?{}:c;b=Error.call(this,b);this.message=b.message;"stack"in b&&(this.stack=b.stack);this.code=a;this.metadata=c}; +Gj=function(){var a,b,c;return null!=(c=null==(a=globalThis.performance)?void 0:null==(b=a.now)?void 0:b.call(a))?c:Date.now()}; +Hj=function(a,b){this.logger=a;this.j=b;this.startMillis=Gj()}; +Ij=function(a,b){this.logger=a;this.operation=b;this.startMillis=Gj()}; +gga=function(a,b){var c=Gj()-a.startMillis;a.logger.fN(b?"h":"m",c)}; +hga=function(){}; +iga=function(a,b){this.sf=a;a=new Dj(1654,"0");a.u="10";if(b){var c=new Qea;b=fea(c,b,Vda);a.B=b}b=new Ej(1654,"","",!1,"",a.wf());b=new g.cg(b);this.clientError=new Mca(b);this.J=new Lca(b);this.T=new Kca(b);this.I=new Nca(b);this.B=new Oca(b);this.C=new Pca(b);this.j=new Qca(b);this.D=new Rca(b);this.u=new Sca(b)}; +jga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fiec",{Xe:3,We:"rk"},{Xe:2,We:"ec"})}; +Jj=function(a,b,c){a.j.yl("/client_streamz/bg/fiec",b,c)}; +kga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fil",{Xe:3,We:"rk"})}; +lga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fsc",{Xe:3,We:"rk"})}; +mga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fsl",{Xe:3,We:"rk"})}; +pga=function(a){function b(){c-=d;c-=e;c^=e>>>13;d-=e;d-=c;d^=c<<8;e-=c;e-=d;e^=d>>>13;c-=d;c-=e;c^=e>>>12;d-=e;d-=c;d^=c<<16;e-=c;e-=d;e^=d>>>5;c-=d;c-=e;c^=e>>>3;d-=e;d-=c;d^=c<<10;e-=c;e-=d;e^=d>>>15} +a=nga(a);for(var c=2654435769,d=2654435769,e=314159265,f=a.length,h=f,l=0;12<=h;h-=12,l+=12)c+=Kj(a,l),d+=Kj(a,l+4),e+=Kj(a,l+8),b();e+=f;switch(h){case 11:e+=a[l+10]<<24;case 10:e+=a[l+9]<<16;case 9:e+=a[l+8]<<8;case 8:d+=a[l+7]<<24;case 7:d+=a[l+6]<<16;case 6:d+=a[l+5]<<8;case 5:d+=a[l+4];case 4:c+=a[l+3]<<24;case 3:c+=a[l+2]<<16;case 2:c+=a[l+1]<<8;case 1:c+=a[l+0]}b();return oga.toString(e)}; +nga=function(a){for(var b=[],c=0;ca.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; -g.yg=function(a){var b=le(a),c=new g.fe(0,0);var d=b?le(b):document;d=!g.ye||g.ae(9)||"CSS1Compat"==ne(d).u.compatMode?d.documentElement:d.body;if(a==d)return c;a=xg(a);b=ze(ne(b).u);c.x=a.left+b.x;c.y=a.top+b.y;return c}; -Ag=function(a,b){var c=new g.fe(0,0),d=Be(le(a));if(!Vd(d,"parent"))return c;var e=a;do{var f=d==b?g.yg(e):zg(e);c.x+=f.x;c.y+=f.y}while(d&&d!=b&&d!=d.parent&&(e=d.frameElement)&&(d=d.parent));return c}; -g.Cg=function(a,b){var c=Bg(a),d=Bg(b);return new g.fe(c.x-d.x,c.y-d.y)}; -zg=function(a){a=xg(a);return new g.fe(a.left,a.top)}; -Bg=function(a){if(1==a.nodeType)return zg(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.fe(a.clientX,a.clientY)}; -g.Dg=function(a,b,c){if(b instanceof g.he)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.vg(b,!0);a.style.height=g.vg(c,!0)}; -g.vg=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; -g.Eg=function(a){var b=hba;if("none"!=ug(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; -hba=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Ae&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=xg(a),new g.he(a.right-a.left,a.bottom-a.top)):new g.he(b,c)}; -g.Fg=function(a,b){a.style.display=b?"":"none"}; -Jg=function(){if(Gg&&!ag(Hg)){var a="."+Ig.domain;try{for(;2b)throw Error("Bad port number "+b);a.C=b}else a.C=null}; +Fk=function(a,b,c){b instanceof Hk?(a.u=b,Uga(a.u,a.J)):(c||(b=Ik(b,Vga)),a.u=new Hk(b,a.J))}; +g.Jk=function(a,b,c){a.u.set(b,c)}; +g.Kk=function(a){return a instanceof g.Bk?a.clone():new g.Bk(a)}; +Gk=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; +Ik=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,Wga),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; +Wga=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; +Hk=function(a,b){this.u=this.j=null;this.B=a||null;this.C=!!b}; +Ok=function(a){a.j||(a.j=new Map,a.u=0,a.B&&Vi(a.B,function(b,c){a.add(Le(b),c)}))}; +Xga=function(a,b){Ok(a);b=Pk(a,b);return a.j.has(b)}; +g.Yga=function(a,b,c){a.remove(b);0>7,a.error.code].concat(g.fg(b)))}; +kl=function(a,b,c){dl.call(this,a);this.I=b;this.clientState=c;this.B="S";this.u="q"}; +el=function(a){return new Promise(function(b){return void setTimeout(b,a)})}; +ll=function(a,b){return Promise.race([a,el(12E4).then(b)])}; +ml=function(a){this.j=void 0;this.C=new g.Wj;this.state=1;this.B=0;this.u=void 0;this.Qu=a.Qu;this.jW=a.jW;this.onError=a.onError;this.logger=a.k8a?new hga:new iga(a.sf,a.WS);this.DH=!!a.DH}; +qha=function(a,b){var c=oha(a);return new ml({sf:a,Qu:c,onError:b,WS:void 0})}; +rha=function(a,b,c){var d=window.webpocb;if(!d)throw new cl(4,Error("PMD:Undefined"));d=d(yg(Gh(b,1)));if(!(d instanceof Function))throw new cl(16,Error("APF:Failed"));return new gl(a.logger,c,d,Th(Zh(b,3),0),1E3*Th(Zh(b,2),0))}; +sha=function(a){var b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B;return g.A(function(F){switch(F.j){case 1:b=void 0,c=a.isReady()?6E4:1E3,d=new g.Ki(c,6E5,.25,2),e=1;case 2:if(!(2>=e)){F.Ka(4);break}g.pa(F,5);a.state=3;a.B=e-1;return g.y(F,a.u&&1===e?a.u:a.EF(e),7);case 7:return f=F.u,a.u=void 0,a.state=4,h=new Hj(a.logger,"b"),g.y(F,Cga(f),8);case 8:return l=new Xj({challenge:f}),a.state=5,g.y(F,ll(l.snapshot({}),function(){return Promise.reject(new cl(15,"MDA:Timeout"))}),9); +case 9:return m=F.u,h.done(),a.state=6,g.y(F,ll(a.logger.gN("g",e,Jga(a.Qu,m)),function(){return Promise.reject(new cl(10,"BWB:Timeout"))}),10); +case 10:n=F.u;a.state=7;p=new Hj(a.logger,"i");if(g.ai(n,4)){l.dispose();var G=new il(a.logger,g.ai(n,4),1E3*Th(Zh(n,2),0))}else Th(Zh(n,3),0)?G=rha(a,n,l):(l.dispose(),G=new hl(a.logger,yg(Gh(n,1)),1E3*Th(Zh(n,2),0)));q=G;p.done();v=r=void 0;null==(v=(r=a).jW)||v.call(r,yg(Gh(n,1)));a.state=8;return F.return(q);case 5:x=g.sa(F);b=x instanceof cl?x:x instanceof Fj?new cl(11,x):new cl(12,x);a.logger.JC(b.code);B=z=void 0;null==(B=(z=a).onError)||B.call(z,b);a:{if(x instanceof Fj)switch(x.code){case 2:case 13:case 14:case 4:break; +default:G=!1;break a}G=!0}if(!G)throw b;return g.y(F,el(d.getValue()),11);case 11:g.Li(d);case 3:e++;F.Ka(2);break;case 4:throw b;}})}; +tha=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:return b=void 0,g.pa(e,4),g.y(e,sha(a),6);case 6:b=e.u;g.ra(e,5);break;case 4:c=g.sa(e);if(a.j){a.logger.JC(13);e.Ka(0);break}a.logger.JC(14);c instanceof cl||(c=new cl(14,c instanceof Error?c:Error(String(c))));b=new jl(a.logger,c,!a.DH);case 5:return d=void 0,null==(d=a.j)||d.dispose(),a.j=b,a.C.resolve(),g.y(e,a.j.D.promise,1)}})}; +uha=function(a){try{var b=!0;if(globalThis.sessionStorage){var c;null!=(c=globalThis.sessionStorage.getItem)&&c.call||(a.logger.ez("r"),b=!1);var d;null!=(d=globalThis.sessionStorage.setItem)&&d.call||(a.logger.ez("w"),b=!1);var e;null!=(e=globalThis.sessionStorage.removeItem)&&e.call||(a.logger.ez("d"),b=!1)}else a.logger.ez("n"),b=!1;if(b){a.logger.ez("a");var f=Array.from({length:83}).map(function(){return 9*Math.random()|0}).join(""),h=new Ij(a.logger,"m"),l=globalThis.sessionStorage.getItem("nWC1Uzs7EI"); +b=!!l;gga(h,b);var m=Date.now();if(l){var n=Number(l.substring(0,l.indexOf("l")));n?(a.logger.DG("a"),a.logger.rV(m-n)):a.logger.DG("c")}else a.logger.DG("n");f=m+"l"+f;if(b&&.5>Math.random()){var p=new Ij(a.logger,"d");globalThis.sessionStorage.removeItem("nWC1Uzs7EI");p.done();var q=new Ij(a.logger,"a");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);q.done()}else{var r=new Ij(a.logger,b?"w":"i");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);r.done()}}}catch(v){a.logger.qV()}}; +vha=function(a){var b={};g.Ob(a,function(c){var d=c.event,e=b[d];b.hasOwnProperty(d)?null!==e&&(c.equals(e)||(b[d]=null)):b[d]=c}); +xaa(a,function(c){return null===b[c.event]})}; +nl=function(){this.Xd=0;this.j=!1;this.u=-1;this.hv=!1;this.Tj=0}; +ol=function(){this.u=null;this.j=!1}; +pl=function(a){ol.call(this);this.C=a}; +ql=function(){ol.call(this)}; +rl=function(){ol.call(this)}; +sl=function(){this.j={};this.u=!0;this.B={}}; +tl=function(a,b,c){a.j[b]||(a.j[b]=new pl(c));return a.j[b]}; +wha=function(a){a.j.queryid||(a.j.queryid=new rl)}; +ul=function(a,b,c){(a=a.j[b])&&a.B(c)}; +vl=function(a,b){if(g.$c(a.B,b))return a.B[b];if(a=a.j[b])return a.getValue()}; +wl=function(a){var b={},c=g.Uc(a.j,function(d){return d.j}); +g.Tc(c,function(d,e){d=void 0!==a.B[e]?String(a.B[e]):d.j&&null!==d.u?String(d.u):"";0e?encodeURIComponent(hh(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; -oba=function(a){var b=1,c;for(c in a.B)b=c.length>b?c.length:b;return 3997-b-a.C.length-1}; -ih=function(a,b){this.u=a;this.depth=b}; -qba=function(){function a(l,m){return null==l?m:l} -var b=bh(),c=Math.max(b.length-1,0),d=dh(b);b=d.u;var e=d.B,f=d.C,h=[];f&&h.push(new ih([f.url,f.Ww?2:0],a(f.depth,1)));e&&e!=f&&h.push(new ih([e.url,2],0));b.url&&b!=f&&h.push(new ih([b.url,0],a(b.depth,c)));d=g.Pc(h,function(l,m){return h.slice(0,h.length-m)}); -!b.url||(f||e)&&b!=f||(e=bba(b.url))&&d.push([new ih([e,1],a(b.depth,c))]);d.push([]);return g.Pc(d,function(l){return pba(c,l)})}; -pba=function(a,b){g.jh(b,function(e){return 0<=e.depth}); -var c=g.kh(b,function(e,f){return Math.max(e,f.depth)},-1),d=saa(c+2); -d[0]=a;g.Gb(b,function(e){return d[e.depth+1]=e.u}); +Wl=function(a,b,c,d,e){if(null==a)return"";b=b||"&";c=c||",$";"string"==typeof c&&(c=c.split(""));if(a instanceof Array){if(d=d||0,de?encodeURIComponent(Pha(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; +Qha=function(a){var b=1,c;for(c in a.u)b=c.length>b?c.length:b;return 3997-b-a.B.length-1}; +Xl=function(a,b){this.j=a;this.depth=b}; +Sha=function(){function a(l,m){return null==l?m:l} +var b=Tl(),c=Math.max(b.length-1,0),d=Oha(b);b=d.j;var e=d.u,f=d.B,h=[];f&&h.push(new Xl([f.url,f.MM?2:0],a(f.depth,1)));e&&e!=f&&h.push(new Xl([e.url,2],0));b.url&&b!=f&&h.push(new Xl([b.url,0],a(b.depth,c)));d=g.Yl(h,function(l,m){return h.slice(0,h.length-m)}); +!b.url||(f||e)&&b!=f||(e=Gha(b.url))&&d.push([new Xl([e,1],a(b.depth,c))]);d.push([]);return g.Yl(d,function(l){return Rha(c,l)})}; +Rha=function(a,b){g.Zl(b,function(e){return 0<=e.depth}); +var c=$l(b,function(e,f){return Math.max(e,f.depth)},-1),d=Caa(c+2); +d[0]=a;g.Ob(b,function(e){return d[e.depth+1]=e.j}); return d}; -rba=function(){var a=qba();return g.Pc(a,function(b){return gh(b)})}; -lh=function(){this.B=new ah;this.u=Xg()?new Yg:new Wg}; -sba=function(){mh();var a=Zg.document;return!!(a&&a.body&&a.body.getBoundingClientRect&&"function"===typeof Zg.setInterval&&"function"===typeof Zg.clearInterval&&"function"===typeof Zg.setTimeout&&"function"===typeof Zg.clearTimeout)}; -nh=function(a){mh();var b=Jg()||Zg;b.google_image_requests||(b.google_image_requests=[]);var c=b.document.createElement("img");c.src=a;b.google_image_requests.push(c)}; -oh=function(){mh();return rba()}; -ph=function(){}; -mh=function(){return ph.getInstance().getContext()}; -qh=function(a){g.Gf(this,a,null,null)}; -tba=function(a){this.D=a;this.u=-1;this.B=this.C=0}; -rh=function(a,b){return function(c){for(var d=[],e=0;eMath.random())}; -Bh=function(a){a&&Ah&&yh()&&(Ah.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),Ah.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; -Hh=function(){var a=Ch;this.F=Dh;this.D="jserror";this.C=!0;this.u=null;this.I=this.B;this.Ua=void 0===a?null:a}; -Kh=function(a,b,c,d){return rh(uh.getInstance().u.u,function(){try{if(a.Ua&&a.Ua.u){var e=a.Ua.start(b.toString(),3);var f=c();a.Ua.end(e)}else f=c()}catch(m){var h=a.C;try{Bh(e);var l=new Ih(Jh(m));h=a.I(b,l,void 0,d)}catch(n){a.B(217,n)}if(!h)throw m;}return f})()}; -Mh=function(a,b,c){var d=Lh;return rh(uh.getInstance().u.u,function(e){for(var f=[],h=0;hd?500:h}; -Wh=function(a,b,c){var d=new gg(0,0,0,0);this.time=a;this.volume=null;this.C=b;this.u=d;this.B=c}; -Xh=function(a,b,c,d,e,f,h,l){this.D=a;this.K=b;this.C=c;this.I=d;this.u=e;this.F=f;this.B=h;this.N=l}; -Yh=function(a){for(var b=0,c=a,d=0;a&&a!=a.parent;)a=a.parent,d++,ag(a)&&(c=a,b=d);return{gf:c,level:b}}; -Zh=function(a){var b=a!==a.top,c=a.top===Yh(a).gf,d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),Nb(Bba,function(h){return"function"===typeof f[h]})||(e=1)); -return{uh:f,compatibility:e,PQ:d}}; -Cba=function(a){return(a=a.document)&&"function"===typeof a.elementFromPoint}; -$h=function(a,b,c,d){var e=void 0===e?!1:e;c=Mh(d,c,void 0);Uf(a,b,c,{capture:e})}; -ai=function(a,b){var c=Math.pow(10,b);return Math.floor(a*c)/c}; -bi=function(a){return new gg(a.top,a.right,a.bottom,a.left)}; -ci=function(a){var b=a.top||0,c=a.left||0;return new gg(b,c+(a.width||0),b+(a.height||0),c)}; -di=function(a){return null!=a&&0<=a&&1>=a}; -Dba=function(){var a=g.Vc;return a?ei("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return Ac(a,b)})||Ac(a,"OMI/")&&!Ac(a,"XiaoMi/")?!0:Ac(a,"Presto")&&Ac(a,"Linux")&&!Ac(a,"X11")&&!Ac(a,"Android")&&!Ac(a,"Mobi"):!1}; -fi=function(){this.C=!ag(Zg.top);this.isMobileDevice=Zf()||$f();var a=bh();this.domain=0c.height?n>r?(e=n,f=p):(e=r,f=t):nb.C?!1:a.Bb.B?!1:typeof a.utypeof b.u?!1:a.uMath.random())}; +lia=function(a){a&&jm&&hm()&&(jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; +mia=function(){var a=km;this.j=lm;this.tT="jserror";this.sP=!0;this.sK=null;this.u=this.iN;this.Gc=void 0===a?null:a}; +nia=function(a,b,c){var d=mm;return em(fm().j.j,function(){try{if(d.Gc&&d.Gc.j){var e=d.Gc.start(a.toString(),3);var f=b();d.Gc.end(e)}else f=b()}catch(l){var h=d.sP;try{lia(e),h=d.u(a,new nm(om(l)),void 0,c)}catch(m){d.iN(217,m)}if(!h)throw l;}return f})()}; +pm=function(a,b,c,d){return em(fm().j.j,function(){var e=g.ya.apply(0,arguments);return nia(a,function(){return b.apply(c,e)},d)})}; +om=function(a){var b=a.toString();a.name&&-1==b.indexOf(a.name)&&(b+=": "+a.name);a.message&&-1==b.indexOf(a.message)&&(b+=": "+a.message);if(a.stack){a=a.stack;var c=b;try{-1==a.indexOf(c)&&(a=c+"\n"+a);for(var d;a!=d;)d=a,a=a.replace(/((https?:\/..*\/)[^\/:]*:\d+(?:.|\n)*)\2/,"$1");b=a.replace(/\n */g,"\n")}catch(e){b=c}}return b}; +nm=function(a){hia.call(this,Error(a),{message:a})}; +oia=function(){Bl&&"undefined"!=typeof Bl.google_measure_js_timing&&(Bl.google_measure_js_timing||km.disable())}; +pia=function(a){mm.sK=function(b){g.Ob(a,function(c){c(b)})}}; +qia=function(a,b){return nia(a,b)}; +qm=function(a,b){return pm(a,b)}; +rm=function(a,b,c,d){mm.iN(a,b,c,d)}; +sm=function(){return Date.now()-ria}; +sia=function(){var a=fm().B,b=0<=tm?sm()-tm:-1,c=um?sm()-vm:-1,d=0<=wm?sm()-wm:-1;if(947190542==a)return 100;if(79463069==a)return 200;a=[2E3,4E3];var e=[250,500,1E3];rm(637,Error(),.001);var f=b;-1!=c&&cd?500:h}; +xm=function(a,b,c,d){this.top=a;this.right=b;this.bottom=c;this.left=d}; +ym=function(a){return a.right-a.left}; +zm=function(a,b){return a==b?!0:a&&b?a.top==b.top&&a.right==b.right&&a.bottom==b.bottom&&a.left==b.left:!1}; +Am=function(a,b,c){b instanceof g.Fe?(a.left+=b.x,a.right+=b.x,a.top+=b.y,a.bottom+=b.y):(a.left+=b,a.right+=b,"number"===typeof c&&(a.top+=c,a.bottom+=c));return a}; +Bm=function(a,b,c){var d=new xm(0,0,0,0);this.time=a;this.volume=null;this.B=b;this.j=d;this.u=c}; +Cm=function(a,b,c,d,e,f,h,l){this.C=a;this.J=b;this.B=c;this.I=d;this.j=e;this.D=f;this.u=h;this.T=l}; +uia=function(a){var b=a!==a.top,c=a.top===Kha(a),d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),dba(tia,function(h){return"function"===typeof f[h]})||(e=1)); +return{jn:f,compatibility:e,f9:d}}; +via=function(){var a=window.document;return a&&"function"===typeof a.elementFromPoint}; +wia=function(a,b,c){a&&null!==b&&b!=b.top&&(b=b.top);try{return(void 0===c?0:c)?(new g.He(b.innerWidth,b.innerHeight)).round():hca(b||window).round()}catch(d){return new g.He(-12245933,-12245933)}}; +Dm=function(a,b,c){try{a&&(b=b.top);var d=wia(a,b,c),e=d.height,f=d.width;if(-12245933===f)return new xm(f,f,f,f);var h=jca(Ve(b.document).j),l=h.x,m=h.y;return new xm(m,l+f,m+e,l)}catch(n){return new xm(-12245933,-12245933,-12245933,-12245933)}}; +g.Em=function(a,b,c,d){this.left=a;this.top=b;this.width=c;this.height=d}; +Fm=function(a,b){return a==b?!0:a&&b?a.left==b.left&&a.width==b.width&&a.top==b.top&&a.height==b.height:!1}; +g.Hm=function(a,b,c){if("string"===typeof b)(b=Gm(a,b))&&(a.style[b]=c);else for(var d in b){c=a;var e=b[d],f=Gm(c,d);f&&(c.style[f]=e)}}; +Gm=function(a,b){var c=xia[b];if(!c){var d=bca(b);c=d;void 0===a.style[d]&&(d=(g.Pc?"Webkit":Im?"Moz":g.mf?"ms":null)+dca(d),void 0!==a.style[d]&&(c=d));xia[b]=c}return c}; +g.Jm=function(a,b){var c=a.style[bca(b)];return"undefined"!==typeof c?c:a.style[Gm(a,b)]||""}; +Km=function(a,b){var c=Ue(a);return c.defaultView&&c.defaultView.getComputedStyle&&(a=c.defaultView.getComputedStyle(a,null))?a[b]||a.getPropertyValue(b)||"":""}; +Lm=function(a,b){return Km(a,b)||(a.currentStyle?a.currentStyle[b]:null)||a.style&&a.style[b]}; +g.Nm=function(a,b,c){if(b instanceof g.Fe){var d=b.x;b=b.y}else d=b,b=c;a.style.left=g.Mm(d,!1);a.style.top=g.Mm(b,!1)}; +Om=function(a){try{return a.getBoundingClientRect()}catch(b){return{left:0,top:0,right:0,bottom:0}}}; +yia=function(a){if(g.mf&&!g.Oc(8))return a.offsetParent;var b=Ue(a),c=Lm(a,"position"),d="fixed"==c||"absolute"==c;for(a=a.parentNode;a&&a!=b;a=a.parentNode)if(11==a.nodeType&&a.host&&(a=a.host),c=Lm(a,"position"),d=d&&"static"==c&&a!=b.documentElement&&a!=b.body,!d&&(a.scrollWidth>a.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; +g.Pm=function(a){var b=Ue(a),c=new g.Fe(0,0);var d=b?Ue(b):document;d=!g.mf||g.Oc(9)||"CSS1Compat"==Ve(d).j.compatMode?d.documentElement:d.body;if(a==d)return c;a=Om(a);b=jca(Ve(b).j);c.x=a.left+b.x;c.y=a.top+b.y;return c}; +Aia=function(a,b){var c=new g.Fe(0,0),d=nf(Ue(a));if(!Hc(d,"parent"))return c;do{var e=d==b?g.Pm(a):zia(a);c.x+=e.x;c.y+=e.y}while(d&&d!=b&&d!=d.parent&&(a=d.frameElement)&&(d=d.parent));return c}; +g.Qm=function(a,b){a=Bia(a);b=Bia(b);return new g.Fe(a.x-b.x,a.y-b.y)}; +zia=function(a){a=Om(a);return new g.Fe(a.left,a.top)}; +Bia=function(a){if(1==a.nodeType)return zia(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.Fe(a.clientX,a.clientY)}; +g.Rm=function(a,b,c){if(b instanceof g.He)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Mm(b,!0);a.style.height=g.Mm(c,!0)}; +g.Mm=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; +g.Sm=function(a){var b=Cia;if("none"!=Lm(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; +Cia=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Pc&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Om(a),new g.He(a.right-a.left,a.bottom-a.top)):new g.He(b,c)}; +g.Tm=function(a,b){a.style.display=b?"":"none"}; +Um=function(a,b){b=Math.pow(10,b);return Math.floor(a*b)/b}; +Dia=function(a){return new xm(a.top,a.right,a.bottom,a.left)}; +Eia=function(a){var b=a.top||0,c=a.left||0;return new xm(b,c+(a.width||0),b+(a.height||0),c)}; +Vm=function(a){return null!=a&&0<=a&&1>=a}; +Fia=function(){var a=g.hc();return a?Wm("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return ac(a,b)})||ac(a,"OMI/")&&!ac(a,"XiaoMi/")?!0:ac(a,"Presto")&&ac(a,"Linux")&&!ac(a,"X11")&&!ac(a,"Android")&&!ac(a,"Mobi"):!1}; +Gia=function(){this.B=!Rl(Bl.top);this.isMobileDevice=Ql()||Dha();var a=Tl();this.domain=0c.height?m>p?(d=m,e=n):(d=p,e=q):mb.B?!1:a.ub.u?!1:typeof a.jtypeof b.j?!1:a.jc++;){if(a===b)return!0;try{if(a=g.Le(a)||a){var d=le(a),e=d&&Be(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; -Nba=function(a,b,c){if(!a||!b)return!1;b=hg(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;var d=Jg();ag(d.top)&&d.top&&d.top.document&&(d=d.top);if(!Cba(d))return!1;a=d.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=le(c))&&b.defaultView&&b.defaultView.frameElement)&&Mba(b,a);d=a===c;a=!d&&a&&Re(a,function(e){return e===c}); +Tia=function(){if(xn&&"unreleased"!==xn)return xn}; +Uia=function(a){var b=void 0===b?4E3:b;a=a.toString();if(!/&v=[^&]+/.test(a)){var c=Tia();a=c?a+"&v="+encodeURIComponent(c):a}b=a=a.substring(0,b);cm();Uha(b)}; +Via=function(){this.j=0}; +Wia=function(a,b,c){(0,g.Ob)(a.B,function(d){var e=a.j;if(!d.j&&(d.B(b,c),d.C())){d.j=!0;var f=d.u(),h=new un;h.add("id","av-js");h.add("type","verif");h.add("vtype",d.D);d=am(Via);h.add("i",d.j++);h.add("adk",e);vn(h,f);e=new Ria(h);Uia(e)}})}; +yn=function(){this.u=this.B=this.C=this.j=0}; +zn=function(a){this.u=a=void 0===a?Xia:a;this.j=g.Yl(this.u,function(){return new yn})}; +An=function(a,b){return Yia(a,function(c){return c.j},void 0===b?!0:b)}; +Cn=function(a,b){return Bn(a,b,function(c){return c.j})}; +Zia=function(a,b){return Yia(a,function(c){return c.B},void 0===b?!0:b)}; +Dn=function(a,b){return Bn(a,b,function(c){return c.B})}; +En=function(a,b){return Bn(a,b,function(c){return c.u})}; +$ia=function(a){g.Ob(a.j,function(b){b.u=0})}; +Yia=function(a,b,c){a=g.Yl(a.j,function(d){return b(d)}); +return c?a:aja(a)}; +Bn=function(a,b,c){var d=g.ob(a.u,function(e){return b<=e}); +return-1==d?0:c(a.j[d])}; +aja=function(a){return g.Yl(a,function(b,c,d){return 0c++;){if(a===b)return!0;try{if(a=g.yf(a)||a){var d=Ue(a),e=d&&nf(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; +cja=function(a,b,c){if(!a||!b)return!1;b=Am(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;Rl(window.top)&&window.top&&window.top.document&&(window=window.top);if(!via())return!1;a=window.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=Ue(c))&&b.defaultView&&b.defaultView.frameElement)&&bja(b,a);var d=a===c;a=!d&&a&&Cf(a,function(e){return e===c}); return!(b||d||a)}; -Oba=function(a,b,c,d){return fi.getInstance().C?!1:0>=a.ge()||0>=a.getHeight()?!0:c&&d?Oh(208,function(){return Nba(a,b,c)}):!1}; -Wi=function(a,b,c){g.B.call(this);this.position=Pba.clone();this.Ys=this.Xr();this.ix=-2;this.aR=Date.now();this.fG=-1;this.lastUpdateTime=b;this.Os=null;this.zr=!1;this.Kt=null;this.opacity=-1;this.requestSource=c;this.qG=this.jx=g.Oa;this.Hf=new lba;this.Hf.tk=a;this.Hf.u=a;this.cn=!1;this.il={Gx:null,Ex:null};this.SF=!0;this.qq=null;this.Wm=this.KJ=!1;uh.getInstance().I++;this.ke=this.nw();this.eG=-1;this.oc=null;this.HJ=!1;a=this.ub=new Rg;Sg(a,"od",Qba);Sg(a,"opac",th).u=!0;Sg(a,"sbeos",th).u= -!0;Sg(a,"prf",th).u=!0;Sg(a,"mwt",th).u=!0;Sg(a,"iogeo",th);Sg(a,"postrxl",th).u=!0;(a=this.Hf.tk)&&a.getAttribute&&!/-[a-z]/.test("googleAvInapp")&&(Rba&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+td()):a.getAttribute("data-"+td()))&&(fi.getInstance().B=!0);1==this.requestSource?Tg(this.ub,"od",1):Tg(this.ub,"od",0)}; -Xi=function(a,b){if(b!=a.Wm){a.Wm=b;var c=fi.getInstance();b?c.I++:0c?0:a}; -Sba=function(a,b,c){if(a.oc){a.oc.Sj();var d=a.oc.K,e=d.D,f=e.u;if(null!=d.I){var h=d.C;a.Kt=new g.fe(h.left-f.left,h.top-f.top)}f=a.lu()?Math.max(d.u,d.F):d.u;h={};null!==e.volume&&(h.volume=e.volume);e=a.CB(d);a.Os=d;a.na(f,b,c,!1,h,e,d.N)}}; -Tba=function(a){if(a.zr&&a.qq){var b=1==Ug(a.ub,"od"),c=fi.getInstance().u,d=a.qq,e=a.oc?a.oc.getName():"ns",f=new g.he(c.ge(),c.getHeight());c=a.lu();a={TQ:e,Kt:a.Kt,tR:f,lu:c,hc:a.ke.hc,rR:b};if(b=d.B){b.Sj();e=b.K;f=e.D.u;var h=null,l=null;null!=e.I&&f&&(h=e.C,h=new g.fe(h.left-f.left,h.top-f.top),l=new g.he(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.u,e.F):e.u;c={TQ:b.getName(),Kt:h,tR:l,lu:c,rR:!1,hc:e}}else c=null;c&&Jba(d,a,c)}}; -Uba=function(a,b,c){b&&(a.jx=b);c&&(a.qG=c)}; -$i=function(){}; -bj=function(a){if(a instanceof $i)return a;if("function"==typeof a.Pi)return a.Pi(!1);if(g.Ra(a)){var b=0,c=new $i;c.next=function(){for(;;){if(b>=a.length)throw aj;if(b in a)return a[b++];b++}}; -return c}throw Error("Not implemented");}; -g.cj=function(a,b,c){if(g.Ra(a))try{g.Gb(a,b,c)}catch(d){if(d!==aj)throw d;}else{a=bj(a);try{for(;;)b.call(c,a.next(),void 0,a)}catch(d){if(d!==aj)throw d;}}}; -Vba=function(a){if(g.Ra(a))return g.ub(a);a=bj(a);var b=[];g.cj(a,function(c){b.push(c)}); -return b}; -Wba=function(){this.D=this.u=this.C=this.B=this.F=0}; -Xba=function(a){var b={};b=(b.ptlt=g.A()-a.F,b);var c=a.B;c&&(b.pnk=c);(c=a.C)&&(b.pnc=c);(c=a.D)&&(b.pnmm=c);(a=a.u)&&(b.pns=a);return b}; -dj=function(){Mg.call(this);this.fullscreen=!1;this.volume=void 0;this.paused=!1;this.mediaTime=-1}; -ej=function(a){return di(a.volume)&&.1<=a.volume}; -Yba=function(){var a={};this.B=(a.vs=[1,0],a.vw=[0,1],a.am=[2,2],a.a=[4,4],a.f=[8,8],a.bm=[16,16],a.b=[32,32],a.avw=[0,64],a.avs=[64,0],a.pv=[256,256],a.gdr=[0,512],a.p=[0,1024],a.r=[0,2048],a.m=[0,4096],a.um=[0,8192],a.ef=[0,16384],a.s=[0,32768],a.pmx=[0,16777216],a);this.u={};for(var b in this.B)0Math.max(1E4,a.D/3)?0:c);var d=a.Z(a)||{};d=void 0!==d.currentTime?d.currentTime:a.W;var e=d-a.W,f=0;0<=e?(a.X+=c,a.ha+=Math.max(c-e,0),f=Math.min(e,a.X)):a.ra+=Math.abs(e);0!=e&&(a.X=0);-1==a.Aa&&0=a.D/2:0=a.da:!1:!1}; -dca=function(a){var b=ai(a.ke.hc,2),c=a.de.C,d=a.ke,e=tj(a),f=sj(e.D),h=sj(e.I),l=sj(d.volume),m=ai(e.K,2),n=ai(e.X,2),p=ai(d.hc,2),r=ai(e.Z,2),t=ai(e.ea,2);d=ai(d.Vf,2);a=a.dk().clone();a.round();e=Ti(e,!1);return{sR:b,gp:c,Zs:f,Vs:h,no:l,ct:m,Ws:n,hc:p,gt:r,Xs:t,Vf:d,position:a,Jt:e}}; -xj=function(a,b){wj(a.u,b,function(){return{sR:0,gp:void 0,Zs:-1,Vs:-1,no:-1,ct:-1,Ws:-1,hc:-1,gt:-1,Xs:-1,Vf:-1,position:void 0,Jt:[]}}); -a.u[b]=dca(a)}; -wj=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; -Vj=function(){var a=/Chrome\/(\d+)/.exec(g.Vc);return a?parseFloat(a[1]):NaN}; -Wj=function(){var a=/\sCobalt\/(\S+)\s/.exec(g.Vc);if(!a)return NaN;var b=[];a=g.q(a[1].split("."));for(var c=a.next();!c.done;c=a.next())c=parseInt(c.value,10),0<=c&&b.push(c);return parseFloat(b.join("."))}; -Yj=function(){return Xj("android")&&Xj("chrome")&&!(Xj("trident/")||Xj("edge/"))&&!Xj("cobalt")}; -Zj=function(){return Xj("armv7")||Xj("aarch64")||Xj("android")}; -g.ak=function(){return Xj("cobalt")}; -ck=function(){return Xj("cobalt")&&Xj("appletv")}; -dk=function(){return Xj("(ps3; leanback shell)")||Xj("ps3")&&g.ak()}; -ek=function(){return Xj("(ps4; leanback shell)")||Xj("ps4")&&g.ak()}; -g.fk=function(){return g.ak()&&(Xj("ps4 vr")||Xj("ps4 pro vr"))}; -gk=function(){var a=/WebKit\/([0-9]+)/.exec(g.Vc);return!!(a&&600<=parseInt(a[1],10))}; -hk=function(){var a=/WebKit\/([0-9]+)/.exec(g.Vc);return!!(a&&602<=parseInt(a[1],10))}; -ik=function(){return Xj("iemobile")||Xj("windows phone")&&Xj("edge")}; -kk=function(){return jk&&Xj("applewebkit")&&!Xj("version")&&(!Xj("safari")||Xj("gsa/"))}; -mk=function(){return g.lk&&Xj("version/")}; -nk=function(){return Xj("smart-tv")&&Xj("samsung")}; -Xj=function(a){var b=g.Vc;return b?0<=b.toLowerCase().indexOf(a):!1}; -ok=function(a){a=void 0===a?Zg:a;si.call(this,new ki(a,2))}; -qk=function(){var a=pk();ki.call(this,Zg.top,a,"geo")}; -pk=function(){uh.getInstance();var a=fi.getInstance();return a.C||a.B?0:2}; -rk=function(){}; -sk=function(){this.done=!1;this.u={NH:0,gA:0,BW:0,XA:0,Lw:-1,fI:0,eI:0,gI:0};this.F=null;this.I=!1;this.B=null;this.K=0;this.C=new ji(this)}; -uk=function(){var a=tk;a.I||(a.I=!0,xca(a,function(b){for(var c=[],d=0;dg.Qb(Dca).length?null:(0,g.kh)(b,function(c,d){var e=d.toLowerCase().split("=");if(2!=e.length||void 0===Jk[e[0]]||!Jk[e[0]](e[1]))throw Error("Entry ("+e[0]+", "+e[1]+") is invalid.");c[e[0]]=e[1];return c},{})}catch(c){return null}}; -Fca=function(a,b){if(void 0==a.u)return 0;switch(a.F){case "mtos":return a.B?Pi(b.u,a.u):Pi(b.B,a.u);case "tos":return a.B?Ni(b.u,a.u):Ni(b.B,a.u)}return 0}; -Kk=function(a,b,c,d){lj.call(this,b,d);this.K=a;this.I=c}; -Lk=function(a){lj.call(this,"fully_viewable_audible_half_duration_impression",a)}; -Mk=function(a,b){lj.call(this,a,b)}; -Nk=function(){this.B=this.D=this.I=this.F=this.C=this.u=""}; -Gca=function(){}; -Ok=function(a,b,c,d,e){var f={};if(void 0!==a)if(null!=b)for(var h in b){var l=b[h];h in Object.prototype||null!=l&&(f[h]="function"===typeof l?l(a):a[l])}else g.bc(f,a);void 0!==c&&g.bc(f,c);a=xi(wi(new vi,f));0=ym(a)||0>=a.getHeight()?!0:c&&d?qia(208,function(){return cja(a,b,c)}):!1}; +Kn=function(a,b,c){g.C.call(this);this.position=eja.clone();this.LG=this.XF();this.eN=-2;this.u9=Date.now();this.lY=-1;this.Wo=b;this.BG=null;this.wB=!1;this.XG=null;this.opacity=-1;this.requestSource=c;this.A9=!1;this.kN=function(){}; +this.BY=function(){}; +this.Cj=new Aha;this.Cj.Ss=a;this.Cj.j=a;this.Ms=!1;this.Ju={wN:null,vN:null};this.PX=!0;this.ZD=null;this.Oy=this.r4=!1;fm().I++;this.Ah=this.XL();this.hY=-1;this.nf=null;this.hasCompleted=this.o4=!1;this.Cc=new sl;zha(this.Cc);fja(this);1==this.requestSource?ul(this.Cc,"od",1):ul(this.Cc,"od",0)}; +fja=function(a){a=a.Cj.Ss;var b;if(b=a&&a.getAttribute)b=/-[a-z]/.test("googleAvInapp")?!1:gja&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+cca()):!!a.getAttribute("data-"+cca());b&&(Xm().u=!0)}; +Ln=function(a,b){b!=a.Oy&&(a.Oy=b,a=Xm(),b?a.I++:0c?0:a}; +jja=function(a,b,c){if(a.nf){a.nf.Hr();var d=a.nf.J,e=d.C,f=e.j;if(null!=d.I){var h=d.B;a.XG=new g.Fe(h.left-f.left,h.top-f.top)}f=a.hI()?Math.max(d.j,d.D):d.j;h={};null!==e.volume&&(h.volume=e.volume);e=a.VT(d);a.BG=d;a.Pa(f,b,c,!1,h,e,d.T)}}; +kja=function(a){if(a.wB&&a.ZD){var b=1==vl(a.Cc,"od"),c=Xm().j,d=a.ZD,e=a.nf?a.nf.getName():"ns",f=new g.He(ym(c),c.getHeight());c=a.hI();a={j9:e,XG:a.XG,W9:f,hI:c,Xd:a.Ah.Xd,P9:b};if(b=d.u){b.Hr();e=b.J;f=e.C.j;var h=null,l=null;null!=e.I&&f&&(h=e.B,h=new g.Fe(h.left-f.left,h.top-f.top),l=new g.He(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.j,e.D):e.j;c={j9:b.getName(),XG:h,W9:l,hI:c,P9:!1,Xd:e}}else c=null;c&&Wia(d,a,c)}}; +lja=function(a,b,c){b&&(a.kN=b);c&&(a.BY=c)}; +g.Mn=function(){}; +g.Nn=function(a){return{value:a,done:!1}}; +mja=function(){this.C=this.j=this.B=this.u=this.D=0}; +nja=function(a){var b={};var c=g.Ra()-a.D;b=(b.ptlt=c,b);(c=a.u)&&(b.pnk=c);(c=a.B)&&(b.pnc=c);(c=a.C)&&(b.pnmm=c);(a=a.j)&&(b.pns=a);return b}; +oja=function(){nl.call(this);this.fullscreen=!1;this.volume=void 0;this.B=!1;this.mediaTime=-1}; +On=function(a){return Vm(a.volume)&&0Math.max(1E4,a.B/3)?0:b);var c=a.J(a)||{};c=void 0!==c.currentTime?c.currentTime:a.Z;var d=c-a.Z,e=0;0<=d?(a.oa+=b,a.Ja+=Math.max(b-d,0),e=Math.min(d,a.oa)):a.Qa+=Math.abs(d);0!=d&&(a.oa=0);-1==a.Xa&&0=a.B/2:0=a.Ga:!1:!1}; +Bja=function(a){var b=Um(a.Ah.Xd,2),c=a.Rg.B,d=a.Ah,e=ho(a),f=go(e.C),h=go(e.I),l=go(d.volume),m=Um(e.J,2),n=Um(e.oa,2),p=Um(d.Xd,2),q=Um(e.ya,2),r=Um(e.Ga,2);d=Um(d.Tj,2);a=a.Bs().clone();a.round();e=Gn(e,!1);return{V9:b,sC:c,PG:f,IG:h,cB:l,QG:m,JG:n,Xd:p,TG:q,KG:r,Tj:d,position:a,VG:e}}; +Dja=function(a,b){Cja(a.j,b,function(){return{V9:0,sC:void 0,PG:-1,IG:-1,cB:-1,QG:-1,JG:-1,Xd:-1,TG:-1,KG:-1,Tj:-1,position:void 0,VG:[]}}); +a.j[b]=Bja(a)}; +Cja=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; +vo=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +wo=function(){var a=bka();an.call(this,Bl.top,a,"geo")}; +bka=function(){fm();var a=Xm();return a.B||a.u?0:2}; +cka=function(){}; +xo=function(){this.done=!1;this.j={E1:0,tS:0,n8a:0,mT:0,AM:-1,w2:0,v2:0,z2:0,i9:0};this.D=null;this.I=!1;this.B=null;this.J=0;this.u=new $m(this)}; +zo=function(){var a=yo;a.I||(a.I=!0,dka(a,function(){return a.C.apply(a,g.u(g.ya.apply(0,arguments)))}),a.C())}; +eka=function(){am(cka);var a=am(qo);null!=a.j&&a.j.j?Jia(a.j.j):Xm().update(Bl)}; +Ao=function(a,b,c){if(!a.done&&(a.u.cancel(),0!=b.length)){a.B=null;try{eka();var d=sm();fm().D=d;if(null!=am(qo).j)for(var e=0;eg.Zc(oka).length?null:$l(b,function(c,d){d=d.toLowerCase().split("=");if(2!=d.length||void 0===pka[d[0]]||!pka[d[0]](d[1]))throw Error("Entry ("+d[0]+", "+d[1]+") is invalid.");c[d[0]]=d[1];return c},{})}catch(c){return null}}; +rka=function(a,b){if(void 0==a.j)return 0;switch(a.D){case "mtos":return a.u?Dn(b.j,a.j):Dn(b.u,a.j);case "tos":return a.u?Cn(b.j,a.j):Cn(b.u,a.j)}return 0}; +Uo=function(a,b,c,d){Yn.call(this,b,d);this.J=a;this.T=c}; +Vo=function(){}; +Wo=function(a){Yn.call(this,"fully_viewable_audible_half_duration_impression",a)}; +Xo=function(a){this.j=a}; +Yo=function(a,b){Yn.call(this,a,b)}; +Zo=function(a){Zn.call(this,"measurable_impression",a)}; +$o=function(){Xo.apply(this,arguments)}; +ap=function(a,b,c){bo.call(this,a,b,c)}; +bp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +cp=function(a,b,c){bo.call(this,a,b,c)}; +dp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +ep=function(){an.call(this,Bl,2,"mraid");this.Ja=0;this.oa=this.ya=!1;this.J=null;this.u=uia(this.B);this.C.j=new xm(0,0,0,0);this.La=!1}; +fp=function(a,b,c){a.zt("addEventListener",b,c)}; +vka=function(a){fm().C=!!a.zt("isViewable");fp(a,"viewableChange",ska);"loading"===a.zt("getState")?fp(a,"ready",tka):uka(a)}; +uka=function(a){"string"===typeof a.u.jn.AFMA_LIDAR?(a.ya=!0,wka(a)):(a.u.compatibility=3,a.J="nc",a.fail("w"))}; +wka=function(a){a.oa=!1;var b=1==vl(fm().Cc,"rmmt"),c=!!a.zt("isViewable");(b?!c:1)&&cm().setTimeout(qm(524,function(){a.oa||(xka(a),rm(540,Error()),a.J="mt",a.fail("w"))}),500); +yka(a);fp(a,a.u.jn.AFMA_LIDAR,zka)}; +yka=function(a){var b=1==vl(fm().Cc,"sneio"),c=void 0!==a.u.jn.AFMA_LIDAR_EXP_1,d=void 0!==a.u.jn.AFMA_LIDAR_EXP_2;(b=b&&d)&&(a.u.jn.AFMA_LIDAR_EXP_2=!0);c&&(a.u.jn.AFMA_LIDAR_EXP_1=!b)}; +xka=function(a){a.zt("removeEventListener",a.u.jn.AFMA_LIDAR,zka);a.ya=!1}; +Aka=function(a,b){if("loading"===a.zt("getState"))return new g.He(-1,-1);b=a.zt(b);if(!b)return new g.He(-1,-1);a=parseInt(b.width,10);b=parseInt(b.height,10);return isNaN(a)||isNaN(b)?new g.He(-1,-1):new g.He(a,b)}; +tka=function(){try{var a=am(ep);a.zt("removeEventListener","ready",tka);uka(a)}catch(b){rm(541,b)}}; +zka=function(a,b){try{var c=am(ep);c.oa=!0;var d=a?new xm(a.y,a.x+a.width,a.y+a.height,a.x):new xm(0,0,0,0);var e=sm(),f=Zm();var h=new Bm(e,f,c);h.j=d;h.volume=b;c.Hs(h)}catch(l){rm(542,l)}}; +ska=function(a){var b=fm(),c=am(ep);a&&!b.C&&(b.C=!0,c.La=!0,c.J&&c.fail("w",!0))}; +gp=function(){this.isInitialized=!1;this.j=this.u=null;var a={};this.J=(a.start=this.Y3,a.firstquartile=this.T3,a.midpoint=this.V3,a.thirdquartile=this.Z3,a.complete=this.Q3,a.error=this.R3,a.pause=this.tO,a.resume=this.tX,a.skip=this.X3,a.viewable_impression=this.Jo,a.mute=this.hA,a.unmute=this.hA,a.fullscreen=this.U3,a.exitfullscreen=this.S3,a.fully_viewable_audible_half_duration_impression=this.Jo,a.measurable_impression=this.Jo,a.abandon=this.tO,a.engagedview=this.Jo,a.impression=this.Jo,a.creativeview= +this.Jo,a.progress=this.hA,a.custom_metric_viewable=this.Jo,a.bufferstart=this.tO,a.bufferfinish=this.tX,a.audio_measurable=this.Jo,a.audio_audible=this.Jo,a);a={};this.T=(a.overlay_resize=this.W3,a.abandon=this.pM,a.close=this.pM,a.collapse=this.pM,a.overlay_unmeasurable_impression=function(b){return ko(b,"overlay_unmeasurable_impression",Zm())},a.overlay_viewable_immediate_impression=function(b){return ko(b,"overlay_viewable_immediate_impression",Zm())},a.overlay_unviewable_impression=function(b){return ko(b, +"overlay_unviewable_impression",Zm())},a.overlay_viewable_end_of_session_impression=function(b){return ko(b,"overlay_viewable_end_of_session_impression",Zm())},a); +fm().u=3;Bka(this);this.B=!1}; +hp=function(a,b,c,d){b=a.ED(null,d,!0,b);b.C=c;Vja([b],a.B);return b}; +Cka=function(a,b,c){vha(b);var d=a.j;g.Ob(b,function(e){var f=g.Yl(e.criteria,function(h){var l=qka(h);if(null==l)h=null;else if(h=new nka,null!=l.visible&&(h.j=l.visible/100),null!=l.audible&&(h.u=1==l.audible),null!=l.time){var m="mtos"==l.timetype?"mtos":"tos",n=Haa(l.time,"%")?"%":"ms";l=parseInt(l.time,10);"%"==n&&(l/=100);h.setTime(l,n,m)}return h}); +Wm(f,function(h){return null==h})||zja(c,new Uo(e.id,e.event,f,d))})}; +Dka=function(){var a=[],b=fm();a.push(am(wo));vl(b.Cc,"mvp_lv")&&a.push(am(ep));b=[new bp,new dp];b.push(new ro(a));b.push(new vo(Bl));return b}; +Eka=function(a){if(!a.isInitialized){a.isInitialized=!0;try{var b=sm(),c=fm(),d=Xm();tm=b;c.B=79463069;"o"!==a.u&&(ika=Kha(Bl));if(Vha()){yo.j.tS=0;yo.j.AM=sm()-b;var e=Dka(),f=am(qo);f.u=e;Xja(f,function(){ip()})?yo.done||(fka(),bn(f.j.j,a),zo()):d.B?ip():zo()}else jp=!0}catch(h){throw oo.reset(),h; }}}; -gl=function(a){tk.C.cancel();fl=a;tk.done=!0}; -hl=function(a){if(a.u)return a.u;var b=Pj.getInstance().u;if(b)switch(b.getName()){case "nis":a.u="n";break;case "gsv":a.u="m"}a.u||(a.u="h");return a.u}; -il=function(a,b,c){if(null==a.B)return b.Xn|=4,!1;a=jj(a.B,c,b);b.Xn|=a;return 0==a}; -Pca=function(){g.Gb(Lj.u,function(a){return rj(a)})}; -dl=function(a){if(!a.P){a.P=!0;var b=[new ok(Zg)],c=Pj.getInstance();c.B=b;Qj(c,function(){gl("i")})?tk.done||(wk(),ni(c.u.u,a),uk()):gl("i")}}; -jl=function(a,b,c){if(!b.Na){var d=Aj(b,"start",ii());a=a.C.u(d).u;var e={id:"lidarv"};e.r=c;e.v="880v";Bd(a,function(f,h){return e[f]="mtos"==f||"tos"==f?h:encodeURIComponent(h)}); -c=Bca();Bd(c,function(f,h){return e[f]=encodeURIComponent(h)}); -c="//pagead2.googlesyndication.com/pagead/gen_204?"+xi(wi(new vi,e));Bi(c);b.Na=!0}}; -kl=function(a,b,c){vk(tk,[a],!ii());xj(a,c);4!=c&&wj(a.ba,c,a.Xr);return Aj(a,b,ii())}; -Kca=function(a){Aca(function(){var b=ll();null!=a.u&&(b.sdk=a.u);var c=Pj.getInstance();null!=c.u&&(b.avms=c.u.getName());return b})}; -Qca=function(a,b,c,d){if(a.D)var e=Jj(Lj,b);else e=Kj(Lj,c),null!==e&&e.Ke!==b&&(a.Co(e),e=null);e||(b=a.Xp(c,Rh(),!1,b),0==Lj.B.length&&(uh.getInstance().C=79463069),Oj([b]),e=b,e.F=hl(a),d&&(e.Bn=d));return e}; -Rca=function(a,b){b.N=0;for(var c in ml)null==a[c]&&(b.N|=ml[c]);nl(a,"currentTime");nl(a,"duration")}; -Sca=function(a){g.Gb(Lj.u,function(b){3==b.Qd&&a.Co(b)})}; -nl=function(a,b){var c=a[b];void 0!==c&&0String(Function.prototype.toString).indexOf("[native code]")?!1:0<=String(a).indexOf("[native code]")&&!0||!1}; -ql=function(a){return!!(1<>>0]|=f<>>0).toString(16)+"&"}); -c=105;g.Gb(Vca,function(d){var e="false";try{e=d(Zg)}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -g.Gb(Wca,function(d){var e="";try{e=g.rf(d(Zg))}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -return a.slice(0,-1)}; -Tca=function(){if(!rl){var a=function(){sl=!0;Zg.document.removeEventListener("webdriver-evaluate",a,!0)}; -Zg.document.addEventListener("webdriver-evaluate",a,!0);var b=function(){tl=!0;Zg.document.removeEventListener("webdriver-evaluate-response",b,!0)}; -Zg.document.addEventListener("webdriver-evaluate-response",b,!0);rl=!0}}; -ul=function(){this.B=-1}; -vl=function(){this.B=64;this.u=Array(4);this.F=Array(this.B);this.D=this.C=0;this.reset()}; -wl=function(a,b,c){c||(c=0);var d=Array(16);if("string"===typeof b)for(var e=0;16>e;++e)d[e]=b.charCodeAt(c++)|b.charCodeAt(c++)<<8|b.charCodeAt(c++)<<16|b.charCodeAt(c++)<<24;else for(e=0;16>e;++e)d[e]=b[c++]|b[c++]<<8|b[c++]<<16|b[c++]<<24;b=a.u[0];c=a.u[1];e=a.u[2];var f=a.u[3];var h=b+(f^c&(e^f))+d[0]+3614090360&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[1]+3905402710&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[2]+606105819&4294967295;e=f+(h<<17&4294967295|h>>>15); -h=c+(b^e&(f^b))+d[3]+3250441966&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[4]+4118548399&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[5]+1200080426&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[6]+2821735955&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[7]+4249261313&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[8]+1770035416&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[9]+2336552879&4294967295;f=b+(h<<12&4294967295| -h>>>20);h=e+(c^f&(b^c))+d[10]+4294925233&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[11]+2304563134&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[12]+1804603682&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[13]+4254626195&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[14]+2792965006&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[15]+1236535329&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(e^f&(c^e))+d[1]+4129170786&4294967295;b=c+(h<< -5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[6]+3225465664&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[11]+643717713&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[0]+3921069994&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[5]+3593408605&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[10]+38016083&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[15]+3634488961&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[4]+3889429448&4294967295;c= -e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[9]+568446438&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[14]+3275163606&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[3]+4107603335&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[8]+1163531501&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[13]+2850285829&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[2]+4243563512&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[7]+1735328473&4294967295; -e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[12]+2368359562&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(c^e^f)+d[5]+4294588738&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[8]+2272392833&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[11]+1839030562&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[14]+4259657740&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[1]+2763975236&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[4]+1272893353&4294967295;f=b+(h<<11&4294967295| -h>>>21);h=e+(f^b^c)+d[7]+4139469664&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[10]+3200236656&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[13]+681279174&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[0]+3936430074&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[3]+3572445317&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[6]+76029189&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[9]+3654602809&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[12]+ -3873151461&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[15]+530742520&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[2]+3299628645&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(e^(c|~f))+d[0]+4096336452&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[7]+1126891415&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[14]+2878612391&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[5]+4237533241&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[12]+1700485571& -4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[3]+2399980690&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[10]+4293915773&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[1]+2240044497&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[8]+1873313359&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[15]+4264355552&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[6]+2734768916&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[13]+1309151649& -4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[4]+4149444226&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[11]+3174756917&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[2]+718787259&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[9]+3951481745&4294967295;a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+(e+(h<<21&4294967295|h>>>11))&4294967295;a.u[2]=a.u[2]+e&4294967295;a.u[3]=a.u[3]+f&4294967295}; -xl=function(){this.B=null}; -yl=function(a){return function(b){var c=new vl;c.update(b+a);return Uaa(c.digest()).slice(-8)}}; -zl=function(a,b){this.B=a;this.C=b}; -jj=function(a,b,c){var d=a.u(c);if("function"===typeof d){var e={};e=(e.sv="880",e.cb="j",e.e=Yca(b),e);var f=Aj(c,b,ii());g.bc(e,f);c.FG[b]=f;a=2==c.bi()?Iba(e).join("&"):a.C.u(e).u;try{return d(c.Ke,a,b),0}catch(h){return 2}}else return 1}; -Yca=function(a){var b=Ik(a)?"custom_metric_viewable":a;a=Ub(yj,function(c){return c==b}); -return Gk[a]}; -Al=function(a,b,c){zl.call(this,a,b);this.D=c}; -Bl=function(){bl.call(this);this.I=null;this.F=!1;this.N={};this.C=new xl}; -Zca=function(a,b,c){c=c.opt_configurable_tracking_events;null!=a.B&&Array.isArray(c)&&Lca(a,c,b)}; -$ca=function(a,b,c){var d=Jj(Lj,b);d||(d=c.opt_nativeTime||-1,d=cl(a,b,hl(a),d),c.opt_osdId&&(d.Bn=c.opt_osdId));return d}; -ada=function(a,b,c){var d=Jj(Lj,b);d||(d=cl(a,b,"n",c.opt_nativeTime||-1));return d}; -bda=function(a,b){var c=Jj(Lj,b);c||(c=cl(a,b,"h",-1));return c}; -cda=function(a){uh.getInstance();switch(hl(a)){case "b":return"ytads.bulleit.triggerExternalActivityEvent";case "n":return"ima.bridge.triggerExternalActivityEvent";case "h":case "m":case "ml":return"ima.common.triggerExternalActivityEvent"}return null}; -Dl=function(a,b,c,d){c=void 0===c?{}:c;var e={};g.bc(e,{opt_adElement:void 0,opt_fullscreen:void 0},c);if(e.opt_bounds)return a.C.u(Hk("ol",d));if(void 0!==d)if(void 0!==Fk(d))if(el)b=Hk("ue",d);else if(Oca(a),"i"==fl)b=Hk("i",d),b["if"]=0;else if(b=a.ds(b,e))if(a.D&&3==b.Qd)b="stopped";else{b:{"i"==fl&&(b.cn=!0,a.ry());c=e.opt_fullscreen;void 0!==c&&Xi(b,!!c);var f;if(c=!fi.getInstance().B)(c=Ac(g.Vc,"CrKey")||Ac(g.Vc,"PlayStation")||Ac(g.Vc,"Roku")||Dba()||Ac(g.Vc,"Xbox"))||(c=g.Vc,c=Ac(c,"AppleTV")|| -Ac(c,"Apple TV")||Ac(c,"CFNetwork")||Ac(c,"tvOS")),c||(c=g.Vc,c=Ac(c,"sdk_google_atv_x86")||Ac(c,"Android TV")),c=!c;c&&(mh(),c=0===$g(Ig));if(f=c){switch(b.bi()){case 1:jl(a,b,"pv");break;case 2:a.jy(b)}gl("pv")}c=d.toLowerCase();if(!f&&g.nb(dda,c)&&0==b.Qd){"i"!=fl&&(tk.done=!1);f=void 0!==e?e.opt_nativeTime:void 0;Vh=f="number"===typeof f?f:Rh();b.zr=!0;var h=ii();b.Qd=1;b.ne={};b.ne.start=!1;b.ne.firstquartile=!1;b.ne.midpoint=!1;b.ne.thirdquartile=!1;b.ne.complete=!1;b.ne.resume=!1;b.ne.pause= -!1;b.ne.skip=!1;b.ne.mute=!1;b.ne.unmute=!1;b.ne.viewable_impression=!1;b.ne.measurable_impression=!1;b.ne.fully_viewable_audible_half_duration_impression=!1;b.ne.fullscreen=!1;b.ne.exitfullscreen=!1;b.Mv=0;h||(b.Kf().N=f);vk(tk,[b],!h)}(f=b.mm[c])&&fj(b.de,f);g.nb(eda,c)&&(b.yF=!0,rj(b));switch(b.bi()){case 1:var l=Ik(c)?a.K.custom_metric_viewable:a.K[c];break;case 2:l=a.W[c]}if(l&&(d=l.call(a,b,e,d),void 0!==d)){e=Hk(void 0,c);g.bc(e,d);d=e;break b}d=void 0}3==b.Qd&&(a.D?b.oc&&b.oc.xp():a.Co(b)); -b=d}else b=Hk("nf",d);else b=void 0;else el?b=Hk("ue"):(b=a.ds(b,e))?(d=Hk(),g.bc(d,zj(b,!0,!1,!1)),b=d):b=Hk("nf");return"string"===typeof b?a.D&&"stopped"===b?Cl:a.C.u(void 0):a.C.u(b)}; -El=function(a){return uh.getInstance(),"h"!=hl(a)&&hl(a),!1}; -Fl=function(a){var b={};return b.viewability=a.u,b.googleViewability=a.C,b.moatInit=a.F,b.moatViewability=a.I,b.integralAdsViewability=a.D,b.doubleVerifyViewability=a.B,b}; -Gl=function(a,b,c){c=void 0===c?{}:c;a=Dl(Bl.getInstance(),b,c,a);return Fl(a)}; -Hl=function(a,b){b=void 0===b?!1:b;var c=Bl.getInstance().ds(a,{});c?qj(c):b&&(c=Bl.getInstance().Xp(null,Rh(),!1,a),c.Qd=3,Oj([c]))}; -Il=function(a){if(!a)return"";a=a.split("#")[0].split("?")[0];a=a.toLowerCase();0==a.indexOf("//")&&(a=window.location.protocol+a);/^[\w\-]*:\/\//.test(a)||(a=window.location.href);var b=a.substring(a.indexOf("://")+3),c=b.indexOf("/");-1!=c&&(b=b.substring(0,c));a=a.substring(0,a.indexOf("://"));if("http"!==a&&"https"!==a&&"chrome-extension"!==a&&"moz-extension"!==a&&"file"!==a&&"android-app"!==a&&"chrome-search"!==a&&"chrome-untrusted"!==a&&"chrome"!==a&&"app"!==a&&"devtools"!==a)throw Error("Invalid URI scheme in origin: "+ -a);c="";var d=b.indexOf(":");if(-1!=d){var e=b.substring(d+1);b=b.substring(0,d);if("http"===a&&"80"!==e||"https"===a&&"443"!==e)c=":"+e}return a+"://"+b+c}; -fda=function(){function a(){e[0]=1732584193;e[1]=4023233417;e[2]=2562383102;e[3]=271733878;e[4]=3285377520;p=n=0} -function b(r){for(var t=h,w=0;64>w;w+=4)t[w/4]=r[w]<<24|r[w+1]<<16|r[w+2]<<8|r[w+3];for(w=16;80>w;w++)r=t[w-3]^t[w-8]^t[w-14]^t[w-16],t[w]=(r<<1|r>>>31)&4294967295;r=e[0];var x=e[1],y=e[2],D=e[3],F=e[4];for(w=0;80>w;w++){if(40>w)if(20>w){var G=D^x&(y^D);var O=1518500249}else G=x^y^D,O=1859775393;else 60>w?(G=x&y|D&(x|y),O=2400959708):(G=x^y^D,O=3395469782);G=((r<<5|r>>>27)&4294967295)+G+F+O+t[w]&4294967295;F=D;D=y;y=(x<<30|x>>>2)&4294967295;x=r;r=G}e[0]=e[0]+r&4294967295;e[1]=e[1]+x&4294967295;e[2]= -e[2]+y&4294967295;e[3]=e[3]+D&4294967295;e[4]=e[4]+F&4294967295} -function c(r,t){if("string"===typeof r){r=unescape(encodeURIComponent(r));for(var w=[],x=0,y=r.length;xn?c(l,56-n):c(l,64-(n-56));for(var w=63;56<=w;w--)f[w]=t&255,t>>>=8;b(f);for(w=t=0;5>w;w++)for(var x=24;0<=x;x-=8)r[t++]=e[w]>>x&255;return r} -for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,mI:function(){for(var r=d(),t="",w=0;wc.keyCode||void 0!=c.returnValue)){a:{var f=!1;if(0==c.keyCode)try{c.keyCode=-1;break a}catch(m){f=!0}if(f||void 0==c.returnValue)c.returnValue=!0}c=[];for(f=d.currentTarget;f;f=f.parentNode)c.push(f);f=a.type;for(var h=c.length-1;!d.u&&0<=h;h--){d.currentTarget=c[h];var l=gm(c[h],f,!0,d);e=e&&l}for(h=0;!d.u&&ha.B&&(a.B++,b.next=a.u,a.u=b)}; -mm=function(a){g.v.setTimeout(function(){throw a;},0)}; -om=function(a){a=mda(a);"function"!==typeof g.v.setImmediate||g.v.Window&&g.v.Window.prototype&&!Wc("Edge")&&g.v.Window.prototype.setImmediate==g.v.setImmediate?(nm||(nm=nda()),nm(a)):g.v.setImmediate(a)}; -nda=function(){var a=g.v.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!Wc("Presto")&&(a=function(){var e=g.Fe("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.z)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()},this); -f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); -if("undefined"!==typeof a&&!Wc("Trident")&&!Wc("MSIE")){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.yA;c.yA=null;e()}}; -return function(e){d.next={yA:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.v.setTimeout(e,0)}}; -pm=function(){this.B=this.u=null}; -qm=function(){this.next=this.scope=this.u=null}; -g.um=function(a,b){rm||oda();sm||(rm(),sm=!0);tm.add(a,b)}; -oda=function(){if(g.v.Promise&&g.v.Promise.resolve){var a=g.v.Promise.resolve(void 0);rm=function(){a.then(vm)}}else rm=function(){om(vm)}}; -vm=function(){for(var a;a=tm.remove();){try{a.u.call(a.scope)}catch(b){mm(b)}lm(wm,a)}sm=!1}; -xm=function(a){if(!a)return!1;try{return!!a.$goog_Thenable}catch(b){return!1}}; -zm=function(a){this.Ha=0;this.Hk=void 0;this.zm=this.Tj=this.Ul=null;this.ls=this.Yv=!1;if(a!=g.Oa)try{var b=this;a.call(void 0,function(c){ym(b,2,c)},function(c){ym(b,3,c)})}catch(c){ym(this,3,c)}}; -Am=function(){this.next=this.context=this.onRejected=this.C=this.u=null;this.B=!1}; -Cm=function(a,b,c){var d=Bm.get();d.C=a;d.onRejected=b;d.context=c;return d}; -Dm=function(a){if(a instanceof zm)return a;var b=new zm(g.Oa);ym(b,2,a);return b}; -Em=function(a){return new zm(function(b,c){c(a)})}; -Gm=function(a,b,c){Fm(a,b,c,null)||g.um(g.Wa(b,a))}; -pda=function(a){return new zm(function(b,c){a.length||b(void 0);for(var d=0,e;db)throw Error("Bad port number "+b);a.D=b}else a.D=null}; -cn=function(a,b,c){b instanceof en?(a.C=b,sda(a.C,a.K)):(c||(b=fn(b,tda)),a.C=new en(b,a.K))}; -g.gn=function(a){return a instanceof g.Zm?a.clone():new g.Zm(a,void 0)}; -dn=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; -fn=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,uda),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; -uda=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; -en=function(a,b){this.B=this.u=null;this.C=a||null;this.D=!!b}; -hn=function(a){a.u||(a.u=new g.Wm,a.B=0,a.C&&Bd(a.C,function(b,c){a.add(md(b),c)}))}; -kn=function(a,b){hn(a);b=jn(a,b);return Xm(a.u.B,b)}; -g.ln=function(a,b,c){a.remove(b);0e;e++)d[e]=b.charCodeAt(c)<<24|b.charCodeAt(c+1)<<16|b.charCodeAt(c+2)<<8|b.charCodeAt(c+3),c+=4;else for(e=0;16>e;e++)d[e]=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4;for(e=16;80>e;e++){var f=d[e-3]^d[e-8]^d[e-14]^d[e-16];d[e]=(f<<1|f>>>31)&4294967295}b=a.u[0];c=a.u[1];var h=a.u[2],l=a.u[3],m=a.u[4];for(e=0;80>e;e++){if(40>e)if(20>e){f=l^c&(h^l);var n=1518500249}else f=c^h^l,n=1859775393;else 60>e?(f=c&h|l&(c|h),n=2400959708): -(f=c^h^l,n=3395469782);f=(b<<5|b>>>27)+f+m+n+d[e]&4294967295;m=l;l=h;h=(c<<30|c>>>2)&4294967295;c=b;b=f}a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+c&4294967295;a.u[2]=a.u[2]+h&4294967295;a.u[3]=a.u[3]+l&4294967295;a.u[4]=a.u[4]+m&4294967295}; -wn=function(a){return"string"==typeof a.className?a.className:a.getAttribute&&a.getAttribute("class")||""}; -xn=function(a){return a.classList?a.classList:wn(a).match(/\S+/g)||[]}; -yn=function(a,b){"string"==typeof a.className?a.className=b:a.setAttribute&&a.setAttribute("class",b)}; -g.zn=function(a,b){return a.classList?a.classList.contains(b):g.nb(xn(a),b)}; -g.I=function(a,b){if(a.classList)a.classList.add(b);else if(!g.zn(a,b)){var c=wn(a);yn(a,c+(0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; -Fda=function(a){if(!a)return Rc;var b=document.createElement("div").style,c=Bda(a);g.Gb(c,function(d){var e=g.Ae&&d in Cda?d:d.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");pc(e,"--")||pc(e,"var")||(d=Hn(Dda,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[d])||"",d=Ada(d),null!=d&&Hn(Eda,b,b.setProperty?"setProperty":"setAttribute",[e,d]))}); -return Iaa(b.cssText||"")}; -Bda=function(a){g.Ra(a)?a=g.ub(a):(a=g.Qb(a),g.rb(a,"cssText"));return a}; -g.Jn=function(a){var b,c=b=0,d=!1;a=a.split(Gda);for(var e=0;eg.A()}; -g.Yn=function(a){this.u=a}; -Nda=function(){}; -Zn=function(){}; -$n=function(a){this.u=a}; -ao=function(){var a=null;try{a=window.localStorage||null}catch(b){}this.u=a}; -bo=function(){var a=null;try{a=window.sessionStorage||null}catch(b){}this.u=a}; -eo=function(a,b){this.B=a;this.u=null;if(g.ye&&!g.ae(9)){co||(co=new g.Wm);this.u=co.get(a);this.u||(b?this.u=document.getElementById(b):(this.u=document.createElement("userdata"),this.u.addBehavior("#default#userData"),document.body.appendChild(this.u)),co.set(a,this.u));try{this.u.load(this.B)}catch(c){this.u=null}}}; -fo=function(a){return"_"+encodeURIComponent(a).replace(/[.!~*'()%]/g,function(b){return Oda[b]})}; -go=function(a){try{a.u.save(a.B)}catch(b){throw"Storage mechanism: Quota exceeded";}}; -ho=function(a,b){this.B=a;this.u=b+"::"}; -g.io=function(a){var b=new ao;return b.isAvailable()?a?new ho(b,a):b:null}; -jo=function(a,b){this.u=a;this.B=b}; -ko=function(a){this.u=[];if(a)a:{if(a instanceof ko){var b=a.xg();a=a.mf();if(0>=this.u.length){for(var c=this.u,d=0;d>1,a[d].getKey()>c.getKey())a[b]=a[d],b=d;else break;a[b]=c}; -g.mo=function(){ko.call(this)}; -no=function(){}; -oo=function(a){g.Gf(this,a,Pda,null)}; -po=function(a){g.Gf(this,a,null,null)}; -Qda=function(a,b){for(;gf(b)&&4!=b.B;)switch(b.C){case 1:var c=kf(b);g.Jf(a,1,c);break;case 2:c=kf(b);g.Jf(a,2,c);break;case 3:c=kf(b);g.Jf(a,3,c);break;case 4:c=kf(b);g.Jf(a,4,c);break;case 5:c=cf(b.u);g.Jf(a,5,c);break;default:hf(b)}return a}; -Rda=function(a){a=a.split("");var b=[a,777381325,-888300578,null,function(c,d){c.push(d)}, --1343374430,function(c,d){d=(d%c.length+c.length)%c.length;var e=c[0];c[0]=c[d];c[d]=e}, -393443390,-2059232886,"indexOf",function(c){for(var d=c.length;d;)c.push(c.splice(--d,1)[0])}, --85146023,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(-d).reverse().forEach(function(e){c.unshift(e)})}, --2050164771,-888300578,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(0,1,c.splice(d,1,c[0])[0])}, --223131675,36126634,-216330744,null,149766602,121937306,a,function(c,d){for(d=(d%c.length+c.length)%c.length;d--;)c.unshift(c.pop())}, -831320763,function(c,d){d=(d%c.length+c.length)%c.length;var e=c[0];c[0]=c[d];c[d]=e}, --1532934438,870797291,-1805683891,a,-260374588,-1105657816,1735987313,-1313721205,-1386503270,-389354286,null,function(c){c.reverse()}, --816427375,-154670294,168777696,-1825682303,-1521954163,1995224259,function(c,d){for(var e=64,f=[];++e-f.length-32;){switch(e){case 58:e-=14;case 91:case 92:case 93:continue;case 123:e=47;case 94:case 95:case 96:continue;case 46:e=95}f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}, -function(c,d){d=(d%c.length+c.length)%c.length;c.splice(d,1)}, --1825682303,1611830652,-1722760217,-1324426003,1349666649];b[3]=b;b[19]=b;b[36]=b;b[23](b[22],b[28]);b[23](b[29],b[1]);b[25](b[36],b[40]);b[37](b[22]);b[37](b[36]);b[44](b[20],b[12]);b[35](b[21],b[43]);b[35](b[31],b[16]);b[44](b[21],b[24]);b[6](b[20],b[41]);b[27](b[31],b[33]);b[44](b[40],b[49]);b[32](b[47]);b[46](b[15],b[45]);b[18](b[45],b[42]);b[1](b[21],b[32]);b[29](b[17]);b[16](b[36],b[28]);b[34](b[43],b[50]);b[31](b[47],b[4]);b[15](b[40]);b[35](b[3]);b[37](b[47],b[23]);b[29](b[28],b[37]);b[40](b[3], -b[16]);b[40](b[3],b[22]);b[37](b[10],b[27]);b[26](b[40],b[36]);b[30](b[46],b[23]);b[50](b[9],b[37]);b[19](b[24],b[9]);b[51](b[12],b[21]);b[16](b[15],b[40]);b[18](b[15],b[45]);b[5](b[12],b[1]);b[38](b[42],b[28]);b[9](b[1]);b[29](b[8],b[7]);b[38](b[26],b[41]);b[29](b[8],b[3]);b[9](b[42]);b[22](b[43],b[40]);return a.join("")}; -ro=function(a){var b=arguments;1f&&(c=a.substring(f,e),c=c.replace(Tda,""),c=c.replace(Uda,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else Vda(a,b,c)}; -Vda=function(a,b,c){c=void 0===c?null:c;var d=To(a),e=document.getElementById(d),f=e&&Ao(e),h=e&&!f;f?b&&b():(b&&(f=g.No(d,b),b=""+g.Ua(b),Uo[b]=f),h||(e=Wda(a,d,function(){Ao(e)||(zo(e,"loaded","true"),g.Po(d),g.Fo(g.Wa(Ro,d),0))},c)))}; -Wda=function(a,b,c,d){d=void 0===d?null:d;var e=g.Fe("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; -e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; -d&&e.setAttribute("nonce",d);g.jd(e,g.ng(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; -To=function(a){var b=document.createElement("a");g.id(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+qd(a)}; -Wo=function(){var a=document;if("visibilityState"in a)return a.visibilityState;var b=Vo+"VisibilityState";if(b in a)return a[b]}; -Xo=function(a,b){var c;ei(a,function(d){c=b[d];return!!c}); -return c}; -Yo=function(a){this.type="";this.state=this.source=this.data=this.currentTarget=this.relatedTarget=this.target=null;this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.ctrlKey=this.altKey=!1;this.rotation=this.clientY=this.clientX=0;this.scale=1;this.changedTouches=this.touches=null;try{if(a=a||window.event){this.event=a;for(var b in a)b in Xda||(this[b]=a[b]);this.scale=a.scale;this.rotation=a.rotation;var c=a.target||a.srcElement;c&&3==c.nodeType&&(c=c.parentNode);this.target=c;var d=a.relatedTarget; -if(d)try{d=d.nodeName?d:null}catch(e){d=null}else"mouseover"==this.type?d=a.fromElement:"mouseout"==this.type&&(d=a.toElement);this.relatedTarget=d;this.clientX=void 0!=a.clientX?a.clientX:a.pageX;this.clientY=void 0!=a.clientY?a.clientY:a.pageY;this.keyCode=a.keyCode?a.keyCode:a.which;this.charCode=a.charCode||("keypress"==this.type?this.keyCode:0);this.altKey=a.altKey;this.ctrlKey=a.ctrlKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.u=a.pageX;this.B=a.pageY}}catch(e){}}; -Zo=function(a){if(document.body&&document.documentElement){var b=document.body.scrollTop+document.documentElement.scrollTop;a.u=a.clientX+(document.body.scrollLeft+document.documentElement.scrollLeft);a.B=a.clientY+b}}; -Yda=function(a,b,c,d){d=void 0===d?{}:d;a.addEventListener&&("mouseenter"!=b||"onmouseenter"in document?"mouseleave"!=b||"onmouseenter"in document?"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"):b="mouseout":b="mouseover");return Ub($o,function(e){var f="boolean"===typeof e[4]&&e[4]==!!d,h=g.Sa(e[4])&&g.Sa(d)&&g.Yb(e[4],d);return!!e.length&&e[0]==a&&e[1]==b&&e[2]==c&&(f||h)})}; -g.cp=function(a,b,c,d){d=void 0===d?{}:d;if(!a||!a.addEventListener&&!a.attachEvent)return"";var e=Yda(a,b,c,d);if(e)return e;e=++ap.count+"";var f=!("mouseenter"!=b&&"mouseleave"!=b||!a.addEventListener||"onmouseenter"in document);var h=f?function(l){l=new Yo(l);if(!Re(l.relatedTarget,function(m){return m==a},!0))return l.currentTarget=a,l.type=b,c.call(a,l)}:function(l){l=new Yo(l); -l.currentTarget=a;return c.call(a,l)}; -h=Do(h);a.addEventListener?("mouseenter"==b&&f?b="mouseover":"mouseleave"==b&&f?b="mouseout":"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"),bp()||"boolean"===typeof d?a.addEventListener(b,h,d):a.addEventListener(b,h,!!d.capture)):a.attachEvent("on"+b,h);$o[e]=[a,b,c,h,d];return e}; -Zda=function(a,b){var c=document.body||document;return g.cp(c,"click",function(d){var e=Re(d.target,function(f){return f===c||b(f)},!0); -e&&e!==c&&!e.disabled&&(d.currentTarget=e,a.call(e,d))})}; -g.dp=function(a){a&&("string"==typeof a&&(a=[a]),g.Gb(a,function(b){if(b in $o){var c=$o[b],d=c[0],e=c[1],f=c[3];c=c[4];d.removeEventListener?bp()||"boolean"===typeof c?d.removeEventListener(e,f,c):d.removeEventListener(e,f,!!c.capture):d.detachEvent&&d.detachEvent("on"+e,f);delete $o[b]}}))}; -g.ep=function(a){a=a||window.event;a=a.target||a.srcElement;3==a.nodeType&&(a=a.parentNode);return a}; -fp=function(a){a=a||window.event;var b;a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path;return b&&b.length?b[0]:g.ep(a)}; -gp=function(a){a=a||window.event;var b=a.relatedTarget;b||("mouseover"==a.type?b=a.fromElement:"mouseout"==a.type&&(b=a.toElement));return b}; -hp=function(a){a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));return new g.fe(b,c)}; -g.ip=function(a){a=a||window.event;a.returnValue=!1;a.preventDefault&&a.preventDefault()}; -g.jp=function(a){a=a||window.event;return!1===a.returnValue||a.kC&&a.kC()}; -g.kp=function(a){a=a||window.event;return a.keyCode?a.keyCode:a.which}; -$da=function(a){return Zda(a,function(b){return g.zn(b,"ytp-ad-has-logging-urls")})}; -g.lp=function(a,b,c){var d=void 0===d?{}:d;var e;return e=g.cp(a,b,function(){g.dp(e);c.apply(a,arguments)},d)}; -mp=function(a){for(var b in $o)$o[b][0]==a&&g.dp(b)}; -np=function(a){this.P=a;this.u=null;this.D=0;this.I=null;this.F=0;this.B=[];for(a=0;4>a;a++)this.B.push(0);this.C=0;this.N=g.cp(window,"mousemove",(0,g.z)(this.X,this));this.W=Go((0,g.z)(this.K,this),25)}; -aea=function(){}; -pp=function(a,b){return op(a,0,b)}; -g.qp=function(a,b){return op(a,1,b)}; -rp=function(){}; -g.sp=function(){return!!g.Na("yt.scheduler.instance")}; -op=function(a,b,c){isNaN(c)&&(c=void 0);var d=g.Na("yt.scheduler.instance.addJob");return d?d(a,b,c):void 0===c?(a(),NaN):g.Fo(a,c||0)}; -g.tp=function(a){if(!isNaN(a)){var b=g.Na("yt.scheduler.instance.cancelJob");b?b(a):g.Ho(a)}}; -up=function(a){var b=g.Na("yt.scheduler.instance.setPriorityThreshold");b&&b(a)}; -xp=function(){var a={},b=void 0===a.CJ?!0:a.CJ;a=void 0===a.nQ?!1:a.nQ;if(null==g.Na("_lact",window)){var c=parseInt(g.L("LACT"),10);c=isFinite(c)?g.A()-Math.max(c,0):-1;g.Ia("_lact",c,window);g.Ia("_fact",c,window);-1==c&&vp();g.cp(document,"keydown",vp);g.cp(document,"keyup",vp);g.cp(document,"mousedown",vp);g.cp(document,"mouseup",vp);b&&(a?g.cp(window,"touchmove",function(){wp("touchmove",200)},{passive:!0}):(g.cp(window,"resize",function(){wp("resize",200)}),g.cp(window,"scroll",function(){wp("scroll", -200)}))); -new np(function(){wp("mouse",100)}); -g.cp(document,"touchstart",vp,{passive:!0});g.cp(document,"touchend",vp,{passive:!0})}}; -wp=function(a,b){yp[a]||(yp[a]=!0,g.qp(function(){vp();yp[a]=!1},b))}; -vp=function(){null==g.Na("_lact",window)&&(xp(),g.Na("_lact",window));var a=g.A();g.Ia("_lact",a,window);-1==g.Na("_fact",window)&&g.Ia("_fact",a,window);(a=g.Na("ytglobal.ytUtilActivityCallback_"))&&a()}; -zp=function(){var a=g.Na("_lact",window),b;null==a?b=-1:b=Math.max(g.A()-a,0);return b}; -Fp=function(a){a=void 0===a?!1:a;return new zm(function(b){g.Ho(Ap);g.Ho(Bp);Bp=0;Cp&&Cp.isReady()?(bea(b,a),Dp.clear()):(Ep(),b())})}; -Ep=function(){g.uo("web_gel_timeout_cap")&&!Bp&&(Bp=g.Fo(Fp,6E4));g.Ho(Ap);var a=g.L("LOGGING_BATCH_TIMEOUT",g.vo("web_gel_debounce_ms",1E4));g.uo("shorten_initial_gel_batch_timeout")&&Gp&&(a=cea);Ap=g.Fo(Fp,a)}; -bea=function(a,b){var c=Cp;b=void 0===b?!1:b;for(var d=Math.round((0,g.N)()),e=Dp.size,f=g.q(Dp),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;var m=l.next().value;l=g.$b(g.Hp(c.Gf||g.Ip()));l.events=m;(m=Jp[h])&&dea(l,h,m);delete Jp[h];eea(l,d);g.Kp(c,"log_event",l,{retry:!0,onSuccess:function(){e--;e||a();Lp=Math.round((0,g.N)()-d)}, -onError:function(){e--;e||a()}, -CR:b});Gp=!1}}; -eea=function(a,b){a.requestTimeMs=String(b);g.uo("unsplit_gel_payloads_in_logs")&&(a.unsplitGelPayloadsInLogs=!0);var c=g.L("EVENT_ID",void 0);if(c){var d=g.L("BATCH_CLIENT_COUNTER",void 0)||0;!d&&g.uo("web_client_counter_random_seed")&&(d=Math.floor(Math.random()*Mp/2));d++;d>Mp&&(d=1);ro("BATCH_CLIENT_COUNTER",d);c={serializedEventId:c,clientCounter:String(d)};a.serializedClientEventId=c;Np&&Lp&&g.uo("log_gel_rtt_web")&&(a.previousBatchInfo={serializedClientEventId:Np,roundtripMs:String(Lp)});Np= -c;Lp=0}}; -dea=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; -Qp=function(a,b,c,d){d=void 0===d?{}:d;var e={};e.eventTimeMs=Math.round(d.timestamp||(0,g.N)());e[a]=b;e.context={lastActivityMs:String(d.timestamp?-1:zp())};g.uo("log_sequence_info_on_gel_web")&&d.Zl&&(a=e.context,b=d.Zl,Op[b]=b in Op?Op[b]+1:0,a.sequence={index:Op[b],groupKey:b},d.qI&&delete Op[d.Zl]);d=d.Cm;a="";d&&(a={},d.videoId?a.videoId=d.videoId:d.playlistId&&(a.playlistId=d.playlistId),Jp[d.token]=a,a=d.token);d=Dp.get(a)||[];Dp.set(a,d);d.push(e);c&&(Cp=new c);c=g.vo("web_logging_max_batch")|| -100;e=(0,g.N)();d.length>=c?Fp(!0):10<=e-Pp&&(Ep(),Pp=e)}; -Rp=function(){return g.Na("yt.ads.biscotti.lastId_")||""}; -Sp=function(a){g.Ia("yt.ads.biscotti.lastId_",a,void 0)}; -Tp=function(a){for(var b=a.split("&"),c={},d=0,e=b.length;ddocument.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; +vla=function(a){if(!a)return le;var b=document.createElement("div").style;rla(a).forEach(function(c){var d=g.Pc&&c in sla?c:c.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");Rb(d,"--")||Rb(d,"var")||(c=qla(tla,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[c])||"",c=ola(c),null!=c&&qla(ula,b,b.setProperty?"setProperty":"setAttribute",[d,c]))}); +return Wba(g.Xd("Output of CSS sanitizer"),b.cssText||"")}; +rla=function(a){g.Ia(a)?a=g.Bb(a):(a=g.Zc(a),g.wb(a,"cssText"));return a}; +g.fq=function(a){var b,c=b=0,d=!1;a=a.split(wla);for(var e=0;e=c)return 0;if(1<=c)return 1;for(var d=0,e=1,f=0,h=0;8>h;h++){f=hq(a,c);var l=(hq(a,c+1E-6)-f)/1E-6;if(1E-6>Math.abs(f-b))return c;if(1E-6>Math.abs(l))break;else fh;h++)fg.Ra()}; +g.pq=function(a){this.j=a}; +Gla=function(){}; +qq=function(){}; +rq=function(a){this.j=a}; +sq=function(){var a=null;try{a=window.localStorage||null}catch(b){}this.j=a}; +Hla=function(){var a=null;try{a=window.sessionStorage||null}catch(b){}this.j=a}; +uq=function(a,b){this.u=a;this.j=null;if(g.mf&&!g.Oc(9)){tq||(tq=new g.Zp);this.j=tq.get(a);this.j||(b?this.j=document.getElementById(b):(this.j=document.createElement("userdata"),this.j.addBehavior("#default#userData"),document.body.appendChild(this.j)),tq.set(a,this.j));try{this.j.load(this.u)}catch(c){this.j=null}}}; +vq=function(a){return"_"+encodeURIComponent(a).replace(/[.!~*'()%]/g,function(b){return Ila[b]})}; +wq=function(a){try{a.j.save(a.u)}catch(b){throw"Storage mechanism: Quota exceeded";}}; +xq=function(a,b){this.u=a;this.j=b+"::"}; +g.yq=function(a){var b=new sq;return b.isAvailable()?a?new xq(b,a):b:null}; +Lq=function(a,b){this.j=a;this.u=b}; +Mq=function(a){this.j=[];if(a)a:{if(a instanceof Mq){var b=a.Xp();a=a.Ml();if(0>=this.j.length){for(var c=this.j,d=0;df?1:2048>f?2:65536>f?3:4}var l=new Oq.Nw(e);for(b=c=0;cf?l[c++]=f:(2048>f?l[c++]=192|f>>>6:(65536>f?l[c++]=224|f>>>12:(l[c++]=240|f>>>18,l[c++]=128|f>>>12&63),l[c++]=128|f>>> +6&63),l[c++]=128|f&63);return l}; +Pq=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +Qq=function(a,b,c,d,e){this.XX=a;this.b3=b;this.Z2=c;this.O2=d;this.J4=e;this.BU=a&&a.length}; +Rq=function(a,b){this.nT=a;this.jz=0;this.Ht=b}; +Sq=function(a,b){a.hg[a.pending++]=b&255;a.hg[a.pending++]=b>>>8&255}; +Tq=function(a,b,c){a.Kh>16-c?(a.Vi|=b<>16-a.Kh,a.Kh+=c-16):(a.Vi|=b<>>=1,c<<=1;while(0<--b);return c>>>1}; +Mla=function(a,b,c){var d=Array(16),e=0,f;for(f=1;15>=f;f++)d[f]=e=e+c[f-1]<<1;for(c=0;c<=b;c++)e=a[2*c+1],0!==e&&(a[2*c]=Lla(d[e]++,e))}; +Nla=function(a){var b;for(b=0;286>b;b++)a.Ej[2*b]=0;for(b=0;30>b;b++)a.Pu[2*b]=0;for(b=0;19>b;b++)a.Ai[2*b]=0;a.Ej[512]=1;a.Kq=a.cA=0;a.Rl=a.matches=0}; +Ola=function(a){8e?Zq[e]:Zq[256+(e>>>7)];Uq(a,h,c);l=$q[h];0!==l&&(e-=ar[h],Tq(a,e,l))}}while(da.lq;){var m=a.xg[++a.lq]=2>l?++l:0;c[2*m]=1;a.depth[m]=0;a.Kq--;e&&(a.cA-=d[2*m+1])}b.jz=l;for(h=a.lq>>1;1<=h;h--)Vq(a,c,h);m=f;do h=a.xg[1],a.xg[1]=a.xg[a.lq--],Vq(a,c,1),d=a.xg[1],a.xg[--a.Ky]=h,a.xg[--a.Ky]=d,c[2*m]=c[2*h]+c[2*d],a.depth[m]=(a.depth[h]>=a.depth[d]?a.depth[h]:a.depth[d])+1,c[2*h+1]=c[2*d+1]=m,a.xg[1]=m++,Vq(a,c,1);while(2<= +a.lq);a.xg[--a.Ky]=a.xg[1];h=b.nT;m=b.jz;d=b.Ht.XX;e=b.Ht.BU;f=b.Ht.b3;var n=b.Ht.Z2,p=b.Ht.J4,q,r=0;for(q=0;15>=q;q++)a.Jp[q]=0;h[2*a.xg[a.Ky]+1]=0;for(b=a.Ky+1;573>b;b++){var v=a.xg[b];q=h[2*h[2*v+1]+1]+1;q>p&&(q=p,r++);h[2*v+1]=q;if(!(v>m)){a.Jp[q]++;var x=0;v>=n&&(x=f[v-n]);var z=h[2*v];a.Kq+=z*(q+x);e&&(a.cA+=z*(d[2*v+1]+x))}}if(0!==r){do{for(q=p-1;0===a.Jp[q];)q--;a.Jp[q]--;a.Jp[q+1]+=2;a.Jp[p]--;r-=2}while(0m||(h[2*d+1]!==q&&(a.Kq+=(q- +h[2*d+1])*h[2*d],h[2*d+1]=q),v--)}Mla(c,l,a.Jp)}; +Sla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);b[2*(c+1)+1]=65535;for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];++h=h?a.Ai[34]++:a.Ai[36]++,h=0,e=n,0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4))}}; +Tla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];if(!(++h=h?(Uq(a,17,a.Ai),Tq(a,h-3,3)):(Uq(a,18,a.Ai),Tq(a,h-11,7));h=0;e=n;0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4)}}}; +Ula=function(a){var b=4093624447,c;for(c=0;31>=c;c++,b>>>=1)if(b&1&&0!==a.Ej[2*c])return 0;if(0!==a.Ej[18]||0!==a.Ej[20]||0!==a.Ej[26])return 1;for(c=32;256>c;c++)if(0!==a.Ej[2*c])return 1;return 0}; +cr=function(a,b,c){a.hg[a.pB+2*a.Rl]=b>>>8&255;a.hg[a.pB+2*a.Rl+1]=b&255;a.hg[a.UM+a.Rl]=c&255;a.Rl++;0===b?a.Ej[2*c]++:(a.matches++,b--,a.Ej[2*(Wq[c]+256+1)]++,a.Pu[2*(256>b?Zq[b]:Zq[256+(b>>>7)])]++);return a.Rl===a.IC-1}; +er=function(a,b){a.msg=dr[b];return b}; +fr=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +gr=function(a){var b=a.state,c=b.pending;c>a.le&&(c=a.le);0!==c&&(Oq.Mx(a.Sj,b.hg,b.oD,c,a.pz),a.pz+=c,b.oD+=c,a.LP+=c,a.le-=c,b.pending-=c,0===b.pending&&(b.oD=0))}; +jr=function(a,b){var c=0<=a.qk?a.qk:-1,d=a.xb-a.qk,e=0;if(0>>3;var h=a.cA+3+7>>>3;h<=f&&(f=h)}else f=h=d+5;if(d+4<=f&&-1!==c)Tq(a,b?1:0,3),Pla(a,c,d);else if(4===a.strategy||h===f)Tq(a,2+(b?1:0),3),Rla(a,hr,ir);else{Tq(a,4+(b?1:0),3);c=a.zG.jz+1;d=a.rF.jz+1;e+=1;Tq(a,c-257,5);Tq(a,d-1,5);Tq(a,e-4,4);for(f=0;f>>8&255;a.hg[a.pending++]=b&255}; +Wla=function(a,b){var c=a.zV,d=a.xb,e=a.Ok,f=a.PV,h=a.xb>a.Oi-262?a.xb-(a.Oi-262):0,l=a.window,m=a.Qt,n=a.gp,p=a.xb+258,q=l[d+e-1],r=l[d+e];a.Ok>=a.hU&&(c>>=2);f>a.Yb&&(f=a.Yb);do{var v=b;if(l[v+e]===r&&l[v+e-1]===q&&l[v]===l[d]&&l[++v]===l[d+1]){d+=2;for(v++;l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&de){a.gz=b;e=v;if(v>=f)break;q=l[d+e-1];r=l[d+e]}}}while((b=n[b&m])>h&&0!== +--c);return e<=a.Yb?e:a.Yb}; +or=function(a){var b=a.Oi,c;do{var d=a.YY-a.Yb-a.xb;if(a.xb>=b+(b-262)){Oq.Mx(a.window,a.window,b,b,0);a.gz-=b;a.xb-=b;a.qk-=b;var e=c=a.lG;do{var f=a.head[--e];a.head[e]=f>=b?f-b:0}while(--c);e=c=b;do f=a.gp[--e],a.gp[e]=f>=b?f-b:0;while(--c);d+=b}if(0===a.Sd.Ti)break;e=a.Sd;c=a.window;f=a.xb+a.Yb;var h=e.Ti;h>d&&(h=d);0===h?c=0:(e.Ti-=h,Oq.Mx(c,e.input,e.Gv,h,f),1===e.state.wrap?e.Cd=mr(e.Cd,c,h,f):2===e.state.wrap&&(e.Cd=nr(e.Cd,c,h,f)),e.Gv+=h,e.yw+=h,c=h);a.Yb+=c;if(3<=a.Yb+a.Ph)for(d=a.xb-a.Ph, +a.Yd=a.window[d],a.Yd=(a.Yd<a.Yb+a.Ph););}while(262>a.Yb&&0!==a.Sd.Ti)}; +pr=function(a,b){for(var c;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +qr=function(a,b){for(var c,d;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<=a.Fe&&(1===a.strategy||3===a.Fe&&4096a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Xla=function(a,b){for(var c,d,e,f=a.window;;){if(258>=a.Yb){or(a);if(258>=a.Yb&&0===b)return 1;if(0===a.Yb)break}a.Fe=0;if(3<=a.Yb&&0a.Yb&&(a.Fe=a.Yb)}3<=a.Fe?(c=cr(a,1,a.Fe-3),a.Yb-=a.Fe,a.xb+=a.Fe,a.Fe=0):(c=cr(a,0,a.window[a.xb]),a.Yb--,a.xb++);if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4=== +b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Yla=function(a,b){for(var c;;){if(0===a.Yb&&(or(a),0===a.Yb)){if(0===b)return 1;break}a.Fe=0;c=cr(a,0,a.window[a.xb]);a.Yb--;a.xb++;if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +rr=function(a,b,c,d,e){this.y3=a;this.I4=b;this.X4=c;this.H4=d;this.func=e}; +Zla=function(){this.Sd=null;this.status=0;this.hg=null;this.wrap=this.pending=this.oD=this.Vl=0;this.Ad=null;this.Qm=0;this.method=8;this.Zy=-1;this.Qt=this.gQ=this.Oi=0;this.window=null;this.YY=0;this.head=this.gp=null;this.PV=this.hU=this.strategy=this.level=this.hN=this.zV=this.Ok=this.Yb=this.gz=this.xb=this.Cv=this.ZW=this.Fe=this.qk=this.jq=this.iq=this.uM=this.lG=this.Yd=0;this.Ej=new Oq.Cp(1146);this.Pu=new Oq.Cp(122);this.Ai=new Oq.Cp(78);fr(this.Ej);fr(this.Pu);fr(this.Ai);this.GS=this.rF= +this.zG=null;this.Jp=new Oq.Cp(16);this.xg=new Oq.Cp(573);fr(this.xg);this.Ky=this.lq=0;this.depth=new Oq.Cp(573);fr(this.depth);this.Kh=this.Vi=this.Ph=this.matches=this.cA=this.Kq=this.pB=this.Rl=this.IC=this.UM=0}; +$la=function(a,b){if(!a||!a.state||5b)return a?er(a,-2):-2;var c=a.state;if(!a.Sj||!a.input&&0!==a.Ti||666===c.status&&4!==b)return er(a,0===a.le?-5:-2);c.Sd=a;var d=c.Zy;c.Zy=b;if(42===c.status)if(2===c.wrap)a.Cd=0,kr(c,31),kr(c,139),kr(c,8),c.Ad?(kr(c,(c.Ad.text?1:0)+(c.Ad.Is?2:0)+(c.Ad.Ur?4:0)+(c.Ad.name?8:0)+(c.Ad.comment?16:0)),kr(c,c.Ad.time&255),kr(c,c.Ad.time>>8&255),kr(c,c.Ad.time>>16&255),kr(c,c.Ad.time>>24&255),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,c.Ad.os&255),c.Ad.Ur&& +c.Ad.Ur.length&&(kr(c,c.Ad.Ur.length&255),kr(c,c.Ad.Ur.length>>8&255)),c.Ad.Is&&(a.Cd=nr(a.Cd,c.hg,c.pending,0)),c.Qm=0,c.status=69):(kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,3),c.status=113);else{var e=8+(c.gQ-8<<4)<<8;e|=(2<=c.strategy||2>c.level?0:6>c.level?1:6===c.level?2:3)<<6;0!==c.xb&&(e|=32);c.status=113;lr(c,e+(31-e%31));0!==c.xb&&(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));a.Cd=1}if(69===c.status)if(c.Ad.Ur){for(e=c.pending;c.Qm<(c.Ad.Ur.length& +65535)&&(c.pending!==c.Vl||(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending!==c.Vl));)kr(c,c.Ad.Ur[c.Qm]&255),c.Qm++;c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));c.Qm===c.Ad.Ur.length&&(c.Qm=0,c.status=73)}else c.status=73;if(73===c.status)if(c.Ad.name){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){var f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.Qm=0,c.status=91)}else c.status=91;if(91===c.status)if(c.Ad.comment){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.status=103)}else c.status=103;103===c.status&& +(c.Ad.Is?(c.pending+2>c.Vl&&gr(a),c.pending+2<=c.Vl&&(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),a.Cd=0,c.status=113)):c.status=113);if(0!==c.pending){if(gr(a),0===a.le)return c.Zy=-1,0}else if(0===a.Ti&&(b<<1)-(4>=8,c.Kh-=8)):5!==b&&(Tq(c,0,3),Pla(c,0,0),3===b&&(fr(c.head),0===c.Yb&&(c.xb=0,c.qk=0,c.Ph=0))),gr(a),0===a.le))return c.Zy=-1,0}if(4!==b)return 0;if(0>=c.wrap)return 1;2===c.wrap?(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),kr(c,a.Cd>>16&255),kr(c,a.Cd>>24&255),kr(c,a.yw&255),kr(c,a.yw>>8&255),kr(c,a.yw>>16&255),kr(c,a.yw>>24&255)):(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));gr(a);0a.Rt&&(a.Rt+=16);this.err=0;this.msg="";this.ended=!1;this.chunks=[];this.Sd=new ama;this.Sd.le=0;var b=this.Sd;var c=a.level,d=a.method,e=a.Rt,f=a.O4,h=a.strategy;if(b){var l=1;-1===c&&(c=6);0>e?(l=0,e=-e):15f||9e||15c||9h||4c.wrap&&(c.wrap=-c.wrap);c.status=c.wrap?42:113;b.Cd=2===c.wrap?0:1;c.Zy=0;if(!bma){d=Array(16);for(f=h=0;28>f;f++)for(Yq[f]=h,e=0;e< +1<f;f++)for(ar[f]=h,e=0;e<1<<$q[f];e++)Zq[h++]=f;for(h>>=7;30>f;f++)for(ar[f]=h<<7,e=0;e<1<<$q[f]-7;e++)Zq[256+h++]=f;for(e=0;15>=e;e++)d[e]=0;for(e=0;143>=e;)hr[2*e+1]=8,e++,d[8]++;for(;255>=e;)hr[2*e+1]=9,e++,d[9]++;for(;279>=e;)hr[2*e+1]=7,e++,d[7]++;for(;287>=e;)hr[2*e+1]=8,e++,d[8]++;Mla(hr,287,d);for(e=0;30>e;e++)ir[2*e+1]=5,ir[2*e]=Lla(e,5);cma=new Qq(hr,Xq,257,286,15);dma=new Qq(ir,$q,0,30,15);ema=new Qq([],fma,0,19,7);bma=!0}c.zG=new Rq(c.Ej,cma); +c.rF=new Rq(c.Pu,dma);c.GS=new Rq(c.Ai,ema);c.Vi=0;c.Kh=0;Nla(c);c=0}else c=er(b,-2);0===c&&(b=b.state,b.YY=2*b.Oi,fr(b.head),b.hN=sr[b.level].I4,b.hU=sr[b.level].y3,b.PV=sr[b.level].X4,b.zV=sr[b.level].H4,b.xb=0,b.qk=0,b.Yb=0,b.Ph=0,b.Fe=b.Ok=2,b.Cv=0,b.Yd=0);b=c}}else b=-2;if(0!==b)throw Error(dr[b]);a.header&&(b=this.Sd)&&b.state&&2===b.state.wrap&&(b.state.Ad=a.header);if(a.sB){var n;"string"===typeof a.sB?n=Kla(a.sB):"[object ArrayBuffer]"===gma.call(a.sB)?n=new Uint8Array(a.sB):n=a.sB;a=this.Sd; +f=n;h=f.length;if(a&&a.state)if(n=a.state,b=n.wrap,2===b||1===b&&42!==n.status||n.Yb)b=-2;else{1===b&&(a.Cd=mr(a.Cd,f,h,0));n.wrap=0;h>=n.Oi&&(0===b&&(fr(n.head),n.xb=0,n.qk=0,n.Ph=0),c=new Oq.Nw(n.Oi),Oq.Mx(c,f,h-n.Oi,n.Oi,0),f=c,h=n.Oi);c=a.Ti;d=a.Gv;e=a.input;a.Ti=h;a.Gv=0;a.input=f;for(or(n);3<=n.Yb;){f=n.xb;h=n.Yb-2;do n.Yd=(n.Yd<=c[19]?(0,c[87])(c[Math.pow(2,2)-138- -218],c[79]):(0,c[76])(c[29],c[28]),c[26]!==14763-Math.pow(1,1)-14772&&(6>=c[24]&&((0,c[48])((0,c[184-108*Math.pow(1,4)])(c[70],c[24]),c[32],c[68],c[84]),1)||((0,c[47])((0,c[43])(),c[49],c[745+-27*Math.pow(5,2)]),c[47])((0,c[69])(),c[9],c[84])),-3>c[27]&&(0>=c[83]||((0,c[32])(c[46],c[82]),null))&&(0,c[1])(c[88]),-2!==c[50]&&(-6 +c[74]?((0,c[16+Math.pow(8,3)-513])((0,c[81])(c[69],c[34]),c[54],c[24],c[91]),c[64])((0,c[25])(c[42],c[22]),c[54],c[30],c[34]):(0,c[10])((0,c[54])(c[85],c[12]),(0,c[25])(c[42],c[8]),c[new Date("1969-12-31T18:46:04.000-05:15")/1E3],(0,c[82])(c[49],c[30]),c[82],c[20],c[28])),3=c[92]&&(0,c[15])((0,c[35])(c[36],c[20]),c[11],c[29])}catch(d){(0,c[60])(c[92],c[93])}try{1>c[45]?((0,c[60])(c[2],c[93]),c[60])(c[91],c[93]):((0,c[88])(c[93],c[86]),c[11])(c[57])}catch(d){(0,c[85])((0,c[80])(),c[56],c[0])}}catch(d){return"enhanced_except_j5gB8Of-_w8_"+a}return b.join("")}; +g.zr=function(a){this.name=a}; +Ar=function(a){J.call(this,a)}; +Br=function(a){J.call(this,a)}; +Cr=function(a){J.call(this,a)}; +Dr=function(a){J.call(this,a)}; +Er=function(a){J.call(this,a)}; +Fr=function(a){J.call(this,a)}; +Gr=function(a){J.call(this,a)}; +Hr=function(a){J.call(this,a)}; +Ir=function(a){J.call(this,a,-1,rma)}; +Jr=function(a){J.call(this,a,-1,sma)}; +Kr=function(a){J.call(this,a)}; +Lr=function(a){J.call(this,a)}; +Mr=function(a){J.call(this,a)}; +Nr=function(a){J.call(this,a)}; +Or=function(a){J.call(this,a)}; +Pr=function(a){J.call(this,a)}; +Qr=function(a){J.call(this,a)}; +Rr=function(a){J.call(this,a)}; +Sr=function(a){J.call(this,a)}; +Tr=function(a){J.call(this,a,-1,tma)}; +Ur=function(a){J.call(this,a,-1,uma)}; +Vr=function(a){J.call(this,a)}; +Wr=function(a){J.call(this,a)}; +Xr=function(a){J.call(this,a)}; +Yr=function(a){J.call(this,a)}; +Zr=function(a){J.call(this,a)}; +$r=function(a){J.call(this,a)}; +as=function(a){J.call(this,a,-1,vma)}; +bs=function(a){J.call(this,a)}; +cs=function(a){J.call(this,a,-1,wma)}; +ds=function(a){J.call(this,a)}; +es=function(a){J.call(this,a)}; +fs=function(a){J.call(this,a)}; +gs=function(a){J.call(this,a)}; +hs=function(a){J.call(this,a)}; +is=function(a){J.call(this,a)}; +js=function(a){J.call(this,a)}; +ks=function(a){J.call(this,a)}; +ls=function(a){J.call(this,a)}; +ms=function(a){J.call(this,a)}; +ns=function(a){J.call(this,a)}; +os=function(a){J.call(this,a)}; +ps=function(a){J.call(this,a)}; +qs=function(a){J.call(this,a)}; +rs=function(a){J.call(this,a)}; +ts=function(a){J.call(this,a,-1,xma)}; +us=function(a){J.call(this,a)}; +vs=function(a){J.call(this,a)}; +ws=function(a){J.call(this,a)}; +xs=function(a){J.call(this,a)}; +ys=function(a){J.call(this,a)}; +zs=function(a){J.call(this,a)}; +As=function(a){J.call(this,a,-1,yma)}; +Bs=function(a){J.call(this,a)}; +Cs=function(a){J.call(this,a)}; +Ds=function(a){J.call(this,a)}; +Es=function(a){J.call(this,a,-1,zma)}; +Fs=function(a){J.call(this,a)}; +Gs=function(a){J.call(this,a)}; +Hs=function(a){J.call(this,a)}; +Is=function(a){J.call(this,a,-1,Ama)}; +Js=function(a){J.call(this,a)}; +Ks=function(a){J.call(this,a)}; +Bma=function(a,b){return H(a,1,b)}; +Ls=function(a){J.call(this,a,-1,Cma)}; +Ms=function(a){J.call(this,a,-1,Dma)}; +Ns=function(a){J.call(this,a)}; +Os=function(a){J.call(this,a)}; +Ps=function(a){J.call(this,a)}; +Qs=function(a){J.call(this,a)}; +Rs=function(a){J.call(this,a)}; +Ss=function(a){J.call(this,a)}; +Ts=function(a){J.call(this,a)}; +Fma=function(a){J.call(this,a,-1,Ema)}; +g.Us=function(a){J.call(this,a,-1,Gma)}; +Vs=function(a){J.call(this,a)}; +Ws=function(a){J.call(this,a,-1,Hma)}; +Xs=function(a){J.call(this,a,-1,Ima)}; +Ys=function(a){J.call(this,a)}; +pt=function(a){J.call(this,a,-1,Jma)}; +rt=function(a){J.call(this,a,-1,Kma)}; +tt=function(a){J.call(this,a)}; +ut=function(a){J.call(this,a)}; +vt=function(a){J.call(this,a)}; +wt=function(a){J.call(this,a)}; +xt=function(a){J.call(this,a)}; +zt=function(a){J.call(this,a)}; +At=function(a){J.call(this,a,-1,Lma)}; +Bt=function(a){J.call(this,a)}; +Ct=function(a){J.call(this,a)}; +Dt=function(a){J.call(this,a)}; +Et=function(a){J.call(this,a)}; +Ft=function(a){J.call(this,a)}; +Gt=function(a){J.call(this,a)}; +Ht=function(a){J.call(this,a)}; +It=function(a){J.call(this,a)}; +Jt=function(a){J.call(this,a)}; +Kt=function(a){J.call(this,a,-1,Mma)}; +Lt=function(a){J.call(this,a,-1,Nma)}; +Mt=function(a){J.call(this,a,-1,Oma)}; +Nt=function(a){J.call(this,a)}; +Ot=function(a){J.call(this,a,-1,Pma)}; +Pt=function(a){J.call(this,a)}; +Qt=function(a){J.call(this,a,-1,Qma)}; +Rt=function(a){J.call(this,a,-1,Rma)}; +St=function(a){J.call(this,a,-1,Sma)}; +Tt=function(a){J.call(this,a)}; +Ut=function(a){J.call(this,a)}; +Vt=function(a){J.call(this,a,-1,Tma)}; +Wt=function(a){J.call(this,a)}; +Xt=function(a){J.call(this,a)}; +Yt=function(a){J.call(this,a)}; +Zt=function(a){J.call(this,a)}; +$t=function(a){J.call(this,a)}; +au=function(a){J.call(this,a)}; +bu=function(a){J.call(this,a)}; +cu=function(a){J.call(this,a)}; +du=function(a){J.call(this,a)}; +eu=function(a){J.call(this,a)}; +fu=function(a){J.call(this,a)}; +gu=function(a){J.call(this,a)}; +hu=function(a){J.call(this,a)}; +iu=function(a){J.call(this,a)}; +ju=function(a){J.call(this,a)}; +ku=function(a){J.call(this,a)}; +lu=function(a){J.call(this,a)}; +mu=function(a){J.call(this,a)}; +nu=function(a){J.call(this,a)}; +ou=function(a){J.call(this,a)}; +pu=function(a){J.call(this,a)}; +qu=function(a){J.call(this,a)}; +ru=function(a){J.call(this,a)}; +tu=function(a){J.call(this,a,-1,Uma)}; +uu=function(a){J.call(this,a,-1,Vma)}; +vu=function(a){J.call(this,a,-1,Wma)}; +wu=function(a){J.call(this,a)}; +xu=function(a){J.call(this,a)}; +yu=function(a){J.call(this,a)}; +zu=function(a){J.call(this,a)}; +Au=function(a){J.call(this,a)}; +Bu=function(a){J.call(this,a)}; +Cu=function(a){J.call(this,a)}; +Du=function(a){J.call(this,a)}; +Eu=function(a){J.call(this,a)}; +Fu=function(a){J.call(this,a)}; +Gu=function(a){J.call(this,a)}; +Hu=function(a){J.call(this,a)}; +Iu=function(a){J.call(this,a)}; +Ju=function(a){J.call(this,a)}; +Ku=function(a){J.call(this,a,-1,Xma)}; +Lu=function(a){J.call(this,a)}; +Mu=function(a){J.call(this,a,-1,Yma)}; +Nu=function(a){J.call(this,a)}; +Ou=function(a){J.call(this,a,-1,Zma)}; +Pu=function(a){J.call(this,a,-1,$ma)}; +Qu=function(a){J.call(this,a,-1,ana)}; +Ru=function(a){J.call(this,a)}; +Su=function(a){J.call(this,a)}; +Tu=function(a){J.call(this,a)}; +Uu=function(a){J.call(this,a)}; +Vu=function(a){J.call(this,a,-1,bna)}; +Wu=function(a){J.call(this,a)}; +Xu=function(a){J.call(this,a)}; +Yu=function(a){J.call(this,a,-1,cna)}; +Zu=function(a){J.call(this,a)}; +$u=function(a){J.call(this,a,-1,dna)}; +av=function(a){J.call(this,a)}; +bv=function(a){J.call(this,a)}; +cv=function(a){J.call(this,a)}; +dv=function(a){J.call(this,a)}; +ev=function(a){J.call(this,a)}; +fv=function(a){J.call(this,a,-1,ena)}; +gv=function(a){J.call(this,a)}; +hv=function(a){J.call(this,a,-1,fna)}; +iv=function(a){J.call(this,a)}; +jv=function(a){J.call(this,a,-1,gna)}; +kv=function(a){J.call(this,a)}; +lv=function(a){J.call(this,a)}; +mv=function(a){J.call(this,a,-1,hna)}; +nv=function(a){J.call(this,a)}; +ov=function(a){J.call(this,a,-1,ina)}; +pv=function(a){J.call(this,a)}; +qv=function(a){J.call(this,a)}; +rv=function(a){J.call(this,a)}; +tv=function(a){J.call(this,a)}; +uv=function(a){J.call(this,a,-1,jna)}; +vv=function(a){J.call(this,a,-1,kna)}; +wv=function(a){J.call(this,a)}; +xv=function(a){J.call(this,a)}; +yv=function(a){J.call(this,a)}; +zv=function(a){J.call(this,a)}; +Av=function(a){J.call(this,a)}; +Bv=function(a){J.call(this,a)}; +Cv=function(a){J.call(this,a)}; +Dv=function(a){J.call(this,a)}; +Ev=function(a){J.call(this,a)}; +Fv=function(a){J.call(this,a)}; +Gv=function(a){J.call(this,a)}; +Hv=function(a){J.call(this,a)}; +Iv=function(a){J.call(this,a,-1,lna)}; +Jv=function(a){J.call(this,a)}; +Kv=function(a){J.call(this,a,-1,mna)}; +Lv=function(a){J.call(this,a)}; +Mv=function(a){J.call(this,a)}; +Nv=function(a){J.call(this,a)}; +Ov=function(a){J.call(this,a)}; +Pv=function(a){J.call(this,a)}; +Qv=function(a){J.call(this,a)}; +Rv=function(a){J.call(this,a)}; +Sv=function(a){J.call(this,a)}; +Tv=function(a){J.call(this,a)}; +Uv=function(a){J.call(this,a)}; +Vv=function(a){J.call(this,a)}; +Wv=function(a){J.call(this,a)}; +Xv=function(a){J.call(this,a)}; +Yv=function(a){J.call(this,a)}; +Zv=function(a){J.call(this,a)}; +$v=function(a){J.call(this,a)}; +aw=function(a){J.call(this,a)}; +bw=function(a){J.call(this,a)}; +cw=function(a){J.call(this,a)}; +dw=function(a){J.call(this,a)}; +ew=function(a){J.call(this,a)}; +fw=function(a){J.call(this,a)}; +gw=function(a){J.call(this,a)}; +hw=function(a){J.call(this,a)}; +iw=function(a){J.call(this,a)}; +jw=function(a){J.call(this,a)}; +kw=function(a){J.call(this,a)}; +lw=function(a){J.call(this,a)}; +mw=function(a){J.call(this,a)}; +nw=function(a){J.call(this,a)}; +ow=function(a){J.call(this,a)}; +pw=function(a){J.call(this,a,-1,nna)}; +qw=function(a){J.call(this,a)}; +rw=function(a){J.call(this,a)}; +tw=function(a){J.call(this,a,-1,ona)}; +uw=function(a){J.call(this,a)}; +vw=function(a){J.call(this,a)}; +ww=function(a){J.call(this,a)}; +xw=function(a){J.call(this,a)}; +yw=function(a){J.call(this,a)}; +Aw=function(a){J.call(this,a)}; +Fw=function(a){J.call(this,a)}; +Gw=function(a){J.call(this,a)}; +Hw=function(a){J.call(this,a)}; +Iw=function(a){J.call(this,a)}; +Jw=function(a){J.call(this,a)}; +Kw=function(a){J.call(this,a)}; +Lw=function(a){J.call(this,a)}; +Mw=function(a){J.call(this,a)}; +Nw=function(a){J.call(this,a)}; +Ow=function(a){J.call(this,a,-1,pna)}; +Pw=function(a){J.call(this,a)}; +Qw=function(a){J.call(this,a)}; +Rw=function(a){J.call(this,a)}; +Sw=function(a){J.call(this,a)}; +Tw=function(a){J.call(this,a)}; +Uw=function(a){J.call(this,a)}; +Vw=function(a){J.call(this,a)}; +Ww=function(a){J.call(this,a)}; +Xw=function(a){J.call(this,a)}; +Yw=function(a){J.call(this,a)}; +Zw=function(a){J.call(this,a)}; +$w=function(a){J.call(this,a)}; +ax=function(a){J.call(this,a)}; +bx=function(a){J.call(this,a)}; +cx=function(a){J.call(this,a)}; +dx=function(a){J.call(this,a)}; +ex=function(a){J.call(this,a)}; +fx=function(a){J.call(this,a)}; +gx=function(a){J.call(this,a)}; +hx=function(a){J.call(this,a)}; +ix=function(a){J.call(this,a)}; +jx=function(a){J.call(this,a)}; +kx=function(a){J.call(this,a)}; +lx=function(a){J.call(this,a)}; +mx=function(a){J.call(this,a)}; +nx=function(a){J.call(this,a)}; +ox=function(a){J.call(this,a)}; +px=function(a){J.call(this,a,-1,qna)}; +qx=function(a){J.call(this,a)}; +rna=function(a,b){I(a,Tv,1,b)}; +rx=function(a){J.call(this,a)}; +sna=function(a,b){return I(a,Tv,1,b)}; +sx=function(a){J.call(this,a,-1,tna)}; +una=function(a,b){return I(a,Tv,2,b)}; +tx=function(a){J.call(this,a)}; +ux=function(a){J.call(this,a)}; +vx=function(a){J.call(this,a)}; +wx=function(a){J.call(this,a)}; +xx=function(a){J.call(this,a)}; +yx=function(a){J.call(this,a)}; +zx=function(a){var b=new yx;return H(b,1,a)}; +Ax=function(a,b){return H(a,2,b)}; +Bx=function(a){J.call(this,a,-1,vna)}; +Cx=function(a){J.call(this,a)}; +Dx=function(a){J.call(this,a,-1,wna)}; +Ex=function(a,b){Sh(a,68,yx,b)}; +Fx=function(a){J.call(this,a)}; +Gx=function(a){J.call(this,a)}; +Hx=function(a){J.call(this,a,-1,xna)}; +Ix=function(a){J.call(this,a,-1,yna)}; +Jx=function(a){J.call(this,a)}; +Kx=function(a){J.call(this,a)}; +Lx=function(a){J.call(this,a,-1,zna)}; +Mx=function(a){J.call(this,a)}; +Nx=function(a){J.call(this,a,-1,Ana)}; +Ox=function(a){J.call(this,a)}; +Px=function(a){J.call(this,a)}; +Qx=function(a){J.call(this,a,-1,Bna)}; +Rx=function(a){J.call(this,a)}; +Sx=function(a){J.call(this,a)}; +Tx=function(a){J.call(this,a,-1,Cna)}; +Ux=function(a){J.call(this,a,-1,Dna)}; +Vx=function(a){J.call(this,a)}; +Wx=function(a){J.call(this,a)}; +Xx=function(a){J.call(this,a)}; +Yx=function(a){J.call(this,a)}; +Zx=function(a){J.call(this,a,475)}; +$x=function(a){J.call(this,a)}; +ay=function(a){J.call(this,a)}; +by=function(a){J.call(this,a,-1,Ena)}; +Fna=function(){return g.Ga("yt.ads.biscotti.lastId_")||""}; +Gna=function(a){g.Fa("yt.ads.biscotti.lastId_",a)}; +dy=function(){var a=arguments;1h.status)?h.json().then(m,function(){m(null)}):m(null)}}); -b.fE&&0m.status,t=500<=m.status&&600>m.status;if(n||r||t)p=mea(a,c,m,b.dW);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};r=b.context||g.v;n?b.onSuccess&&b.onSuccess.call(r,m,p):b.onError&&b.onError.call(r,m,p);b.Mf&&b.Mf.call(r,m,p)}},b.method,d,b.headers,b.responseType, -b.withCredentials); -if(b.Pf&&0m.status,r=500<=m.status&&600>m.status;if(n||q||r)p=Zna(a,c,m,b.convertToSafeHtml);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};q=b.context||g.Ea;n?b.onSuccess&&b.onSuccess.call(q,m,p):b.onError&&b.onError.call(q,m,p);b.onFinish&&b.onFinish.call(q,m, +p)}},b.method,d,b.headers,b.responseType,b.withCredentials); +d=b.timeout||0;if(b.onTimeout&&0=m||403===Ay(p.xhr))return Rf(new Jy("Request retried too many times","net.retryexhausted",p.xhr,p));p=Math.pow(2,c-m+1)*n;var q=0a;a++)this.u.push(0);this.B=0;this.oa=g.Ez(window,"mousemove",(0,g.Oa)(this.ea,this));this.T=g.Dy((0,g.Oa)(this.Z,this),25)}; +Jz=function(a){g.C.call(this);this.T=[];this.Pb=a||this}; +Kz=function(a,b,c,d){for(var e=0;eMath.random()&&g.Eo(new Iq("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new Iq("innertube xhrclient not ready",b,c,d),g.M(a),a.sampleWeight=0,a;var e={headers:{"Content-Type":"application/json"},method:"POST",dc:c,ZE:"JSON",Pf:function(){d.Pf()}, -fE:d.Pf,onSuccess:function(l,m){if(d.onSuccess)d.onSuccess(m)}, -tW:function(l){if(d.onSuccess)d.onSuccess(l)}, -onError:function(l,m){if(d.onError)d.onError(m)}, -sW:function(l){if(d.onError)d.onError(l)}, -timeout:d.timeout,withCredentials:!0};c="";var f=a.Gf.Cs;f&&(c=f);f=qea(a.Gf.iC||!1,c,d);Object.assign(e.headers,f);e.headers.Authorization&&!c&&(e.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.Gf.innertubeApiVersion+"/"+b;f={alt:"json"};a.Gf.hC&&e.headers.Authorization||(f.key=a.Gf.innertubeApiKey);var h=g.Zp(""+c+b,f);gr().then(function(){try{g.uo("use_fetch_for_op_xhr")?lea(h,e):g.uo("networkless_gel")&&d.retry?(e.method="POST",!d.CR&&g.uo("nwl_send_fast_on_unload")?ir(h,e):hr(h, -e)):g.sq(h,e)}catch(l){if("InvalidAccessError"==l.name)g.Eo(Error("An extension is blocking network request."));else throw l;}})}; -g.Lq=function(a,b,c){c=void 0===c?{}:c;var d=g.jr;g.L("ytLoggingEventsDefaultDisabled",!1)&&g.jr==g.jr&&(d=null);Qp(a,b,d,c)}; -Jea=function(){this.u=[];this.B=[]}; -Kea=function(a){g.kr(a)}; -g.lr=function(a){g.kr(a,"WARNING")}; -g.kr=function(a,b){var c=void 0===c?{}:c;c.name=g.L("INNERTUBE_CONTEXT_CLIENT_NAME",1);c.version=g.L("INNERTUBE_CONTEXT_CLIENT_VERSION",void 0);var d=c||{};c=void 0===b?"ERROR":b;c=void 0===c?"ERROR":c;var e=void 0===e?!1:e;if(a){if(g.uo("console_log_js_exceptions")){var f=[];f.push("Name: "+a.name);f.push("Message: "+a.message);a.hasOwnProperty("params")&&f.push("Error Params: "+JSON.stringify(a.params));f.push("File name: "+a.fileName);f.push("Stacktrace: "+a.stack);window.console.log(f.join("\n"), -a)}if((window&&window.yterr||e)&&!(5<=mr)&&0!==a.sampleWeight){var h=Xaa(a);e=h.message||"Unknown Error";f=h.name||"UnknownError";var l=h.lineNumber||"Not available",m=h.fileName||"Not available";h=h.stack||a.u||"Not available";if(a.hasOwnProperty("args")&&a.args&&a.args.length)for(var n=0,p=0;p=l||403===hq(n.xhr)?Em(new xr("Request retried too many times","net.retryexhausted",n.xhr)):f(m).then(function(){return e(yr(a,b),l-1,Math.pow(2,c-l+1)*m)})})} -function f(h){return new zm(function(l){setTimeout(l,h)})} -return e(yr(a,b),c-1,d)}; -xr=function(a,b,c){$a.call(this,a+", errorCode="+b);this.errorCode=b;this.xhr=c;this.name="PromiseAjaxError"}; -Ar=function(){this.Ha=0;this.u=null}; -Br=function(a){var b=new Ar;a=void 0===a?null:a;b.Ha=2;b.u=void 0===a?null:a;return b}; -Cr=function(a){var b=new Ar;a=void 0===a?null:a;b.Ha=1;b.u=void 0===a?null:a;return b}; -Er=function(a){$a.call(this,a.message||a.description||a.name);this.isMissing=a instanceof Dr;this.isTimeout=a instanceof xr&&"net.timeout"==a.errorCode;this.isCanceled=a instanceof Qm}; -Dr=function(){$a.call(this,"Biscotti ID is missing from server")}; -Rea=function(){if(g.uo("disable_biscotti_fetch_on_html5_clients"))return Em(Error("Fetching biscotti ID is disabled."));if(g.uo("condition_biscotti_fetch_on_consent_cookie_html5_clients")&&!ur())return Em(Error("User has not consented - not fetching biscotti id."));if("1"===g.Rb(g.L("PLAYER_CONFIG",{}),"args","privembed"))return Em(Error("Biscotti ID is not available in private embed mode"));Fr||(Fr=Lm(yr("//googleads.g.doubleclick.net/pagead/id",Gr).then(Hr),function(a){return Ir(2,a)})); -return Fr}; -Hr=function(a){a=a.responseText;if(!pc(a,")]}'"))throw new Dr;a=JSON.parse(a.substr(4));if(1<(a.type||1))throw new Dr;a=a.id;Sp(a);Fr=Cr(a);Jr(18E5,2);return a}; -Ir=function(a,b){var c=new Er(b);Sp("");Fr=Br(c);0b;b++){c=g.A();for(var d=0;d"',style:"display:none"}),le(a).body.appendChild(a)));else if(e)pq(a,b,"POST",e,d);else if(g.L("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)pq(a,b,"GET","",d);else{b:{try{var f=new kaa({url:a});if(f.C&&f.B||f.D){var h=vd(g.xd(5,a));var l=!(!h|| -!h.endsWith("/aclk")||"1"!==Pd(a,"ri"));break b}}catch(m){}l=!1}l?$s(a)?(b&&b(),c=!0):c=!1:c=!1;c||cfa(a,b)}}; -bt=function(a,b,c){c=void 0===c?"":c;$s(a,c)?b&&b():g.at(a,b,void 0,void 0,c)}; -$s=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; -cfa=function(a,b){var c=new Image,d=""+dfa++;ct[d]=c;c.onload=c.onerror=function(){b&&ct[d]&&b();delete ct[d]}; -c.src=a}; -ft=function(a,b){for(var c=[],d=1;da.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(97>d||122=a.B.byteLength}; -Vt=function(a,b,c){var d=new Ot(c);if(!Qt(d,a))return!1;d=Rt(d);if(!St(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.C+d.u;var e=Tt(d,!0);d=a+(d.C+d.u-b)+e;d=9d;d++)c=256*c+au(a);return c}d=128;for(var e=0;6>e&&d>c;e++)c=256*c+au(a),d*=128;return b?c-d:c}; -Yt=function(a){var b=Tt(a,!0);a.u+=b}; -Wt=function(a){var b=a.u;a.u=0;var c=!1;try{St(a,440786851)&&(a.u=0,St(a,408125543)&&(c=!0))}catch(d){if(d instanceof RangeError)a.u=0,c=!1,g.Eo(d);else throw d;}a.u=b;return c}; -jfa=function(a){if(!St(a,440786851,!0))return null;var b=a.u;Tt(a,!1);var c=Tt(a,!0)+a.u-b;a.u=b+c;if(!St(a,408125543,!1))return null;Tt(a,!0);if(!St(a,357149030,!0))return null;var d=a.u;Tt(a,!1);var e=Tt(a,!0)+a.u-d;a.u=d+e;if(!St(a,374648427,!0))return null;var f=a.u;Tt(a,!1);var h=Tt(a,!0)+a.u-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295);l.set(new Uint8Array(a.B.buffer, -a.B.byteOffset+d,e),c+12);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+f,h),c+12+e);return l}; -cu=function(a){var b=a.u,c={Iy:1E6,Jy:1E9,duration:0,oy:0,fq:0};if(!St(a,408125543))return a.u=b,null;c.oy=Tt(a,!0);c.fq=a.C+a.u;if(St(a,357149030))for(var d=Rt(a);!Pt(d);){var e=Tt(d,!1);2807729==e?c.Iy=Xt(d):2807730==e?c.Jy=Xt(d):17545==e?c.duration=Zt(d):Yt(d)}else return a.u=b,null;a.u=b;return c}; -eu=function(a,b,c){var d=a.u,e=[];if(!St(a,475249515))return a.u=d,null;for(var f=Rt(a);St(f,187);){var h=Rt(f);if(St(h,179)){var l=Xt(h);if(St(h,183)){h=Rt(h);for(var m=b;St(h,241);)m=Xt(h)+b;e.push({fl:m,ur:l})}}}if(0c&&(c=a.totalLength-b);a.focus(b);if(!Du(a,b,c)){var d=a.B,e=a.C;a.focus(b+c-1);e=new Uint8Array(a.C+a.u[a.B].length-e);for(var f=0,h=d;h<=a.B;h++)e.set(a.u[h],f),f+=a.u[h].length;a.u.splice(d,a.B-d+1,e);Cu(a);a.focus(b)}d=a.u[a.B];return new DataView(d.buffer,d.byteOffset+b-a.C,c)}; -Gu=function(a,b,c){a=Fu(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; -Hu=function(a){a=Gu(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ch)c=!1;else{for(f=h-1;0<=f;f--)c.B.setUint8(c.u+f,d&255),d>>>=8;c.u=e;c=!0}else c=!1;return c}; -Su=function(a){g.Ou(a.info.u.info)||a.info.u.info.Id();if(a.B&&6==a.info.type)return a.B.Kg;if(g.Ou(a.info.u.info)){var b=Lu(a);var c=0;b=Kt(b,1936286840);b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=Ht(d.value),c+=d.qu[0]/d.tu;c=c||NaN;if(!(0<=c))a:{c=Lu(a);b=a.info.u.u;d=0;for(var e,f=0;Dt(c,d);){var h=Et(c,d);if(1836476516==h.type)e=At(h);else if(1836019558==h.type){!e&&b&&(e=Bt(b));if(!e){c=NaN;break a}var l=Ct(h.data,h.dataOffset,1953653094),m=e,n=Ct(l.data,l.dataOffset,1952868452);l=Ct(l.data, -l.dataOffset,1953658222);var p=lt(n);lt(n);p&2&<(n);n=p&8?lt(n):0;var r=lt(l),t=r&1;p=r&4;var w=r&256,x=r&512,y=r&1024;r&=2048;var D=mt(l);t&<(l);p&<(l);for(var F=t=0;F=b.uC||1<=d.u)if(a=zv(a),c=yv(c,mv(a)),c.B+c.u<=d.B+d.u)return!0;return!1}; -Bfa=function(a,b){var c=b?zv(a):a.u;return new uv(c)}; -zv=function(a){a.C||(a.C=pv(a.D));return a.C}; -Bv=function(a){return 1=1.3*Math.floor(16*l/9)||d>=1.3*l)return e;e=h}return"tiny"}; -Sv=function(a,b,c,d,e,f,h,l,m){this.id=a;this.mimeType=b;this.audio=void 0===c?null:c;this.video=void 0===d?null:d;this.B=void 0===e?null:e;this.zd=void 0===f?null:f;this.captionTrack=void 0===m?null:m;this.F=!0;this.C=null;this.containerType=Qv(b);this.u=h||0;this.D=l||0;this.Fb=Rv[wu(this)]||""}; -wu=function(a){return a.id.split(";",1)[0]}; -Tv=function(a){return"9"===a.Fb||"("===a.Fb||"9h"===a.Fb||"(h"===a.Fb}; -Uv=function(a){return"9h"===a.Fb||"(h"===a.Fb}; -Vv=function(a){return"1"===a.Fb}; -g.Ou=function(a){return 1===a.containerType}; -Wv=function(a){return"application/x-mpegURL"===a.mimeType}; -Xv=function(a){return a.includes("vtt")||a.includes("text/mp4")}; -Qv=function(a){return 0<=a.indexOf("/mp4")?1:0<=a.indexOf("/webm")?2:0<=a.indexOf("/x-flv")?3:0<=a.indexOf("/vtt")?4:0}; -Yv=function(a,b,c,d,e){var f=new Jv;b in g.Lv||(b="small");d&&e?(e=Number(e),d=Number(d)):(e=g.Lv[b],d=Math.round(16*e/9));d=new Mv(d,e,0,null,void 0,b,void 0,void 0,void 0);a=unescape(a.replace(/"/g,'"'));return new Sv(c,a,f,d)}; -Zv=function(a,b,c,d){this.info=b;this.initRange=c||null;this.indexRange=d||null;this.u=null;this.F=!1;this.I=null;this.P=0;this.B=new Afa(a);this.D=null;this.W=NaN;this.C=null}; -g.$v=function(){this.u=0;this.B=new Float64Array(128);this.C=new Float64Array(128);this.F=1;this.D=!1}; -aw=function(a){a.B.length=c+d)break}return new Dv(e)}; -dw=function(){var a=this;this.u=this.B=jaa;this.promise=new zm(function(b,c){a.B=b;a.u=c})}; -fw=function(){void 0===ew&&(ew=g.io());return ew}; -hw=function(a){a=void 0===a?!1:a;var b=fw();if(!b)return gw={};if(!gw||a)try{var c=b.get("yt-player-lv");gw=JSON.parse(c||"{}")}catch(d){gw={}}return gw}; -iw=function(a){var b=fw();if(b){var c=JSON.stringify(a);b.set("yt-player-lv",c);gw=a}}; -jw=function(a){return hw()[a]||0}; -kw=function(){var a=hw();return Object.keys(a)}; -lw=function(a){var b=hw();return Object.keys(b).filter(function(c){return b[c]===a})}; -mw=function(a,b,c){c=void 0===c?!1:c;var d=hw(!0);if(c&&Object.keys(d).pop()!==a)delete d[a];else if(b===d[a])return;0!==b?d[a]=b:delete d[a];iw(d)}; -Cfa=function(a){var b=hw(!0);b=Object.assign({},b);a=Object.assign({},a);for(var c in b)a[c]?(4!==b[c]&&(b[c]=a[c]),delete a[c]):3!==b[c]&&2!==b[c]&&(b[c]=4);Object.assign(b,a);iw(b);JSON.stringify(b);return b}; -nw=function(a){return!!a&&1===jw(a)}; -Dfa=function(){var a=fw();if(!a)return!1;try{return null!==a.get("yt-player-lv-id")}catch(b){return!1}}; -qw=function(){return g.Ue(this,function b(){var c,d,e,f;return g.Aa(b,function(h){if(1==h.u){c=fw();if(!c)return h["return"](Promise.reject("No LocalStorage"));if(ow)return h["return"](ow);d=Bq(Aq());var l=Object.assign({},d);delete l.Authorization;var m=g.Kl();if(m){var n=new un;n.update(g.L("INNERTUBE_API_KEY",void 0));n.update(m);l.hash=g.qf(n.digest(),3)}m=new un;m.update(JSON.stringify(l,Object.keys(l).sort()));l=m.digest();m="";for(n=0;nh.oldVersion&&(l.createObjectStore("index"),l.createObjectStore("media"));3>h.oldVersion&&l.createObjectStore("metadata");4>h.oldVersion&&l.createObjectStore("playerdata")}}))})})}; -rw=function(a,b){return g.Ue(this,function d(){var e,f;return g.Aa(d,function(h){e=IDBKeyRange.bound(b+"|",b+"~");f=a.objectStore("index").getAll(e);return h["return"](new Promise(function(l,m){f.onsuccess=function(n){return void l(n.target.result.join(","))}; -f.onerror=m}))})})}; -Ffa=function(){return g.Ue(this,function b(){var c;return g.Aa(b,function(d){if(1==d.u)return ow?g.ra(d,ow,3):d.Jd(2);2!=d.u&&(c=d.B,c.close(),ow=null);return d["return"](new Promise(function(e,f){var h=indexedDB.deleteDatabase("yt-player-local-media");h.onsuccess=function(){return void e()}; -h.onerror=function(){return void f()}}))})})}; -tw=function(a,b){return g.Ue(this,function d(){var e,f,h,l;return g.Aa(d,function(m){if(1==m.u)return g.ra(m,qw(),2);e=m.B;f=["index","media","playerdata"];b&&f.push("metadata");h=e.transaction(f,"readwrite");l=IDBKeyRange.bound(a+"|",a+"~");h.objectStore("index")["delete"](l);h.objectStore("media")["delete"](l);h.objectStore("playerdata")["delete"](a);b&&h.objectStore("metadata")["delete"](a);return m["return"](new Promise(function(n,p){h.oncomplete=function(){return void n()}; -h.onabort=p}))})})}; -Gfa=function(){return g.Ue(this,function b(){var c,d,e;return g.Aa(b,function(f){if(1==f.u)return g.ra(f,qw(),2);c=f.B;d=c.transaction(["index","media"],"readwrite");e=d.objectStore("index").openCursor();return f["return"](new Promise(function(h,l){var m={};e.onerror=l;e.onsuccess=function(n){if(n=n.target.result){var p=n.key.match(/^([\w\-_]+)\|(a|v)$/);if(p){var r=p[1];p=p[2];m[r]=m[r]||{};m[r][p]=uw(n.value)}else d.objectStore("index")["delete"](n.key);n["continue"]()}else{var t={};n=g.q(Object.keys(m)); -for(r=n.next();!r.done;r=n.next())r=r.value,p=m[r].v,t[r]=m[r].a&&p?1:2;var w=Cfa(t);n=d.objectStore("media").openKeyCursor();n.onerror=l;n.onsuccess=function(x){if(x=x.target.result){var y=x.key.match(/^([\w\-_]+)\|(\d+)\|(\d+)$/);y&&t[y[1]]||d.objectStore("media")["delete"](x.key);x["continue"]()}else h(w)}}}}))})})}; -Hfa=function(a,b,c){g.Ue(this,function e(){var f,h,l,m,n,p,r,t;return g.Aa(e,function(w){if(1==w.u)return g.ra(w,qw(),2);if(3!=w.u)return f=w.B,h=f.transaction(["index","media"],"readwrite"),l=h.objectStore("index").openCursor(),m={},n=b,g.ra(w,new Promise(function(x,y){l.onsuccess=function(D){if(D=D.target.result){var F=D.key.match(/^([\w\-_]+)\|(a|v)$/);if(F){F=F[1];var G=Wp(D.value);!m[F]&&0c;)r=p.shift(),r!==a&&(n-=m[r]||0,delete m[r],t=IDBKeyRange.bound(r+"|",r+"~"),h.objectStore("index")["delete"](t),h.objectStore("media")["delete"](t),mw(r,0));return w["return"](new Promise(function(x,y){h.oncomplete=function(){return x()}; -h.onabort=y}))})})}; -Ifa=function(a,b){g.Ue(this,function d(){var e,f;return g.Aa(d,function(h){if(1==h.u)return g.ra(h,qw(),2);e=h.B;f=e.transaction(["metadata"],"readwrite");f.objectStore("metadata").put(b,a);return h["return"](new Promise(function(l,m){f.oncomplete=function(){return void l()}; -f.onabort=m}))})})}; -Kfa=function(a,b){var c=Math.floor(Date.now()/1E3);g.Ue(this,function e(){var f,h,l;return g.Aa(e,function(m){if(1==m.u)return Jfa("Writing playerResponse to iDB: "+a+" "+JSON.stringify(b.offlineState)),g.ra(m,qw(),2);f=m.B;h=f.transaction(["playerdata"],"readwrite");l={timestampSecs:c,player:b};h.objectStore("playerdata").put(l,a);return m["return"](new Promise(function(n,p){h.oncomplete=function(){return void n()}; -h.onabort=p}))})})}; -ww=function(a,b,c,d,e){return g.Ue(this,function h(){var l,m,n,p,r,t,w,x;return g.Aa(h,function(y){if(1==y.u)return l=jw(a),4===l?y["return"](Promise.resolve(4)):g.ra(y,qw(),2);m=y.B;void 0!==d&&void 0!==e?(n=m.transaction(["index","media"],"readwrite"),p=""+a+"|"+b.id+"|"+d,n.objectStore("media").put(e,p)):n=m.transaction(["index"],"readwrite");r=vw(a,b.isVideo());t=vw(a,!b.isVideo());n.objectStore("index").put(c,r);x=(w=uw(c))?n.objectStore("index").get(t):null;return y["return"](new Promise(function(D, -F){n.oncomplete=function(){var G=jw(a);4!==G&&w&&x&&uw(x.result)&&(G=1,mw(a,G));D(G)}; -n.onabort=function(G){var O=jw(a);4===O?D(O):(mw(a,4),F(G))}}))})})}; -Lfa=function(a){return g.Ue(this,function c(){var d,e;return g.Aa(c,function(f){if(1==f.u)return g.ra(f,qw(),2);d=f.B;e=d.transaction("index");return f["return"](rw(e,a))})})}; -Mfa=function(a,b,c){return g.Ue(this,function e(){var f,h,l,m;return g.Aa(e,function(n){if(1==n.u)return g.ra(n,qw(),2);f=n.B;h=f.transaction("media");l=""+a+"|"+b+"|"+c;m=h.objectStore("media").get(l);return n["return"](new Promise(function(p,r){h.oncomplete=function(){return void p(m.result)}; -h.onabort=r}))})})}; -Nfa=function(a){return g.Ue(this,function c(){var d,e,f;return g.Aa(c,function(h){if(1==h.u)return g.ra(h,qw(),2);d=h.B;e=d.transaction(["playerdata"]);f=e.objectStore("playerdata").get(a);return h["return"](new Promise(function(l,m){f.onsuccess=function(){return void l(f.result)}; -f.onerror=m}))})})}; -Ofa=function(a){return g.Ue(this,function c(){var d,e;return g.Aa(c,function(f){if(1==f.u)return g.ra(f,qw(),2);d=f.B;e=d.transaction(["index","metadata"]);return f["return"](xw(e,a))})})}; -Pfa=function(){return g.Ue(this,function b(){var c,d;return g.Aa(b,function(e){if(1==e.u)return g.ra(e,qw(),2);c=e.B;d=c.transaction(["index","metadata"]);return e["return"](Promise.all(kw().map(function(f){return xw(d,f)})))})})}; -xw=function(a,b){return g.Ue(this,function d(){var e,f,h,l,m,n,p,r,t;return g.Aa(d,function(w){if(1==w.u)return e=a.objectStore("metadata").get(b),f=new Promise(function(x,y){e.onsuccess=function(){return void x(e.result)}; -e.onerror=y}),g.ra(w,rw(a,b),2); -if(3!=w.u){h=w.B;l={videoId:b,totalSize:0,downloadedSize:0,status:jw(b),details:null};if(!h.length)return w["return"](l);m=Wp(h);n=g.q(m);for(p=n.next();!p.done;p=n.next())r=p.value,l.totalSize+=+r.mket*+r.avbr,l.downloadedSize+=r.hasOwnProperty("dlt")?(+r.dlt||0)*+r.avbr:+r.mket*+r.avbr;t=l;return g.ra(w,f,3)}t.details=w.B||null;return w["return"](l)})})}; -yw=function(a){return g.Ue(this,function c(){return g.Aa(c,function(d){mw(a,0);return d["return"](tw(a,!0))})})}; -pw=function(){return g.Ue(this,function b(){var c;return g.Aa(b,function(d){c=fw();if(!c)return d["return"](Promise.reject("No LocalStorage"));c.remove("yt-player-lv-id");var e=fw();e&&(e.remove("yt-player-lv"),gw=null);return d["return"](Ffa())})})}; -uw=function(a){return!!a&&-1===a.indexOf("dlt")}; -vw=function(a,b){return""+a+"|"+(b?"v":"a")}; -Jfa=function(){}; -Qfa=function(a,b){this.K=a;this.B=b;this.F=a.FQ;this.I=new Uint8Array(this.F);this.D=this.C=0;this.u=null;this.N=[];this.W=this.X=null;this.P=new dw}; -Rfa=function(a){var b=zw(a);b=ww(a.K.C,a.B.info,b);Aw(a,b)}; -Bw=function(a){return!!a.u&&a.u.F}; -Dw=function(a,b){if(!Bw(a)){if(1==b.info.type)a.X=ku(0,b.u.getLength());else if(2==b.info.type){if(!a.u||1!=a.u.type)return;a.W=ku(a.D*a.F+a.C,b.u.getLength())}else if(3==b.info.type){if(3==a.u.type&&!ru(a.u,b.info)&&(a.N=[],b.info.B!=uu(a.u)||0!=b.info.C))return;if(b.info.D)a.N.map(function(c){return Cw(a,c)}),a.N=[]; -else{a.N.push(b);a.u=b.info;return}}a.u=b.info;Cw(a,b);Sfa(a)}}; -Cw=function(a,b){for(var c=0,d=Gu(b.u);c=e)break;var f=c.getUint32(d+4);if(1836019574==f)d+=8;else{if(1886614376==f){f=a.subarray(d,d+e);var h=new Uint8Array(b.length+f.length);h.set(b);h.set(f,b.length);b=h}d+=e}}return b}; -Ufa=function(a){a=Kt(a,1886614376);g.Gb(a,function(b){return!b.B}); -return g.Pc(a,function(b){return new Uint8Array(b.data.buffer,b.offset+b.data.byteOffset,b.size)})}; -Vfa=function(a){var b=g.kh(a,function(e,f){return e+f.length},0),c=new Uint8Array(b),d=0; -g.Gb(a,function(e){c.set(e,d);d+=e.length}); +hpa=function(a){return new Promise(function(b,c){gpa(a,b,c)})}; +HA=function(a){return new g.FA(new EA(function(b,c){gpa(a,b,c)}))}; +IA=function(a,b){return new g.FA(new EA(function(c,d){function e(){var f=a?b(a):null;f?f.then(function(h){a=h;e()},d):c()} +e()}))}; +ipa=function(a,b){this.request=a;this.cursor=b}; +JA=function(a){return HA(a).then(function(b){return b?new ipa(a,b):null})}; +jpa=function(a,b){this.j=a;this.options=b;this.transactionCount=0;this.B=Math.round((0,g.M)());this.u=!1}; +g.LA=function(a,b,c){a=a.j.createObjectStore(b,c);return new KA(a)}; +MA=function(a,b){a.j.objectStoreNames.contains(b)&&a.j.deleteObjectStore(b)}; +g.PA=function(a,b,c){return g.NA(a,[b],{mode:"readwrite",Ub:!0},function(d){return g.OA(d.objectStore(b),c)})}; +g.NA=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x,z;return g.A(function(B){switch(B.j){case 1:var F={mode:"readonly",Ub:!1,tag:"IDB_TRANSACTION_TAG_UNKNOWN"};"string"===typeof c?F.mode=c:Object.assign(F,c);e=F;a.transactionCount++;f=e.Ub?3:1;h=0;case 2:if(l){B.Ka(3);break}h++;m=Math.round((0,g.M)());g.pa(B,4);n=a.j.transaction(b,e.mode);F=new QA(n);F=kpa(F,d);return g.y(B,F,6);case 6:return p=B.u,q=Math.round((0,g.M)()),lpa(a,m,q,h,void 0,b.join(),e),B.return(p);case 4:r=g.sa(B);v=Math.round((0,g.M)()); +x=CA(r,a.j.name,b.join(),a.j.version);if((z=x instanceof g.yA&&!x.j)||h>=f)lpa(a,m,v,h,x,b.join(),e),l=x;B.Ka(2);break;case 3:return B.return(Promise.reject(l))}})}; +lpa=function(a,b,c,d,e,f,h){b=c-b;e?(e instanceof g.yA&&("QUOTA_EXCEEDED"===e.type||"QUOTA_MAYBE_EXCEEDED"===e.type)&&vA("QUOTA_EXCEEDED",{dbName:xA(a.j.name),objectStoreNames:f,transactionCount:a.transactionCount,transactionMode:h.mode}),e instanceof g.yA&&"UNKNOWN_ABORT"===e.type&&(c-=a.B,0>c&&c>=Math.pow(2,31)&&(c=0),vA("TRANSACTION_UNEXPECTEDLY_ABORTED",{objectStoreNames:f,transactionDuration:b,transactionCount:a.transactionCount,dbDuration:c}),a.u=!0),mpa(a,!1,d,f,b,h.tag),uA(e)):mpa(a,!0,d, +f,b,h.tag)}; +mpa=function(a,b,c,d,e,f){vA("TRANSACTION_ENDED",{objectStoreNames:d,connectionHasUnknownAbortedTransaction:a.u,duration:e,isSuccessful:b,tryCount:c,tag:void 0===f?"IDB_TRANSACTION_TAG_UNKNOWN":f})}; +KA=function(a){this.j=a}; +g.RA=function(a,b,c){a.j.createIndex(b,c,{unique:!1})}; +npa=function(a,b){return g.fB(a,{query:b},function(c){return c.delete().then(function(){return c.continue()})}).then(function(){})}; +opa=function(a,b,c){var d=[];return g.fB(a,{query:b},function(e){if(!(void 0!==c&&d.length>=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +qpa=function(a){return"getAllKeys"in IDBObjectStore.prototype?HA(a.j.getAllKeys(void 0,void 0)):ppa(a)}; +ppa=function(a){var b=[];return g.rpa(a,{query:void 0},function(c){b.push(c.ZF());return c.continue()}).then(function(){return b})}; +g.OA=function(a,b,c){return HA(a.j.put(b,c))}; +g.fB=function(a,b,c){a=a.j.openCursor(b.query,b.direction);return gB(a).then(function(d){return IA(d,c)})}; +g.rpa=function(a,b,c){var d=b.query;b=b.direction;a="openKeyCursor"in IDBObjectStore.prototype?a.j.openKeyCursor(d,b):a.j.openCursor(d,b);return JA(a).then(function(e){return IA(e,c)})}; +QA=function(a){var b=this;this.j=a;this.B=new Map;this.u=!1;this.done=new Promise(function(c,d){b.j.addEventListener("complete",function(){c()}); +b.j.addEventListener("error",function(e){e.currentTarget===e.target&&d(b.j.error)}); +b.j.addEventListener("abort",function(){var e=b.j.error;if(e)d(e);else if(!b.u){e=g.yA;for(var f=b.j.objectStoreNames,h=[],l=0;l=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +g.hB=function(a,b,c){a=a.j.openCursor(void 0===b.query?null:b.query,void 0===b.direction?"next":b.direction);return gB(a).then(function(d){return IA(d,c)})}; +upa=function(a,b){this.request=a;this.cursor=b}; +gB=function(a){return HA(a).then(function(b){return b?new upa(a,b):null})}; +vpa=function(a,b,c){return new Promise(function(d,e){function f(){r||(r=new jpa(h.result,{closed:q}));return r} +var h=void 0!==b?self.indexedDB.open(a,b):self.indexedDB.open(a);var l=c.blocked,m=c.blocking,n=c.q9,p=c.upgrade,q=c.closed,r;h.addEventListener("upgradeneeded",function(v){try{if(null===v.newVersion)throw Error("Invariant: newVersion on IDbVersionChangeEvent is null");if(null===h.transaction)throw Error("Invariant: transaction on IDbOpenDbRequest is null");v.dataLoss&&"none"!==v.dataLoss&&vA("IDB_DATA_CORRUPTED",{reason:v.dataLossMessage||"unknown reason",dbName:xA(a)});var x=f(),z=new QA(h.transaction); +p&&p(x,function(B){return v.oldVersion=B},z); +z.done.catch(function(B){e(B)})}catch(B){e(B)}}); +h.addEventListener("success",function(){var v=h.result;m&&v.addEventListener("versionchange",function(){m(f())}); +v.addEventListener("close",function(){vA("IDB_UNEXPECTEDLY_CLOSED",{dbName:xA(a),dbVersion:v.version});n&&n()}); +d(f())}); +h.addEventListener("error",function(){e(h.error)}); +l&&h.addEventListener("blocked",function(){l()})})}; +wpa=function(a,b,c){c=void 0===c?{}:c;return vpa(a,b,c)}; +iB=function(a,b){b=void 0===b?{}:b;var c,d,e,f;return g.A(function(h){if(1==h.j)return g.pa(h,2),c=self.indexedDB.deleteDatabase(a),d=b,(e=d.blocked)&&c.addEventListener("blocked",function(){e()}),g.y(h,hpa(c),4); +if(2!=h.j)return g.ra(h,0);f=g.sa(h);throw CA(f,a,"",-1);})}; +jB=function(a,b){this.name=a;this.options=b;this.B=!0;this.D=this.C=0}; +xpa=function(a,b){return new g.yA("INCOMPATIBLE_DB_VERSION",{dbName:a.name,oldVersion:a.options.version,newVersion:b})}; +g.kB=function(a,b){if(!b)throw g.DA("openWithToken",xA(a.name));return a.open()}; +ypa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,g.kB(lB,b),2);c=d.u;return d.return(g.NA(c,["databases"],{Ub:!0,mode:"readwrite"},function(e){var f=e.objectStore("databases");return f.get(a.actualName).then(function(h){if(h?a.actualName!==h.actualName||a.publicName!==h.publicName||a.userIdentifier!==h.userIdentifier:1)return g.OA(f,a).then(function(){})})}))})}; +mB=function(a,b){var c;return g.A(function(d){if(1==d.j)return a?g.y(d,g.kB(lB,b),2):d.return();c=d.u;return d.return(c.delete("databases",a))})}; +zpa=function(a,b){var c,d;return g.A(function(e){return 1==e.j?(c=[],g.y(e,g.kB(lB,b),2)):3!=e.j?(d=e.u,g.y(e,g.NA(d,["databases"],{Ub:!0,mode:"readonly"},function(f){c.length=0;return g.fB(f.objectStore("databases"),{},function(h){a(h.getValue())&&c.push(h.getValue());return h.continue()})}),3)):e.return(c)})}; +Apa=function(a,b){return zpa(function(c){return c.publicName===a&&void 0!==c.userIdentifier},b)}; +Bpa=function(){var a,b,c,d;return g.A(function(e){switch(e.j){case 1:a=nA();if(null==(b=a)?0:b.hasSucceededOnce)return e.return(!0);if(nB&&az()&&!bz()||g.oB)return e.return(!1);try{if(c=self,!(c.indexedDB&&c.IDBIndex&&c.IDBKeyRange&&c.IDBObjectStore))return e.return(!1)}catch(f){return e.return(!1)}if(!("IDBTransaction"in self&&"objectStoreNames"in IDBTransaction.prototype))return e.return(!1);g.pa(e,2);d={actualName:"yt-idb-test-do-not-use",publicName:"yt-idb-test-do-not-use",userIdentifier:void 0}; +return g.y(e,ypa(d,pB),4);case 4:return g.y(e,mB("yt-idb-test-do-not-use",pB),5);case 5:return e.return(!0);case 2:return g.sa(e),e.return(!1)}})}; +Cpa=function(){if(void 0!==qB)return qB;tA=!0;return qB=Bpa().then(function(a){tA=!1;var b;if(null!=(b=mA())&&b.j){var c;b={hasSucceededOnce:(null==(c=nA())?void 0:c.hasSucceededOnce)||a};var d;null==(d=mA())||d.set("LAST_RESULT_ENTRY_KEY",b,2592E3,!0)}return a})}; +rB=function(){return g.Ga("ytglobal.idbToken_")||void 0}; +g.sB=function(){var a=rB();return a?Promise.resolve(a):Cpa().then(function(b){(b=b?pB:void 0)&&g.Fa("ytglobal.idbToken_",b);return b})}; +Dpa=function(a){if(!g.dA())throw a=new g.yA("AUTH_INVALID",{dbName:a}),uA(a),a;var b=g.cA();return{actualName:a+":"+b,publicName:a,userIdentifier:b}}; +Epa=function(a,b,c,d){var e,f,h,l,m,n;return g.A(function(p){switch(p.j){case 1:return f=null!=(e=Error().stack)?e:"",g.y(p,g.sB(),2);case 2:h=p.u;if(!h)throw l=g.DA("openDbImpl",a,b),g.gy("ytidb_async_stack_killswitch")||(l.stack=l.stack+"\n"+f.substring(f.indexOf("\n")+1)),uA(l),l;wA(a);m=c?{actualName:a,publicName:a,userIdentifier:void 0}:Dpa(a);g.pa(p,3);return g.y(p,ypa(m,h),5);case 5:return g.y(p,wpa(m.actualName,b,d),6);case 6:return p.return(p.u);case 3:return n=g.sa(p),g.pa(p,7),g.y(p,mB(m.actualName, +h),9);case 9:g.ra(p,8);break;case 7:g.sa(p);case 8:throw n;}})}; +Fpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!1,c)}; +Gpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!0,c)}; +Hpa=function(a,b){b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);d=Dpa(a);return g.y(e,iB(d.actualName,b),3)}return g.y(e,mB(d.actualName,c),0)})}; +Ipa=function(a,b,c){a=a.map(function(d){return g.A(function(e){return 1==e.j?g.y(e,iB(d.actualName,b),2):g.y(e,mB(d.actualName,c),0)})}); +return Promise.all(a).then(function(){})}; +Jpa=function(a){var b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);return g.y(e,Apa(a,c),3)}d=e.u;return g.y(e,Ipa(d,b,c),0)})}; +Kpa=function(a,b){b=void 0===b?{}:b;var c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){c=d.u;if(!c)return d.return();wA(a);return g.y(d,iB(a,b),3)}return g.y(d,mB(a,c),0)})}; +tB=function(a,b){jB.call(this,a,b);this.options=b;wA(a)}; +Lpa=function(a,b){var c;return function(){c||(c=new tB(a,b));return c}}; +g.uB=function(a,b){return Lpa(a,b)}; +vB=function(a){return g.kB(Mpa(),a)}; +Npa=function(a,b,c,d){var e,f,h;return g.A(function(l){switch(l.j){case 1:return e={config:a,hashData:b,timestamp:void 0!==d?d:(0,g.M)()},g.y(l,vB(c),2);case 2:return f=l.u,g.y(l,f.clear("hotConfigStore"),3);case 3:return g.y(l,g.PA(f,"hotConfigStore",e),4);case 4:return h=l.u,l.return(h)}})}; +Opa=function(a,b,c,d,e){var f,h,l;return g.A(function(m){switch(m.j){case 1:return f={config:a,hashData:b,configData:c,timestamp:void 0!==e?e:(0,g.M)()},g.y(m,vB(d),2);case 2:return h=m.u,g.y(m,h.clear("coldConfigStore"),3);case 3:return g.y(m,g.PA(h,"coldConfigStore",f),4);case 4:return l=m.u,m.return(l)}})}; +Ppa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["coldConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("coldConfigStore").index("coldTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Qpa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["hotConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("hotConfigStore").index("hotTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Rpa=function(){return g.A(function(a){return g.y(a,Jpa("ytGcfConfig"),0)})}; +CB=function(){var a=this;this.D=!1;this.B=this.C=0;this.Ne={F7a:function(){a.D=!0}, +Y6a:function(){return a.j}, +u8a:function(b){wB(a,b)}, +q8a:function(b){xB(a,b)}, +q3:function(){return a.coldHashData}, +r3:function(){return a.hotHashData}, +j7a:function(){return a.u}, +d7a:function(){return yB()}, +f7a:function(){return zB()}, +e7a:function(){return g.Ga("yt.gcf.config.coldHashData")}, +g7a:function(){return g.Ga("yt.gcf.config.hotHashData")}, +J8a:function(){Spa(a)}, +l8a:function(){AB(a,"hotHash");BB(a,"coldHash");delete CB.instance}, +s8a:function(b){a.B=b}, +a7a:function(){return a.B}}}; +Tpa=function(){CB.instance||(CB.instance=new CB);return CB.instance}; +Upa=function(a){var b;g.A(function(c){if(1==c.j)return g.gy("gcf_config_store_enabled")||g.gy("delete_gcf_config_db")?g.gy("gcf_config_store_enabled")?g.y(c,g.sB(),3):c.Ka(2):c.return();2!=c.j&&((b=c.u)&&g.dA()&&!g.gy("delete_gcf_config_db")?(a.D=!0,Spa(a)):(xB(a,g.ey("RAW_COLD_CONFIG_GROUP")),BB(a,g.ey("SERIALIZED_COLD_HASH_DATA")),DB(a,a.j.configData),wB(a,g.ey("RAW_HOT_CONFIG_GROUP")),AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"))));return g.gy("delete_gcf_config_db")?g.y(c,Rpa(),0):c.Ka(0)})}; +Vpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.u)return l.return(zB());if(!a.D)return b=g.DA("getHotConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getHotConfig token error");ny(e);l.Ka(2);break}return g.y(l,Qpa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return wB(a,f.config),AB(a,f.hashData),l.return(zB());case 2:wB(a,g.ey("RAW_HOT_CONFIG_GROUP"));AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"));if(!(c&&a.u&&a.hotHashData)){l.Ka(4); +break}return g.y(l,Npa(a.u,a.hotHashData,c,d),4);case 4:return a.u?l.return(zB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Wpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.j)return l.return(yB());if(!a.D)return b=g.DA("getColdConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getColdConfig");ny(e);l.Ka(2);break}return g.y(l,Ppa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return xB(a,f.config),DB(a,f.configData),BB(a,f.hashData),l.return(yB());case 2:xB(a,g.ey("RAW_COLD_CONFIG_GROUP"));BB(a,g.ey("SERIALIZED_COLD_HASH_DATA"));DB(a,a.j.configData); +if(!(c&&a.j&&a.coldHashData&&a.configData)){l.Ka(4);break}return g.y(l,Opa(a.j,a.coldHashData,a.configData,c,d),4);case 4:return a.j?l.return(yB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Spa=function(a){if(!a.u||!a.j){if(!rB()){var b=g.DA("scheduleGetConfigs");ny(b)}a.C||(a.C=g.Ap.xi(function(){return g.A(function(c){if(1==c.j)return g.y(c,Vpa(a),2);if(3!=c.j)return g.y(c,Wpa(a),3);a.C&&(a.C=0);g.oa(c)})},100))}}; +Xpa=function(a,b,c){var d,e,f;return g.A(function(h){if(1==h.j){if(!g.gy("update_log_event_config"))return h.Ka(0);c&&wB(a,c);AB(a,b);return(d=rB())?c?h.Ka(4):g.y(h,Qpa(d),5):h.Ka(0)}4!=h.j&&(e=h.u,c=null==(f=e)?void 0:f.config);return g.y(h,Npa(c,b,d),0)})}; +Ypa=function(a,b,c){var d,e,f,h;return g.A(function(l){if(1==l.j){if(!g.gy("update_log_event_config"))return l.Ka(0);BB(a,b);return(d=rB())?c?l.Ka(4):g.y(l,Ppa(d),5):l.Ka(0)}4!=l.j&&(e=l.u,c=null==(f=e)?void 0:f.config);if(!c)return l.Ka(0);h=c.configData;return g.y(l,Opa(c,b,h,d),0)})}; +wB=function(a,b){a.u=b;g.Fa("yt.gcf.config.hotConfigGroup",a.u)}; +xB=function(a,b){a.j=b;g.Fa("yt.gcf.config.coldConfigGroup",a.j)}; +AB=function(a,b){a.hotHashData=b;g.Fa("yt.gcf.config.hotHashData",a.hotHashData)}; +BB=function(a,b){a.coldHashData=b;g.Fa("yt.gcf.config.coldHashData",a.coldHashData)}; +DB=function(a,b){a.configData=b;g.Fa("yt.gcf.config.coldConfigData",a.configData)}; +zB=function(){return g.Ga("yt.gcf.config.hotConfigGroup")}; +yB=function(){return g.Ga("yt.gcf.config.coldConfigGroup")}; +Zpa=function(){return"INNERTUBE_API_KEY"in cy&&"INNERTUBE_API_VERSION"in cy}; +g.EB=function(){return{innertubeApiKey:g.ey("INNERTUBE_API_KEY"),innertubeApiVersion:g.ey("INNERTUBE_API_VERSION"),pG:g.ey("INNERTUBE_CONTEXT_CLIENT_CONFIG_INFO"),CM:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME","WEB"),NU:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",1),innertubeContextClientVersion:g.ey("INNERTUBE_CONTEXT_CLIENT_VERSION"),EM:g.ey("INNERTUBE_CONTEXT_HL"),DM:g.ey("INNERTUBE_CONTEXT_GL"),OU:g.ey("INNERTUBE_HOST_OVERRIDE")||"",PU:!!g.ey("INNERTUBE_USE_THIRD_PARTY_AUTH",!1),FM:!!g.ey("INNERTUBE_OMIT_API_KEY_WHEN_AUTH_HEADER_IS_PRESENT", +!1),appInstallData:g.ey("SERIALIZED_CLIENT_CONFIG_DATA")}}; +g.FB=function(a){var b={client:{hl:a.EM,gl:a.DM,clientName:a.CM,clientVersion:a.innertubeContextClientVersion,configInfo:a.pG}};navigator.userAgent&&(b.client.userAgent=String(navigator.userAgent));var c=g.Ea.devicePixelRatio;c&&1!=c&&(b.client.screenDensityFloat=String(c));c=iy();""!==c&&(b.client.experimentsToken=c);c=jy();0f?(a.C+=e,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=Uw(a)?d+b:d+Math.max(b,c);a.P=d}; -Sw=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; -Ww=function(){return!("function"!==typeof window.fetch||!window.ReadableStream)}; -Xw=function(a){if(a.Oo())return!1;a=a.Sd("content-type");return"audio/mp4"===a||"video/mp4"===a||"video/webm"===a}; -Yw=function(a,b,c,d,e,f){var h=void 0===f?{}:f;f=void 0===h.method?"GET":h.method;var l=h.headers,m=h.body;h=void 0===h.credentials?"include":h.credentials;this.Z=b;this.X=c;this.ba=d;this.policy=e;this.status=0;this.response=void 0;this.W=!1;this.B=0;this.N=NaN;this.aborted=this.I=this.P=!1;this.errorMessage="";this.method=f;this.headers=l;this.body=m;this.credentials=h;this.u=new zu;this.id=dga++;this.D=window.AbortController?new AbortController:void 0;this.start(a);this.startTime=Date.now()}; -$w=function(a){a.C.read().then(function(b){if(!a.la()){var c;window.performance&&window.performance.now&&(c=window.performance.now());var d=Date.now(),e=b.value?b.value:void 0;a.F&&(a.u.append(a.F),a.F=void 0);b.done?(a.C=void 0,a.onDone()):(a.B+=e.length,Zw(a)?a.u.append(e):a.F=e,a.Z(d,a.B,c),$w(a))}},function(b){a.onError(b)}).then(void 0,g.M)}; -Zw=function(a){var b=a.Sd("content-type");b="audio/mp4"===b||"video/mp4"===b;return a.policy.B&&a.policy.Pe&&Xw(a)&&b}; -ax=function(a,b,c,d){var e=this;this.status=0;this.la=this.B=!1;this.u=NaN;this.xhr=new XMLHttpRequest;this.xhr.open("GET",a);this.xhr.responseType="arraybuffer";this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){2===e.xhr.readyState&&e.F()}; -this.C=c;this.D=b;this.F=d;a=Do(function(f){e.onDone(f)}); -this.xhr.addEventListener("load",a,!1);this.xhr.addEventListener("error",a,!1);this.xhr.send();this.xhr.addEventListener("progress",Do(function(f){e.Vd(f)}),!1)}; -cx=function(){this.C=this.u=0;this.B=Array.from({length:bx.length}).fill(0)}; -dx=function(){}; -hx=function(a,b){var c=this;return ex?function(d){for(var e=[],f=0;f=d.getLength()&&(c=Gu(d),c=Nt(c),c=ev(c)?c:"")}if(c){d=tx(a);(0,g.N)();d.started=0;d.B=0;d.u=0;d=a.info;var e=a.D;g.Cv(d.B,e,c);d.requestId=e.get("req_id");return 4}c=b.mt();if((d=!!a.info.range&&a.info.range.length)&&d!=c||b.fy())return a.F="net.closed",6;yx(a,!0);if(a.B.RD&&!d&&a.C&&(d=a.C.u,d.length&&!Mu(d[0])))return a.F="net.closed", -6;e=zx(a)?b.Sd("X-Bandwidth-Est"):0;if(d=zx(a)?b.Sd("X-Bandwidth-Est3"):0)a.Aa=!0,a.B.Ez&&(e=d);d=a.timing;var f=e?parseInt(e,10):0;e=g.A();if(!d.ha){d.ha=!0;if(!d.mi){e=e>d.u&&4E12>e?e:g.A();Tw(d,e,c);Qw(d,e,c);var h=Kw(d);if(2===h&&f)Ow(d,d.B/f,d.B);else if(2===h||1===h)f=(e-d.u)/1E3,(f<=d.schedule.P.u||!d.schedule.P.u)&&!d.ra&&Uw(d)&&Ow(d,f,c),Uw(d)&&Ax(d.schedule,c,d.C);Bx(d.schedule,(e-d.u)/1E3||.05,d.B,d.Z,d.sg,d.Dl)}d.deactivate()}c=tx(a);(0,g.N)();c.started=0;c.B=0;c.u=0;a.info.B.B=0;(0,g.N)()< -Cx+3E5||!a.D||nv(a.D.Yf)||!(c=mv(a.D.Yf))||0>c.indexOf("googlevideo.com")||(g.Ws("yt-player-bandaid-host",{oQ:c},432E3),Cx=(0,g.N)());return 5}; -ux=function(a){if("net.timeout"==a.F){var b=a.timing,c=g.A();if(!b.mi){c=c>b.u&&4E12>c?c:g.A();Tw(b,c,1024*b.X);var d=(c-b.u)/1E3;2!==Kw(b)&&(Uw(b)?(b.C+=(c-b.D)/1E3,Ax(b.schedule,b.B,b.C)):(Mw(b)||b.mi||Nw(b.schedule,d),b.ba=c));Bx(b.schedule,d,b.B,b.Z,b.sg,b.Dl);Pw(b.schedule,(c-b.D)/1E3,0)}}"net.nocontent"!=a.F&&("net.timeout"==a.F||"net.connect"==a.F?(b=tx(a),b.B+=1):(b=tx(a),b.u+=1),a.info.B.B++);Dx(a,6)}; -Ex=function(a){a.la();var b=tx(a);return 100>b.B&&b.u=c)}; -hga=function(a){var b=(0,g.z)(a.WP,a),c=(0,g.z)(a.YP,a),d=(0,g.z)(a.XP,a);if(nv(a.D.Yf))return new Ew(a.D,c,b);var e=a.D.nd();return a.B.da&&(a.B.Vz&&!isNaN(a.info.We)&&a.info.We>a.B.pz?0:Ww())?new Yw(e,c,b,d,a.B.D):new ax(e,c,b,d)}; -jga=function(a){a.C&&a.C.F?(a=a.C.F,a=new ou(a.type,a.u,a.range,"getEmptyStubAfter_"+a.N,a.B,a.startTime+a.duration,0,a.C+a.ib,0,!1)):(a=a.info.u[0],a=new ou(a.type,a.u,a.range,"getEmptyStubBefore_"+a.N,a.B,a.startTime,0,a.C,0,!1));return a}; -Hx=function(a){return 1>a.state?!1:a.C&&a.C.u.length||a.B.ra&&a.u.ih()?!0:!1}; -Ix=function(a){a.B.ra&&yx(a,!1);return a.C?a.C.u:[]}; -yx=function(a,b){if(b||a.u.ih()&&!xx(a)&&!a.N){if(!a.C){if(a.u.Gi())a.info.range&&(c=a.info.range.length);else var c=a.u.mt();a.C=new Wfa(a.info.u,c)}for(;a.u.ih();)a:{c=a.C;var d=a.u.nt(),e=b&&!a.u.ih();c.D&&(Bu(c.D,d),d=c.D,c.D=null);for(var f=0,h=0,l=g.q(c.B),m=l.next();!m.done;m=l.next())if(m=m.value,m.range&&f+m.ib<=c.C)f+=m.ib;else{d.getLength();if(pu(m)&&!e&&c.C+d.getLength()-ha.info.u[0].B)return!1}return!0}; -Jx=function(a,b,c){this.initData=a;this.contentType=b;this.isPrefetch=c;this.u=this.cryptoPeriodIndex=NaN;this.B=[];this.Id=!1}; -Kx=function(a){a:{var b=a.initData;try{for(var c=0,d=new DataView(b.buffer);c=e)break;if(1886614376==d.getUint32(c+4)){var f=32;if(0=a.u.getLength())throw Error();return Iu(a.u,a.offset++)}; -Nx=function(a,b){b=void 0===b?!1:b;var c=Mx(a);if(1===c){c=-1;for(var d=0;7>d;d++){var e=Mx(a);-1===c&&255!==e&&(c=0);-1e&&d>c;e++)c=256*c+Mx(a),d*=128;return b?c:c-d}; -Ox=function(a,b,c){g.P.call(this);var d=this;this.C=a;this.B=[];this.u=null;this.X=-1;this.N=0;this.ea=NaN;this.P=0;this.D=b;this.Ga=c;this.I=NaN;this.ka=0;this.ra=-1;this.F=this.W=this.Aa=this.Z=this.da=this.K=this.ba=null;this.C.C&&(this.F=new Qfa(this.C,this.D),this.F.P.promise.then(function(e){d.F=null;1==e&&d.V("localmediachange",e)},function(){d.F=null; -d.V("localmediachange",4)}),Rfa(this.F)); -this.za=!1;this.ha=0}; -Px=function(a){return a.B.length?a.B[0]:null}; -Qx=function(a){return a.B.length?a.B[a.B.length-1]:null}; -Xx=function(a,b,c){if(a.da){if(a.C.yr){var d=a.da;var e=c.info;d=d.B!=e.B&&e.B!=d.B+1||d.type!=e.type||ee(d.K,e.K)&&d.B===e.B?!1:tu(d,e)}else d=tu(a.da,c.info);d||(a.I=NaN,a.ka=0,a.ra=-1)}a.da=c.info;a.D=c.info.u;0==c.info.C?Rx(a):!a.D.Re()&&a.K&&xu(c.info,a.K);a.u?(c=Nu(a.u,c),a.u=c):a.u=c;a:{c=g.Ou(a.u.info.u.info);if(3!=a.u.info.type){if(!a.u.info.D)break a;6==a.u.info.type?Sx(a,b,a.u):Tx(a,a.u);a.u=null}for(;a.u;){d=a.u.u.getLength();if(0>=a.X&&0==a.N){var f=a.u.u,h=-1;e=-1;if(c){for(var l=0;l+ -8e&&(h=-1)}else{f=new Lx(f);for(m=l=!1;;){n=f.offset;var p=f;try{var r=Nx(p,!0),t=Nx(p,!1);var w=r;var x=t}catch(D){x=w=-1}p=w;var y=x;if(0>p)break;if(408125543!==p)if(524531317===p)l=!0,0<=y&&(e=f.offset+y,m=!0);else{if(l&&(160===p||163===p)&&(0>h&&(h=n),m))break;163===p&&(h=Math.max(0,h),e=f.offset+y);if(160===p){0>h&&(e=h=f.offset+y);break}f.skip(y)}}0>h&&(e=-1)}if(0>h)break;a.X=h;a.N= -e-h}if(a.X>d)break;a.X?(d=Ux(a,a.X),d.C&&!a.D.Re()&&Vx(a,d),Sx(a,b,d),Wx(a,d),a.X=0):a.N&&(d=Ux(a,0>a.N?Infinity:a.N),a.N-=d.u.getLength(),Wx(a,d))}}a.u&&a.u.info.D&&(Wx(a,a.u),a.u=null)}; -Tx=function(a,b){!a.D.Re()&&0==b.info.C&&(g.Ou(b.info.u.info)||b.info.u.info.Id())&&Uu(b);if(1==b.info.type)try{Vx(a,b),Yx(a,b)}catch(d){g.M(d);var c=vu(b.info);c.hms="1";a.V("error",c||{})}b.info.u.rs(b);a.F&&Dw(a.F,b)}; -kga=function(a){var b=a.B.reduce(function(c,d){return c+d.u.getLength()},0); -a.u&&(b+=a.u.u.getLength());return b}; -Zx=function(a){return g.Pc(a.B,function(b){return b.info})}; -Ux=function(a,b){var c=a.u,d=Math.min(b,c.u.getLength());if(d==c.u.getLength())return a.u=null,c;c.u.getLength();d=Math.min(d,c.info.ib);var e=c.u.split(d),f=e.ws;e=e.im;var h=new ou(c.info.type,c.info.u,c.info.range,c.info.N,c.info.B,c.info.startTime,c.info.duration,c.info.C,d,!1,!1);f=new Ku(h,f,c.C);c=new ou(c.info.type,c.info.u,c.info.range,c.info.N,c.info.B,c.info.startTime,c.info.duration,c.info.C+d,c.info.ib-d,c.info.F,c.info.D);c=new Ku(c,e,!1);c=[f,c];a.u=c[1];return c[0]}; -Vx=function(a,b){b.u.getLength();var c=Lu(b);if(!a.C.Fz&&Uv(b.info.u.info)&&"bt2020"===b.info.u.info.Ka().primaries){var d=new Ot(c);Qt(d,[408125543,374648427,174,224,21936,21937])&&(d=d.C+d.u,129==c.getUint8(d)&&1==c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.u.info;Tv(d)&&!Uv(d)&&(d=Lu(b),Wt(new Ot(d)),Vt([408125543,374648427,174,224],21936,d));b.info.u.info.isVideo()&&(d=b.info.u,d.info&&d.info.video&&4==d.info.video.projectionType&&!d.D&&(g.Ou(d.info)?d.D=gfa(c):d.info.Id()&&(d.D=ifa(c))));b.info.u.info.Id()&& -b.info.isVideo()&&(c=Lu(b),Wt(new Ot(c)),Vt([408125543,374648427,174,224],30320,c)&&Vt([408125543,374648427,174,224],21432,c));if(a.C.Oi&&b.info.u.info.Id()){c=Lu(b);var e=new Ot(c);if(Qt(e,[408125543,374648427,174,29637])){d=Tt(e,!0);e=e.C+e.u;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=mt(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.u,e))}}if(b=a.ba&&!!a.ba.D.C)if(b=c.info.isVideo())b=Tu(c),h=a.ba,$x?(l=1/b,b=ay(a,b)>=ay(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&a.D.Re()&&c.info.B==c.info.u.index.Ob()&& -(b=a.ba,$x?(l=Tu(c),h=1/l,l=ay(a,l),b=ay(b)+h-l):b=b.getDuration()-a.getDuration(),b=1+b/c.info.duration,zt(Lu(c),b))}else{h=!1;a.K||(Uu(c),c.B&&(a.K=c.B,h=!0,xu(c.info,c.B),e=c.info.u.info,d=Lu(c),g.Ou(e)?Jt(d,1701671783):e.Id()&&Vt([408125543],307544935,d)));if(d=e=Su(c))d=c.info.u.info.Id()&&160==Iu(c.u,0);if(d)a.P+=e,a.I=l+e;else{if(a.C.Zz){if(l=f=a.Ga(Pu(c),1),0<=a.I&&6!=c.info.type){f-=a.I;var n=f-a.ka;d=c.info.B;var p=c.info.K,r=a.Z?a.Z.B:-1,t=a.Z?a.Z.K:-1,w=a.Z?a.Z.duration:-1;m=a.C.Af&&f> -a.C.Af;var x=a.C.pe&&n>a.C.pe;1E-4m&&d>a.ra)&&p&&(d=Math.max(.95,Math.min(1.05,(e-(x-f))/e)),zt(Lu(c),d),d=Su(c),n=e-d,e=d)));a.ka= -f+n}}else isNaN(a.I)?f=c.info.startTime:f=a.I,l=f;Qu(c,l)?(isNaN(a.ea)&&(a.ea=l),a.P+=e,a.I=l+e):(l=vu(c.info),l.smst="1",a.V("error",l||{}))}if(h&&a.K){h=by(a,!0);yu(c.info,h);a.u&&yu(a.u.info,h);b=g.q(b.info.u);for(l=b.next();!l.done;l=b.next())yu(l.value,h);(c.info.D||a.u&&a.u.info.D)&&6!=c.info.type||(a.W=h,a.V("placeholderinfo",h),cy(a))}}Yx(a,c);a.ha&&Ru(c,a.ha);a.Z=c.info}; -Wx=function(a,b){if(b.info.D){a.Aa=b.info;if(a.K){var c=by(a,!1);a.V("segmentinfo",c);a.W||cy(a);a.W=null}Rx(a)}a.F&&Dw(a.F,b);if(c=Qx(a))if(c=Nu(c,b,a.C.Uq)){a.B.pop();a.B.push(c);return}a.B.push(b)}; -Rx=function(a){a.u=null;a.X=-1;a.N=0;a.K=null;a.ea=NaN;a.P=0;a.W=null}; -Yx=function(a,b){if(a.D.info.zd){if(b.info.u.info.Id()){var c=new Ot(Lu(b));if(Qt(c,[408125543,374648427,174,28032,25152,20533,18402])){var d=Tt(c,!0);c=16!=d?null:$t(c,d)}else c=null;d="webm"}else b.info.W=Ufa(Lu(b)),c=Vfa(b.info.W),d="cenc";c&&c.length&&(c=new Jx(c,d),c.Id=b.info.u.info.Id(),b.B&&b.B.cryptoPeriodIndex&&(c.cryptoPeriodIndex=b.B.cryptoPeriodIndex),a.C.Qr&&b.B&&b.B.F&&(c.u=b.B.F),a.V("needkeyinfo",c))}}; -cy=function(a){var b=a.K,c;b.u["Cuepoint-Type"]?c=new qt(dy?parseFloat(b.u["Cuepoint-Playhead-Time-Sec"])||0:-(parseFloat(b.u["Cuepoint-Playhead-Time-Sec"])||0),parseFloat(b.u["Cuepoint-Total-Duration-Sec"])||0,b.u["Cuepoint-Context"],b.u["Cuepoint-Identifier"]||"",lga[b.u["Cuepoint-Event"]||""]||"unknown",1E3*(parseFloat(b.u["Cuepoint-Playhead-Time-Sec"])||0)):c=null;c&&(c.startSecs+=a.ea,a.V("cuepoint",c,b.B))}; -by=function(a,b){var c=a.K;if(c.u["Stitched-Video-Id"]||c.u["Stitched-Video-Duration-Us"]||c.u["Stitched-Video-Start-Frame-Index"]||c.u["Serialized-State"]){var d=c.u["Stitched-Video-Id"]?c.u["Stitched-Video-Id"].split(",").slice(0,-1):[];var e=[];if(c.u["Stitched-Video-Duration-Us"])for(var f=g.q(c.u["Stitched-Video-Duration-Us"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push((parseInt(h.value,10)||0)/1E6);e=[];if(c.u["Stitched-Video-Start-Frame-Index"])for(f=g.q(c.u["Stitched-Video-Start-Frame-Index"].split(",").slice(0, --1)),h=f.next();!h.done;h=f.next())e.push(parseInt(h.value,10)||0);d=new lfa(d,c.u["Serialized-State"]?c.u["Serialized-State"]:"")}return new lu(c.B,a.ea,b?c.Kg:a.P,c.ingestionTime,"sq/"+c.B,void 0,void 0,b,d)}; -ay=function(a,b){b=void 0===b?0:b;var c=b?Math.round(a.ha*b)/b:a.ha;a.D.C&&c&&(c+=a.D.C.u);return c+a.getDuration()}; -ey=function(a,b){0>b||(a.B.forEach(function(c){return Ru(c,b)}),a.ha=b)}; -fy=function(a,b){return{start:function(c){return a[c]}, -end:function(c){return b[c]}, -length:a.length}}; -gy=function(a,b,c){b=void 0===b?",":b;c=void 0===c?a?a.length:0:c;var d=[];if(a)for(c=Math.max(a.length-c,0);c=b)return c}catch(d){}return-1}; -iy=function(a,b){return 0<=hy(a,b)}; -mga=function(a,b){if(!a)return NaN;var c=hy(a,b);return 0<=c?a.start(c):NaN}; -jy=function(a,b){if(!a)return NaN;var c=hy(a,b);return 0<=c?a.end(c):NaN}; -ky=function(a){return a&&a.length?a.end(a.length-1):NaN}; -ly=function(a,b){var c=jy(a,b);return 0<=c?c-b:0}; -my=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return fy(d,e)}; -ny=function(a,b,c){this.Z=a;this.u=b;this.D=[];this.C=new Ox(a,b,c);this.B=this.K=null;this.ha=0;this.ba=b.info.u;this.ea=0;this.N=b.bn();this.I=-1;this.ra=b.bn();this.F=this.N;this.W=!1;this.da=this.P=this.ka=this.X=-1}; -oy=function(a,b){b&&$x&&ey(a.C,b.qw());a.K=b}; -py=function(a){return a.K&&a.K.Tr()}; -ry=function(a){for(;a.D.length&&5==a.D[0].state;){var b=a.D.shift();qy(a,b);b=b.timing;a.ha=(b.D-b.u)/1E3}a.D.length&&Hx(a.D[0])&&!a.D[0].info.sg()&&qy(a,a.D[0])}; -qy=function(a,b){if(Hx(b)){if(Ix(b).length){b.da=!0;var c=b.C;var d=c.u;c.u=[];c.F=g.gb(d).info;c=d}else c=[];c=g.q(c);for(d=c.next();!d.done;d=c.next())sy(a,b,d.value)}}; -sy=function(a,b,c){switch(c.info.type){case 1:case 2:Tx(a.C,c);break;case 4:var d=c.info.u.XC(c);c=c.info;var e=a.B;e&&e.u==c.u&&e.type==c.type&&(c.range&&e.range?e.range.start==c.range.start&&e.range.end==c.range.end:e.range==c.range)&&e.B==c.B&&e.C==c.C&&e.ib==c.ib&&(a.B=g.gb(d).info);d=g.q(d);for(c=d.next();!c.done;c=d.next())sy(a,b,c.value);break;case 3:Xx(a.C,b,c);break;case 6:Xx(a.C,b,c),a.B=c.info}}; -ty=function(a,b){var c=b.info;c.u.info.u>=a.ba&&(a.ba=c.u.info.u)}; -yy=function(a,b,c){c=void 0===c?!1:c;if(a.K){var d=a.K.Ue(),e=jy(d,b),f=NaN,h=py(a);h&&(f=jy(d,h.u.index.Ce(h.B)));if(e==f&&a.B&&a.B.ib&&uy(vy(a),0))return b}a=wy(a,b,c);return 0<=a?a:NaN}; -Ay=function(a,b){a.u.he();var c=wy(a,b);if(0<=c)return c;c=a.C;c.F?(c=c.F,c=c.u&&3==c.u.type?c.u.startTime:0):c=Infinity;b=Math.min(b,c);a.B=a.u.ej(b).u[0];zy(a)&&a.K&&a.K.abort();a.ea=0;return a.B.startTime}; -By=function(a){a.N=!0;a.F=!0;a.I=-1;Ay(a,Infinity)}; -Cy=function(a){var b=0;g.Gb(a.D,function(c){var d=b;c=c.C&&c.C.length?Xfa(c.C):Hv(c.info);b=d+c},a); -return b+=kga(a.C)}; -Dy=function(a,b){if(!a.K)return 0;var c=py(a);if(c&&c.F)return c.I;c=a.K.Ue(!0);return ly(c,b)}; -Fy=function(a){Ey(a);a=a.C;a.B=[];Rx(a)}; -Gy=function(a,b){if(a.D.length){if(a.D[0].info.u[0].startTime<=b)return;Ey(a)}for(var c=a.C,d=c.B.length-1;0<=d;d--)c.B[d].info.startTime>b&&c.B.pop();a.D.length?a.B=g.gb(g.gb(a.D).info.u):a.C.B.length?a.B=Qx(a.C).info:a.B=py(a);a.B&&be.C&&d.C+d.ib<=e.C+e.ib})?a.B=d:qu(b.info.u[0])?a.B=jga(b):a.B=null}}; -zy=function(a){var b;!(b=!a.Z.Rq&&"f"===a.u.info.Fb)&&(b=a.Z.Xg)&&(b=a.C,b=!!b.F&&Bw(b.F));if(b)return!0;b=py(a);if(!b)return!1;var c=b.F&&b.D;return a.ra&&0=a.X:c}; -vy=function(a){var b=[],c=py(a);c&&b.push(c);b=g.tb(b,Zx(a.C));g.Gb(a.D,function(d){g.Gb(d.info.u,function(e){d.da&&(b=g.Ke(b,function(f){return!(f.u!=e.u?0:f.range&&e.range?f.range.start+f.C>=e.range.start+e.C&&f.range.start+f.C+f.ib<=e.range.start+e.C+e.ib:f.B==e.B&&f.C>=e.C&&(f.C+f.ib<=e.C+e.ib||e.D))})); -(qu(e)||4==e.type)&&b.push(e)})}); -a.B&&!mfa(a.B,g.gb(b),a.B.u.Re())&&b.push(a.B);return b}; -uy=function(a,b){if(!a.length)return!1;for(var c=b+1;c=b){b=f;break a}}b=e}return 0>b?NaN:uy(a,c?b:0)?a[b].startTime:NaN}; -Uy=function(a){return ei(a.D,function(b){return 3<=b.state})}; -Vy=function(a){return!(!a.B||a.B.u==a.u)}; -Wy=function(a){return Vy(a)&&a.u.he()&&a.B.u.info.ub&&a.Ia.Ob())a.segments=[];else{var c=g.ib(a.segments,function(d){return d.eb>=b},a); -0=l)if(l=e.shift(),h=(h=m.exec(l))?+h[1]/1E3:0)l=(l=n.exec(l))?+l[1]:0,l+=1; -else return;c.push(new lu(p,f,h,NaN,"sq/"+(p+1)));f+=h;l--}a.index.append(c)}}; -Bga=function(a,b,c,d){this.displayName=a;this.vssId=b;this.languageCode=c;this.kind=void 0===d?"":d}; -Dz=function(a,b,c){this.name=a;this.id=b;this.isDefault=c}; -Ez=function(){this.endTime=this.startTime=0;this.length=1}; -Fz=function(){this.buffered=new Ez;this.appendWindowStart=this.appendWindowEnd=-1;this.mode="sequence";this.onerror=this.onabort=null;this.timestampOffset=-1;this.updating=!1}; -Cga=function(a,b){return Gz(function(c,d){return g.zr(c,d,4,1E3)},a,b)}; -g.Hz=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=Nt(new Uint8Array(a.response))):b=a.responseText;return!b||2048=a.K}; -Wz=function(a){var b=a.K;isFinite(b)&&(Vz(a)?a.refresh():(b=Math.max(0,a.W+b-(0,g.N)()),a.D||(a.D=new g.H(a.refresh,b,a),g.C(a,a.D)),a.D.start(b)))}; -Pga=function(a){a=a.u;for(var b in a){var c=a[b].index;if(c.Dc())return c.Ob()+1}return 0}; -Xz=function(a){return a.Jl&&a.B?a.Jl-a.B:0}; -Yz=function(a){if(!isNaN(a.P))return a.P;var b=a.u,c;for(c in b){var d=b[c].index;if(d.Dc()){b=0;for(c=d.dh();c<=d.Ob();c++)b+=d.getDuration(c);b/=d.Qm();b=.5*Math.round(b/.5);d.Qm()>a.ha&&(a.P=b);return b}if(a.isLive&&(d=b[c],d.Kg))return d.Kg}return NaN}; -Qga=function(a,b){var c=Vb(a.u,function(e){return e.index.Dc()}); -if(!c)return NaN;c=c.index;var d=c.eh(b);return c.Ce(d)==b?b:d=f&&a.Da.I?(a.I++,bA(a,"iterativeSeeking","inprogress;count."+a.I+";target."+ -a.D+";actual."+f+";duration."+h+";isVideo."+c,!1),a.seek(a.D)):(bA(a,"iterativeSeeking","incomplete;count."+a.I+";target."+a.D+";actual."+f,!1),a.I=0,a.B.F=!1,a.u.F=!1,a.V("seekplayerrequired",f+.1,!0)))}})}; -Vga=function(a,b,c){if(!a.C)return-1;c=(c?a.B:a.u).u.index;var d=c.eh(a.D);return(uz(c,a.F.Rd)||b.eb==a.F.Rd)&&doqa||h=rqa&&(SB++,g.gy("abandon_compression_after_N_slow_zips")?RB===g.hy("compression_disable_point")&&SB>sqa&&(PB=!1):PB=!1);tqa(f);if(uqa(l,b)||!g.gy("only_compress_gel_if_smaller"))c.headers||(c.headers={}),c.headers["Content-Encoding"]="gzip",c.postBody=l,c.postParams=void 0}d(a, +c)}catch(n){ny(n),d(a,c)}else d(a,c)}; +vqa=function(a){var b=void 0===b?!1:b;var c=(0,g.M)(),d={startTime:c,ticks:{},infos:{}};if(PB){if(!a.body)return a;try{var e="string"===typeof a.body?a.body:JSON.stringify(a.body),f=QB(e);if(f>oqa||f=rqa)if(SB++,g.gy("abandon_compression_after_N_slow_zips")){b=SB/RB;var m=sqa/g.hy("compression_disable_point"); +0=m&&(PB=!1)}else PB=!1;tqa(d)}a.headers=Object.assign({},{"Content-Encoding":"gzip"},a.headers||{});a.body=h;return a}catch(n){return ny(n),a}}else return a}; +uqa=function(a,b){if(!window.Blob)return!0;var c=a.lengtha.xH)return p.return();a.potentialEsfErrorCounter++;if(void 0===(null==(n=b)?void 0:n.id)){p.Ka(8);break}return b.sendCount=a?!1:!0}; +yqa=function(a){var b;a=null==a?void 0:null==(b=a.error)?void 0:b.code;return!(400!==a&&415!==a)}; +Aqa=function(){if(XB)return XB();var a={};XB=g.uB("LogsDatabaseV2",{Fq:(a.LogsRequestsStore={Cm:2},a),shared:!1,upgrade:function(b,c,d){c(2)&&g.LA(b,"LogsRequestsStore",{keyPath:"id",autoIncrement:!0});c(3);c(5)&&(d=d.objectStore("LogsRequestsStore"),d.j.indexNames.contains("newRequest")&&d.j.deleteIndex("newRequest"),g.RA(d,"newRequestV2",["status","interface","timestamp"]));c(7)&&MA(b,"sapisid");c(9)&&MA(b,"SWHealthLog")}, +version:9});return XB()}; +YB=function(a){return g.kB(Aqa(),a)}; +Cqa=function(a,b){var c,d,e,f;return g.A(function(h){if(1==h.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_WRITE"},ticks:{}},g.y(h,YB(b),2);if(3!=h.j)return d=h.u,e=Object.assign({},a,{options:JSON.parse(JSON.stringify(a.options)),interface:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0)}),g.y(h,g.PA(d,"LogsRequestsStore",e),3);f=h.u;c.ticks.tc=(0,g.M)();Bqa(c);return h.return(f)})}; +Dqa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_READ"},ticks:{}},g.y(n,YB(b),2);if(3!=n.j)return d=n.u,e=g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0),f=[a,e,0],h=[a,e,(0,g.M)()],l=IDBKeyRange.bound(f,h),m=void 0,g.y(n,g.NA(d,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(p){return g.hB(p.objectStore("LogsRequestsStore").index("newRequestV2"),{query:l,direction:"prev"},function(q){q.getValue()&&(m= +q.getValue(),"NEW"===a&&(m.status="QUEUED",q.update(m)))})}),3); +c.ticks.tc=(0,g.M)();Bqa(c);return n.return(m)})}; +Eqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(g.NA(c,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){var f=e.objectStore("LogsRequestsStore");return f.get(a).then(function(h){if(h)return h.status="QUEUED",g.OA(f,h).then(function(){return h})})}))})}; +Fqa=function(a,b,c,d){c=void 0===c?!0:c;var e;return g.A(function(f){if(1==f.j)return g.y(f,YB(b),2);e=f.u;return f.return(g.NA(e,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(h){var l=h.objectStore("LogsRequestsStore");return l.get(a).then(function(m){return m?(m.status="NEW",c&&(m.sendCount+=1),void 0!==d&&(m.options.compress=d),g.OA(l,m).then(function(){return m})):g.FA.resolve(void 0)})}))})}; +Gqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(c.delete("LogsRequestsStore",a))})}; +Hqa=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,YB(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("LogsRequestsStore"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Iqa=function(){g.A(function(a){return g.y(a,Jpa("LogsDatabaseV2"),0)})}; +Bqa=function(a){g.gy("nwl_csi_killswitch")||OB("networkless_performance",a,{sampleRate:1})}; +Kqa=function(a){return g.kB(Jqa(),a)}; +Lqa=function(a){var b,c;g.A(function(d){if(1==d.j)return g.y(d,Kqa(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["SWHealthLog"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("SWHealthLog"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Mqa=function(a){var b;return g.A(function(c){if(1==c.j)return g.y(c,Kqa(a),2);b=c.u;return g.y(c,b.clear("SWHealthLog"),0)})}; +g.ZB=function(a,b,c,d,e,f){e=void 0===e?"":e;f=void 0===f?!1:f;if(a)if(c&&!g.Yy()){if(a){a=g.be(g.he(a));if("about:invalid#zClosurez"===a||a.startsWith("data"))a="";else{var h=void 0===h?{}:h;a=a.replace(/&/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'");h.g8a&&(a=a.replace(/(^|[\r\n\t ]) /g,"$1 "));h.f8a&&(a=a.replace(/(\r\n|\n|\r)/g,"
"));h.h8a&&(a=a.replace(/(\t+)/g,'$1'));h=g.we(a);a=g.Ke(g.Mi(g.ve(h).toString()))}g.Tb(a)|| +(h=pf("IFRAME",{src:'javascript:""',style:"display:none"}),Ue(h).body.appendChild(h))}}else if(e)Gy(a,b,"POST",e,d);else if(g.ey("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)Gy(a,b,"GET","",d,void 0,f);else{b:{try{var l=new Xka({url:a});if(l.B&&l.u||l.C){var m=Ri(g.Ti(5,a));var n=!(!m||!m.endsWith("/aclk")||"1"!==lj(a,"ri"));break b}}catch(p){}n=!1}n?Nqa(a)?(b&&b(),h=!0):h=!1:h=!1;h||Oqa(a,b)}}; +Nqa=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; +Oqa=function(a,b){var c=new Image,d=""+Pqa++;$B[d]=c;c.onload=c.onerror=function(){b&&$B[d]&&b();delete $B[d]}; +c.src=a}; +aC=function(){this.j=new Map;this.u=!1}; +bC=function(){if(!aC.instance){var a=g.Ga("yt.networkRequestMonitor.instance")||new aC;g.Fa("yt.networkRequestMonitor.instance",a);aC.instance=a}return aC.instance}; +dC=function(){cC||(cC=new lA("yt.offline"));return cC}; +Qqa=function(a){if(g.gy("offline_error_handling")){var b=dC().get("errors",!0)||{};b[a.message]={name:a.name,stack:a.stack};a.level&&(b[a.message].level=a.level);dC().set("errors",b,2592E3,!0)}}; +eC=function(){g.Fd.call(this);var a=this;this.u=!1;this.j=dla();this.j.Ra("networkstatus-online",function(){if(a.u&&g.gy("offline_error_handling")){var b=dC().get("errors",!0);if(b){for(var c in b)if(b[c]){var d=new g.bA(c,"sent via offline_errors");d.name=b[c].name;d.stack=b[c].stack;d.level=b[c].level;g.ly(d)}dC().set("errors",{},2592E3,!0)}}})}; +Rqa=function(){if(!eC.instance){var a=g.Ga("yt.networkStatusManager.instance")||new eC;g.Fa("yt.networkStatusManager.instance",a);eC.instance=a}return eC.instance}; +g.fC=function(a){a=void 0===a?{}:a;g.Fd.call(this);var b=this;this.j=this.C=0;this.u=Rqa();var c=g.Ga("yt.networkStatusManager.instance.listen").bind(this.u);c&&(a.FH?(this.FH=a.FH,c("networkstatus-online",function(){Sqa(b,"publicytnetworkstatus-online")}),c("networkstatus-offline",function(){Sqa(b,"publicytnetworkstatus-offline")})):(c("networkstatus-online",function(){b.dispatchEvent("publicytnetworkstatus-online")}),c("networkstatus-offline",function(){b.dispatchEvent("publicytnetworkstatus-offline")})))}; +Sqa=function(a,b){a.FH?a.j?(g.Ap.Em(a.C),a.C=g.Ap.xi(function(){a.B!==b&&(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)())},a.FH-((0,g.M)()-a.j))):(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)()):a.dispatchEvent(b)}; +hC=function(){var a=VB.call;gC||(gC=new g.fC({R7a:!0,H6a:!0}));a.call(VB,this,{ih:{h2:Hqa,ly:Gqa,XT:Dqa,C4:Eqa,SO:Fqa,set:Cqa},Zg:gC,handleError:function(b,c,d){var e,f=null==d?void 0:null==(e=d.error)?void 0:e.code;if(400===f||415===f){var h;ny(new g.bA(b.message,c,null==d?void 0:null==(h=d.error)?void 0:h.code),void 0,void 0,void 0,!0)}else g.ly(b)}, +Iy:ny,Qq:Tqa,now:g.M,ZY:Qqa,cn:g.iA(),lO:"publicytnetworkstatus-online",zN:"publicytnetworkstatus-offline",wF:!0,hF:.1,xH:g.hy("potential_esf_error_limit",10),ob:g.gy,uB:!(g.dA()&&"www.youtube-nocookie.com"!==g.Ui(document.location.toString()))});this.u=new g.Wj;g.gy("networkless_immediately_drop_all_requests")&&Iqa();Kpa("LogsDatabaseV2")}; +iC=function(){var a=g.Ga("yt.networklessRequestController.instance");a||(a=new hC,g.Fa("yt.networklessRequestController.instance",a),g.gy("networkless_logging")&&g.sB().then(function(b){a.yf=b;wqa(a);a.u.resolve();a.wF&&Math.random()<=a.hF&&a.yf&&Lqa(a.yf);g.gy("networkless_immediately_drop_sw_health_store")&&Uqa(a)})); +return a}; +Uqa=function(a){var b;g.A(function(c){if(!a.yf)throw b=g.DA("clearSWHealthLogsDb"),b;return c.return(Mqa(a.yf).catch(function(d){a.handleError(d)}))})}; +Tqa=function(a,b,c){g.gy("use_cfr_monitor")&&Vqa(a,b);if(g.gy("use_request_time_ms_header"))b.headers&&(b.headers["X-Goog-Request-Time"]=JSON.stringify(Math.round((0,g.M)())));else{var d;if(null==(d=b.postParams)?0:d.requestTimeMs)b.postParams.requestTimeMs=Math.round((0,g.M)())}c&&0===Object.keys(b).length?g.ZB(a):b.compress?b.postBody?("string"!==typeof b.postBody&&(b.postBody=JSON.stringify(b.postBody)),TB(a,b.postBody,b,g.Hy)):TB(a,JSON.stringify(b.postParams),b,Iy):g.Hy(a,b)}; +Vqa=function(a,b){var c=b.onError?b.onError:function(){}; +b.onError=function(e,f){bC().requestComplete(a,!1);c(e,f)}; +var d=b.onSuccess?b.onSuccess:function(){}; +b.onSuccess=function(e,f){bC().requestComplete(a,!0);d(e,f)}}; +g.jC=function(a){this.config_=null;a?this.config_=a:Zpa()&&(this.config_=g.EB())}; +g.kC=function(a,b,c,d){function e(p){try{if((void 0===p?0:p)&&d.retry&&!d.KV.bypassNetworkless)f.method="POST",d.KV.writeThenSend?iC().writeThenSend(n,f):iC().sendAndWrite(n,f);else if(d.compress)if(f.postBody){var q=f.postBody;"string"!==typeof q&&(q=JSON.stringify(f.postBody));TB(n,q,f,g.Hy)}else TB(n,JSON.stringify(f.postParams),f,Iy);else g.gy("web_all_payloads_via_jspb")?g.Hy(n,f):Iy(n,f)}catch(r){if("InvalidAccessError"==r.name)ny(Error("An extension is blocking network request."));else throw r; +}} +!g.ey("VISITOR_DATA")&&"visitor_id"!==b&&.01>Math.random()&&ny(new g.bA("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.bA("innertube xhrclient not ready",b,c,d),g.ly(a),a;var f={headers:d.headers||{},method:"POST",postParams:c,postBody:d.postBody,postBodyFormat:d.postBodyFormat||"JSON",onTimeout:function(){d.onTimeout()}, +onFetchTimeout:d.onTimeout,onSuccess:function(p,q){if(d.onSuccess)d.onSuccess(q)}, +onFetchSuccess:function(p){if(d.onSuccess)d.onSuccess(p)}, +onError:function(p,q){if(d.onError)d.onError(q)}, +onFetchError:function(p){if(d.onError)d.onError(p)}, +timeout:d.timeout,withCredentials:!0,compress:d.compress};f.headers["Content-Type"]||(f.headers["Content-Type"]="application/json");c="";var h=a.config_.OU;h&&(c=h);var l=a.config_.PU||!1;h=kqa(l,c,d);Object.assign(f.headers,h);(h=f.headers.Authorization)&&!c&&l&&(f.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.config_.innertubeApiVersion+"/"+b;l={alt:"json"};var m=a.config_.FM&&h;m=m&&h.startsWith("Bearer");m||(l.key=a.config_.innertubeApiKey);var n=ty(""+c+b,l);g.Ga("ytNetworklessLoggingInitializationOptions")&& +Wqa.isNwlInitialized?Cpa().then(function(p){e(p)}):e(!1)}; +g.pC=function(a,b,c){var d=g.lC();if(d&&b){var e=d.subscribe(a,function(){var f=arguments;var h=function(){mC[e]&&b.apply&&"function"==typeof b.apply&&b.apply(c||window,f)}; +try{g.nC[a]?h():g.Cy(h,0)}catch(l){g.ly(l)}},c); +mC[e]=!0;oC[a]||(oC[a]=[]);oC[a].push(e);return e}return 0}; +Xqa=function(a){var b=g.pC("LOGGED_IN",function(c){a.apply(void 0,arguments);g.qC(b)})}; +g.qC=function(a){var b=g.lC();b&&("number"===typeof a?a=[a]:"string"===typeof a&&(a=[parseInt(a,10)]),g.Ob(a,function(c){b.unsubscribeByKey(c);delete mC[c]}))}; +g.rC=function(a,b){var c=g.lC();return c?c.publish.apply(c,arguments):!1}; +Zqa=function(a){var b=g.lC();if(b)if(b.clear(a),a)Yqa(a);else for(var c in oC)Yqa(c)}; +g.lC=function(){return g.Ea.ytPubsubPubsubInstance}; +Yqa=function(a){oC[a]&&(a=oC[a],g.Ob(a,function(b){mC[b]&&delete mC[b]}),a.length=0)}; +g.sC=function(a,b,c){c=void 0===c?null:c;if(window.spf&&spf.script){c="";if(a){var d=a.indexOf("jsbin/"),e=a.lastIndexOf(".js"),f=d+6;-1f&&(c=a.substring(f,e),c=c.replace($qa,""),c=c.replace(ara,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else bra(a,b,c)}; +bra=function(a,b,c){c=void 0===c?null:c;var d=cra(a),e=document.getElementById(d),f=e&&yoa(e),h=e&&!f;f?b&&b():(b&&(f=g.pC(d,b),b=""+g.Na(b),dra[b]=f),h||(e=era(a,d,function(){yoa(e)||(xoa(e,"loaded","true"),g.rC(d),g.Cy(g.Pa(Zqa,d),0))},c)))}; +era=function(a,b,c,d){d=void 0===d?null:d;var e=g.qf("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; +e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; +d&&e.setAttribute("nonce",d);g.fk(e,g.wr(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; +cra=function(a){var b=document.createElement("a");g.xe(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+Re(a)}; +vC=function(a){var b=g.ya.apply(1,arguments);if(!tC(a)||b.some(function(d){return!tC(d)}))throw Error("Only objects may be merged."); +b=g.t(b);for(var c=b.next();!c.done;c=b.next())uC(a,c.value);return a}; +uC=function(a,b){for(var c in b)if(tC(b[c])){if(c in a&&!tC(a[c]))throw Error("Cannot merge an object into a non-object.");c in a||(a[c]={});uC(a[c],b[c])}else if(wC(b[c])){if(c in a&&!wC(a[c]))throw Error("Cannot merge an array into a non-array.");c in a||(a[c]=[]);fra(a[c],b[c])}else a[c]=b[c];return a}; +fra=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next())c=c.value,tC(c)?a.push(uC({},c)):wC(c)?a.push(fra([],c)):a.push(c);return a}; +tC=function(a){return"object"===typeof a&&!Array.isArray(a)}; +wC=function(a){return"object"===typeof a&&Array.isArray(a)}; +xC=function(a,b,c,d,e,f,h){g.C.call(this);this.Ca=a;this.ac=b;this.Ib=c;this.Wd=d;this.Va=e;this.u=f;this.j=h}; +ira=function(a,b,c){var d,e=(null!=(d=c.adSlots)?d:[]).map(function(f){return g.K(f,gra)}); +c.dA?(a.Ca.get().F.V().K("h5_check_forecasting_renderer_for_throttled_midroll")?(d=c.qo.filter(function(f){var h;return null!=(null==(h=f.renderer)?void 0:h.clientForecastingAdRenderer)}),0!==d.length?yC(a.j,d,e,b.slotId,c.ssdaiAdsConfig):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId)):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId),hra(a.u,b)):yC(a.j,c.qo,e,b.slotId,c.ssdaiAdsConfig)}; +kra=function(a,b,c,d,e,f){var h=a.Va.get().vg(1);zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return jra(a.Wd.get(),c,d,e,h.clientPlaybackNonce,h.bT,h.daiEnabled,h,f)},b)}; +BC=function(a,b,c){if(c&&c!==a.slotType)return!1;b=g.t(b);for(c=b.next();!c.done;c=b.next())if(!AC(a.Ba,c.value))return!1;return!0}; +CC=function(){return""}; +lra=function(a,b){switch(a){case "TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL":return 0;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED":return 1;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED":return 2;case "TRIGGER_CATEGORY_SLOT_EXPIRATION":return 3;case "TRIGGER_CATEGORY_SLOT_FULFILLMENT":return 4;case "TRIGGER_CATEGORY_SLOT_ENTRY":return 5;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED":return 6;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED":return 7;default:return b(a),8}}; +N=function(a,b,c,d){d=void 0===d?!1:d;cb.call(this,a);this.lk=c;this.pu=d;this.args=[];b&&this.args.push(b)}; +DC=function(a,b,c){this.er=b;this.triggerType="TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED";this.triggerId=c||a(this.triggerType)}; +mra=function(a){if("JavaException"===a.name)return!0;a=a.stack;return a.includes("chrome://")||a.includes("chrome-extension://")||a.includes("moz-extension://")}; +nra=function(){this.Ir=[];this.Dq=[]}; +FC=function(){if(!EC){var a=EC=new nra;a.Dq.length=0;a.Ir.length=0;ora(a,pra)}return EC}; +ora=function(a,b){b.Dq&&a.Dq.push.apply(a.Dq,b.Dq);b.Ir&&a.Ir.push.apply(a.Ir,b.Ir)}; +qra=function(a){function b(){return a.charCodeAt(d++)} +var c=a.length,d=0;do{var e=GC(b);if(Infinity===e)break;var f=e>>3;switch(e&7){case 0:e=GC(b);if(2===f)return e;break;case 1:if(2===f)return;d+=8;break;case 2:e=GC(b);if(2===f)return a.substr(d,e);d+=e;break;case 5:if(2===f)return;d+=4;break;default:return}}while(db)return c;b=a();c|=(b&127)<<7;if(128>b)return c;b=a();c|=(b&127)<<14;if(128>b)return c;b=a();return 128>b?c|(b&127)<<21:Infinity}; +rra=function(a,b,c,d){if(a)if(Array.isArray(a)){var e=d;for(d=0;d=d.length&&WC(b)===d[0])return d;for(var e=[],f=0;f=a?fD||(fD=gD(function(){hD({writeThenSend:!0},g.gy("flush_only_full_queue")?b:void 0,c);fD=void 0},0)):10<=e-f&&(zra(c),c?dD.B=e:eD.B=e)}; +Ara=function(a,b){if("log_event"===a.endpoint){$C(a);var c=aD(a),d=new Map;d.set(c,[a.payload]);b&&(cD=new b);return new g.Of(function(e,f){cD&&cD.isReady()?iD(d,cD,e,f,{bypassNetworkless:!0},!0):e()})}}; +Bra=function(a,b){if("log_event"===a.endpoint){$C(void 0,a);var c=aD(a,!0),d=new Map;d.set(c,[a.payload.toJSON()]);b&&(cD=new b);return new g.Of(function(e){cD&&cD.isReady()?jD(d,cD,e,{bypassNetworkless:!0},!0):e()})}}; +aD=function(a,b){var c="";if(a.dangerousLogToVisitorSession)c="visitorOnlyApprovedKey";else if(a.cttAuthInfo){if(void 0===b?0:b){b=a.cttAuthInfo.token;c=a.cttAuthInfo;var d=new ay;c.videoId?d.setVideoId(c.videoId):c.playlistId&&Kh(d,2,kD,c.playlistId);lD[b]=d}else b=a.cttAuthInfo,c={},b.videoId?c.videoId=b.videoId:b.playlistId&&(c.playlistId=b.playlistId),mD[a.cttAuthInfo.token]=c;c=a.cttAuthInfo.token}return c}; +hD=function(a,b,c){a=void 0===a?{}:a;c=void 0===c?!1:c;new g.Of(function(d,e){c?(nD(dD.u),nD(dD.j),dD.j=0):(nD(eD.u),nD(eD.j),eD.j=0);if(cD&&cD.isReady()){var f=a,h=c,l=cD;f=void 0===f?{}:f;h=void 0===h?!1:h;var m=new Map,n=new Map;if(void 0!==b)h?(e=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),m.set(b,e),jD(m,l,d,f)):(m=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),n.set(b,m),iD(n,l,d,e,f));else if(h){e=g.t(Object.keys(bD));for(h=e.next();!h.done;h=e.next())n=h.value,h=ZC().extractMatchingEntries({isJspb:!0, +cttAuthInfo:n}),0Mra&&(a=1);dy("BATCH_CLIENT_COUNTER",a);return a}; +Era=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; +Jra=function(a,b,c){if(c.Ce())var d=1;else if(c.getPlaylistId())d=2;else return;I(a,ay,4,c);a=a.getContext()||new rt;c=Mh(a,pt,3)||new pt;var e=new Ys;e.setToken(b);H(e,1,d);Sh(c,12,Ys,e);I(a,pt,3,c)}; +Ira=function(a){for(var b=[],c=0;cMath.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.bA(a);if(a.args)for(var f=g.t(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign({},h,d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.slotType:"");c&&(d.layout=c?"layout: "+c.layoutType:"");e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.DD(a)}}; +HD=function(a,b,c,d,e,f,h,l){g.C.call(this);this.ac=a;this.Wd=b;this.mK=c;this.Ca=d;this.j=e;this.Va=f;this.Ha=h;this.Mc=l}; +Asa=function(a){for(var b=Array(a),c=0;ce)return new N("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},"ADS_CLIENT_ERROR_MESSAGE_AD_PLACEMENT_END_SHOULD_GREATER_THAN_START",e===b&&a-500<=e);d={Cn:new iq(a,e),zD:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Rp=new iq(a,e)}return d; +default:return new N("AdPlacementKind not supported in convertToRange.",{kind:e,adPlacementConfig:a})}}; +Tsa=function(a){var b=1E3*a.startSecs;return new iq(b,b+1E3*a.Sg)}; +iE=function(a){return g.Ga("ytcsi."+(a||"")+"data_")||Usa(a)}; +jE=function(){var a=iE();a.info||(a.info={});return a.info}; +kE=function(a){a=iE(a);a.metadata||(a.metadata={});return a.metadata}; +lE=function(a){a=iE(a);a.tick||(a.tick={});return a.tick}; +mE=function(a){a=iE(a);if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}else a.gel={gelTicks:{},gelInfos:{}};return a.gel}; +nE=function(a){a=mE(a);a.gelInfos||(a.gelInfos={});return a.gelInfos}; +oE=function(a){var b=iE(a).nonce;b||(b=g.KD(16),iE(a).nonce=b);return b}; +Usa=function(a){var b={tick:{},info:{}};g.Fa("ytcsi."+(a||"")+"data_",b);return b}; +pE=function(){var a=g.Ga("ytcsi.debug");a||(a=[],g.Fa("ytcsi.debug",a),g.Fa("ytcsi.reference",{}));return a}; +qE=function(a){a=a||"";var b=Vsa();if(b[a])return b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);return b[a]=d}; +Wsa=function(a){a=a||"";var b=Vsa();b[a]&&delete b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);b[a]=d}; +Vsa=function(){var a=g.Ga("ytcsi.reference");if(a)return a;pE();return g.Ga("ytcsi.reference")}; +rE=function(a){return Xsa[a]||"LATENCY_ACTION_UNKNOWN"}; +bta=function(a,b,c){c=mE(c);if(c.gelInfos)c.gelInfos[a]=!0;else{var d={};c.gelInfos=(d[a]=!0,d)}if(a.match("_rid")){var e=a.split("_rid")[0];a="REQUEST_ID"}if(a in Ysa){c=Ysa[a];g.rb(Zsa,c)&&(b=!!b);a in $sa&&"string"===typeof b&&(b=$sa[a]+b.toUpperCase());a=b;b=c.split(".");for(var f=d={},h=0;h1E5*Math.random()&&(c=new g.bA("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.DD(c)),!0):!1}; +cta=function(){this.timing={};this.clearResourceTimings=function(){}; this.webkitClearResourceTimings=function(){}; this.mozClearResourceTimings=function(){}; this.msClearResourceTimings=function(){}; this.oClearResourceTimings=function(){}}; -hA=function(a){var b=gA(a);if(b.aft)return b.aft;a=g.L((a||"")+"TIMING_AFT_KEYS",["ol"]);for(var c=a.length,d=0;d1E5*Math.random()&&(c=new Iq("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.lr(c)),!0):!1}; -xA=function(a){return!!g.L("FORCE_CSI_ON_GEL",!1)||g.uo("csi_on_gel")||!!lA(a).useGel}; -yA=function(a){a=lA(a);if(!("gel"in a))a.gel={gelTicks:{},gelInfos:{}};else if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}return a.gel}; -zA=function(a){kA(a);Zga();jA(!1,a);a||(g.L("TIMING_ACTION")&&ro("PREVIOUS_ACTION",g.L("TIMING_ACTION")),ro("TIMING_ACTION",""))}; -FA=function(a,b,c,d){d=d?d:a;AA(d);var e=d||"",f=rA();f[e]&&delete f[e];var h=qA(),l={timerName:e,info:{},tick:{},span:{}};h.push(l);f[e]=l;sA(d||"").info.actionType=a;zA(d);lA(d).useGel=!0;ro(d+"TIMING_AFT_KEYS",b);ro(d+"TIMING_ACTION",a);BA("yt_sts","c",d);CA("_start",c,d);if(xA(d)){a={actionType:DA[so((d||"")+"TIMING_ACTION")]||"LATENCY_ACTION_UNKNOWN",previousAction:DA[so("PREVIOUS_ACTION")]||"LATENCY_ACTION_UNKNOWN"};if(b=g.rs())a.clientScreenNonce=b;b=nA(d);uA().info(a,b)}g.Ia("ytglobal.timing"+ -(d||"")+"ready_",!0,void 0);EA(d)}; -BA=function(a,b,c){if(null!==b)if(mA(c)[a]=b,xA(c)){var d=b;b=yA(c);if(b.gelInfos)b.gelInfos["info_"+a]=!0;else{var e={};b.gelInfos=(e["info_"+a]=!0,e)}if(a.match("_rid")){var f=a.split("_rid")[0];a="REQUEST_ID"}if(a in GA){b=GA[a];g.nb($ga,b)&&(d=!!d);a in HA&&"string"===typeof d&&(d=HA[a]+d.toUpperCase().replace(/-/g,"_"));a=d;d=b.split(".");for(var h=e={},l=0;l=c||(c=new qt(a.u.Te.startSecs-(a.F.xc&&!isNaN(a.D)?a.D:0),c,a.u.Te.context,a.u.Te.identifier,"stop",a.u.Te.u+1E3*b.duration),a.V("ctmp","cuepointdiscontinuity","segNum."+b.eb,!1),a.N(c,b.eb))}}; -SA=function(a){return a.u?a.u.Te:null}; -TA=function(a,b,c){this.errorCode=a;this.u=b;this.details=c||{}}; -g.UA=function(a){var b;for(b in a)if(a.hasOwnProperty(b)){var c=(""+a[b]).replace(/[:,=]/g,"_");var d=(d?d+";":"")+b+"."+c}return d||""}; -VA=function(a){var b=void 0===b?!1:b;if(a instanceof TA)return a;a=a&&a instanceof Error?a:Error(""+a);b?g.kr(a):g.lr(a);return new TA(b?"player.fatalexception":"player.exception",b,{name:""+a.name,message:""+a.message})}; -WA=function(a,b,c){g.P.call(this);var d=this;this.u=a;this.P=b;this.N=c;this.W=this.C=this.F=null;this.I=0;this.D=function(e){return d.V(e.type,d)}; -this.supports(3)&&(this.u.addEventListener("updateend",this.D),this.u.addEventListener("error",this.D));this.X=0;this.K=fy([],[]);this.B=!1}; -XA=function(){return!(!window.SourceBuffer||!SourceBuffer.prototype.changeType)}; -ZA=function(a,b){g.B.call(this);var c=this;this.u=a?a:{};this.B=b?b:{};this.D={};this.F=this.C=0;this.I=new g.H(function(){return YA(c)},1E4); -g.C(this,this.I)}; -aB=function(a,b){$A(a,b);return a.u[b]&&a.B[b]?a.u[b]/Math.pow(2,a.C/a.B[b]):0}; -$A=function(a,b){if(!a.u[b]){var c=lx();a.u=c.values?c.values:{};a.B=c.halfLives?c.halfLives:{};a.D=c.values?Object.assign({},c.values):{}}}; -YA=function(a){var b=lx();if(b.values){b=b.values;var c={};for(d in a.u)b[d]&&a.D[d]&&(a.u[d]+=b[d]-a.D[d]),c[d]=aB(a,d);a.D=c}var d=a.B;b={};b.values=a.D;b.halfLives=d;g.Ws("yt-player-memory",b,2592E3)}; -bB=function(){var a=g.Na("yt.player.utils.videoElement_");a||(a=g.Fe("VIDEO"),g.Ia("yt.player.utils.videoElement_",a,void 0));return a}; -cB=function(a){var b=bB();return!!(b&&b.canPlayType&&b.canPlayType(a))}; -cha=function(a){try{var b=dB('video/mp4; codecs="avc1.42001E"')||dB('video/webm; codecs="vp9"');return(dB('audio/mp4; codecs="mp4a.40.2"')||dB('audio/webm; codecs="opus"'))&&(b||!a)||cB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')?null:"fmt.noneavailable"}catch(c){return"html5.missingapi"}}; -dB=function(a){if(/opus/.test(a)&&(g.eB&&!Qn("38")||g.eB&&Xj("crkey")))return!1;if(window.MediaSource&&window.MediaSource.isTypeSupported)return window.MediaSource.isTypeSupported(a);if(/webm/.test(a)&&!ek())return!1;'audio/mp4; codecs="mp4a.40.2"'===a&&(a='video/mp4; codecs="avc1.4d401f"');return!!cB(a)}; -fB=function(){return"pictureInPictureEnabled"in window.document&&!!window.document.pictureInPictureEnabled}; -gB=function(){var a=bB();return!!a.webkitSupportsPresentationMode&&"function"===typeof a.webkitSetPresentationMode}; -hB=function(){var a=bB();try{var b=a.muted;a.muted=!b;return a.muted!==b}catch(c){}return!1}; -nga=function(){this.u=0}; -iB=function(a,b){this.u=a;this.B=b;this.C=0;Object.defineProperty(this,"timestampOffset",{get:this.xR,set:this.BR});Object.defineProperty(this,"buffered",{get:this.vR})}; -dha=function(){this.length=0}; -jB=function(a){this.activeSourceBuffers=this.sourceBuffers=[];this.u=a;this.B=NaN;this.C=0;Object.defineProperty(this,"duration",{get:this.wR,set:this.AR});Object.defineProperty(this,"readyState",{get:this.yR});this.u.addEventListener("webkitsourceclose",(0,g.z)(this.zR,this),!0)}; -kB=function(a,b,c,d){g.P.call(this);var e=this;this.u=a;this.N={error:function(){!e.la()&&e.isActive()&&e.V("error",e)}, -updateend:function(){!e.la()&&e.isActive()&&e.V("updateend",e)}}; -Zr(this.u,this.N);this.B=b;this.P=c;this.I=0;this.F=Infinity;this.D=0;this.K=this.C=d}; -lB=function(a,b){this.u=a;this.B=void 0===b?!1:b;this.C=!1}; -mB=function(a,b){b=void 0===b?!1:b;g.B.call(this);this.F=new g.Wr(this);g.C(this,this.F);this.B=this.u=null;this.C=a;var c=this.C;c=c.RL?c.u.webkitMediaSourceURL:window.URL.createObjectURL(c);this.qp=new lB(c,!0);this.I=b;this.D=null;Xr(this.F,this.C,["sourceopen","webkitsourceopen"],this.uP);Xr(this.F,this.C,["sourceclose","webkitsourceclose"],this.tP)}; -eha=function(a,b){nB(a)?g.um(function(){return b(a)}):a.D=b}; -oB=function(a,b){try{a.C.duration=b}catch(c){}}; -pB=function(a){return!!a.u||!!a.B}; -nB=function(a){try{return"open"==a.C.readyState}catch(b){return!1}}; -qB=function(a){try{return"closed"==a.C.readyState}catch(b){return!0}}; -rB=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; -sB=function(a,b,c,d){if(!a.u||!a.B)return null;var e=a.u.isView()?a.u.u:a.u,f=a.B.isView()?a.B.u:a.B,h=new mB(a.C,!0);h.qp=a.qp;e=new kB(e,b,c,d);b=new kB(f,b,c,d);h.u=e;h.B=b;g.C(h,e);g.C(h,b);nB(a)||a.u.Nn(a.u.lc());return h}; -tB=function(a,b,c){this.experiments=a;this.W=b;this.X=void 0===c?!1:c;this.F=!!g.Na("cast.receiver.platform.canDisplayType");this.D={};this.K=!1;this.N=new Set;this.I=!0;this.B=!g.R(this.experiments,"html5_disable_protected_hdr");this.C=!1;this.P=g.R(this.experiments,"html5_disable_vp9_encrypted");a=g.Na("cast.receiver.platform.getValue");this.u=!this.F&&a&&a("max-video-resolution-vpx")||null}; -fha=function(a,b){var c=wu(b);if("0"===c)return!0;var d=b.mimeType;if(g.R(a.experiments,"html5_disable_codec_on_platform_errors")){if(a.N.has(b.Fb))return!1}else if(Vv(b)&&a.K)return!1;if(b.video&&(Ov(b.video)||"bt2020"===b.video.primaries)&&!(uB(a,vB.EOTF)||window.matchMedia&&(window.matchMedia("(dynamic-range: high)").matches||24Number(e.get("dhmu",f.toString())));this.Qq=f;this.Na="3"===this.controlsType||this.u||S(!1,a.use_media_volume);this.W=hB();this.Qr= -g.KB;this.Qh=S(!1,b&&d?b.embedOptOutDeprecation:a.opt_out_deprecation);this.pfpChazalUi=S(!1,b&&d?b.pfpChazalUi:a.pfp_chazal_ui);var l;b?void 0!==b.hideInfo&&(l=!b.hideInfo):l=a.showinfo;this.Ki=g.LB(this)&&!this.Qh||S(!MB(this)&&!NB(this)&&!this.I,l);this.Rh=b?!!b.mobileIphoneSupportsInlinePlayback:S(!1,a.playsinline);l=this.u&&OB&&null!=PB&&0=PB;f=b?b.useNativeControls:a.use_native_controls;e=this.u&&!this.ca("embeds_enable_mobile_custom_controls");f=QB(this)||!l&&S(e,f)?"3":"1";e=b?b.controlsType: -a.controls;this.controlsType="0"!==e&&0!==e?f:"0";this.hd=this.u;this.color=BB("red",b&&d?b.progressBarColor:a.color,oha);this.Yq="3"===this.controlsType||S(!1,b&&d?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.za=!this.B;this.Li=(f=!this.za&&!NB(this)&&!this.P&&!this.I&&!MB(this))&&!this.Yq&&"1"===this.controlsType;this.Za=g.RB(this)&&f&&"0"===this.controlsType&&!this.Li;this.Ls=this.yr=l;this.Mi=SB&&!g.$d(601)?!1:!0;this.fo=this.B||!1;this.Ga=NB(this)?"":(this.loaderUrl|| -a.post_message_origin||"").substring(0,128);this.widgetReferrer=DB("",b&&d?b.widgetReferrer:a.widget_referrer);var m;b&&d?b.disableCastApi&&(m=!1):m=a.enablecastapi;this.wd=(m=!this.C||S(!0,m))&&"1"===this.controlsType&&!this.u&&(NB(this)||g.RB(this)||g.TB(this))&&!g.UB(this)&&!VB(this);this.Ks=fB()||gB();m=b?!!b.supportsAutoplayOverride:S(!1,a.autoplayoverride);this.Ff=!this.u&&!Xj("nintendo wiiu")&&!Xj("nintendo 3ds")||m;m=b?!!b.enableMutedAutoplay:S(!1,a.mutedautoplay);l=this.ca("embeds_enable_muted_autoplay")&& -g.LB(this);this.Qg=m&&l&&this.W&&!QB(this);m=(NB(this)||MB(this))&&"blazer"===this.playerStyle;this.ae=b?!!b.disableFullscreen:!S(!0,a.fs);this.ka=!this.ae&&(m||Sr());this.Oh=this.ca("uniplayer_block_pip")&&(Yj()&&Qn(58)&&!mk()||jk);m=g.LB(this)&&!this.Qh;var n;b?void 0!==b.disableRelatedVideos&&(n=!b.disableRelatedVideos):n=a.rel;this.nb=m||S(!this.I,n);this.Df=S(!1,b&&d?b.enableContentOwnerRelatedVideos:a.co_rel);this.F=mk()&&0=PB?"_top":"_blank";this.Lc=g.TB(this);this.Cf=S("blazer"=== -this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":n="bl";break;case "gmail":n="gm";break;case "books":n="gb";break;case "docs":n="gd";break;case "duo":n="gu";break;case "google-live":n="gl";break;case "google-one":n="go";break;case "play":n="gp";break;case "chat":n="hc";break;case "hangouts-meet":n="hm";break;case "photos-edu":case "picasaweb":n="pw";break;default:n="yt"}this.X=n;this.kd=DB("",b&&d?b.authorizedUserIndex:a.authuser);var p;b?void 0!==b.disableWatchLater&& -(p=!b.disableWatchLater):p=a.showwatchlater;this.Mk=(this.B&&!this.ha||!!this.kd)&&S(!this.P,this.C?p:void 0);this.ud=b?!!b.disableKeyboardControls:S(!1,a.disablekb);this.loop=S(!1,a.loop);this.pageId=DB("",a.pageid);this.zs=S(!0,a.canplaylive);this.li=S(!1,a.livemonitor);this.disableSharing=S(this.I,b?b.disableSharing:a.ss);(p=a.video_container_override)?(n=p.split("x"),2!==n.length?p=null:(p=Number(n[0]),n=Number(n[1]),p=isNaN(p)||isNaN(n)||0>=p*n?null:new g.he(p,n))):p=null;this.Ni=p;this.mute= -b?!!b.startMuted:S(!1,a.mute);this.Ef=!this.mute&&S("0"!==this.controlsType,a.store_user_volume);p=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:BB(void 0,p,WB);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":DB("",a.cc_lang_pref);p=BB(2,b&&d?b.captionsLanguageLoadPolicy:a.cc_load_policy,WB);"3"===this.controlsType&&2===p&&(p=3);this.Si=p;this.pe=b?b.hl||"en_US":DB("en_US",a.hl);this.region=b?b.contentRegion||"US":DB("US",a.cr); -this.hostLanguage=b?b.hostLanguage||"en":DB("en",a.host_language);this.Lj=!this.ha&&Math.random()Math.random();this.Bf=a.onesie_hot_config?new iha(a.onesie_hot_config):void 0;this.isTectonic=!!a.isTectonic;this.Er=c;this.Ub=new ZA;g.C(this,this.Ub)}; -eC=function(a,b){return!a.I&&Yj()&&Qn(55)&&"3"===a.controlsType&&!b}; -g.fC=function(a){a=XB(a.N);return"www.youtube-nocookie.com"===a?"www.youtube.com":a}; -g.gC=function(a){return g.UB(a)?"music.youtube.com":g.fC(a)}; -hC=function(a,b,c){return a.protocol+"://i1.ytimg.com/vi/"+b+"/"+(c||"hqdefault.jpg")}; -iC=function(a){return NB(a)&&!g.aC(a)}; -QB=function(a){return SB&&!a.Rh||Xj("nintendo wiiu")||Xj("nintendo 3ds")?!0:!1}; -VB=function(a){return"area120-boutique"===a.playerStyle}; -g.UB=function(a){return"music-embed"===a.playerStyle}; -g.$B=function(a){return/^TVHTML5/.test(a.deviceParams.c)?!0:"TV"===a.deviceParams.cplatform}; -GB=function(a){return"TVHTML5_SIMPLY_EMBEDDED_PLAYER"===a.deviceParams.c}; -ZB=function(a){return"CHROMECAST ULTRA/STEAK"===a.deviceParams.cmodel||"CHROMECAST/STEAK"===a.deviceParams.cmodel}; -g.jC=function(){return 1=c)}; -FC=function(a,b,c){this.videoInfos=a;this.audioTracks=[];this.u=b||null;this.B=c||null;if(this.u)for(a=new Set,b=g.q(this.u),c=b.next();!c.done;c=b.next())if(c=c.value,c.B&&!a.has(c.B.id)){var d=new yC(c.id,c.B);a.add(c.B.id);this.audioTracks.push(d)}}; -rha=function(){this.ea=this.ra=this.u=this.D=this.C=this.I=this.K=this.X=this.W=!1;this.Z=!0;this.ba=!1;this.F=0;this.ka=!1;this.da=Infinity;this.fv=!1;this.Aa=!0;this.P=this.N=!1;this.B={};this.ha=!1}; -sha=function(a){if(a.X)return["f"];var b="9h 9 h 8 (h ( H *".split(" ");a.ka&&b.unshift("1");a.u&&b.unshift("h");return b}; -tha=function(a){var b=["o","a","A"];a.I&&(b=["m","M"].concat(b));a.C&&(b=["mac3","MAC3"].concat(b));a.D&&(b=["meac3","MEAC3"].concat(b));a.W&&(b=["so","sa"].concat(b));a.ra&&b.unshift("a");a.K&&b.unshift("ah");return b}; -GC=function(a,b,c){b=void 0===b?{}:b;if(uB(a.D,vB.AV1_CODECS)&&uB(a.D,vB.HEIGHT)&&uB(a.D,vB.BITRATE))return b.isCapabilityUsable=!0,8192;try{var d=sx();if(d)return b.localPref=d}catch(f){}d=g.Q(a.experiments,"html5_av1_thresh");var e=g.Q(a.experiments,"html5_av1_thresh_lcc");e&&2>=navigator.hardwareConcurrency&&(d=e);(e=g.Q(a.experiments,"html5_av1_thresh_hcc"))&&4p}; -c=h["1"].filter(function(t){return r(t.Ka().yc)}); -c.length&&(a.B.highestAv1Resolution=c[c.length-1].Ka().yc);e=h[l].filter(function(t){return!r(t.Ka().yc)}); -e.length&&(a.B.higestVp9Resolution=e[e.length-1].Ka().yc)}m=[].concat(c,e).filter(function(t){return t})}if(m.length&&!a.u)return TC(m,d),Cr(new FC(m,d,UC(h,"",b))); -c=sha(a);c=g.jb(c,f);if(!c)return Br();a.Aa&&"1"==c&&h[l]&&(a=SC(h["1"]),SC(h[l])>a&&(c=l));"9"==c&&h.h&&(a=SC(h["9"]),SC(h.h)>1.5*a&&(c="h"));a=h[c];if(!a.length)return Br();TC(a,d);return Cr(new FC(a,d,UC(h,c,b)))}; -UC=function(a,b,c){var d=a.h;"f"==b&&(d=a[b]);var e=a.a;b=a[b]!=d;a=a[c]!=e;return d&&e&&(b||a)?(TC(d,e),new FC(d,e)):null}; -TC=function(a,b){g.Cb(a,function(c,d){return d.Ka().height*d.Ka().width-c.Ka().height*c.Ka().width||d.u-c.u}); -g.Cb(b,function(c,d){return d.u-c.u})}; -wha=function(a,b){var c=g.kh(b,function(d,e){return 32c&&(b=a.I&&(a.W||uB(a,vB.FRAMERATE))?g.Ke(b,function(d){return 32b)return!0;return!1}; -Fha=function(a){return new VC(a.X,a.B,a.F.reason)}; -dD=function(a){return a.F.isLocked()}; -nla=function(a){return 0(0,g.N)()-a.Z,c=a.D&&3*aD(a,a.D.info)a.u.Qa,m=f<=a.u.Qa?Vv(e):Tv(e);if(!h||l||m)c[f]=e}return c}; -XC=function(a,b){a.F=b;var c=a.N.videoInfos;if(!dD(a)){var d=(0,g.N)()-6E4;c=g.Ke(c,function(p){if(p.u>this.u.N)return!1;p=this.K.u[p.id];var r=p.info.Fb;return this.u.zs&&this.ra.has(r)||p.W>d?!1:4b.u)&&(e=e.filter(function(p){return!!p&&!!p.video&&!!p.C})); -if(!XA()&&0n.video.width?(g.qb(e,c),c--):aD(a,f)*a.u.u>aD(a,n)&&(g.qb(e,c-1),c--)}c=e[e.length-1];a.Aa=!!a.B&&!!a.B.info&&a.B.info.Fb!=c.Fb;a.C=e;pfa(a.u,c)}; -Aha=function(a,b){if(b)a.I=a.K.u[b];else{var c=g.jb(a.N.u,function(d){return!!d.B&&d.B.isDefault}); -c=c||a.N.u[0];a.I=a.K.u[c.id]}ZC(a)}; -hD=function(a,b){for(var c=0;c+1d}; -ZC=function(a){if(!a.I||!a.u.C&&!a.u.Lj)if(!a.I||!a.I.info.B)if(a.I=a.K.u[a.N.u[0].id],1a.F.u:hD(a,a.I);b&&(a.I=a.K.u[g.gb(a.N.u).id])}}; -$C=function(a){a.u.Ji&&(a.ka=a.ka||new g.H(function(){a.u.Ji&&a.B&&!cD(a)&&1===Math.floor(10*Math.random())?bD(a,a.B):a.ka.start()},6E4),a.ka.xb()); -if(!a.D||!a.u.C&&!a.u.Lj)if(dD(a))a.D=360>=a.F.u?a.K.u[a.C[0].id]:a.K.u[g.gb(a.C).id];else{for(var b=Math.min(a.W,a.C.length-1),c=nz(a.ha),d=aD(a,a.I.info),e=c/a.u.B-d;0=c);b++);a.D=a.K.u[a.C[b].id];a.W=b}}; -Bha=function(a){var b=a.u.B,c=nz(a.ha)/b-aD(a,a.I.info);b=g.kb(a.C,function(d){return aD(this,d)b&&(b=0);a.W=b;a.D=a.K.u[a.C[b].id]}; -iD=function(a,b){a.u.Qa=GC(b,{},a.N);XC(a,a.F);eD(a);a.P=a.D!=a.B}; -aD=function(a,b){if(!a.da[b.id]){var c=a.K.u[b.id].index.BB(a.ea,15);c=b.D&&a.B&&a.B.index.Dc()?c||b.D:c||b.u;a.da[b.id]=c}c=a.da[b.id];a.u.Pb&&b.video&&b.video.yc>a.u.Pb&&(c*=1.5);return c}; -ola=function(a,b){var c=Vb(a.K.u,function(d){return wu(d.info)==b}); -if(!c)throw Error("Itag "+b+" from server not known.");return c}; -pla=function(a){var b=[];if("m"==a.F.reason||"s"==a.F.reason)return b;var c=!1;if(Gga(a.K)){for(var d=Math.max(0,a.W-2);d=c)a.X=NaN;else{var d=hz(a.da),e=b.index.u;c=Math.max(1,d/c);a.X=Math.round(1E3*Math.max(((c-1)*e+a.u.P)/c,e-a.u.ac))}}}; -tla=function(a,b){var c=g.A()/1E3,d=c-a.K,e=c-a.P,f=e>=a.u.Mj,h=!1;if(f){var l=0;!isNaN(b)&&b>a.N&&(l=b-a.N,a.N=b);l/e=a.u.ac&&!a.F;if(!f&&!c&&oD(a,b))return NaN;c&&(a.F=!0);a:{d=h;c=g.A()/1E3-(a.ea.u()||0)-a.W.C-a.u.P;f=a.D.startTime;c=f+c;if(d){if(isNaN(b)){pD(a,NaN,"n",b);f=NaN;break a}d=b-a.u.Ub;dc)break}return d}; -zD=function(a,b){for(var c=[],d=g.q(a.u),e=d.next();!e.done&&!(e=e.value,e.contains(b)&&c.push(e),e.start>b);e=d.next());return c}; -yla=function(a){return a.u.slice(yD(a,0x7ffffffffffff),a.u.length)}; -yD=function(a,b){var c=Bb(a.u,function(d){return b-d.start||1}); -return 0>c?-(c+1):c}; -AD=function(a,b){for(var c=NaN,d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,e.contains(b)&&(isNaN(c)||e.endb&&(isNaN(c)||e.starta.u.length)a.u=a.u.concat(b),a.u.sort(a.B);else for(var c=g.q(b),d=c.next();!d.done;d=c.next())d=d.value,!a.u.length||0l.end:!l.contains(c))&&f.push(l);e=e.concat(HD(a,f));h=f=null;d?(b=zD(a.u,0x7ffffffffffff),f=b.filter(function(m){return 0x8000000000000>m.end}),h=yla(a.u)):b=a.D<=c&&ID(b)?xla(a.u,a.D,c):zD(a.u,c); -e=e.concat(GD(a,b));f&&(e=e.concat(HD(a,f)));h&&(e=e.concat(GD(a,h)));a.D=c;Ala(a,e)}}; -Ala=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=d[1];1===d[0]?a.P(g.wD(e.namespace),e):a.P(g.xD(e.namespace),e)}}; -zla=function(a){return g.T(a.N(),2)?0x8000000000000:1E3*a.X()}; -Cla=function(a){a=void 0===a?{}:a;var b=a.Pe,c=a.wq,d=a.Ob,e=a.Pm;this.aj=a.aj;this.Pe=b;this.wq=c;this.Ob=d;this.Pm=e}; -JD=function(a,b){if(0>b)return!0;var c=a.Ob();return bb)return 1;c=a.Ob();return b=a.u.WG&&!a.u.Rb||!a.u.zz&&0=a.u.qz)return!1;d=b.B;if(!d)return!0;if(!Bv(d.u.B))return!1;4==d.type&& -d.u.he()&&(b.B=g.gb(d.u.hu(d)),d=b.B);if(!d.F&&!d.u.vj(d))return!1;var e=a.F.rf||a.F.I;if(a.F.isManifestless&&e){e=b.u.index.Ob();var f=c.u.index.Ob();e=Math.min(e,f);if(0=e)return b.X=e,c.X=e,!1}if(d.u.info.audio&&4==d.type)return!1;if(Wy(b)&&!a.u.W)return!0;if(d.F||Cy(b)&&Cy(b)+Cy(c)>a.u.Ga)return!1;e=!b.F&&!c.F;f=b==a.B&&a.da;if(!(c=!!(c.B&&!c.B.F&&c.B.Ia}return c?!1:(b=b.K)&&b.isLocked()?!1:!0}; -XD=function(a,b,c){if((!a.C||nB(a.C)&&!a.u.W)&&!a.N.C&&a.K.P){var d=a.I;a=a.X;c=lz(a,b.u.info.u,c.u.info.u,0);var e=fz(a.B)+c/hz(a.B);Gy(b,d+Math.max(e,e+a.u.Ef-c/b.u.info.u))}}; -ZD=function(a,b,c){if(WD(a,b,c)){var d=Hla(a,b,c);if(d)if(a.u.aA&&a.F.isManifestless&&!b.N&&0>d.u[0].B)a.gd("invalidsq",nu(d.u[0]));else{if(a.Na){var e=d.u[0].u.info.id,f=d.u[0].B,h=d.u[0].K;0>f&&0<=b.P?f=b.P:0<=b.P&&(b.P=-1);(e=Ila(a.Na.u,h,f,e))&&f>c.ka?(0>d.u[0].B&&0d.B&&(c=vu(d),c.pr=""+b.D.length,a.N.C&&(c.sk="1"),a.gd("nosq",d.N+";"+g.UA(c))),d=h.ck(d));a.da&&d.u.forEach(function(l){l.type=6}); +dta=function(){var a;if(g.gy("csi_use_performance_navigation_timing")||g.gy("csi_use_performance_navigation_timing_tvhtml5")){var b,c,d,e=null==xE?void 0:null==(a=xE.getEntriesByType)?void 0:null==(b=a.call(xE,"navigation"))?void 0:null==(c=b[0])?void 0:null==(d=c.toJSON)?void 0:d.call(c);e?(e.requestStart=yE(e.requestStart),e.responseEnd=yE(e.responseEnd),e.redirectStart=yE(e.redirectStart),e.redirectEnd=yE(e.redirectEnd),e.domainLookupEnd=yE(e.domainLookupEnd),e.connectStart=yE(e.connectStart), +e.connectEnd=yE(e.connectEnd),e.responseStart=yE(e.responseStart),e.secureConnectionStart=yE(e.secureConnectionStart),e.domainLookupStart=yE(e.domainLookupStart),e.isPerformanceNavigationTiming=!0,a=e):a=xE.timing}else a=xE.timing;return a}; +yE=function(a){return Math.round(zE()+a)}; +zE=function(){return(g.gy("csi_use_time_origin")||g.gy("csi_use_time_origin_tvhtml5"))&&xE.timeOrigin?Math.floor(xE.timeOrigin):xE.timing.navigationStart}; +AE=function(a){this.j=a}; +g.BE=function(a){return new AE({trackingParams:a})}; +fta=function(a){var b=eta++;return new AE({veType:a,veCounter:b,elementIndex:void 0,dataElement:void 0,youtubeData:void 0,jspbYoutubeData:void 0})}; +CE=function(a){a=void 0===a?0:a;return 0===a?"client-screen-nonce":"client-screen-nonce."+a}; +DE=function(a){a=void 0===a?0:a;return 0===a?"ROOT_VE_TYPE":"ROOT_VE_TYPE."+a}; +gta=function(a){return g.ey(DE(void 0===a?0:a))}; +g.EE=function(a){return(a=gta(void 0===a?0:a))?new AE({veType:a,youtubeData:void 0,jspbYoutubeData:void 0}):null}; +hta=function(){var a=g.ey("csn-to-ctt-auth-info");a||(a={},dy("csn-to-ctt-auth-info",a));return a}; +g.FE=function(a){a=g.ey(CE(void 0===a?0:a));if(!a&&!g.ey("USE_CSN_FALLBACK",!0))return null;a||(a="UNDEFINED_CSN");return a?a:null}; +jta=function(a){for(var b=g.t(Object.values(ita)),c=b.next();!c.done;c=b.next())if(g.FE(c.value)===a)return!0;return!1}; +kta=function(a,b,c){var d=hta();(c=g.FE(c))&&delete d[c];b&&(d[a]=b)}; +GE=function(a){return hta()[a]}; +HE=function(a,b,c,d){c=void 0===c?0:c;if(a!==g.ey(CE(c))||b!==g.ey(DE(c)))if(kta(a,d,c),dy(CE(c),a),dy(DE(c),b),b=function(){setTimeout(function(){if(a)if(g.gy("web_time_via_jspb")){var e=new dx;H(e,1,lta);H(e,2,a);var f=new Zx;Oh(f,dx,111,AD,e);zD(f)}else g.rA("foregroundHeartbeatScreenAssociated",{clientDocumentNonce:lta,clientScreenNonce:a})},0)},"requestAnimationFrame"in window)try{window.requestAnimationFrame(b)}catch(e){b()}else b()}; +JE=function(a,b){IE("_start",a,b)}; +mta=function(a,b,c,d){if(null!==b){if("yt_lt"===a){var e="string"===typeof b?b:""+b;kE(c).loadType=e}(a=bta(a,b,c))&&KE(a,c,d)}}; +KE=function(a,b,c){if(!g.gy("web_csi_via_jspb")||(void 0===c?0:c))c=qE(b||""),vC(c.info,a),a.loadType&&(c=a.loadType,kE(b).loadType=c),vC(nE(b),a),c=oE(b),b=iE(b).cttAuthInfo,uE().info(a,c,b);else{c=new Dx;var d=Object.keys(a);a=Object.values(a);for(var e=0;e=zE()&&0c.duration?d:c},{duration:0}))&&0=b)}; +oF=function(a,b,c){this.videoInfos=a;this.j=b;this.audioTracks=[];if(this.j){a=new Set;null==c||c({ainfolen:this.j.length});b=g.t(this.j);for(var d=b.next();!d.done;d=b.next())if(d=d.value,!d.Jc||a.has(d.Jc.id)){var e=void 0,f=void 0,h=void 0;null==(h=c)||h({atkerr:!!d.Jc,itag:d.itag,xtag:d.u,lang:(null==(e=d.Jc)?void 0:e.name)||"",langid:(null==(f=d.Jc)?void 0:f.id)||""})}else e=new g.hF(d.id,d.Jc),a.add(d.Jc.id),this.audioTracks.push(e);null==c||c({atklen:this.audioTracks.length})}}; +pF=function(){g.C.apply(this,arguments);this.j=null}; +Nta=function(a,b,c,d,e,f){if(a.j)return a.j;var h={},l=new Set,m={};if(qF(d)){for(var n in d.j)d.j.hasOwnProperty(n)&&(a=d.j[n],m[a.info.Lb]=[a.info]);return m}n=Kta(b,d,h);f&&e({aftsrt:rF(n)});for(var p={},q=g.t(Object.keys(n)),r=q.next();!r.done;r=q.next()){r=r.value;for(var v=g.t(n[r]),x=v.next();!x.done;x=v.next()){x=x.value;var z=x.itag,B=void 0,F=r+"_"+((null==(B=x.video)?void 0:B.fps)||0);p.hasOwnProperty(F)?!0===p[F]?m[r].push(x):h[z]=p[F]:(B=sF(b,x,c,d.isLive,l),!0!==B?(h[z]=B,"disablevp9hfr"=== +B&&(p[F]="disablevp9hfr")):(m[r]=m[r]||[],m[r].push(x),p[F]=!0))}}f&&e({bfflt:rF(m)});for(var G in m)m.hasOwnProperty(G)&&(d=G,m[d]&&m[d][0].Xg()&&(m[d]=m[d],m[d]=Lta(b,m[d],h),m[d]=Mta(m[d],h)));f&&e(h);b=g.t(l.values());for(d=b.next();!d.done;d=b.next())(d=c.u.get(d.value))&&--d.uX;f&&e({aftflt:rF(m)});a.j=g.Uc(m,function(D){return!!D.length}); +return a.j}; +Pta=function(a,b,c,d,e,f,h){if(b.Vd&&h&&1p&&(e=c));"9"===e&&n.h&&vF(n.h)>vF(n["9"])&&(e="h");b.jc&&d.isLive&&"("===e&&n.H&&1440>vF(n["("])&&(e="H");l&&f({vfmly:wF(e)});b=n[e];if(!b.length)return l&&f({novfmly:wF(e)}),Ny();uF(b);return Oy(new oF(b, +a,m))}; +Rta=function(a,b){var c=b.J&&!(!a.mac3&&!a.MAC3),d=b.T&&!(!a.meac3&&!a.MEAC3);return b.Aa&&!(!a.m&&!a.M)||c||d}; +wF=function(a){switch(a){case "*":return"v8e";case "(":return"v9e";case "(h":return"v9he";default:return a}}; +rF=function(a){var b=[],c;for(c in a)if(a.hasOwnProperty(c)){var d=c;b.push(wF(d));d=g.t(a[d]);for(var e=d.next();!e.done;e=d.next())b.push(e.value.itag)}return b.join(".")}; +Qta=function(a,b,c,d,e,f){var h={},l={};g.Tc(b,function(m,n){m=m.filter(function(p){var q=p.itag;if(!p.Pd)return l[q]="noenc",!1;if(f.uc&&"(h"===p.Lb&&f.Tb)return l[q]="lichdr",!1;if("("===p.Lb||"(h"===p.Lb){if(a.B&&c&&"widevine"===c.flavor){var r=p.mimeType+"; experimental=allowed";(r=!!p.Pd[c.flavor]&&!!c.j[r])||(l[q]=p.Pd[c.flavor]?"unspt":"noflv");return r}if(!xF(a,yF.CRYPTOBLOCKFORMAT)&&!a.ya||a.Z)return l[q]=a.Z?"disvp":"vpsub",!1}return c&&p.Pd[c.flavor]&&c.j[p.mimeType]?!0:(l[q]=c?p.Pd[c.flavor]? +"unspt":"noflv":"nosys",!1)}); +m.length&&(h[n]=m)}); +d&&Object.entries(l).length&&e(l);return h}; +Mta=function(a,b){var c=$l(a,function(d,e){return 32c&&(a=a.filter(function(d){if(32a.ea)return"max"+a.ea;if(a.Pb&&"h"===b.Lb&&b.video&&1080a.td())a.segments=[];else{var c=kb(a.segments,function(d){return d.Ma>=b},a); +0c&&(c=a.totalLength-b);a.focus(b);if(!PF(a,b,c)){var d=a.u,e=a.B;a.focus(b+c-1);e=new Uint8Array(a.B+a.j[a.u].length-e);for(var f=0,h=d;h<=a.u;h++)e.set(a.j[h],f),f+=a.j[h].length;a.j.splice(d,a.u-d+1,e);OF(a);a.focus(b)}d=a.j[a.u];return new DataView(d.buffer,d.byteOffset+b-a.B,c)}; +QF=function(a,b,c){a=hua(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; +iua=function(a){a=QF(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ce&&bf)VF[e++]=f;else{if(224>f)f=(f&31)<<6|a[b++]&63;else if(240>f)f=(f&15)<<12|(a[b++]&63)<<6|a[b++]&63;else{if(1024===e+1){--b;break}f=(f&7)<<18|(a[b++]&63)<<12|(a[b++]&63)<<6|a[b++]&63;f-=65536;VF[e++]=55296|f>>10;f=56320|f&1023}VF[e++]=f}}f=String.fromCharCode.apply(String,VF); +1024>e&&(f=f.substr(0,e));c.push(f)}return c.join("")}; +YF=function(a,b){var c;if(null==(c=XF)?0:c.encodeInto)return b=XF.encodeInto(a,b),b.reade?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296===(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return c}; +lua=function(a){if(XF)return XF.encode(a);var b=new Uint8Array(Math.ceil(1.2*a.length)),c=YF(a,b);b.lengthc&&(b=b.subarray(0,c));return b}; +ZF=function(a,b,c,d,e){e=void 0===e?!1:e;this.data=a;this.offset=b;this.size=c;this.type=d;this.j=(this.u=e)?0:8;this.dataOffset=this.offset+this.j}; +$F=function(a){var b=a.data.getUint8(a.offset+a.j);a.j+=1;return b}; +aG=function(a){var b=a.data.getUint16(a.offset+a.j);a.j+=2;return b}; +bG=function(a){var b=a.data.getInt32(a.offset+a.j);a.j+=4;return b}; +cG=function(a){var b=a.data.getUint32(a.offset+a.j);a.j+=4;return b}; +dG=function(a){var b=a.data;var c=a.offset+a.j;b=4294967296*b.getUint32(c)+b.getUint32(c+4);a.j+=8;return b}; +eG=function(a,b){b=void 0===b?NaN:b;if(isNaN(b))var c=a.size;else for(c=a.j;ca.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(48>d||122d;d++)c[d]=a.getInt8(b.offset+16+d);return c}; +uG=function(a,b){this.j=a;this.pos=0;this.start=b||0}; +vG=function(a){return a.pos>=a.j.byteLength}; +AG=function(a,b,c){var d=new uG(c);if(!wG(d,a))return!1;d=xG(d);if(!yG(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.pos;var e=zG(d,!0);d=a+(d.start+d.pos-b)+e;d=9b;b++)c=256*c+FG(a);return c}for(var d=128,e=0;6>e&&d>c;e++)c=256*c+FG(a),d*=128;return b?c-d:c}; +CG=function(a){var b=zG(a,!0);a.pos+=b}; +Eua=function(a){if(!yG(a,440786851,!0))return null;var b=a.pos;zG(a,!1);var c=zG(a,!0)+a.pos-b;a.pos=b+c;if(!yG(a,408125543,!1))return null;zG(a,!0);if(!yG(a,357149030,!0))return null;var d=a.pos;zG(a,!1);var e=zG(a,!0)+a.pos-d;a.pos=d+e;if(!yG(a,374648427,!0))return null;var f=a.pos;zG(a,!1);var h=zG(a,!0)+a.pos-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295); +l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+d,e),c+12);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+f,h),c+12+e);return l}; +GG=function(a){var b=a.pos;a.pos=0;var c=1E6;wG(a,[408125543,357149030,2807729])&&(c=BG(a));a.pos=b;return c}; +Fua=function(a,b){var c=a.pos;a.pos=0;if(160!==a.j.getUint8(a.pos)&&!HG(a)||!yG(a,160))return a.pos=c,NaN;zG(a,!0);var d=a.pos;if(!yG(a,161))return a.pos=c,NaN;zG(a,!0);FG(a);var e=FG(a)<<8|FG(a);a.pos=d;if(!yG(a,155))return a.pos=c,NaN;d=BG(a);a.pos=c;return(e+d)*b/1E9}; +HG=function(a){if(!Gua(a)||!yG(a,524531317))return!1;zG(a,!0);return!0}; +Gua=function(a){if(a.Xm()){if(!yG(a,408125543))return!1;zG(a,!0)}return!0}; +wG=function(a,b){for(var c=0;cd.timedOut&&1>d.j)return!1;d=d.timedOut+d.j;a=NG(a,b);c=LG(c,FF(a));return c.timedOut+c.j+ +(b.Sn&&!c.C)b.Qg?1E3*Math.pow(b.Yi,c-b.Qg):0;return 0===b?!0:a.J+b<(0,g.M)()}; +Mua=function(a,b,c){a.j.set(b,c);a.B.set(b,c);a.C&&a.C.set(b,c)}; +RG=function(a,b,c,d){this.T=a;this.initRange=c;this.indexRange=d;this.j=null;this.C=!1;this.J=0;this.D=this.B=null;this.info=b;this.u=new MG(a)}; +SG=function(a,b,c){return Nua(a.info,b,c)}; +TG=function(a,b){this.start=a;this.end=b;this.length=b-a+1}; +UG=function(a){a=a.split("-");var b=Number(a[0]),c=Number(a[1]);if(!isNaN(b)&&!isNaN(c)&&2===a.length&&(a=new TG(b,c),!isNaN(a.start)&&!isNaN(a.end)&&!isNaN(a.length)&&0=b.range.start+b.Ob&&a.range.start+a.Ob+a.u<=b.range.start+b.Ob+b.u:a.Ma===b.Ma&&a.Ob>=b.Ob&&(a.Ob+a.u<=b.Ob+b.u||b.bf)}; +Yua=function(a,b){return a.j!==b.j?!1:4===a.type&&3===b.type&&a.j.Jg()?(a=a.j.Jz(a),Wm(a,function(c){return Yua(c,b)})):a.Ma===b.Ma&&!!b.u&&b.Ob+b.u>a.Ob&&b.Ob+b.u<=a.Ob+a.u}; +eH=function(a,b){var c=b.Ma;a.D="updateWithSegmentInfo";a.Ma=c;if(a.startTime!==b.startTime||a.duration!==b.duration)a.startTime=b.startTime,a.duration=b.duration,Pua(a)}; +fH=function(a,b){var c=this;this.gb=a;this.J=this.u=null;this.D=this.Tg=NaN;this.I=this.requestId=null;this.Ne={v7a:function(){return c.range}}; +this.j=a[0].j.u;this.B=b||"";this.gb[0].range&&0d&&(b=a.u.Ol(a,b.range.length-c.ib))}return b}; -Lla=function(a,b){var c=Hv(b),d=a.X,e=Math.min(2.5,fz(d.B));d=mz(d);var f=pu(b.u[0]),h=nv(b.B.u),l=a.u.Xg,m;a.Lc?m={sg:f,mi:h,Dl:l,ri:a.Lc,eb:b.u[0].B,We:b.We}:m={sg:f,mi:h,Dl:l};return new Gw(a.ba,c,c-e*d,m)}; -YD=function(a,b){qu(b.u[b.u.length-1])&&aE(a,Eha(a.K,b.u[0].u));var c=Lla(a,b);a.u.HG&&(c.F=[]);var d={Yk:Math.max(0,b.u[0].K-a.I)};a.u.Qg&&Fv(b)&&b.u[0].u.info.video&&(d.VE=pla(a.K));a.da&&(d.rq=!0);return new vx(a.u,b,c,a.Ja,function(e){a:{var f=e.info.u[0].u,h=f.info.video?a.B:a.D;if(!(2<=e.state)||4<=e.state||!e.u.Gi()||!a.u.td||e.K||!(!a.C||a.ha||Dy(h,a.I)>a.u.td)){var l=a.u.Rh;if(!(!l||4<=e.state||e.K(0,g.N)()||(e=Iv(e.info,!1,a.u.Qh))&&YD(a,e))}}}e=void 0}return e},d)}; -aE=function(a,b){b&&a.V("videoformatchange",b)}; -cE=function(a,b){var c=b.info.u[0].u,d=c.info.video?a.B:a.D;Mla(a,d,b);b.info.sg()&&!Ev(b.info)&&(g.Gb(Ix(b),function(e){Tx(d.C,e)}),a.V("metadata",c)); -ry(d);return!!Px(d.C)}; -Mla=function(a,b,c){if(a.F.isManifestless&&b){b.N&&(c.la(),4<=c.state||c.u.Gi()||Hx(c),b.N=!1);c.X&&a.ob.C(1,c.X);c.u&&(c.Z=parseInt(c.u.Sd("X-Head-Seqnum"),10));b=c.Z;c.u&&(c.ba=parseInt(c.u.Sd("X-Head-Time-Millis"),10));c=c.ba;a=a.F;for(var d in a.u){var e=a.u[d].index,f=c;e.B&&(b&&(e.I=Math.max(e.I,b)),f&&(e.D=Math.max(e.D,f)))}}}; -gE=function(a){var b=a.C.u,c=a.C.B;a.D.u.C&&dE(a,b,a.D.u.C);if(Nla(a)){if(a.u.Qq){if(!b.ql()){var d=Px(a.D.C);d&&eE(a,b,d)}c.ql()||(b=Px(a.B.C))&&eE(a,c,b)}a.Ga||(a.Ga=(0,g.N)())}else{if(a.Ga){d=(0,g.N)()-a.Ga;var e=Dy(a.D,a.I),f=Dy(a.B,a.I);a.gd("appendpause","dur."+d.toFixed()+";abuf."+((1E3*e).toFixed()+";vbuf.")+(1E3*f).toFixed());a.Ga=0}a.P&&(d=a.P.B(a.D,ky(a.C.B.Ue())))&&a.V("seekplayerrequired",d,!0);d=!1;fE(a,a.B,c)&&(d=!0,e=a.za,e.C||(e.C=g.A(),e.Ne("vda"),MA("vda","video_to_ad"),e.B&&up(4))); -if(a.C&&!qB(a.C)&&(fE(a,a.D,b)&&(d=a.za,d.B||(d.B=g.A(),d.Ne("ada"),MA("ada","video_to_ad"),d.C&&up(4)),d=!0),!a.la()&&a.C)){!a.u.ea&&zy(a.B)&&zy(a.D)&&nB(a.C)&&!a.C.sf()&&(e=py(a.D).u,e==a.F.u[e.info.id]&&(e=a.C,nB(e)&&e.C.endOfStream(),ez(a.ba)));e=a.u.rz;f=a.u.vC;d||!(0c*(10-e)/nz(b)}(b=!b)||(b=a.B,b=0a.I||360e)){a:if(a.u.Qe&&(!d.info.C||d.info.D)&&a.gd("sba",c.jb({as:nu(d.info)})),e=d.C?d.info.u.u:null,f=Gu(d.u),d.C&&(f=new Uint8Array(f.buffer,0,f.byteOffset+f.length)),e=hE(a,c,f,d.info,e),"s"==e)a.Ub=0,a=!0; -else{a.u.Ks||(c.abort(),Fy(b));if("i"==e||"x"==e)iE(a,"checked",e,d.info);else{if("q"==e&&(d.info.isVideo()?(e=a.u,e.I=Math.floor(.8*e.I),e.Z=Math.floor(.8*e.Z),e.F=Math.floor(.8*e.F)):(e=a.u,e.K=Math.floor(.8*e.K),e.Ja=Math.floor(.8*e.Ja),e.F=Math.floor(.8*e.F)),!c.sf()&&!a.C.isView()&&c.Cq(Math.min(a.I,d.info.startTime),!0,5))){a=!1;break a}a.V("reattachrequired")}a=!1}e=!a}if(e)return!1;b.C.B.shift();ty(b,d);return!0}; -iE=function(a,b,c,d){var e="fmt.unplayable",f=!0;"x"==c||"m"==c?(e="fmt.unparseable",d.u.I=e,d.u.info.video&&!cD(a.K)&&bD(a.K,d.u)):"i"==c&&(15>a.Ub?(a.Ub++,e="html5.invalidstate",f=!1):e="fmt.unplayable");d=vu(d);d.mrs=a.C.C.readyState;d.origin=b;d.reason=c;TD(a,f,e,d)}; -jE=function(a,b,c){var d=a.F,e=!1,f;for(f in d.u){var h=Xv(d.u[f].info.mimeType)||d.u[f].info.isVideo();c==h&&(h=d.u[f].index,uz(h,b.eb)||(h.uD(b),e=!0))}Wga(a.N,b,c,e);c&&(a=a.Z,a.F.ob&&(a.P.C&&!a.F.Yq?(a.B=null,a.C=!1):(c=a.u&&a.B&&a.u.eb==a.B.eb-1,c=a.u&&c&&"stop"!=a.u.Te.event&&"predictStart"!=a.u.Te.event,a.B&&a.B.ebc&&a.gd("bwcapped","1",!0),c= -Math.max(c,15),d=Math.min(d,c));return d}; -Gla=function(a){if(!a.yb)return Infinity;var b=g.Ke(ED(a.yb),function(d){return"ad"==d.namespace}); -b=g.q(b);for(var c=b.next();!c.done;c=b.next())if(c=c.value,c.start/1E3>a.I)return c.start/1E3;return Infinity}; -Ola=function(a,b){var c=vy(a.B).find(function(d){return d.startTime>=b&&MD(a,d.startTime,!1)}); -return c&&c.startTimea.I&&(0===d||d>e)&&(d=e);0=h)if(h=b.shift(),f=(f=l.exec(h))?+f[1]/1E3:0)h=(h=m.exec(h))?+h[1]:0,h+=1;else return;c.push(new JF(n,e,f,NaN,"sq/"+(n+1)));e+=f;h--}a.index.append(c)}}; +sH=function(a,b,c){this.info=a;this.j=b;this.B=c;this.u=null;this.D=-1;this.timestampOffset=0;this.I=!1;this.C=this.info.j.Vy()&&!this.info.Ob}; +tH=function(a){return hua(a.j)}; +mva=function(a,b){if(1!==a.info.j.info.containerType||a.info.Ob||!a.info.bf)return!0;a=tH(a);for(var c=0,d=0;c+4e)b=!1;else{for(d=e-1;0<=d;d--)c.j.setUint8(c.pos+d,b&255),b>>>=8;c.pos=a;b=!0}else b=!1;return b}; +xH=function(a,b){b=void 0===b?!1:b;var c=qva(a);a=b?0:a.info.I;return c||a}; +qva=function(a){g.vH(a.info.j.info)||a.info.j.info.Ee();if(a.u&&6===a.info.type)return a.u.Xj;if(g.vH(a.info.j.info)){var b=tH(a);var c=0;b=g.tG(b,1936286840);b=g.t(b);for(var d=b.next();!d.done;d=b.next())d=wua(d.value),c+=d.CP[0]/d.Nt;c=c||NaN;if(!(0<=c))a:{c=tH(a);b=a.info.j.j;for(var e=d=0,f=0;oG(c,d);){var h=pG(c,d);if(1836476516===h.type)e=g.lG(h);else if(1836019558===h.type){!e&&b&&(e=mG(b));if(!e){c=NaN;break a}var l=nG(h.data,h.dataOffset,1953653094),m=e,n=nG(l.data,l.dataOffset,1952868452); +l=nG(l.data,l.dataOffset,1953658222);var p=bG(n);bG(n);p&2&&bG(n);n=p&8?bG(n):0;var q=bG(l),r=q&1;p=q&4;var v=q&256,x=q&512,z=q&1024;q&=2048;var B=cG(l);r&&bG(l);p&&bG(l);for(var F=r=0;F=1.3*Math.floor(16*f/9)||a>=1.3*f)return b;b=e}return"tiny"}; +IH=function(a,b,c){c=void 0===c?{}:c;this.id=a;this.mimeType=b;0=b)return c}catch(d){}return-1}; +lI=function(a,b){return 0<=kI(a,b)}; +Bva=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.start(b):NaN}; +mI=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.end(b):NaN}; +nI=function(a){return a&&a.length?a.end(a.length-1):NaN}; +oI=function(a,b){a=mI(a,b);return 0<=a?a-b:0}; +pI=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return iI(d,e)}; +qI=function(a,b,c,d){g.dE.call(this);var e=this;this.Ed=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.tU={error:function(){!e.isDisposed()&&e.isActive&&e.ma("error",e)}, +updateend:function(){!e.isDisposed()&&e.isActive&&e.ma("updateend",e)}}; +g.eE(this.Ed,this.tU);this.rE=this.isActive}; +sI=function(a,b,c,d,e,f){g.dE.call(this);var h=this;this.Vb=a;this.Dg=b;this.id=c;this.containerType=d;this.Lb=e;this.Xg=f;this.XM=this.FC=this.Cf=null;this.jF=!1;this.appendWindowStart=this.timestampOffset=0;this.GK=iI([],[]);this.iB=!1;this.Kz=rI?[]:void 0;this.ud=function(m){return h.ma(m.type,h)}; +var l;if(null==(l=this.Vb)?0:l.addEventListener)this.Vb.addEventListener("updateend",this.ud),this.Vb.addEventListener("error",this.ud)}; +Cva=function(a,b){b.isEncrypted()&&(a.XM=a.FC);3===b.type&&(a.Cf=b)}; +tI=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; +uI=function(a,b){this.j=a;this.u=void 0===b?!1:b;this.B=!1}; +vI=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaElement=a;this.Wa=b;this.isView=c;this.I=0;this.C=!1;this.D=!0;this.T=0;this.callback=null;this.Wa||(this.Dg=this.mediaElement.ub());this.events=new g.bI(this);g.E(this,this.events);this.B=new uI(this.Wa?window.URL.createObjectURL(this.Wa):this.Dg.webkitMediaSourceURL,!0);a=this.Wa||this.Dg;Kz(this.events,a,["sourceopen","webkitsourceopen"],this.x7);Kz(this.events,a,["sourceclose","webkitsourceclose"],this.w7);this.J={updateend:this.O_}}; +Dva=function(){return!!(window.MediaSource||window.WebKitMediaSource||window.HTMLMediaElement&&HTMLMediaElement.prototype.webkitSourceAddId)}; +Eva=function(a,b){wI(a)?g.Mf(function(){b(a)}):a.callback=b}; +Fva=function(a,b,c){if(xI){var d;yI(a.mediaElement,{l:"mswssb",sr:null==(d=a.mediaElement.va)?void 0:zI(d)},!1);g.eE(b,a.J,a);g.eE(c,a.J,a)}a.j=b;a.u=c;g.E(a,b);g.E(a,c)}; +AI=function(a){return!!a.j||!!a.u}; +wI=function(a){try{return"open"===BI(a)}catch(b){return!1}}; +BI=function(a){if(a.Wa)return a.Wa.readyState;switch(a.Dg.webkitSourceState){case a.Dg.SOURCE_OPEN:return"open";case a.Dg.SOURCE_ENDED:return"ended";default:return"closed"}}; +CI=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; +Gva=function(a,b,c,d){if(!a.j||!a.u)return null;var e=a.j.isView()?a.j.Ed:a.j,f=a.u.isView()?a.u.Ed:a.u,h=new vI(a.mediaElement,a.Wa,!0);h.B=a.B;Fva(h,new qI(e,b,c,d),new qI(f,b,c,d));wI(a)||a.j.Vq(a.j.Jd());return h}; +Hva=function(a){var b;null==(b=a.j)||b.Tx();var c;null==(c=a.u)||c.Tx();a.D=!1}; +Iva=function(a){return DI(function(b,c){return g.Ly(b,c,4,1E3)},a,{format:"RAW", +method:"GET",withCredentials:!0})}; +g.Jva=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=UF(new Uint8Array(a.response))):b=a.responseText;return!b||2048a.T&&a.isLivePlayback;a.Ja=Number(kH(c,a.D+":earliestMediaSequence"))||0;if(d=Date.parse(cva(kH(c,a.D+":mpdResponseTime"))))a.Z=(Date.now()-d)/1E3;a.isLive&&0>=c.getElementsByTagName("SegmentTimeline").length||g.Zl(c.getElementsByTagName("Period"),a.c8,a);a.state=2;a.ma("loaded");bwa(a)}return a}).Zj(function(c){if(c instanceof Jy){var d=c.xhr; +a.Kg=d.status}a.state=3;a.ma("loaderror");return Rf(d)})}; +dwa=function(a,b,c){return cwa(new FI(a,b,c),a)}; +LI=function(a){return a.isLive&&(0,g.M)()-a.Aa>=a.T}; +bwa=function(a){var b=a.T;isFinite(b)&&(LI(a)?a.refresh():(b=Math.max(0,a.Aa+b-(0,g.M)()),a.C||(a.C=new g.Ip(a.refresh,b,a),g.E(a,a.C)),a.C.start(b)))}; +ewa=function(a){a=a.j;for(var b in a){var c=a[b].index;if(c.isLoaded())return c.td()+1}return 0}; +MI=function(a){return a.Ld?a.Ld-(a.J||a.timestampOffset):0}; +NI=function(a){return a.jc?a.jc-(a.J||a.timestampOffset):0}; +OI=function(a){if(!isNaN(a.ya))return a.ya;var b=a.j,c;for(c in b){var d=b[c].index;if(d.isLoaded()){b=0;for(c=d.Lm();c<=d.td();c++)b+=d.getDuration(c);b/=d.Fy();b=.5*Math.round(b/.5);10(0,g.M)()-1E3*a))return 0;a=g.Qz("yt-player-quality");if("string"===typeof a){if(a=g.jF[a],0a.previousQuality)return 1;if(a.quality=navigator.hardwareConcurrency&&(a=480);b.coreCount=navigator.hardwareConcurrency;hoa()&&(b.isArm=1,a=240);if(c){var e,f;if(d=null==(e=c.videoInfos.find(function(h){return KH(h)}))?void 0:null==(f=e.j)?void 0:f.powerEfficient)a=8192,b.isEfficient=1; +c=c.videoInfos[0].video;e=Math.min(UI("1",c.fps),UI("1",30));b.perfCap=e;a=Math.min(a,e);c.isHdr()&&!d&&(b.hdr=1,a*=.75)}else c=UI("1",30),b.perfCap30=c,a=Math.min(a,c),c=UI("1",60),b.perfCap60=c,a=Math.min(a,c);return b.av1Threshold=a}; +XI=function(a){return a?function(){try{return a.apply(this,arguments)}catch(b){g.CD(b)}}:a}; +YI=function(a,b,c,d){this.flavor=a;this.keySystem=b;this.u=c;this.experiments=d;this.j={};this.Ya=this.keySystemAccess=null;this.nx=this.ox=-1;this.rl=null;this.B=!!d&&d.ob("edge_nonprefixed_eme")}; +$I=function(a){return a.B?!1:!a.keySystemAccess&&!!ZI()&&"com.microsoft.playready"===a.keySystem}; +aJ=function(a){return"com.microsoft.playready"===a.keySystem}; +bJ=function(a){return!a.keySystemAccess&&!!ZI()&&"com.apple.fps.1_0"===a.keySystem}; +cJ=function(a){return"com.youtube.fairplay"===a.keySystem}; +dJ=function(a){return"com.youtube.fairplay.sbdl"===a.keySystem}; +g.eJ=function(a){return"fairplay"===a.flavor}; +ZI=function(){var a=window,b=a.MSMediaKeys;az()&&!b&&(b=a.WebKitMediaKeys);return b&&b.isTypeSupported?b:null}; +hJ=function(a){if(!navigator.requestMediaKeySystemAccess)return!1;if(g.eI&&!g.Yy())return kq("45");if(g.oB||g.mf)return a.ob("edge_nonprefixed_eme");if(g.fJ)return kq("47");if(g.BA){if(a.ob("html5_enable_safari_fairplay"))return!1;if(a=g.gJ(a,"html5_safari_desktop_eme_min_version"))return kq(a)}return!0}; +uwa=function(a,b,c,d){var e=Zy(),f=(c=e||c&&az())?["com.youtube.fairplay"]:["com.widevine.alpha"];b&&f.unshift("com.youtube.widevine.l3");e&&d&&f.unshift("com.youtube.fairplay.sbdl");return c?f:a?[].concat(g.u(f),g.u(iJ.playready)):[].concat(g.u(iJ.playready),g.u(f))}; +kJ=function(){this.B=this.j=0;this.u=Array.from({length:jJ.length}).fill(0)}; +vwa=function(a){if(0===a.j)return null;for(var b=a.j.toString()+"."+Math.round(a.B).toString(),c=0;c=f&&f>d&&!0===Vta(a,e,c)&&(d=f)}return d}; +g.vJ=function(a,b){b=void 0===b?!1:b;return uJ()&&a.isTypeSupported('audio/mp4; codecs="mp4a.40.2"')||!b&&a.canPlayType(cI(),"application/x-mpegURL")?!0:!1}; +Qwa=function(a){Pwa(function(){for(var b=g.t(Object.keys(yF)),c=b.next();!c.done;c=b.next())xF(a,yF[c.value])})}; +xF=function(a,b){b.name in a.I||(a.I[b.name]=Rwa(a,b));return a.I[b.name]}; +Rwa=function(a,b){if(a.C)return!!a.C[b.name];if(b===yF.BITRATE&&a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=2000000')&&!a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=20000000'))return!1;if(b===yF.AV1_CODECS)return a.isTypeSupported("video/mp4; codecs="+b.valid)&&!a.isTypeSupported("video/mp4; codecs="+b.Vm);if(b.video){var c='video/webm; codecs="vp9"';a.isTypeSupported(c)||(c='video/mp4; codecs="avc1.4d401e"')}else c='audio/webm; codecs="opus"', +a.isTypeSupported(c)||(c='audio/mp4; codecs="mp4a.40.2"');return a.isTypeSupported(c+"; "+b.name+"="+b.valid)&&!a.isTypeSupported(c+"; "+b.name+"="+b.Vm)}; +Swa=function(a){a.T=!1;a.j=!0}; +Twa=function(a){a.B||(a.B=!0,a.j=!0)}; +Uwa=function(a,b){var c=0;a.u.has(b)&&(c=a.u.get(b).d3);a.u.set(b,{d3:c+1,uX:Math.pow(2,c+1)});a.j=!0}; +wJ=function(){var a=this;this.queue=[];this.C=0;this.j=this.u=!1;this.B=function(){a.u=!1;a.gf()}}; +Vwa=function(a){a.j||(Pwa(function(){a.gf()}),a.j=!0)}; +xJ=function(){g.dE.call(this);this.items={}}; +yJ=function(a){return window.Int32Array?new Int32Array(a):Array(a)}; +EJ=function(a){this.counter=[0,0,0,0];this.u=new Uint8Array(16);this.j=16;if(!Wwa){var b,c=new Uint8Array(256),d=new Uint8Array(256);var e=1;for(b=0;256>b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);zJ=new Uint8Array(256);AJ=yJ(256);BJ=yJ(256);CJ=yJ(256);DJ=yJ(256);for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;zJ[f]=e;b=e<<1^(e>>7&&283);var h=b^e;AJ[f]=b<<24|e<<16|e<<8|h;BJ[f]=h<<24|AJ[f]>>>8;CJ[f]=e<<24|BJ[f]>>>8;DJ[f]=e<<24|CJ[f]>>>8}Wwa=!0}e=yJ(44);for(c=0;4>c;c++)e[c]= +a[4*c]<<24|a[4*c+1]<<16|a[4*c+2]<<8|a[4*c+3];for(d=1;44>c;c++)a=e[c-1],c%4||(a=(zJ[a>>16&255]^d)<<24|zJ[a>>8&255]<<16|zJ[a&255]<<8|zJ[a>>>24],d=d<<1^(d>>7&&283)),e[c]=e[c-4]^a;this.key=e}; +Xwa=function(a){for(var b=a.key,c=a.counter[0]^b[0],d=a.counter[1]^b[1],e=a.counter[2]^b[2],f=a.counter[3]^b[3],h=3;0<=h&&!(a.counter[h]=-~a.counter[h]);h--);for(var l,m,n=4;40>n;)h=AJ[c>>>24]^BJ[d>>16&255]^CJ[e>>8&255]^DJ[f&255]^b[n++],l=AJ[d>>>24]^BJ[e>>16&255]^CJ[f>>8&255]^DJ[c&255]^b[n++],m=AJ[e>>>24]^BJ[f>>16&255]^CJ[c>>8&255]^DJ[d&255]^b[n++],f=AJ[f>>>24]^BJ[c>>16&255]^CJ[d>>8&255]^DJ[e&255]^b[n++],c=h,d=l,e=m;a=a.u;h=b[40];a[0]=zJ[c>>>24]^h>>>24;a[1]=zJ[d>>16&255]^h>>16&255;a[2]=zJ[e>>8&255]^ +h>>8&255;a[3]=zJ[f&255]^h&255;h=b[41];a[4]=zJ[d>>>24]^h>>>24;a[5]=zJ[e>>16&255]^h>>16&255;a[6]=zJ[f>>8&255]^h>>8&255;a[7]=zJ[c&255]^h&255;h=b[42];a[8]=zJ[e>>>24]^h>>>24;a[9]=zJ[f>>16&255]^h>>16&255;a[10]=zJ[c>>8&255]^h>>8&255;a[11]=zJ[d&255]^h&255;h=b[43];a[12]=zJ[f>>>24]^h>>>24;a[13]=zJ[c>>16&255]^h>>16&255;a[14]=zJ[d>>8&255]^h>>8&255;a[15]=zJ[e&255]^h&255}; +HJ=function(){if(!FJ&&!g.oB){if(GJ)return GJ;var a;GJ=null==(a=window.crypto)?void 0:a.subtle;var b,c,d;if((null==(b=GJ)?0:b.importKey)&&(null==(c=GJ)?0:c.sign)&&(null==(d=GJ)?0:d.encrypt))return GJ;GJ=void 0}}; +IJ=function(a,b){g.C.call(this);var c=this;this.j=a;this.cipher=this.j.AES128CTRCipher_create(b.byteOffset);g.bb(this,function(){c.j.AES128CTRCipher_release(c.cipher)})}; +g.JJ=function(a){this.C=a}; +g.KJ=function(a){this.u=a}; +LJ=function(a,b){this.j=a;this.D=b}; +MJ=function(a){this.D=new Uint8Array(64);this.B=new Uint8Array(64);this.C=0;this.I=new Uint8Array(64);this.u=0;this.D.set(a);this.B.set(a);for(a=0;64>a;a++)this.D[a]^=92,this.B[a]^=54;this.reset()}; +Ywa=function(a,b,c){for(var d=a.J,e=a.j[0],f=a.j[1],h=a.j[2],l=a.j[3],m=a.j[4],n=a.j[5],p=a.j[6],q=a.j[7],r,v,x,z=0;64>z;)16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=q+NJ[z]+x+((m>>>6|m<<26)^(m>>>11|m<<21)^(m>>>25|m<<7))+(m&n^~m&p),v=((e>>>2|e<<30)^(e>>>13|e<<19)^(e>>>22|e<<10))+(e&f^e&h^f&h),q=r+v,l+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r= +d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=p+NJ[z]+x+((l>>>6|l<<26)^(l>>>11|l<<21)^(l>>>25|l<<7))+(l&m^~l&n),v=((q>>>2|q<<30)^(q>>>13|q<<19)^(q>>>22|q<<10))+(q&e^q&f^e&f),p=r+v,h+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=n+NJ[z]+x+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^ +~h&m),v=((p>>>2|p<<30)^(p>>>13|p<<19)^(p>>>22|p<<10))+(p&q^p&e^q&e),n=r+v,f+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=m+NJ[z]+x+((f>>>6|f<<26)^(f>>>11|f<<21)^(f>>>25|f<<7))+(f&h^~f&l),v=((n>>>2|n<<30)^(n>>>13|n<<19)^(n>>>22|n<<10))+(n&p^n&q^p&q),x=q,q=l,l=x,x=p,p=h,h=x,x=n,n=f,f=x,m=e+r,e=r+v,z++;a.j[0]=e+a.j[0]|0;a.j[1]=f+a.j[1]|0;a.j[2]=h+a.j[2]|0;a.j[3]= +l+a.j[3]|0;a.j[4]=m+a.j[4]|0;a.j[5]=n+a.j[5]|0;a.j[6]=p+a.j[6]|0;a.j[7]=q+a.j[7]|0}; +$wa=function(a){var b=new Uint8Array(32),c=64-a.u;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.j[c]>>>24,b[4*c+1]=a.j[c]>>>16&255,b[4*c+2]=a.j[c]>>>8&255,b[4*c+3]=a.j[c]&255;Zwa(a);return b}; +Zwa=function(a){a.j=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.J=[];a.J.length=64;a.C=0;a.u=0}; +axa=function(a){this.j=a}; +bxa=function(a,b,c){a=new MJ(a.j);a.update(b);a.update(c);b=$wa(a);a.update(a.D);a.update(b);b=$wa(a);a.reset();return b}; +cxa=function(a){this.u=a}; +dxa=function(a,b,c,d){var e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(a.j){m.Ka(2);break}e=a;return g.y(m,d.importKey("raw",a.u,{name:"HMAC",hash:"SHA-256"},!1,["sign"]),3);case 3:e.j=m.u;case 2:return f=new Uint8Array(b.length+c.length),f.set(b),f.set(c,b.length),h={name:"HMAC",hash:"SHA-256"},g.y(m,d.sign(h,a.j,f),4);case 4:return l=m.u,m.return(new Uint8Array(l))}})}; +exa=function(a,b,c){a.B||(a.B=new axa(a.u));return bxa(a.B,b,c)}; +fxa=function(a,b,c){var d,e;return g.A(function(f){if(1==f.j){d=HJ();if(!d)return f.return(exa(a,b,c));g.pa(f,3);return g.y(f,dxa(a,b,c,d),5)}if(3!=f.j)return f.return(f.u);e=g.sa(f);g.DD(e);FJ=!0;return f.return(exa(a,b,c))})}; +OJ=function(){g.JJ.apply(this,arguments)}; +PJ=function(){g.KJ.apply(this,arguments)}; +QJ=function(a,b){if(b.buffer!==a.memory.buffer){var c=new Uint8Array(a.memory.buffer,a.malloc(b.byteLength),b.byteLength);c.set(b)}LJ.call(this,a,c||b);this.u=new Set;this.C=!1;c&&this.u.add(c.byteOffset)}; +gxa=function(a,b,c){this.encryptedClientKey=b;this.D=c;this.j=new Uint8Array(a.buffer,0,16);this.B=new Uint8Array(a.buffer,16)}; +hxa=function(a){a.u||(a.u=new OJ(a.j));return a.u}; +RJ=function(a){try{return ig(a)}catch(b){return null}}; +ixa=function(a,b){if(!b&&a)try{b=JSON.parse(a)}catch(e){}if(b){a=b.clientKey?RJ(b.clientKey):null;var c=b.encryptedClientKey?RJ(b.encryptedClientKey):null,d=b.keyExpiresInSeconds?1E3*Number(b.keyExpiresInSeconds)+(0,g.M)():null;a&&c&&d&&(this.j=new gxa(a,c,d));b.onesieUstreamerConfig&&(this.onesieUstreamerConfig=RJ(b.onesieUstreamerConfig)||void 0);this.baseUrl=b.baseUrl}}; +SJ=function(a){this.j=this.u=0;this.alpha=Math.exp(Math.log(.5)/a)}; +TJ=function(a,b,c,d){c=void 0===c?.5:c;d=void 0===d?0:d;this.resolution=b;this.u=0;this.B=!1;this.D=!0;this.j=Math.round(a*this.resolution);this.values=Array(this.j);for(a=0;a=jK;f=b?b.useNativeControls:a.use_native_controls;this.T=g.fK(this)&&this.u;d=this.u&&!this.T;f=g.kK(this)|| +!h&&jz(d,f)?"3":"1";d=b?b.controlsType:a.controls;this.controlsType="0"!==d&&0!==d?f:"0";this.ph=this.u;this.color=kz("red",b?b.progressBarColor:a.color,wxa);this.jo="3"===this.controlsType||jz(!1,b?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Dc=!this.C;this.qm=(f=!this.Dc&&!hK(this)&&!this.oa&&!this.J&&!gK(this))&&!this.jo&&"1"===this.controlsType;this.rd=g.lK(this)&&f&&"0"===this.controlsType&&!this.qm;this.Xo=this.oo=h;this.Lc=("3"===this.controlsType||this.u||jz(!1,a.use_media_volume))&& +!this.T;this.wm=cz&&!g.Nc(601)?!1:!0;this.Vn=this.C||!1;this.Oc=hK(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=mz("",b?b.widgetReferrer:a.widget_referrer);var l;b?b.disableCastApi&&(l=!1):l=a.enablecastapi;l=!this.I||jz(!0,l);h=!0;b&&b.disableMdxCast&&(h=!1);this.dj=this.K("enable_cast_for_web_unplugged")&&g.mK(this)&&h||this.K("enable_cast_on_music_web")&&g.nK(this)&&h||l&&h&&"1"===this.controlsType&&!this.u&&(hK(this)||g.lK(this)||"profilepage"===this.Ga)&& +!g.oK(this);this.Vo=!!window.document.pictureInPictureEnabled||gI();l=b?!!b.supportsAutoplayOverride:jz(!1,a.autoplayoverride);this.bl=!(this.u&&(!g.fK(this)||!this.K("embeds_web_enable_mobile_autoplay")))&&!Wy("nintendo wiiu")||l;l=b?!!b.enableMutedAutoplay:jz(!1,a.mutedautoplay);this.Uo=this.K("embeds_enable_muted_autoplay")&&g.fK(this);this.Qg=l&&!1;l=(hK(this)||gK(this))&&"blazer"===this.playerStyle;this.hj=b?!!b.disableFullscreen:!jz(!0,a.fs);this.Tb=!this.hj&&(l||g.yz());this.lm=this.K("uniplayer_block_pip")&& +(Xy()&&kq(58)&&!gz()||nB);l=g.fK(this)&&!this.ll;var m;b?void 0!==b.disableRelatedVideos&&(m=!b.disableRelatedVideos):m=a.rel;this.Wc=l||jz(!this.J,m);this.ul=jz(!1,b?b.enableContentOwnerRelatedVideos:a.co_rel);this.ea=gz()&&0=jK?"_top":"_blank";this.Wf="profilepage"===this.Ga;this.Xk=jz("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":m="bl";break;case "gmail":m="gm";break;case "gac":m="ga";break;case "books":m="gb";break;case "docs":m= +"gd";break;case "duo":m="gu";break;case "google-live":m="gl";break;case "google-one":m="go";break;case "play":m="gp";break;case "chat":m="hc";break;case "hangouts-meet":m="hm";break;case "photos-edu":case "picasaweb":m="pw";break;default:m="yt"}this.Ja=m;this.authUser=mz("",b?b.authorizedUserIndex:a.authuser);this.uc=g.fK(this)&&(this.fb||!eoa()||this.tb);var n;b?void 0!==b.disableWatchLater&&(n=!b.disableWatchLater):n=a.showwatchlater;this.hm=((m=!this.uc)||!!this.authUser&&m)&&jz(!this.oa,this.I? +n:void 0);this.aj=b?b.isMobileDevice||!!b.disableKeyboardControls:jz(!1,a.disablekb);this.loop=jz(!1,a.loop);this.pageId=mz("",b?b.initialDelegatedSessionId:a.pageid);this.Eo=jz(!0,a.canplaylive);this.Xb=jz(!1,a.livemonitor);this.disableSharing=jz(this.J,b?b.disableSharing:a.ss);(n=b&&this.K("fill_video_container_size_override_from_wpcc")?b.videoContainerOverride:a.video_container_override)?(m=n.split("x"),2!==m.length?n=null:(n=Number(m[0]),m=Number(m[1]),n=isNaN(n)||isNaN(m)||0>=n*m?null:new g.He(n, +m))):n=null;this.xm=n;this.mute=b?!!b.startMuted:jz(!1,a.mute);this.storeUserVolume=!this.mute&&jz("0"!==this.controlsType,b?b.storeUserVolume:a.store_user_volume);n=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:kz(void 0,n,pK);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":mz("",a.cc_lang_pref);n=kz(2,b?b.captionsLanguageLoadPolicy:a.cc_load_policy,pK);"3"===this.controlsType&&2===n&&(n=3);this.Pb=n;this.Si=b?b.hl||"en_US":mz("en_US", +a.hl);this.region=b?b.contentRegion||"US":mz("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":mz("en",a.host_language);this.Qn=!this.fb&&Math.random()Math.random();this.Qk=a.onesie_hot_config||(null==b?0:b.onesieHotConfig)?new ixa(a.onesie_hot_config,null==b?void 0:b.onesieHotConfig):void 0;this.isTectonic=b?!!b.isTectonic:!!a.isTectonic;this.playerCanaryState=c;this.vf=new pxa;g.E(this,this.vf);this.mm=jz(!1,a.force_gvi);this.datasyncId=(null==b?void 0:b.datasyncId)||g.ey("DATASYNC_ID");this.Zn=g.ey("LOGGED_IN",!1);this.Yi=(null==b?void 0:b.allowWoffleManagement)|| +!1;this.jm=0;this.livingRoomPoTokenId=null==b?void 0:b.livingRoomPoTokenId;this.K("html5_high_res_logging_always")?this.If=!0:this.If=100*Math.random()<(g.gJ(this.experiments,"html5_unrestricted_layer_high_res_logging_percent")||g.gJ(this.experiments,"html5_high_res_logging_percent"));this.K("html5_ping_queue")&&(this.Rk=new wJ)}; +g.wK=function(a){var b;if(null==(b=a.webPlayerContextConfig)||!b.embedsEnableLiteUx||a.fb||a.J)return"EMBEDDED_PLAYER_LITE_MODE_NONE";a=g.gJ(a.experiments,"embeds_web_lite_mode");return void 0===a?"EMBEDDED_PLAYER_LITE_MODE_UNKNOWN":0<=a&&ar.width*r.height*r.fps)r=y}}}else m.push(y)}D=n.reduce(function(O,K){return K.te().isEncrypted()&& -O},!0)?l:null; -d=Math.max(d,g.Q(a.experiments,"html5_hls_initial_bitrate"));h=r||{};n.push(uE(m,c,e,"93",void 0===h.width?0:h.width,void 0===h.height?0:h.height,void 0===h.fps?0:h.fps,f,"auto",d,D,t));return pE(a.D,n,eC(a,b))}; -uE=function(a,b,c,d,e,f,h,l,m,n,p,r){for(var t=0,w="",x=g.q(a),y=x.next();!y.done;y=x.next())y=y.value,w||(w=y.itag),y.audioChannels&&y.audioChannels>t&&(t=y.audioChannels,w=y.itag);d=new Sv(d,"application/x-mpegURL",new Jv(0,t,null,w),new Mv(e,f,h,null,void 0,m,void 0,r),void 0,p);a=new Wla(a,b,c);a.D=n?n:1369843;return new tE(d,a,l)}; -ama=function(a){a=g.q(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; -cma=function(a,b){for(var c=g.q(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.zd===b.zd&&!e.audioChannels)return d}return""}; -bma=function(a){for(var b=new Set,c=g.q(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.q(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.q(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; -vE=function(a,b){this.La=a;this.u=b}; -ema=function(a,b,c,d){var e=[];c=g.q(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new kv(h.url,!0);if(h.s){var l=h.sp,m=$u(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.q(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=Yv(h.type,h.quality,h.itag,h.width,h.height);e.push(new vE(h,f))}}return pE(a.D,e,eC(a,b))}; -wE=function(a,b){this.La=a;this.u=b}; -fma=function(a){var b=[];g.Gb(a,function(c){if(c&&c.url){var d=Yv(c.type,"medium","0");b.push(new wE(d,c.url))}}); -return b}; -gma=function(a,b,c){c=fma(c);return pE(a.D,c,eC(a,b))}; -hma=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.ustreamerConfig=AB(a.ustreamerConfig))}; -g.xE=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.u=a.is_servable||!1;this.isTranslateable=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null}; -g.yE=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; -AE=function(a){for(var b={},c=g.q(Object.keys(zE)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[zE[d]];e&&(b[d]=e)}return b}; -BE=function(a,b){for(var c={},d=g.q(Object.keys(zE)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.fv(f)&&(c[zE[e]]=f)}return c}; -EE=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); +a.u=b.concat(c)}; +Ixa=function(a){this.itag=a.itag;this.url=a.url;this.codecs=a.codecs;this.width=a.width;this.height=a.height;this.fps=a.fps;this.bitrate=a.bitrate;var b;this.u=(null==(b=a.audioItag)?void 0:b.split(","))||[];this.pA=a.pA;this.Pd=a.Pd||"";this.Jc=a.Jc;this.audioChannels=a.audioChannels;this.j=""}; +Jxa=function(a,b,c,d){b=void 0===b?!1:b;c=void 0===c?!0:c;d=void 0===d?{}:d;var e={};a=g.t(a);for(var f=a.next();!f.done;f=a.next()){f=f.value;if(b&&MediaSource&&MediaSource.isTypeSupported){var h=f.type;f.audio_channels&&(h=h+"; channels="+f.audio_channels);if(!MediaSource.isTypeSupported(h)){d[f.itag]="tpus";continue}}if(c||!f.drm_families||"smpte2084"!==f.eotf&&"arib-std-b67"!==f.eotf){h=void 0;var l={bt709:"SDR",bt2020:"SDR",smpte2084:"PQ","arib-std-b67":"HLG"},m=f.type.match(/codecs="([^"]*)"/); +m=m?m[1]:"";f.audio_track_id&&(h=new g.aI(f.name,f.audio_track_id,!!f.is_default));var n=f.eotf;f=new Ixa({itag:f.itag,url:f.url,codecs:m,width:Number(f.width),height:Number(f.height),fps:Number(f.fps),bitrate:Number(f.bitrate),audioItag:f.audio_itag,pA:n?l[n]:void 0,Pd:f.drm_families,Jc:h,audioChannels:Number(f.audio_channels)});e[f.itag]=e[f.itag]||[];e[f.itag].push(f)}else d[f.itag]="enchdr"}return e}; +VK=function(a,b,c){this.j=a;this.B=b;this.expiration=c;this.u=null}; +Kxa=function(a,b){if(!(nB||az()||Zy()))return null;a=Jxa(b,a.K("html5_filter_fmp4_in_hls"));if(!a)return null;b=[];for(var c={},d=g.t(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.t(a[e.value]);for(var f=e.next();!f.done;f=e.next()){var h=f.value;h.Jc&&(f=h.Jc.getId(),c[f]||(h=new g.hF(f,h.Jc),c[f]=h,b.push(h)))}}return 0x.width*x.height*x.fps)x=G}else r.push(G)}else l[F]="disdrmhfr";v.reduce(function(P, +T){return T.rh().isEncrypted()&&P},!0)&&(q=p); +e=Math.max(e,0);p=x||{};n=void 0===p.fps?0:p.fps;x=void 0===p.width?0:p.width;p=void 0===p.height?0:p.height;B=a.K("html5_native_audio_track_switching");v.push(Oxa(r,c,d,f,"93",x,p,n,m,"auto",e,q,z,B));Object.entries(l).length&&h(l);return TK(a.D,v,xK(a,b))}; +Oxa=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){for(var x=0,z="",B=g.t(a),F=B.next();!F.done;F=B.next())F=F.value,z||(z=F.itag),F.audioChannels&&F.audioChannels>x&&(x=F.audioChannels,z=F.itag);e=new IH(e,"application/x-mpegURL",{audio:new CH(0,x),video:new EH(f,h,l,null,void 0,n,void 0,r),Pd:q,JV:z});a=new Exa(a,b,c?[c]:[],d,!!v);a.C=p?p:1369843;return new VK(e,a,m)}; +Lxa=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; +Nxa=function(a,b){for(var c=g.t(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Pd===b.Pd&&!e.audioChannels)return d}return""}; +Mxa=function(a){for(var b=new Set,c=g.t(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.t(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.t(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; +WK=function(a,b){this.j=a;this.u=b}; +Qxa=function(a,b,c,d){var e=[];c=g.t(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new g.DF(h.url,!0);if(h.s){var l=h.sp,m=Yta(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.t(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=$H(h.type,h.quality,h.itag,h.width,h.height);e.push(new WK(h,f))}}return TK(a.D,e,xK(a,b))}; +XK=function(a,b){this.j=a;this.u=b}; +Rxa=function(a,b,c){var d=[];c=g.t(c);for(var e=c.next();!e.done;e=c.next())if((e=e.value)&&e.url){var f=$H(e.type,"medium","0");d.push(new XK(f,e.url))}return TK(a.D,d,xK(a,b))}; +Sxa=function(a,b){var c=[],d=$H(b.type,"auto",b.itag);c.push(new XK(d,b.url));return TK(a.D,c,!1)}; +Uxa=function(a){return a&&Txa[a]?Txa[a]:null}; +Vxa=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.sE=RJ(a.ustreamerConfig)||void 0)}; +Wxa=function(a,b){var c;if(b=null==b?void 0:null==(c=b.watchEndpointSupportedOnesieConfig)?void 0:c.html5PlaybackOnesieConfig)a.LW=new Vxa(b)}; +g.YK=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.j=a.is_servable||!1;this.u=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null;this.xtags=a.xtags||"";this.captionId=a.captionId||""}; +g.$K=function(a){var b={languageCode:a.languageCode,languageName:a.languageName,displayName:g.ZK(a),kind:a.kind,name:a.name,id:a.id,is_servable:a.j,is_default:a.isDefault,is_translateable:a.u,vss_id:a.vssId};a.xtags&&(b.xtags=a.xtags);a.captionId&&(b.captionId=a.captionId);a.translationLanguage&&(b.translationLanguage=a.translationLanguage);return b}; +g.aL=function(a){return a.translationLanguage?a.translationLanguage.languageCode:a.languageCode}; +g.ZK=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; +$xa=function(a,b,c,d){a||(a=b&&Xxa.hasOwnProperty(b)&&Yxa.hasOwnProperty(b)?Yxa[b]+"_"+Xxa[b]:void 0);b=a;if(!b)return null;a=b.match(Zxa);if(!a||5!==a.length)return null;if(a=b.match(Zxa)){var e=Number(a[3]),f=[7,8,10,5,6];a=!(1===Number(a[1])&&8===e)&&0<=f.indexOf(e)}else a=!1;return c||d||a?b:null}; +bL=function(a,b){for(var c={},d=g.t(Object.keys(aya)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.UD(f)&&(c[aya[e]]=f)}return c}; +cL=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); a.sort(function(l,m){return l.width-m.width||l.height-m.height}); -for(var c=g.q(Object.keys(CE)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=CE[e];for(var f=g.q(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=DE(h.url);g.fv(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=DE(a.url),g.fv(a)&&(b["maxresdefault.jpg"]=a));return b}; -DE=function(a){return a.startsWith("//")?"https:"+a:a}; -FE=function(a){if(a=a.colorInfo)if(a=a.transferCharacteristics)return ima[a];return null}; -GE=function(a){return a&&a.baseUrl||""}; -HE=function(a){a=g.Xp(a);for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; -IE=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;var c=b.playerAttestationRenderer.challenge;null!=c&&(a.Tg=c)}; -jma=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.q(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=JE(d.baseUrl);if(!e)return;d=new g.xE({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.U(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.vv=b.audioTracks||[];a.xA=b.defaultAudioTrackIndex||0;b.translationLanguages?a.wv=g.Pc(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.U(f.languageName)}}): -a.wv=[]; -a.jr=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; -kma=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.interstitials.map(function(l){var m=l.unserializedPlayerResponse;if(m)return{is_yto_interstitial:!0,raw_player_response:m};if(l=l.playerVars)return Object.assign({is_yto_interstitial:!0},Vp(l))}); -e=g.q(e);for(var f=e.next();!f.done;f=e.next())switch(f=f.value,d.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:f,Gu:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:f,Gu:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var h=Number(d.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:h,playerVars:f, -Gu:0===h?5:7})}}}; -lma=function(a,b){var c=b.find(function(d){return!(!d||!d.tooltipRenderer)}); -c&&(a.tooltipRenderer=c.tooltipRenderer)}; -KE=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; -LE=function(a){g.P.call(this);this.u=null;this.C=new g.mo;this.u=null;this.I=new Set;this.crossOrigin=a||""}; -OE=function(a,b,c){c=ME(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=Math.floor(b/(d.columns*d.rows)),!d.Dc(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),g.lo(d.C,f,{CC:f,DD:e}))}NE(a)}; -NE=function(a){if(!a.u&&!a.C.isEmpty()){var b=a.C.remove();a.u=mma(a,b)}}; -mma=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.CC].nd(b.DD);c.onload=function(){var d=b.CC,e=b.DD;null!==a.u&&(a.u.onload=null,a.u=null);d=a.levels[d];d.loaded.add(e);NE(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.kw()-1);e=[e,d];a.V("l",e[0],e[1])}; +for(var c=g.t(Object.keys(bya)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=bya[e];for(var f=g.t(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=cya(h.url);g.UD(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=cya(a.url),g.UD(a)&&(b["maxresdefault.jpg"]=a));return b}; +cya=function(a){return a.startsWith("//")?"https:"+a:a}; +dL=function(a){return a&&a.baseUrl||""}; +eL=function(a){a=g.sy(a);for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; +dya=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;b=b.playerAttestationRenderer.challenge;null!=b&&(a.pk=b)}; +fya=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.t(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=eya(d.baseUrl);if(!e)return;d=new g.YK({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.gE(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.KK=b.audioTracks||[];a.LS=b.defaultAudioTrackIndex||0;a.LK=b.translationLanguages?g.Yl(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.gE(f.languageName)}}): +[]; +a.lX=[];if(b.recommendedTranslationTargetIndices)for(c=g.t(b.recommendedTranslationTargetIndices),d=c.next();!d.done;d=c.next())a.lX.push(d.value);a.gF=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; +iya=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next()){c=c.value;var d=c.interstitials.map(function(h){var l=g.K(h,gya);if(l)return{is_yto_interstitial:!0,raw_player_response:l};if(h=g.K(h,hya))return Object.assign({is_yto_interstitial:!0},qy(h))}); +d=g.t(d);for(var e=d.next();!e.done;e=d.next())switch(e=e.value,c.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:e,In:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:e,In:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var f=Number(c.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:f,playerVars:e, +In:0===f?5:7})}}}; +jya=function(a,b){if(b=b.find(function(c){return!(!c||!c.tooltipRenderer)}))a.tooltipRenderer=b.tooltipRenderer}; +kya=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; +fL=function(){var a=lya;var b=void 0===b?[]:b;var c=void 0===c?[]:c;b=ima.apply(null,[jma.apply(null,g.u(b))].concat(g.u(c)));this.store=lma(a,void 0,b)}; +g.gL=function(a,b,c){for(var d=Object.assign({},a),e=g.t(Object.keys(b)),f=e.next();!f.done;f=e.next()){f=f.value;var h=a[f],l=b[f];if(void 0===l)delete d[f];else if(void 0===h)d[f]=l;else if(Array.isArray(l)&&Array.isArray(h))d[f]=c?[].concat(g.u(h),g.u(l)):l;else if(!Array.isArray(l)&&g.Ja(l)&&!Array.isArray(h)&&g.Ja(h))d[f]=g.gL(h,l,c);else if(typeof l===typeof h)d[f]=l;else return b=new g.bA("Attempted to merge fields of differing types.",{name:"DeepMergeError",key:f,Y7a:h,updateValue:l}),g.CD(b), +a}return d}; +hL=function(a){this.j=a;this.pos=0;this.u=-1}; +iL=function(a){var b=RF(a.j,a.pos);++a.pos;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=RF(a.j,a.pos),++a.pos,d*=128,c+=(b&127)*d;return c}; +jL=function(a,b){var c=a.u;for(a.u=-1;a.pos+1<=a.j.totalLength;){0>c&&(c=iL(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.u=c;break}c=-1;switch(e){case 0:iL(a);break;case 1:a.pos+=8;break;case 2:d=iL(a);a.pos+=d;break;case 5:a.pos+=4}}return!1}; +kL=function(a,b){if(jL(a,b))return iL(a)}; +lL=function(a,b){if(jL(a,b))return!!iL(a)}; +mL=function(a,b){if(jL(a,b)){b=iL(a);var c=QF(a.j,a.pos,b);a.pos+=b;return c}}; +nL=function(a,b){if(a=mL(a,b))return g.WF(a)}; +oL=function(a,b,c){if(a=mL(a,b))return c(new hL(new LF([a])))}; +mya=function(a,b,c){for(var d=[],e;e=mL(a,b);)d.push(c(new hL(new LF([e]))));return d.length?d:void 0}; +pL=function(a,b){a=a instanceof Uint8Array?new LF([a]):a;return b(new hL(a))}; +nya=function(a,b){a=void 0===a?4096:a;this.u=b;this.pos=0;this.B=[];b=void 0;if(this.u)try{var c=this.u.exports.malloc(a);b=new Uint8Array(this.u.exports.memory.buffer,c,a)}catch(d){}b||(b=new Uint8Array(a));this.j=b;this.view=new DataView(this.j.buffer,this.j.byteOffset,this.j.byteLength)}; +qL=function(a,b){var c=a.pos+b;if(!(a.j.length>=c)){for(b=2*a.j.length;bd;d++)a.view.setUint8(a.pos,c&127|128),c>>=7,a.pos+=1;b=Math.floor(b/268435456)}for(qL(a,4);127>=7,a.pos+=1;a.view.setUint8(a.pos,b);a.pos+=1}; +sL=function(a,b,c){oya?rL(a,8*b+c):rL(a,b<<3|c)}; +tL=function(a,b,c){void 0!==c&&(sL(a,b,0),rL(a,c))}; +uL=function(a,b,c){void 0!==c&&tL(a,b,c?1:0)}; +vL=function(a,b,c){void 0!==c&&(sL(a,b,2),b=c.length,rL(a,b),qL(a,b),a.j.set(c,a.pos),a.pos+=b)}; +wL=function(a,b,c){void 0!==c&&(pya(a,b,Math.ceil(Math.log2(4*c.length+2)/7)),qL(a,1.2*c.length),b=YF(c,a.j.subarray(a.pos)),a.pos+b>a.j.length&&(qL(a,b),b=YF(c,a.j.subarray(a.pos))),a.pos+=b,qya(a))}; +pya=function(a,b,c){c=void 0===c?2:c;sL(a,b,2);a.B.push(a.pos);a.B.push(c);a.pos+=c}; +qya=function(a){for(var b=a.B.pop(),c=a.B.pop(),d=a.pos-c-b;b--;){var e=b?128:0;a.view.setUint8(c++,d&127|e);d>>=7}}; +xL=function(a,b,c,d,e){c&&(pya(a,b,void 0===e?3:e),d(a,c),qya(a))}; +rya=function(a){a.u&&a.j.buffer!==a.u.exports.memory.buffer&&(a.j=new Uint8Array(a.u.exports.memory.buffer,a.j.byteOffset,a.j.byteLength),a.view=new DataView(a.j.buffer,a.j.byteOffset,a.j.byteLength));return new Uint8Array(a.j.buffer,a.j.byteOffset,a.pos)}; +g.yL=function(a,b,c){c=new nya(4096,c);b(c,a);return rya(c)}; +g.zL=function(a){var b=new hL(new LF([ig(decodeURIComponent(a))]));a=nL(b,2);b=kL(b,4);var c=sya[b];if("undefined"===typeof c)throw a=new g.bA("Failed to recognize field number",{name:"EntityKeyHelperError",T6a:b}),g.CD(a),a;return{U2:b,entityType:c,entityId:a}}; +g.AL=function(a,b){var c=new nya;vL(c,2,lua(a));a=tya[b];if("undefined"===typeof a)throw b=new g.bA("Failed to recognize entity type",{name:"EntityKeyHelperError",entityType:b}),g.CD(b),b;tL(c,4,a);tL(c,5,1);b=rya(c);return encodeURIComponent(g.gg(b))}; +BL=function(a,b,c,d){if(void 0===d)return d=Object.assign({},a[b]||{}),c=(delete d[c],d),d={},Object.assign({},a,(d[b]=c,d));var e={},f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +uya=function(a,b,c,d,e){var f=a[b];if(null==f||!f[c])return a;d=g.gL(f[c],d,"REPEATED_FIELDS_MERGE_OPTION_APPEND"===e);e={};f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +vya=function(a,b){a=void 0===a?{}:a;switch(b.type){case "ENTITY_LOADED":return b.payload.reduce(function(d,e){var f,h=null==(f=e.options)?void 0:f.persistenceOption;if(h&&"ENTITY_PERSISTENCE_OPTION_UNKNOWN"!==h&&"ENTITY_PERSISTENCE_OPTION_INMEMORY_AND_PERSIST"!==h)return d;if(!e.entityKey)return g.CD(Error("Missing entity key")),d;if("ENTITY_MUTATION_TYPE_REPLACE"===e.type){if(!e.payload)return g.CD(new g.bA("REPLACE entity mutation is missing a payload",{entityKey:e.entityKey})),d;var l=g.Xc(e.payload); +return BL(d,l,e.entityKey,e.payload[l])}if("ENTITY_MUTATION_TYPE_DELETE"===e.type){e=e.entityKey;try{var m=g.zL(e).entityType;l=BL(d,m,e)}catch(q){if(q instanceof Error)g.CD(new g.bA("Failed to deserialize entity key",{entityKey:e,mO:q.message})),l=d;else throw q;}return l}if("ENTITY_MUTATION_TYPE_UPDATE"===e.type){if(!e.payload)return g.CD(new g.bA("UPDATE entity mutation is missing a payload",{entityKey:e.entityKey})),d;l=g.Xc(e.payload);var n,p;return uya(d,l,e.entityKey,e.payload[l],null==(n= +e.fieldMask)?void 0:null==(p=n.mergeOptions)?void 0:p.repeatedFieldsMergeOption)}return d},a); +case "REPLACE_ENTITY":var c=b.payload;return BL(a,c.entityType,c.key,c.T2);case "REPLACE_ENTITIES":return Object.keys(b.payload).reduce(function(d,e){var f=b.payload[e];return Object.keys(f).reduce(function(h,l){return BL(h,e,l,f[l])},d)},a); +case "UPDATE_ENTITY":return c=b.payload,uya(a,c.entityType,c.key,c.T2,c.T7a);default:return a}}; +CL=function(a,b,c){return a[b]?a[b][c]||null:null}; +DL=function(a,b){this.type=a||"";this.id=b||""}; +g.EL=function(a){return new DL(a.substr(0,2),a.substr(2))}; +g.FL=function(a,b){this.u=a;this.author="";this.yB=null;this.playlistLength=0;this.j=this.sessionData=null;this.Z={};this.title="";if(b){this.author=b.author||b.playlist_author||"";this.title=b.playlist_title||"";if(a=b.session_data)this.sessionData=oy(a,"&");var c;this.j=(null==(c=b.thumbnail_ids)?void 0:c.split(",")[0])||null;this.Z=bL(b,"playlist_");this.videoId=b.video_id||void 0;if(c=b.list)switch(b.listType){case "user_uploads":this.playlistId=(new DL("UU","PLAYER_"+c)).toString();break;default:if(a= +b.playlist_length)this.playlistLength=Number(a)||0;this.playlistId=g.EL(c).toString();if(b=b.video)this.videoId=(b[0]||null).video_id||void 0}else b.playlist&&(this.playlistLength=b.playlist.toString().split(",").length)}}; +g.GL=function(a,b){this.j=a;this.Fr=this.author="";this.yB=null;this.isUpcoming=this.isLivePlayback=!1;this.lengthSeconds=0;this.zv=this.lengthText="";this.sessionData=null;this.Z={};this.title="";if(b){this.ariaLabel=b.aria_label||void 0;this.author=b.author||"";this.Fr=b.Fr||"";if(a=b.endscreen_autoplay_session_data)this.yB=oy(a,"&");this.zB=b.zB;this.isLivePlayback="1"===b.live_playback;this.isUpcoming=!!b.isUpcoming;if(a=b.length_seconds)this.lengthSeconds="string"===typeof a?Number(a):a;this.lengthText= +b.lengthText||"";this.zv=b.zv||"";this.publishedTimeText=b.publishedTimeText||void 0;if(a=b.session_data)this.sessionData=oy(a,"&");this.shortViewCount=b.short_view_count_text||void 0;this.Z=bL(b);this.title=b.title||"";this.videoId=b.docid||b.video_id||b.videoId||b.id||void 0;this.watchUrl=b.watchUrl||void 0}}; +wya=function(a){var b,c,d=null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:c.twoColumnWatchNextResults,e,f,h,l,m;a=null==(e=a.jd)?void 0:null==(f=e.playerOverlays)?void 0:null==(h=f.playerOverlayRenderer)?void 0:null==(l=h.endScreen)?void 0:null==(m=l.watchNextEndScreenRenderer)?void 0:m.results;if(!a){var n,p;a=null==d?void 0:null==(n=d.endScreen)?void 0:null==(p=n.endScreen)?void 0:p.results}return a}; +g.IL=function(a){var b,c,d;a=g.K(null==(b=a.jd)?void 0:null==(c=b.playerOverlays)?void 0:null==(d=c.playerOverlayRenderer)?void 0:d.decoratedPlayerBarRenderer,HL);return g.K(null==a?void 0:a.playerBar,xya)}; +yya=function(a){this.j=a.playback_progress_0s_url;this.B=a.playback_progress_2s_url;this.u=a.playback_progress_10s_url}; +Aya=function(a,b){var c=g.Ga("ytDebugData.callbacks");c||(c={},g.Fa("ytDebugData.callbacks",c));if(g.gy("web_dd_iu")||zya.includes(a))c[a]=b}; +JL=function(a){this.j=new oq(a)}; +Bya=function(){if(void 0===KL){try{window.localStorage.removeItem("yt-player-lv")}catch(b){}a:{try{var a=!!self.localStorage}catch(b){a=!1}if(a&&(a=g.yq(g.cA()+"::yt-player"))){KL=new JL(a);break a}KL=void 0}}return KL}; +g.LL=function(){var a=Bya();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; +g.Cya=function(a){var b=Bya();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; +g.ML=function(a){return g.LL()[a]||0}; +g.NL=function(a,b){var c=g.LL();b!==c[a]&&(0!==b?c[a]=b:delete c[a],g.Cya(c))}; +g.OL=function(a){return g.A(function(b){return b.return(g.kB(Dya(),a))})}; +QL=function(a,b,c,d,e,f,h,l){var m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:return m=g.ML(a),4===m?x.return(4):g.y(x,g.sB(),2);case 2:n=x.u;if(!n)throw g.DA("wiac");if(!l||void 0===h){x.Ka(3);break}return g.y(x,Eya(l,h),4);case 4:h=x.u;case 3:return p=c.lastModified||"0",g.y(x,g.OL(n),5);case 5:return q=x.u,g.pa(x,6),PL++,g.y(x,g.NA(q,["index","media"],{mode:"readwrite",tag:"IDB_TRANSACTION_TAG_WIAC",Ub:!0},function(z){if(void 0!==f&&void 0!==h){var B=""+a+"|"+b.id+"|"+p+"|"+String(f).padStart(10, +"0");B=g.OA(z.objectStore("media"),h,B)}else B=g.FA.resolve(void 0);var F=Fya(a,b.Xg()),G=Fya(a,!b.Xg()),D={fmts:Gya(d),format:c||{}};F=g.OA(z.objectStore("index"),D,F);var L=-1===d.downloadedEndTime;D=L?z.objectStore("index").get(G):g.FA.resolve(void 0);var P={fmts:"music",format:{}};z=L&&e&&!b.Xg()?g.OA(z.objectStore("index"),P,G):g.FA.resolve(void 0);return g.FA.all([z,D,B,F]).then(function(T){T=g.t(T);T.next();T=T.next().value;PL--;var fa=g.ML(a);if(4!==fa&&L&&e||void 0!==T&&g.Hya(T.fmts))fa= +1,g.NL(a,fa);return fa})}),8); +case 8:return x.return(x.u);case 6:r=g.sa(x);PL--;v=g.ML(a);if(4===v)return x.return(v);g.NL(a,4);throw r;}})}; +g.Iya=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){b=d.u;if(!b)throw g.DA("ri");return g.y(d,g.OL(b),3)}c=d.u;return d.return(g.NA(c,["index"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRI"},function(e){var f=IDBKeyRange.bound(a+"|",a+"~");return e.objectStore("index").getAll(f).then(function(h){return h.map(function(l){return l?l.format:{}})})}))})}; +Lya=function(a,b,c,d,e){var f,h,l;return g.A(function(m){if(1==m.j)return g.y(m,g.sB(),2);if(3!=m.j){f=m.u;if(!f)throw g.DA("rc");return g.y(m,g.OL(f),3)}h=m.u;l=g.NA(h,["media"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRM",Ub:Jya},function(n){var p=""+a+"|"+b+"|"+c+"|"+String(d).padStart(10,"0");return n.objectStore("media").get(p)}); +return e?m.return(l.then(function(n){if(void 0===n)throw Error("No data from indexDb");return Kya(e,n)}).catch(function(n){throw new g.bA("Error while reading chunk: "+n.name+", "+n.message); +})):m.return(l)})}; +g.Hya=function(a){return a?"music"===a?!0:a.includes("dlt=-1")||!a.includes("dlt="):!1}; +Fya=function(a,b){return""+a+"|"+(b?"v":"a")}; +Gya=function(a){var b={};return py((b.dlt=a.downloadedEndTime.toString(),b.mket=a.maxKnownEndTime.toString(),b.avbr=a.averageByteRate.toString(),b))}; +Nya=function(a){var b={},c={};a=g.t(a);for(var d=a.next();!d.done;d=a.next()){var e=d.value,f=e.split("|");e.match(g.Mya)?(d=Number(f.pop()),isNaN(d)?c[e]="?":(f=f.join("|"),(e=b[f])?(f=e[e.length-1],d===f.end+1?f.end=d:e.push({start:d,end:d})):b[f]=[{start:d,end:d}])):c[e]="?"}a=g.t(Object.keys(b));for(d=a.next();!d.done;d=a.next())d=d.value,c[d]=b[d].map(function(h){return h.start+"-"+h.end}).join(","); return c}; -g.PE=function(a,b,c,d){this.level=a;this.F=b;this.loaded=new Set;this.level=a;this.F=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.C=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.u=Math.floor(Number(a[5]));this.D=a[6];this.signature=a[7];this.videoLength=d}; -QE=function(a,b,c,d,e){d=void 0===d?!1:d;e=void 0===e?!1:e;LE.call(this,c);this.isLive=d;this.K=!!e;this.levels=this.B(a,b);this.D=new Map;1=b)return a.D.set(b,d),d;a.D.set(b,c-1);return c-1}; -SE=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.PE.call(this,a,b,c,0);this.B=null;this.I=d?3:0}; -TE=function(a,b,c,d){QE.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;a=PB&&(n.u=!0);if(f=c)f=d.ca("disable_html5_ambisonic_audio")||!(g.tC(d)||d.ca("html5_enable_spherical")||d.ca("html5_enable_spherical3d"))?!1:uC(d);f&&(n.W=!0);b&&(n.u=!0,n.ra=!0);l&&!g.R(d.experiments,"html5_otf_prefer_vp9")&& -(n.u=!0);uB(d.D,vB.CHANNELS)&&(g.R(d.experiments,"html5_enable_aac51")&&(n.I=!0),g.R(d.experiments,"html5_enable_ac3")&&(n.C=!0),g.R(d.experiments,"html5_enable_eac3")&&(n.D=!0));g.R(d.experiments,"html5_block_8k_hfr")&&(n.ba=!0);!g.R(d.experiments,"html5_kaios_hd_killswitch")&&JB&&(n.da=480);if(e||c)n.Z=!1;n.ea=!1;b=GC(d,n.B);0b&&(XA()||g.R(d.experiments,"html5_format_hybridization"))&&(n.B.supportsChangeType=XA(),n.F=b);2160<=b&&(n.ka=!0);sx()&&(n.B.serveVp9OverAv1IfHigherRes=!1,n.Aa=!1); -n.fv=m;m=g.ar||nk()&&!m?!1:!0;n.P=m;n.ha=g.R(d.experiments,"html5_format_hybridization");ck()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(n.C=!0,n.D=!0);a.isLivePlayback&&(d=a.Jc&&a.Oa.ca("html5_enable_audio_51_for_live_dai"),m=!a.Jc&&a.Oa.ca("html5_enable_audio_51_for_live_non_dai"),n.N=d||m);return a.No=n}; -qma=function(a){a.Zg||a.ma&&Jz(a.ma);var b={};a.ma&&(b=RC(dF(a),a.Oa.D,a.ma));b=new mE(b,a.Oa.experiments,a.TF,pma(a));g.C(a,b);a.kp=!1;a.qd=!0;Tla(b,function(c){for(var d=g.q(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Zg=a.Zg;e.Dr=a.Dr;e.Cr=a.Cr;break;case "widevine":e.Zn=a.Zn}a.Hn=c;0b)return!1}return!mF(a)||"ULTRALOW"!=a.latencyClass&&21530001!=nF(a)?window.AbortController?a.ca("html5_streaming_xhr")||a.ca("html5_streaming_xhr_manifestless")&&mF(a)?!0:!1:!1:!0}; -pF=function(a){var b=mF(a),c=oF(a);return(a.hasSubfragmentedFmp4||a.Vm)&&b?c&&Ww()?3:2:a.defraggedFromSubfragments&&b?-1:1}; -nF=function(a){return a.isLowLatencyLiveStream&&void 0!=a.ma&&5<=Yz(a.ma)?21530001:a.liveExperimentalContentId}; -qF=function(a){return ck()&&lF(a)?!1:!xB()||a.UA?!0:!1}; -sma=function(a){a.qd=!0;a.Vk=!1;if(!a.If&&rF(a))Lfa(a.videoId).then(function(d){a:{var e=iF(a,a.adaptiveFormats);if(e)if(d=iF(a,d)){if(0l&&(l=n.te().audio.u);2=a.Ia.videoInfos.length)&&(c=Wv(a.Ia.videoInfos[0]),c!=("fairplay"==a.Vc.flavor)))for(d=g.q(a.Hn),e=d.next();!e.done;e=d.next())if(e=e.value,c==("fairplay"==e.flavor)){a.Vc=e;break}}; -wF=function(a,b){a.Bj=b;vF(a,new FC(g.Pc(a.Bj,function(c){return c.te()})))}; -xma=function(a){var b={cpn:a.clientPlaybackNonce,c:a.Oa.deviceParams.c,cver:a.Oa.deviceParams.cver};a.St&&(b.ptk=a.St,b.oid=a.SE,b.ptchn=a.RE,b.pltype=a.TE);return b}; -g.xF=function(a){return fF(a)&&a.Zg?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.La&&a.La.zd||null}; -yF=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.U(b.text):a.paidContentOverlayText}; -zF=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?g.rd(b.durationMs):a.paidContentOverlayDurationMs}; -AF=function(a){var b="";if(a.hx)return a.hx;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":"live");return b}; -g.BF=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; -CF=function(a){return!!(a.If||a.adaptiveFormats||a.Eq||a.Qn||a.hlsvp)}; -DF=function(a){var b=g.nb(a.me,"ypc");a.ypcPreview&&(b=!1);return a.isValid()&&!a.qd&&(CF(a)||g.nb(a.me,"fresca")||g.nb(a.me,"heartbeat")||b)}; -hF=function(a,b){var c=Wp(a),d={};if(b)for(var e=g.q(b.split(",")),f=e.next();!f.done;f=e.next())(f=f.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(d[f[1]]={width:f[2],height:f[3]});e=g.q(c);for(f=e.next();!f.done;f=e.next()){f=f.value;var h=d[f.itag];h&&(f.width=h.width,f.height=h.height)}return c}; -YE=function(a,b){a.showShareButton=!!b;if(b){var c=b.buttonRenderer&&b.buttonRenderer.navigationEndpoint;c&&(a.oq=!!c.copyTextEndpoint)}}; -FF=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.ug=c);if(a.ug){if(c=a.ug.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.ug.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;null!=d?(a.bj=d,a.Kc=!0):(a.bj="",a.Kc=!1);if(d=c.defaultThumbnail)a.Hh=EE(d);(d=c.videoDetails&& -c.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer)&&ZE(a,b,d);if(d=c.videoDetails&&c.videoDetails.musicEmbeddedPlayerOverlayVideoDetailsRenderer)a.dw=d.title,a.cw=d.byline,d.musicVideoType&&(a.musicVideoType=d.musicVideoType);a.Mk=!!c.addToWatchLaterButton;YE(a,c.shareButton);c.playButton&&c.playButton.buttonRenderer&&c.playButton.buttonRenderer.navigationEndpoint&&(d=c.playButton.buttonRenderer.navigationEndpoint,d.watchEndpoint&&(d=d.watchEndpoint,d.watchEndpointSupportedOnesieConfig&&d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig&& -(a.Qt=new hma(d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig))));c.videoDurationSeconds&&(a.lengthSeconds=g.rd(c.videoDurationSeconds));a.ca("web_player_include_innertube_commands")&&c.webPlayerActionsPorting&&KE(a,c.webPlayerActionsPorting);if(a.ca("embeds_wexit_list_ajax_migration")&&c.playlist&&c.playlist.playlistPanelRenderer){c=c.playlist.playlistPanelRenderer;d=[];if(c.contents)for(var e=0,f=c.contents.length;e(b?parseInt(b[1],10):NaN);c=a.Oa;c=("TVHTML5_CAST"===c.deviceParams.c||"TVHTML5"===c.deviceParams.c&&(c.deviceParams.cver.startsWith("6.20130725")||c.deviceParams.cver.startsWith("6.20130726")))&&"MUSIC"===a.Oa.deviceParams.ctheme; -var d;if(d=!a.nm)c||(c=a.Oa,c="TVHTML5"===c.deviceParams.c&&c.deviceParams.cver.startsWith("7")),d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.ca("cast_prefer_audio_only_for_atv_and_uploads")||a.ca("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.nm=!0);return!a.Oa.deviceHasDisplay||a.nm&&a.Oa.C}; -SF=function(a){return RF(a)&&!!a.adaptiveFormats}; -RF=function(a){return!!(a.ca("hoffle_save")&&a.Jm&&a.Oa.C)}; -sF=function(a,b){if(a.Jm!=b&&(a.Jm=b)&&a.ma){var c=a.ma,d;for(d in c.u){var e=c.u[d];e.F=!1;e.u=null}}}; -rF=function(a){return!(!(a.ca("hoffle_load")&&a.adaptiveFormats&&nw(a.videoId))||a.Jm)}; -TF=function(a){if(!a.ma||!a.La||!a.Qc)return!1;var b=a.ma.u;return!!b[a.La.id]&&nv(b[a.La.id].B.u)&&!!b[a.Qc.id]&&nv(b[a.Qc.id].B.u)}; -EF=function(a){return(a=a.Fo)&&a.showError?a.showError:!1}; -UF=function(a){return a.ca("disable_rqs")?!1:gF(a,"html5_high_res_logging")}; -gF=function(a,b){return a.ca(b)?!0:(a.fflags||"").includes(b+"=true")}; -Ama=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; -WE=function(a,b){var c=b.video_masthead_ad_quartile_urls;c&&(a.Vt=c.quartile_0_url,a.Yx=c.quartile_25_url,a.ay=c.quartile_50_url,a.dy=c.quartile_75_url,a.Wx=c.quartile_100_url,a.Wt=c.quartile_0_urls,a.Zx=c.quartile_25_urls,a.by=c.quartile_50_urls,a.ey=c.quartile_75_urls,a.Xx=c.quartile_100_urls)}; -XF=function(a){return a?xB()?!0:VF&&5>WF?!1:!0:!1}; -VE=function(a){var b={};a=g.q(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; -JE=function(a){if(a){if(hv(a))return a;a=iv(a);if(hv(a,!0))return a}return""}; -YF=function(a){this.u=a}; -Bma=function(a,b){zo(a,"version",b)}; -g.ZF=function(a,b){this.type=a||"";this.id=b||""}; -g.$F=function(a,b){g.P.call(this);this.Oa=a;this.startSeconds=0;this.shuffle=!1;this.index=0;this.title="";this.length=0;this.items=[];this.qd=this.loaded=!1;this.sd=this.Sv=this.Vp=null;this.dislikes=this.likes=this.views=0;this.order=[];this.author="";this.Hh={};this.Ns=0;var c=b.session_data;c&&(this.sd=Tp(c));this.VH=0!==b.fetch;this.index=Math.max(0,Number(b.index)||0);this.loop=!!b.loop;this.startSeconds=Number(b.startSeconds)||0;this.kM="1"===b.mob;this.title=b.playlist_title||"";this.description= -b.playlist_description||"";this.author=b.author||b.playlist_author||"";b.video_id&&(this.items[this.index]=b);if(c=b.api)"string"===typeof c&&16===c.length?b.list="PL"+c:b.playlist=c;if(c=b.list)switch(b.listType){case "user_uploads":this.qd||(this.listId=new g.ZF("UU","PLAYER_"+c),this.loadPlaylist("/list_ajax?style=json&action_get_user_uploads_by_user=1",{username:c}));break;case "search":Cma(this,c);break;default:var d=b.playlist_length;d&&(this.length=Number(d)||0);this.listId=new g.ZF(c.substr(0, -2),c.substr(2));(c=b.video)?(this.items=c.slice(0),this.loaded=!0):Dma(this)}else if(b.playlist){c=b.playlist.toString().split(",");0=a.length?0:b}; -cG=function(a){var b=a.index-1;return 0>b?a.length-1:b}; -dG=function(a,b){a.index=g.be(b,0,a.length-1);a.startSeconds=0}; -Cma=function(a,b){if(!a.qd){a.listId=new g.ZF("SR",b);var c={search_query:b};a.kM&&(c.mob="1");a.loadPlaylist("/search_ajax?style=json&embeddable=1",c)}}; -Dma=function(a){if(!a.qd){var b=b||a.listId;b={list:b};var c=a.Ka();c&&c.videoId&&(b.v=c.videoId);a.loadPlaylist("/list_ajax?style=json&action_get_list=1",b)}}; -eG=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=a.Ka();a.items=[];for(var d=g.q(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(d=b.index)?a.index=d:a.findIndex(c);a.setShuffle(!1);a.qd=!1;a.loaded=!0;a.Ns++;a.Vp&&a.Vp()}}; -Ema=function(){}; -gG=function(){this.u={};var a=g.wq("CONSISTENCY");a&&fG(this,{encryptedTokenJarContents:a})}; -fG=function(a,b){if(b.encryptedTokenJarContents&&(a.u[b.encryptedTokenJarContents]=b,"string"===typeof b.expirationSeconds)){var c=Number(b.expirationSeconds);setTimeout(function(){delete a.u[b.encryptedTokenJarContents]},1E3*c); -g.vq("CONSISTENCY",b.encryptedTokenJarContents,c,void 0,!0)}}; -hG=function(){var a=g.L("LOCATION_PLAYABILITY_TOKEN");a&&(this.locationPlayabilityToken=a,this.u=void 0)}; -iG=function(){hG.u||(hG.u=new hG);return hG.u}; -g.kG=function(a,b){b=void 0===b?!0:b;var c=g.L("INNERTUBE_CONTEXT");if(!c)return g.kr(Error("Error: No InnerTubeContext shell provided in ytconfig.")),{};c=g.$b(c);var d=b,e,f;c.client||(c.client={});var h=c.client;"MWEB"===h.clientName&&(h.clientFormFactor=g.L("IS_TABLET")?"LARGE_FORM_FACTOR":"SMALL_FORM_FACTOR");h.screenWidthPoints=window.innerWidth;h.screenHeightPoints=window.innerHeight;h.screenPixelDensity=Math.round(window.devicePixelRatio||1);h.screenDensityFloat=window.devicePixelRatio||1; -h.utcOffsetMinutes=-Math.floor((new Date).getTimezoneOffset());var l=void 0===l?!1:l;g.Mr.getInstance();var m=g.Or(0,165)?"USER_INTERFACE_THEME_DARK":"USER_INTERFACE_THEME_LIGHT";g.uo("kevlar_apply_prefers_color_theme")&&(m=g.Or(0,165)?"USER_INTERFACE_THEME_DARK":g.Or(0,174)?"USER_INTERFACE_THEME_LIGHT":!g.uo("kevlar_legacy_browsers")&&window.matchMedia&&window.matchMedia("(prefers-color-scheme)").matches&&window.matchMedia("(prefers-color-scheme: dark)").matches?"USER_INTERFACE_THEME_DARK":"USER_INTERFACE_THEME_LIGHT"); -l=l?m:Uea()||m;h.userInterfaceTheme=l;if(g.uo("web_log_connection")){a:{if(m=(l=window.navigator)?l.connection:void 0){l=jG[m.type||"unknown"]||"CONN_UNKNOWN";m=jG[m.u||"unknown"]||"CONN_UNKNOWN";"CONN_CELLULAR_UNKNOWN"===l&&"CONN_UNKNOWN"!==m&&(l=m);if("CONN_UNKNOWN"!==l)break a;if("CONN_UNKNOWN"!==m){l=m;break a}}l=void 0}l&&(h.connectionType=l)}g.uo("web_populate_graft_url_killswitch")||"MWEB"!==h.clientName&&"WEB"!==h.clientName||(h.mainAppWebInfo={graftUrl:g.v.location.href});(l=g.wq("EXPERIMENTS_DEBUG"))? -h.experimentsToken="ZERO"===l?"GgIQAQ%3D%3D":l:delete h.experimentsToken;h=xo();gG.u||(gG.u=new gG);l=g.Pb(gG.u.u);c.request=Object.assign(Object.assign({},c.request),{internalExperimentFlags:h,consistencyTokenJars:l});l=g.Mr.getInstance();h=g.Or(0,58);l=l.get("gsml","");c.user=Object.assign({},c.user);h&&(c.user.enableSafetyMode=h);l&&(c.user.lockedSafetyMode=!0);(h=g.L("DELEGATED_SESSION_ID"))&&!g.uo("pageid_as_header_web")&&(c.user.onBehalfOfUser=h);d&&(d=g.rs())&&(c.clientScreenNonce=d);a&&(c.clickTracking= -{clickTrackingParams:a});g.uo("web_enable_client_location_service")&&(d=iG(),c.client||(c.client={}),d.u?(c.client.locationInfo||(c.client.locationInfo={}),c.client.locationInfo.latitudeE7=1E7*d.u.coords.latitude,c.client.locationInfo.longitudeE7=1E7*d.u.coords.longitude,c.client.locationInfo.horizontalAccuracyMeters=d.u.coords.accuracy):d.locationPlayabilityToken&&(c.client.locationPlayabilityToken=d.locationPlayabilityToken));if(g.uo("web_enable_ad_signals_in_it_context")){d=null===(e=c.adSignalsInfo)|| -void 0===e?void 0:e.consentBumpParams;e=fq(void 0);h=e.bid;delete e.bid;c.adSignalsInfo={params:[],bid:h};e=g.q(Object.entries(e));for(h=e.next();!h.done;h=e.next())l=g.q(h.value),h=l.next().value,l=l.next().value,null===(f=c.adSignalsInfo.params)||void 0===f?void 0:f.push({key:h,value:""+l});!ur()&&d&&(c.adSignalsInfo.consentBumpParams=d)}return c}; -lG=function(a){return a.isTimeout?"NO_BID":"ERR_BID"}; -Fma=function(){var a=null;Kr().then(function(b){return a=b},function(b){return a=lG(b)}); -return a}; -Gma=function(){var a=Vm(1E3,"NO_BID");return Jm(Lm(pda([Kr(),a]),lG),function(){return a.cancel()})}; -mG=function(a){return a.ob?g.Or(g.Mr.getInstance(),140)?"STATE_OFF":"STATE_ON":"STATE_NONE"}; -nG=function(a){this.u=a;this.C=g.Q(a.T().experiments,"bulleit_get_midroll_info_timeout_ms")||8E3;this.D=this.B=1}; -tG=function(a,b,c,d){c=void 0===c?{}:c;var e=c.zo,f=c.ld;d=void 0===d?"":d;c=a.u.getVideoData(1);var h=a.u.T().Mj,l={AD_BLOCK:a.B++,AD_BREAK_LENGTH:e?e.durationSecs:0,AUTONAV_STATE:mG(a.u.T()),CA_TYPE:"image",CPN:c.clientPlaybackNonce,DRIFT_FROM_HEAD_MS:1E3*oG(a.u),LACT:zp(),LIVE_INDEX:e?a.D++:1,LIVE_TARGETING_CONTEXT:e&&e.context?e.context:"",MIDROLL_POS:f?Math.round(f.start/1E3):0,MIDROLL_POS_MS:f?Math.round(f.start):0,VIS:a.u.getVisibilityState(),P_H:g.pG(a.u).getPlayerSize().height,P_W:g.pG(a.u).getPlayerSize().width, -YT_REMOTE:h?h.join(","):""},m=eq(dq);Object.keys(m).forEach(function(n){null!=m[n]&&(l[n.toUpperCase()]=m[n].toString())}); -""!==d&&(l.BISCOTTI_ID=d);d={};(e=a.u.T().Aa)&&cq(b)&&(d.forced_experiments=e);b=$p(g.on(b,l),d);a.u.getVideoData().enableServerStitchedDai&&(b=b.concat("&expflag=enable_midroll_notify_for_bulleit%3Afalse"));d=b.split("?");if(2!=d.length)return Em(Error("Invalid AdBreakInfo URL"));e=g.q(d);d=e.next().value;e=e.next().value;g.R(a.u.T().experiments,"get_midroll_info_wexit")&&(f=Hma(a,b,l),f={rpc_data:JSON.stringify(f)},b=$p(b,f));f={};c.oauthToken&&bq()&&(f.Authorization="Bearer "+c.oauthToken);c=Vp(e); -e=a.u.T();return g.R(e.experiments,"get_midroll_info_wexit")?yr(b,{Wv:!0,format:"RAW",headers:f,method:"POST",dc:c,timeout:a.C,withCredentials:!0}):g.R(e.experiments,"get_midroll_info_use_client_rpc")?(c=qG(a.u.app),a=rG(a,b,l),g.sG(c,a,"/youtubei/v1/player/ad_break")):g.mC(e)?yr(d,{Wv:!0,format:"RAW",headers:f,method:"POST",dc:c,timeout:a.C,withCredentials:!0}):yr(b,{Wv:!0,format:"RAW",headers:f,method:"GET",timeout:a.C,withCredentials:!0})}; -Jma=function(a,b,c,d){a.client||(a.client={});a.client.originalUrl=b;var e=aq(b),f=uG(b,"X-YouTube-Time-Zone");(e||f)&&"undefined"!==typeof Intl&&(a.client.timeZone=(new Intl.DateTimeFormat).resolvedOptions().timeZone);f=uG(b,"X-YouTube-Ad-Signals");if(e||f||""!==c){var h={};b=Up(fq(c)).split("&");var l=new Map;b.forEach(function(m){m=m.split("=");1e.length||(e[0]in vG&&(h.clientName=vG[e[0]]),e[1]in wG&&(h.platform=wG[e[1]]),h.applicationState=l,h.clientVersion=2Math.random())b=b||null,c=c||null,a=a instanceof Error?a:new Iq(a),d.category="H5 Ads Control Flow",b&&(d.slot=b?"slot: "+b.Xa:""),c&&(d.layout=dH(c)),e&&(d.known_error_aggressively_sampled=!0),Oea(a,d),g.lr(a)}; -XG=function(a,b,c,d){var e=a.kind;d=d?!1:!a.hideCueRangeMarker;switch(e){case "AD_PLACEMENT_KIND_START":return d={Hg:new On(-0x8000000000000,-0x8000000000000),Xt:d},null!=c&&(d.Km=new On(-0x8000000000000,-0x8000000000000)),d;case "AD_PLACEMENT_KIND_END":return d={Hg:new On(0x7ffffffffffff,0x8000000000000),Xt:d},null!=c&&(d.Km=new On(Math.max(0,b-c),0x8000000000000)),d;case "AD_PLACEMENT_KIND_MILLISECONDS":e=a.adTimeOffset;e.offsetStartMilliseconds||fH("AD_PLACEMENT_KIND_MILLISECONDS missing start milliseconds."); -e.offsetEndMilliseconds||fH("AD_PLACEMENT_KIND_MILLISECONDS missing end milliseconds.");a=Number(e.offsetStartMilliseconds);e=Number(e.offsetEndMilliseconds);-1===e&&(e=b);if(Number.isNaN(a)||Number.isNaN(e)||a>e)return new WG("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},e===b&&a-500<=e);d={Hg:new On(a,e),Xt:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Km=new On(a,e)}return d;default:return new WG("AdPlacementKind not supported in convertToRange.", -{kind:e,adPlacementConfig:a})}}; -gH=function(a,b,c,d,e,f){g.B.call(this);this.kb=a;this.fc=b;this.Zu=c;this.ya=d;this.u=e;this.Ca=f}; -Wma=function(a,b,c){var d=[];a=g.q(a);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.renderer.invideoOverlayAdRenderer||e.renderer.adBreakServiceRenderer&&ZG(e);"AD_PLACEMENT_KIND_MILLISECONDS"===e.config.adPlacementConfig.kind&&f&&(f=XG(e.config.adPlacementConfig,0x7ffffffffffff),f instanceof WG||d.push({range:f.Hg,renderer:e.renderer.invideoOverlayAdRenderer?"overlay":"ABSR"}))}d.sort(function(h,l){return h.range.start-l.range.start}); -a=!1;for(e=0;ed[e+1].range.start){a=!0;break}a&&(d=d.map(function(h){return h.renderer+"|s:"+h.range.start+("|e:"+h.range.end)}).join(","),fH("Conflicting renderers.",void 0,void 0,{detail:d, -cpn:b,videoId:c}))}; -hH=function(a,b,c,d){this.C=a;this.Te=null;this.B=b;this.u=0;this.daiEnabled=void 0===c?!1:c;this.visible=!0;this.D=void 0===d?!1:d}; -iH=function(a,b,c,d,e){g.tD.call(this,b.start,b.end,{id:d,namespace:"ad",priority:e,visible:c});this.u=a.kind||"AD_PLACEMENT_KIND_UNKNOWN";this.B=!1;this.C=null}; -jH=function(a){return"AD_PLACEMENT_KIND_START"==a.u}; -kH=function(a){return"AD_PLACEMENT_KIND_MILLISECONDS"==a.u}; -Xma=function(a){return a.end-a.start}; -lH=function(a,b,c){c=void 0===c?!1:c;switch(a.kind){case "AD_PLACEMENT_KIND_START":return new On(-0x8000000000000,-0x8000000000000);case "AD_PLACEMENT_KIND_END":return c?new On(Math.max(0,b.C-b.u),0x7ffffffffffff):new On(0x7ffffffffffff,0x8000000000000);case "AD_PLACEMENT_KIND_MILLISECONDS":var d=a.adTimeOffset;a=parseInt(d.offsetStartMilliseconds,10);d=parseInt(d.offsetEndMilliseconds,10);-1===d&&(d=b.C);if(c&&(d=a,a=Math.max(0,a-b.u),a==d))break;return new On(a,d);case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":d= -b.Te;a=1E3*d.startSecs;if(c){if(aa.u||ha.u||(!c||f>c.maxBitrate?c=e:c&&f==c.maxBitrate&&hc.maxBitrate&&(c=e));return c}; -tH=function(a,b){this.u=a;this.F=b;this.B=b.length;this.adBreakLengthSeconds=b.reduce(function(e,f){return e+f},0); -for(var c=0,d=a+1;d=a.B}; -yH=function(){pH.apply(this,arguments)}; -zH=function(){this.B=[];this.D=null;this.C=0}; -AH=function(a,b){b&&a.B.push(b)}; -BH=function(a){if(!a)return[];var b=[];a=g.q(a);for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.loggingUrls){c=g.q(c.loggingUrls);for(var d=c.next();!d.done;d=c.next())b.push({baseUrl:d.value.baseUrl})}return b}; -CH=function(a){if(!a)return[];var b=[];a.forEach(function(c){c.command.loggingUrls.forEach(function(d){b.push({baseUrl:d.baseUrl,offsetMilliseconds:c.adVideoOffset.milliseconds})})}); +RL=function(a){g.dE.call(this);this.j=null;this.B=new Jla;this.j=null;this.I=new Set;this.crossOrigin=a||""}; +Oya=function(a,b,c){for(c=SL(a,c);0<=c;){var d=a.levels[c];if(d.isLoaded(TL(d,b))&&(d=g.UL(d,b)))return d;c--}return g.UL(a.levels[0],b)}; +Qya=function(a,b,c){c=SL(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=TL(d,b),!d.isLoaded(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),d.B.Ph(f,{mV:f,HV:e}))}Pya(a)}; +Pya=function(a){if(!a.j&&!a.B.Bf()){var b=a.B.remove();a.j=Rya(a,b)}}; +Rya=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.mV].Ze(b.HV);c.onload=function(){var d=b.mV,e=b.HV;null!==a.j&&(a.j.onload=null,a.j=null);d=a.levels[d];d.loaded.add(e);Pya(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.NE()-1);e=[e,d];a.ma("l",e[0],e[1])}; +return c}; +g.VL=function(a,b,c,d){this.level=a;this.D=b;this.loaded=new Set;this.level=a;this.D=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.frameCount=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.j=Math.floor(Number(a[5]));this.B=a[6];this.C=a[7];this.videoLength=d}; +TL=function(a,b){return Math.floor(b/(a.columns*a.rows))}; +g.UL=function(a,b){b>=a.BJ()&&a.ix();var c=TL(a,b),d=a.columns*a.rows,e=b%d;b=e%a.columns;e=Math.floor(e/a.columns);var f=a.ix()+1-d*c;if(f=b)return a.C.set(b,d),d;a.C.set(b,c-1);return c-1}; +XL=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.VL.call(this,a,b,c,0);this.u=null;this.I=d?2:0}; +YL=function(a,b,c,d){WL.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;adM?!1:!0,a.isLivePlayback=!0;else if(bc.isLive){qn.livestream="1";a.allowLiveDvr=bc.isLiveDvrEnabled?uJ()?!0:dz&&5>dM?!1:!0:!1;a.Ga=27;bc.isLowLatencyLiveStream&&(a.isLowLatencyLiveStream=!0);var Bw=bc.latencyClass;Bw&&(a.latencyClass= +fza[Bw]||"UNKNOWN");var Ml=bc.liveChunkReadahead;Ml&&(a.liveChunkReadahead=Ml);var Di=pn&&pn.livePlayerConfig;if(Di){Di.hasSubfragmentedFmp4&&(a.hasSubfragmentedFmp4=!0);Di.hasSubfragmentedWebm&&(a.Oo=!0);Di.defraggedFromSubfragments&&(a.defraggedFromSubfragments=!0);var Ko=Di.liveExperimentalContentId;Ko&&(a.liveExperimentalContentId=Number(Ko));var Nk=Di.isLiveHeadPlayable;a.K("html5_live_head_playable")&&null!=Nk&&(a.isLiveHeadPlayable=Nk)}Jo=!0}else bc.isUpcoming&&(Jo=!0);Jo&&(a.isLivePlayback= +!0,qn.adformat&&"8"!==qn.adformat.split("_")[1]||a.Ja.push("heartbeat"),a.Uo=!0)}var Lo=bc.isPrivate;void 0!==Lo&&(a.isPrivate=jz(a.isPrivate,Lo))}if(la){var Mo=bc||null,mt=!1,Nl=la.errorScreen;mt=Nl&&(Nl.playerLegacyDesktopYpcOfferRenderer||Nl.playerLegacyDesktopYpcTrailerRenderer||Nl.ypcTrailerRenderer)?!0:Mo&&Mo.isUpcoming?!0:["OK","LIVE_STREAM_OFFLINE","FULLSCREEN_ONLY"].includes(la.status);if(!mt){a.errorCode=Uxa(la.errorCode)||"auth";var No=Nl&&Nl.playerErrorMessageRenderer;if(No){a.playerErrorMessageRenderer= +No;var nt=No.reason;nt&&(a.errorReason=g.gE(nt));var Kq=No.subreason;Kq&&(a.Gm=g.gE(Kq),a.qx=Kq)}else a.errorReason=la.reason||null;var Ba=la.status;if("LOGIN_REQUIRED"===Ba)a.errorDetail="1";else if("CONTENT_CHECK_REQUIRED"===Ba)a.errorDetail="2";else if("AGE_CHECK_REQUIRED"===Ba){var Ei=la.errorScreen,Oo=Ei&&Ei.playerKavRenderer;a.errorDetail=Oo&&Oo.kavUrl?"4":"3"}else a.errorDetail=la.isBlockedInRestrictedMode?"5":"0"}}var Po=a.playerResponse.interstitialPods;Po&&iya(a,Po);a.Xa&&a.eventId&&(a.Xa= +uy(a.Xa,{ei:a.eventId}));var SA=a.playerResponse.captions;SA&&SA.playerCaptionsTracklistRenderer&&fya(a,SA.playerCaptionsTracklistRenderer);a.clipConfig=a.playerResponse.clipConfig;a.clipConfig&&null!=a.clipConfig.startTimeMs&&(a.TM=.001*Number(a.clipConfig.startTimeMs));a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting&&kya(a,a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting)}Wya(a, +b);b.queue_info&&(a.queueInfo=b.queue_info);var OH=b.hlsdvr;null!=OH&&(a.allowLiveDvr="1"==OH?uJ()?!0:dz&&5>dM?!1:!0:!1);a.adQueryId=b.ad_query_id||null;a.Lw||(a.Lw=b.encoded_ad_safety_reason||null);a.MR=b.agcid||null;a.iQ=b.ad_id||null;a.mQ=b.ad_sys||null;a.MJ=b.encoded_ad_playback_context||null;a.Xk=jz(a.Xk,b.infringe||b.muted);a.XR=b.authkey;a.authUser=b.authuser;a.mutedAutoplay=jz(a.mutedAutoplay,b&&b.playmuted)&&a.K("embeds_enable_muted_autoplay");var Qo=b.length_seconds;Qo&&(a.lengthSeconds= +"string"===typeof Qo?Se(Qo):Qo);var TA=!a.isAd()&&!a.bl&&g.qz(g.wK(a.B));if(TA){var ot=a.lengthSeconds;switch(g.wK(a.B)){case "EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT":30ot&&10c&&(tI()||d.K("html5_format_hybridization"))&&(q.u.supportsChangeType=+tI(),q.C=c);2160<=c&&(q.Ja=!0);rwa()&&(q.u.serveVp9OverAv1IfHigherRes= +0,q.Wc=!1);q.tK=m;q.fb=g.oB||hz()&&!m?!1:!0;q.oa=d.K("html5_format_hybridization");q.jc=d.K("html5_disable_encrypted_vp9_live_non_2k_4k");Zy()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(q.J=!0,q.T=!0);a.fb&&a.isAd()&&(a.sA&&(q.ya=a.sA),a.rA&&(q.I=a.rA));q.Ya=a.isLivePlayback&&a.Pl()&&a.B.K("html5_drm_live_audio_51");q.Tb=a.WI;return a.jm=q}; +yza=function(a){eF("drm_pb_s",void 0,a.Qa);a.Ya||a.j&&tF(a.j);var b={};a.j&&(b=Nta(a.Tw,vM(a),a.B.D,a.j,function(c){return a.ma("ctmp","fmtflt",c)},!0)); +b=new nJ(b,a.B,a.PR,xza(a),function(c,d){a.xa(c,d)}); +g.E(a,b);a.Rn=!1;a.La=!0;Fwa(b,function(c){eF("drm_pb_f",void 0,a.Qa);for(var d=g.t(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Ya=a.Ya;e.ox=a.ox;e.nx=a.nx;break;case "widevine":e.rl=a.rl}a.Un=c;if(0p&&(p=v.rh().audio.numChannels)}2=a.C.videoInfos.length)&&(b=LH(a.C.videoInfos[0]),b!=("fairplay"==a.J.flavor)))for(c=g.t(a.Un),d=c.next();!d.done;d=c.next())if(d=d.value,b==("fairplay"==d.flavor)){a.J=d;break}}; +zM=function(a,b){a.Nd=b;Iza(a,new oF(g.Yl(a.Nd,function(c){return c.rh()})))}; +Jza=function(a){var b={cpn:a.clientPlaybackNonce,c:a.B.j.c,cver:a.B.j.cver};a.xx&&(b.ptk=a.xx,b.oid=a.KX,b.ptchn=a.xX,b.pltype=a.fY,a.lx&&(b.m=a.lx));return b}; +g.AM=function(a){return eM(a)&&a.Ya?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.u&&a.u.Pd||null}; +Kza=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.gE(b.text):a.paidContentOverlayText}; +BM=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?Se(b.durationMs):a.paidContentOverlayDurationMs}; +CM=function(a){var b="";if(a.eK)return a.eK;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":a.isPremiere?"lp":a.rd?"window":"live");a.Se&&(b="post");return b}; +g.DM=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; +Lza=function(a){return!!a.Ui||!!a.cN||!!a.zx||!!a.Ax||a.nS||a.ea.focEnabled||a.ea.rmktEnabled}; +EM=function(a){return!!(a.tb||a.Jf||a.ol||a.hlsvp||a.Yu())}; +aM=function(a){if(a.K("html5_onesie")&&a.errorCode)return!1;var b=g.rb(a.Ja,"ypc");a.ypcPreview&&(b=!1);return a.De()&&!a.La&&(EM(a)||g.rb(a.Ja,"heartbeat")||b)}; +gM=function(a,b){a=ry(a);var c={};if(b){b=g.t(b.split(","));for(var d=b.next();!d.done;d=b.next())(d=d.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(c[d[1]]={width:d[2],height:d[3]})}b=g.t(a);for(d=b.next();!d.done;d=b.next()){d=d.value;var e=c[d.itag];e&&(d.width=e.width,d.height=e.height)}return a}; +pza=function(a,b){a.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")||(a.showShareButton=!!b);var c,d,e=(null==(c=g.K(b,g.mM))?void 0:c.navigationEndpoint)||(null==(d=g.K(b,g.mM))?void 0:d.command);e&&(a.ao=!!g.K(e,Mza))}; +Vya=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.kf=c);if(a.kf){a.embeddedPlayerConfig=a.kf.embeddedPlayerConfig||null;if(c=a.kf.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.kf.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")|| +(null!=d?(a.Wc=d,a.D=!0):(a.Wc="",a.D=!1));if(d=c.defaultThumbnail)a.Z=cL(d),a.sampledThumbnailColor=d.sampledThumbnailColor;(d=g.K(null==c?void 0:c.videoDetails,Nza))&&tza(a,b,d);d=g.K(null==c?void 0:c.videoDetails,g.Oza);a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")||(a.Qk=!!c.addToWatchLaterButton);pza(a,c.shareButton);if(null==d?0:d.musicVideoType)a.musicVideoType=d.musicVideoType;var e,f,h,l,m;if(d=g.K(null==(e=a.kf)?void 0:null==(f=e.embedPreview)?void 0:null==(h= +f.thumbnailPreviewRenderer)?void 0:null==(l=h.playButton)?void 0:null==(m=l.buttonRenderer)?void 0:m.navigationEndpoint,g.oM))Wxa(a,d),a.videoId=d.videoId||a.videoId;c.videoDurationSeconds&&(a.lengthSeconds=Se(c.videoDurationSeconds));c.webPlayerActionsPorting&&kya(a,c.webPlayerActionsPorting);if(e=g.K(null==c?void 0:c.playlist,Pza)){a.bl=!0;f=[];h=Number(e.currentIndex);if(e.contents)for(l=0,m=e.contents.length;l(b?parseInt(b[1],10):NaN);c=a.B;c=("TVHTML5_CAST"===g.rJ(c)||"TVHTML5"===g.rJ(c)&&(c.j.cver.startsWith("6.20130725")||c.j.cver.startsWith("6.20130726")))&&"MUSIC"===a.B.j.ctheme;var d;if(d=!a.hj)c||(c=a.B,c="TVHTML5"===g.rJ(c)&&c.j.cver.startsWith("7")), +d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.K("cast_prefer_audio_only_for_atv_and_uploads")||a.K("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.hj=!0);return a.B.deviceIsAudioOnly||a.hj&&a.B.I}; +Yza=function(a){return isNaN(a)?0:Math.max((Date.now()-a)/1E3-30,0)}; +WM=function(a){return!(!a.xm||!a.B.I)&&a.Yu()}; +Zza=function(a){return a.enablePreroll&&a.enableServerStitchedDai}; +XM=function(a){if(a.mS||a.cotn||!a.j||a.j.isOtf)return!1;if(a.K("html5_use_sabr_requests_for_debugging"))return!0;var b=!a.j.fd&&!a.Pl(),c=b&&xM&&a.K("html5_enable_sabr_vod_streaming_xhr");b=b&&!xM&&a.K("html5_enable_sabr_vod_non_streaming_xhr");(c=c||b)&&!a.Cx&&a.xa("sabr",{loc:"m"});return c&&!!a.Cx}; +YM=function(a){return a.lS&&XM(a)}; +hza=function(a){var b;if(b=!!a.cotn)b=a.videoId,b=!!b&&1===g.ML(b);return b&&!a.xm}; +g.ZM=function(a){if(!a.j||!a.u||!a.I)return!1;var b=a.j.j;return!!b[a.u.id]&&GF(b[a.u.id].u.j)&&!!b[a.I.id]&&GF(b[a.I.id].u.j)}; +$M=function(a){return a.yx?["OK","LIVE_STREAM_OFFLINE"].includes(a.yx.status):!0}; +Qza=function(a){return(a=a.ym)&&a.showError?a.showError:!1}; +fM=function(a,b){return a.K(b)?!0:(a.fflags||"").includes(b+"=true")}; +$za=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; +$ya=function(a,b){b.inlineMetricEnabled&&(a.inlineMetricEnabled=!0);b.playback_progress_0s_url&&(a.Ax=new yya(b));if(b=b.video_masthead_ad_quartile_urls)a.cN=b.quartile_0_url,a.bZ=b.quartile_25_url,a.cZ=b.quartile_50_url,a.oQ=b.quartile_75_url,a.aZ=b.quartile_100_url,a.zx=b.quartile_0_urls,a.yN=b.quartile_25_urls,a.vO=b.quartile_50_urls,a.FO=b.quartile_75_urls,a.jN=b.quartile_100_urls}; +Zya=function(a){var b={};a=g.t(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; +eya=function(a){if(a){if(Lsa(a))return a;a=Msa(a);if(Lsa(a,!0))return a}return""}; +g.aAa=function(a){return a.captionsLanguagePreference||a.B.captionsLanguagePreference||g.DM(a,"yt:cc_default_lang")||a.B.Si}; +aN=function(a){return!(!a.isLivePlayback||!a.hasProgressBarBoundaries())}; +g.qM=function(a){var b;return a.Ow||(null==(b=a.suggestions)?void 0:b[0])||null}; +bN=function(a,b){this.j=a;this.oa=b||{};this.J=String(Math.floor(1E9*Math.random()));this.I={};this.Z=this.ea=0}; +bAa=function(a){return cN(a)&&1==a.getPlayerState(2)}; +cN=function(a){a=a.Rc();return void 0!==a&&2==a.getPlayerType()}; +dN=function(a){a=a.V();return sK(a)&&!g.FK(a)&&"desktop-polymer"==a.playerStyle}; +eN=function(a,b){var c=a.V();g.kK(c)||"3"!=c.controlsType||a.jb().SD(b)}; +gN=function(a,b,c,d,e,f){c=void 0===c?{}:c;this.componentType=a;this.renderer=void 0===b?null:b;this.macros=c;this.layoutId=d;this.interactionLoggingClientData=e;this.j=f;this.id=fN(a)}; +fN=function(a){return a+(":"+(Nq.getInstance().j++).toString(36))}; +hN=function(a){this.Y=a}; +cAa=function(a,b){if(0===b||1===b&&(a.Y.u&&g.BA?0:a.Y.u||g.FK(a.Y)||g.tK(a.Y)||uK(a.Y)||!g.BA))return!0;a=g.kf("video-ads");return null!=a&&"none"!==Km(a,"display")}; +dAa=function(a){switch(a){case "audio_audible":return"adaudioaudible";case "audio_measurable":return"adaudiomeasurable";case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression"; +case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression";case "viewable_impression":return"adviewableimpression";default:return null}}; +iN=function(){g.dE.call(this);var a=this;this.j={};g.bb(this,function(){for(var b=g.t(Object.keys(a.j)),c=b.next();!c.done;c=b.next())delete a.j[c.value]})}; +kN=function(){if(null===jN){jN=new iN;am(tp).u="b";var a=am(tp),b="h"==mp(a)||"b"==mp(a),c=!(fm(),!1);b&&c&&(a.D=!0,a.I=new Kja)}return jN}; +eAa=function(a,b,c){a.j[b]=c}; +fAa=function(){}; +lN=function(a,b,c){this.j=a;this.D=b;this.B=c;this.u=b.length;this.adBreakLengthSeconds=b.reduce(function(d,e){return d+e},0); +c=0;for(a+=1;a=c*a.D.uz||d)&&gI(a,"first_quartile");(b>=c*a.D.Jz||d)&&gI(a,"midpoint");(b>=c*a.D.Sz||d)&&gI(a,"third_quartile")}; -kI=function(a,b,c,d){if(null==a.F){if(cd||d>c)return;gI(a,b)}; -dI=function(a,b,c){if(0l.D&&l.Ae()}}; -bJ=function(a){if(a.I&&a.N){a.N=!1;a=g.q(a.I.listeners);for(var b=a.next();!b.done;b=a.next()){var c=b.value;if(c.u){b=c.u;c.u=void 0;c.B=void 0;c=c.C();aJ(c.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.Fe(b)}else fH("Received AdNotify terminated event when no slot is active")}}}; -cJ=function(a,b){sI.call(this,"ads-engagement-panel",a,b)}; -dJ=function(a,b,c,d,e){yI.call(this,a,b,c,d,e)}; -eJ=function(a,b,c,d){sI.call(this,"invideo-overlay",a,b,c,d);this.u=d}; -fJ=function(a,b,c,d,e){yI.call(this,a,b,c,d,e);this.u=b}; -gJ=function(a,b){sI.call(this,"persisting-overlay",a,b)}; -hJ=function(a,b,c,d,e){yI.call(this,a,b,c,d,e);this.u=b}; -iJ=function(){sI.call(this,"ad-attribution-bar");this.adPodPositionInfoString=null;this.adPodPosition=0;this.adPodLength=1;this.adBreakLengthSeconds=0;this.adBadgeText=null;this.adBreakRemainingLengthSeconds=0;this.adBreakEndSeconds=null;this.adVideoId=""}; -g.jJ=function(a,b){for(var c={},d=g.q(Object.keys(b)),e=d.next();!e.done;c={Tu:c.Tu},e=d.next())e=e.value,c.Tu=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.Tu}}(c)); +dBa=function(a,b,c){b.CPN=AN(function(){var d;(d=a.getVideoData(1))?d=d.clientPlaybackNonce:(g.DD(Error("Video data is null.")),d=null);return d}); +b.AD_MT=AN(function(){return Math.round(Math.max(0,1E3*(null!=c?c:a.getCurrentTime(2,!1)))).toString()}); +b.MT=AN(function(){return Math.round(Math.max(0,1E3*a.getCurrentTime(1,!1))).toString()}); +b.P_H=AN(function(){return a.jb().Ij().height.toString()}); +b.P_W=AN(function(){return a.jb().Ij().width.toString()}); +b.PV_H=AN(function(){return a.jb().getVideoContentRect().height.toString()}); +b.PV_W=AN(function(){return a.jb().getVideoContentRect().width.toString()})}; +fBa=function(a){a.CONN=AN(Ld("0"));a.WT=AN(function(){return Date.now().toString()})}; +DBa=function(a){var b=Object.assign({},{});b.MIDROLL_POS=zN(a)?AN(Ld(Math.round(a.j.start/1E3).toString())):AN(Ld("0"));return b}; +EBa=function(a){var b={};b.SLOT_POS=AN(Ld(a.B.j.toString()));return b}; +FBa=function(a){var b=a&&g.Vb(a,"load_timeout")?"402":"400",c={};return c.YT_ERROR_CODE=(3).toString(),c.ERRORCODE=b,c.ERROR_MSG=a,c}; +CN=function(a){for(var b={},c=g.t(GBa),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d];e&&(b[d]=e.toString())}return b}; +DN=function(){var a={};Object.assign.apply(Object,[a].concat(g.u(g.ya.apply(0,arguments))));return a}; +EN=function(){}; +HBa=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x;g.A(function(z){switch(z.j){case 1:e=!!b.scrubReferrer;f=g.xp(b.baseUrl,CBa(c,e,d));h={};if(!b.headers){z.Ka(2);break}l=g.t(b.headers);m=l.next();case 3:if(m.done){z.Ka(5);break}n=m.value;switch(n.headerType){case "VISITOR_ID":g.ey("VISITOR_DATA")&&(h["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));break;case "EOM_VISITOR_ID":g.ey("EOM_VISITOR_DATA")&&(h["X-Goog-EOM-Visitor-Id"]=g.ey("EOM_VISITOR_DATA"));break;case "USER_AUTH":return z.Ka(6);case "PLUS_PAGE_ID":(p= +a.B())&&(h["X-Goog-PageId"]=p);break;case "AUTH_USER":q=a.u();a.K("move_vss_away_from_login_info_cookie")&&q&&(h["X-Goog-AuthUser"]=q,h["X-Yt-Auth-Test"]="test");break;case "ATTRIBUTION_REPORTING_ELIGIBLE":h["Attribution-Reporting-Eligible"]="event-source"}z.Ka(4);break;case 6:r=a.j();if(!r.j){v=r.getValue();z.Ka(8);break}return g.y(z,r.j,9);case 9:v=z.u;case 8:(x=v)&&(h.Authorization="Bearer "+x);z.Ka(4);break;case 4:m=l.next();z.Ka(3);break;case 5:"X-Goog-EOM-Visitor-Id"in h&&"X-Goog-Visitor-Id"in +h&&delete h["X-Goog-Visitor-Id"];case 2:g.ZB(f,void 0,e,0!==Object.keys(h).length?h:void 0,"",!0),g.oa(z)}})}; +FN=function(a){this.Dl=a}; +JBa=function(a,b){var c=void 0===c?!0:c;var d=g.ey("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.Ui(window.location.href);e&&d.push(e);e=g.Ui(a);if(g.rb(d,e)||!e&&Rb(a,"/"))if(g.gy("autoescape_tempdata_url")&&(d=document.createElement("a"),g.xe(d,a),a=d.href),a&&(a=tfa(a),d=a.indexOf("#"),a=0>d?a:a.slice(0,d)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.FE()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c*a.j.YI||d)&&MN(a,"first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"midpoint");(b>=c*a.j.aK||d)&&MN(a,"third_quartile")}; +QBa=function(a,b,c,d){d=void 0===d?!1:d;(b>=c*a.j.YI||d)&&MN(a,"unmuted_first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"unmuted_midpoint");(b>=c*a.j.aK||d)&&MN(a,"unmuted_third_quartile")}; +QN=function(a,b,c,d){if(null==a.B){if(cd||d>c)return;MN(a,b)}; +NBa=function(a,b,c){if(0m.D&&m.Ei()}}; +ZBa=function(a,b){if(a.I&&a.ea){a.ea=!1;var c=a.u.j;if(gO(c)){var d=c.slot;c=c.layout;b=XBa(b);a=g.t(a.I.listeners);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=d,h=c,l=b;jO(e.j(),f,h,l);YBa(e.j(),f)}}else g.DD(Error("adMessageRenderer is not augmented on termination"))}}; +XBa=function(a){switch(a){case "adabandonedreset":return"user_cancelled";case "adended":return"normal";case "aderror":return"error";case void 0:return g.DD(Error("AdNotify abandoned")),"abandoned";default:return g.DD(Error("Unexpected eventType for adNotify exit")),"abandoned"}}; +g.kO=function(a,b,c){void 0===c?delete a[b.name]:a[b.name]=c}; +g.lO=function(a,b){for(var c={},d=g.t(Object.keys(b)),e=d.next();!e.done;c={II:c.II},e=d.next())e=e.value,c.II=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.II}}(c)); +return a}; +mO=function(a,b,c,d){this.j=a;this.C=b;this.u=BN(c);this.B=d}; +$Ba=function(a){for(var b={},c=g.t(Object.keys(a.u)),d=c.next();!d.done;d=c.next())d=d.value,b[d]=a.u[d].toString();return Object.assign(b,a.C)}; +aCa=function(a,b,c,d){new mO(a,b,c,d)}; +nO=function(a,b,c,d,e,f,h,l,m){ZN.call(this,a,b,c,d,e,1);var n=this;this.tG=!0;this.I=m;this.u=b;this.C=f;this.ea=new Jz(this);g.E(this,this.ea);this.D=new g.Ip(function(){n.Lo("load_timeout")},1E4); +g.E(this,this.D);this.T=h}; +bCa=function(a){if(a.T&&(a.F.V().experiments.ob("enable_topsoil_wta_for_halftime")||a.F.V().experiments.ob("enable_topsoil_wta_for_halftime_live_infra"))){var b=a.u.B,c=b.C,d=b.B,e=b.j;b=b.D;if(void 0===c)g.CD(Error("Expected ad break start time when a DAI ad starts"));else if(void 0===d)g.CD(Error("Expected ad break end time when a DAI ad starts"));else return e=b.slice(0,e).reduce(function(f,h){return f+h},0),Math.min(Math.max((d-c)/1E3-e,0),a.u.u)}}; +qO=function(a,b){if(null!==a.I){var c=cCa(a);a=g.t(a.I.listeners);for(var d=a.next();!d.done;d=a.next()){d=d.value;var e=c;var f=b,h=!1;d.j||"aderror"!==f||(dCa(d,e,[],!1),eCa(d.B(),d.u),fCa(d.B(),d.u),gCa(d.B(),d.u),h=!0);if(d.j&&d.j.layoutId===e){switch(f){case "adabandoned":e="abandoned";break;case "aderror":e="error";break;default:e="normal"}jO(d.B(),d.u,d.j,e);if(h){e=d.B();h=d.u;oO(e.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",h);e=g.t(e.Fd);for(f=e.next();!f.done;f=e.next())f.value.Rj(h);YBa(d.B(), +d.u)}d.Ca.get().F.V().K("html5_send_layout_unscheduled_signal_for_externally_managed")&&d.C&&pO(d.B(),d.u,d.j);d.u=null;d.j=null;d.C=!1}}}}; +rO=function(a){return(a=a.F.getVideoData(2))?a.clientPlaybackNonce:""}; +cCa=function(a){if(a=a.u.j.elementId)return a;g.CD(Error("No elementId on VideoAd InstreamVideoAdRenderer"));return""}; +hCa=function(a){function b(h,l){h=a.j8;var m=Object.assign({},{});m.FINAL=AN(Ld("1"));m.SLOT_POS=AN(Ld("0"));return DN(h,CN(m),l)} +function c(h){return null==h?{create:function(){return null}}:{create:function(l,m,n){var p=b(l,m); +m=a.PP(l,p);l=h(l,p,m,n);g.E(l,m);return l}}} +var d=c(function(h,l,m){return new bO(a.F,h,l,m,a.DB,a.xe)}),e=c(function(h,l,m){return new iO(a.F,h,l,m,a.DB,a.xe,a.Tm,a.zq)}),f=c(function(h,l,m){return new eO(a.F,h,l,m,a.DB,a.xe)}); +this.F1=new VBa({create:function(h,l){var m=DN(b(h,l),CN(EBa(h)));l=a.PP(h,m);h=new nO(a.F,h,m,l,a.DB,a.xe,a.daiEnabled,function(){return new aCa(a.xe,m,a.F,a.Wl)},a.Aq,a.Di); +g.E(h,l);return h}},d,e,f)}; +sO=function(a,b){this.u=a;this.j={};this.B=void 0===b?!1:b}; +iCa=function(a,b){var c=a.startSecs+a.Sg;c=0>=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}b=Math.max(a.startSecs,0);return{B2:new iq(b,c),j4:new PD(b,c-b,a.context,a.identifier,a.event,a.j)}}; +tO=function(){this.j=[]}; +uO=function(a,b,c){var d=g.Jb(a.j,b);if(0<=d)return b;b=-d-1;return b>=a.j.length||a.j[b]>c?null:a.j[b]}; +jCa=function(){this.j=new tO}; +vO=function(a){this.j=a}; +kCa=function(a){a=[a,a.C].filter(function(d){return!!d}); +for(var b=g.t(a),c=b.next();!c.done;c=b.next())c.value.u=!0;return a}; +lCa=function(a,b,c){this.B=a;this.u=b;this.j=c;a.getCurrentTime()}; +mCa=function(a,b,c){a.j&&wO({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; +nCa=function(a,b){a.j&&wO({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.T1}})}; +oCa=function(a,b){wO({daiStateTrigger:{errorType:a,contentCpn:b}})}; +wO=function(a){g.rA("adsClientStateChange",a)}; +xO=function(a){this.F=a;this.adVideoId=this.j=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.u=this.cg=!1;this.adFormat=null;this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="VIDEO_STREAM_TYPE_VOD"}; +qCa=function(a,b,c,d,e,f){f();var h=a.F.getVideoData(1),l=a.F.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId,a.j=h.T);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=d?f():(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=e?"VIDEO_STREAM_TYPE_LIVE":"VIDEO_STREAM_TYPE_VOD","unknown_type"!==a.actionType&&(a.cg=!0,aF("_start",a.actionType)&&pCa(a)))}; +rCa=function(a,b){a=g.t(b);for(b=a.next();!b.done;b=a.next())if((b=b.value.renderer)&&(b.instreamVideoAdRenderer||b.linearAdSequenceRenderer||b.sandwichedLinearAdRenderer||b.instreamSurveyAdRenderer)){eF("ad_i");bF({isMonetized:!0});break}}; +pCa=function(a){if(a.cg)if(a.F.K("html5_no_video_to_ad_on_preroll_reset")&&"AD_PLACEMENT_KIND_START"===a.B&&"video_to_ad"===a.actionType)$E("video_to_ad");else if(a.F.K("web_csi_via_jspb")){var b=new Bx;b=H(b,8,2);var c=new Dx;c=H(c,21,sCa(a.B));c=H(c,7,4);b=I(c,Bx,22,b);b=H(b,53,a.videoStreamType);"ad_to_video"===a.actionType?(a.contentCpn&&H(b,76,a.contentCpn),a.videoId&&H(b,78,a.videoId)):(a.adCpn&&H(b,76,a.adCpn),a.adVideoId&&H(b,78,a.adVideoId));a.adFormat&&H(b,12,a.adFormat);a.contentCpn&&H(b, +8,a.contentCpn);a.videoId&&b.setVideoId(a.videoId);a.adCpn&&H(b,28,a.adCpn);a.adVideoId&&H(b,20,a.adVideoId);g.my(VE)(b,a.actionType)}else b={adBreakType:tCa(a.B),playerType:"LATENCY_PLAYER_HTML5",playerInfo:{preloadType:"LATENCY_PLAYER_PRELOAD_TYPE_PREBUFFER"},videoStreamType:a.videoStreamType},"ad_to_video"===a.actionType?(a.contentCpn&&(b.targetCpn=a.contentCpn),a.videoId&&(b.targetVideoId=a.videoId)):(a.adCpn&&(b.targetCpn=a.adCpn),a.adVideoId&&(b.targetVideoId=a.adVideoId)),a.adFormat&&(b.adType= +a.adFormat),a.contentCpn&&(b.clientPlaybackNonce=a.contentCpn),a.videoId&&(b.videoId=a.videoId),a.adCpn&&(b.adClientPlaybackNonce=a.adCpn),a.adVideoId&&(b.adVideoId=a.adVideoId),bF(b,a.actionType)}; +tCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"LATENCY_AD_BREAK_TYPE_PREROLL";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"LATENCY_AD_BREAK_TYPE_MIDROLL";case "AD_PLACEMENT_KIND_END":return"LATENCY_AD_BREAK_TYPE_POSTROLL";default:return"LATENCY_AD_BREAK_TYPE_UNKNOWN"}}; +sCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return 1;case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return 2;case "AD_PLACEMENT_KIND_END":return 3;default:return 0}}; +g.vCa=function(a){return(a=uCa[a.toString()])?a:"LICENSE"}; +g.zO=function(a){g.yO?a=a.keyCode:(a=a||window.event,a=a.keyCode?a.keyCode:a.which);return a}; +AO=function(a){if(g.yO)a=new g.Fe(a.pageX,a.pageY);else{a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));a=new g.Fe(b,c)}return a}; +g.BO=function(a){return g.yO?a.target:Ioa(a)}; +CO=function(a){if(g.yO)var b=a.composedPath()[0];else a=a||window.event,a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path,b=b&&b.length?b[0]:Ioa(a);return b}; +g.DO=function(a){g.yO?a=a.defaultPrevented:(a=a||window.event,a=!1===a.returnValue||a.UU&&a.UU());return a}; +wCa=function(a,b){if(g.yO){var c=function(){var d=g.ya.apply(0,arguments);a.removeEventListener("playing",c);b.apply(null,g.u(d))}; +a.addEventListener("playing",c)}else g.Loa(a,"playing",b)}; +g.EO=function(a){g.yO?a.preventDefault():Joa(a)}; +FO=function(){g.C.call(this);this.xM=!1;this.B=null;this.T=this.J=!1;this.D=new g.Fd;this.va=null;g.E(this,this.D)}; +GO=function(a){a=a.dC();return 1>a.length?NaN:a.end(a.length-1)}; +xCa=function(a){!a.u&&Dva()&&(a.C?a.C.then(function(){return xCa(a)}):a.Qf()||(a.u=a.zs()))}; +yCa=function(a){a.u&&(a.u.dispose(),a.u=void 0)}; +yI=function(a,b,c){var d;(null==(d=a.va)?0:d.Rd())&&a.va.xa("rms",b,void 0===c?!1:c)}; +zCa=function(a,b,c){a.Ip()||a.getCurrentTime()>b||10d.length||(d[0]in tDa&&(f.clientName=tDa[d[0]]),d[1]in uDa&&(f.platform=uDa[d[1]]),f.applicationState=h,f.clientVersion=2=d.B&&(d.u=d.B,d.Ua.stop());e=d.u/1E3;d.F&&d.F.Gc(e);hK(d,{current:e,duration:d.B/1E3})}); -g.C(this,this.Ua);this.u=0;this.C=null;g.dg(this,function(){d.C=null}); -this.D=0}; -hK=function(a,b){a.I.va("onAdPlaybackProgress",b);a.C=b}; -jK=function(a){sI.call(this,"survey",a)}; -kK=function(a,b,c,d,e,f,h){yI.call(this,a,b,c,d,e,1);var l=this;this.D=b;this.C=new g.Wr;g.C(this,this.C);this.C.R(this.J,"resize",function(){450>g.pG(l.J).getPlayerSize().width&&(g.Yr(l.C),l.Pd())}); -this.K=0;this.I=h(this,function(){return""+(Date.now()-l.K)}); -if(this.u=g.$B(a.T())?new iK(1E3*b.B,a,f):null)g.C(this,this.u),this.C.R(a,"onAdPlaybackProgress",function(m){m.current===m.duration&&(m=l.D.u,(m=m.questions&&m.questions[0])?(m=(m=m.instreamSurveyAdMultiSelectQuestionRenderer||m.instreamSurveyAdSingleSelectQuestionRenderer)&&m.surveyAdQuestionCommon,pJ(l.I.u,m&&m.timeoutCommands)):g.kr(Error("Expected a survey question in InstreamSurveyAdRenderer.")))})}; -lK=function(a,b){sI.call(this,"survey-interstitial",a,b)}; -mK=function(a,b,c,d,e){yI.call(this,a,b,c,d,e,1);this.u=b}; -nK=function(a){sI.call(this,"ad-text-interstitial",a)}; -oK=function(a,b,c,d,e,f){yI.call(this,a,b,c,d,e);this.C=b;this.u=b.u.durationMilliseconds||0;this.Ua=null;this.D=f}; -pK=function(a,b){var c=void 0===c?!0:c;var d=g.L("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.yd(window.location.href);e&&d.push(e);e=g.yd(a);if(g.nb(d,e)||!e&&pc(a,"/"))if(g.uo("autoescape_tempdata_url")&&(d=document.createElement("a"),g.id(d,a),a=d.href),a&&(d=Ad(a),e=d.indexOf("#"),d=0>e?d:d.substr(0,e)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.rs()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}var d=Math.max(a.startSecs,0);return{hI:new On(d,c),FJ:new qt(d,c-d,a.context,a.identifier,a.event,a.u)}}; -IK=function(){this.u=[]}; -JK=function(a,b,c){var d=g.Ab(a.u,b);if(0<=d)return b;b=-d-1;return b>=a.u.length||a.u[b]>c?null:a.u[b]}; -Cna=function(a){this.B=new IK;this.u=new HK(a.iI,a.tQ,a.hQ)}; -KK=function(){pH.apply(this,arguments)}; -LK=function(a){KK.call(this,a);g.Pc((a.image&&a.image.thumbnail?a.image.thumbnail.thumbnails:null)||[],function(b){return new g.he(b.width,b.height)})}; -MK=function(a){this.u=a}; -NK=function(a){a=[a,a.C].filter(function(d){return!!d}); -for(var b=g.q(a),c=b.next();!c.done;c=b.next())c.value.deactivate();return a}; -PK=function(a,b){var c=a.u;g.um(function(){return OK(c,b,1)})}; -Dna=function(a,b,c){this.C=a;this.u=b;this.B=c;this.D=a.getCurrentTime()}; -Fna=function(a,b){var c=void 0===c?Date.now():c;if(a.B)for(var d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=c,h=a.u;QK({cuepointTrigger:{type:"CUEPOINT_TYPE_AD",event:Ena(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:f,contentCpn:h}});"unknown"===e.event&&RK("DAI_ERROR_TYPE_CUEPOINT_WITH_INVALID_EVENT",a.u);e=e.startSecs+e.u/1E3;e>a.D&&a.C.getCurrentTime()>e&&RK("DAI_ERROR_TYPE_LATE_CUEPOINT", -a.u)}}; -Gna=function(a,b,c){a.B&&QK({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; -SK=function(a,b){a.B&&QK({driftRecoveryInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,driftRecoveryMs:b.driftRecoveryMs.toString(),breakDurationMs:Math.round(b.DC-b.WE).toString(),driftFromHeadMs:Math.round(1E3*oG(a.C)).toString()}})}; -Hna=function(a,b){a.B&&QK({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.UH}})}; -RK=function(a,b){QK({daiStateTrigger:{errorType:a,contentCpn:b}})}; -QK=function(a){g.Lq("adsClientStateChange",a)}; -Ena=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START"}}; -TK=function(a){this.J=a;this.preloadType="2";this.adVideoId=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.D=this.u=this.hh=!1;this.adFormat=null;this.clientName=(a=!g.R(this.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch"))?this.J.T().deviceParams.c:g.L("INNERTUBE_CLIENT_NAME",void 0);this.clientVersion=a?this.J.T().deviceParams.cver:g.L("INNERTUBE_CLIENT_VERSION",void 0);this.F=a?this.J.T().deviceParams.cbrand:"";this.I=a?this.J.T().deviceParams.cmodel:"";this.playerType= -"html5";this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="vod"}; -VK=function(a,b,c,d,e,f){UK(a);var h=a.J.getVideoData(1),l=a.J.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=e?UK(a):(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=f?"live":"vod",a.D=d+1===e,a.hh=!0,a.hh&&(BA("c",a.clientName,a.actionType),BA("cver",a.clientVersion,a.actionType),g.R(a.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch")|| -(BA("cbrand",a.F,a.actionType),BA("cmodel",a.I,a.actionType)),BA("yt_pt",a.playerType,a.actionType),BA("yt_pre",a.preloadType,a.actionType),BA("yt_abt",Ina(a.B),a.actionType),a.contentCpn&&BA("cpn",a.contentCpn,a.actionType),a.videoId&&BA("docid",a.videoId,a.actionType),a.adCpn&&BA("ad_cpn",a.adCpn,a.actionType),a.adVideoId&&BA("ad_docid",a.adVideoId,a.actionType),BA("yt_vst",a.videoStreamType,a.actionType),a.adFormat&&BA("ad_at",a.adFormat,a.actionType)))}; -UK=function(a){a.contentCpn=null;a.adCpn=null;a.videoId=null;a.adVideoId=null;a.adFormat=null;a.B="AD_PLACEMENT_KIND_UNKNOWN";a.actionType="unknown_type";a.hh=!1;a.u=!1}; -WK=function(a){a.u=!1;FA("video_to_ad",["apbs"],void 0,void 0)}; -YK=function(a){a.D?XK(a):(a.u=!1,FA("ad_to_ad",["apbs"],void 0,void 0))}; -XK=function(a){a.u=!1;FA("ad_to_video",["pbresume"],void 0,void 0)}; -ZK=function(a){a.hh&&!a.u&&(a.C=!1,a.u=!0,"ad_to_video"!==a.actionType&&CA("apbs",void 0,a.actionType))}; -Ina=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"1";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"2";case "AD_PLACEMENT_KIND_END":return"3";default:return"unknown"}}; -$K=function(){}; -g.aL=function(a){return(a=Jna[a.toString()])?a:"LICENSE"}; -g.bL=function(a,b){this.stateData=void 0===b?null:b;this.state=a||64}; -cL=function(a,b,c){return b===a.state&&c===a.stateData||void 0!==b&&(b&128&&!c||b&2&&b&16)?a:new g.bL(b,c)}; -dL=function(a,b){return cL(a,a.state|b)}; -eL=function(a,b){return cL(a,a.state&~b)}; -fL=function(a,b,c){return cL(a,(a.state|b)&~c)}; -g.T=function(a,b){return!!(a.state&b)}; -g.gL=function(a,b){return b.state===a.state&&b.stateData===a.stateData}; -g.hL=function(a){return g.T(a,8)&&!g.T(a,2)&&!g.T(a,1024)}; -ID=function(a){return a.Gb()&&!g.T(a,16)&&!g.T(a,32)}; -Kna=function(a){return g.T(a,8)&&g.T(a,16)}; -g.iL=function(a){return g.T(a,1)&&!g.T(a,2)}; -jL=function(a){return g.T(a,128)?-1:g.T(a,2)?0:g.T(a,64)?-1:g.T(a,1)&&!g.T(a,32)?3:g.T(a,8)?1:g.T(a,4)?2:-1}; -lL=function(a){var b=g.Ke(g.Qb(kL),function(c){return!!(a&kL[c])}); -g.Cb(b);return"yt.player.playback.state.PlayerState<"+b.join(",")+">"}; -mL=function(a,b,c,d,e,f,h,l){g.P.call(this);this.Zc=a;this.J=b;this.u=d;this.F=this.u.B instanceof pH?this.u.B:null;this.B=null;this.Z=!1;this.K=c;this.W=(a=b.getVideoData(1))&&a.isLivePlayback||!1;this.ba=0;this.ea=!1;this.Vg=e;this.Hm=f;this.Pj=h;this.X=!1;this.daiEnabled=l}; -nL=function(a){if(UH(a.J)){var b=a.J.getVideoData(2),c=a.u.P[b.Yb]||null;if(!c)g.R(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||fH("AdPlacementCoordinator ended because no mapped ad is found",void 0,void 0,{adCpn:b.clientPlaybackNonce,contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.Ft();else if(!a.B||a.B&&a.B.ad!==c)g.R(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||fH("AdPlacementCoordinator played an ad due to ad to ad transition",void 0,void 0,{adCpn:b.clientPlaybackNonce, -contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.Ld(c)}else 1===a.J.getPresentingPlayerType()&&(g.R(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||fH("AdPlacementCoordinator ended due to ad to content transition",void 0,void 0,{contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.B&&a.Ft())}; -oL=function(a){(a=a.baseUrl)&&g.at(a,void 0,nn(a))}; -pL=function(a,b){VK(a.K,a.u.u.u,b,a.mB(),a.oB(),a.isLiveStream())}; -rL=function(a){qL(a.Zc,a.u.u,a);a.daiEnabled&&!a.u.N&&(Lna(a,a.pB()),a.u.N=!0)}; -Lna=function(a,b){for(var c=sL(a),d=a.u.u.start,e=[],f=g.q(b),h=f.next();!h.done;h=f.next()){h=h.value;if(c<=d)break;var l=tL(h);e.push({externalVideoId:h.C,originalMediaDurationMs:(1E3*h.B).toString(),trimmedMediaDurationMs:(parseInt(h.u.trimmedMaxNonSkippableAdDurationMs,10)||0).toString()});l=d+l;var m=Math.min(l,c);h.D.D=a.u.u.start;h.D.C=c;if(!Mna(a,h,d,m)||l!==m)break;d=l}c=b.reduce(function(n,p){return n+tL(p)},0); -Gna(a.Vg,Xma(a.u.u),c);Hna(a.Vg,{cueIdentifier:a.u.C&&a.u.C.identifier,UH:e})}; -tL=function(a){var b=1E3*a.B;return 0a.width*a.height*.2)return{Pu:3,Fq:501,errorMessage:"ad("+yO(c)+") to container("+yO(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{Pu:3,Fq:501,errorMessage:"ad("+yO(c)+") covers container("+yO(a)+") center."}}; -BO=function(a,b){var c=AO(a.xa,"metadata_type_ad_placement_config");return new nO(a.Yd,b,c,a.layoutId)}; -CO=function(a){return AO(a.xa,"metadata_type_invideo_overlay_ad_renderer")}; -DO=function(a){return g.R(a.T().experiments,"html5_enable_in_video_overlay_ad_in_pacf")}; -EO=function(a,b,c,d){W.call(this,a,b,{G:"div",L:"ytp-ad-overlay-slot",S:[{G:"div",L:"ytp-ad-overlay-container"}]},"invideo-overlay",c,d);this.P=[];this.F=this.Ja=this.ra=null;a=this.ga("ytp-ad-overlay-container");this.ka=new TN(a,45E3,6E3,.3,.4);g.C(this,this.ka);DO(this.api)||(this.ha=new g.H(this.clear,45E3,this),g.C(this,this.ha));this.D=Doa(this);g.C(this,this.D);this.D.fa(a);this.C=Eoa(this);g.C(this,this.C);this.C.fa(a);this.B=Foa(this);g.C(this,this.B);this.B.fa(a);this.Na=this.da=null;this.za= -!1;this.I=null;this.X=0;this.hide()}; -Doa=function(a){var b=new g.XM({G:"div",L:"ytp-ad-text-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[HN(FO)]}]},{G:"div",L:"ytp-ad-overlay-title",Y:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Y:"{{description}}"},{G:"div",ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],Y:"{{displayUrl}}"}]});a.R(b.ga("ytp-ad-overlay-title"),"click",function(c){return GO(a,b.element,c)}); -a.R(b.ga("ytp-ad-overlay-link"),"click",function(c){return GO(a,b.element,c)}); -a.R(b.ga("ytp-ad-overlay-close-container"),"click",a.Cx);b.hide();return b}; -Eoa=function(a){var b=new g.XM({G:"div",ia:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[HN(FO)]}]},{G:"div",L:"ytp-ad-overlay-text-image",S:[{G:"img",U:{src:"{{imageUrl}}"}}]},{G:"div",L:"ytp-ad-overlay-title",Y:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Y:"{{description}}"},{G:"div",ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], -Y:"{{displayUrl}}"}]});a.R(b.ga("ytp-ad-overlay-title"),"click",function(c){return GO(a,b.element,c)}); -a.R(b.ga("ytp-ad-overlay-link"),"click",function(c){return GO(a,b.element,c)}); -a.R(b.ga("ytp-ad-overlay-close-container"),"click",a.Cx);a.R(b.ga("ytp-ad-overlay-text-image"),"click",a.yP);b.hide();return b}; -Foa=function(a){var b=new g.XM({G:"div",L:"ytp-ad-image-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[HN(FO)]}]},{G:"div",L:"ytp-ad-overlay-image",S:[{G:"img",U:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.R(b.ga("ytp-ad-overlay-image"),"click",function(c){return GO(a,b.element,c)}); -a.R(b.ga("ytp-ad-overlay-close-container"),"click",a.Cx);b.hide();return b}; -HO=function(a,b){if(b){var c=b.adHoverTextButtonRenderer||null;if(null==c)g.M(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else{var d=g.te("video-ads ytp-ad-module")||null;null==d?g.M(Error("Could not locate the root ads container element to attach the ad info dialog.")):(a.da=new g.XM({G:"div",L:"ytp-ad-overlay-ad-info-dialog-container"}),g.C(a,a.da),a.da.fa(d),d=new mO(a.api,a.Ea,a.layoutId,a.u,a.da.element,!1),g.C(a,d),d.init(rI("ad-info-hover-text-button"),c,a.macros), -a.I?(d.fa(a.I,0),d.subscribe("k",a.uM,a),d.subscribe("j",a.jO,a),a.R(a.I,"click",a.vM),c=g.te("ytp-ad-button",d.element),a.R(c,"click",a.aM),a.Na=d):g.M(Error("Ad info button container within overlay ad was not present.")))}}else g.Eo(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; -Goa=function(a){return a.F&&a.F.closeButton&&a.F.closeButton.buttonRenderer&&(a=a.F.closeButton.buttonRenderer,a.serviceEndpoint)?[a.serviceEndpoint]:[]}; -Hoa=function(a,b){if(IO(a,JO)||a.api.app.visibility.u)return!1;var c=YM(b.title),d=YM(b.description);if(g.rc(c)||g.rc(d))return!1;bN(a,a.D.element,b.trackingParams||null);a.D.wa("title",YM(b.title));a.D.wa("description",YM(b.description));a.D.wa("displayUrl",YM(b.displayUrl));b.navigationEndpoint&&vb(a.P,b.navigationEndpoint);a.D.show();a.ka.start();eN(a,a.D.element,!0);DO(a.api)||(a.R(a.api,"resize",function(){IO(a,JO)&&a.clear()}),a.R(a.api,"minimized",a.gO)); -a.R(a.D.element,"mouseover",function(){a.X++}); -return!0}; -Ioa=function(a,b){if(IO(a,JO)||a.api.app.visibility.u)return!1;var c=YM(b.title),d=YM(b.description);if(g.rc(c)||g.rc(d))return!1;bN(a,a.C.element,b.trackingParams||null);a.C.wa("title",YM(b.title));a.C.wa("description",YM(b.description));a.C.wa("displayUrl",YM(b.displayUrl));a.C.wa("imageUrl",ZM(b.image));b.navigationEndpoint&&vb(a.P,b.navigationEndpoint);a.Ja=b.imageNavigationEndpoint||null;a.C.show();a.ka.start();eN(a,a.C.element,!0);DO(a.api)||a.R(a.api,"resize",function(){IO(a,JO)&&a.clear()}); -a.R(a.C.element,"mouseover",function(){a.X++}); -return!0}; -Joa=function(a,b){if(a.api.app.visibility.u)return!1;var c=goa(b.image),d=c;c.widthc.width||b.height>c.height;var d=a.api.ci(!0,!1);return(c=zO(c,c.height-(d.height+d.top),b))?(a.ra&&c&&(d=g.Zb(a.macros),d.ERRORCODE=c.Fq.toString(),d.ERROR_MSG=c.errorMessage,a.Ea.executeCommand(a.ra,d)),!0):!1}; -GO=function(a,b,c){var d=g.Zb(a.macros),e=g.Eg(b);d.AW={toString:function(){return e.width.toString()}}; -d.AH={toString:function(){return e.height.toString()}}; -var f=g.Cg(c,b).floor();d.I_X={toString:function(){return f.x.toString()}}; -d.NX={toString:function(){return f.x.toString()}}; -d.I_Y={toString:function(){return f.y.toString()}}; -d.NY={toString:function(){return f.y.toString()}}; -d.NM={toString:function(){return a.X.toString()}}; -a.P.forEach(function(h){return a.Ea.executeCommand(h,d)}); -a.api.pauseVideo()}; -KO=function(a,b){var c=a.api.getRootNode();g.J(c,"ytp-ad-overlay-open",b);g.J(c,"ytp-ad-overlay-closed",!b)}; -LO=function(a,b,c,d,e){JN.call(this,a,b,{G:"div",L:"ytp-ad-message-overlay",S:[{G:"div",L:"ytp-ad-message-slot"}]},"ad-message",c,d,e);var f=this;this.da=-1;this.ka=this.ga("ytp-ad-message-slot");this.D=new g.XM({G:"span",L:"ytp-ad-message-container"});this.D.fa(this.ka);g.C(this,this.D);this.C=new NN(this.api,this.Ea,this.layoutId,this.u,"ytp-ad-message-text");g.C(this,this.C);this.C.fa(this.D.element);this.P=new g.PN(this.D,400,!1,100,function(){return f.hide()}); -g.C(this,this.P);this.I=0;this.X=!1;this.hide()}; -Koa=function(a,b){var c=a.api.getRootNode();g.J(c,"ytp-ad-overlay-open",b);g.J(c,"ytp-ad-overlay-closed",!b)}; -MO=function(a,b,c,d,e){JN.call(this,a,b,{G:"div",L:"ytp-ad-skip-ad-slot"},"skip-ad",c,d,e);this.P=!1;this.I=0;this.D=this.C=null;this.hide()}; -NO=function(a,b){if(!a.P)if(a.P=!0,a.C&&(b?a.C.X.hide():a.C.hide()),b){var c=a.D;c.ka.show();c.show()}else a.D.show()}; -OO=function(a,b,c,d,e){W.call(this,a,b,{G:"div",L:"ytp-ad-persisting-overlay",S:[{G:"div",L:"ytp-ad-persisting-overlay-skip"}]},"persisting-overlay",c,d);this.C=this.ga("ytp-ad-persisting-overlay-skip");this.B=e;g.C(this,this.B);this.hide()}; -g.PO=function(a,b){var c=Math.abs(Math.floor(a)),d=Math.floor(c/86400),e=Math.floor(c%86400/3600),f=Math.floor(c%3600/60);c=Math.floor(c%60);if(b){var h="";0e&&(h+="0"));if(0f&&(h+="0");h+=f+":";10>c&&(h+="0");d=h+c}return 0<=a?d:"-"+d}; -g.QO=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; -RO=function(a,b,c,d,e,f){JN.call(this,a,b,{G:"span",L:"ytp-ad-duration-remaining"},"ad-duration-remaining",c,d,e);this.C=null;this.D=f;this.hide()}; -SO=function(a,b,c,d){NN.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; -TO=function(a,b,c,d,e){JN.call(this,a,b,{G:"div",ia:["ytp-flyout-cta","ytp-flyout-cta-inactive"],S:[{G:"div",L:"ytp-flyout-cta-icon-container"},{G:"div",L:"ytp-flyout-cta-body",S:[{G:"div",L:"ytp-flyout-cta-text-container",S:[{G:"div",L:"ytp-flyout-cta-headline-container"},{G:"div",L:"ytp-flyout-cta-description-container"}]},{G:"div",L:"ytp-flyout-cta-action-button-container"}]}]},"flyout-cta",c,d,e);this.D=new hN(this.api,this.Ea,this.layoutId,this.u,"ytp-flyout-cta-icon");g.C(this,this.D);this.D.fa(this.ga("ytp-flyout-cta-icon-container")); -this.P=new NN(this.api,this.Ea,this.layoutId,this.u,"ytp-flyout-cta-headline");g.C(this,this.P);this.P.fa(this.ga("ytp-flyout-cta-headline-container"));this.I=new NN(this.api,this.Ea,this.layoutId,this.u,"ytp-flyout-cta-description");g.C(this,this.I);this.I.fa(this.ga("ytp-flyout-cta-description-container"));this.C=new IN(this.api,this.Ea,this.layoutId,this.u,["ytp-flyout-cta-action-button"]);g.C(this,this.C);this.C.fa(this.ga("ytp-flyout-cta-action-button-container"));this.X=null;this.da=0;this.hide()}; -UO=function(a,b,c,d,e,f){e=void 0===e?[]:e;f=void 0===f?"toggle-button":f;var h=rI("ytp-ad-toggle-button-input");W.call(this,a,b,{G:"div",ia:["ytp-ad-toggle-button"].concat(e),S:[{G:"label",L:"ytp-ad-toggle-button-label",U:{"for":h},S:[{G:"span",L:"ytp-ad-toggle-button-icon",U:{role:"button","aria-label":"{{tooltipText}}"},S:[{G:"span",L:"ytp-ad-toggle-button-untoggled-icon",Y:"{{untoggledIconTemplateSpec}}"},{G:"span",L:"ytp-ad-toggle-button-toggled-icon",Y:"{{toggledIconTemplateSpec}}"}]},{G:"input", -L:"ytp-ad-toggle-button-input",U:{id:h,type:"checkbox"}},{G:"span",L:"ytp-ad-toggle-button-text",Y:"{{buttonText}}"},{G:"span",L:"ytp-ad-toggle-button-tooltip",Y:"{{tooltipText}}"}]}]},f,c,d);this.D=this.ga("ytp-ad-toggle-button");this.B=this.ga("ytp-ad-toggle-button-input");this.ga("ytp-ad-toggle-button-label");this.X=this.ga("ytp-ad-toggle-button-icon");this.I=this.ga("ytp-ad-toggle-button-untoggled-icon");this.F=this.ga("ytp-ad-toggle-button-toggled-icon");this.ha=this.ga("ytp-ad-toggle-button-text"); -this.C=null;this.P=!1;this.da=null;this.hide()}; -VO=function(a){a.P&&(a.isToggled()?(g.Fg(a.I,!1),g.Fg(a.F,!0)):(g.Fg(a.I,!0),g.Fg(a.F,!1)))}; -Loa=function(a,b){var c=null;a.C&&(c=(b?[a.C.defaultServiceEndpoint,a.C.defaultNavigationEndpoint]:[a.C.toggledServiceEndpoint]).filter(function(d){return null!=d})); +wQ=function(){g.C.call(this);var a=this;this.j=new Map;this.u=Koa(function(b){if(b.target&&(b=a.j.get(b.target))&&b)for(var c=0;cdocument.documentMode)d=Rc;else{var e=document;"function"===typeof HTMLTemplateElement&&(e=g.Fe("TEMPLATE").content.ownerDocument);e=e.implementation.createHTMLDocument("").createElement("DIV");e.style.cssText=d;d=Fda(e.style)}c=Faa(d,Sc({"background-image":'url("'+c+'")'}));a.style.cssText=Oc(c)}}; -Xoa=function(a){var b=g.te("html5-video-player");b&&g.J(b,"ytp-ad-display-override",a)}; -nP=function(a,b){b=void 0===b?2:b;g.P.call(this);this.u=a;this.B=new g.Wr(this);g.C(this,this.B);this.F=Yoa;this.D=null;this.B.R(this.u,"presentingplayerstatechange",this.WL);this.D=this.B.R(this.u,"progresssync",this.yD);this.C=b;1===this.C&&this.yD()}; -pP=function(a,b){KM.call(this,a);this.D=a;this.K=b;this.B={};var c=new g.V({G:"div",ia:["video-ads","ytp-ad-module"]});g.C(this,c);JB&&g.I(c.element,"ytp-ads-tiny-mode");this.F=new OM(c.element);g.C(this,this.F);g.oP(this.D,c.element,4);g.C(this,dO())}; -Zoa=function(a,b){var c=a.B;var d=b.id;c=null!==c&&d in c?c[d]:null;null==c&&g.Eo(Error("Component not found for element id: "+b.id));return c||null}; -qP=function(a){this.controller=a}; -rP=function(a){this.yo=a}; -sP=function(a){this.yo=a}; -tP=function(a,b,c){this.yo=a;this.fg=b;this.wh=c}; -apa=function(a,b,c){var d=a.yo();switch(b.type){case "SKIP":b=!1;for(var e=g.q(a.fg.u.entries()),f=e.next();!f.done;f=e.next()){f=g.q(f.value);var h=f.next().value;f.next();"slot_type_player_bytes"===h.Xa&&"core"===h.rb&&(b=!0)}b?(c=$oa(a,c))?a.wh.Zo(c):fH("No triggering layout ID available when attempting to mute."):g.um(function(){d.tp()})}}; -$oa=function(a,b){if(b)return b;for(var c=g.q(a.fg.u.entries()),d=c.next();!d.done;d=c.next()){var e=g.q(d.value);d=e.next().value;e=e.next().value;if("slot_type_in_player"===d.Xa&&"core"===d.rb)return e.layoutId}}; -uP=function(){}; -vP=function(){}; -wP=function(a,b){this.jo=a;this.Da=b}; -xP=function(a){this.J=a}; -yP=function(a,b){this.Bh=a;this.Da=b}; -cpa=function(a){g.B.call(this);this.u=a;this.B=bpa(this)}; -bpa=function(a){var b=new bM;g.C(a,b);a=g.q([new qP(a.u.PH),new wP(a.u.jo,a.u.Da),new rP(a.u.QH),new xP(a.u.J),new yP(a.u.Bh,a.u.Da),new tP(a.u.lM,a.u.fg,a.u.wh),new sP(a.u.ZH),new uP,new vP]);for(var c=a.next();!c.done;c=a.next())c=c.value,Yna(b,c),Zna(b,c);a=g.q(["adInfoDialogEndpoint","adFeedbackEndpoint"]);for(c=a.next();!c.done;c=a.next())ZL(b,c.value,function(){}); -return b}; -zP=function(a,b,c){if(c&&!c.includes(a.layoutType))return!1;b=g.q(b);for(c=b.next();!c.done;c=b.next())if(!a.xa.u.has(c.value))return!1;return!0}; -AP=function(a){var b=new Map;a.forEach(function(c){b.set(c.u(),c)}); -this.u=b}; -AO=function(a,b){var c=a.u.get(b);if(void 0!==c)return c.get()}; -BP=function(a){return Array.from(a.u.keys())}; -epa=function(a){var b;return(null===(b=dpa.get(a))||void 0===b?void 0:b.tq)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"}; -DP=function(a,b){var c={type:fpa.get(b.Xa)||"SLOT_TYPE_UNSPECIFIED",entryTriggerType:b.Wb?CP.get(b.Wb.triggerType)||"TRIGGER_TYPE_UNSPECIFIED":"TRIGGER_TYPE_UNSPECIFIED",controlFlowManagerLayer:gpa.get(b.rb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};1!==b.feedPosition&&(c.feedPosition=b.feedPosition);if(a){c.debugData={slotId:b.slotId};var d=b.Wb;if(d){var e={type:CP.get(d.triggerType)||"TRIGGER_TYPE_UNSPECIFIED"};"trigger_type_layout_id_entered"===d.triggerType&&(e.layoutIdEnteredTriggerData={enteredLayoutId:d.B}); -c.debugData.slotEntryTriggerData=e}}return c}; -ipa=function(a,b){var c={type:hpa.get(b.layoutType)||"LAYOUT_TYPE_UNSPECIFIED",controlFlowManagerLayer:gpa.get(b.rb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};a&&(c.debugData={layoutId:b.layoutId});return c}; -kpa=function(a,b,c,d){b={opportunityType:jpa.get(b)||"OPPORTUNITY_TYPE_UNSPECIFIED"};a&&(d||c)&&(b.debugData={slots:g.Pc(d||[],function(e){return DP(a,e)}), -associatedSlotId:c});return b}; -FP=function(a,b){return function(c){return lpa(EP(a),b.slotId,b.Xa,b.feedPosition,b.rb,b.Wb,c.layoutId,c.layoutType,c.rb)}}; -lpa=function(a,b,c,d,e,f,h,l,m){return{adClientDataEntry:{slotData:DP(a,{slotId:b,Xa:c,feedPosition:d,rb:e,Wb:f,oe:[],cf:[],xa:new AP([])}),layoutData:ipa(a,{layoutId:h,layoutType:l,rb:m,uf:[],vf:[],tf:[],wf:[],Yd:new Map,xa:new AP([]),Ye:{}})}}}; -GP=function(a){this.ya=a;this.u=.1>Math.random()}; -EP=function(a){return a.u||g.R(a.ya.get().J.T().experiments,"html5_force_debug_data_for_client_tmp_logs")}; -HP=function(a,b,c,d){g.B.call(this);this.B=b;this.Bb=c;this.ya=d;this.u=a(this,this,this,this,this);g.C(this,this.u);a=g.q(b);for(b=a.next();!b.done;b=a.next())g.C(this,b.value)}; -IP=function(a,b){a.B.add(b);g.C(a,b)}; -KP=function(a,b,c){fH(c,b,void 0,void 0,c.Sk);JP(a,b,!0)}; -npa=function(a,b,c){if(LP(a.u,b))if(MP(a.u,b).D=c?"filled":"not_filled",null===c){NP(a.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_EMPTY",b);c=g.q(a.B);for(var d=c.next();!d.done;d=c.next())d.value.zi(b);JP(a,b,!1)}else{NP(a.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_NON_EMPTY",b,c);var e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.Ai(b);if(MP(a.u,b).F)JP(a,b,!1);else{NP(a.Bb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_LAYOUT_REQUESTED",b,c);try{var f=a.u;if(!MP(f,b))throw new OP("Unknown slotState for onLayout"); -if(!f.Mc.pj.get(b.Xa))throw new OP("No LayoutRenderingAdapterFactory registered for slot of type: "+b.Xa);if(g.ob(c.uf)&&g.ob(c.vf)&&g.ob(c.tf)&&g.ob(c.wf))throw new OP("Layout has no exit triggers.");PP(f,0,c.uf);PP(f,1,c.vf);PP(f,2,c.tf);PP(f,6,c.wf)}catch(n){QP(a,b,c,n);JP(a,b,!0);return}a.u.ym(b);try{var h=a.u,l=MP(h,b),m=h.Mc.pj.get(b.Xa).get().u(h.D,h.B,b,c);m.init();l.layout=c;if(l.C)throw new OP("Already had LayoutRenderingAdapter registered for slot");l.C=m;RP(h,l,0,c.uf);RP(h,l,1,c.vf); -RP(h,l,2,c.tf);RP(h,l,6,c.wf)}catch(n){SP(a,b);JP(a,b,!0);QP(a,b,c,n);return}NP(a.Bb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.zh(b,c);SP(a,b);mpa(a,b)}}}; -opa=function(a,b,c){NP(a.Bb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.zh(b,c)}; -ppa=function(a,b){aJ(a.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLMENT_CANCELLED",b);LP(a.u,b)&&(MP(a.u,b).D="fill_canceled",JP(a,b,!1))}; -qpa=function(a,b,c){NP(a.Bb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.Kd(b,c)}; -BK=function(a,b,c,d){NP(a.Bb,epa(d),b,c);a=g.q(a.B);for(var e=a.next();!e.done;e=a.next())e.value.Ud(b,c,d)}; -QP=function(a,b,c,d){fH(d,b,c,void 0,d.Sk);JP(a,b,!0)}; -SP=function(a,b){if(LP(a.u,b)){MP(a.u,b).ym=!1;var c=TP,d=MP(a.u,b),e=[].concat(g.la(d.K));pb(d.K);c(a,e)}}; -TP=function(a,b){b.sort(function(h,l){return h.category===l.category?h.trigger.triggerId.localeCompare(l.trigger.triggerId):h.category-l.category}); -for(var c=new Map,d=g.q(b),e=d.next();!e.done;e=d.next())if(e=e.value,LP(a.u,e.slot))if(MP(a.u,e.slot).ym)MP(a.u,e.slot).K.push(e);else{rpa(a.Bb,e.slot,e,e.layout);var f=c.get(e.category);f||(f=[]);f.push(e);c.set(e.category,f)}d=g.q(spa.entries());for(e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,(e=c.get(e))&&tpa(a,e,f);(d=c.get(3))&&upa(a,d);(d=c.get(4))&&vpa(a,d);(c=c.get(5))&&wpa(a,c)}; -tpa=function(a,b,c){b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=d.value,d.layout&&UP(a.u,d.slot)&&xpa(a,d.slot,d.layout,c)}; -upa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next())JP(a,d.value.slot,!1)}; -vpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;a:switch(MP(a.u,d.slot).D){case "not_filled":var e=!0;break a;default:e=!1}e&&(aJ(a.Bb,"ADS_CLIENT_EVENT_TYPE_FULFILL_SLOT_REQUESTED",d.slot),a.u.Mo(d.slot))}}; -wpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;aJ(a.Bb,"ADS_CLIENT_EVENT_TYPE_ENTER_SLOT_REQUESTED",d.slot);for(var e=g.q(a.B),f=e.next();!f.done;f=e.next())f.value.Ah(d.slot);try{var h=a.u,l=d.slot,m=MP(h,l);if(!m)throw new WG("Got enter request for unknown slot");if(!m.B)throw new WG("Tried to enter slot with no assigned slotAdapter");if("scheduled"!==m.u)throw new WG("Tried to enter a slot from stage: "+m.u);if(VP(m))throw new WG("Got enter request for already active slot"); -for(var n=g.q(WP(h,l.Xa+"_"+l.feedPosition).values()),p=n.next();!p.done;p=n.next()){var r=p.value;if(m!==r&&VP(r)){e=void 0;var t=h;f=r;var w=l,x=XP(t.oa.get(),1,!1),y=TG(t.Ca.get(),1),D=dH(f.layout),F=f.slot.Wb,G=ypa(t,F),O=eH(F,G),K=w.xa.u.has("metadata_type_fulfilled_layout")?dH(AO(w.xa,"metadata_type_fulfilled_layout")):"unknown",Ja=w.Wb,va=ypa(t,Ja),Va=eH(Ja,va);t=G;w=va;if(t&&w){if(t.start>w.start){var Jb=g.q([w,t]);t=Jb.next().value;w=Jb.next().value}e=t.end>w.start}else e=!1;throw new WG("Trying to enter a slot when a slot of same type is already active.", -{details:x+" |"+(O+" |"+Va),activeSlotStatus:f.u,activeLayout:D?D:"empty",enteringLayout:K,hasOverlap:String(e),contentCpn:y.clientPlaybackNonce,contentVideoId:y.videoId});}}}catch(bb){fH(bb,d.slot,YP(a.u,d.slot),void 0,bb.Sk);JP(a,d.slot,!0);continue}d=MP(a.u,d.slot);"scheduled"!==d.u&&ZP(d.slot,d.u,"enterSlot");d.u="enter_requested";d.B.Uv()}}; -mpa=function(a,b){var c;if(LP(a.u,b)&&VP(MP(a.u,b))&&YP(a.u,b)&&!UP(a.u,b)){NP(a.Bb,"ADS_CLIENT_EVENT_TYPE_ENTER_LAYOUT_REQUESTED",b,null!==(c=YP(a.u,b))&&void 0!==c?c:void 0);var d=MP(a.u,b);"entered"!==d.u&&ZP(d.slot,d.u,"enterLayoutForSlot");d.u="rendering";d.C.startRendering(d.layout)}}; -xpa=function(a,b,c,d){if(LP(a.u,b)){var e=a.Bb,f;var h=(null===(f=dpa.get(d))||void 0===f?void 0:f.cq)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED";NP(e,h,b,c);a=MP(a.u,b);"rendering"!==a.u&&ZP(a.slot,a.u,"exitLayout");a.u="rendering_stop_requested";a.C.Ok(c,d)}}; -JP=function(a,b,c){if(LP(a.u,b)){if(a.u.Xw(b)||a.u.Vw(b))if(MP(a.u,b).F=!0,!c)return;if(VP(MP(a.u,b)))MP(a.u,b).F=!0,zpa(a,b,c);else if(a.u.Yw(b))MP(a.u,b).F=!0,LP(a.u,b)&&(aJ(a.Bb,"ADS_CLIENT_EVENT_TYPE_CANCEL_SLOT_FULFILLMENT_REQUESTED",b),b=MP(a.u,b),b.D="fill_cancel_requested",b.I.u());else{c=YP(a.u,b);aJ(a.Bb,"ADS_CLIENT_EVENT_TYPE_UNSCHEDULE_SLOT_REQUESTED",b);var d=MP(a.u,b),e=b.Wb,f=d.X.get(e.triggerId);f&&(f.Mg(e),d.X["delete"](e.triggerId));e=g.q(b.oe);for(f=e.next();!f.done;f=e.next()){f= -f.value;var h=d.P.get(f.triggerId);h&&(h.Mg(f),d.P["delete"](f.triggerId))}e=g.q(b.cf);for(f=e.next();!f.done;f=e.next())if(f=f.value,h=d.N.get(f.triggerId))h.Mg(f),d.N["delete"](f.triggerId);null!=d.layout&&(e=d.layout,$P(d,e.uf),$P(d,e.vf),$P(d,e.tf),$P(d,e.wf));d.I=void 0;null!=d.B&&(d.B.release(),d.B=void 0);null!=d.C&&(d.C.release(),d.C=void 0);d=a.u;MP(d,b)&&(d=WP(d,b.Xa+"_"+b.feedPosition))&&d["delete"](b.slotId);aJ(a.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",b);a=g.q(a.B);for(d=a.next();!d.done;d= -a.next())d=d.value,d.Bi(b),c&&d.xi(b,c)}}}; -zpa=function(a,b,c){if(LP(a.u,b)&&VP(MP(a.u,b))){var d=YP(a.u,b);if(d&&UP(a.u,b))xpa(a,b,d,c?"error":"abandoned");else{aJ(a.Bb,"ADS_CLIENT_EVENT_TYPE_EXIT_SLOT_REQUESTED",b);try{var e=MP(a.u,b);if(!e)throw new WG("Cannot exit slot it is unregistered");"enter_requested"!==e.u&&"entered"!==e.u&&"rendering"!==e.u&&ZP(e.slot,e.u,"exitSlot");e.u="exit_requested";if(void 0===e.B)throw e.u="scheduled",new WG("Cannot exit slot because adapter is not defined");e.B.Zv()}catch(f){fH(f,b,void 0,void 0,f.Sk)}}}}; -aQ=function(a){this.slot=a;this.X=new Map;this.P=new Map;this.N=new Map;this.W=new Map;this.C=this.layout=this.B=this.I=void 0;this.ym=this.F=!1;this.K=[];this.u="not_scheduled";this.D="not_filled"}; -VP=function(a){return"enter_requested"===a.u||a.isActive()}; -OP=function(a,b,c){c=void 0===c?!1:c;$a.call(this,a);this.Sk=c;this.args=[];b&&this.args.push(b)}; -bQ=function(a,b,c,d,e,f,h,l){g.B.call(this);this.Mc=a;this.C=b;this.F=c;this.D=d;this.B=e;this.Cb=f;this.oa=h;this.Ca=l;this.u=new Map}; -WP=function(a,b){var c=a.u.get(b);return c?c:new Map}; -MP=function(a,b){return WP(a,b.Xa+"_"+b.feedPosition).get(b.slotId)}; -Apa=function(a){var b=[];a.u.forEach(function(c){c=g.q(c.values());for(var d=c.next();!d.done;d=c.next())b.push(d.value.slot)}); -return b}; -ypa=function(a,b){if(b instanceof cH)return b.B;if(b instanceof bH){var c=uO(a.Cb.get(),b.B);if(c=null===c||void 0===c?void 0:AO(c.xa,"metadata_type_ad_placement_config"))return c=XG(c,0x7ffffffffffff),c instanceof WG?void 0:c.Hg}}; -LP=function(a,b){return null!=MP(a,b)}; -UP=function(a,b){var c=MP(a,b),d;if(d=null!=c.layout)a:switch(c.u){case "rendering":case "rendering_stop_requested":d=!0;break a;default:d=!1}return d}; -YP=function(a,b){var c=MP(a,b);return null!=c.layout?c.layout:null}; -cQ=function(a,b,c){if(g.ob(c))throw new WG("No "+Bpa.get(b)+" triggers found for slot.");c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.Mc.ng.get(d.triggerType))throw new WG("No trigger adapter registered for "+b+" trigger of type: "+d.triggerType);}; -PP=function(a,b,c){c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.Mc.ng.get(d.triggerType))throw new OP("No trigger adapter registered for "+Bpa.get(b)+" trigger of type: "+d.triggerType);}; -RP=function(a,b,c,d){d=g.q(d);for(var e=d.next();!e.done;e=d.next()){e=e.value;var f=a.Mc.ng.get(e.triggerType);f.Jg(c,e,b.slot,b.layout?b.layout:null);b.W.set(e.triggerId,f)}}; -$P=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=a.W.get(d.triggerId);e&&(e.Mg(d),a.W["delete"](d.triggerId))}}; -ZP=function(a,b,c){fH("Slot stage was "+b+" when calling method "+c,a)}; -Cpa=function(a){return dQ(a.Tl).concat(dQ(a.ng)).concat(dQ(a.dj)).concat(dQ(a.Dj)).concat(dQ(a.pj))}; -dQ=function(a){var b=[];a=g.q(a.values());for(var c=a.next();!c.done;c=a.next())c=c.value,c.ii&&b.push(c);return b}; -Epa=function(a){g.B.call(this);this.u=a;this.B=Dpa(this)}; -Dpa=function(a){var b=new HP(function(c,d,e,f){return new bQ(a.u.Mc,c,d,e,f,a.u.Cb,a.u.oa,a.u.Ca)},new Set(Cpa(a.u.Mc).concat(a.u.listeners)),a.u.Bb,a.u.ya); -g.C(a,b);return b}; -eQ=function(a){g.B.call(this);var b=this;this.B=a;this.u=null;g.dg(this,function(){g.eg(b.u);b.u=null})}; -X=function(a){return new eQ(a)}; -Ipa=function(a,b,c,d,e){b=g.q(b);for(var f=b.next();!f.done;f=b.next())f=f.value,fQ(a,f.renderer,f.config.adPlacementConfig.kind);f=Array.from(a.values()).filter(function(n){return Fpa(n)}); -a=[];b={};f=g.q(f);for(var h=f.next();!h.done;b={pm:b.pm},h=f.next()){b.pm=h.value;h={};for(var l=g.q(b.pm.cv),m=l.next();!m.done;h={Jj:h.Jj},m=l.next())h.Jj=m.value,m=function(n,p){return function(r){return n.Jj.OA(r,p.pm.adVideoId,p.pm.instreamVideoAdRenderer.elementId,n.Jj.hA)}}(h,b),"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===h.Jj.wm?a.push(Gpa(c,d,h.Jj.iA,e,h.Jj.adSlotLoggingData,m)):a.push(Hpa(c,d,e,b.pm.instreamVideoAdRenderer.elementId,h.Jj.adSlotLoggingData,m))}return a}; -fQ=function(a,b,c){if(b=Jpa(b)){b=g.q(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.externalVideoId){var e=Kpa(a,d.externalVideoId);e.instreamVideoAdRenderer||(e.instreamVideoAdRenderer=d,e.Ds=c)}else fH("InstreamVideoAdRenderer without externalVideoId")}}; -Jpa=function(a){var b=[],c=a.sandwichedLinearAdRenderer&&a.sandwichedLinearAdRenderer.linearAd&&a.sandwichedLinearAdRenderer.linearAd.instreamVideoAdRenderer;if(c)return b.push(c),b;if(a.instreamVideoAdRenderer)return b.push(a.instreamVideoAdRenderer),b;if(a.linearAdSequenceRenderer&&a.linearAdSequenceRenderer.linearAds){a=g.q(a.linearAdSequenceRenderer.linearAds);for(c=a.next();!c.done;c=a.next())c=c.value,c.instreamVideoAdRenderer&&b.push(c.instreamVideoAdRenderer);return b}return null}; -Fpa=function(a){if(void 0===a.instreamVideoAdRenderer)return fH("AdPlacementSupportedRenderers without matching InstreamVideoAdRenderer"),!1;for(var b=g.q(a.cv),c=b.next();!c.done;c=b.next()){c=c.value;if(void 0===c.OA)return!1;if(void 0===c.hA)return fH("AdPlacementConfig for AdPlacementSupportedRenderers that matches an InstreamVideoAdRenderer is undefined"),!1;if(void 0===a.Ds||void 0===c.wm||a.Ds!==c.wm&&"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"!==c.wm)return!1;if(void 0===a.instreamVideoAdRenderer.elementId)return fH("InstreamVideoAdRenderer has no elementId", -void 0,void 0,{kind:a.Ds,"matching APSR kind":c.wm}),!1;if("AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===c.wm&&void 0===c.iA)return fH("Command Triggered AdPlacementSupportedRenderer's AdPlacementRenderer does not have an element ID"),!1}return!0}; -Kpa=function(a,b){a.has(b)||a.set(b,{instreamVideoAdRenderer:void 0,Ds:void 0,adVideoId:b,cv:[]});return a.get(b)}; -gQ=function(a,b,c,d,e,f,h){d?Kpa(a,d).cv.push({iA:b,wm:c,hA:e,adSlotLoggingData:f,OA:h}):fH("Companion AdPlacementSupportedRenderer without adVideoId")}; -Npa=function(a,b,c,d,e,f,h){if(!Lpa(a))return new WG("Invalid InstreamVideoAdRenderer for SlidingText.",{instreamVideoAdRenderer:a});var l=a.additionalPlayerOverlay.slidingTextPlayerOverlayRenderer;return[Mpa(f,b,c,d,function(m){var n=h(m);m=m.slotId;m=hQ(e.Sa.get(),"layout_type_sliding_text_player_overlay",m);var p={layoutId:m,layoutType:"layout_type_sliding_text_player_overlay",rb:"core"},r=new iQ(e.u,d);return{layoutId:m,layoutType:"layout_type_sliding_text_player_overlay",Yd:new Map,uf:[r],vf:[], -tf:[],wf:[],rb:"core",xa:new AP([new LJ(l)]),Ye:n(p)}})]}; -Lpa=function(a){a=((null===a||void 0===a?void 0:a.additionalPlayerOverlay)||{}).slidingTextPlayerOverlayRenderer;if(!a)return!1;var b=a.slidingMessages;return a.title&&b&&0!==b.length?!0:!1}; -Spa=function(a,b,c,d,e){var f;if(null===(f=a.playerOverlay)||void 0===f||!f.instreamSurveyAdRenderer)return function(){return[]}; -if(!Opa(a))return function(){return new WG("Received invalid InstreamVideoAdRenderer for DAI survey.",{instreamVideoAdRenderer:a})}; -var h=a.playerOverlay.instreamSurveyAdRenderer,l=Ppa(h);return 0>=l?function(){return new WG("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=Qpa(m,c,d,function(t){var w=n(t); -t=t.slotId;t=hQ(e.Sa.get(),"layout_type_survey",t);var x={layoutId:t,layoutType:"layout_type_survey",rb:"core"},y=new iQ(e.u,d),D=new jQ(e.u,l,t),F=new kQ(e.u,t),G=new lQ(e.u,t),O=new Rpa(e.u);return{layoutId:t,layoutType:"layout_type_survey",Yd:new Map,uf:[y,D,O],vf:[F],tf:[],wf:[G],rb:"core",xa:new AP([new KJ(h),new FJ(b),new eK(l/1E3)]),Ye:w(x)}}),r=Npa(a,c,p.slotId,d,e,m,n); -return r instanceof WG?r:[p].concat(g.la(r))}}; -Ppa=function(a){var b=0;a=g.q(a.questions);for(var c=a.next();!c.done;c=a.next())b+=c.value.instreamSurveyAdMultiSelectQuestionRenderer.surveyAdQuestionCommon.durationMilliseconds;return b}; -Opa=function(a){a=((null===a||void 0===a?void 0:a.playerOverlay)||{}).instreamSurveyAdRenderer;if(!a||!a.questions||1!==a.questions.length)return!1;a=a.questions[0].instreamSurveyAdMultiSelectQuestionRenderer;if(null===a||void 0===a||!a.surveyAdQuestionCommon)return!1;a=(a.surveyAdQuestionCommon.instreamAdPlayerOverlay||{}).instreamSurveyAdPlayerOverlayRenderer;var b=((null===a||void 0===a?void 0:a.adInfoRenderer)||{}).adHoverTextButtonRenderer;return((null===a||void 0===a?void 0:a.skipOrPreviewRenderer)|| -{}).skipAdRenderer&&b?!0:!1}; -Vpa=function(a,b,c,d,e){var f=[];try{var h=[],l=Tpa(a,d,function(t){t=Upa(t.slotId,c,b,e(t),d);h=t.WQ;return t.kI}); -f.push(l);for(var m=g.q(h),n=m.next();!n.done;n=m.next()){var p=n.value,r=p(a,e);if(r instanceof WG)return r;f.push.apply(f,g.la(r))}}catch(t){return new WG(t,{errorMessage:t.message,AdPlacementRenderer:c})}return f}; -Upa=function(a,b,c,d,e){var f=b.config.adPlacementConfig,h=f.adTimeOffset||{},l=h.offsetEndMilliseconds;h=Number(h.offsetStartMilliseconds);if(isNaN(h))throw new TypeError("Expected valid start offset");var m=Number(l);if(isNaN(m))throw new TypeError("Expected valid end offset");l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null===l||void 0===l||!l.length)throw new TypeError("Expected linear ads");var n=[],p={YF:h,ZF:0,UQ:n};l=l.map(function(t){return Wpa(a,t,p,c,d,f,e,m)}).map(function(t, -w){var x=new tH(w,n); -return t(x)}); -var r=l.map(function(t){return t.lI}); -return{kI:Xpa(c,a,h,r,f,new Map([["ad_placement_start",b.placementStartPings||[]],["ad_placement_end",b.placementEndPings||[]]]),Ypa(b),d,m),WQ:l.map(function(t){return t.VQ})}}; -Wpa=function(a,b,c,d,e,f,h,l){var m=b.instreamVideoAdRenderer;if(!m)throw new TypeError("Expected instream video ad renderer");if(!m.playerVars)throw new TypeError("Expected player vars in url encoded string");var n=Vp(m.playerVars);b=Number(n.length_seconds);if(isNaN(b))throw new TypeError("Expected valid length seconds in player vars");var p=Zpa(n,m);if(!p)throw new TypeError("Expected valid video id in IVAR");var r=c.YF,t=c.ZF,w=Number(m.trimmedMaxNonSkippableAdDurationMs),x=isNaN(w)?b:Math.min(b, -w/1E3),y=Math.min(r+1E3*x,l);c.YF=y;c.ZF++;c.UQ.push(x);var D=m.pings?uH(m.pings):new Map;c=m.playerOverlay||{};var F=void 0===c.instreamAdPlayerOverlayRenderer?null:c.instreamAdPlayerOverlayRenderer;return function(G){var O=m.adLayoutLoggingData,K=m.sodarExtensionData,Ja=hQ(d.Sa.get(),"layout_type_media",a),va={layoutId:Ja,layoutType:"layout_type_media",rb:"adapter"};G={layoutId:Ja,layoutType:"layout_type_media",Yd:D,uf:[],vf:[],tf:[],wf:[],rb:"adapter",xa:new AP([new IJ(h),new SJ(x),new TJ(n),new VJ(r), -new WJ(y),new XJ(t),new PJ({current:null}),F&&new JJ(F),new FJ(f),new HJ(p),new GJ(G),K&&new UJ(K)].filter($pa)),Ye:e(va),adLayoutLoggingData:O};O=Spa(m,f,h,G.layoutId,d);return{lI:G,VQ:O}}}; -Zpa=function(a,b){var c=a.video_id;if(c||(c=b.externalVideoId))return c}; -Ypa=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; -bqa=function(a,b,c,d,e,f,h,l){a=aqa(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=hQ(b.Sa.get(),"layout_type_forecasting",n);var p={layoutId:n,layoutType:"layout_type_forecasting",rb:"core"},r=new Map,t=e.impressionUrls;t&&r.set("impression",t);return{layoutId:n,layoutType:"layout_type_forecasting",Yd:r,uf:[new mQ(b.u,n)],vf:[],tf:[],wf:[],rb:"core",xa:new AP([new ZJ(e),new FJ(c)]),Ye:m(p)}}); -return a instanceof WG?a:[a]}; -dqa=function(a,b,c,d,e,f,h,l){a=cqa(a,c,f,h,d,function(m,n){var p=m.slotId,r=l(m),t=e.contentSupportedRenderer;t?t.textOverlayAdContentRenderer?(t=hQ(b.Sa.get(),"layout_type_in_video_text_overlay",p),r=nQ(b,t,"layout_type_in_video_text_overlay",e,c,r,oQ(b,n,p))):t.enhancedTextOverlayAdContentRenderer?(t=hQ(b.Sa.get(),"layout_type_in_video_enhanced_text_overlay",p),r=nQ(b,t,"layout_type_in_video_enhanced_text_overlay",e,c,r,oQ(b,n,p))):t.imageOverlayAdContentRenderer?(t=hQ(b.Sa.get(),"layout_type_in_video_image_overlay", -p),p=oQ(b,n,p),p.push(new jQ(b.u,45E3,t)),r=nQ(b,t,"layout_type_in_video_image_overlay",e,c,r,p)):r=new OP("InvideoOverlayAdRenderer without appropriate sub renderer"):r=new OP("InvideoOverlayAdRenderer without contentSupportedRenderer");return r}); -return a instanceof WG?a:[a]}; -eqa=function(){return[]}; -fqa=function(a){var b;return null!=a.elementId&&null!=a.playerVars&&null!=a.playerOverlay&&null!=(null===(b=a.playerOverlay)||void 0===b?void 0:b.instreamAdPlayerOverlayRenderer)&&null!=a.pings&&null!=a.externalVideoId}; -hqa=function(a,b,c,d,e,f,h,l,m,n,p){if(!e.playerVars)return new WG("No playerVars available in InstreamVideoAdRenderer.");if(!fqa(e))return new WG("Received invalid VOD InstreamVideoAdRenderer",{instreamVideoAdRenderer:e});var r=Vp(e.playerVars),t=Number(r.length_seconds);if(isNaN(t))return new WG("Expected valid length seconds in player vars");r.iv_load_policy=p;l.Tf&&(r.ctrl=l.Tf);l.Le&&(r.ytr=l.Le);l.Xi&&(r.ytrcc=l.Xi);l.isMdxPlayback&&(r.mdx="1");r.vvt&&(r.vss_credentials_token=r.vvt,l.qg&&(r.vss_credentials_token_type= -l.qg),l.mdxEnvironment&&(r.mdx_environment=l.mdxEnvironment));var w=n.get(e.externalVideoId);a=gqa(a,c,f,h,d,function(x){var y=new tH(0,[t]);x=m(x);var D=e.elementId,F={layoutId:D,layoutType:"layout_type_media",rb:"core"};y=[new FJ(c),new GJ(y),new HJ(e.externalVideoId),new IJ(f),new JJ(e.playerOverlay.instreamAdPlayerOverlayRenderer),new gK({impressionCommands:e.impressionCommands,onAbandonCommands:e.onAbandonCommands,completeCommands:e.completeCommands,adVideoProgressCommands:e.adVideoProgressCommands}), -new TJ(r),new PJ({current:null}),new SJ(t)];var G=hQ(b.Sa.get(),"layout_type_media_layout_player_overlay",pQ(b.Sa.get(),"slot_type_in_player"));y.push(new NJ(G));e.adNextParams&&y.push(new yJ(e.adNextParams));e.clickthroughEndpoint&&y.push(new zJ(e.clickthroughEndpoint));e.legacyInfoCardVastExtension&&y.push(new fK(e.legacyInfoCardVastExtension));e.sodarExtensionData&&y.push(new UJ(e.sodarExtensionData));w&&y.push(new dK(w));return{layoutId:D,layoutType:"layout_type_media",Yd:uH(e.pings),uf:[new mQ(b.u, -D)],vf:e.skipOffsetMilliseconds?[new kQ(b.u,G)]:[],tf:[new kQ(b.u,G)],wf:[],rb:"core",xa:new AP(y),Ye:x(F),adLayoutLoggingData:e.adLayoutLoggingData}}); -return a instanceof WG?a:[a]}; -qQ=function(a,b,c,d,e,f){this.ab=a;this.wb=b;this.Ya=c;this.u=d;this.Wh=e;this.loadPolicy=void 0===f?1:f}; -UG=function(a,b,c,d,e,f,h){var l,m,n,p,r,t,w,x,y,D,F,G=[];if(0===b.length)return G;b=b.filter(VG);for(var O=new Map,K=new Map,Ja=g.q(b),va=Ja.next();!va.done;va=Ja.next())(va=va.value.renderer.remoteSlotsRenderer)&&va.hostElementId&&K.set(va.hostElementId,va);Ja=g.q(b);for(va=Ja.next();!va.done;va=Ja.next()){va=va.value;var Va=iqa(a,O,va,d,e,f,h,K);Va instanceof WG?fH(Va,void 0,void 0,{renderer:va.renderer,config:va.config.adPlacementConfig,kind:va.config.adPlacementConfig.kind,contentCpn:d,daiEnabled:f}): -G.push.apply(G,g.la(Va))}if(null===a.u||f)return a=f&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null===(m=null===(l=b[0].config)||void 0===l?void 0:l.adPlacementConfig)||void 0===m?void 0:m.kind)&&(null===(n=b[0].renderer)||void 0===n?void 0:n.adBreakServiceRenderer),G.length||a||fH("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(t=null===(r=null===(p=b[0])||void 0===p?void 0:p.config)|| -void 0===r?void 0:r.adPlacementConfig)||void 0===t?void 0:t.kind,renderer:null===(w=b[0])||void 0===w?void 0:w.renderer}),G;c=c.filter(VG);G.push.apply(G,g.la(Ipa(O,c,a.ab.get(),a.u,d)));G.length||fH("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(D=null===(y=null===(x=b[0])||void 0===x?void 0:x.config)||void 0===y?void 0:y.adPlacementConfig)||void 0===D?void 0:D.kind,renderer:null===(F=b[0])|| -void 0===F?void 0:F.renderer});return G}; -iqa=function(a,b,c,d,e,f,h,l){function m(w){return FP(a.Ya.get(),w)} -var n=c.renderer,p=c.config.adPlacementConfig,r=p.kind,t=c.adSlotLoggingData;if(null!=n.actionCompanionAdRenderer)gQ(b,c.elementId,r,n.actionCompanionAdRenderer.adVideoId,p,t,function(w,x,y,D){var F=a.wb.get(),G=n.actionCompanionAdRenderer,O=FP(a.Ya.get(),w);return rQ(F,w.slotId,"layout_type_companion_with_action_button",new xJ(G),x,y,D,G.impressionPings,G.impressionCommands,O,n.actionCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.imageCompanionAdRenderer)gQ(b,c.elementId,r,n.imageCompanionAdRenderer.adVideoId,p,t,function(w,x,y,D){var F=a.wb.get(),G=n.imageCompanionAdRenderer,O=FP(a.Ya.get(),w);return rQ(F,w.slotId,"layout_type_companion_with_image",new BJ(G),x,y,D,G.impressionPings,G.impressionCommands,O,n.imageCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.shoppingCompanionCarouselRenderer)gQ(b,c.elementId,r,n.shoppingCompanionCarouselRenderer.adVideoId,p,t,function(w,x,y,D){var F=a.wb.get(),G=n.shoppingCompanionCarouselRenderer,O=FP(a.Ya.get(),w);return rQ(F,w.slotId,"layout_type_companion_with_shopping",new CJ(G),x,y,D,G.impressionPings,G.impressionEndpoints,O,n.shoppingCompanionCarouselRenderer.adLayoutLoggingData)}); -else{if(n.adBreakServiceRenderer){if(!ZG(c))return[];if(f&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===p.kind){if(!a.Wh)return new WG("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");jqa(a.Wh,{adPlacementRenderer:c,contentCpn:d,JA:e});return[]}return Vma(a.ab.get(),p,t,c.renderer.adBreakServiceRenderer,d,e,f)}if(n.clientForecastingAdRenderer)return bqa(a.ab.get(),a.wb.get(),p,t,n.clientForecastingAdRenderer,d,e,m);if(n.invideoOverlayAdRenderer)return dqa(a.ab.get(), -a.wb.get(),p,t,n.invideoOverlayAdRenderer,d,e,m);if(n.linearAdSequenceRenderer){if(f)return Vpa(a.ab.get(),a.wb.get(),c,d,m);fQ(b,n,r);return eqa(a.ab.get(),a.wb.get())}if((!n.remoteSlotsRenderer||f)&&n.instreamVideoAdRenderer&&!f)return fQ(b,n,r),hqa(a.ab.get(),a.wb.get(),p,t,n.instreamVideoAdRenderer,d,e,h,m,l,a.loadPolicy)}return[]}; -sQ=function(a){g.B.call(this);this.u=a}; -RG=function(a,b,c,d){a.u().Dg(b,d);c=c();a=a.u();tQ(a.Bb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.q(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;aJ(d.Bb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.u;if(g.rc(c.slotId))throw new WG("Slot ID was empty");if(MP(e,c))throw new WG("Duplicate registration for slot.");if(!e.Mc.dj.has(c.Xa))throw new WG("No fulfillment adapter factory registered for slot of type: "+c.Xa);if(!e.Mc.Dj.has(c.Xa))throw new WG("No SlotAdapterFactory registered for slot of type: "+ -c.Xa);cQ(e,5,c.Wb?[c.Wb]:[]);cQ(e,4,c.oe);cQ(e,3,c.cf);var f=d.u,h=c.Xa+"_"+c.feedPosition,l=WP(f,h);if(MP(f,c))throw new WG("Duplicate slots not supported");l.set(c.slotId,new aQ(c));f.u.set(h,l)}catch(Yd){fH(Yd,c,void 0,void 0,Yd.Sk);break a}d.u.ym(c);try{var m=d.u,n=MP(m,c),p=c.Wb,r=m.Mc.ng.get(p.triggerType);r&&(r.Jg(5,p,c,null),n.X.set(p.triggerId,r));for(var t=g.q(c.oe),w=t.next();!w.done;w=t.next()){var x=w.value,y=m.Mc.ng.get(x.triggerType);y&&(y.Jg(4,x,c,null),n.P.set(x.triggerId,y))}for(var D= -g.q(c.cf),F=D.next();!F.done;F=D.next()){var G=F.value,O=m.Mc.ng.get(G.triggerType);O&&(O.Jg(3,G,c,null),n.N.set(G.triggerId,O))}var K=m.Mc.dj.get(c.Xa).get(),Ja=m.C,va=c;var Va=uQ(va,{Se:["metadata_type_fulfilled_layout"]})?new vQ(Ja,va):K.u(Ja,va);n.I=Va;var Jb=m.Mc.Dj.get(c.Xa).get().u(m.F,c);Jb.init();n.B=Jb}catch(Yd){fH(Yd,c,void 0,void 0,Yd.Sk);JP(d,c,!0);break a}aJ(d.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.u.lg(c);va=g.q(d.B);for(var bb=va.next();!bb.done;bb=va.next())bb.value.lg(c); -SP(d,c)}}; -wQ=function(a,b,c,d){g.B.call(this);var e=this;this.kb=a;this.ab=b;this.vb=c;this.u=new Map;d.get().addListener(this);g.dg(this,function(){d.get().removeListener(e)})}; -Sma=function(a,b){var c=0x8000000000000;for(var d=0,e=g.q(b.oe),f=e.next();!f.done;f=e.next())f=f.value,f instanceof cH?(c=Math.min(c,f.B.start),d=Math.max(d,f.B.end)):fH("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new On(c,d);d="throttledadcuerange:"+b.slotId;a.u.set(d,b);a.vb.get().addCueRange(d,c.start,c.end,!1,a)}; -xQ=function(){g.B.apply(this,arguments);this.ii=!0;this.u=new Map;this.B=new Map}; -uO=function(a,b){for(var c=g.q(a.B.values()),d=c.next();!d.done;d=c.next()){d=g.q(d.value);for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.layoutId===b)return e}fH("Trying to retrieve an unknown layout")}; -yQ=function(){this.B=new Map;this.u=new Map;this.C=new Map}; -pQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.B.get(b)||0;a.B.set(b,c+1);return b+"_"+c}return is()}; -hQ=function(a,b,c){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var d=a.u.get(b)||0;a.u.set(b,d+1);return c+"_"+b+"_"+d}return is()}; -zQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.C.get(b)||0;a.C.set(b,c+1);return b+"_"+c}return is()}; -kqa=function(a,b){this.layoutId=b;this.triggerType="trigger_type_close_requested";this.triggerId=a(this.triggerType)}; -iQ=function(a,b){this.C=b;this.triggerType="trigger_type_layout_id_exited";this.triggerId=a(this.triggerType)}; -lqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; -AQ=function(a,b){this.C=b;this.Xa="slot_type_player_bytes";this.layoutType="layout_type_media";this.triggerType="trigger_type_on_different_layout_id_entered";this.triggerId=a(this.triggerType)}; -BQ=function(a,b){this.C=b;this.Xa="slot_type_in_player";this.triggerType="trigger_type_on_different_slot_id_enter_requested";this.triggerId=a(this.triggerType)}; -mQ=function(a,b){this.layoutId=b;this.triggerType="trigger_type_on_layout_self_exit_requested";this.triggerId=a(this.triggerType)}; -mqa=function(a,b){this.opportunityType="opportunity_type_ad_break_service_response_received";this.associatedSlotId=b;this.triggerType="trigger_type_on_opportunity_received";this.triggerId=a(this.triggerType)}; -Rpa=function(a){this.triggerType="trigger_type_playback_minimized";this.triggerId=a(this.triggerType)}; -kQ=function(a,b){this.B=b;this.triggerType="trigger_type_skip_requested";this.triggerId=a(this.triggerType)}; -lQ=function(a,b){this.B=b;this.triggerType="trigger_type_survey_submitted";this.triggerId=a(this.triggerType)}; -jQ=function(a,b,c){this.durationMs=b;this.layoutId=c;this.triggerType="trigger_type_time_relative_to_layout_enter";this.triggerId=a(this.triggerType)}; -nqa=function(a,b,c,d,e,f){a=c.cC?c.cC:hQ(f,"layout_type_media_layout_player_overlay",a);var h={layoutId:a,layoutType:"layout_type_media_layout_player_overlay",rb:b};return{layoutId:a,layoutType:"layout_type_media_layout_player_overlay",Yd:new Map,uf:[new iQ(function(l){return zQ(f,l)},c.Wy)], -vf:[],tf:[],wf:[],rb:b,xa:d,Ye:e(h),adLayoutLoggingData:c.adLayoutLoggingData}}; -CQ=function(a,b){var c=this;this.ya=a;this.Sa=b;this.u=function(d){return zQ(c.Sa.get(),d)}}; -DQ=function(a,b,c,d,e){return nqa(b,c,d,new AP([new MJ(d.Wy),new JJ(d.instreamAdPlayerOverlayRenderer),new OJ(d.kQ),new FJ(d.adPlacementConfig),new SJ(d.videoLengthSeconds),new eK(d.TJ)]),e,a.Sa.get())}; -rQ=function(a,b,c,d,e,f,h,l,m,n,p){b=hQ(a.Sa.get(),c,b);var r={layoutId:b,layoutType:c,rb:"core"},t=new Map;l?t.set("impression",l):m&&fH("Companion Ad Renderer without impression Pings but does have impressionCommands",void 0,void 0,{"impressionCommands length":m.length,adPlacementKind:h.kind,companionType:d.u()});return{layoutId:b,layoutType:c,Yd:t,uf:[new mQ(a.u,b),new AQ(a.u,f)],vf:[],tf:[],wf:[],rb:"core",xa:new AP([d,new HJ(e),new FJ(h)]),Ye:n(r),adLayoutLoggingData:p}}; -oQ=function(a,b,c){var d=[];d.push(new BQ(a.u,c));g.R(a.ya.get().J.T().experiments,"html5_make_pacf_in_video_overlay_evictable")||b&&d.push(b);return d}; -nQ=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,rb:"core"};return{layoutId:b,layoutType:c,Yd:new Map,uf:h,vf:[new kqa(a.u,b)],tf:[],wf:[],rb:"core",xa:new AP([new AJ(d),new FJ(e)]),Ye:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; -Xpa=function(a,b,c,d,e,f,h,l,m){d.every(function(p){return zP(p,[],["layout_type_media"])})||fH("Unexpect subLayout type for DAI composite layout"); -b=hQ(a.Sa.get(),"layout_type_composite_player_bytes",b);var n={layoutId:b,layoutType:"layout_type_composite_player_bytes",rb:"core"};return{layoutId:b,layoutType:"layout_type_composite_player_bytes",Yd:f,uf:[new lqa(a.u)],vf:[],tf:[],wf:[],rb:"core",xa:new AP([new VJ(c),new WJ(m),new QJ(d),new FJ(e),new $J(h)]),Ye:l(n)}}; -$pa=function(a){return null!=a}; -EQ=function(a,b,c){this.B=b;this.visible=c;this.triggerType="trigger_type_after_content_video_id_ended";this.triggerId=a(this.triggerType)}; -FQ=function(a,b,c){this.layoutId=b;this.slotId=c;this.triggerType="trigger_type_layout_id_active_and_slot_id_has_exited";this.triggerId=a(this.triggerType)}; -oqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED";this.triggerId=a(this.triggerType)}; -GQ=function(a,b,c){this.C=b;this.B=c;this.triggerType="trigger_type_not_in_media_time_range";this.triggerId=a(this.triggerType)}; -HQ=function(a,b){this.B=b;this.triggerType="trigger_type_on_new_playback_after_content_video_id";this.triggerId=a(this.triggerType)}; -IQ=function(a,b){this.slotId=b;this.triggerType="trigger_type_on_element_self_enter_requested";this.triggerId=a(this.triggerType)}; -JQ=function(a,b){this.u=b;this.triggerType="trigger_type_slot_id_entered";this.triggerId=a(this.triggerType)}; -KQ=function(a,b){this.u=b;this.triggerType="trigger_type_slot_id_exited";this.triggerId=a(this.triggerType)}; -LQ=function(a,b){this.u=b;this.triggerType="trigger_type_slot_id_fulfilled_empty";this.triggerId=a(this.triggerType)}; -MQ=function(a,b){this.u=b;this.triggerType="trigger_type_slot_id_fulfilled_non_empty";this.triggerId=a(this.triggerType)}; -NQ=function(a,b){this.u=b;this.triggerType="trigger_type_slot_id_scheduled";this.triggerId=a(this.triggerType)}; -OQ=function(a){var b=this;this.Sa=a;this.u=function(c){return zQ(b.Sa.get(),c)}}; -YG=function(a,b,c,d,e,f){f=void 0===f?[]:f;var h=pQ(a.Sa.get(),"slot_type_ad_break_request"),l=[];d.Km&&d.Km.start!==d.Hg.start&&l.push(new cH(a.u,c,new On(d.Km.start,d.Hg.start),!1));l.push(new cH(a.u,c,new On(d.Hg.start,d.Hg.end),d.Xt));d={getAdBreakUrl:b.getAdBreakUrl,wF:d.Hg.start,vF:d.Hg.end};b=new MQ(a.u,h);f=[new bK(d)].concat(g.la(f));return{slotId:h,Xa:"slot_type_ad_break_request",feedPosition:1,Wb:b,oe:l,cf:[new HQ(a.u,c),new KQ(a.u,h),new LQ(a.u,h)],rb:"core",xa:new AP(f),adSlotLoggingData:e}}; -qqa=function(a,b,c){var d=[];c=g.q(c);for(var e=c.next();!e.done;e=c.next())d.push(pqa(a,b,e.value));return d}; -pqa=function(a,b,c){return null!=c.u&&c.u===a?c.clone(b):c}; -rqa=function(a,b,c,d){var e=pQ(a.Sa.get(),"slot_type_in_player");c=new bH(a.u,c);var f={slotId:e,Xa:"slot_type_in_player",feedPosition:1,rb:"core",Wb:c};return{slotId:e,Xa:"slot_type_in_player",feedPosition:1,Wb:c,oe:[new JQ(a.u,e)],cf:[new HQ(a.u,b),new KQ(a.u,e)],rb:"core",xa:new AP([new aK(d(f))])}}; -cqa=function(a,b,c,d,e,f){var h=PQ(a,b,c,d);if(h instanceof WG)return h;h instanceof cH&&(h=new cH(a.u,h.D,h.B,h.visible,h.C,!0));d=h instanceof cH?new GQ(a.u,c,h.B):null;b=pQ(a.Sa.get(),"slot_type_in_player");f=f({slotId:b,Xa:"slot_type_in_player",feedPosition:1,rb:"core",Wb:h},d);return f instanceof OP?new WG(f):{slotId:b,Xa:"slot_type_in_player",feedPosition:1,Wb:h,oe:[new JQ(a.u,b)],cf:[new HQ(a.u,c),new KQ(a.u,b)],rb:"core",xa:new AP([new aK(f)]),adSlotLoggingData:e}}; -Qpa=function(a,b,c,d){var e=pQ(a.Sa.get(),"slot_type_in_player");c=new bH(a.u,c);var f={slotId:e,Xa:"slot_type_in_player",feedPosition:1,rb:"core",Wb:c};return{slotId:e,Xa:"slot_type_in_player",feedPosition:1,Wb:c,oe:[new JQ(a.u,e)],cf:[new HQ(a.u,b),new KQ(a.u,e)],rb:"core",xa:new AP([new aK(d(f))])}}; -Mpa=function(a,b,c,d,e){var f=pQ(a.Sa.get(),"slot_type_in_player");c=new FQ(a.u,d,c);d={slotId:f,Xa:"slot_type_in_player",feedPosition:1,rb:"core",Wb:c};return{slotId:f,Xa:"slot_type_in_player",feedPosition:1,Wb:c,oe:[new JQ(a.u,f)],cf:[new HQ(a.u,b)],rb:"core",xa:new AP([new aK(e(d))])}}; -Hpa=function(a,b,c,d,e,f){var h=pQ(a.Sa.get(),b);return sqa(a,h,b,new bH(a.u,d),c,e,f)}; -Gpa=function(a,b,c,d,e,f){return sqa(a,c,b,new IQ(a.u,c),d,e,f)}; -Tpa=function(a,b,c){var d=pQ(a.Sa.get(),"slot_type_player_bytes"),e=new oqa(a.u),f={slotId:d,Xa:"slot_type_player_bytes",feedPosition:1,rb:"core",Wb:e};return{slotId:d,Xa:"slot_type_player_bytes",feedPosition:1,Wb:e,oe:[new NQ(a.u,d)],cf:[new HQ(a.u,b)],rb:"core",xa:new AP([new aK(c(f)),new YJ({})])}}; -gqa=function(a,b,c,d,e,f){var h=pQ(a.Sa.get(),"slot_type_player_bytes");b=PQ(a,b,c,d);if(b instanceof WG)return b;d={slotId:h,Xa:"slot_type_player_bytes",feedPosition:1,rb:"core",Wb:b};return{slotId:h,Xa:"slot_type_player_bytes",feedPosition:1,Wb:b,oe:[new JQ(a.u,h)],cf:[new KQ(a.u,h),new HQ(a.u,c)],rb:"core",xa:new AP([new aK(f(d))]),adSlotLoggingData:e}}; -aqa=function(a,b,c,d,e,f){var h=pQ(a.Sa.get(),"slot_type_forecasting");b=PQ(a,b,c,d);if(b instanceof WG)return b;d={slotId:h,Xa:"slot_type_forecasting",feedPosition:1,rb:"core",Wb:b};return{slotId:h,Xa:"slot_type_forecasting",feedPosition:1,Wb:b,oe:[new JQ(a.u,h)],cf:[new KQ(a.u,h),new HQ(a.u,c)],rb:"core",xa:new AP([new aK(f(d))]),adSlotLoggingData:e}}; -PQ=function(a,b,c,d){var e=!b.hideCueRangeMarker;switch(b.kind){case "AD_PLACEMENT_KIND_START":return new $G(a.u,c);case "AD_PLACEMENT_KIND_MILLISECONDS":b=XG(b,d);if(b instanceof WG)return b;b=b.Hg;return new cH(a.u,c,b,e,b.end===d);case "AD_PLACEMENT_KIND_END":return new EQ(a.u,c,e);default:return new WG("Cannot construct entry trigger",{kind:b.kind})}}; -sqa=function(a,b,c,d,e,f,h){var l={slotId:b,Xa:c,feedPosition:1,rb:"core",Wb:d};return{slotId:b,Xa:c,feedPosition:1,Wb:d,oe:[new JQ(a.u,b)],cf:[new HQ(a.u,e),new KQ(a.u,b)],rb:"core",xa:new AP([new aK(h(l))]),adSlotLoggingData:f}}; -QQ=function(a,b,c){g.B.call(this);this.ya=a;this.u=b;this.Ca=c;this.eventCount=0}; -aJ=function(a,b,c){tQ(a,b,void 0,void 0,void 0,c,void 0,void 0,c.adSlotLoggingData,void 0)}; -NP=function(a,b,c,d){tQ(a,b,void 0,void 0,void 0,c,d?d:void 0,void 0,void 0,d?d.adLayoutLoggingData:void 0)}; -rpa=function(a,b,c,d){g.R(a.ya.get().J.T().experiments,"html5_control_flow_include_trigger_logging_in_tmp_logs")&&tQ(a,"ADS_CLIENT_EVENT_TYPE_TRIGGER_ACTIVATED",void 0,void 0,void 0,b,d?d:void 0,c)}; -tQ=function(a,b,c,d,e,f,h,l,m,n){if(g.R(a.ya.get().J.T().experiments,"html5_enable_ads_client_monitoring_log")&&!g.R(a.ya.get().J.T().experiments,"html5_disable_client_tmp_logs")&&"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"!==b){var p=EP(a.u.get());b={eventType:b,eventOrder:++a.eventCount};var r=g.Q(a.ya.get().J.T().experiments,"html5_experiment_id_label"),t={organicPlaybackContext:{contentCpn:TG(a.Ca.get(),1).clientPlaybackNonce}};t.organicPlaybackContext.isLivePlayback=TG(a.Ca.get(),1).Bg;0=.25*d||c)&&tO(a.Fa,"first_quartile");(b>=.5*d||c)&&tO(a.Fa,"midpoint");(b>=.75*d||c)&&tO(a.Fa,"third_quartile")}; -Wqa=function(a,b){VK(a.Hc.get(),AO(a.layout.xa,"metadata_type_ad_placement_config").kind,b,1,1,!1)}; -AR=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w){this.Nd=a;this.B=b;this.Da=c;this.bb=d;this.Xc=e;this.Tc=f;this.Ca=h;this.oa=l;this.vb=m;this.Hc=n;this.kc=p;this.bd=r;this.Xb=t;this.fd=w}; -BR=function(a,b,c,d,e,f,h,l){g.B.call(this);this.B=a;this.u=b;this.C=c;this.kb=d;this.ab=e;this.Ya=f;this.ya=h;this.Ca=l;this.ii=!0}; -Xqa=function(a){var b;return WQ(a.ya.get())||(null===(b=TG(a.Ca.get()))||void 0===b?0:b.daiEnabled)&&gM(a.ya.get())?!0:!1}; -CR=function(a){var b,c=null===(b=AO(a.xa,"metadata_type_player_bytes_callback_ref"))||void 0===b?void 0:b.current;if(c){var d=a.layoutId,e=AO(a.xa,"metadata_type_content_cpn"),f=AO(a.xa,"metadata_type_instream_ad_player_overlay_renderer"),h=AO(a.xa,"metadata_type_ad_placement_config"),l=AO(a.xa,"metadata_type_video_length_seconds");var m=a.xa.u.has("METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds")?AO(a.xa,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"):a.xa.u.has("metadata_type_layout_enter_ms")&&a.xa.u.has("metadata_type_layout_exit_ms")? -(AO(a.xa,"metadata_type_layout_exit_ms")-AO(a.xa,"metadata_type_layout_enter_ms"))/1E3:void 0;a={Wy:d,contentCpn:e,kQ:c,instreamAdPlayerOverlayRenderer:f,adPlacementConfig:h,videoLengthSeconds:l,TJ:m,adLayoutLoggingData:a.adLayoutLoggingData,cC:AO(a.xa,"metadata_type_linked_in_player_layout_id")}}else a=null;return a}; -Yqa=function(a,b){this.callback=a;this.slot=b}; -DR=function(){}; -Zqa=function(a,b,c){this.callback=a;this.slot=b;this.oa=c}; -$qa=function(a,b,c){this.callback=a;this.slot=b;this.oa=c;this.u=!1}; -ara=function(a){a.u&&(a.oa.get().u(),a.u=!1)}; -ER=function(a){this.oa=a}; -FR=function(a,b,c,d){this.category=a;this.trigger=b;this.slot=c;this.layout=d}; -GR=function(a){g.B.call(this);this.qx=a;this.gb=new Map}; -HR=function(a,b){GR.call(this,a);var c=this;b.get().addListener(this);g.dg(this,function(){b.get().removeListener(c)})}; -IR=function(a){g.B.call(this);this.u=a;this.ii=!0;this.gb=new Map;this.F=new Set;this.C=new Set;this.D=new Set;this.I=new Set;this.B=new Set}; -JR=function(a,b){g.B.call(this);var c=this;this.u=a;this.gb=new Map;b.get().addListener(this);g.dg(this,function(){b.get().removeListener(c)})}; -bra=function(a,b,c){var d=[];a=g.q(a.values());for(var e=a.next();!e.done;e=a.next())e=e.value,e.trigger instanceof HQ&&e.trigger.B===b===c&&d.push(e);return d}; -cra=function(a,b){for(var c=[],d=g.q(a.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger instanceof $G&&e.trigger.B===b&&c.push(e);return c}; -KR=function(a,b,c,d){g.B.call(this);var e=this;this.C=a;this.vb=b;this.oa=c;this.Ca=d;this.gb=new Map;this.u=new Set;this.B=new Set;c.get().addListener(this);g.dg(this,function(){c.get().removeListener(e)})}; -LR=function(a,b,c,d,e,f,h,l,m,n){if(TG(a.Ca.get(),1).clientPlaybackNonce!==m)throw new WG("Cannot register CueRange-based trigger for different content CPN",{trigger:c});a.gb.set(c.triggerId,{bundle:new FR(b,c,d,e),Dm:f});a.vb.get().addCueRange(f,h,l,n,a)}; -dra=function(a,b){for(var c=g.q(a.gb.entries()),d=c.next();!d.done;d=c.next()){var e=g.q(d.value);d=e.next().value;e=e.next().value;if(b===e.Dm)return d}return""}; -MR=function(a){g.B.call(this);this.C=a;this.ii=!0;this.gb=new Map;this.B=this.u=null}; -NR=function(a,b){for(var c=[],d=g.q(a.gb.values()),e=d.next();!e.done;e=d.next())if(e=e.value,e.trigger instanceof mQ){var f;if(f=e.trigger.layoutId===b)f=(f=spa.get(e.category))?"normal"===f:!1;f&&c.push(e)}c.length&&TP(a.C(),c)}; -OR=function(a){g.B.call(this);this.u=a;this.ii=!0;this.gb=new Map}; -PR=function(a,b,c,d,e,f){g.B.call(this);this.C=a;this.Ed=b;this.Ya=c;this.Ca=d;this.ya=e;this.Sa=f;this.u=this.B=null;this.Ed.get().addListener(this)}; -QR=function(a,b){this.Xu=a;this.ya=b}; -era=function(a,b){if(!a)return{Rg:[],jm:!0};a.trackingParams&&xL(wL(),a.trackingParams);if(a.adThrottled)return{Rg:[],jm:!0};var c=a.playerAds;if(!c||!c.length)return{Rg:[],jm:!1};c=c.map(function(e){return e.adPlacementRenderer}).filter(function(e){return!(!e||!e.renderer)}); -if(!c.length)return{Rg:[],jm:!1};if(0=e||0>=c||g.T(b,16)||g.T(b,32)||(xR(c,.25*e,d)&&tO(a.Fa,"first_quartile"),xR(c,.5*e,d)&&tO(a.Fa,"midpoint"),xR(c,.75*e,d)&&tO(a.Fa,"third_quartile"))}; -ora=function(a){return Object.assign(Object.assign({},ZR(a)),{adPlacementConfig:AO(a.xa,"metadata_type_ad_placement_config"),subLayouts:AO(a.xa,"metadata_type_sub_layouts").map(ZR)})}; -ZR=function(a){return{enterMs:AO(a.xa,"metadata_type_layout_enter_ms"),exitMs:AO(a.xa,"metadata_type_layout_exit_ms")}}; -$R=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,x,y,D){this.Nd=a;this.B=b;this.Ca=c;this.Rf=d;this.oa=e;this.Da=f;this.Cc=h;this.Fd=l;this.bb=m;this.Xc=n;this.Tc=p;this.vb=r;this.Hc=t;this.kc=w;this.bd=x;this.Xb=y;this.fd=D}; -aS=function(a,b,c,d,e,f){g.B.call(this);var h=this;this.kb=a;this.ab=b;this.Ca=c;this.Fd=e;this.oa=f;this.u=null;d.get().addListener(this);g.dg(this,function(){d.get().removeListener(h)}); -e.get().addListener(this);g.dg(this,function(){e.get().removeListener(h)})}; -jqa=function(a,b){if(TG(a.Ca.get(),1).daiEnabled&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===b.adPlacementRenderer.config.adPlacementConfig.kind)if(a.u)fH("Unexpected multiple fetch instructions for the current content");else{a.u=b;for(var c=g.q(a.Fd.get().u),d=c.next();!d.done;d=c.next())pra(a,a.u,d.value)}}; -pra=function(a,b,c){var d=XP(a.oa.get(),1,!1);RG(a.kb.get(),"opportunity_type_live_stream_break_signal",function(){var e=a.ab.get();var f=1E3*c.startSecs;f={Hg:new On(f,f+1E3*c.durationSecs),Xt:!1};var h=c.startSecs+c.durationSecs;f.Km=c.startSecs<=d?new On(1E3*(c.startSecs-4),1E3*h):new On(1E3*Math.floor(d+Math.random()*Math.max(0,c.startSecs-d-10)),1E3*h);return[YG(e,b.adPlacementRenderer.renderer.adBreakServiceRenderer,b.contentCpn,f,b.adPlacementRenderer.adSlotLoggingData,[new RJ(c)])]})}; -bS=function(a,b){var c;g.B.call(this);var d=this;this.D=a;this.B=new Map;this.C=new Map;this.u=null;b.get().addListener(this);g.dg(this,function(){b.get().removeListener(d)}); -this.u=(null===(c=b.get().u)||void 0===c?void 0:c.slotId)||null}; -qra=function(a,b){for(var c=[],d=g.q(a.values()),e=d.next();!e.done;e=d.next())e=e.value,e.slot.slotId===b&&c.push(e);return c}; -cS=function(a,b,c,d){g.B.call(this);this.J=a;this.Ca=b;this.ya=c;this.Da=d;this.listeners=[];this.B=new Set;this.u=[];this.D=new HK(this,xqa(c.get()));this.C=new IK;rra(this)}; -kra=function(a,b,c){return JK(a.C,b,c)}; -rra=function(a){var b,c=a.J.getVideoData(1);c.subscribe("cuepointupdated",a.Kx,a);a.B.clear();a.u.length=0;c=(null===(b=c.ma)||void 0===b?void 0:Qz(b,0))||[];a.Kx(c)}; -sra=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START";default:throw Error("Unexpected cuepoint event");}}; -tra=function(a){this.J=a}; -vra=function(a,b,c){ura(a.J,b,c)}; -dS=function(a){g.B.call(this);this.C=a;this.ii=!0;this.gb=new Map;this.u=new Map;this.B=new Map}; -wra=function(a,b){var c=[],d=a.u.get(b.layoutId);if(d){d=g.q(d);for(var e=d.next();!e.done;e=d.next())(e=a.B.get(e.value.triggerId))&&c.push(e)}return c}; -eS=function(){this.listeners=new Set}; -fS=function(a,b,c,d,e,f,h,l){pR.call(this,a,b,c,d);this.Da=e;this.Nd=f;this.pd=l;this.ii=!0;this.Yg=null;this.ko="image-companion";this.Qk=AO(c.xa,"metadata_type_ad_video_id");IP(this.Nd(),this);a=AO(c.xa,"metadata_type_ad_placement_config");this.Fa=new nO(c.Yd,this.Da,a,c.layoutId)}; -xra=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_ad_video_id"];oO().forEach(function(b){a.push(b)}); -return{Se:a,nh:["layout_type_companion_with_image"]}}; -gS=function(a,b,c,d,e,f,h,l){pR.call(this,a,b,c,d);this.Da=e;this.Nd=f;this.pd=l;this.ii=!0;this.Yg=null;this.ko="shopping-companion";this.Qk=AO(c.xa,"metadata_type_ad_video_id");IP(this.Nd(),this);a=AO(c.xa,"metadata_type_ad_placement_config");this.Fa=new nO(c.Yd,this.Da,a,c.layoutId)}; -yra=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_ad_video_id"];oO().forEach(function(b){a.push(b)}); -return{Se:a,nh:["layout_type_companion_with_shopping"]}}; -zra=function(a,b,c,d,e){this.Mb=a;this.Da=b;this.Nd=c;this.pd=d;this.bb=e}; -hS=function(a,b,c,d,e,f,h,l,m,n){pR.call(this,f,a,b,e);this.Da=c;this.u=h;this.oa=l;this.Xb=m;this.ya=n;this.Fa=BO(b,c)}; -Ara=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];oO().forEach(function(b){a.push(b)}); -return{Se:a,nh:["layout_type_in_video_text_overlay","layout_type_in_video_enhanced_text_overlay"]}}; -iS=function(a,b,c,d,e,f,h,l,m,n,p){pR.call(this,f,a,b,e);this.Da=c;this.u=h;this.D=l;this.oa=m;this.Xb=n;this.ya=p;this.Fa=BO(b,c)}; -Bra=function(a){a=void 0===a?null:a;return null==a||(a=a.thumbnail,null==a||null==a.thumbnails||g.ob(a.thumbnails)||null==a.thumbnails[0].width||null==a.thumbnails[0].height)?new g.he(0,0):new g.he(a.thumbnails[0].width||0,a.thumbnails[0].height||0)}; -jS=function(a,b,c,d,e,f,h,l,m){this.Mb=a;this.oa=b;this.Da=c;this.pd=d;this.bb=e;this.B=f;this.C=h;this.Xb=l;this.ya=m}; -kS=function(a){g.B.call(this);this.u=a;this.gb=new Map}; -lS=function(a,b){for(var c=[],d=g.q(a.gb.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.layoutId===b.layoutId&&c.push(e);c.length&&TP(a.u(),c)}; -mS=function(a,b,c){g.B.call(this);this.C=a;this.oi=b;this.Sa=c;this.u=this.B=void 0;this.oi.get().addListener(this)}; -Cra=function(a,b,c,d,e){g.B.call(this);var f=this;this.Sa=X(function(){return new yQ}); -g.C(this,this.Sa);this.wb=X(function(){return new CQ(f.ya,f.Sa)}); -g.C(this,this.wb);this.Cb=X(function(){return new xQ}); -g.C(this,this.Cb);this.kb=X(function(){return new sQ(a)}); -g.C(this,this.kb);this.ab=X(function(){return new OQ(f.Sa)}); -g.C(this,this.ab);this.Cc=X(function(){return new RQ}); -g.C(this,this.Cc);this.bd=X(function(){return new tI(b.T())}); -g.C(this,this.bd);this.Mb=X(function(){return new RR(b)}); -g.C(this,this.Mb);this.Xb=X(function(){return new gR(e)}); -g.C(this,this.Xb);this.Hc=X(function(){return new TK(b)}); -g.C(this,this.Hc);this.vb=X(function(){return new TQ(b)}); -g.C(this,this.vb);this.Tc=X(function(){return new TR(b)}); -g.C(this,this.Tc);this.kc=X(function(){return new UR(b)}); -g.C(this,this.kc);this.ya=X(function(){return new UQ(b)}); -g.C(this,this.ya);this.Pc=X(function(){return new QR(d,f.ya)}); -g.C(this,this.Pc);this.Ya=X(function(){return new GP(f.ya)}); -g.C(this,this.Ya);this.fc=X(function(){return new qQ(f.ab,f.wb,f.Ya,"slot_type_above_feed",f.Wh)}); -g.C(this,this.fc);this.fd=X(function(){return new VR(b)}); -g.C(this,this.fd);this.Ed=X(function(){return new WR}); -g.C(this,this.Ed);this.oi=X(function(){return new eS}); -g.C(this,this.oi);this.Ca=X(function(){return new eR(b,f.Cc)}); -g.C(this,this.Ca);this.Bb=new QQ(this.ya,this.Ya,this.Ca);g.C(this,this.Bb);this.Fd=X(function(){return new cS(b,f.Ca,f.ya,f.Da)}); -g.C(this,this.Fd);this.Rf=X(function(){return new tra(b)}); -g.C(this,this.Rf);this.oa=X(function(){return new fR(b)}); -g.C(this,this.oa);this.Xc=X(function(){return new hR}); -this.bb=X(function(){return new XQ(f.oa,b)}); -g.C(this,this.bb);this.Da=X(function(){return new $Q(b,f.Cb,f.bb,f.Ca)}); -g.C(this,this.Da);this.Ie=new BR(CR,nS,function(l,m,n,p){return DQ(f.wb.get(),l,m,n,p)},this.kb,this.ab,this.Ya,this.ya,this.Ca); -g.C(this,this.Ie);this.Hb=new gH(this.kb,this.fc,c,this.ya,a,this.Ca);g.C(this,this.Hb);var h=new SQ(b,this.Hb,this.oa,this.ya,this.Fd);this.yd=X(function(){return h}); -this.yj=h;this.Wh=new aS(this.kb,this.ab,this.Ca,this.yd,this.Fd,this.oa);g.C(this,this.Wh);this.Nc=new wQ(this.kb,this.ab,this.vb,this.yd);g.C(this,this.Nc);this.Ib=new QG(this.kb,this.ab,this.fc,this.Ca,this.Nc,c);g.C(this,this.Ib);this.re=X(function(){return new kR(f.Pc,f.wb,f.Ya,f.ya)}); -g.C(this,this.re);this.qc=X(function(){return new lR}); -g.C(this,this.qc);this.cd=new HR(a,this.Mb);g.C(this,this.cd);this.Va=new IR(a);g.C(this,this.Va);this.dl=new kS(a);g.C(this,this.dl);this.dd=new JR(a,this.yd);g.C(this,this.dd);this.Sc=new KR(a,this.vb,this.oa,this.Ca);g.C(this,this.Sc);this.Il=new bS(a,this.Ca);g.C(this,this.Il);this.Sb=new MR(a);g.C(this,this.Sb);this.Ge=new OR(a);g.C(this,this.Ge);this.km=new dS(a);g.C(this,this.km);this.jc=X(function(){return new DR}); -g.C(this,this.jc);this.Je=X(function(){return new ER(f.oa)}); -g.C(this,this.Je);this.eA=X(function(){return new zra(f.Mb,f.Da,a,f.Cb,f.bb)}); -g.C(this,this.eA);this.qe=X(function(){return new nR(f.Ib)}); -g.C(this,this.qe);this.se=X(function(){return new oR(f.Da,f.Sb,f.bb)}); -g.C(this,this.se);this.He=X(function(){return new $R(a,f.Sb,f.Ca,f.Rf,f.oa,f.Da,f.Cc,f.Fd,f.bb,f.Xc,f.Tc,f.vb,f.Hc,f.kc,f.bd,f.Xb,f.fd)}); -g.C(this,this.He);this.gh=X(function(){return new jS(f.Mb,f.oa,f.Da,f.Cb,f.bb,f.dl,f.km,f.Xb,f.ya)}); -g.C(this,this.gh);this.av=new mS(a,this.oi,this.Sa);g.C(this,this.av);this.Aj=new PR(a,this.Ed,this.Ya,this.Ca,this.ya,this.Sa);g.C(this,this.Aj);this.Mc={Tl:new Map([["opportunity_type_ad_break_service_response_received",this.Ib],["opportunity_type_live_stream_break_signal",this.Wh],["opportunity_type_player_bytes_media_layout_entered",this.Ie],["opportunity_type_player_response_received",this.Hb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.Nc]]),dj:new Map([["slot_type_ad_break_request", -this.re],["slot_type_above_feed",this.qc],["slot_type_forecasting",this.qc],["slot_type_in_player",this.qc],["slot_type_player_bytes",this.qc]]),ng:new Map([["trigger_type_skip_requested",this.cd],["trigger_type_layout_id_entered",this.Va],["trigger_type_layout_id_exited",this.Va],["trigger_type_on_different_layout_id_entered",this.Va],["trigger_type_slot_id_entered",this.Va],["trigger_type_slot_id_exited",this.Va],["trigger_type_slot_id_fulfilled_empty",this.Va],["trigger_type_slot_id_fulfilled_non_empty", -this.Va],["trigger_type_slot_id_scheduled",this.Va],["trigger_type_on_different_slot_id_enter_requested",this.Va],["trigger_type_close_requested",this.dl],["trigger_type_before_content_video_id_started",this.dd],["trigger_type_after_content_video_id_ended",this.Sc],["trigger_type_media_time_range",this.Sc],["trigger_type_not_in_media_time_range",this.Sc],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Il],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Il],["trigger_type_on_layout_self_exit_requested", -this.Sb],["trigger_type_on_element_self_enter_requested",this.Sb],["trigger_type_on_new_playback_after_content_video_id",this.dd],["trigger_type_on_opportunity_received",this.Ge],["trigger_type_time_relative_to_layout_enter",this.km]]),Dj:new Map([["slot_type_above_feed",this.jc],["slot_type_ad_break_request",this.jc],["slot_type_forecasting",this.jc],["slot_type_in_player",this.jc],["slot_type_player_bytes",this.Je]]),pj:new Map([["slot_type_above_feed",this.eA],["slot_type_ad_break_request",this.qe], -["slot_type_forecasting",this.se],["slot_type_player_bytes",this.He],["slot_type_in_player",this.gh]])};this.listeners=[this.Cb.get()];this.le={Ib:this.Ib,Rk:this.Sb,rj:this.Ed.get(),ag:this.ya.get(),Ck:this.oa.get(),Hb:this.Hb,qj:this.oi.get(),wh:this.cd,fg:this.Cb.get()}}; -Dra=function(a,b,c,d,e){g.B.call(this);var f=this;this.Sa=X(function(){return new yQ}); -g.C(this,this.Sa);this.wb=X(function(){return new CQ(f.ya,f.Sa)}); -g.C(this,this.wb);this.Cb=X(function(){return new xQ}); -g.C(this,this.Cb);this.kb=X(function(){return new sQ(a)}); -g.C(this,this.kb);this.ab=X(function(){return new OQ(f.Sa)}); -g.C(this,this.ab);this.Cc=X(function(){return new RQ}); -g.C(this,this.Cc);this.bd=X(function(){return new tI(b.T())}); -g.C(this,this.bd);this.Mb=X(function(){return new RR(b)}); -g.C(this,this.Mb);this.Xb=X(function(){return new gR(e)}); -g.C(this,this.Xb);this.Hc=X(function(){return new TK(b)}); -g.C(this,this.Hc);this.vb=X(function(){return new TQ(b)}); -g.C(this,this.vb);this.Tc=X(function(){return new TR(b)}); -g.C(this,this.Tc);this.kc=X(function(){return new UR(b)}); -g.C(this,this.kc);this.ya=X(function(){return new UQ(b)}); -g.C(this,this.ya);this.Pc=X(function(){return new QR(d,f.ya)}); -g.C(this,this.Pc);this.Ya=X(function(){return new GP(f.ya)}); -g.C(this,this.Ya);this.fc=X(function(){return new qQ(f.ab,f.wb,f.Ya,null,null)}); -g.C(this,this.fc);this.fd=X(function(){return new VR(b)}); -g.C(this,this.fd);this.Ed=X(function(){return new WR}); -g.C(this,this.Ed);this.oi=X(function(){return new eS}); -g.C(this,this.oi);this.Ca=X(function(){return new eR(b,f.Cc)}); -g.C(this,this.Ca);this.Bb=new QQ(this.ya,this.Ya,this.Ca);g.C(this,this.Bb);this.oa=X(function(){return new fR(b)}); -g.C(this,this.oa);this.bb=X(function(){return new XQ(f.oa,b)}); -g.C(this,this.bb);this.Da=X(function(){return new $Q(b,f.Cb,f.bb,f.Ca)}); -g.C(this,this.Da);this.Xc=X(function(){return new hR}); -g.C(this,this.Xc);this.Ie=new BR(CR,nS,function(l,m,n,p){return DQ(f.wb.get(),l,m,n,p)},this.kb,this.ab,this.Ya,this.ya,this.Ca); -g.C(this,this.Ie);this.Hb=new gH(this.kb,this.fc,c,this.ya,a,this.Ca);g.C(this,this.Hb);var h=new SQ(b,this.Hb,this.oa,this.ya);this.yd=X(function(){return h}); -this.yj=h;this.Nc=new wQ(this.kb,this.ab,this.vb,this.yd);g.C(this,this.Nc);this.Ib=new QG(this.kb,this.ab,this.fc,this.Ca,this.Nc,c);g.C(this,this.Ib);this.re=X(function(){return new kR(f.Pc,f.wb,f.Ya,f.ya)}); -g.C(this,this.re);this.qc=X(function(){return new lR}); -g.C(this,this.qc);this.cd=new HR(a,this.Mb);g.C(this,this.cd);this.Va=new IR(a);g.C(this,this.Va);this.dl=new kS(a);g.C(this,this.dl);this.dd=new JR(a,this.yd);g.C(this,this.dd);this.Sc=new KR(a,this.vb,this.oa,this.Ca);g.C(this,this.Sc);this.Sb=new MR(a);g.C(this,this.Sb);this.Ge=new OR(a);g.C(this,this.Ge);this.km=new dS(a);g.C(this,this.km);this.jc=X(function(){return new DR}); -g.C(this,this.jc);this.Je=X(function(){return new ER(f.oa)}); -g.C(this,this.Je);this.qe=X(function(){return new nR(f.Ib)}); -g.C(this,this.qe);this.se=X(function(){return new oR(f.Da,f.Sb,f.bb)}); -g.C(this,this.se);this.gh=X(function(){return new jS(f.Mb,f.oa,f.Da,f.Cb,f.bb,f.dl,f.km,f.Xb,f.ya)}); -g.C(this,this.gh);this.He=X(function(){return new AR(a,f.Sb,f.Da,f.bb,f.Xc,f.Tc,f.Ca,f.oa,f.vb,f.Hc,f.kc,f.bd,f.Xb,f.fd)}); -g.C(this,this.He);this.av=new mS(a,this.oi,this.Sa);g.C(this,this.av);this.Aj=new PR(a,this.Ed,this.Ya,this.Ca,this.ya,this.Sa);g.C(this,this.Aj);this.Mc={Tl:new Map([["opportunity_type_ad_break_service_response_received",this.Ib],["opportunity_type_player_bytes_media_layout_entered",this.Ie],["opportunity_type_player_response_received",this.Hb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.Nc]]),dj:new Map([["slot_type_ad_break_request",this.re],["slot_type_forecasting",this.qc], -["slot_type_in_player",this.qc],["slot_type_player_bytes",this.qc]]),ng:new Map([["trigger_type_skip_requested",this.cd],["trigger_type_layout_id_entered",this.Va],["trigger_type_layout_id_exited",this.Va],["trigger_type_on_different_layout_id_entered",this.Va],["trigger_type_slot_id_entered",this.Va],["trigger_type_slot_id_exited",this.Va],["trigger_type_slot_id_fulfilled_empty",this.Va],["trigger_type_slot_id_fulfilled_non_empty",this.Va],["trigger_type_slot_id_scheduled",this.Va],["trigger_type_on_different_slot_id_enter_requested", -this.Va],["trigger_type_close_requested",this.dl],["trigger_type_before_content_video_id_started",this.dd],["trigger_type_after_content_video_id_ended",this.Sc],["trigger_type_media_time_range",this.Sc],["trigger_type_not_in_media_time_range",this.Sc],["trigger_type_on_layout_self_exit_requested",this.Sb],["trigger_type_on_element_self_enter_requested",this.Sb],["trigger_type_on_new_playback_after_content_video_id",this.dd],["trigger_type_on_opportunity_received",this.Ge],["trigger_type_time_relative_to_layout_enter", -this.km]]),Dj:new Map([["slot_type_ad_break_request",this.jc],["slot_type_forecasting",this.jc],["slot_type_in_player",this.jc],["slot_type_player_bytes",this.Je]]),pj:new Map([["slot_type_ad_break_request",this.qe],["slot_type_forecasting",this.se],["slot_type_in_player",this.gh],["slot_type_player_bytes",this.He]])};this.listeners=[this.Cb.get()];this.le={Ib:this.Ib,Rk:null,rj:this.Ed.get(),ag:this.ya.get(),Ck:this.oa.get(),Hb:this.Hb,qj:this.oi.get(),wh:this.cd,fg:this.Cb.get()}}; -Era=function(a,b,c,d,e){g.B.call(this);var f=this;this.Sa=X(function(){return new yQ}); -g.C(this,this.Sa);this.wb=X(function(){return new CQ(f.ya,f.Sa)}); -g.C(this,this.wb);this.Cb=X(function(){return new xQ}); -g.C(this,this.Cb);this.kb=X(function(){return new sQ(a)}); -g.C(this,this.kb);this.ab=X(function(){return new OQ(f.Sa)}); -g.C(this,this.ab);this.Cc=X(function(){return new RQ}); -g.C(this,this.Cc);this.bd=X(function(){return new tI(b.T())}); -g.C(this,this.bd);this.Mb=X(function(){return new RR(b)}); -g.C(this,this.Mb);this.Xb=X(function(){return new gR(e)}); -g.C(this,this.Xb);this.Hc=X(function(){return new TK(b)}); -g.C(this,this.Hc);this.vb=X(function(){return new TQ(b)}); -g.C(this,this.vb);this.Tc=X(function(){return new TR(b)}); -g.C(this,this.Tc);this.kc=X(function(){return new UR(b)}); -g.C(this,this.kc);this.ya=X(function(){return new UQ(b)}); -g.C(this,this.ya);this.Pc=X(function(){return new QR(d,f.ya)}); -g.C(this,this.Pc);this.Ya=X(function(){return new GP(f.ya)}); -g.C(this,this.Ya);this.fc=X(function(){return new qQ(f.ab,f.wb,f.Ya,null,null)}); -g.C(this,this.fc);this.fd=X(function(){return new VR(b)}); -g.C(this,this.fd);this.Ed=X(function(){return new WR}); -g.C(this,this.Ed);this.Ca=X(function(){return new eR(b,f.Cc)}); -g.C(this,this.Ca);this.Bb=new QQ(this.ya,this.Ya,this.Ca);g.C(this,this.Bb);this.oa=X(function(){return new fR(b)}); -g.C(this,this.oa);this.bb=X(function(){return new XQ(f.oa,b)}); -g.C(this,this.bb);this.Da=X(function(){return new $Q(b,f.Cb,f.bb,f.Ca)}); -g.C(this,this.Da);this.Xc=X(function(){return new hR}); -g.C(this,this.Xc);this.Ie=new BR(CR,nS,function(l,m,n,p){return DQ(f.wb.get(),l,m,n,p)},this.kb,this.ab,this.Ya,this.ya,this.Ca); -g.C(this,this.Ie);this.Hb=new gH(this.kb,this.fc,c,this.ya,a,this.Ca);g.C(this,this.Hb);var h=new SQ(b,this.Hb,this.oa,this.ya);this.yd=X(function(){return h}); -this.yj=h;this.Nc=new wQ(this.kb,this.ab,this.vb,this.yd);g.C(this,this.Nc);this.Ib=new QG(this.kb,this.ab,this.fc,this.Ca,this.Nc,c);g.C(this,this.Ib);this.re=X(function(){return new kR(f.Pc,f.wb,f.Ya,f.ya)}); -g.C(this,this.re);this.qc=X(function(){return new lR}); -g.C(this,this.qc);this.cd=new HR(a,this.Mb);g.C(this,this.cd);this.Va=new IR(a);g.C(this,this.Va);this.dd=new JR(a,this.yd);g.C(this,this.dd);this.Sc=new KR(a,this.vb,this.oa,this.Ca);g.C(this,this.Sc);this.Sb=new MR(a);g.C(this,this.Sb);this.Ge=new OR(a);g.C(this,this.Ge);this.jc=X(function(){return new DR}); -g.C(this,this.jc);this.Je=X(function(){return new ER(f.oa)}); -g.C(this,this.Je);this.qe=X(function(){return new nR(f.Ib)}); -g.C(this,this.qe);this.se=X(function(){return new oR(f.Da,f.Sb,f.bb)}); -g.C(this,this.se);this.QE=X(function(){return new wR(f.Mb,f.oa,f.Da,f.Cb)}); -g.C(this,this.QE);this.He=X(function(){return new AR(a,f.Sb,f.Da,f.bb,f.Xc,f.Tc,f.Ca,f.oa,f.vb,f.Hc,f.kc,f.bd,f.Xb,f.fd)}); -g.C(this,this.He);this.Aj=new PR(a,this.Ed,this.Ya,this.Ca,this.ya,this.Sa);g.C(this,this.Aj);this.Mc={Tl:new Map([["opportunity_type_ad_break_service_response_received",this.Ib],["opportunity_type_player_bytes_media_layout_entered",this.Ie],["opportunity_type_player_response_received",this.Hb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.Nc]]),dj:new Map([["slot_type_ad_break_request",this.re],["slot_type_forecasting",this.qc],["slot_type_in_player",this.qc],["slot_type_player_bytes", -this.qc]]),ng:new Map([["trigger_type_skip_requested",this.cd],["trigger_type_layout_id_entered",this.Va],["trigger_type_layout_id_exited",this.Va],["trigger_type_on_different_layout_id_entered",this.Va],["trigger_type_slot_id_entered",this.Va],["trigger_type_slot_id_exited",this.Va],["trigger_type_slot_id_fulfilled_empty",this.Va],["trigger_type_slot_id_fulfilled_non_empty",this.Va],["trigger_type_slot_id_scheduled",this.Va],["trigger_type_before_content_video_id_started",this.dd],["trigger_type_after_content_video_id_ended", -this.Sc],["trigger_type_media_time_range",this.Sc],["trigger_type_on_layout_self_exit_requested",this.Sb],["trigger_type_on_element_self_enter_requested",this.Sb],["trigger_type_on_new_playback_after_content_video_id",this.dd],["trigger_type_on_opportunity_received",this.Ge]]),Dj:new Map([["slot_type_ad_break_request",this.jc],["slot_type_above_feed",this.jc],["slot_type_forecasting",this.jc],["slot_type_in_player",this.jc],["slot_type_player_bytes",this.Je]]),pj:new Map([["slot_type_ad_break_request", -this.qe],["slot_type_forecasting",this.se],["slot_type_in_player",this.QE],["slot_type_player_bytes",this.He]])};this.listeners=[this.Cb.get()];this.le={Ib:this.Ib,Rk:null,rj:this.Ed.get(),ag:this.ya.get(),Ck:this.oa.get(),Hb:this.Hb,qj:null,wh:this.cd,fg:this.Cb.get()}}; -Fra=function(a,b,c,d,e){g.B.call(this);var f=this;this.Sa=X(function(){return new yQ}); -g.C(this,this.Sa);this.wb=X(function(){return new CQ(f.ya,f.Sa)}); -g.C(this,this.wb);this.Cb=X(function(){return new xQ}); -g.C(this,this.Cb);this.kb=X(function(){return new sQ(a)}); -g.C(this,this.kb);this.ab=X(function(){return new OQ(f.Sa)}); -g.C(this,this.ab);this.Cc=X(function(){return new RQ}); -g.C(this,this.Cc);this.bd=X(function(){return new tI(b.T())}); -g.C(this,this.bd);this.Mb=X(function(){return new RR(b)}); -g.C(this,this.Mb);this.Xb=X(function(){return new gR(e)}); -g.C(this,this.Xb);this.Hc=X(function(){return new TK(b)}); -g.C(this,this.Hc);this.vb=X(function(){return new TQ(b)}); -g.C(this,this.vb);this.Tc=X(function(){return new TR(b)}); -g.C(this,this.Tc);this.kc=X(function(){return new UR(b)}); -g.C(this,this.kc);this.ya=X(function(){return new UQ(b)}); -g.C(this,this.ya);this.Pc=X(function(){return new QR(d,f.ya)}); -g.C(this,this.Pc);this.Ya=X(function(){return new GP(f.ya)}); -g.C(this,this.Ya);this.fc=X(function(){return new qQ(f.ab,f.wb,f.Ya,null,null)}); -g.C(this,this.fc);this.fd=X(function(){return new VR(b)}); -g.C(this,this.fd);this.Ed=X(function(){return new WR}); -g.C(this,this.Ed);this.Ca=X(function(){return new eR(b,f.Cc)}); -g.C(this,this.Ca);this.Bb=new QQ(this.ya,this.Ya,this.Ca);g.C(this,this.Bb);this.oa=X(function(){return new fR(b)}); -g.C(this,this.oa);this.bb=X(function(){return new XQ(f.oa,b)}); -g.C(this,this.bb);this.Da=X(function(){return new $Q(b,f.Cb,f.bb,f.Ca)}); -g.C(this,this.Da);this.Xc=X(function(){return new hR}); -g.C(this,this.Xc);this.Ie=new BR(CR,nS,function(l,m,n,p){return DQ(f.wb.get(),l,m,n,p)},this.kb,this.ab,this.Ya,this.ya,this.Ca); -g.C(this,this.Ie);this.Hb=new gH(this.kb,this.fc,c,this.ya,a,this.Ca);g.C(this,this.Hb);var h=new SQ(b,this.Hb,this.oa,this.ya);this.yd=X(function(){return h}); -this.yj=h;this.Nc=new wQ(this.kb,this.ab,this.vb,this.yd);g.C(this,this.Nc);this.Ib=new QG(this.kb,this.ab,this.fc,this.Ca,this.Nc,c);g.C(this,this.Ib);this.re=X(function(){return new kR(f.Pc,f.wb,f.Ya,f.ya)}); -g.C(this,this.re);this.qc=X(function(){return new lR}); -g.C(this,this.qc);this.cd=new HR(a,this.Mb);g.C(this,this.cd);this.Va=new IR(a);g.C(this,this.Va);this.dd=new JR(a,this.yd);g.C(this,this.dd);this.Sc=new KR(a,this.vb,this.oa,this.Ca);g.C(this,this.Sc);this.Sb=new MR(a);g.C(this,this.Sb);this.Ge=new OR(a);g.C(this,this.Ge);this.jc=X(function(){return new DR}); -g.C(this,this.jc);this.Je=X(function(){return new ER(f.oa)}); -g.C(this,this.Je);this.qe=X(function(){return new nR(f.Ib)}); -g.C(this,this.qe);this.se=X(function(){return new oR(f.Da,f.Sb,f.bb)}); -g.C(this,this.se);this.gh=X(function(){return new wR(f.Mb,f.oa,f.Da,f.Cb)}); -g.C(this,this.gh);this.He=X(function(){return new AR(a,f.Sb,f.Da,f.bb,f.Xc,f.Tc,f.Ca,f.oa,f.vb,f.Hc,f.kc,f.bd,f.Xb,f.fd)}); -g.C(this,this.He);this.Aj=new PR(a,this.Ed,this.Ya,this.Ca,this.ya,this.Sa);g.C(this,this.Aj);this.Mc={Tl:new Map([["opportunity_type_ad_break_service_response_received",this.Ib],["opportunity_type_player_bytes_media_layout_entered",this.Ie],["opportunity_type_player_response_received",this.Hb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.Nc]]),dj:new Map([["slot_type_ad_break_request",this.re],["slot_type_forecasting",this.qc],["slot_type_in_player",this.qc],["slot_type_player_bytes", -this.qc]]),ng:new Map([["trigger_type_skip_requested",this.cd],["trigger_type_layout_id_entered",this.Va],["trigger_type_layout_id_exited",this.Va],["trigger_type_on_different_layout_id_entered",this.Va],["trigger_type_slot_id_entered",this.Va],["trigger_type_slot_id_exited",this.Va],["trigger_type_slot_id_fulfilled_empty",this.Va],["trigger_type_slot_id_fulfilled_non_empty",this.Va],["trigger_type_slot_id_scheduled",this.Va],["trigger_type_before_content_video_id_started",this.dd],["trigger_type_media_time_range", -this.Sc],["trigger_type_on_layout_self_exit_requested",this.Sb],["trigger_type_on_element_self_enter_requested",this.Sb],["trigger_type_on_new_playback_after_content_video_id",this.dd],["trigger_type_on_opportunity_received",this.Ge]]),Dj:new Map([["slot_type_ad_break_request",this.jc],["slot_type_forecasting",this.jc],["slot_type_in_player",this.jc],["slot_type_player_bytes",this.Je]]),pj:new Map([["slot_type_ad_break_request",this.qe],["slot_type_forecasting",this.se],["slot_type_in_player",this.gh], -["slot_type_player_bytes",this.He]])};this.listeners=[this.Cb.get()];this.le={Ib:this.Ib,Rk:null,rj:this.Ed.get(),ag:this.ya.get(),Ck:this.oa.get(),Hb:this.Hb,qj:null,wh:this.cd,fg:this.Cb.get()}}; -oS=function(a,b,c,d,e,f,h,l){uR.call(this,a,b,c,d,e,f,h);this.tm=l}; -Gra=function(a,b,c,d,e){this.Mb=a;this.oa=b;this.Da=c;this.pd=d;this.tm=e}; -Hra=function(a,b,c,d,e){g.B.call(this);var f=this;this.Sa=X(function(){return new yQ}); -g.C(this,this.Sa);this.wb=X(function(){return new CQ(f.ya,f.Sa)}); -g.C(this,this.wb);this.Cb=X(function(){return new xQ}); -g.C(this,this.Cb);this.kb=X(function(){return new sQ(a)}); -g.C(this,this.kb);this.ab=X(function(){return new OQ(f.Sa)}); -g.C(this,this.ab);this.Cc=X(function(){return new RQ}); -g.C(this,this.Cc);this.tm=X(function(){return new gra(b)}); -g.C(this,this.tm);this.bd=X(function(){return new tI(b.T())}); -g.C(this,this.bd);this.Mb=X(function(){return new RR(b)}); -g.C(this,this.Mb);this.Xb=X(function(){return new gR(e)}); -g.C(this,this.Xb);this.Hc=X(function(){return new TK(b)}); -g.C(this,this.Hc);this.vb=X(function(){return new TQ(b)}); -g.C(this,this.vb);this.Tc=X(function(){return new TR(b)}); -g.C(this,this.Tc);this.kc=X(function(){return new UR(b)}); -g.C(this,this.kc);this.ya=X(function(){return new UQ(b)}); -g.C(this,this.ya);this.Pc=X(function(){return new QR(d,f.ya)}); -g.C(this,this.Pc);this.Ya=X(function(){return new GP(f.ya)}); -g.C(this,this.Ya);this.fc=X(function(){return new qQ(f.ab,f.wb,f.Ya,null,null)}); -g.C(this,this.fc);this.fd=X(function(){return new VR(b)}); -g.C(this,this.fd);this.Ed=X(function(){return new WR}); -g.C(this,this.Ed);this.Ca=X(function(){return new eR(b,f.Cc)}); -g.C(this,this.Ca);this.Bb=new QQ(this.ya,this.Ya,this.Ca);g.C(this,this.Bb);this.oa=X(function(){return new fR(b)}); -g.C(this,this.oa);this.bb=X(function(){return new XQ(f.oa,b)}); -g.C(this,this.bb);this.Da=X(function(){return new $Q(b,f.Cb,f.bb,f.Ca)}); -g.C(this,this.Da);this.Xc=X(function(){return new hR}); -g.C(this,this.Xc);this.Ie=new BR(CR,nS,function(l,m,n,p){return DQ(f.wb.get(),l,m,n,p)},this.kb,this.ab,this.Ya,this.ya,this.Ca); -g.C(this,this.Ie);this.Hb=new gH(this.kb,this.fc,c,this.ya,a,this.Ca);g.C(this,this.Hb);var h=new SQ(b,this.Hb,this.oa,this.ya);this.yd=X(function(){return h}); -this.yj=h;this.Nc=new wQ(this.kb,this.ab,this.vb,this.yd);g.C(this,this.Nc);this.Ib=new QG(this.kb,this.ab,this.fc,this.Ca,this.Nc,c);g.C(this,this.Ib);this.re=X(function(){return new kR(f.Pc,f.wb,f.Ya,f.ya)}); -g.C(this,this.re);this.qc=X(function(){return new lR}); -g.C(this,this.qc);this.cd=new HR(a,this.Mb);g.C(this,this.cd);this.Va=new IR(a);g.C(this,this.Va);this.dd=new JR(a,this.yd);g.C(this,this.dd);this.Sc=new KR(a,this.vb,this.oa,this.Ca);g.C(this,this.Sc);this.Sb=new MR(a);g.C(this,this.Sb);this.Ge=new OR(a);g.C(this,this.Ge);this.jc=X(function(){return new DR}); -g.C(this,this.jc);this.Je=X(function(){return new ER(f.oa)}); -g.C(this,this.Je);this.qe=X(function(){return new nR(f.Ib)}); -g.C(this,this.qe);this.se=X(function(){return new oR(f.Da,f.Sb,f.bb)}); -g.C(this,this.se);this.He=X(function(){return new AR(a,f.Sb,f.Da,f.bb,f.Xc,f.Tc,f.Ca,f.oa,f.vb,f.Hc,f.kc,f.bd,f.Xb,f.fd)}); -g.C(this,this.He);this.IG=X(function(){return new Gra(f.Mb,f.oa,f.Da,f.Cb,f.tm)}); -g.C(this,this.IG);this.Aj=new PR(a,this.Ed,this.Ya,this.Ca,this.ya,this.Sa);g.C(this,this.Aj);this.Mc={Tl:new Map([["opportunity_type_ad_break_service_response_received",this.Ib],["opportunity_type_player_bytes_media_layout_entered",this.Ie],["opportunity_type_player_response_received",this.Hb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.Nc]]),dj:new Map([["slot_type_ad_break_request",this.re],["slot_type_forecasting",this.qc],["slot_type_player_bytes",this.qc]]),ng:new Map([["trigger_type_skip_requested", -this.cd],["trigger_type_layout_id_entered",this.Va],["trigger_type_layout_id_exited",this.Va],["trigger_type_on_different_layout_id_entered",this.Va],["trigger_type_slot_id_entered",this.Va],["trigger_type_slot_id_exited",this.Va],["trigger_type_slot_id_fulfilled_empty",this.Va],["trigger_type_slot_id_fulfilled_non_empty",this.Va],["trigger_type_slot_id_scheduled",this.Va],["trigger_type_before_content_video_id_started",this.dd],["trigger_type_after_content_video_id_ended",this.Sc],["trigger_type_media_time_range", -this.Sc],["trigger_type_on_layout_self_exit_requested",this.Sb],["trigger_type_on_element_self_enter_requested",this.Sb],["trigger_type_on_new_playback_after_content_video_id",this.dd],["trigger_type_on_opportunity_received",this.Ge]]),Dj:new Map([["slot_type_ad_break_request",this.jc],["slot_type_forecasting",this.jc],["slot_type_player_bytes",this.Je]]),pj:new Map([["slot_type_ad_break_request",this.qe],["slot_type_forecasting",this.se],["slot_type_in_player",this.IG],["slot_type_player_bytes", -this.He]])};this.listeners=[this.Cb.get()];this.le={Ib:this.Ib,Rk:null,rj:null,ag:this.ya.get(),Ck:this.oa.get(),Hb:this.Hb,qj:null,wh:this.cd,fg:this.Cb.get()}}; -Ira=function(a,b,c,d){this.Mb=a;this.oa=b;this.Da=c;this.pd=d}; -Jra=function(a,b,c,d,e){g.B.call(this);var f=this;this.Sa=X(function(){return new yQ}); -g.C(this,this.Sa);this.wb=X(function(){return new CQ(f.ya,f.Sa)}); -g.C(this,this.wb);this.Cb=X(function(){return new xQ}); -g.C(this,this.Cb);this.kb=X(function(){return new sQ(a)}); -g.C(this,this.kb);this.ab=X(function(){return new OQ(f.Sa)}); -g.C(this,this.ab);this.Cc=X(function(){return new RQ}); -g.C(this,this.Cc);this.bd=X(function(){return new tI(b.T())}); -g.C(this,this.bd);this.Mb=X(function(){return new RR(b)}); -g.C(this,this.Mb);this.Xb=X(function(){return new gR(e)}); -g.C(this,this.Xb);this.Hc=X(function(){return new TK(b)}); -g.C(this,this.Hc);this.vb=X(function(){return new TQ(b)}); -g.C(this,this.vb);this.Tc=X(function(){return new TR(b)}); -g.C(this,this.Tc);this.kc=X(function(){return new UR(b)}); -g.C(this,this.kc);this.ya=X(function(){return new UQ(b)}); -g.C(this,this.ya);this.Pc=X(function(){return new QR(d,f.ya)}); -g.C(this,this.Pc);this.Ya=X(function(){return new GP(f.ya)}); -g.C(this,this.Ya);this.fc=X(function(){return new qQ(f.ab,f.wb,f.Ya,null,f.Wh,3)}); -g.C(this,this.fc);this.fd=X(function(){return new VR(b)}); -g.C(this,this.fd);this.Ca=X(function(){return new eR(b,f.Cc)}); -g.C(this,this.Ca);this.Bb=new QQ(this.ya,this.Ya,this.Ca);g.C(this,this.Bb);this.Fd=X(function(){return new cS(b,f.Ca,f.ya,f.Da)}); -g.C(this,this.Fd);this.Rf=X(function(){return new tra(b)}); -g.C(this,this.Rf);this.oa=X(function(){return new fR(b)}); -g.C(this,this.oa);this.Xc=X(function(){return new hR}); -this.bb=X(function(){return new XQ(f.oa,b)}); -g.C(this,this.bb);this.Da=X(function(){return new $Q(b,f.Cb,f.bb,f.Ca)}); -g.C(this,this.Da);this.Hb=new gH(this.kb,this.fc,c,this.ya,a,this.Ca);g.C(this,this.Hb);var h=new SQ(b,this.Hb,this.oa,this.ya,this.Fd);this.yd=X(function(){return h}); -this.yj=h;this.Ie=new BR(CR,nS,function(l,m,n,p){return DQ(f.wb.get(),l,m,n,p)},this.kb,this.ab,this.Ya,this.ya,this.Ca); -g.C(this,this.Ie);this.Wh=new aS(this.kb,this.ab,this.Ca,this.yd,this.Fd,this.oa);g.C(this,this.Wh);this.Nc=new wQ(this.kb,this.ab,this.vb,this.yd);g.C(this,this.Nc);this.Ib=new QG(this.kb,this.ab,this.fc,this.Ca,this.Nc,c);g.C(this,this.Ib);this.re=X(function(){return new kR(f.Pc,f.wb,f.Ya,f.ya)}); -g.C(this,this.re);this.qc=X(function(){return new lR}); -g.C(this,this.qc);this.cd=new HR(a,this.Mb);g.C(this,this.cd);this.Va=new IR(a);g.C(this,this.Va);this.dd=new JR(a,this.yd);g.C(this,this.dd);this.Sc=new KR(a,this.vb,this.oa,this.Ca);g.C(this,this.Sc);this.Il=new bS(a,this.Ca);g.C(this,this.Il);this.Sb=new MR(a);g.C(this,this.Sb);this.Ge=new OR(a);g.C(this,this.Ge);this.jc=X(function(){return new DR}); -g.C(this,this.jc);this.Je=X(function(){return new ER(f.oa)}); -g.C(this,this.Je);this.qe=X(function(){return new nR(f.Ib)}); -g.C(this,this.qe);this.se=X(function(){return new oR(f.Da,f.Sb,f.bb)}); -g.C(this,this.se);this.He=X(function(){return new $R(a,f.Sb,f.Ca,f.Rf,f.oa,f.Da,f.Cc,f.Fd,f.bb,f.Xc,f.Tc,f.vb,f.Hc,f.kc,f.bd,f.Xb,f.fd)}); -g.C(this,this.He);this.gh=X(function(){return new Ira(f.Mb,f.oa,f.Da,f.Cb)}); -g.C(this,this.gh);this.Mc={Tl:new Map([["opportunity_type_ad_break_service_response_received",this.Ib],["opportunity_type_live_stream_break_signal",this.Wh],["opportunity_type_player_bytes_media_layout_entered",this.Ie],["opportunity_type_player_response_received",this.Hb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.Nc]]),dj:new Map([["slot_type_ad_break_request",this.re],["slot_type_forecasting",this.qc],["slot_type_in_player",this.qc],["slot_type_player_bytes",this.qc]]),ng:new Map([["trigger_type_skip_requested", -this.cd],["trigger_type_layout_id_entered",this.Va],["trigger_type_layout_id_exited",this.Va],["trigger_type_on_different_layout_id_entered",this.Va],["trigger_type_slot_id_entered",this.Va],["trigger_type_slot_id_exited",this.Va],["trigger_type_slot_id_fulfilled_empty",this.Va],["trigger_type_slot_id_fulfilled_non_empty",this.Va],["trigger_type_slot_id_scheduled",this.Va],["trigger_type_before_content_video_id_started",this.dd],["trigger_type_after_content_video_id_ended",this.Sc],["trigger_type_media_time_range", -this.Sc],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Il],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Il],["trigger_type_on_layout_self_exit_requested",this.Sb],["trigger_type_on_element_self_enter_requested",this.Sb],["trigger_type_on_new_playback_after_content_video_id",this.dd],["trigger_type_on_opportunity_received",this.Ge]]),Dj:new Map([["slot_type_ad_break_request",this.jc],["slot_type_forecasting",this.jc],["slot_type_in_player",this.jc],["slot_type_player_bytes",this.Je]]),pj:new Map([["slot_type_ad_break_request", -this.qe],["slot_type_forecasting",this.se],["slot_type_player_bytes",this.He],["slot_type_in_player",this.gh]])};this.listeners=[this.Cb.get()];this.le={Ib:this.Ib,Rk:null,rj:null,ag:this.ya.get(),Ck:this.oa.get(),Hb:this.Hb,qj:null,wh:this.cd,fg:this.Cb.get()}}; -Lra=function(a,b,c,d){g.B.call(this);var e=this;this.u=Kra(function(){return e.B},a,b,c,d); -g.C(this,this.u);this.B=(new Epa(this.u)).B;g.C(this,this.B)}; -Kra=function(a,b,c,d,e){try{var f=b.T();if(g.kC(f))var h=new Cra(a,b,c,d,e);else if(g.oC(f))h=new Dra(a,b,c,d,e);else if(pC(f))h=new Fra(a,b,c,d,e);else if(bC(f))h=new Era(a,b,c,d,e);else if(nC(f))h=new Hra(a,b,c,d,e);else if(g.aC(f))h=new Jra(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return e=b.T(),fH("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:e.deviceParams.cplatform,"interface":e.deviceParams.c,mW:e.deviceParams.cver,lW:e.deviceParams.ctheme, -kW:e.deviceParams.cplayer,wW:e.playerStyle}),new Iqa(a,b,c,d)}}; -g.pS=function(a){g.P.call(this);this.loaded=!1;this.player=a}; -qS=function(a){g.pS.call(this,a);var b=this;this.u=null;this.D=new nG(this.player);this.C=null;this.F=function(){function d(){return b.u} -if(null!=b.C)return b.C;var e=IL({KA:a.getVideoData(1)});e=new cpa({PH:new PG(d,b.B.u.le.Rk,b.B.B),jo:e.AI(),QH:d,ZH:d,lM:d,wh:b.B.u.le.wh,Bh:e.ow(),J:b.player,ag:b.B.u.le.ag,Da:b.B.u.Da,fg:b.B.u.le.fg});b.C=e.B;return b.C}; -this.B=new Lra(this.player,this,this.D,this.F);g.C(this,this.B);this.created=!1;var c=a.T();!YB(c)||g.aC(c)||bC(c)||(c=function(){return b.u},g.C(this,new pP(a,c)),g.C(this,new MM(a,c)))}; -Mra=function(a){var b=a.B.u.le.Hb.u().u,c=WP(b,"slot_type_player_bytes_1");b=[];c=g.q(c.values());for(var d=c.next();!d.done;d=c.next())b.push(d.value.slot);c=!1;b=g.q(b);for(d=b.next();!d.done;d=b.next())aH(d.value)&&(c&&fH("More than 1 preroll playerBytes slot detected"),c=!0);(b=c)||(b=a.u,b=!pM(b,rM(b)));b||a.B.u.le.Ck.u()}; -Nra=function(a){a=g.q(a.B.u.le.fg.u.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"slot_type_player_bytes"===b.Xa&&"core"===b.rb)return!0;return!1}; -SG=function(a,b,c){c=void 0===c?"":c;var d=a.B.u.le.ag,e=a.player.getVideoData(1);e=e&&e.getPlayerResponse()||{};d=Ora(b,d,e&&e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1);Uma(a.B.u.le.Ib,c,d.An,b);a.u&&0=f.length||!f[0].adIntroRenderer)h=!1;else{for(h=1;hb;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);rS=new Uint8Array(256);sS=[];tS=[];uS=[];vS=[];for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;rS[f]=e;b=e<<1^(e>>7&&283);var h=b^e;sS.push(b<<24|e<<16|e<<8|h);tS.push(h<<24|sS[f]>>>8);uS.push(e<<24|tS[f]>>>8);vS.push(e<<24|uS[f]>>>8)}}this.u=[0,0,0,0];this.C=new Uint8Array(16);e=[];for(c=0;4>c;c++)e.push(a[4*c]<<24|a[4*c+1]<<16|a[4* -c+2]<<8|a[4*c+3]);for(d=1;44>c;c++)a=e[c-1],c%4||(a=(rS[a>>16&255]^d)<<24|rS[a>>8&255]<<16|rS[a&255]<<8|rS[a>>>24],d=d<<1^(d>>7&&283)),e.push(e[c-4]^a);this.D=e;this.B=16}; -Pra=function(a,b){for(var c=0;4>c;c++)a.u[c]=b[4*c]<<24|b[4*c+1]<<16|b[4*c+2]<<8|b[4*c+3];a.B=16}; -Qra=function(a){for(var b=a.D,c=a.u[0]^b[0],d=a.u[1]^b[1],e=a.u[2]^b[2],f=a.u[3]^b[3],h=3;0<=h&&!(a.u[h]=-~a.u[h]);h--);for(h=4;40>h;){var l=sS[c>>>24]^tS[d>>16&255]^uS[e>>8&255]^vS[f&255]^b[h++];var m=sS[d>>>24]^tS[e>>16&255]^uS[f>>8&255]^vS[c&255]^b[h++];var n=sS[e>>>24]^tS[f>>16&255]^uS[c>>8&255]^vS[d&255]^b[h++];f=sS[f>>>24]^tS[c>>16&255]^uS[d>>8&255]^vS[e&255]^b[h++];c=l;d=m;e=n}a=a.C;c=[c,d,e,f];for(d=0;16>d;)a[d++]=rS[c[0]>>>24]^b[h]>>>24,a[d++]=rS[c[1]>>16&255]^b[h]>>16&255,a[d++]=rS[c[2]>> -8&255]^b[h]>>8&255,a[d++]=rS[c[3]&255]^b[h++]&255,c.push(c.shift())}; -g.xS=function(){g.B.call(this);this.C=null;this.K=this.I=!1;this.F=new g.im;g.C(this,this.F)}; -yS=function(a){a=a.To();return 1>a.length?NaN:a.end(a.length-1)}; -Rra=function(a,b){a.C&&null!==b&&b.u===a.C.u||(a.C&&a.C.dispose(),a.C=b)}; -zS=function(a){return ly(a.kf(),a.getCurrentTime())}; -Sra=function(a,b){if(0==a.jg()||0h&&(m=g.Q(a.C.experiments,"html5_license_server_error_retry_limit")||3);(h=d.u.B>=m)||(h=a.ba&&36E4<(0,g.N)()-a.X);h&&(l=!0,e="drm.net.retryexhausted");QS(a,"onlcsrqerr."+e+";"+f);a.error(e,l,f);a.shouldRetry(l,d)&&zsa(a,d)}}); -g.C(a,b);Asa(a,b)}else a.error("drm.unavailable",!1,"km.empty")}; -wsa=function(a,b){QS(a,"sdpvrq");if("widevine"!==a.B.flavor)a.error("drm.provision",!0,"e.flavor;f."+a.B.flavor+";l."+b.byteLength);else{var c={cpn:a.videoData.clientPlaybackNonce};Object.assign(c,a.C.deviceParams);c=g.Ld("https://www.googleapis.com/certificateprovisioning/v1/devicecertificates/create?key=AIzaSyB-5OLKTx2iU5mko18DfdwK5611JIjbUhE",c);var d={format:"RAW",headers:{"content-type":"application/json"},method:"POST",postBody:JSON.stringify({signedRequest:Nt(b)}),responseType:"arraybuffer"}; -g.zr(c,d,3,500).then(Do(function(e){if(!a.la()){e=new Uint8Array(e.response);var f=Nt(e);try{var h=JSON.parse(f)}catch(l){}h&&h.signedResponse?(a.V("ctmp","drminfo","provisioning"),a.D&&a.D.update(e)):(h=h&&h.error&&h.error.message,e="e.parse",h&&(e+=";m."+h),a.error("drm.provision",!0,e))}}),Do(function(e){a.la()||a.error("drm.provision",!0,"e."+e.errorCode+";c."+(e.xhr&&e.xhr.status))}))}}; -ssa=function(a,b){a.la()||0>=b.size||(b.forEach(function(c,d){var e=KC(a.B)?d:c,f=new Uint8Array(KC(a.B)?c:d);KC(a.B)&&Bsa(f);var h=g.qf(f,4);Bsa(f);f=g.qf(f,4);a.u[h]?a.u[h].status=e:a.u[f]?a.u[f].status=e:a.u[h]={type:"",status:e}}),Csa("Key statuses changed: "+Dsa(a,",")),QS(a,"onkeystatuschange"),a.status="kc",a.V("keystatuseschange",a))}; -SS=function(a){var b;if(b=a.N&&null!=a.D)a=a.D,b=!(!a.u||!a.u.keyStatuses);return b}; -Asa=function(a,b){a.status="km";CA("drm_net_s");if(a.videoData.useInnertubeDrmService()){var c=new g.jr(a.C.ba),d=g.Hp(c.Gf||g.Ip());d.drmSystem=Esa[a.B.flavor];d.videoId=a.videoData.videoId;d.cpn=a.videoData.clientPlaybackNonce;d.sessionId=a.sessionId;d.licenseRequest=g.qf(b.message);d.drmParams=a.videoData.drmParams;isNaN(a.cryptoPeriodIndex)||(d.isKeyRotated=!0,d.cryptoPeriodIndex=a.cryptoPeriodIndex);if(!d.context||!d.context.client){a.error("drm.net",!0,"t.r;ic.0");return}var e=a.C.deviceParams; -e&&(d.context.client.deviceMake=e.cbrand,d.context.client.deviceModel=e.cmodel,d.context.client.browserName=e.cbr,d.context.client.browserVersion=e.cbrver,d.context.client.osName=e.cos,d.context.client.osVersion=e.cosver);d.context.user=d.context.user||{};d.context.request=d.context.request||{};a.videoData.Wf&&(d.context.user.credentialTransferTokens=[{token:a.videoData.Wf,scope:"VIDEO"}]);d.context.request.mdxEnvironment=a.videoData.mdxEnvironment||d.context.request.mdxEnvironment;a.videoData.mh&& -(d.context.user.kidsParent={oauthToken:a.videoData.mh});if(OC(a.B)){e=a.fairplayKeyId;for(var f=[],h=0;hd;d++)c[2*d]=''.charCodeAt(d);c=a.C.createSession("video/mp4",b,c);return new US(null,null,null,null,c)}; -XS=function(a,b){var c=a.I[b.sessionId];!c&&a.D&&(c=a.D,a.D=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; -Psa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=a&&(c=.75*a),b=.5*(a- -c),c=new PS(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new ZS(g.R(a,"disable_license_delay"),b,this);break a;default:c=null}if(this.F=c)g.C(this,this.F),this.F.subscribe("rotated_need_key_info_ready",this.kA,this);PC(this.B.experiments);$S(this,"cks"+this.u.te());c=this.u;"com.youtube.widevine.forcehdcp"===c.u&&c.D&&(this.Ga=new YS(this.videoData.Zg,this.B.experiments),g.C(this,this.Ga))}; -Tsa=function(a){var b=WS(a.I);b?b.then(Do(function(){Usa(a)}),Do(function(c){if(!a.la()){g.M(c); -var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.V("licenseerror","drm.unavailable",!0,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):($S(a,"mdkrdy"),a.W=!0); -a.X&&(b=WS(a.X))}; -Vsa=function(a,b,c){a.za=!0;c=new Jx(b,c);a.B.ca("html5_eme_loader_sync")&&(a.K.get(b)||a.K.set(b,c));a.B.ca("html5_process_all_encrypted_events")?bT(a,c):a.B.ca("html5_eme_loader_sync")?bT(a,c):0!==a.D.length&&a.videoData.Ia&&a.videoData.Ia.wc()?cT(a):bT(a,c)}; -Wsa=function(a,b){$S(a,"onneedkeyinfo");g.R(a.B.experiments,"html5_eme_loader_sync")&&(a.P.get(b.initData)||a.P.set(b.initData,b));bT(a,b)}; -Ysa=function(a,b){if(JC(a.u)&&!a.ea){var c=Tfa(b);if(0!==c.length){var d=new Jx(c);a.ea=!0;navigator.requestMediaKeySystemAccess("com.microsoft.playready",[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}]).then(function(e){e.createMediaKeys().then(function(f){Xsa(a,f,d)})},null)}}}; -Xsa=function(a,b,c){var d=b.createSession(),e=a.C.values[0],f=usa(e);d.addEventListener("message",function(h){h=new Uint8Array(h.message);Ksa(h,d,a.u.C,f,"playready")}); -d.addEventListener("keystatuseschange",function(){"usable"in d.keyStatuses&&(a.da=!0,Zsa(a,Gsa(e,a.da)))}); -d.generateRequest("cenc",c.initData)}; -bT=function(a,b){if(!a.la()){$S(a,"onInitData");if(g.R(a.B.experiments,"html5_eme_loader_sync")&&a.videoData.Ia&&a.videoData.Ia.wc()){var c=a.P.get(b.initData),d=a.K.get(b.initData);if(!c||!d)return;b=c;c=b.initData;a.K.remove(c);a.P.remove(c)}$S(a,"initd."+b.initData.length+";ct."+b.contentType);"widevine"===a.u.flavor?a.ha&&!a.videoData.isLivePlayback||g.R(a.B.experiments,"vp9_drm_live")&&a.videoData.isLivePlayback&&b.Id||(a.ha=!0,c=b.u,Kx(b),c&&!b.Id&&b.u!==c&&a.V("ctmp","cpsmm","emsg."+c+";pssh."+ -b.u),a.V("widevine_set_need_key_info",b)):a.kA(b)}}; -Usa=function(a){if(!a.la())if(g.R(a.B.experiments,"html5_drm_set_server_cert")&&!g.$B(a.B)){var b=Osa(a.I);b?b.then(Do(function(c){UF(a.videoData)&&a.V("ctmp","ssc",c)}),Do(function(c){a.V("ctmp","ssce","n."+c.name+";m."+c.message)})).then(Do(function(){dT(a)})):dT(a)}else dT(a)}; -dT=function(a){a.la()||(a.W=!0,$S(a,"onmdkrdy"),cT(a))}; -cT=function(a){if(a.za&&a.W&&!a.Z){for(;a.D.length;){var b=a.D[0];if(a.C.get(b.initData))if("fairplay"===a.u.flavor)a.C.remove(b.initData);else{a.D.shift();continue}Kx(b);break}a.D.length&&a.createSession(a.D[0])}}; -Zsa=function(a,b){var c=BC("auto",b,!1,"l");if(g.R(a.B.experiments,"html5_drm_initial_constraint_from_config")?a.videoData.Eo:g.R(a.B.experiments,"html5_drm_start_from_null_constraint")){if(AC(a.N,c))return}else if(EC(a.N,b))return;a.N=c;a.V("qualitychange");$S(a,"updtlq"+b)}; -$sa=function(a){if(0>=a.C.values.length){var b="ns;";a.W||(b+="nr;");return b+="ql."+a.D.length}return Hsa(a.C.values[0])}; -$S=function(a,b){a.la()||UF(a.videoData)&&a.V("ctmp","drmlog",b)}; -ata=function(a){if(ck()){var b=a.I;b=b.B&&b.B.u?b.B.u():null;$S(a,"mtr."+g.qf(b,3))}}; -eT=function(a,b,c){g.P.call(this);this.videoData=a;this.Oa=b;this.playerVisibility=c;this.P=0;this.B=this.u=null;this.W=this.I=this.D=!1;this.N=this.K=0;this.C=NaN;this.F=0}; -hT=function(a,b,c){var d=!1,e=a.P+3E4<(0,g.N)()||!1,f;if(f=a.videoData.ca("html5_pause_on_nonforeground_platform_errors")&&!e)f=a.playerVisibility,f=!!(f.u||f.isInline()||f.isBackground()||f.pictureInPicture||f.C);f&&(c.nonfg="paused",e=!0,a.V("pausevideo"));f=a.videoData.La;if(!e&&((null===f||void 0===f?0:Vv(f))||(null===f||void 0===f?0:Tv(f))))if(a.videoData.ca("html5_disable_codec_on_platform_errors"))a.Oa.D.N.add(f.Fb),d=e=!0,c.cfalls=f.Fb;else{var h;if(h=a.videoData.ca("html5_disable_codec_for_playback_on_error")&& -a.u){h=a.u.K;var l=f.Fb;h.ra.has(l)?h=!1:(h.ra.add(l),h.Z=-1,XC(h,h.F),h=!0)}h&&(d=e=!0,c.cfallp=f.Fb)}if(!e)return bta(a,c);a.P=(0,g.N)();e=a.videoData;e=e.Gg?e.Gg.uB()=a.Oa.ra)return!1;b.exiled=""+a.Oa.ra;fT(a,"qoe.start15s",b);a.V("playbackstalledatstart");return!0}; -dta=function(a){if("GAME_CONSOLE"!==a.Oa.deviceParams.cplatform)try{window.close()}catch(b){}}; -cta=function(a){return a.D||"yt"!==a.Oa.X?!1:a.videoData.vg?25>a.videoData.Ci:!a.videoData.Ci}; -gT=function(a){a.D||(a.D=!0,a.V("signatureexpiredreloadrequired"))}; -eta=function(a,b){if(a.B&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.B.qh();b.details.merr=c?c.toString():"0";b.details.msg=a.B.mn()}}; -fta=function(a,b){return"html5.invalidstate"===b.errorCode&&a.Oa.ca("html5_new_element_on_invalid_state")||"fmt.unplayable"===b.errorCode||"fmt.unparseable"===b.errorCode?hT(a,b.errorCode,b.details):!1}; -gta=function(a){return"net.retryexhausted"===a.errorCode||"net.badstatus"===a.errorCode&&!!a.details.fmt_unav}; -ita=function(a,b,c){if("403"===b.details.rc){var d=b.errorCode;d="net.badstatus"===d||"manifest.net.retryexhausted"===d}else d=!1;if(!d)return!1;b.details.sts="18564";if(cta(a))return c?(a.I=!0,a.V("releaseloader")):(b.u&&(b.details.e=b.errorCode,b.errorCode="qoe.restart",b.u=!1),fT(a,b.errorCode,b.details),gT(a)),!0;6048E5<(0,g.N)()-a.Oa.Ja&&hta(a,"signature");return!1}; -hta=function(a,b){try{window.location.reload();fT(a,"qoe.restart",{detail:"pr."+b});return}catch(c){}a.Oa.ca("tvhtml5_retire_old_players")&&g.$B(a.Oa)&&dta(a)}; -jta=function(a,b){a.Oa.D.B=!1;fT(a,"qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});a.V("formatupdaterequested")}; -iT=function(a,b,c,d){a.V("clienttemp",b,c,(void 0===d?{Ey:!1}:d).Ey)}; -fT=function(a,b,c){a.V("qoeerror",b,c)}; -kta=function(a,b,c,d){this.videoData=a;this.u=b;this.reason=c;this.B=d}; -lta=function(a){navigator.mediaCapabilities?jT(a.videoInfos).then(function(){return a},function(){return a}):Cr(a)}; -jT=function(a){var b=navigator.mediaCapabilities;if(!b)return Cr(a);var c=a.map(function(d){return b&&b.decodingInfo({type:"media-source",video:d.video?{contentType:d.mimeType,width:d.video.width||640,height:d.video.height||360,bitrate:8*d.u||1E6,framerate:d.video.fps||30}:null})}); -return Hm(c).then(function(d){for(var e=0;eaB(a.u.Ub,"sticky-lifetime")?"auto":kx():kx()}; -pta=function(a){var b=new zC(0,0,!1,"o");11E3*f);e&&(c=c?Math.min(c,d):d)}d=g.Q(a.u.experiments,"html5_random_playback_cap");f=/[a-h]$/;d&&f.test(b.videoData.clientPlaybackNonce)&&(c= -c?Math.min(c,d):d);(d=g.Q(a.u.experiments,"html5_not_vp9_supported_quality_cap"))&&!dB('video/webm; codecs="vp9"')&&(c=c?Math.min(c,d):d);if(f=d=g.Q(a.u.experiments,"html5_hfr_quality_cap"))a:{f=b.Ia;if(f.wc())for(f=g.q(f.videoInfos),e=f.next();!e.done;e=f.next())if(32(0,g.N)()-a.F?0:f||0h?a.C+1:0;if(!e||g.$B(a.u))return!1;a.B=d>e?a.B+1:0;if(3!==a.B)return!1;uta(a,b.videoData.La);a.V("ctmp","dfd",wta());return!0}; -uta=function(a,b){var c=b.Ka().yc-1,d=b.Fb,e=b.Ka().fps,f=nx();d=mx(d,e);0<+f[d]&&(c=Math.min(+f[d],c));f[d]!==c&&(f[d]=c,g.Ws("yt-player-performance-cap",f,604800));a.V("av1hybridthresholdchange")}; -yta=function(a,b){if(!b.Ia.wc())return WC;var c=a.u.ca("html5_dynamic_av1_hybrid_threshold"),d=0,e=g.Q(a.u.experiments,"html5_performance_cap_floor");e=a.u.u?240:e;for(var f=g.q(b.Ia.videoInfos),h=f.next();!h.done;h=f.next()){var l=h.value;if(!c||!Vv(l))if(h=ox(l.Fb,l.Ka().fps),l=l.Ka().yc,Math.max(h,e)>=l){d=l;break}}return new zC(0,d,!1,"b")}; -zta=function(a,b){var c=g.Q(a.u.experiments,"html5_background_quality_cap"),d=g.Q(a.u.experiments,"html5_background_cap_idle_secs");return!c||"auto"!==ota(a)||zp()/1E3d?new zC(0,c,!1,"e"):WC}; -Bta=function(a,b){a.ca("html5_log_media_perf_info")&&(a.V("ctmp","perfdb",wta()),a.V("ctmp","hwc",""+navigator.hardwareConcurrency,!0),b&&a.V("ctmp","mcdb",b.Ia.videoInfos.filter(function(c){return!1===c.F}).map(function(c){return wu(c)}).join("-")))}; -wta=function(){var a=Lb(nx(),function(b){return""+b}); -return g.UA(a)}; -lT=function(a,b){g.B.call(this);this.provider=a;this.I=b;this.u=-1;this.F=!1;this.B=-1;this.playerState=new g.bL;this.seekCount=this.nonNetworkErrorCount=this.networkErrorCount=this.rebufferTimeSecs=this.playTimeSecs=this.D=0;this.delay=new g.H(this.send,6E4,this);this.C=!1;g.C(this,this.delay)}; -Cta=function(a){0<=a.u||(3===a.provider.getVisibilityState()?a.F=!0:(a.u=g.mT(a.provider),a.delay.start()))}; -Dta=function(a){if(!(0>a.B)){var b=g.mT(a.provider),c=b-a.D;a.D=b;8===a.playerState.state?a.playTimeSecs+=c:g.iL(a.playerState)&&!g.T(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; -Eta=function(a){switch(a.u.Er){case "canary":return"HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";case "holdback":return"HTML5_PLAYER_CANARY_TYPE_CONTROL";default:return"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}}; -Fta=function(a){return(!a.ca("html5_health_to_gel")||a.u.Ja+36E5<(0,g.N)())&&(a.ca("html5_health_to_gel_canary_killswitch")||a.u.Ja+36E5<(0,g.N)()||"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"===Eta(a))?a.ca("html5_health_to_qoe"):!0}; -nT=function(a,b,c,d,e){var f={format:"RAW"},h={};aq(a)&&bq()&&(c&&(h["X-Goog-Visitor-Id"]=c),b&&(h["X-Goog-PageId"]=b),d&&(h.Authorization="Bearer "+d),c||d||b)&&(f.withCredentials=!0);0a.F.PD+100&&a.F){var d=a.F,e=d.isAd;a.da=1E3*b-d.DQ-(1E3*c-d.PD)-d.vQ;rT(a,"gllat","l."+a.da.toFixed()+";prev_ad."+ +e);delete a.F}}; -tT=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.mT(a.provider);var c=a.provider.D();if(!isNaN(a.Z)&&!isNaN(c.B)){var d=c.B-a.Z;0a.u)&&2m;!(1=e&&(g.M(Error("invalid coreTime.now value: "+e)),e=(new Date).getTime()+2);return e},g.R(a.u.experiments,"html5_validate_yt_now")),c=b(); -a.C=function(){return Math.round(b()-c)/1E3}; -a.W()}return a.C}; -Gta=function(a){if(navigator.connection&&navigator.connection.type)return qua[navigator.connection.type]||qua.other;if(g.$B(a.u)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; -xT=function(a){var b=new oua;b.B=a.xe().cc||"-";b.playbackRate=a.getPlaybackRate();var c=a.getVisibilityState();0!==c&&(b.visibilityState=c);a.u.xc&&(b.C=1);c=a.getAudioTrack();c.u&&c.u.id&&"und"!==c.u.id&&(b.u=c.u.id);b.connectionType=Gta(a);b.volume=a.xe().volume;b.muted=a.xe().muted;b.clipId=a.xe().clipid||"-";b.sm=a.videoData.sm||"-";return b}; -rua=function(){this.B=this.mediaTime=NaN;this.u=this.seeking=!1}; -QT=function(a,b){return b>a.mediaTime+.001&&b(d||!a.u?1500:400);a.mediaTime=b;a.B=c;return!1}; -sua=function(a,b){this.videoData=a;this.Ia=b}; -uua=function(a,b,c){return b.Zq(c).then(function(){if(tua(a,b))for(;;)void 0;else return Cr(new sua(b,b.Ia))},function(d){d instanceof Error&&g.Eo(d); -d=b.isLivePlayback&&!g.yB(a.D,!0)?"html5.unsupportedlive":"fmt.noneavailable";var e={buildRej:"1",a:""+ +!!b.adaptiveFormats,d:""+ +!!b.If,drm:""+ +uF(b),f18:""+ +(0<=b.Eq.indexOf("itag=18")),c18:""+ +cB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')};b.ma&&(uF(b)?(e.f142=""+ +!!b.ma.u["142"],e.f149=""+ +!!b.ma.u["149"],e.f279=""+ +!!b.ma.u["279"]):(e.f133=""+ +!!b.ma.u["133"],e.f140=""+ +!!b.ma.u["140"],e.f242=""+ +!!b.ma.u["242"]),e.cAVC=""+ +dB('video/mp4; codecs="avc1.42001E"'),e.cAAC=""+ +dB('audio/mp4; codecs="mp4a.40.2"'), -e.cVP9=""+ +dB('video/webm; codecs="vp9"'));if(b.Vc){e.drmsys=b.Vc.u;var f=0;b.Vc.B&&(f=Object.keys(b.Vc.B).length);e.drmst=""+f}return new TA(d,!0,e)})}; -tua=function(a,b){return a.ca("disable_init_range_auth")?!1:b.ma?!!Vb(b.ma.u,function(c){var d;return 2097152<(null===(d=c.initRange)||void 0===d?void 0:d.length)}):!1}; -wua=function(a,b,c){g.P.call(this);this.videoData=a;this.experiments=b;this.N=c;this.B=[];this.D=0;this.C=!0;this.I=!1;this.K=0;c=new vua;"ULTRALOW"===a.latencyClass&&(c.D=!1);a.li?c.B=3:g.GF(a)&&(c.B=2);g.R(b,"html5_adaptive_seek_to_head_killswitch")||"NORMAL"!==a.latencyClass||(c.I=!0);var d=pF(a);c.F=2===d||-1===d;c.F&&(c.W++,21530001===nF(a)&&(c.K=g.Q(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(Xj("trident/")||Xj("edge/"))d=g.Q(b,"html5_platform_minimum_readahead_seconds")||3,c.C=Math.max(c.C, -d);g.Q(b,"html5_minimum_readahead_seconds")&&(c.C=g.Q(b,"html5_minimum_readahead_seconds"));g.Q(b,"html5_maximum_readahead_seconds")&&(c.N=g.Q(b,"html5_maximum_readahead_seconds"));g.R(b,"html5_force_adaptive_readahead")&&(c.D=!0);g.Q(b,"html5_allowable_liveness_drift_chunks")&&(c.u=g.Q(b,"html5_allowable_liveness_drift_chunks"));g.Q(b,"html5_readahead_ratelimit")&&(c.P=g.Q(b,"html5_readahead_ratelimit"));switch(nF(a)){case 21530001:c.u=(c.u+1)/5,"LOW"===a.latencyClass&&(c.u*=2),c.X=g.R(b,"html5_live_smoothly_extend_max_seekable_time")}this.policy= -c;this.F=1!==this.policy.B;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.li&&b--;a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(nF(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.F&&b++;this.u=ST(this,b)}; -xua=function(a,b){var c=a.u;(void 0===b?0:b)&&a.policy.X&&3===pF(a.videoData)&&--c;return TT(a)*c}; -VT=function(a,b){var c=UT(a);var d=a.policy.u;a.I||(d=Math.max(d-1,0));d*=TT(a);return b>=c-d}; -UT=function(a){return Math.max(a.N()-xua(a,!0),a.videoData.uc())}; -yua=function(a,b,c){b=VT(a,b);c||b?b&&(a.C=!0):a.C=!1;a.F=2===a.policy.B||3===a.policy.B&&a.C}; -zua=function(a,b){var c=VT(a,b);a.I!==c&&a.V("livestatusshift",c);a.I=c}; -TT=function(a){return a.videoData.ma?Yz(a.videoData.ma)||5:5}; -ST=function(a,b){b=Math.max(Math.max(a.policy.W,Math.ceil(a.policy.C/TT(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.N/TT(a))),b)}; -vua=function(){this.W=1;this.C=0;this.N=Infinity;this.P=0;this.D=!0;this.u=2;this.B=1;this.F=!1;this.K=NaN;this.X=this.I=!1}; -ZT=function(a,b,c,d){g.B.call(this);this.F=a;this.V=b;this.visibility=c;this.Z=d;this.C=this.D=null;this.u=0;this.K={};this.playerState=new g.bL;this.I=new g.H(this.B,1E3,this);g.C(this,this.I);this.da=new WT({delayMs:g.Q(this.F.experiments,"html5_seek_timeout_delay_ms")});this.X=new WT({delayMs:g.Q(this.F.experiments,"html5_long_rebuffer_threshold_ms")});this.ha=XT(this,"html5_seek_set_cmt");this.ba=XT(this,"html5_seek_jiggle_cmt");this.ea=XT(this,"html5_seek_new_elem");XT(this,"html5_decoder_freeze_timeout"); -this.ka=XT(this,"html5_unreported_seek_reseek");this.P=XT(this,"html5_long_rebuffer_jiggle_cmt");this.W=XT(this,"html5_reload_element_long_rebuffer");this.N=XT(this,"html5_ads_preroll_lock_timeout")}; -XT=function(a,b){var c=g.Q(a.F.experiments,b+"_delay_ms"),d=g.R(a.F.experiments,b+"_cfl");return new WT({delayMs:c,tr:d})}; -$T=function(a,b,c,d,e,f,h){Aua(b,c)?(d=a.jb(b),d.wn=h,d.wdup=a.K[e]?"1":"0",a.V("qoeerror",e,d),a.K[e]=!0,b.tr||f()):(b.eu&&b.B&&!b.D?(f=(0,g.N)(),d?b.u||(b.u=f):b.u=0,c=!d&&f-b.B>b.eu,f=b.u&&f-b.u>b.iy||c?b.D=!0:!1):f=!1,f&&(f=a.jb(b),f.wn=h,f.we=e,f.wsuc=""+ +d,h=g.UA(f),a.V("ctmp","workaroundReport",h),d&&(b.reset(),a.K[e]=!1)))}; -WT=function(a){a=void 0===a?{}:a;var b=void 0===a.iy?1E3:a.iy,c=void 0===a.eu?3E4:a.eu,d=void 0===a.tr?!1:a.tr;this.F=Math.ceil((void 0===a.delayMs?0:a.delayMs)/1E3);this.iy=b;this.eu=c;this.tr=d;this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -Aua=function(a,b){if(!a.F||a.B)return!1;if(!b)return a.reset(),!1;var c=(0,g.N)();if(!a.startTimestamp)a.startTimestamp=c,a.C=0;else if(a.C>=a.F)return a.B=c,!0;a.C+=1;return!1}; -bU=function(a,b,c,d){g.P.call(this);var e=this;this.videoData=a;this.X=b;this.visibility=c;this.Za=d;this.policy=new Bua(this.X);this.P=new ZT(this.X,(0,g.z)(this.V,this),this.visibility,this.Za);a={};this.ha=(a.seekplayerrequired=this.IQ,a.videoformatchange=this.SN,a);this.playbackData=null;this.Ga=new g.Wr;this.W=this.B=this.F=this.u=null;this.C=NaN;this.K=0;this.I=null;this.ka=NaN;this.N=this.Z=null;this.za=this.ba=!1;this.da=new g.H(function(){Cua(e,!1)},this.policy.u); -this.ob=new g.H(function(){aU(e)}); -this.Aa=new g.H(function(){e.ba=!0;Dua(e)}); -this.Na=this.D=0;this.ra=!0;this.Ja=0;this.Qa=NaN;this.ea=new g.H(function(){var f=e.X.Ub;f.C+=1E4/36E5;f.C-f.F>1/6&&(YA(f),f.F=f.C);e.ea.start()},1E4); -this.ca("html5_unrewrite_timestamps")?this.ha.timestamp=this.Nn:this.ha.timestamp=this.iL;g.C(this,this.Ga);g.C(this,this.da);g.C(this,this.Aa);g.C(this,this.ob);g.C(this,this.ea)}; -Eua=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.W=new rla(function(){a:{if(a.playbackData&&a.playbackData.Ia.wc()){if(mF(a.videoData)&&a.F){var c=a.F.ob.u()||0;break a}if(a.videoData.ma){c=a.videoData.ma.N;break a}}c=0}return c}),a.B=new wua(a.videoData,a.X.experiments,function(){return a.Ad(!0)})); -a.videoData.startSeconds&&isFinite(a.videoData.startSeconds)&&1E9=a.Ad()-.1)a.C=a.Ad(),a.I.resolve(a.Ad()),a.V("ended");else try{var c=a.C-a.D;a.u.seekTo(c);a.P.u=c;a.ka=c;a.K=a.C}catch(d){}}}; -Jua=function(a){if(!a.u||0===a.u.jg()||0e&&(b+="0"));if(0f&&(b+="0");b+=f+":";10>c&&(b+="0");d=b+c}return 0<=a?d:"-"+d}; +g.fR=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; +gR=function(a,b,c,d,e,f){NQ.call(this,a,{G:"span",N:"ytp-ad-duration-remaining"},"ad-duration-remaining",b,c,d,e);this.videoAdDurationSeconds=f;this.u=null;this.hide()}; +hR=function(a,b,c,d){LQ.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; +iR=function(a,b){this.u=a;this.j=b}; +rFa=function(a,b){return a.u+b*(a.j-a.u)}; +jR=function(a,b,c){return a.j-a.u?g.ze((b-a.u)/(a.j-a.u),0,1):null!=c?c:Infinity}; +kR=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-ad-persistent-progress-bar-container",W:[{G:"div",N:"ytp-ad-persistent-progress-bar"}]});this.api=a;this.u=b;g.E(this,this.u);this.Kc=this.Da("ytp-ad-persistent-progress-bar");this.j=-1;this.S(a,"presentingplayerstatechange",this.onStateChange);this.hide();this.onStateChange()}; +lR=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-player-overlay",W:[{G:"div",N:"ytp-ad-player-overlay-flyout-cta"},{G:"div",N:"ytp-ad-player-overlay-instream-info"},{G:"div",N:"ytp-ad-player-overlay-skip-or-preview"},{G:"div",N:"ytp-ad-player-overlay-progress-bar"},{G:"div",N:"ytp-ad-player-overlay-instream-user-sentiment"}]},"player-overlay",b,c,d);this.J=f;this.C=this.Da("ytp-ad-player-overlay-flyout-cta");this.api.V().K("web_rounded_thumbnails")&&this.C.classList.add("ytp-ad-player-overlay-flyout-cta-rounded"); +this.u=this.Da("ytp-ad-player-overlay-instream-info");this.B=null;sFa(this)&&(a=pf("div"),g.Qp(a,"ytp-ad-player-overlay-top-bar-gradients"),b=this.u,b.parentNode&&b.parentNode.insertBefore(a,b),(b=this.api.getVideoData(2))&&b.isListed&&b.title&&(c=new hR(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),c.Ea(a),c.init(fN("ad-title"),{text:b.title},this.macros),g.E(this,c)),this.B=a);this.D=this.Da("ytp-ad-player-overlay-skip-or-preview");this.Aa=this.Da("ytp-ad-player-overlay-progress-bar"); +this.Z=this.Da("ytp-ad-player-overlay-instream-user-sentiment");this.j=e;g.E(this,this.j);this.hide()}; +sFa=function(a){a=a.api.V();return g.nK(a)&&a.u}; +mR=function(a,b,c){var d={};b&&(d.v=b);c&&(d.list=c);a={name:a,locale:void 0,feature:void 0};for(var e in d)a[e]=d[e];d=g.Zi("/sharing_services",a);g.ZB(d)}; +g.nR=function(a){a&=16777215;var b=[(a&16711680)>>16,(a&65280)>>8,a&255];a=b[0];var c=b[1];b=b[2];a=Number(a);c=Number(c);b=Number(b);if(a!=(a&255)||c!=(c&255)||b!=(b&255))throw Error('"('+a+","+c+","+b+'") is not a valid RGB color');c=a<<16|c<<8|b;return 16>a?"#"+(16777216|c).toString(16).slice(1):"#"+c.toString(16)}; +vFa=function(a,b){if(!a)return!1;var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow)return!!b.ow[d];var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK)return!!b.ZK[c];for(var f in a)if(b.VK[f])return!0;return!1}; +wFa=function(a,b){var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow&&(c=b.ow[d]))return c();var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK&&(e=b.ZK[c]))return e();for(var f in a)if(b.VK[f]&&(a=b.VK[f]))return a()}; +oR=function(a){return function(){return new a}}; +yFa=function(a){var b=void 0===b?"UNKNOWN_INTERFACE":b;if(1===a.length)return a[0];var c=xFa[b];if(c){var d=new RegExp(c),e=g.t(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,d.exec(c))return c}var f=[];Object.entries(xFa).forEach(function(h){var l=g.t(h);h=l.next().value;l=l.next().value;b!==h&&f.push(l)}); d=new RegExp(f.join("|"));a.sort(function(h,l){return h.length-l.length}); -e=g.q(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,!d.exec(c))return c;return a[0]}; -g.sU=function(a){return"/youtubei/v1/"+Xua(a)}; -uU=function(){}; -vU=function(){}; -wU=function(){}; -xU=function(){}; -yU=function(){}; -zU=function(){}; -Yua=function(){zU.u||(zU.u=new zU);return zU.u}; -Zua=function(a){var b;g.uo("enable_get_account_switcher_endpoint_on_webfe")?b=a.text().then(function(c){return JSON.parse(c.replace(")]}'",""))}):b=a.json(); -a.redirected||a.ok||b.then(function(c){g.lr(new Iq("Error: API fetch failed",a.status,a.url,c))}); -return b}; -g.BU=function(){if(!AU){var a={rr:{playlistEditEndpoint:yU,subscribeEndpoint:vU,unsubscribeEndpoint:wU,modifyChannelNotificationPreferenceEndpoint:xU}},b=g.uo("web_enable_client_location_service")?iG():void 0,c=[];b&&c.push(b);b=Yua();var d=Aq();qU.u=new qU(a,b,d,Kea,c);AU=qU.u}return AU}; -CU=function(a){this.F=new Uint8Array(64);this.C=new Uint8Array(64);this.D=0;this.I=new Uint8Array(64);this.B=0;this.F.set(a);this.C.set(a);for(a=0;64>a;a++)this.F[a]^=92,this.C[a]^=54;this.reset()}; -ava=function(a,b,c){for(var d=[],e=0;16>e;e++)d.push(b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3]),c+=4;for(b=16;64>b;b++)c=d[b-7]+d[b-16],e=d[b-2],c+=(e>>>17|e<<15)^(e>>>19|e<<13)^e>>>10,e=d[b-15],c+=(e>>>7|e<<25)^(e>>>18|e<<14)^e>>>3,d.push(c);b=a.u[0];c=a.u[1];e=a.u[2];for(var f=a.u[3],h=a.u[4],l=a.u[5],m=a.u[6],n=a.u[7],p,r,t=0;64>t;t++)p=n+$ua[t]+d[t]+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^~h&m),r=((b>>>2|b<<30)^(b>>>13|b<<19)^(b>>>22|b<<10))+(b&c^b&e^c&e),n=m,m=l,l=h,h=f+p,f=e,e=c,c=b,b= -p+r;a.u[0]=b+a.u[0]|0;a.u[1]=c+a.u[1]|0;a.u[2]=e+a.u[2]|0;a.u[3]=f+a.u[3]|0;a.u[4]=h+a.u[4]|0;a.u[5]=l+a.u[5]|0;a.u[6]=m+a.u[6]|0;a.u[7]=n+a.u[7]|0}; -cva=function(a){var b=new Uint8Array(32),c=64-a.B;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.u[c]>>>24,b[4*c+1]=a.u[c]>>>16&255,b[4*c+2]=a.u[c]>>>8&255,b[4*c+3]=a.u[c]&255;bva(a);return b}; -bva=function(a){a.u=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.D=0;a.B=0}; -dva=function(a,b,c){return g.Ue(this,function e(){var f,h,l,m,n,p,r,t;return g.Aa(e,function(w){switch(w.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){w.Jd(2);break}h=window.crypto.subtle;l={name:"HMAC",hash:{name:"SHA-256"}};m=["sign"];n=new Uint8Array(b.length+c.length);n.set(b);n.set(c,b.length);sa(w,3);return g.ra(w,h.importKey("raw",a,l,!1,m),5);case 5:return p=w.B,g.ra(w,h.sign(l,p,n),6);case 6:r=w.B;f=new Uint8Array(r);ta(w,2);break;case 3:ua(w);case 2:if(!f){t= -new CU(a);t.update(b);t.update(c);var x=cva(t);t.update(t.F);t.update(x);x=cva(t);t.reset();f=x}return w["return"](f)}})})}; -fva=function(a,b,c){return g.Ue(this,function e(){var f,h,l,m,n,p;return g.Aa(e,function(r){switch(r.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){r.Jd(2);break}h=window.crypto.subtle;l={name:"AES-CTR",counter:c,length:128};sa(r,3);return g.ra(r,eva(a),5);case 5:return m=r.B,g.ra(r,h.encrypt(l,m,b),6);case 6:n=r.B;f=new Uint8Array(n);ta(r,2);break;case 3:ua(r);case 2:return f||(p=new wS(a),Pra(p,c),f=p.encrypt(b)),r["return"](f)}})})}; -eva=function(a){return window.crypto.subtle.importKey("raw",a,{name:"AES-CTR"},!1,["encrypt"])}; -DU=function(a){var b=this,c=new wS(a);return function(d,e){return g.Ue(b,function h(){return g.Aa(h,function(l){Pra(c,e);return l["return"](new Uint8Array(c.encrypt(d)))})})}}; -EU=function(a){this.u=a;this.iv=TS(hs())}; -gva=function(a,b){return g.Ue(a,function d(){var e=this;return g.Aa(d,function(f){return f["return"](dva(e.u.B,b,e.iv))})})}; -FU=function(a){this.B=a;this.D=this.u=0;this.C=-1}; -GU=function(a){var b=Iu(a.B,a.u);++a.u;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=Iu(a.B,a.u),++a.u,d*=128,c+=(b&127)*d;return c}; -HU=function(a,b){for(a.D=b;a.u+1<=a.B.totalLength;){var c=a.C;0>c&&(c=GU(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.C=c;break}switch(e){case 0:GU(a);break;case 1:a.u+=8;break;case 2:c=GU(a);a.u+=c;break;case 5:a.u+=4}}return!1}; -IU=function(a,b,c){c=void 0===c?0:c;return HU(a,b)?GU(a):c}; -JU=function(a,b){var c=void 0===c?"":c;if(!HU(a,b))return c;c=GU(a);if(!c)return"";var d=Gu(a.B,a.u,c);a.u+=c;return g.v.TextDecoder?(new TextDecoder).decode(d):g.We(d)}; -KU=function(a,b){var c=void 0===c?null:c;if(!HU(a,b))return c;c=GU(a);var d=Gu(a.B,a.u,c);a.u+=c;return d}; -hva=function(a){this.iv=KU(new FU(a),5)}; -iva=function(a){a=KU(new FU(a),4);this.u=new hva(new zu([a]))}; -kva=function(a){a=new FU(a);this.u=IU(a,1);this.itag=IU(a,3);this.lastModifiedTime=IU(a,4);this.xtags=JU(a,5);IU(a,6);IU(a,8);IU(a,9,-1);IU(a,10);this.B=this.itag+";"+this.lastModifiedTime+";"+this.xtags;this.isAudio="audio"===jva[Rv[""+this.itag]]}; -lva=function(a){this.body=null;a=new FU(a);this.onesieProxyStatus=IU(a,1,-1);this.body=KU(a,4)}; -mva=function(a){a=new FU(a);this.startTimeMs=IU(a,1);this.endTimeMs=IU(a,2)}; -nva=function(a){var b=new FU(a);a=JU(b,3);var c=IU(b,5);this.u=IU(b,7);var d=KU(b,14);this.B=new mva(new zu([d]));b=JU(b,15);this.C=a+";"+c+";"+b}; -ova=function(a){this.C=a;this.B=!1;this.u=[]}; -pva=function(a){for(;a.u.length&&!a.u[0].isEncrypted;){var b=a.u.shift();a.C(b.streamId,b.buffer)}}; -qva=function(a){var b,c;return g.Ue(this,function e(){var f=this,h,l,m,n;return g.Aa(e,function(p){switch(p.u){case 1:h=f;if(null===(c=null===(b=window.crypto)||void 0===b?void 0:b.subtle)||void 0===c||!c.importKey)return p["return"](DU(a));l=window.crypto.subtle;sa(p,2);return g.ra(p,eva(a),4);case 4:m=p.B;ta(p,3);break;case 2:return ua(p),p["return"](DU(a));case 3:return p["return"](function(r,t){return g.Ue(h,function x(){var y,D;return g.Aa(x,function(F){if(1==F.u){if(n)return F["return"](n(r, -t));y={name:"AES-CTR",counter:t,length:128};sa(F,2);D=Uint8Array;return g.ra(F,l.encrypt(y,m,r),4)}if(2!=F.u)return F["return"](new D(F.B));ua(F);n=DU(a);return F["return"](n(r,t))})})})}})})}; -LU=function(a){g.P.call(this);var b=this;this.D=a;this.u={};this.C={};this.B=this.iv=null;this.queue=new ova(function(c,d){g.Ua(b);b.V("STREAM_DATA",{id:c,data:d})})}; -rva=function(a,b,c){var d=Iu(b,0);b=Gu(b,1);d=a.u[d]||null;g.Ua(a);d&&(a=a.queue,a.u.push({streamId:d,buffer:b,isEncrypted:c}),a.B||pva(a))}; -sva=function(a,b){g.Ue(a,function d(){var e=this,f,h,l,m,n,p,r,t;return g.Aa(d,function(w){switch(w.u){case 1:return g.Ua(e),e.V("PLAYER_RESPONSE_RECEIVED"),f=Gu(b),sa(w,2),g.ra(w,e.D(f,e.iv),4);case 4:h=w.B;ta(w,3);break;case 2:return l=ua(w),g.Ua(e),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:l}),w["return"]();case 3:m=new lva(new zu([h]));if(1!==m.onesieProxyStatus)return n={st:m.onesieProxyStatus},p=new TA("onesie.response.badproxystatus",!1,n),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:p}),w["return"](); -r=m.body;t=g.v.TextDecoder?(new TextDecoder).decode(r):g.We(r);g.Ua(e);e.V("PLAYER_RESPONSE_READY",t);w.u=0}})})}; -MU=function(){this.u=0;this.C=void 0;this.B=new Uint8Array(4096);this.view=new DataView(this.B.buffer);g.v.TextEncoder&&(this.C=new TextEncoder)}; -NU=function(a,b){var c=a.u+b;if(!(a.B.length>=c)){for(var d=2*a.B.length;dd;d++)a.view.setUint8(a.u,c&127|128),c>>=7,a.u+=1;b=Math.floor(b/268435456)}for(NU(a,4);127>=7,a.u+=1;a.view.setUint8(a.u,b);a.u+=1}; -PU=function(a,b,c){OU(a,b<<3|2);b=c.length;OU(a,b);NU(a,b);a.B.set(c,a.u);a.u+=b}; -QU=function(a,b,c){c=a.C?a.C.encode(c):new Uint8Array(TS(g.Ve(c)).buffer);PU(a,b,c)}; -RU=function(a){return new Uint8Array(a.B.buffer,0,a.u)}; -tva=function(a){var b=a.encryptedOnesiePlayerRequest,c=a.encryptedClientKey,d=a.iv;a=a.hmac;this.serializeResponseAsJson=!0;this.encryptedOnesiePlayerRequest=b;this.encryptedClientKey=c;this.iv=d;this.hmac=a}; -SU=function(a){var b=a.value;this.name=a.name;this.value=b}; -uva=function(a){var b=a.httpHeaders,c=a.postBody;this.url=a.url;this.httpHeaders=b;this.postBody=c}; -vva=function(a){this.Rv=a.Rv}; -wva=function(a,b){if(b+1<=a.totalLength){var c=Iu(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)c=Iu(a,b++);else if(2===c){c=Iu(a,b++);var d=Iu(a,b++);c=(c&63)+64*d}else if(3===c){c=Iu(a,b++);d=Iu(a,b++);var e=Iu(a,b++);c=(c&31)+32*(d+256*e)}else if(4===c){c=Iu(a,b++);d=Iu(a,b++);e=Iu(a,b++);var f=Iu(a,b++);c=(c&15)+16*(d+256*(e+256*f))}else c=b+1,a.focus(c),Du(a,c,4)?c=Eu(a).getUint32(c-a.C,!0):(d=Iu(a,c+2)+256*Iu(a,c+3),c=Iu(a,c)+256*(Iu(a, -c+1)+256*d)),b+=5;return[c,b]}; -TU=function(a){this.C=a;this.u=new zu}; -xva=function(a){var b,c;a:{var d,e=a.T().Bf;if(e){var f=null===(c=g.Xs("yt-player-bandaid-host"))||void 0===c?void 0:c.oQ;if(f&&e.baseUrl){c=new kv("https://"+f+e.baseUrl);if(e=null===(d=a.Qt)||void 0===d?void 0:d.urlQueryOverride)for(d=rv(e),d=g.q(Object.entries(d)),e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,c.set(e,f);if(!c.get("id")){e=AB(a.videoId);d=[];if(e)for(e=g.q(e),f=e.next();!f.done;f=e.next())d.push(f.value.toString(16).padStart(2,"0"));d=d.join(""); -if(!d){c=void 0;break a}c.set("id",d)}break a}}c=void 0}!c&&(null===(b=a.Qt)||void 0===b?0:b.url)&&(c=new kv(a.Qt.url));if(!c)return"";c.set("ack","1");c.set("cpn",a.clientPlaybackNonce);c.set("opr","1");c.set("pvi","135");c.set("pai","140");c.set("oad","0");c.set("ovd","0");c.set("oaad","0");c.set("oavd","0");return c.nd()}; -UU=function(a,b,c){var d=this;this.videoData=a;this.u=b;this.playerRequest=c;this.xhr=null;this.B=new dw;this.F=!1;this.D=new g.H(this.I,1E4,this);this.C=new EU(a.T().Bf.u);this.N=new TU(function(e,f){d.K.feed(e,f)}); -this.K=yva(this)}; -yva=function(a){var b=new LU(function(c,d){return a.C.decrypt(c,d)}); -b.subscribe("FIRST_BYTE_RECEIVED",function(){a.u.tick("orfb");a.F=!0}); -b.subscribe("PLAYER_RESPONSE_READY",function(c){a.u.tick("oprr");a.B.resolve(c);a.D.stop()}); -b.subscribe("PLAYER_RESPONSE_RECEIVED",function(){a.u.tick("orpr")}); -b.subscribe("PLAYER_RESPONSE_FAILED",function(c){VU(a,c.errorInfo)}); -return b}; -VU=function(a,b){a.B.reject(b);a.D.stop();a.u.tick("ore");a.xhr&&a.xhr.abort()}; -zva=function(a){for(var b=a.xhr;b.ih();){var c=b.nt();c.getLength();a.N.feed(c)}}; -Bva=function(a){return g.Ue(a,function c(){var d=this,e,f;return g.Aa(c,function(h){if(1==h.u)return g.ra(h,Ava(d),2);e=h.B;f={Rv:e};return h["return"](new vva(f))})})}; -Ava=function(a){return g.Ue(a,function c(){var d=this,e,f,h,l,m;return g.Aa(c,function(n){if(1==n.u)return g.ra(n,Cva(d),2);if(3!=n.u)return e=n.B,f=d.C.u.encryptedClientKey,h=d.C.iv,g.ra(n,gva(d.C,e),3);l=n.B;m={encryptedOnesiePlayerRequest:e,encryptedClientKey:f,iv:h,hmac:l};return n["return"](new tva(m))})})}; -Cva=function(a){return g.Ue(a,function c(){var d=this,e,f,h;return g.Aa(c,function(l){switch(l.u){case 1:var m=d.videoData.T().ba;m="https://youtubei.googleapis.com/youtubei/"+m.innertubeApiVersion+"/player?key="+m.innertubeApiKey;var n=[new SU({name:"Content-Type",value:"application/json"})],p=d.videoData.lf();p&&n.push(new SU({name:"Authorization",value:"Bearer "+p}));n.push(new SU({name:"User-Agent",value:g.Vc}));(p=d.videoData.visitorData||so("VISITOR_DATA"))&&n.push(new SU({name:"X-Goog-Visitor-Id", -value:p}));p=JSON.stringify(d.playerRequest);e=new uva({url:m,httpHeaders:n,postBody:p});sa(l,2);return g.ra(l,d.C.encrypt(e.lm()),4);case 4:f=l.B;ta(l,3);break;case 2:return ua(l),h=new TA("onesie.request.encrypt",!1),l["return"](Promise.reject(h));case 3:return l["return"](f)}})})}; -Hva=function(a,b,c,d,e,f){a.la();a.qd=!0;var h=a.T();return g.R(h.experiments,"html5_onesie")&&g.R(h.experiments,"html5_onesie_player_config")&&"yt"===h.X?Dva(a).then(function(){return Eva(a,d,e,f)}).then(function(){WU(a)},function(l){l=VA(l); -if(l.u)return Promise.reject(l);c(l);return XU(a,b,c,"onesie",!0)}):Fva(h,a)?Gva(a,e,f).then(function(){WU(a)},function(l){l=VA(l); -if(l.u)return WU(a),Promise.reject(l);c(l);return XU(a,b,c,"op")}):XU(a,b,c,"gvi")}; -Fva=function(a,b){return(g.R(a.experiments,"web_player_gvi_wexit")||g.R(a.experiments,"hoffle_api")&&RF(b))&&"yt"===a.X&&"adunit"!==MF(b)?!0:!1}; -Dva=function(a){a=a.T().Bf;if(!a||!a.u)return Promise.reject(new TA("onesie.unavailable.hotconfig",!1,{key:"0"}));a={};Ww()||(a.fetch="0");window.Uint8Array||(a.uint8="0");return 0Math.random())try{g.lr(new Iq("b/152131571",btoa(b)))}catch(F){}return D["return"](Promise.reject(new TA(y,!0,{backend:"gvi"})))}})})}; -Jva=function(a,b,c){return g.Ue(this,function e(){var f,h,l,m,n,p,r,t,w,x,y,D,F,G;return g.Aa(e,function(O){if(1==O.u)return a.fetchType="gvi",f=a.T(),(m=$ta(a))?(h={format:"RAW",method:"POST",withCredentials:!0,timeout:3E4,dc:m},l=$p(b,{action_display_post:1})):(h={format:"RAW",method:"GET",withCredentials:!0,timeout:3E4},l=b),n={},f.sendVisitorIdHeader&&a.visitorData&&(n["X-Goog-Visitor-Id"]=a.visitorData),(p=g.Xu(f.experiments,"debug_dapper_trace_id"))&&(n["X-Google-DapperTraceInfo"]=p),(r=g.Xu(f.experiments, -"debug_sherlog_username"))&&(n["X-Youtube-Sherlog-Username"]=r),0b.startSeconds){var c=b.endSeconds;a.ra&&(a.removeCueRange(a.ra),a.ra=null);a.ra=new g.tD(1E3*c,0x7ffffffffffff);a.ra.namespace="endcr";a.addCueRange(a.ra)}}; -cW=function(a,b,c,d){a.u.La=c;d&&Vva(a,b,d);var e=(d=g.bW(a))?wu(d):"";d=a.I;e=new kta(a.u,c,b,e);if(d.qoe){c=d.qoe;d=g.mT(c.provider);g.pT(c,d,"vfs",[e.u.id,e.B,c.Qa,e.reason]);c.Qa=e.u.id;e=c.provider.P();if(0=a.start);return b}; -gW=function(a,b){if(a.B&&b.Ma()==a.B.Ma()&&(b.isView()||a.B.isView())){if(b.isView()||!a.B.isView())g.Yr(a.Pb),a.B=b,Wva(a),dU(a.K,a.B),a.N.B=a.B}else{a.B&&fW(a);if(!a.C.isError()){var c=eL(a.C,512);g.T(c,8)&&!g.T(c,2)&&(c=dL(c,1));b.isView()&&(c=eL(c,64));YV(a,c)}a.B=b;a.B.setLoop(a.Qg);a.B.setPlaybackRate(a.ud);Wva(a);dU(a.K,a.B);a.N.B=a.B}}; -fW=function(a,b,c){b=void 0===b?!1:b;c=void 0===c?!1:c;if(a.B){var d=a.getCurrentTime();0b.u;e=a.K.Aa&&!XA();c||d||b||e?(a.gd("reattachOnConstraint",c?"u":d?"drm":e?"codec":"perf"),a.V("reattachrequired")):(!a.u.Lc&&a.K.P&&XD(a, -a.B,a.D),a.ra.xb())}}}; -ZU=function(a){mW(a,"html5_nonblocking_media_capabilities")?kW(a):lW(a)}; -$va=function(a){mW(a,"html5_probe_media_capabilities")&<a(a.u.Ia);Rga(a.u.ma,{cpn:a.u.clientPlaybackNonce,c:a.F.deviceParams.c,cver:a.F.deviceParams.cver});var b=a.F,c=a.u,d=new g.Yu,e=Wu(b,{hasSubfragmentedFmp4:c.hasSubfragmentedFmp4,Vm:c.Vm});d.D=e;d.zs=b.ca("html5_disable_codec_for_playback_on_error");d.yr=b.ca("html5_max_drift_per_track_secs")||b.ca("html5_rewrite_manifestless_for_sync")||b.ca("html5_check_segnum_discontinuity");d.Nj=b.ca("html5_unify_sqless_flow");d.xc=b.ca("html5_unrewrite_timestamps"); -d.Rb=b.ca("html5_stop_overlapping_requests");d.Df=g.Q(b.experiments,"html5_min_readbehind_secs");d.sz=g.Q(b.experiments,"html5_min_readbehind_cap_secs");d.rz=g.Q(b.experiments,"html5_max_readbehind_secs");d.vC=g.R(b.experiments,"html5_trim_future_discontiguous_ranges");d.Qq=b.ca("html5_append_init_while_paused");d.Cf=g.Q(b.experiments,"html5_max_readahead_bandwidth_cap");d.Ph=g.Q(b.experiments,"html5_post_interrupt_readahead");d.P=g.Q(b.experiments,"html5_subsegment_readahead_target_buffer_health_secs"); -d.ac=g.Q(b.experiments,"html5_subsegment_readahead_timeout_secs");d.TA=g.Q(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs");d.Ub=g.Q(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");d.eB=g.Q(b.experiments,"html5_subsegment_readahead_min_load_speed");d.Mj=g.Q(b.experiments,"html5_subsegment_readahead_load_speed_check_interval");d.VB=g.Q(b.experiments,"html5_subsegment_readahead_seek_latency_fudge");d.Qg=b.ca("html5_peak_shave");d.yz=b.ca("html5_peak_shave_always_include_sd"); -d.Vz=b.ca("html5_restrict_streaming_xhr_on_sqless_requests");d.pz=g.Q(b.experiments,"html5_max_headm_for_streaming_xhr");d.zz=b.ca("html5_pipeline_manifestless_allow_nonstreaming");d.Ez=b.ca("html5_prefer_server_bwe3");d.fo=1024*g.Q(b.experiments,"html5_video_tbd_min_kb");d.Qh=b.ca("html5_probe_live_using_range");d.EG=b.ca("html5_last_slice_transition");d.bA=b.ca("html5_store_xhr_headers_readable");d.QD=b.ca("html5_enable_packet_train_response_rate");if(e=g.Q(b.experiments,"html5_probe_secondary_during_timeout_miss_count"))d.Rh= -e,d.uC=1;d.Za=g.Q(b.experiments,"html5_probe_primary_delay_base_ms")||d.Za;d.Ff=b.ca("html5_no_placeholder_rollbacks");d.fA=b.ca("html5_subsegment_readahead_enable_mffa");b.ca("html5_allow_video_keyframe_without_audio")&&(d.ka=!0);d.Ki=b.ca("html5_reattach_on_stuck");d.tF=b.ca("html5_webm_init_skipping");d.Mi=g.Q(b.experiments,"html5_request_size_padding_secs")||d.Mi;d.MG=b.ca("html5_log_timestamp_offset");d.hd=b.ca("html5_abs_buffer_health");d.nG=b.ca("html5_interruption_resets_seeked_time");d.Bf= -g.Q(b.experiments,"html5_max_live_dvr_window_plus_margin_secs")||d.Bf;d.ae=b.ca("html5_explicitly_dispose_xhr");d.aA=b.ca("html5_skip_invalid_sq");d.Uz=b.ca("html5_restart_on_unexpected_detach");d.KG=b.ca("html5_log_live_discontinuity");d.Wz=b.ca("html5_rewrite_manifestless_for_continuity");d.pe=g.Q(b.experiments,"html5_manifestless_seg_drift_limit_secs");d.Af=g.Q(b.experiments,"html5_max_drift_per_track_secs");d.Yz=b.ca("html5_rewrite_manifestless_for_sync");d.Pb=g.Q(b.experiments,"html5_static_abr_resolution_shelf"); -d.Uq=!b.ca("html5_encourage_array_coalescing");d.Qr=b.ca("html5_crypto_period_secs_from_emsg");d.ra=b.ca("html5_defer_slicing");d.td=g.Q(b.experiments,"html5_buffer_health_to_defer_slice_processing");d.Ks=b.ca("html5_disable_reset_on_append_error");d.LF=b.ca("html5_filter_non_efficient_formats_for_safari");d.vz=b.ca("html5_format_hybridization");d.Lc=b.ca("html5_urgent_adaptation_fix");b.ca("html5_media_common_config_killswitch")||(d.F=c.maxReadAheadMediaTimeMs/1E3||d.F,e=b.schedule,e.u.u()===e.policy.C? -d.X=10:d.X=c.minReadAheadMediaTimeMs/1E3||d.X,d.wd=c.readAheadGrowthRateMs/1E3||d.wd);qg&&(d.Z=41943040);d.W=!rB();g.$B(b)||!rB()?(e=b.experiments,d.I=8388608,d.K=524288,d.Sq=5,d.Ga=2097152,d.ba=1048576,d.Iz=1.5,d.xz=!1,d.N=4587520,dk()&&(d.N=786432),d.u*=1.1,d.B*=1.1,d.yb=!0,d.Z=d.I,d.Ja=d.K,d.Oh=g.R(e,"persist_disable_player_preload_on_tv")||g.R(e,"persist_disable_player_preload_on_tv_for_living_room")||!1):b.u&&(d.u*=1.3,d.B*=1.3);g.eB&&Xj("crkey")&&(e="CHROMECAST/ANCHOVY"===b.deviceParams.cmodel, -d.I=20971520,d.K=1572864,e&&(d.N=812500,d.Li=1E3,d.UE=5,d.ba=2097152));!b.ca("html5_disable_firefox_init_skipping")&&g.wB&&(d.yb=!0);b.supportsGaplessAudio()||(d.LD=!1);JB&&(d.Dk=!0);hk()&&(d.Oi=!0);if(mF(c)){d.bG=!0;d.Zz=!0;if("ULTRALOW"==c.latencyClass||"LOW"==c.latencyClass&&!b.ca("html5_disable_low_pipeline"))d.WG=2,d.qz=4;d.aj=c.defraggedFromSubfragments;c.Jc&&(d.ob=!0);g.GF(c)&&(d.ha=!1);d.Er=g.mC(b)}c.isAd()&&(d.Na=0,d.ce=0);oF(c)&&(d.da=!0,b.ca("html5_resume_streaming_requests")&&(d.Lb=!0, -d.Li=400,d.oz=2));d.Aa=b.ca("html5_enable_subsegment_readahead_v3")||b.ca("html5_ultra_low_latency_subsegment_readahead")&&"ULTRALOW"==c.latencyClass;d.za=c.Cj;d.HG=d.za&&(/^rq[a-f]/.test(c.clientPlaybackNonce)||UF(c));nk()&&/(K\d{3}|KS\d{3}|KU\d{3})/.test(b.deviceParams.cmodel)&&!b.ca("html5_disable_move_pssh_to_moov")&&Jz(c.ma)&&(d.yb=!1);Jz(c.ma)&&(d.Ki=!1);var f=0;b.ca("html5_live_use_alternate_bandwidth_window_sizes")&&(f=b.schedule.policy.u,c.isLivePlayback&&(f=g.Q(b.experiments,"ULTRALOW"== -c.latencyClass?"html5_live_ultra_low_latency_bandwidth_window":c.isLowLatencyLiveStream?"html5_live_low_latency_bandwidth_window":"html5_live_normal_latency_bandwidth_window")||f));e=b.schedule;e.P.u=mF(c)?.5:0;if(!e.policy.B&&f&&(e=e.u,f=Math.round(f*e.resolution),f!==e.B)){var h=Array(f),l=Math.min(f,e.D?e.B:e.valueIndex),m=e.valueIndex-l;0>m&&(m+=e.B);for(var n=0;na.u.endSeconds&&isFinite(b)&&(a.removeCueRange(a.ra),a.ra=null);ba.W.getDuration()&&oB(a.W,c)):oB(a.W,d);var e=a.D,f=a.W;e.da&&(RD(e),e.da=!1);QD(e);if(!pB(f)){var h=e.B.u.info.mimeType+e.u.sF,l=e.D.u.info.mimeType,m=new WA("fakesb"==l?new Fz:f.C.addSourceBuffer(l),Qv(l),!1),n=new WA("fakesb"==h?new Fz:f.C.addSourceBuffer(h),Qv(h),!0);f.u=m;f.B=n;g.C(f,m);g.C(f, -n)}oy(e.B,f.B);oy(e.D,f.u);e.C=f;e.resume();Zr(f.u,e.Lb,e);Zr(f.B,e.Lb,e);e.u.MG&&1E-4>=Math.random()&&e.gd("toff",""+f.u.supports(1),!0);e.sh();a.V("mediasourceattached");a.Qh.stop()}}catch(p){g.lr(p),a.handleError(new TA("fmt.unplayable",!0,{msi:"1",ename:p.name}))}})}; -bwa=function(a){a.D?Lm(a.D.seek(a.getCurrentTime()-a.lc()),function(){}):$va(a)}; -aV=function(a,b){b=void 0===b?!1:b;return Ba(new za(new wa(function(c){if(1==c.u)return a.D&&a.D.la()&&bV(a),a.V("newelementrequired"),b?g.ra(c,hV(a),2):c.Jd(2);g.T(a.C,8)&&a.playVideo();c.u=0})))}; -cwa=function(a,b){a.sb("newelem",b);aV(a)}; -nW=function(a){g.T(a.C,32)||(YV(a,dL(a.C,32)),g.T(a.C,8)&&a.pauseVideo(!0),a.V("beginseeking",a));sW(a)}; -pW=function(a){g.T(a.C,32)?(YV(a,fL(a.C,16,32)),a.V("endseeking",a)):g.T(a.C,2)||YV(a,dL(a.C,16))}; -jV=function(a,b){a.V("internalvideodatachange",void 0===b?"dataupdated":b,a,a.u)}; -Wva=function(a){g.Gb("loadstart loadeddata loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" "),function(b){this.Pb.R(this.B,b,this.OP,this)},a); -a.F.Ji&&a.B.wk()&&(a.Pb.R(a.B,"webkitplaybacktargetavailabilitychanged",a.FM,a),a.Pb.R(a.B,"webkitcurrentplaybacktargetiswirelesschanged",a.GM,a))}; -ewa=function(a){mW(a,"html5_enable_timeupdate_timeout")&&!a.u.isLivePlayback&&dwa(a)&&a.Rh.start()}; -dwa=function(a){if(!a.B)return!1;var b=a.B.getCurrentTime();a=a.B.getDuration();return!!(1a-.3)}; -gwa=function(a){window.clearInterval(a.wd);a.Qa.stop();a.u.vg=!0;a.F.vg=!0;a.F.ra=0;fwa(a);g.T(a.C,8)&&YV(a,eL(a.C,65));var b=a.I;b.u&&cua(b.u);if(b.B){b=b.B;var c=g.mT(b.provider);0>b.u&&(b.u=c,b.delay.start());b.B=c;b.D=c}a.Bf.xb();a.V("playbackstarted");g.sp()&&((a=g.Na("yt.scheduler.instance.clearPriorityThreshold"))?a():up(0))}; -fwa=function(a){var b=a.getCurrentTime(),c=a.u;!JA("pbs",a.Z.timerName)&&KA.measure&&KA.getEntriesByName&&(KA.getEntriesByName("mark_nr")[0]?LA("mark_nr"):LA());c.videoId&&a.Z.info("docid",c.videoId);c.eventId&&a.Z.info("ei",c.eventId);c.clientPlaybackNonce&&a.Z.info("cpn",c.clientPlaybackNonce);0=h.B&&ef.D||g.A()-f.Ka.Ni+6283&&(!a.isAtLiveHead()||a.u.ma&&Vz(a.u.ma)||(c=a.I,c.qoe&&(c=c.qoe,e=c.provider.D(),d= -g.mT(c.provider),Hta(c,d,e),e=e.F,isNaN(e)||g.pT(c,d,"e2el",[e.toFixed(3)]))),g.mC(a.F)&&a.sb("rawlat","l."+pU(a.za,"rawlivelatency").toFixed(3)),a.Ni=g.A()),a.u.La&&Wv(a.u.La)&&(c=oI(a))&&c.videoHeight!=a.Ff&&(a.Ff=c.videoHeight,cW(a,"a",Yva(a,a.u.Gg))));xta(a.da,a.X,a.B,a.ba.isBackground())&&ZU(a);c=a.da;d=a.u.La;0>=g.Q(c.u.experiments,"hfr_dropped_framerate_fallback_threshold")||!(d&&d.Ka()&&32=5*h||f>=e+5))&&(e="wt."+f.toFixed(3)+".mpt."+h.toFixed(3)+(".dl."+e.toFixed(3)),iT(c,"slowads",e),c.videoData.ca("html5_report_slow_ads_as_error")&&c.V("playererror","fmt.unplayable","GENERIC_WITHOUT_LINK","slowads."+e)),d||(c.C=NaN,c.F=0)));a.V("progresssync",a,b)}}; -Yva=function(a,b){if("auto"==b.La.Ka().quality&&Wv(b.te())&&a.u.Bj)for(var c=g.q(a.u.Bj),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()==a.Ff&&"auto"!=d.La.Ka().quality)return d.te();return b.te()}; -YV=function(a,b){if(!g.gL(a.C,b)){var c=new g.vI(b,a.C);a.C=b;hwa(a);var d=!a.ce.length;a.ce.push(c);var e=a.B&&a.B.wp();g.xI(c,1)&&!g.T(c.xj,16)&&!e&&g.T(a.C,8)&&!g.T(a.C,64)&&a.D&&(a.D.Aa=!0,a.B&&5<=zS(a.B)&&((e=g.Q(a.F.experiments,"html5_non_network_rebuffer_duration_ms"))?a.Lj.start(e):vta(a.da,a.X)&&ZU(a)));(e=g.Q(a.F.experiments,"html5_ad_timeout_ms"))&&a.u.isAd()&&g.T(b,1)&&(g.T(b,8)||g.T(b,16))?a.Af.start(e):a.Af.stop();(0>wI(c,8)||g.xI(c,1024))&&a.Qa.stop();!g.xI(c,8)||a.u.vg||g.T(c.state, -1024)||a.Qa.start();g.T(c.state,8)&&0>wI(c,16)&&!g.T(c.state,32)&&!g.T(c.state,2)&&a.playVideo();g.T(c.state,2)&&HF(a.u)&&(e=a.getCurrentTime(),a.u.lengthSeconds!=e&&(a.u.lengthSeconds=e,jV(a)),sW(a,!0));g.xI(c,2)&&a.qy(!0);g.xI(c,128)&&a.Ch();a.u.ma&&a.u.isLivePlayback&&!a.Oj&&(0>wI(c,8)?(e=a.u.ma,e.D&&e.D.stop()):g.xI(c,8)&&a.u.ma.resume());a.K.Vb(c);a.I.Vb(c);if(d&&!a.la())try{for(var f=g.q(a.ce),h=f.next();!h.done;h=f.next()){var l=h.value;a.ea.Vb(l);a.V("statechange",l)}}finally{a.ce.length= -0}}}; -tW=function(a,b){g.T(a.C,128)||(YV(a,fL(a.C,1028,9)),a.sb("dompaused",b),a.V("onDompaused"))}; -iV=function(a){if(!a.B||!a.u.Ia)return!1;var b=null;a.u.Ia.wc()?(b=qW(a),a.D.resume()):(bV(a),a.u.Gg&&(b=a.u.Gg.yp()));var c=b;var d=a.B.vt();b=!1;d&&null!==c&&c.u===d.u||(a.Z.tick("vta"),MA("vta","video_to_ad"),0d&&(d=-(d+1));g.Ie(a,b,d);b.setAttribute("data-layer",String(c))}; -g.eX=function(a){var b=a.T();if(!b.ob)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=!c.isLiveDefaultBroadcast||g.R(b.experiments,"allow_poltergust_autoplay");d=c.isLivePlayback&&(!g.R(b.experiments,"allow_live_autoplay")||!d);var e=c.isLivePlayback&&g.R(b.experiments,"allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.hasNext();var f=c.watchNextResponse&&c.watchNextResponse.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay); -f=c.Kc&&f;return!c.ypcPreview&&(!d||e)&&!g.nb(c.me,"ypc")&&!a&&(!g.LB(b)||f)}; -g.fX=function(a,b,c,d,e){a.T().da&&Nwa(a.app.Aa,b,c,d,void 0===e?!1:e)}; -g.$M=function(a,b,c,d){a.T().da&&Owa(a.app.Aa,b,c,void 0===d?!1:d)}; -g.aN=function(a,b,c){a.T().da&&(a.app.Aa.elements.has(b),c&&(b.visualElement=g.ls(c)))}; -g.gX=function(a,b,c){a.T().da&&a.app.Aa.click(b,c)}; -g.dN=function(a,b,c,d){if(a.T().da){a=a.app.Aa;a.elements.has(b);c?a.u.add(b):a.u["delete"](b);var e=g.rs(),f=b.visualElement;a.B.has(b)?e&&f&&(c?g.Os(e,[f]):g.Ps(e,[f])):c&&!a.C.has(b)&&(e&&f&&g.Js(e,f,d),a.C.add(b))}}; -g.cN=function(a,b){return a.T().da?a.app.Aa.elements.has(b):!1}; -g.FM=function(a,b){if(a.app.getPresentingPlayerType()===b){var c=a.app,d=g.Z(c,b);d&&(d.getPlayerType(),d.getVideoData(),d!==c.C?hX(c,c.C):Pwa(c))}}; -ura=function(a,b,c){c=void 0===c?Infinity:c;a=a.app;b=void 0===b?-1:b;b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.W?iX(a.W,b,c):jX(a.ka,b,c)}; -oG=function(a){a=a.app;var b=g.Z(a,void 0);if(b){a=kX(a,b);b=oW(a);var c=a.getCurrentTime(),d;(d=!a.u.isLivePlayback)||(d=a.K,d=!(d.B&&d.B.C));a=d||iU(a.K)||isNaN(b)||isNaN(c)?0:Math.max(0,b-c)}else a=0;return a}; -Qwa=function(a){if(!a.ca("html5_inline_video_quality_survey"))return!1;var b=g.Z(a.app);if(!b)return!1;var c=b.getVideoData();if(!c.La||!c.La.video||1080>c.La.video.yc||c.eC)return!1;var d=/^qsa/.test(c.clientPlaybackNonce),e="r";0<=c.La.id.indexOf(";")&&(d=/^[a-p]/.test(c.clientPlaybackNonce),e="x");a.ca("html5_inline_video_quality_survey_always")&&(d=!0,e="a");return d?(b.sb("iqss",e,!0),!0):!1}; -Swa=function(a,b){return g.Ue(this,function d(){var e,f,h,l;return g.Aa(d,function(m){if(1==m.u){e=g.BU();var n=a.T(),p={context:DT(a)};n=n.embedConfig;var r=a.videoId,t=a.playlistId?a.playlistId:b.list;if(t){t={playlistId:t};var w=a.playlistIndex;t.playlistIndex=String(w?w:1);t.videoId=r?r:"";n&&(t.serializedThirdPartyEmbedConfig=n);p.playlistRequest=t}else b.playlist?(r={templistVideoIds:b.playlist.toString().split(",")},n&&(r.serializedThirdPartyEmbedConfig=n),p.playlistRequest=r):r&&(r={videoId:r}, -n&&(r.serializedThirdPartyEmbedConfig=n),p.singleVideoRequest=r);f=p;h=g.sU(Rwa);return g.ra(m,g.sG(e,f,h),2)}l=m.B;a.Oe({raw_embedded_player_response:l},!1);m.u=0})})}; -g.lX=function(a,b){return Xv(a.info.mimeType)?b?wu(a.info)===b:!0:!1}; -g.Twa=function(a,b){if(null!=a.ma&&g.mC(b.T())&&!a.ma.isManifestless&&null!=a.ma.u.rawcc)return!0;if(!a.Bg())return!1;var c=!!a.ma&&a.ma.isManifestless&&Object.values(a.ma.u).some(function(e){return g.lX(e,"386")}),d=!!a.ma&&!a.ma.isManifestless&&Fga(a.ma); -return c||d}; -mX=function(a,b){g.B.call(this);this.J=a;this.F=b;this.u={};this.B={};this.C=null;this.Ec=new Map;this.D=g.R(a.T().experiments,"web_player_defer_modules")}; -g.nX=function(a){return a.Ec.get("captions")}; -Xwa=function(a,b){switch(b){case "ad":return oX(a);case "annotations_module":return a.RF();case "attribution":var c=a.J.T();return g.R(c.experiments,"web_player_show_music_in_this_video")&&"desktop-polymer"===c.playerStyle;case "creatorendscreen":return c=a.J.T(),"3"===c.controlsType?c=!1:"creator-endscreen-editor"===c.playerStyle?c=!0:(c=a.J.getVideoData(),c=!!c&&(!!g.IF(c)||!!g.JF(c))),c;case "embed":return g.LB(a.J.T());case "endscreen":return g.Uwa(a);case "fresca":return a.zy();case "heartbeat":return a.Ay(); -case "kids":return bC(a.J.T());case "remote":return a.J.T().wd;case "miniplayer":return a.J.T().showMiniplayerUiWhenMinimized;case "music":return g.UB(a.J.T());case "captions":return c=a.J.getVideoData(),!!c.uo||!!c.captionTracks.length||g.Twa(c,a.J);case "unplugged":return g.aC(a.J.T());case "ux":return a.J.T().Qa;case "visualizer":return g.Vwa(a);case "webgl":return Wwa(a);case "ypc":return a.jq();case "ypc_clickwrap":return c=a.J.getVideoData(),c.ao&&!c.Uw;case "yto":return!!a.J.getVideoData().me.includes("yto"); -default:return g.kr(Error("Module descriptor "+b+" does not match")),!1}}; -pX=function(a,b,c,d,e){d=void 0===d?!1:d;e=void 0===e?!1:e;var f=a.Ec.get(b);if(!f||e)if(c||(c=function(){pX(a,b,void 0,d,e)}),f=f||Ywa(a,b,c,Xwa(a,b)))a.Ec.set(b,f),f.create(),d&&a.J.va("onApiChange")}; -Zwa=function(a){a.D&&(pX(a,"endscreen"),a.Kv(),pX(a,"creatorendscreen",void 0,!0))}; -g.Uwa=function(a){var b=a.J.T();if(g.vC(b)||b.I||!b.nb&&!b.Lc)return!1;var c=a.J.getPresentingPlayerType();if(2===c)return!1;if(3===c)return g.R(b.experiments,"desktop_enable_autoplay");a=a.J.getVideoData();if(!a)return!1;c=!a.isLiveDefaultBroadcast||g.R(b.experiments,"allow_poltergust_autoplay");c=a.isLivePlayback&&(!g.R(b.experiments,"allow_live_autoplay")||!c);b=a.isLivePlayback&&g.R(b.experiments,"allow_live_autoplay_on_mweb");return!c||b}; -g.UW=function(a){return a.Ec.get("webgl")}; -Wwa=function(a){var b=a.J.getVideoData(),c=a.J.T().experiments,d=g.fk(),e=g.R(c,"enable_spherical_kabuki");a=g.tC(a.J.T());if(b.ij())return d||e||a||g.R(c,"html5_enable_spherical");if(b.mj())return a||d||e||g.R(c,"html5_enable_spherical");if(b.nj())return a||d||g.R(c,"html5_enable_spherical3d");if(b.Ym())return a||g.R(c,"html5_enable_anaglyph3d")||!1;d=b.La&&b.La.video&&Ov(b.La.video);return a&&!g.xF(b)&&!b.isVisualizerEligible&&!d&&(g.R(c,"enable_webgl_noop")||g.R(c,"html5_enable_bicubicsharp")|| -g.R(c,"html5_enable_smartsharp"))}; -$wa=function(a){g.R(a.J.T().experiments,"web_player_ux_module_wait")&&a.Ec.get("ux")&&g.dX(a.J,"ux")}; -axa=function(a){$wa(a);pX(a,"ux",void 0,!0)}; -oX=function(a){if(a=a.J.getVideoData(1).getPlayerResponse())if(a=a.adPlacements)for(var b=0;bMath.random()){var D=new Iq("Unable to load player module",b+".js from "+d+" on "+(document.location&&document.location.origin)+".");g.kr(D)}om(p);t&&t(y)}; -var w=h,x=w.onreadystatechange;w.onreadystatechange=function(y){switch(w.readyState){case "loaded":case "complete":om(n)}x&&x(y)}; -f&&((e=a.J.T().cspNonce)&&h.setAttribute("nonce",e),g.jd(h,g.ng(d)),e=document.getElementsByTagName("HEAD")[0]||document.body,e.insertBefore(h,e.firstChild),g.dg(a,function(){h.parentNode&&h.parentNode.removeChild(h);g.qX[b]=null;"annotations_module"===b&&(g.qX.creatorendscreen=null)}))}}; -xX=function(a,b,c,d){g.P.call(this);var e=this;this.target=a;this.ir=b;this.B=0;this.I=!1;this.D=new g.fe(NaN,NaN);this.u=new g.Wr(this);this.ba=this.C=this.K=null;g.C(this,this.u);b=d?4E3:3E3;this.P=new g.H(function(){wX(e,1,!1)},b,this); -g.C(this,this.P);this.W=new g.H(function(){wX(e,2,!1)},b,this); -g.C(this,this.W);this.X=new g.H(function(){wX(e,512,!1)},b,this); -g.C(this,this.X);this.Z=c&&01+b&&a.api.toggleFullscreen()}; -mxa=function(){var a=Yj()&&67<=Vj();return!Xj("tizen")&&!JB&&!a&&!0}; -WX=function(a){g.V.call(this,{G:"button",ia:["ytp-button","ytp-back-button"],S:[{G:"div",L:"ytp-arrow-back-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},S:[{G:"path",U:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",qb:!0,U:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.J=a;g.WM(this,a.T().showBackButton);this.ua("click",this.onClick)}; -g.XX=function(a){g.V.call(this,{G:"div",S:[{G:"div",L:"ytp-bezel-text-wrapper",S:[{G:"div",L:"ytp-bezel-text",Y:"{{title}}"}]},{G:"div",L:"ytp-bezel",U:{role:"status","aria-label":"{{label}}"},S:[{G:"div",L:"ytp-bezel-icon",Y:"{{icon}}"}]}]});this.J=a;this.B=new g.H(this.show,10,this);this.u=new g.H(this.hide,500,this);g.C(this,this.B);g.C(this,this.u);this.hide()}; -ZX=function(a,b,c){if(0>=b){c=GN();b="muted";var d=0}else c=c?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", -fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";YX(a,c,b,d+"%")}; -qxa=function(a,b){var c=b?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]},d=a.J.getPlaybackRate(),e=g.jJ("Speed is $RATE",{RATE:String(d)});YX(a,c,e,d+"x")}; -YX=function(a,b,c,d){d=void 0===d?"":d;a.wa("label",void 0===c?"":c);a.wa("icon",b);a.u.wg();a.B.start();a.wa("title",d);g.J(a.element,"ytp-bezel-text-hide",!d)}; -$X=function(a,b,c){g.V.call(this,{G:"div",L:"ytp-cards-teaser",S:[{G:"div",L:"ytp-cards-teaser-box"},{G:"div",L:"ytp-cards-teaser-text",S:[{G:"span",L:"ytp-cards-teaser-label",Y:"{{text}}"}]}]});var d=this;this.J=a;this.W=b;this.Uh=c;this.D=new g.PN(this,250,!1,250);this.u=null;this.K=new g.H(this.iO,300,this);this.I=new g.H(this.hO,2E3,this);this.F=[];this.B=null;this.P=new g.H(function(){d.element.style.margin="0"},250); -this.C=null;g.C(this,this.D);g.C(this,this.K);g.C(this,this.I);g.C(this,this.P);this.R(c.element,"mouseover",this.lD);this.R(c.element,"mouseout",this.kD);this.R(a,"cardsteasershow",this.xP);this.R(a,"cardsteaserhide",this.fb);this.R(a,"cardstatechange",this.sG);this.R(a,"presentingplayerstatechange",this.sG);this.R(a,"appresize",this.ez);this.R(a,"onShowControls",this.ez);this.R(a,"onHideControls",this.aI);this.ua("click",this.YQ);this.ua("mouseenter",this.mL)}; -bY=function(a,b,c){g.V.call(this,{G:"button",ia:["ytp-button","ytp-cards-button"],U:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.LB(a.T()))},S:[{G:"span",L:"ytp-cards-button-icon-default",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, -{G:"div",L:"ytp-cards-button-title",Y:"Info"}]},{G:"span",L:"ytp-cards-button-icon-shopping",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",L:"ytp-svg-shadow",U:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",L:"ytp-svg-fill",U:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", -"fill-opacity":"1"}},{G:"path",L:"ytp-svg-shadow-fill",U:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", -L:"ytp-cards-button-title",Y:"Shopping"}]}]});this.J=a;this.D=b;this.C=c;this.u=null;this.B=new g.PN(this,250,!0,100);g.C(this,this.B);g.J(this.C,"ytp-show-cards-title",g.LB(a.T()));this.hide();this.ua("click",this.onClicked);this.ua("mouseover",this.GN);aY(this,!0)}; -aY=function(a,b){b?a.u=g.cY(a.D.Jb(),a.element):(a.u=a.u,a.u(),a.u=null)}; -eY=function(a,b){g.V.call(this,{G:"button",ia:[dY.BUTTON,dY.TITLE_NOTIFICATIONS],U:{"aria-pressed":"{{pressed}}","aria-label":"{{label}}"},S:[{G:"div",L:dY.TITLE_NOTIFICATIONS_ON,U:{title:"Stop getting notified about every new video","aria-label":"Notify subscriptions"},S:[g.yN()]},{G:"div",L:dY.TITLE_NOTIFICATIONS_OFF,U:{title:"Get notified about every new video","aria-label":"Notify subscriptions"},S:[{G:"svg",U:{fill:"#fff",height:"24px",viewBox:"0 0 24 24",width:"24px"},S:[{G:"path",U:{d:"M18 11c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2v-5zm-6 11c.14 0 .27-.01.4-.04.65-.14 1.18-.58 1.44-1.18.1-.24.15-.5.15-.78h-4c.01 1.1.9 2 2.01 2z"}}]}]}]}); -this.api=a;this.channelId=b;this.u=!1;g.fX(a,this.element,this,36927);this.ua("click",this.onClick,this);this.wa("pressed",!1);this.wa("label","Get notified about every new video")}; -rxa=function(a,b){a.u=b;a.element.classList.toggle(dY.NOTIFICATIONS_ENABLED,a.u);if(g.R(a.api.T().experiments,"web_player_innertube_subscription_update")){var c=a.api.getVideoData();if(c)if(c=b?c.My:c.Ly){var d=qG(a.api.app);d?tU(d,c):g.M(Error("No innertube service available when updating notification preferences."))}else g.M(Error("No update preferences command available."));else g.M(Error("No video data when updating notification preferences."))}else g.oq("/subscription_ajax?action_update_subscription_preferences=1", -{method:"POST",dc:{channel_id:a.channelId,receive_all_updates:!a.u}})}; -sxa=function(a,b,c){return b?a.N+"subscription_ajax":c?"/subscription_service":""}; -g.gY=function(a,b,c,d,e,f,h,l,m,n,p,r,t){t=void 0===t?null:t;f&&(a=a.charAt(0)+a.substring(1).toLowerCase(),c=c.charAt(0)+c.substring(1).toLowerCase());if("0"===b||"-1"===b)b=null;if("0"===d||"-1"===d)d=null;var w=r.T();if(p){c={href:p,"aria-label":"Subscribe to channel"};if(g.RB(w)||g.TB(w))c.target=w.F;g.V.call(this,{G:"div",ia:["ytp-button","ytp-sb"],S:[{G:"a",L:"ytp-sb-subscribe",U:c,S:[{G:"div",L:"ytp-sb-text",S:[{G:"div",L:"ytp-sb-icon"},a]},b?{G:"div",L:"ytp-sb-count",Y:b}:""]}]});f&&g.I(this.element, -"ytp-sb-classic");this.channelId=h;this.u=t}else{p=w.userDisplayName&&g.RB(w)&&!g.R(w.experiments,"subscribe_tooltipkillswitch");g.V.call(this,{G:"div",ia:["ytp-button","ytp-sb"],S:[{G:"div",L:"ytp-sb-subscribe",U:p?{title:g.jJ("Subscribe as $USER_NAME",{USER_NAME:w.userDisplayName}),"aria-label":"Subscribe to channel","data-tooltip-image":wC(w),"data-tooltip-opaque":String(g.LB(w)),tabindex:"0",role:"button"}:{"aria-label":"Subscribe to channel"},S:[{G:"div",L:"ytp-sb-text",S:[{G:"div",L:"ytp-sb-icon"}, -a]},b?{G:"div",L:"ytp-sb-count",Y:b}:""]},{G:"div",L:"ytp-sb-unsubscribe",U:p?{title:g.jJ("Subscribed as $USER_NAME",{USER_NAME:w.userDisplayName}),"aria-label":"Unsubscribe to channel","data-tooltip-image":wC(w),"data-tooltip-opaque":String(g.LB(w)),tabindex:"0",role:"button"}:{"aria-label":"Unsubscribe to channel"},S:[{G:"div",L:"ytp-sb-text",S:[{G:"div",L:"ytp-sb-icon"},c]},d?{G:"div",L:"ytp-sb-count",Y:d}:""]}]});var x=this;this.channelId=h;this.u=t;var y=this.ga("ytp-sb-subscribe"),D=this.ga("ytp-sb-unsubscribe"); -f&&g.I(this.element,"ytp-sb-classic");if(e){l&&g.I(this.element,"ytp-sb-subscribed");var F=function(){a:{var O=x.channelId;if(m||n){var K=r.T();var Ja={c:O};if(g.R(K.experiments,"embeds_botguard_with_subscribe_killswitch"))Ja="";else{var va;tr.Dd()&&(va=Yra(Ja));Ja=va||""}if(g.R(K.experiments,"web_player_innertube_subscription_update")){K=r.getVideoData();if(!K){g.M(Error("No video data available when updating subscription."));break a}K=K.subscribeCommand;if(!K){g.M(Error("No subscribe command in videoData.")); -break a}va=qG(r.app);if(!va){g.M(Error("No innertube service available when updating subscriptions."));break a}tU(va,K,{botguardResponse:Ja,feature:m})}else g.oq(sxa(K,!!m,!!n),m?{method:"POST",Og:{action_create_subscription_to_channel:1,c:O},dc:{feature:m,silo_name:null,r2b:Ja},withCredentials:!0}:n?{method:"POST",Og:{action_subscribe:1},dc:{channel_ids:O,itct:n}}:{});r.va("SUBSCRIBE",O)}}D.focus();D.removeAttribute("aria-hidden");y.setAttribute("aria-hidden","true")},G=function(){var O=x.channelId; -if(m||n){var K=r.T();g.R(K.experiments,"web_player_innertube_subscription_update")?(K=r.getVideoData(),tU(qG(r.app),K.unsubscribeCommand,{feature:m})):g.oq(sxa(K,null!=m,null!=n),m?{method:"POST",Og:{action_remove_subscriptions:1},dc:{c:O,silo_name:null,feature:m},withCredentials:!0}:n?{method:"POST",Og:{action_unsubscribe:1},dc:{channel_ids:O,itct:n}}:{});r.va("UNSUBSCRIBE",O)}y.focus();y.removeAttribute("aria-hidden");D.setAttribute("aria-hidden","true")}; -this.R(y,"click",F);this.R(D,"click",G);this.R(y,"keypress",function(O){13===O.keyCode&&F(O)}); -this.R(D,"keypress",function(O){13===O.keyCode&&G(O)}); -this.R(r,"SUBSCRIBE",this.B);this.R(r,"UNSUBSCRIBE",this.C);this.u&&p&&(this.tooltip=this.u.Jb(),fY(this.tooltip),g.dg(this,g.cY(this.tooltip,y)),g.dg(this,g.cY(this.tooltip,D)))}else g.I(y,"ytp-sb-disabled"),g.I(D,"ytp-sb-disabled")}}; -hY=function(a,b){g.V.call(this,{G:"div",L:"ytp-title-channel",S:[{G:"div",L:"ytp-title-beacon"},{G:"a",L:"ytp-title-channel-logo",U:{href:"{{channelLink}}",target:a.T().F,"aria-label":"{{channelLogoLabel}}"}},{G:"div",L:"ytp-title-expanded-overlay",U:{"aria-hidden":"{{flyoutUnfocusable}}"},S:[{G:"div",L:"ytp-title-expanded-heading",S:[{G:"h2",L:"ytp-title-expanded-title",S:[{G:"a",Y:"{{expandedTitle}}",U:{href:"{{channelTitleLink}}",target:a.T().F,tabIndex:"{{channelTitleFocusable}}"}}]},{G:"h3", -L:"ytp-title-expanded-subtitle",Y:"{{expandedSubtitle}}"}]}]}]});this.api=a;this.I=b;this.channel=this.ga("ytp-title-channel");this.u=this.ga("ytp-title-channel-logo");this.D=this.ga("ytp-title-expanded-overlay");this.C=this.B=this.subscribeButton=null;this.F=g.LB(this.api.T());g.fX(a,this.u,this,36925);this.F&&txa(this);this.R(a,"videodatachange",this.na);this.R(a,"videoplayerreset",this.na);this.na()}; -txa=function(a){var b=a.api.T(),c=a.api.getVideoData();if(!b.ha){var d=b.kd?null:qwa(),e=new g.gY("Subscribe",null,"Subscribed",null,!0,!1,c.Ng,c.subscribed,"channel_avatar",null,d,a.api,a.I);a.subscribeButton=e;g.C(a,e);e.fa(a.D);g.fX(a.api,e.element,a,36926);e.hide();a.R(e.element,"click",function(){g.gX(a.api,e.element)}); -var f=new eY(a.api,c.Ng);a.B=f;g.C(a,f);f.fa(a.D);f.hide();a.R(a.api,"SUBSCRIBE",function(){c.On&&f.show()}); -a.R(a.api,"UNSUBSCRIBE",function(){c.On&&(f.hide(),rxa(f,!1))})}a.wa("flyoutUnfocusable","true"); -a.wa("channelTitleFocusable","-1");b.u?a.R(a.u,"click",function(h){uxa(a)&&(h.preventDefault(),a.isExpanded()?a.Gv():a.bw());g.gX(a.api,a.u)}):(a.R(a.channel,"mouseenter",a.bw),a.R(a.channel,"mouseleave",a.Gv),a.R(a.channel,"focusin",a.bw),a.R(a.channel,"focusout",function(h){a.channel.contains(h.relatedTarget)||a.Gv()}),a.R(a.u,"click",function(){g.gX(a.api,a.u)})); -a.C=new g.H(function(){a.isExpanded()&&(a.subscribeButton&&(a.subscribeButton.hide(),g.dN(a.api,a.subscribeButton.element,!1)),a.B&&(a.B.hide(),g.dN(a.api,a.B.element,!1)),a.channel.classList.remove("ytp-title-expanded"),a.channel.classList.add("ytp-title-show-collapsed"))},500); -g.C(a,a.C);a.R(a.channel,vxa,function(){wxa(a)}); -a.R(a.api,"onHideControls",a.ly);a.R(a.api,"appresize",a.ly);a.R(a.api,"fullscreentoggled",a.ly)}; -wxa=function(a){a.channel.classList.remove("ytp-title-show-collapsed");a.channel.classList.remove("ytp-title-show-expanded")}; -uxa=function(a){var b=a.api.getPlayerSize();return a.F&&524<=b.width}; -g.jY=function(a,b,c,d){g.XM.call(this,a);this.priority=b;c&&g.iY(this,c);d&&this.pc(d)}; -g.kY=function(a,b,c){a=void 0===a?{}:a;b=void 0===b?[]:b;c=void 0===c?!1:c;b.push("ytp-menuitem");"role"in a||(a.role="menuitem");c||"tabindex"in a||(a.tabindex="0");return{G:c?"a":"div",ia:b,U:a,S:[{G:"div",L:"ytp-menuitem-icon",Y:"{{icon}}"},{G:"div",L:"ytp-menuitem-label",Y:"{{label}}"},{G:"div",L:"ytp-menuitem-content",Y:"{{content}}"}]}}; -lY=function(a,b){a.wa("icon",b)}; -g.iY=function(a,b){a.wa("label",b)}; -mY=function(a,b,c,d,e,f){var h={G:"div",L:"ytp-panel"};if(c){var l="ytp-panel-title";var m={G:"div",L:"ytp-panel-header",S:[{G:"button",ia:["ytp-button",l],S:[c]}]};if(e){var n="ytp-panel-options";m.S.unshift({G:"button",ia:["ytp-button",n],S:[d]})}h.S=[m]}d=!1;f&&(f={G:"div",L:"ytp-panel-footer",S:[f]},d=!0,h.S?h.S.push(f):h.S=[f]);g.XM.call(this,h);this.content=b;d&&h.S?b.fa(this.element,h.S.length-1):b.fa(this.element);this.UB=!1;this.yJ=d;c&&(c=this.ga(l),this.R(c,"click",this.UM),this.UB=!0, -e&&(n=this.ga(n),this.R(n,"click",e)));b.subscribe("size-change",this.ZD,this);this.R(a,"fullscreentoggled",this.ZD)}; -g.nY=function(a,b,c,d,e,f){b=void 0===b?null:b;var h={role:"menu"};b&&(h.id=b);b=new g.XM({G:"div",L:"ytp-panel-menu",U:h});mY.call(this,a,b,c,d,e,f);this.menuItems=b;this.items=[];g.C(this,this.menuItems)}; -g.oY=function(a){for(var b=g.q(a.items),c=b.next();!c.done;c=b.next())c.value.unsubscribe("size-change",a.Mx,a);a.items=[];g.He(a.menuItems.element);a.menuItems.V("size-change")}; -xxa=function(a,b){return b.priority-a.priority}; -pY=function(a){var b=g.kY({"aria-haspopup":"true"});g.jY.call(this,b,a);this.ua("keydown",this.u)}; -qY=function(a,b){a.element.setAttribute("aria-haspopup",String(b))}; -g.rY=function(a,b){g.jY.call(this,g.kY({role:"menuitemcheckbox","aria-checked":"false"}),b,a,{G:"div",L:"ytp-menuitem-toggle-checkbox"});this.checked=!1;this.ua("click",this.onClick)}; -sY=function(a,b,c,d){g.nY.call(this,a);this.J=a;this.Ta=c;this.Kb=d;this.ph=new g.rY("Loop",7);this.getVideoUrl=new pY(6);this.fh=new pY(5);this.bh=new pY(4);this.jb=new pY(3);this.bq=new g.jY(g.kY({href:"{{href}}",target:this.J.T().F},void 0,!0),2,"Troubleshoot playback issue");this.Bm=new g.XM({G:"div",ia:["ytp-copytext","ytp-no-contextmenu"],U:{draggable:"false",tabindex:"1"},Y:"{{text}}"});this.LA=new mY(this.J,this.Bm);this.kk=null;g.C(this,this.ph);this.Nb(this.ph,!0);this.ph.ua("click",this.fQ, -this);g.fX(a,this.ph.element,this.ph,28661);g.C(this,this.getVideoUrl);this.Nb(this.getVideoUrl,!0);this.getVideoUrl.ua("click",this.dQ,this);g.fX(a,this.getVideoUrl.element,this.getVideoUrl,28659);g.C(this,this.fh);this.Nb(this.fh,!0);this.fh.ua("click",this.eQ,this);g.fX(a,this.fh.element,this.fh,28660);g.C(this,this.bh);this.Nb(this.bh,!0);this.bh.ua("click",this.cQ,this);g.fX(a,this.bh.element,this.bh,28658);g.C(this,this.jb);this.Nb(this.jb,!0);this.jb.ua("click",this.bQ,this);g.C(this,this.bq); -this.Nb(this.bq,!0);this.bq.ua("click",this.XO,this);b=new g.jY(g.kY(),1,"Stats for nerds");g.C(this,b);this.Nb(b,!0);b.ua("click",this.oP,this);g.C(this,this.Bm);this.Bm.ua("click",this.pN,this);g.C(this,this.LA);c=document.queryCommandSupported&&document.queryCommandSupported("copy");g.eB&&g.$d(43)&&(c=!0);g.wB&&!g.$d(41)&&(c=!1);c&&(this.kk=new g.V({G:"textarea",L:"ytp-html5-clipboard",U:{readonly:""}}),g.C(this,this.kk),this.kk.fa(this.element));lY(this.ph,{G:"svg",U:{fill:"none",height:"24", -viewBox:"0 0 24 24",width:"24"},S:[{G:"path",U:{d:"M7 7H17V10L21 6L17 2V5H5V11H7V7ZM17 17H7V14L3 18L7 22V19H19V13H17V17Z",fill:"white"}}]});lY(this.jb,{G:"svg",U:{height:"24",viewBox:"0 0 24 24",width:"24"},S:[{G:"path",U:{"clip-rule":"evenodd",d:"M20 10V8H17.19C16.74 7.22 16.12 6.54 15.37 6.04L17 4.41L15.59 3L13.42 5.17C13.39 5.16 13.37 5.16 13.34 5.16C13.18 5.12 13.02 5.1 12.85 5.07C12.79 5.06 12.74 5.05 12.68 5.04C12.46 5.02 12.23 5 12 5C11.51 5 11.03 5.07 10.58 5.18L10.6 5.17L8.41 3L7 4.41L8.62 6.04H8.63C7.88 6.54 7.26 7.22 6.81 8H4V10H6.09C6.03 10.33 6 10.66 6 11V12H4V14H6V15C6 15.34 6.04 15.67 6.09 16H4V18H6.81C7.85 19.79 9.78 21 12 21C14.22 21 16.15 19.79 17.19 18H20V16H17.91C17.96 15.67 18 15.34 18 15V14H20V12H18V11C18 10.66 17.96 10.33 17.91 10H20ZM16 15C16 17.21 14.21 19 12 19C9.79 19 8 17.21 8 15V11C8 8.79 9.79 7 12 7C14.21 7 16 8.79 16 11V15ZM10 14H14V16H10V14ZM10 10H14V12H10V10Z", -fill:"white","fill-rule":"evenodd"}}]});lY(this.bq,{G:"svg",U:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},S:[{G:"path",U:{"clip-rule":"evenodd",d:"M2 12C2 6.48 6.48 2 12 2C17.52 2 22 6.48 22 12C22 17.52 17.52 22 12 22C6.48 22 2 17.52 2 12ZM13 16V18H11V16H13ZM12 20C7.59 20 4 16.41 4 12C4 7.59 7.59 4 12 4C16.41 4 20 7.59 20 12C20 16.41 16.41 20 12 20ZM8 10C8 7.79 9.79 6 12 6C14.21 6 16 7.79 16 10C16 11.28 15.21 11.97 14.44 12.64C13.71 13.28 13 13.90 13 15H11C11 13.17 11.94 12.45 12.77 11.82C13.42 11.32 14 10.87 14 10C14 8.9 13.1 8 12 8C10.9 8 10 8.9 10 10H8Z", -fill:"white","fill-rule":"evenodd"}}]});lY(b,tN());this.R(a,"loopchange",this.kE);this.R(a,"videodatachange",this.Pa);yxa(this);this.Dh(this.J.getVideoData())}; -uY=function(a,b){var c=!1;if(a.kk){var d=a.kk.element;d.value=b;d.select();try{c=document.execCommand("copy")}catch(e){}}c?a.Ta.fb():(a.Bm.pc(b,"text"),g.tY(a.Ta,a.LA),DX(a.Bm.element),a.kk&&(a.kk=null,yxa(a)));return c}; -yxa=function(a){var b=!!a.kk;g.iY(a.jb,b?"Copy debug info":"Get debug info");qY(a.jb,!b);g.iY(a.bh,b?"Copy embed code":"Get embed code");qY(a.bh,!b);g.iY(a.getVideoUrl,b?"Copy video URL":"Get video URL");qY(a.getVideoUrl,!b);g.iY(a.fh,b?"Copy video URL at current time":"Get video URL at current time");qY(a.fh,!b);lY(a.bh,b?rN():null);lY(a.getVideoUrl,b?vN():null);lY(a.fh,b?vN():null)}; -g.vY=function(a,b){g.OX.call(this,a,{G:"div",ia:["ytp-popup",b||""]},100,!0);this.B=[];this.C=this.F=null;this.Bt=this.maxWidth=0;this.size=new g.he(0,0);this.ua("keydown",this.uL)}; -zxa=function(a){var b=wY(a);if(b){g.Dg(a.element,a.maxWidth||"100%",a.Bt||"100%");g.E(b.element,"minWidth","250px");g.E(b.element,"width","");g.E(b.element,"height","");g.E(b.element,"maxWidth","100%");g.E(b.element,"maxHeight","100%");g.E(b.content.element,"height","");var c=g.Eg(b.element);c.width+=1;c.height+=1;g.E(b.element,"width",c.width+"px");g.E(b.element,"height",c.height+"px");g.E(b.element,"maxWidth","");g.E(b.element,"maxHeight","");var d=0;b.UB&&(d=b.ga("ytp-panel-header"),d=g.Eg(d).height); -var e=0;b.yJ&&(e=b.ga("ytp-panel-footer"),g.E(e,"width",c.width+"px"),e=g.Eg(e).height);g.E(b.content.element,"height",c.height-d-e+"px");b.element instanceof HTMLElement&&(d=b.element,e=d.scrollWidth-d.clientWidth,0b);e=d.next())c++;return 0===c?c:c-1}; -g.GY=function(a,b,c,d,e,f,h){g.Wr.call(this);var l=this;this.api=a;this.contextMenu=c;this.Ac=d;this.Kb=e;this.B=f;this.D=h;this.C=new g.H(function(){Jxa(l,!1)},1E3); -this.u="";g.C(this,this.C);a=g.Wa(this.vy,!1);this.R(b,"mousedown",a);this.R(c.element,"mousedown",a);this.R(b,"keydown",this.SB);this.R(c.element,"keydown",this.SB);this.R(b,"keyup",this.TB);this.R(c.element,"keyup",this.TB)}; -IY=function(a,b,c,d){var e=g.nX(g.NW(a.api));if(e&&e.loaded){var f=a.api.getSubtitlesUserSettings();e=void 0;for(var h=0;hd;e={Kj:e.Kj},f++){e.Kj=c[f];a:switch(e.Kj.img||e.Kj.iconId){case "facebook":var h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", -fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", -fill:"#01abf0"}}]};break a;default:h=null}h&&(h=new g.V({G:"a",ia:["ytp-share-panel-service-button","ytp-button"],U:{href:e.Kj.url,target:"_blank",title:e.Kj.sname||e.Kj.serviceName},S:[h]}),h.ua("click",function(m){return function(n){if(g.QO(n)){var p=m.Kj.url;var r=void 0===r?{}:r;r.target=r.target||"YouTube";r.width=r.width||"600";r.height=r.height||"600";r||(r={});var t=window;var w=p instanceof g.Fc?p:g.Kc("undefined"!=typeof p.href?p.href:String(p));p=r.target||p.target;var x=[];for(y in r)switch(y){case "width":case "height":case "top":case "left":x.push(y+ -"="+r[y]);break;case "target":case "noopener":case "noreferrer":break;default:x.push(y+"="+(r[y]?1:0))}var y=x.join(",");Td()&&t.navigator&&t.navigator.standalone&&p&&"_self"!=p?(y=g.Fe("A"),g.id(y,w),y.setAttribute("target",p),r.noreferrer&&y.setAttribute("rel","noreferrer"),r=document.createEvent("MouseEvent"),r.initMouseEvent("click",!0,!0,t,1),y.dispatchEvent(r),t={}):r.noreferrer?(t=kd("",t,p,y),r=g.Gc(w),t&&(g.rC&&-1!=r.indexOf(";")&&(r="'"+r.replace(/'/g,"%27")+"'"),t.opener=null,r=g.gd(g.kc("b/12014412, meta tag with sanitized URL"), -''),(w=t.document)&&w.write&&(w.write(g.cd(r)),w.close()))):(t=kd(w,t,p,y))&&r.noopener&&(t.opener=null);if(r=t)r.opener||(r.opener=window),r.focus();g.ip(n)}}}(e)),g.dg(h,g.cY(a.tooltip,h.element)),a.B.push(h),d++)}var l=b.more||b.moreLink; -c=new g.V({G:"a",ia:["ytp-share-panel-service-button","ytp-button"],S:[{G:"span",L:"ytp-share-panel-service-button-more",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", -fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],U:{href:l,target:"_blank",title:"More"}});c.ua("click",function(m){g.BX(l,a.api,m)&&a.api.va("SHARE_CLICKED")}); -g.dg(c,g.cY(a.tooltip,c.element));a.B.push(c);a.wa("buttons",a.B)}; -Qxa=function(a){g.Bn(a.element,"ytp-share-panel-loading");g.I(a.element,"ytp-share-panel-fail")}; -Pxa=function(a){for(var b=g.q(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.eg(c);a.B=[]}; -WY=function(a,b){g.V.call(this,{G:"div",L:"ytp-shopping-overlay"});var c=this;this.J=a;this.za=b;this.B=this.I=this.da=this.u=this.expanded=this.dismissed=this.X=this.enabled=!1;this.ra=!0;this.D=this.C=!1;this.Z=new g.H(function(){c.badge.element.style.width=""},200,this); -this.ea=new g.H(function(){UY(c);VY(c)},200,this); -this.dismissButton=new g.V({G:"button",ia:["ytp-shopping-overlay-badge-dismiss-button-icon","ytp-button"]});g.C(this,this.dismissButton);this.F=new g.V({G:"div",L:"ytp-shopping-overlay-badge-expanded-content-container",S:[{G:"label",L:"ytp-shopping-overlay-badge-title"},this.dismissButton]});g.C(this,this.F);this.badge=new g.V({G:"button",ia:["ytp-button","ytp-shopping-overlay-badge","ytp-shopping-overlay-badge-with-controls"],S:[{G:"div",L:"ytp-shopping-overlay-badge-icon"},this.F]});g.C(this,this.badge); -this.badge.fa(this.element);this.R(this.badge.element,"click",this.VM);this.K=new g.PN(this.badge,250,!1,100);g.C(this,this.K);this.W=new g.PN(this.F,250,!1,100);g.C(this,this.W);this.ba=new g.qn(this.QQ,null,this);g.C(this,this.ba);this.P=new g.qn(this.rI,null,this);g.C(this,this.P);g.C(this,this.Z);g.C(this,this.ea);g.$M(this.J,this.badge.element,this.badge,!0);g.$M(this.J,this.dismissButton.element,this.dismissButton,!0);this.R(this.J,"onHideControls",function(){c.u=!1;VY(c);UY(c);c.Lh()}); -this.R(this.J,"onShowControls",function(){c.u=!0;VY(c);UY(c);c.Lh()}); -this.R(this.J,g.wD("shopping_overlay_visible"),function(){c.Eg(!0)}); -this.R(this.J,g.xD("shopping_overlay_visible"),function(){c.Eg(!1)}); -this.R(this.J,g.wD("shopping_overlay_expanded"),function(){c.I=!0;VY(c)}); -this.R(this.J,g.xD("shopping_overlay_expanded"),function(){c.I=!1;VY(c)}); -this.R(this.J,"changeProductsInVideoVisibility",this.EO);this.R(this.J,"videodatachange",this.Pa);this.R(this.J,"pageTransition",this.BL);this.R(this.dismissButton.element,"click",this.WM);this.R(this.J,"appresize",this.Lh);this.R(this.J,"fullscreentoggled",this.Lh);this.R(this.J,"cardstatechange",this.aN);this.R(this.J,"annotationvisibility",this.lR,this)}; -UY=function(a){g.J(a.badge.element,"ytp-shopping-overlay-badge-with-controls",a.u||!a.B)}; -XY=function(a){return a.ra&&!a.X&&a.enabled&&!a.dismissed&&!a.za.Lf()&&!a.J.isFullscreen()&&!a.da&&(a.B||a.u)}; -VY=function(a,b){var c=a.I||a.u||!a.B;a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.ba.stop(),a.P.stop(),a.Z.stop(),a.ba.start()):(g.WM(a.F,a.expanded),g.J(a.badge.element,"ytp-shopping-overlay-badge-expanded",a.expanded)),Rxa(a))}; -Rxa=function(a){a.C&&g.dN(a.J,a.badge.element,XY(a));a.D&&g.dN(a.J,a.dismissButton.element,XY(a)&&(a.I||a.u||!a.B))}; -Sxa=function(a,b){b?a.D&&g.gX(a.J,a.dismissButton.element):a.C&&g.gX(a.J,a.badge.element)}; -Txa=function(a){g.cX(a.J,"shopping_overlay_visible");g.cX(a.J,"shopping_overlay_expanded")}; -YY=function(a){g.OX.call(this,a,{G:"button",ia:["ytp-skip-intro-button","ytp-popup","ytp-button"],S:[{G:"div",L:"ytp-skip-intro-button-text",Y:"Skip Intro"}]},100);var b=this;this.C=!1;this.B=new g.H(function(){b.hide()},5E3); -this.mk=this.Bl=NaN;g.C(this,this.B);this.I=function(){b.show()}; -this.F=function(){b.hide()}; -this.D=function(){var c=b.J.getCurrentTime();c>b.Bl/1E3&&ca}; +wJa=function(a,b){uJa(a.program,b.A8)&&(fF("bg_i",void 0,"player_att"),g.fS.initialize(a,function(){var c=a.serverEnvironment;fF("bg_l",void 0,"player_att");sJa=(0,g.M)();for(var d=0;dr.length)){q={applicationState:q?"INACTIVE":"ACTIVE",clientFormFactor:JJa[r[1]]||"UNKNOWN_FORM_FACTOR",clientName:KJa[r[0]]||"UNKNOWN_INTERFACE",clientVersion:r[2]|| +"",platform:LJa[r[1]]||"UNKNOWN_PLATFORM"};r=void 0;if(n){v=void 0;try{v=JSON.parse(n)}catch(B){g.DD(B)}v&&(r={params:[{key:"ms",value:v.ms}]},q.osName=v.os_name,q.userAgent=v.user_agent,q.windowHeightPoints=v.window_height_points,q.windowWidthPoints=v.window_width_points)}l.push({adSignalsInfo:r,remoteClient:q})}m.remoteContexts=l}n=a.sourceContainerPlaylistId;l=a.serializedMdxMetadata;if(n||l)p={},n&&(p.mdxPlaybackContainerInfo={sourceContainerPlaylistId:n}),l&&(p.serializedMdxMetadata=l),m.mdxPlaybackSourceContext= +p;h.mdxContext=m;m=b.width;0d&&(d=-(d+1));g.wf(a,b,d);b.setAttribute("data-layer",String(c))}; +g.OS=function(a){var b=a.V();if(!b.Od)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=(!c.isLiveDefaultBroadcast||b.K("allow_poltergust_autoplay"))&&!aN(c);d=c.isLivePlayback&&(!b.K("allow_live_autoplay")||!d);var e=c.isLivePlayback&&b.K("allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.Ck();var f=c.jd&&c.jd.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay);f=c.D&&f;return!c.ypcPreview&&(!d||e)&&!g.rb(c.Ja,"ypc")&& +!a&&(!g.fK(b)||f)}; +pKa=function(a){a=g.qS(a.app);if(!a)return!1;var b=a.getVideoData();if(!b.u||!b.u.video||1080>b.u.video.j||b.jT)return!1;var c=/^qsa/.test(b.clientPlaybackNonce),d="r";0<=b.u.id.indexOf(";")&&(c=/^[a-p]/.test(b.clientPlaybackNonce),d="x");return c?(a.xa("iqss",{trigger:d},!0),!0):!1}; +g.PS=function(a,b,c,d){d=void 0===d?!1:d;g.dQ.call(this,b);var e=this;this.F=a;this.Ga=d;this.J=new g.bI(this);this.Z=new g.QQ(this,c,!0,void 0,void 0,function(){e.BT()}); +g.E(this,this.J);g.E(this,this.Z)}; +qKa=function(a){a.u&&(document.activeElement&&g.zf(a.element,document.activeElement)&&(Bf(a.u),a.u.focus()),a.u.setAttribute("aria-expanded","false"),a.u=void 0);g.Lz(a.J);a.T=void 0}; +QS=function(a,b,c){a.ej()?a.Fb():a.od(b,c)}; +rKa=function(a,b,c,d){d=new g.U({G:"div",Ia:["ytp-linked-account-popup-button"],ra:d,X:{role:"button",tabindex:"0"}});b=new g.U({G:"div",N:"ytp-linked-account-popup",X:{role:"dialog","aria-modal":"true",tabindex:"-1"},W:[{G:"div",N:"ytp-linked-account-popup-title",ra:b},{G:"div",N:"ytp-linked-account-popup-description",ra:c},{G:"div",N:"ytp-linked-account-popup-buttons",W:[d]}]});g.PS.call(this,a,{G:"div",N:"ytp-linked-account-popup-container",W:[b]},100);var e=this;this.dialog=b;g.E(this,this.dialog); +d.Ra("click",function(){e.Fb()}); +g.E(this,d);g.NS(this.F,this.element,4);this.hide()}; +g.SS=function(a,b,c,d){g.dQ.call(this,a);this.priority=b;c&&g.RS(this,c);d&&this.ge(d)}; +g.TS=function(a,b,c){a=void 0===a?{}:a;b=void 0===b?[]:b;c=void 0===c?!1:c;b.push("ytp-menuitem");"role"in a||(a.role="menuitem");c||"tabindex"in a||(a.tabindex="0");return{G:c?"a":"div",Ia:b,X:a,W:[{G:"div",N:"ytp-menuitem-icon",ra:"{{icon}}"},{G:"div",N:"ytp-menuitem-label",ra:"{{label}}"},{G:"div",N:"ytp-menuitem-content",ra:"{{content}}"}]}}; +US=function(a,b){a.updateValue("icon",b)}; +g.RS=function(a,b){a.updateValue("label",b)}; +VS=function(a){g.SS.call(this,g.TS({"aria-haspopup":"true"},["ytp-linked-account-menuitem"]),2);var b=this;this.F=a;this.u=this.j=!1;this.Eb=a.Nm();a.Zf(this.element,this,!0);this.S(this.F,"settingsMenuVisibilityChanged",function(c){b.Zb(c)}); +this.S(this.F,"videodatachange",this.C);this.Ra("click",this.onClick);this.C()}; +WS=function(a){return a?g.gE(a):""}; +XS=function(a){g.C.call(this);this.api=a}; +YS=function(a){XS.call(this,a);var b=this;mS(a,"setAccountLinkState",function(c){b.setAccountLinkState(c)}); +mS(a,"updateAccountLinkingConfig",function(c){b.updateAccountLinkingConfig(c)}); +a.addEventListener("videodatachange",function(c,d){b.onVideoDataChange(d)}); +a.addEventListener("settingsMenuInitialized",function(){b.menuItem=new VS(b.api);g.E(b,b.menuItem)})}; +sKa=function(a){XS.call(this,a);this.events=new g.bI(a);g.E(this,this.events);a.K("fetch_bid_for_dclk_status")&&this.events.S(a,"videoready",function(b){var c,d={contentCpn:(null==(c=a.getVideoData(1))?void 0:c.clientPlaybackNonce)||""};2===a.getPresentingPlayerType()&&(d.adCpn=b.clientPlaybackNonce);g.gA(g.iA(),function(){rsa("vr",d)})}); +a.K("report_pml_debug_signal")&&this.events.S(a,"videoready",function(b){if(1===a.getPresentingPlayerType()){var c,d,e={playerDebugData:{pmlSignal:!!(null==(c=b.getPlayerResponse())?0:null==(d=c.adPlacements)?0:d.some(function(f){var h;return null==f?void 0:null==(h=f.adPlacementRenderer)?void 0:h.renderer})), +contentCpn:b.clientPlaybackNonce}};g.rA("adsClientStateChange",e)}})}; +uKa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-button"],X:{title:"{{title}}","aria-label":"{{label}}","data-priority":"-10","data-tooltip-target-id":"ytp-autonav-toggle-button"},W:[{G:"div",N:"ytp-autonav-toggle-button-container",W:[{G:"div",N:"ytp-autonav-toggle-button",X:{"aria-checked":"true"}}]}]});this.F=a;this.u=[];this.j=!1;this.isChecked=!0;a.sb(this.element,this,113681);this.S(a,"presentingplayerstatechange",this.SA);this.Ra("click",this.onClick);this.F.V().K("web_player_autonav_toggle_always_listen")&& +tKa(this);this.tooltip=b.Ic();g.bb(this,g.ZS(b.Ic(),this.element));this.SA()}; +tKa=function(a){a.u.push(a.S(a.F,"videodatachange",a.SA));a.u.push(a.S(a.F,"videoplayerreset",a.SA));a.u.push(a.S(a.F,"onPlaylistUpdate",a.SA));a.u.push(a.S(a.F,"autonavchange",a.yR))}; +vKa=function(a){a.isChecked=a.isChecked;a.Da("ytp-autonav-toggle-button").setAttribute("aria-checked",String(a.isChecked));var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.updateValue("title",b);a.updateValue("label",b);$S(a.tooltip)}; +wKa=function(a){return a.F.V().K("web_player_autonav_use_server_provided_state")&&kM(a.Hd())}; +xKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);var c=a.V();c.Od&&c.K("web_player_move_autonav_toggle")&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a),e=new uKa(a,d);g.E(b,e);d.aB(e)})}; +yKa=function(){g.Wz();return g.Xz(0,192)?g.Xz(0,190):!g.gy("web_watch_cinematics_disabled_by_default")}; +aT=function(a,b){g.SS.call(this,g.TS({role:"menuitemcheckbox","aria-checked":"false"}),b,a,{G:"div",N:"ytp-menuitem-toggle-checkbox"});this.checked=!1;this.Ra("click",this.onClick)}; +bT=function(a,b){a.checked=b;a.element.setAttribute("aria-checked",String(a.checked))}; +cT=function(a){var b=a.K("web_player_use_cinematic_label_2")?"Ambient mode":"Cinematic lighting";aT.call(this,b,13);var c=this;this.F=a;this.j=!1;this.u=new g.Ip(function(){g.Sp(c.element,"ytp-menuitem-highlighted")},0); +this.Eb=a.Nm();US(this,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M21 7v10H3V7h18m1-1H2v12h20V6zM11.5 2v3h1V2h-1zm1 17h-1v3h1v-3zM3.79 3 6 5.21l.71-.71L4.5 2.29 3.79 3zm2.92 16.5L6 18.79 3.79 21l.71.71 2.21-2.21zM19.5 2.29 17.29 4.5l.71.71L20.21 3l-.71-.71zm0 19.42.71-.71L18 18.79l-.71.71 2.21 2.21z",fill:"white"}}]});this.subscribe("select",this.C,this);this.Ra(zKa,this.B);g.E(this,this.u)}; +BKa=function(a){XS.call(this,a);var b=this;this.j=!1;var c;this.K("web_cinematic_watch_settings")&&(null==(c=a.V().webPlayerContextConfig)?0:c.cinematicSettingsAvailable)&&(a.addEventListener("settingsMenuInitialized",function(){AKa(b)}),a.addEventListener("highlightSettingsMenu",function(d){AKa(b); +var e=b.menuItem;"menu_item_cinematic_lighting"===d&&(g.Qp(e.element,"ytp-menuitem-highlighted"),g.Qp(e.element,"ytp-menuitem-highlight-transition-enabled"),e.u.start())}),mS(a,"updateCinematicSettings",function(d){b.updateCinematicSettings(d)}))}; +AKa=function(a){a.menuItem||(a.menuItem=new cT(a.api),g.E(a,a.menuItem),a.menuItem.Pa(a.j))}; +dT=function(a){XS.call(this,a);var b=this;this.j={};this.events=new g.bI(a);g.E(this,this.events);this.K("enable_precise_embargos")&&!g.FK(this.api.V())&&(this.events.S(a,"videodatachange",function(){var c=b.api.getVideoData();b.api.Ff("embargo",1);(null==c?0:c.cueRanges)&&CKa(b,c)}),this.events.S(a,g.ZD("embargo"),function(c){var d; +c=null!=(d=b.j[c.id])?d:[];d=g.t(c);for(c=d.next();!c.done;c=d.next()){var e=c.value;b.api.hideControls();b.api.Ng("heartbeat.stop",2,"This video isn't available in your current playback area");c=void 0;(e=null==(c=e.embargo)?void 0:c.onTrigger)&&b.api.Na("innertubeCommand",e)}}))}; +CKa=function(a,b){if(null!=b&&aN(b)||a.K("enable_discrete_live_precise_embargos")){var c;null==(c=b.cueRanges)||c.filter(function(d){var e;return null==(e=d.onEnter)?void 0:e.some(a.u)}).forEach(function(d){var e,f=Number(null==(e=d.playbackPosition)?void 0:e.utcTimeMillis)/1E3,h; +e=f+Number(null==(h=d.duration)?void 0:h.seconds);h="embargo_"+f;a.api.addUtcCueRange(h,f,e,"embargo",!1);d.onEnter&&(a.j[h]=d.onEnter.filter(a.u))})}}; +DKa=function(a){XS.call(this,a);var b=this;this.j=[];this.events=new g.bI(a);g.E(this,this.events);mS(a,"addEmbedsConversionTrackingParams",function(c){b.api.V().Un&&b.addEmbedsConversionTrackingParams(c)}); +this.events.S(a,"veClickLogged",function(c){b.api.Dk(c)&&(c=Uh(c.visualElement.getAsJspb(),2),b.j.push(c))})}; +EKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);a.K("embeds_web_enable_ve_logging_unification")&&a.V().C&&(this.events.S(a,"initialvideodatacreated",function(c){pP().wk(16623);b.j=g.FE();if(SM(c)){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"});if(c.jd){var d,e=null==(d=c.jd)?void 0:d.trackingParams;e&&pP().eq(e)}if(c.getPlayerResponse()){var f;(c=null==(f=c.getPlayerResponse())?void 0:f.trackingParams)&&pP().eq(c)}}else pP().wk(32594, +void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"}),c.kf&&(f=null==(e=c.kf)?void 0:e.trackingParams)&&pP().eq(f)}),this.events.S(a,"loadvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"cuevideo",function(){pP().wk(32594,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"largeplaybuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistnextbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistprevbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistautonextvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"})}))}; +eT=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullerscreen-edu-button","ytp-button"],W:[{G:"div",Ia:["ytp-fullerscreen-edu-text"],ra:"Scroll for details"},{G:"div",Ia:["ytp-fullerscreen-edu-chevron"],W:[{G:"svg",X:{height:"100%",viewBox:"0 0 24 24",width:"100%"},W:[{G:"path",X:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.Ta=a;this.B=b;this.j=new g.QQ(this,250,void 0,100);this.C=this.u=!1;a.sb(this.element,this,61214);this.B=b;g.E(this,this.j);this.S(a, +"fullscreentoggled",this.Pa);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);this.Pa()}; +fT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);mS(this.api,"updateFullerscreenEduButtonSubtleModeState",function(d){b.updateFullerscreenEduButtonSubtleModeState(d)}); +mS(this.api,"updateFullerscreenEduButtonVisibility",function(d){b.updateFullerscreenEduButtonVisibility(d)}); +var c=a.V();a.K("external_fullscreen_with_edu")&&c.externalFullscreen&&BK(c)&&"1"===c.controlsType&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a);b.j=new eT(a,d);g.E(b,b.j);d.aB(b.j)})}; +FKa=function(a){g.U.call(this,{G:"div",N:"ytp-gated-actions-overlay",W:[{G:"div",N:"ytp-gated-actions-overlay-background",W:[{G:"div",N:"ytp-gated-actions-overlay-background-overlay"}]},{G:"button",Ia:["ytp-gated-actions-overlay-miniplayer-close-button","ytp-button"],X:{"aria-label":"Close"},W:[g.jQ()]},{G:"div",N:"ytp-gated-actions-overlay-bar",W:[{G:"div",N:"ytp-gated-actions-overlay-text-container",W:[{G:"div",N:"ytp-gated-actions-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-gated-actions-overlay-subtitle", +ra:"{{subtitle}}"}]},{G:"div",N:"ytp-gated-actions-overlay-button-container"}]}]});var b=this;this.api=a;this.background=this.Da("ytp-gated-actions-overlay-background");this.u=this.Da("ytp-gated-actions-overlay-button-container");this.j=[];this.S(this.Da("ytp-gated-actions-overlay-miniplayer-close-button"),"click",function(){b.api.Na("onCloseMiniplayer")}); this.hide()}; -ZY=function(a,b){g.V.call(this,{G:"button",ia:["ytp-airplay-button","ytp-button"],U:{title:"AirPlay"},Y:"{{icon}}"});this.J=a;this.ua("click",this.onClick);this.R(a,"airplayactivechange",this.na);this.R(a,"airplayavailabilitychange",this.na);this.na();g.dg(this,g.cY(b.Jb(),this.element))}; -$Y=function(a,b){g.V.call(this,{G:"button",ia:["ytp-button"],U:{title:"{{title}}","aria-label":"{{label}}","data-tooltip-target-id":"ytp-autonav-toggle-button"},S:[{G:"div",L:"ytp-autonav-toggle-button-container",S:[{G:"div",L:"ytp-autonav-toggle-button",U:{"aria-checked":"true"}}]}]});this.J=a;this.u=[];this.B=!1;this.isChecked=!0;this.R(a,"presentingplayerstatechange",this.Bp);this.ua("click",this.onClick);this.tooltip=b.Jb();g.dg(this,g.cY(b.Jb(),this.element));this.Bp()}; -Uxa=function(a){a.setValue(a.isChecked);var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.wa("title",b);a.wa("label",b);CY(a.tooltip)}; -g.bZ=function(a){g.V.call(this,{G:"div",L:"ytp-gradient-bottom"});this.B=g.Fe("CANVAS");this.u=this.B.getContext("2d");this.C=NaN;this.B.width=1;this.D=g.UB(a.T());g.aZ(this,g.pG(a).getPlayerSize().height)}; -g.aZ=function(a,b){if(a.u){var c=Math.floor(b*(a.D?1:.4));c=Math.max(c,47);var d=c+2;if(a.C!==d){a.C=d;a.B.height=d;a.u.clearRect(0,0,1,d);var e=a.u.createLinearGradient(0,2,0,2+c);if(a.D)e.addColorStop(.133,"rgba(0, 0, 0, 0.2)"),e.addColorStop(.44,"rgba(0, 0, 0, 0.243867)"),e.addColorStop(1,"rgba(0, 0, 0, 0.8)");else{var f=c-42;e.addColorStop(0,"rgba(0, 0, 0, 0)");e.addColorStop(f/c,"rgba(0, 0, 0, 0.3)");e.addColorStop(1,"rgba(0, 0, 0, 0.68)")}a.u.fillStyle=e;a.u.fillRect(0,2,1,c);a.element.style.height= -d+"px";try{a.element.style.backgroundImage="url("+a.B.toDataURL()+")"}catch(h){}}}}; -cZ=function(a,b,c,d,e){g.V.call(this,{G:"div",L:"ytp-chapter-container",S:[{G:"button",ia:["ytp-chapter-title","ytp-button"],U:{title:"View chapter","aria-label":"View chapter"},S:[{G:"span",U:{"aria-hidden":"true"},L:"ytp-chapter-title-prefix",Y:"\u2022"},{G:"div",L:"ytp-chapter-title-content",Y:"{{title}}"},{G:"div",L:"ytp-chapter-title-chevron",S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M9.71 18.71l-1.42-1.42 5.3-5.29-5.3-5.29 1.42-1.42 6.7 6.71z",fill:"#fff"}}]}]}]}]}); -this.J=a;this.K=b;this.P=c;this.I=d;this.W=e;this.F="";this.currentIndex=0;this.C=void 0;this.B=!0;this.D=this.ga("ytp-chapter-container");this.u=this.ga("ytp-chapter-title");this.updateVideoData("newdata",this.J.getVideoData());this.R(a,"videodatachange",this.updateVideoData);this.R(this.D,"click",this.onClick);a.T().ca("html5_ux_control_flexbox_killswitch")&&this.R(a,"resize",this.X);this.R(a,"onVideoProgress",this.Gc);this.R(a,"SEEK_TO",this.Gc)}; -Vxa=function(a,b,c,d,e){var f=b.Gt/b.rows,h=Math.min(c/(b.Ht/b.columns),d/f),l=b.Ht*h,m=b.Gt*h;l=Math.floor(l/b.columns)*b.columns;m=Math.floor(m/b.rows)*b.rows;var n=l/b.columns,p=m/b.rows,r=-b.column*n,t=-b.row*p;e&&45>=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+r+"px "+t+"px/"+l+"px "+m+"px"}; -g.dZ=function(a){g.V.call(this,{G:"div",L:"ytp-storyboard-framepreview",S:[{G:"div",L:"ytp-storyboard-framepreview-img"}]});this.api=a;this.D=this.ga("ytp-storyboard-framepreview-img");this.Pg=null;this.B=NaN;this.events=new g.Wr(this);this.u=new g.PN(this,100);g.C(this,this.events);g.C(this,this.u);this.R(this.api,"presentingplayerstatechange",this.Vb)}; -eZ=function(a,b){var c=!!a.Pg;a.Pg=b;a.Pg?(c||(a.events.R(a.api,"videodatachange",function(){eZ(a,a.api.eg())}),a.events.R(a.api,"progresssync",a.Vd),a.events.R(a.api,"appresize",a.C)),a.B=NaN,fZ(a),a.u.show(200)):(c&&g.Yr(a.events),a.u.hide(),a.u.stop())}; -fZ=function(a){var b=a.Pg,c=a.api.getCurrentTime(),d=g.pG(a.api).getPlayerSize(),e=ME(b,d.width);c=RE(b,e,c);c!==a.B&&(a.B=c,OE(b,c,d.width),b=b.pl(c,d.width),Vxa(a.D,b,d.width,d.height))}; -gZ=function(a,b){g.V.call(this,{G:"button",ia:["ytp-fullerscreen-edu-button","ytp-button"],S:[{G:"div",ia:["ytp-fullerscreen-edu-text"],Y:"Scroll for details"},{G:"div",ia:["ytp-fullerscreen-edu-chevron"],S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.u=a;this.F=b;this.C=new g.PN(this,250,void 0,100);this.D=this.B=!1;g.fX(a,this.element,this,61214);this.F=b;g.C(this,this.C);this.R(a, -"fullscreentoggled",this.na);this.R(a,"presentingplayerstatechange",this.na);this.ua("click",this.onClick);this.na()}; -g.hZ=function(a,b){g.V.call(this,{G:"button",ia:["ytp-fullscreen-button","ytp-button"],U:{title:"{{title}}"},Y:"{{icon}}"});this.J=a;this.C=b;this.message=null;this.u=g.cY(this.C.Jb(),this.element);this.B=new g.H(this.YH,2E3,this);g.C(this,this.B);this.R(a,"fullscreentoggled",this.mD);this.R(a,"presentingplayerstatechange",this.na);this.ua("click",this.onClick);if(Sr()){var c=g.pG(this.J);this.R(c,Wea(),this.Lx);this.R(c,Vr(document),this.zj)}a.T().ka||a.T().ca("embeds_enable_mobile_custom_controls")|| -this.disable();this.na();this.mD(a.isFullscreen())}; -iZ=function(a,b){g.V.call(this,{G:"button",ia:["ytp-miniplayer-button","ytp-button"],U:{title:"{{title}}","data-tooltip-target-id":"ytp-miniplayer-button"},S:[AN()]});this.J=a;this.visible=!1;this.ua("click",this.onClick);this.R(a,"fullscreentoggled",this.na);this.wa("title",g.EX(a,"Miniplayer","i"));g.dg(this,g.cY(b.Jb(),this.element));g.fX(a,this.element,this,62946);this.na()}; -jZ=function(a,b,c){g.V.call(this,{G:"button",ia:["ytp-multicam-button","ytp-button"],U:{title:"Switch camera","aria-haspopup":"true","data-preview":"{{preview}}","data-tooltip-text":"{{text}}"},S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,U:{d:"M 26,10 22.83,10 21,8 15,8 13.17,10 10,10 c -1.1,0 -2,.9 -2,2 l 0,12 c 0,1.1 .9,2 2,2 l 16,0 c 1.1,0 2,-0.9 2,-2 l 0,-12 c 0,-1.1 -0.9,-2 -2,-2 l 0,0 z m -5,11.5 0,-2.5 -6,0 0,2.5 -3.5,-3.5 3.5,-3.5 0,2.5 6,0 0,-2.5 3.5,3.5 -3.5,3.5 0,0 z", -fill:"#fff"}}]}]});var d=this;this.J=a;this.u=!1;this.B=new g.H(this.C,400,this);this.tooltip=b.Jb();fY(this.tooltip);g.C(this,this.B);this.ua("click",function(){PX(c,d.element,!1)}); -this.R(a,"presentingplayerstatechange",function(){d.na(!1)}); -this.R(a,"videodatachange",this.Pa);this.na(!0);g.dg(this,g.cY(this.tooltip,this.element))}; -kZ=function(a){g.OX.call(this,a,{G:"div",L:"ytp-multicam-menu",U:{role:"dialog"},S:[{G:"div",L:"ytp-multicam-menu-header",S:[{G:"div",L:"ytp-multicam-menu-title",S:["Switch camera",{G:"button",ia:["ytp-multicam-menu-close","ytp-button"],U:{"aria-label":"Close"},S:[g.pN()]}]}]},{G:"div",L:"ytp-multicam-menu-items"}]},250);this.api=a;this.C=new g.Wr(this);this.items=this.ga("ytp-multicam-menu-items");this.B=[];g.C(this,this.C);a=this.ga("ytp-multicam-menu-close");this.R(a,"click",this.fb);this.hide()}; -lZ=function(){g.B.call(this);this.B=null;this.startTime=this.duration=0;this.delay=new g.qn(this.u,null,this);g.C(this,this.delay)}; -Wxa=function(a,b){if("path"===b.G)return b.U.d;if(b.S)for(var c=0;ce&&(e=l.width,f="url("+l.url+")")}c.background.style.backgroundImage=f;HKa(c,d.actionButtons||[]);c.show()}else c.hide()}),g.NS(this.api,this.j.element,4))}; +hT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);g.DK(a.V())&&(mS(this.api,"seekToChapterWithAnimation",function(c){b.seekToChapterWithAnimation(c)}),mS(this.api,"seekToTimeWithAnimation",function(c,d){b.seekToTimeWithAnimation(c,d)}))}; +JKa=function(a,b,c,d){var e=1E3*a.api.getCurrentTime()r.start&&dG;G++)if(B=(B<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(z.charAt(G)),4==G%5){for(var D="",L=0;6>L;L++)D="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(B&31)+D,B>>=5;F+=D}z=F.substr(0,4)+" "+F.substr(4,4)+" "+F.substr(8,4)}else z= +"";l={video_id_and_cpn:String(c.videoId)+" / "+z,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",date:""+(new Date).toString(),drm_style:q?"":"display:none",drm:q,debug_info:d,extra_debug_info:"",bandwidth_style:x,network_activity_style:x,network_activity_bytes:m.toFixed(0)+" KB",shader_info:v,shader_info_style:v?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1P)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":a="Optimized for Normal Latency";break;case "LOW":a="Optimized for Low Latency";break;case "ULTRALOW":a="Optimized for Ultra Low Latency";break;default:a="Unknown Latency Setting"}else a=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=a;(P=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= +", seq "+P.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=ES(h,"bandwidth");l.network_activity_samples=ES(h,"networkactivity");l.live_latency_samples=ES(h,"livelatency");l.buffer_health_samples=ES(h,"bufferhealth");b=g.ZM(c);if(c.cotn||b)l.cotn_and_local_media=(c.cotn?c.cotn:"null")+" / "+b;l.cotn_and_local_media_style=l.cotn_and_local_media?"":"display:none";fM(c,"web_player_release_debug")? +(l.release_name="youtube.player.web_20230423_00_RC00",l.release_style=""):l.release_style="display:none";l.debug_info&&0=l.debug_info.length+p.length?l.debug_info+=" "+p:l.extra_debug_info=p;l.extra_debug_info_style=l.extra_debug_info&&0=a.length?0:b}; +nLa=function(a){var b=a.index-1;return 0>b?a.length-1:b}; +g.zT=function(a,b,c,d){b=void 0!==b?b:a.index;b=a.items&&b in a.items?a.items[a.order[b]]:null;var e=null;b&&(c&&(b.autoplay="1"),d&&(b.autonav="1"),e=new g.$L(a.u,b),g.E(a,e),e.bl=!0,e.startSeconds=a.startSeconds||e.clipStart||0,a.listId&&(e.playlistId=a.listId.toString()));return e}; +oLa=function(a,b){a.index=g.ze(b,0,a.length-1);a.startSeconds=0}; +pLa=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=g.zT(a);a.items=[];for(var d=g.t(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(b=b.index)?a.index=b:a.findIndex(c);a.setShuffle(!1);a.loaded=!0;a.B++;a.j&&a.j()}}; +sLa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j){c=g.CR();var p=a.V(),q={context:g.jS(a),playbackContext:{contentPlaybackContext:{ancestorOrigins:p.ancestorOrigins}}};p=p.embedConfig;var r=b.docid||b.video_id||b.videoId||b.id;if(!r){r=b.raw_embedded_player_response;if(!r){var v=b.embedded_player_response;v&&(r=JSON.parse(v))}if(r){var x,z,B,F,G,D;r=(null==(D=g.K(null==(x=r)?void 0:null==(z=x.embedPreview)?void 0:null==(B=z.thumbnailPreviewRenderer)?void 0:null==(F=B.playButton)? +void 0:null==(G=F.buttonRenderer)?void 0:G.navigationEndpoint,g.oM))?void 0:D.videoId)||null}else r=null}x=(x=r)?x:void 0;z=a.playlistId?a.playlistId:b.list;B=b.listType;if(z){var L;"user_uploads"===B?L={username:z}:L={playlistId:z};qLa(p,x,b,L);q.playlistRequest=L}else b.playlist?(L={templistVideoIds:b.playlist.toString().split(",")},qLa(p,x,b,L),q.playlistRequest=L):x&&(L={videoId:x},p&&(L.serializedThirdPartyEmbedConfig=p),q.singleVideoRequest=L);d=q;e=g.pR(rLa);g.pa(n,2);return g.y(n,g.AP(c,d, +e),4)}if(2!=n.j)return f=n.u,h=a.V(),b.raw_embedded_player_response=f,h.Qa=pz(b,g.fK(h)),h.B="EMBEDDED_PLAYER_MODE_PFL"===h.Qa,f&&(l=f,l.trackingParams&&(q=l.trackingParams,pP().eq(q))),n.return(new g.$L(h,b));m=g.sa(n);m instanceof Error||(m=Error("b259802748"));g.CD(m);return n.return(a)})}; +qLa=function(a,b,c,d){c.index&&(d.playlistIndex=String(Number(c.index)+1));d.videoId=b?b:"";a&&(d.serializedThirdPartyEmbedConfig=a)}; +g.BT=function(a,b){AT.get(a);AT.set(a,b)}; +g.CT=function(a){g.dE.call(this);this.loaded=!1;this.player=a}; +tLa=function(){this.u=[];this.j=[]}; +g.DT=function(a,b){return b?a.j.concat(a.u):a.j}; +g.ET=function(a,b){switch(b.kind){case "asr":uLa(b,a.u);break;default:uLa(b,a.j)}}; +uLa=function(a,b){g.nb(b,function(c){return a.equals(c)})||b.push(a)}; +g.FT=function(a){g.C.call(this);this.Y=a;this.j=new tLa;this.C=[]}; +g.GT=function(a,b,c){g.FT.call(this,a);this.audioTrack=c;this.u=null;this.B=!1;this.eventId=null;this.C=b.LK;this.B=g.QM(b);this.eventId=b.eventId}; +vLa=function(){this.j=this.dk=!1}; +wLa=function(a){a=void 0===a?{}:a;var b=void 0===a.Oo?!1:a.Oo,c=new vLa;c.dk=(void 0===a.hasSubfragmentedFmp4?!1:a.hasSubfragmentedFmp4)||b;return c}; +g.xLa=function(a){this.j=a;this.I=new vLa;this.Un=this.Tn=!1;this.qm=2;this.Z=20971520;this.Ga=8388608;this.ea=120;this.kb=3145728;this.Ld=this.j.K("html5_platform_backpressure");this.tb=62914560;this.Wc=10485760;this.xm=g.gJ(this.j.experiments,"html5_min_readbehind_secs");this.vx=g.gJ(this.j.experiments,"html5_min_readbehind_cap_secs");this.tx=g.gJ(this.j.experiments,"html5_max_readbehind_secs");this.AD=this.j.K("html5_trim_future_discontiguous_ranges");this.ri=this.j.K("html5_offline_reset_media_stream_on_unresumable_slices"); +this.dc=NaN;this.jo=this.Xk=this.Yv=2;this.Ja=2097152;this.vf=0;this.ao=1048576;this.Oc=!1;this.Nd=1800;this.wm=this.vl=5;this.fb=15;this.Hf=1;this.J=1.15;this.T=1.05;this.bl=1;this.Rn=!0;this.Xa=!1;this.oo=.8;this.ol=this.Dc=!1;this.Vd=6;this.D=this.ib=!1;this.aj=g.gJ(this.j.experiments,"html5_static_abr_resolution_shelf");this.ph=g.gJ(this.j.experiments,"html5_min_startup_buffered_media_duration_secs");this.Vn=g.gJ(this.j.experiments,"html5_post_interrupt_readahead");this.Sn=!1;this.Xn=g.gJ(this.j.experiments, +"html5_probe_primary_delay_base_ms")||5E3;this.Uo=100;this.Kf=10;this.wx=g.gJ(this.j.experiments,"html5_offline_failure_retry_limit")||2;this.lm=this.j.experiments.ob("html5_clone_original_for_fallback_location");this.Qg=1;this.Yi=1.6;this.Lc=!1;this.Xb=g.gJ(this.j.experiments,"html5_subsegment_readahead_target_buffer_health_secs");this.hj=g.gJ(this.j.experiments,"html5_subsegment_readahead_timeout_secs");this.rz=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs");this.dj= +g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");this.nD=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_load_speed");this.Eo=g.gJ(this.j.experiments,"html5_subsegment_readahead_load_speed_check_interval");this.wD=g.gJ(this.j.experiments,"html5_subsegment_readahead_seek_latency_fudge");this.Vf=15;this.rl=1;this.rd=!1;this.Nx=this.j.K("html5_restrict_streaming_xhr_on_sqless_requests");this.ox=g.gJ(this.j.experiments,"html5_max_headm_for_streaming_xhr"); +this.Ax=this.j.K("html5_pipeline_manifestless_allow_nonstreaming");this.Cx=this.j.K("html5_prefer_server_bwe3");this.mx=this.j.K("html5_last_slice_transition");this.Yy=this.j.K("html5_store_xhr_headers_readable");this.Mp=!1;this.Yn=0;this.zm=2;this.po=this.jm=!1;this.ul=g.gJ(this.j.experiments,"html5_max_drift_per_track_secs");this.Pn=this.j.K("html5_no_placeholder_rollbacks");this.kz=this.j.K("html5_subsegment_readahead_enable_mffa");this.uf=this.j.K("html5_allow_video_keyframe_without_audio");this.zx= +this.j.K("html5_enable_vp9_fairplay");this.ym=this.j.K("html5_never_pause_appends");this.uc=!0;this.ke=this.Ya=this.jc=!1;this.mm=!0;this.Ui=!1;this.u="";this.Qw=1048576;this.je=[];this.Sw=this.j.K("html5_woffle_resume");this.Qk=this.j.K("html5_abs_buffer_health");this.Pk=!1;this.lx=this.j.K("html5_interruption_resets_seeked_time");this.qx=g.gJ(this.j.experiments,"html5_max_live_dvr_window_plus_margin_secs")||46800;this.Qa=!1;this.ll=this.j.K("html5_explicitly_dispose_xhr");this.Zn=!1;this.sA=!this.j.K("html5_encourage_array_coalescing"); +this.hm=!1;this.Fx=this.j.K("html5_restart_on_unexpected_detach");this.ya=0;this.jl="";this.Pw=this.j.K("html5_disable_codec_for_playback_on_error");this.Si=!1;this.Uw=this.j.K("html5_filter_non_efficient_formats_for_safari");this.j.K("html5_format_hybridization");this.mA=this.j.K("html5_abort_before_separate_init");this.uy=bz();this.Wf=!1;this.Xy=this.j.K("html5_serialize_server_stitched_ad_request");this.tA=this.j.K("html5_skip_buffer_check_seek_to_head");this.Od=!1;this.rA=this.j.K("html5_attach_po_token_to_bandaid"); +this.tm=g.gJ(this.j.experiments,"html5_max_redirect_response_length")||8192;this.Zi=this.j.K("html5_rewrite_timestamps_for_webm");this.Pb=this.j.K("html5_only_media_duration_for_discontinuities");this.Ex=g.gJ(this.j.experiments,"html5_resource_bad_status_delay_scaling")||1;this.j.K("html5_onesie_live");this.dE=this.j.K("html5_onesie_premieres");this.Rw=this.j.K("html5_drop_onesie_for_live_mode_mismatch");this.xx=g.gJ(this.j.experiments,"html5_onesie_live_ttl_secs")||8;this.Qn=g.gJ(this.j.experiments, +"html5_attach_num_random_bytes_to_bandaid");this.Jy=this.j.K("html5_self_init_consolidation");this.yx=g.gJ(this.j.experiments,"html5_onesie_request_timeout_ms")||3E3;this.C=!1;this.nm=this.j.K("html5_new_sabr_buffer_timeline")||this.C;this.Aa=this.j.K("html5_ssdai_use_post_for_media")&&this.j.K("gab_return_sabr_ssdai_config");this.Xo=this.j.K("html5_use_post_for_media");this.Vo=g.gJ(this.j.experiments,"html5_url_padding_length");this.ij="";this.ot=this.j.K("html5_post_body_in_string");this.Bx=this.j.K("html5_post_body_as_prop"); +this.useUmp=this.j.K("html5_use_ump")||this.j.K("html5_cabr_utc_seek");this.Rk=this.j.K("html5_cabr_utc_seek");this.La=this.oa=!1;this.Wn=this.j.K("html5_prefer_drc");this.Dx=this.j.K("html5_reset_primary_stats_on_redirector_failure");this.j.K("html5_remap_to_original_host_when_redirected");this.B=!1;this.If=this.j.K("html5_enable_sabr_format_selection");this.uA=this.j.K("html5_iterative_seeking_buffered_time");this.Eq=this.j.K("html5_use_network_error_code_enums");this.Ow=this.j.K("html5_disable_overlapping_requests"); +this.Mw=this.j.K("html5_disable_cabr_request_timeout_for_sabr");this.Tw=this.j.K("html5_fallback_to_cabr_on_net_bad_status");this.Jf=this.j.K("html5_enable_sabr_partial_segments");this.Tb=!1;this.gA=this.j.K("html5_use_media_end_for_end_of_segment");this.nx=this.j.K("html5_log_smooth_audio_switching_reason");this.jE=this.j.K("html5_update_ctmp_rqs_logging");this.ql=!this.j.K("html5_remove_deprecated_ticks");this.Lw=this.j.K("html5_disable_bandwidth_cofactors_for_sabr")}; +yLa=function(a,b){1080>31));tL(a,16,b.v4);tL(a,18,b.o2);tL(a,19,b.n2);tL(a,21,b.h9);tL(a,23,b.X1);tL(a,28,b.l8);tL(a,34,b.visibility);xL(a,38,b.mediaCapabilities,zLa,3);tL(a,39,b.v9);tL(a,40,b.pT);uL(a,46,b.M2);tL(a,48,b.S8)}; +BLa=function(a){for(var b=[];jL(a,2);)b.push(iL(a));return{AK:b.length?b:void 0,videoId:nL(a,3),eQ:kL(a,4)}}; +zLa=function(a,b){var c;if(b.dQ)for(c=0;cMath.random()){var B=new g.bA("Unable to load player module",b,document.location&&document.location.origin);g.CD(B)}Ff(e);r&&r(z)}; +var v=m,x=v.onreadystatechange;v.onreadystatechange=function(z){switch(v.readyState){case "loaded":case "complete":Ff(f)}x&&x(z)}; +l&&((h=a.F.V().cspNonce)&&m.setAttribute("nonce",h),g.fk(m,g.wr(b)),h=g.Xe("HEAD")[0]||document.body,h.insertBefore(m,h.firstChild),g.bb(a,function(){m.parentNode&&m.parentNode.removeChild(m)}))}; +lMa=function(a,b,c,d,e){g.dE.call(this);var f=this;this.target=a;this.fF=b;this.u=0;this.I=!1;this.C=new g.Fe(NaN,NaN);this.j=new g.bI(this);this.ya=this.B=this.J=null;g.E(this,this.j);b=d||e?4E3:3E3;this.ea=new g.Ip(function(){QT(f,1,!1)},b,this); +g.E(this,this.ea);this.Z=new g.Ip(function(){QT(f,2,!1)},b,this); +g.E(this,this.Z);this.oa=new g.Ip(function(){QT(f,512,!1)},b,this); +g.E(this,this.oa);this.Aa=c&&0=c.width||!c.height||0>=c.height||g.UD(c.url)&&b.push({src:c.url||"",sizes:c.width+"x"+c.height,type:"image/jpeg"}));return b}; +zMa=function(a){var b=a.F.Cb();b=b.isCued()||b.isError()?"none":g.RO(b)?"playing":"paused";a.mediaSession.playbackState=b}; +AMa=function(a){g.U.call(this,{G:"div",N:"ytp-paid-content-overlay",X:{"aria-live":"assertive","aria-atomic":"true"}});this.F=a;this.videoId=null;this.B=!1;this.Te=this.j=null;var b=a.V();a.K("enable_new_paid_product_placement")&&!g.GK(b)?(this.u=new g.U({G:"a",N:"ytp-paid-content-overlay-link",X:{href:"{{href}}",target:"_blank"},W:[{G:"div",N:"ytp-paid-content-overlay-icon",ra:"{{icon}}"},{G:"div",N:"ytp-paid-content-overlay-text",ra:"{{text}}"},{G:"div",N:"ytp-paid-content-overlay-chevron",ra:"{{chevron}}"}]}), +this.S(this.u.element,"click",this.onClick)):this.u=new g.U({G:"div",Ia:["ytp-button","ytp-paid-content-overlay-text"],ra:"{{text}}"});this.C=new g.QQ(this.u,250,!1,100);g.E(this,this.u);this.u.Ea(this.element);g.E(this,this.C);this.F.Zf(this.element,this);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"presentingplayerstatechange",this.yd)}; +CMa=function(a,b){var c=Kza(b),d=BM(b);b.Kf&&a.F.Mo()||(a.j?b.videoId&&b.videoId!==a.videoId&&(g.Lp(a.j),a.videoId=b.videoId,a.B=!!d,a.B&&c&&BMa(a,d,c,b)):c&&d&&BMa(a,d,c,b))}; +BMa=function(a,b,c,d){a.j&&a.j.dispose();a.j=new g.Ip(a.Fb,b,a);g.E(a,a.j);var e,f;b=null==(e=d.getPlayerResponse())?void 0:null==(f=e.paidContentOverlay)?void 0:f.paidContentOverlayRenderer;e=null==b?void 0:b.navigationEndpoint;var h;f=null==b?void 0:null==(h=b.icon)?void 0:h.iconType;var l;h=null==(l=g.K(e,g.pM))?void 0:l.url;a.F.og(a.element,(null==e?void 0:e.clickTrackingParams)||null);a.u.update({href:null!=h?h:"#",text:c,icon:"MONEY_HAND"===f?{G:"svg",X:{fill:"none",height:"100%",viewBox:"0 0 24 24", +width:"100%"},W:[{G:"path",X:{d:"M6 9H5V5V4H6H19V5H6V9ZM21.72 16.04C21.56 16.8 21.15 17.5 20.55 18.05C20.47 18.13 18.42 20.01 14.03 20.01C13.85 20.01 13.67 20.01 13.48 20C11.3 19.92 8.51 19.23 5.4 18H2V10H5H6H7V6H21V13H16.72C16.37 13.59 15.74 14 15 14H12.7C13.01 14.46 13.56 15 14.5 15H15.02C16.07 15 17.1 14.64 17.92 13.98C18.82 13.26 20.03 13.22 20.91 13.84C21.58 14.32 21.9 15.19 21.72 16.04ZM15 10C15 9.45 14.55 9 14 9C13.45 9 13 9.45 13 10H15ZM20 11C19.45 11 19 11.45 19 12H20V11ZM19 7C19 7.55 19.45 8 20 8V7H19ZM8 8C8.55 8 9 7.55 9 7H8V8ZM8 10H12C12 8.9 12.9 8 14 8C15.1 8 16 8.9 16 10V10.28C16.59 10.63 17 11.26 17 12H18C18 10.9 18.9 10 20 10V9C18.9 9 18 8.1 18 7H10C10 8.1 9.1 9 8 9V10ZM5 13.5V11H3V17H5V13.5ZM20.33 14.66C19.81 14.29 19.1 14.31 18.6 14.71C17.55 15.56 16.29 16 15.02 16H14.5C12.62 16 11.67 14.46 11.43 13.64L11.24 13H15C15.55 13 16 12.55 16 12C16 11.45 15.55 11 15 11H6V13.5V17.16C8.9 18.29 11.5 18.93 13.52 19C17.85 19.15 19.85 17.34 19.87 17.32C20.33 16.9 20.62 16.4 20.74 15.84C20.84 15.37 20.68 14.91 20.33 14.66Z", +fill:"white"}}]}:null,chevron:h?g.iQ():null})}; +DMa=function(a,b){a.j&&(g.S(b,8)&&a.B?(a.B=!1,a.od(),a.j.start()):(g.S(b,2)||g.S(b,64))&&a.videoId&&(a.videoId=null))}; +cU=function(a){g.U.call(this,{G:"div",N:"ytp-spinner",W:[qMa(),{G:"div",N:"ytp-spinner-message",ra:"If playback doesn't begin shortly, try restarting your device."}]});this.api=a;this.message=this.Da("ytp-spinner-message");this.j=new g.Ip(this.show,500,this);g.E(this,this.j);this.S(a,"presentingplayerstatechange",this.onStateChange);this.S(a,"playbackstalledatstart",this.u);this.qc(a.Cb())}; +dU=function(a){var b=sJ(a.V().experiments,"mweb_muted_autoplay_animation"),c=[],d=[{G:"div",Ia:["ytp-unmute-icon"],W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 21.48,17.98 c 0,-1.77 -1.02,-3.29 -2.5,-4.03 v 2.21 l 2.45,2.45 c .03,-0.2 .05,-0.41 .05,-0.63 z m 2.5,0 c 0,.94 -0.2,1.82 -0.54,2.64 l 1.51,1.51 c .66,-1.24 1.03,-2.65 1.03,-4.15 0,-4.28 -2.99,-7.86 -7,-8.76 v 2.05 c 2.89,.86 5,3.54 5,6.71 z M 9.25,8.98 l -1.27,1.26 4.72,4.73 H 7.98 v 6 H 11.98 l 5,5 v -6.73 l 4.25,4.25 c -0.67,.52 -1.42,.93 -2.25,1.18 v 2.06 c 1.38,-0.31 2.63,-0.95 3.69,-1.81 l 2.04,2.05 1.27,-1.27 -9,-9 -7.72,-7.72 z m 7.72,.99 -2.09,2.08 2.09,2.09 V 9.98 z"}}]}]}, +{G:"div",Ia:["ytp-unmute-text"],ra:"Tap to unmute"}];"none"!==b&&(c.push("ytp-unmute-animated"),d.push({G:"div",Ia:["ytp-unmute-box"],W:[]}),"expand"===b?c.push("ytp-unmute-expand"):"shrink"===b&&c.push("ytp-unmute-shrink"));g.PS.call(this,a,{G:"button",Ia:["ytp-unmute","ytp-popup","ytp-button"].concat(c),W:[{G:"div",N:"ytp-unmute-inner",W:d}]},100);this.j=this.clicked=!1;this.api=a;this.api.sb(this.element,this,51663);this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange,this);this.S(a,"presentingplayerstatechange", +this.Hi);this.Ra("click",this.onClick,this);a=a.isMutedByMutedAutoplay()&&!g.fK(this.api.V());g.bQ(this,a);a&&EMa(this);this.B=a}; +EMa=function(a){a.j||(a.j=!0,a.api.Ua(a.element,!0))}; +g.eU=function(a){g.bI.call(this);var b=this;this.api=a;this.nN=!1;this.To=null;this.pF=!1;this.rg=null;this.aL=this.qI=!1;this.NP=this.OP=null;this.hV=NaN;this.MP=this.vB=!1;this.PC=0;this.jK=[];this.pO=!1;this.qC={height:0,width:0};this.X9=["ytp-player-content","html5-endscreen","ytp-overlay"];this.uN={HU:!1};var c=a.V(),d=a.jb();this.qC=a.getPlayerSize();this.BS=new g.Ip(this.DN,0,this);g.E(this,this.BS);g.oK(c)||(this.Fm=new g.TT(a),g.E(this,this.Fm),g.NS(a,this.Fm.element,4));if(FMa(this)){var e= +new cU(a);g.E(this,e);e=e.element;g.NS(a,e,4)}var f=a.getVideoData();this.Ve=new lMa(d,function(l){return b.fF(l)},f,c.ph,!1); +g.E(this,this.Ve);this.Ve.subscribe("autohideupdate",this.qn,this);if(!c.disablePaidContentOverlay){var h=new AMa(a);g.E(this,h);g.NS(a,h.element,4)}this.TP=new dU(a);g.E(this,this.TP);g.NS(this.api,this.TP.element,2);this.vM=this.api.isMutedByMutedAutoplay();this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange);this.pI=new g.Ip(this.fA,200,this);g.E(this,this.pI);this.GC=f.videoId;this.qX=new g.Ip(function(){b.PC=0},350); +g.E(this,this.qX);this.uF=new g.Ip(function(){b.MP||GMa(b)},350,this); +g.E(this,this.uF);f=a.getRootNode();f.setAttribute("aria-label","YouTube Video Player");switch(c.color){case "white":g.Qp(f,"ytp-color-white")}g.oK(c)&&g.Qp(f,"ytp-music-player");navigator.mediaSession&&null!=navigator.mediaSession.setActionHandler&&(f=new aU(a),g.E(this,f));this.S(a,"appresize",this.Db);this.S(a,"presentingplayerstatechange",this.Hi);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"videoplayerreset",this.G6);this.S(a,"autonavvisibility",function(){b.wp()}); +this.S(a,"sizestylechange",function(){b.wp()}); +this.S(d,"click",this.d7,this);this.S(d,"dblclick",this.e7,this);this.S(d,"mousedown",this.h7,this);c.Tb&&(this.S(d,"gesturechange",this.f7,this),this.S(d,"gestureend",this.g7,this));this.Ws=[d.kB];this.Fm&&this.Ws.push(this.Fm.element);e&&this.Ws.push(e)}; +HMa=function(a,b){if(!b)return!1;var c=a.api.qe();if(c.du()&&(c=c.ub())&&g.zf(c,b))return c.controls;for(c=0;c1+b&&a.api.toggleFullscreen()}; +FMa=function(a){a=Xy()&&67<=goa()&&!a.api.V().T;return!Wy("tizen")&&!cK&&!a&&!0}; +gU=function(a,b){b=void 0===b?2:b;g.dE.call(this);this.api=a;this.j=null;this.ud=new Jz(this);g.E(this,this.ud);this.u=qFa;this.ud.S(this.api,"presentingplayerstatechange",this.yd);this.j=this.ud.S(this.api,"progresssync",this.yc);this.In=b;1===this.In&&this.yc()}; +LMa=function(a){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-back-button"],W:[{G:"div",N:"ytp-arrow-back-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},W:[{G:"path",X:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",xc:!0,X:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.F=a;g.bQ(this,a.V().rl);this.Ra("click",this.onClick)}; +g.hU=function(a){g.U.call(this,{G:"div",W:[{G:"div",N:"ytp-bezel-text-wrapper",W:[{G:"div",N:"ytp-bezel-text",ra:"{{title}}"}]},{G:"div",N:"ytp-bezel",X:{role:"status","aria-label":"{{label}}"},W:[{G:"div",N:"ytp-bezel-icon",ra:"{{icon}}"}]}]});this.F=a;this.u=new g.Ip(this.show,10,this);this.j=new g.Ip(this.hide,500,this);g.E(this,this.u);g.E(this,this.j);this.hide()}; +jU=function(a,b,c){if(0>=b){c=tQ();b="muted";var d=0}else c=c?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", +fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";iU(a,c,b,d+"%")}; +MMa=function(a,b){b=b?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]};var c=a.F.getPlaybackRate(),d=g.lO("Speed is $RATE",{RATE:String(c)});iU(a,b,d,c+"x")}; +NMa=function(a,b){b=b?"Subtitles/closed captions on":"Subtitles/closed captions off";iU(a,pMa(),b)}; +iU=function(a,b,c,d){d=void 0===d?"":d;a.updateValue("label",void 0===c?"":c);a.updateValue("icon",b);g.Lp(a.j);a.u.start();a.updateValue("title",d);g.Up(a.element,"ytp-bezel-text-hide",!d)}; +PMa=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-cards-button"],X:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"span",N:"ytp-cards-button-icon-default",W:[{G:"div",N:"ytp-cards-button-icon",W:[a.V().K("player_new_info_card_format")?PEa():{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, +{G:"div",N:"ytp-cards-button-title",ra:"Info"}]},{G:"span",N:"ytp-cards-button-icon-shopping",W:[{G:"div",N:"ytp-cards-button-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",N:"ytp-svg-shadow",X:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",N:"ytp-svg-fill",X:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", +"fill-opacity":"1"}},{G:"path",N:"ytp-svg-shadow-fill",X:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", +N:"ytp-cards-button-title",ra:"Shopping"}]}]});this.F=a;this.B=b;this.C=c;this.j=null;this.u=new g.QQ(this,250,!0,100);g.E(this,this.u);g.Up(this.C,"ytp-show-cards-title",g.fK(a.V()));this.hide();this.Ra("click",this.L5);this.Ra("mouseover",this.f6);OMa(this,!0)}; +OMa=function(a,b){b?a.j=g.ZS(a.B.Ic(),a.element):(a.j=a.j,a.j(),a.j=null)}; +QMa=function(a,b,c){g.U.call(this,{G:"div",N:"ytp-cards-teaser",W:[{G:"div",N:"ytp-cards-teaser-box"},{G:"div",N:"ytp-cards-teaser-text",W:a.V().K("player_new_info_card_format")?[{G:"button",N:"ytp-cards-teaser-info-icon",X:{"aria-label":"Show cards","aria-haspopup":"true"},W:[PEa()]},{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"},{G:"button",N:"ytp-cards-teaser-close-button",X:{"aria-label":"Close"},W:[g.jQ()]}]:[{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"}]}]});var d=this;this.F=a;this.Z= +b;this.Wi=c;this.C=new g.QQ(this,250,!1,250);this.j=null;this.J=new g.Ip(this.s6,300,this);this.I=new g.Ip(this.r6,2E3,this);this.D=[];this.u=null;this.T=new g.Ip(function(){d.element.style.margin="0"},250); +this.onClickCommand=this.B=null;g.E(this,this.C);g.E(this,this.J);g.E(this,this.I);g.E(this,this.T);a.V().K("player_new_info_card_format")?(g.Qp(a.getRootNode(),"ytp-cards-teaser-dismissible"),this.S(this.Da("ytp-cards-teaser-close-button"),"click",this.Zo),this.S(this.Da("ytp-cards-teaser-info-icon"),"click",this.DP),this.S(this.Da("ytp-cards-teaser-label"),"click",this.DP)):this.Ra("click",this.DP);this.S(c.element,"mouseover",this.ER);this.S(c.element,"mouseout",this.DR);this.S(a,"cardsteasershow", +this.E7);this.S(a,"cardsteaserhide",this.Fb);this.S(a,"cardstatechange",this.CY);this.S(a,"presentingplayerstatechange",this.CY);this.S(a,"appresize",this.aQ);this.S(a,"onShowControls",this.aQ);this.S(a,"onHideControls",this.m2);this.Ra("mouseenter",this.g0)}; +RMa=function(a){g.U.call(this,{G:"button",Ia:[kU.BUTTON,kU.TITLE_NOTIFICATIONS],X:{"aria-pressed":"{{pressed}}","aria-label":"{{label}}"},W:[{G:"div",N:kU.TITLE_NOTIFICATIONS_ON,X:{title:"Stop getting notified about every new video","aria-label":"Notify subscriptions"},W:[g.nQ()]},{G:"div",N:kU.TITLE_NOTIFICATIONS_OFF,X:{title:"Get notified about every new video","aria-label":"Notify subscriptions"},W:[{G:"svg",X:{fill:"#fff",height:"24px",viewBox:"0 0 24 24",width:"24px"},W:[{G:"path",X:{d:"M18 11c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2v-5zm-6 11c.14 0 .27-.01.4-.04.65-.14 1.18-.58 1.44-1.18.1-.24.15-.5.15-.78h-4c.01 1.1.9 2 2.01 2z"}}]}]}]}); +this.api=a;this.j=!1;a.sb(this.element,this,36927);this.Ra("click",this.onClick,this);this.updateValue("pressed",!1);this.updateValue("label","Get notified about every new video")}; +SMa=function(a,b){a.j=b;a.element.classList.toggle(kU.NOTIFICATIONS_ENABLED,a.j);var c=a.api.getVideoData();c?(b=b?c.TI:c.RI)?(a=a.api.Mm())?tR(a,b):g.CD(Error("No innertube service available when updating notification preferences.")):g.CD(Error("No update preferences command available.")):g.CD(Error("No video data when updating notification preferences."))}; +g.lU=function(a,b,c){var d=void 0===d?800:d;var e=void 0===e?600:e;a=TMa(a,b);if(a=g.gk(a,"loginPopup","width="+d+",height="+e+",resizable=yes,scrollbars=yes"))Xqa(function(){c()}),a.moveTo((screen.width-d)/2,(screen.height-e)/2)}; +TMa=function(a,b){var c=document.location.protocol;return vfa(c+"//"+a+"/signin?context=popup","feature",b,"next",c+"//"+location.hostname+"/post_login")}; +g.nU=function(a,b,c,d,e,f,h,l,m,n,p,q,r){r=void 0===r?null:r;a=a.charAt(0)+a.substring(1).toLowerCase();c=c.charAt(0)+c.substring(1).toLowerCase();if("0"===b||"-1"===b)b=null;if("0"===d||"-1"===d)d=null;var v=q.V();p=v.userDisplayName&&g.lK(v);g.U.call(this,{G:"div",Ia:["ytp-button","ytp-sb"],W:[{G:"div",N:"ytp-sb-subscribe",X:p?{title:g.lO("Subscribe as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Subscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)), +tabindex:"0",role:"button"}:{"aria-label":"Subscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},a]},b?{G:"div",N:"ytp-sb-count",ra:b}:""]},{G:"div",N:"ytp-sb-unsubscribe",X:p?{title:g.lO("Subscribed as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Unsubscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)),tabindex:"0",role:"button"}:{"aria-label":"Unsubscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},c]}, +d?{G:"div",N:"ytp-sb-count",ra:d}:""]}],X:{"aria-live":"polite"}});var x=this;this.channelId=h;this.B=r;this.F=q;var z=this.Da("ytp-sb-subscribe"),B=this.Da("ytp-sb-unsubscribe");f&&g.Qp(this.element,"ytp-sb-classic");if(e){l?this.j():this.u();var F=function(){if(v.authUser){var D=x.channelId;if(m||n){var L={c:D};var P;g.fS.isInitialized()&&(P=xJa(L));L=P||"";if(P=q.getVideoData())if(P=P.subscribeCommand){var T=q.Mm();T?(tR(T,P,{botguardResponse:L,feature:m}),q.Na("SUBSCRIBE",D)):g.CD(Error("No innertube service available when updating subscriptions."))}else g.CD(Error("No subscribe command in videoData.")); +else g.CD(Error("No video data available when updating subscription."))}B.focus();B.removeAttribute("aria-hidden");z.setAttribute("aria-hidden","true")}else g.lU(g.yK(x.F.V()),"sb_button",x.C)},G=function(){var D=x.channelId; +if(m||n){var L=q.getVideoData();tR(q.Mm(),L.unsubscribeCommand,{feature:m});q.Na("UNSUBSCRIBE",D)}z.focus();z.removeAttribute("aria-hidden");B.setAttribute("aria-hidden","true")}; +this.S(z,"click",F);this.S(B,"click",G);this.S(z,"keypress",function(D){13===D.keyCode&&F(D)}); +this.S(B,"keypress",function(D){13===D.keyCode&&G(D)}); +this.S(q,"SUBSCRIBE",this.j);this.S(q,"UNSUBSCRIBE",this.u);this.B&&p&&(this.tooltip=this.B.Ic(),mU(this.tooltip),g.bb(this,g.ZS(this.tooltip,z)),g.bb(this,g.ZS(this.tooltip,B)))}else g.Qp(z,"ytp-sb-disabled"),g.Qp(B,"ytp-sb-disabled")}; +VMa=function(a,b){g.U.call(this,{G:"div",N:"ytp-title-channel",W:[{G:"div",N:"ytp-title-beacon"},{G:"a",N:"ytp-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-title-expanded-overlay",X:{"aria-hidden":"{{flyoutUnfocusable}}"},W:[{G:"div",N:"ytp-title-expanded-heading",W:[{G:"div",N:"ytp-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,"aria-hidden":"{{shouldHideExpandedTitleForA11y}}", +tabIndex:"{{channelTitleFocusable}}"}}]},{G:"div",N:"ytp-title-expanded-subtitle",ra:"{{expandedSubtitle}}",X:{"aria-hidden":"{{shouldHideExpandedSubtitleForA11y}}"}}]}]}]});var c=this;this.api=a;this.D=b;this.channel=this.Da("ytp-title-channel");this.j=this.Da("ytp-title-channel-logo");this.channelName=this.Da("ytp-title-expanded-title");this.I=this.Da("ytp-title-expanded-overlay");this.B=this.u=this.subscribeButton=null;this.C=!1;a.sb(this.j,this,36925);a.sb(this.channelName,this,37220);g.fK(this.api.V())&& +UMa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&(this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(oU(c));d.preventDefault()}),this.S(this.j,"click",this.I5)); this.Pa()}; -gya=function(a){a.playlist&&a.playlist.unsubscribe("shuffle",a.Pa,a)}; -hya=function(a){return!!a.playlist&&!a.u&&!!a.videoData&&!a.videoData.isLivePlayback&&3<=a.J.getCurrentTime()&&2!==a.J.getPresentingPlayerType()}; -iya=function(a){var b=g.RW(g.NW(a.J));return b?a.u?b.hasNext():b.gi():!1}; -rZ=function(a){var b={duration:null,preview:null,text:null,title:null,url:null},c=null!=a.playlist&&a.playlist.hasNext();c=g.SW(a.J)&&(!a.u||c);var d=a.u&&g.eX(a.J),e=iya(a),f=a.u&&5===a.J.getPresentingPlayerType(),h=g.EX(a.J,"Next","SHIFT+n"),l=g.EX(a.J,"Previous","SHIFT+p");if(f)b.title="Start video";else if(a.C)b.title="Replay";else if(c){var m=null;a.playlist&&(m=a.playlist.Ka(a.u?bG(a.playlist):cG(a.playlist)));if(m){if(m.videoId){var n=a.playlist.listId;b.url=a.J.T().getVideoUrl(m.videoId,n? -n.toString():void 0)}b.text=m.title;b.duration=m.lengthSeconds?g.PO(m.lengthSeconds):null;b.preview=m.Gd("mqdefault.jpg")}b.title=a.u?h:l}else d&&(a.videoData&&a.videoData.suggestions&&a.videoData.suggestions.length&&(l=g.qZ(a.J.T(),a.videoData.suggestions[0]),b.url=l.fk(),b.text=l.title,b.duration=l instanceof g.UE?g.PO(l.lengthSeconds):null,b.preview=l.Gd("mqdefault.jpg")),b.title=h);b.disabled=!d&&!c&&!e&&!f;a.update(b);a.I=!!b.url;d||c||a.C||e||f?a.B||(a.B=g.cY(a.tooltip,a.element),a.F=a.ua("click", -a.onClick,a)):a.B&&(a.B(),a.B=null,a.Eb(a.F),a.F=null);CY(a.tooltip)}; -tZ=function(){g.V.call(this,{G:"div",L:"ytp-chapter-hover-container",S:[{G:"div",L:"ytp-progress-bar-padding"},{G:"div",L:"ytp-progress-list",S:[{G:"div",ia:["ytp-play-progress","ytp-swatch-background-color"]},{G:"div",L:"ytp-load-progress"},{G:"div",L:"ytp-hover-progress"},{G:"div",L:"ytp-ad-progress-list"}]}]});this.startTime=NaN;this.title="";this.width=0;this.C=this.ga("ytp-ad-progress-list");this.D=this.ga("ytp-load-progress");this.F=this.ga("ytp-play-progress");this.B=this.ga("ytp-hover-progress"); -this.u=this.ga("ytp-chapter-hover-container")}; -uZ=function(a,b){g.E(a.u,"width",b)}; -vZ=function(a,b){g.E(a.u,"margin-right",b+"px")}; -jya=function(){this.C=this.position=this.D=this.u=this.F=this.B=this.width=NaN}; -kya=function(){g.V.call(this,{G:"div",L:"ytp-timed-marker"});this.timeRangeStartMillis=NaN;this.thumbnailUrl=this.title="";this.onActiveCommand=void 0}; -g.wZ=function(a,b){g.XM.call(this,{G:"div",L:"ytp-progress-bar-container",U:{"aria-disabled":"true"},S:[{G:"div",ia:["ytp-progress-bar",a.T().u?"ytp-mobile":""],U:{tabindex:"0",role:"slider","aria-label":"Seek slider","aria-valuemin":"{{ariamin}}","aria-valuemax":"{{ariamax}}","aria-valuenow":"{{arianow}}","aria-valuetext":"{{arianowtext}}"},S:[{G:"div",L:"ytp-chapters-container"},{G:"div",L:"ytp-marker-crenellation-list"},{G:"div",L:"ytp-timed-markers-container"},{G:"div",L:"ytp-clip-start-exclude"}, -{G:"div",L:"ytp-clip-end-exclude"},{G:"div",L:"ytp-scrubber-container",S:[{G:"div",ia:["ytp-scrubber-button","ytp-swatch-background-color"],S:[{G:"div",L:"ytp-scrubber-pull-indicator"}]}]}]},{G:"div",L:"ytp-bound-time-left",Y:"{{boundTimeLeft}}"},{G:"div",L:"ytp-bound-time-right",Y:"{{boundTimeRight}}"},{G:"div",L:"ytp-clip-start",U:{title:"{{clipstarttitle}}"},Y:"{{clipstarticon}}"},{G:"div",L:"ytp-clip-end",U:{title:"{{clipendtitle}}"},Y:"{{clipendicon}}"}]});this.api=a;this.ac=!1;this.C=this.ud= -0;this.ea=1;this.wd=this.P=0;this.D=null;this.W=this.nb=0;this.Lc=this.ga("ytp-marker-crenellation-list");this.Z={};this.Qa={};this.clipEnd=Infinity;this.za=this.ga("ytp-clip-end");this.ob=new g.bs(this.za,!0);this.xc=this.ga("ytp-clip-end-exclude");this.Qe=this.ga("ytp-clip-start-exclude");this.clipStart=0;this.Ga=this.ga("ytp-clip-start");this.yb=new g.bs(this.Ga,!0);this.I=this.ha=0;this.Oc=this.ga("ytp-progress-bar");this.Ja=void 0;this.Lb={};this.Za=this.ga("ytp-chapters-container");this.ce= -this.ga("ytp-timed-markers-container");this.Ba=[];this.ra=[];this.da=-1;this.Pb=g.Q(this.api.T().experiments,"web_macro_markers_snapping_threshold");this.ka=this.X=0;this.F=null;this.ae=this.ga("ytp-scrubber-button");this.pe=this.ga("ytp-scrubber-container");this.Na=new g.fe;this.hd=new jya;this.u=new ZO(0,0);this.K=null;this.B=this.Ub=!1;this.td=null;this.tooltip=b.Jb();g.dg(this,g.cY(this.tooltip,this.za));g.C(this,this.ob);this.ob.subscribe("hoverstart",this.XD,this);this.ob.subscribe("hoverend", -this.WD,this);this.R(this.za,"click",this.cu);g.dg(this,g.cY(this.tooltip,this.Ga));g.C(this,this.yb);this.yb.subscribe("hoverstart",this.XD,this);this.yb.subscribe("hoverend",this.WD,this);this.R(this.Ga,"click",this.cu);lya(this);this.R(a,"resize",this.Ra);this.R(a,"presentingplayerstatechange",this.wL);this.R(a,"videodatachange",this.oD);this.R(a,"videoplayerreset",this.jJ);this.R(a,"cuerangesadded",this.vG);this.R(a,"cuerangesremoved",this.xQ);this.R(a,"cuerangemarkersupdated",this.vG);this.R(a, -"onLoopRangeChange",this.uG);this.updateVideoData(a.getVideoData(),!0);this.uG(a.getLoopRange())}; -lya=function(a){if(0===a.Ba.length){var b=new tZ;a.Ba.push(b);g.C(a,b);b.fa(a.Za,0)}for(;1l)a.Ba[c].width=n;else{a.Ba[c].width=0;var p=a,r=c,t=p.Ba[r-1];void 0!== -t&&0a.ka&&(a.ka=m/f),d=!0)}c++}}return d}; -zZ=function(a){if(a.C){var b=a.api.getProgressState(),c=new ZO(b.seekableStart,b.seekableEnd),d=aP(c,b.loaded,0);b=aP(c,b.current,0);var e=a.u.B!==c.B||a.u.u!==c.u;a.u=c;AZ(a,b,d);e&&BZ(a);rya(a)}}; -DZ=function(a,b){var c=$O(a.u,b.C);if(1=a.Ba.length?!1:Math.abs(b-a.Ba[c].startTime/1E3)/a.u.u*(a.C-(a.B?3:2)*a.X).2*(a.B?60:40)&&1===a.Ba.length){var h=c*(a.u.getLength()/60),l=d*(a.u.getLength()/60);for(h=Math.ceil(h);h=f;c--)g.Je(e[c]);a.element.style.height=a.P+(a.B?8:5)+"px";a.V("height-change",a.P);a.ae.style.height=a.P+(a.B?20:13)+"px";e=g.q(Object.keys(a.Z));for(f=e.next();!f.done;f=e.next())uya(a,f.value);EZ(a);AZ(a,a.I,a.ha)}; -xZ=function(a){var b=a.Na.x,c=a.C*a.ea;b=g.be(b,0,a.C);a.hd.update(b,a.C,-a.W,-(c-a.W-a.C));return a.hd}; -AZ=function(a,b,c){a.I=b;a.ha=c;var d=xZ(a),e=a.u.u,f=$O(a.u,a.I),h=g.jJ("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.PO(f,!0),DURATION:g.PO(e,!0)}),l=FY(a.Ba,1E3*f);l=a.Ba[l].title;a.update({ariamin:Math.floor(a.u.B),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.K&&2!==a.api.getPresentingPlayerType()&&(e=a.K.startTimeMs/1E3,f=a.K.endTimeMs/1E3);e=aP(a.u,e,0);h=aP(a.u,f,1);f=g.be(b,e,h);c=g.be(c,e,h);b=nya(a,b,d);g.E(a.pe,"transform","translateX("+ -b+"px)");FZ(a,d,e,f,"PLAY_PROGRESS");FZ(a,d,e,c,"LOAD_PROGRESS")}; -FZ=function(a,b,c,d,e){var f=a.Ba.length,h=b.u-a.X*(a.B?3:2),l=c*h;c=CZ(a,l);var m=d*h;h=CZ(a,m);"HOVER_PROGRESS"===e&&(h=CZ(a,b.u*d,!0),m=b.u*d-vya(a,b.u*d)*(a.B?3:2));b=Math.max(l-wya(a,c),0);for(d=c;d=a.Ba.length)return a.C;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.Ba.length?d-1:d}; -nya=function(a,b,c){for(var d=b*a.u.u*1E3,e=-1,f=g.q(a.Ba),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; -vya=function(a,b){for(var c=a.Ba.length,d=0,e=g.q(a.Ba),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.B?3:2,d++;else break;return d===c?c-1:d}; -EZ=function(a){var b=!!a.K&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.K?(c=a.K.startTimeMs/1E3,d=a.K.endTimeMs/1E3):(e=c>a.u.B,f=0a.I);g.J(a.ae,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;var c=160*a.scale,d=160*a.scale,e=a.u.pl(a.C,c);Vxa(a.bg,e,c,d,!0);a.Z.start()}}; -Sya=function(a){var b=a.B;3===a.type&&a.ea.stop();a.api.removeEventListener("appresize",a.X);a.P||b.setAttribute("title",a.F);a.F="";a.B=null}; -g.t_=function(a,b){g.V.call(this,{G:"button",ia:["ytp-watch-later-button","ytp-button"],U:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.LB(a.T()))},S:[{G:"div",L:"ytp-watch-later-icon",Y:"{{icon}}"},{G:"div",L:"ytp-watch-later-title",Y:"Watch later"}]});this.J=a;this.icon=null;this.visible=this.B=this.u=!1;this.tooltip=b.Jb();fY(this.tooltip);g.fX(a,this.element,this,28665);this.ua("click",this.onClick,this);this.R(a,"videoplayerreset",this.QL);this.R(a,"appresize", -this.Ct);this.R(a,"videodatachange",this.Ct);this.R(a,"presentingplayerstatechange",this.Ct);this.Ct();var c=this.J.T(),d=g.Xs("yt-player-watch-later-pending");c.B&&d?(px(),Tya(this,d.videoId)):this.na(2);g.J(this.element,"ytp-show-watch-later-title",g.LB(c));g.dg(this,g.cY(b.Jb(),this.element))}; -Uya=function(a,b){g.rwa(function(){px({videoId:b});window.location.reload()},"wl_button",g.fC(a.J.T()))}; -Tya=function(a,b){if(!a.B)if(a.B=!0,a.na(3),g.R(a.J.T().experiments,"web_player_innertube_playlist_update")){var c=a.J.getVideoData();c=a.u?c.removeFromWatchLaterCommand:c.addToWatchLaterCommand;var d=qG(a.J.app),e=a.u?function(){a.PE()}:function(){a.OE()}; -tU(d,c).then(e,function(){a.B=!1;u_(a,"An error occurred. Please try again later.")})}else c=a.J.T(),(a.u?pwa:owa)({videoIds:b, -kd:c.kd,pageId:c.pageId,onError:a.TP,onSuccess:a.u?a.PE:a.OE,context:a},c.N,!0)}; -u_=function(a,b){a.na(4,b);a.J.T().C&&a.J.va("WATCH_LATER_ERROR",b)}; -Vya=function(a,b){var c=a.J.T();if(b!==a.icon){switch(b){case 3:var d=CX();break;case 1:d=jN();break;case 2:d={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:d=g.R(c.experiments,"watch_later_iconchange_killswitch")?{G:"svg",U:{height:"100%", -version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M21,7.91 L19.60,20.91 L16.39,20.91 L15,7.91 L21,7.91 Z M18,27.91 C16.61,27.91 15.5,26.79 15.5,25.41 C15.5,24.03 16.61,22.91 18,22.91 C19.38,22.91 20.5,24.03 20.5,25.41 C20.5,26.79 19.38,27.91 18,27.91 Z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,U:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.wa("icon",d); -a.icon=b}}; -v_=function(a){g.SX.call(this,a);var b=this;this.an=g.LB(this.api.T());this.Ev=48;this.Fv=69;this.Xh=null;this.Ak=[];this.Kb=new g.XX(this.api);this.xr=new DY(this.api);this.mg=new g.V({G:"div",L:"ytp-chrome-top"});this.zq=[];this.tooltip=new g.r_(this.api,this);this.backButton=this.Dn=null;this.channelAvatar=new hY(this.api,this);this.title=new q_(this.api,this);this.yf=new g.TM({G:"div",L:"ytp-chrome-top-buttons"});this.Xf=null;this.Uh=new bY(this.api,this,this.mg.element);this.overflowButton=this.Qf= -null;this.df="1"===this.api.T().controlsType?new m_(this.api,this,this.Ac):null;this.contextMenu=new g.zY(this.api,this,this.Kb);this.jv=!1;this.Lr=new g.V({G:"div",U:{tabindex:"0"}});this.Kr=new g.V({G:"div",U:{tabindex:"0"}});this.Sp=null;this.yy=this.sr=!1;var c=g.pG(a),d=a.T(),e=a.getVideoData();this.an&&(g.I(a.getRootNode(),"ytp-embed"),g.I(a.getRootNode(),"ytp-embed-playlist"),this.Ev=60,this.Fv=89);this.ug=e&&e.ug;g.C(this,this.Kb);g.oP(a,this.Kb.element,4);g.C(this,this.xr);g.oP(a,this.xr.element, -4);e=new g.V({G:"div",L:"ytp-gradient-top"});g.C(this,e);g.oP(a,e.element,1);this.Ry=new g.PN(e,250,!0,100);g.C(this,this.Ry);g.C(this,this.mg);g.oP(a,this.mg.element,1);this.Qy=new g.PN(this.mg,250,!0,100);g.C(this,this.Qy);g.C(this,this.tooltip);g.oP(a,this.tooltip.element,4);var f=new NY(a);g.C(this,f);g.oP(a,f.element,5);f.subscribe("show",function(l){b.ll(f,l)}); -this.zq.push(f);this.Dn=new OY(a,this,f);g.C(this,this.Dn);d.showBackButton&&(this.backButton=new WX(a),g.C(this,this.backButton),this.backButton.fa(this.mg.element));this.an||this.Dn.fa(this.mg.element);this.channelAvatar.fa(this.mg.element);g.C(this,this.channelAvatar);g.C(this,this.title);this.title.fa(this.mg.element);g.C(this,this.yf);this.yf.fa(this.mg.element);this.Xf=new g.t_(a,this);g.C(this,this.Xf);this.Xf.fa(this.yf.element);var h=new g.TY(a,this);g.C(this,h);g.oP(a,h.element,5);h.subscribe("show", -function(l){b.ll(h,l)}); -this.zq.push(h);this.shareButton=new g.SY(a,this,h);g.C(this,this.shareButton);this.shareButton.fa(this.yf.element);this.Yi=new AY(a,this);g.C(this,this.Yi);this.Yi.fa(this.yf.element);d.Oj&&(e=new YY(a),g.C(this,e),g.oP(a,e.element,4));this.an&&this.Dn.fa(this.yf.element);g.C(this,this.Uh);this.Uh.fa(this.yf.element);e=new $X(a,this,this.Uh);g.C(this,e);e.fa(this.yf.element);this.Qf=new KY(a,this);g.C(this,this.Qf);g.oP(a,this.Qf.element,5);this.Qf.subscribe("show",function(){b.ll(b.Qf,b.Qf.af())}); -this.zq.push(this.Qf);this.overflowButton=new JY(a,this,this.Qf);g.C(this,this.overflowButton);this.overflowButton.fa(this.yf.element);this.df&&g.C(this,this.df);"3"===d.controlsType&&(e=new RY(a,this),g.C(this,e),g.oP(a,e.element,8));g.C(this,this.contextMenu);this.contextMenu.subscribe("show",this.AG,this);e=new bP(a,new nP(a));g.C(this,e);g.oP(a,e.element,4);this.Lr.ua("focus",this.xI,this);g.C(this,this.Lr);this.Kr.ua("focus",this.yI,this);g.C(this,this.Kr);(this.oj=d.hd?null:new g.GY(a,c,this.contextMenu, -this.Ac,this.Kb,this.xr,function(){return b.cj()}))&&g.C(this,this.oj); -this.an||(this.QF=new WY(this.api,this),g.C(this,this.QF),g.oP(a,this.QF.element,4));this.zk.push(this.Kb.element);this.R(a,"fullscreentoggled",this.zj);this.R(a,"offlineslatestatechange",this.rO,this);this.R(a,"cardstatechange",this.pg,this);this.R(a,"resize",this.nN)}; -Wya=function(a){var b=a.api.T(),c=g.T(g.lI(a.api),128);return b.B&&c&&!a.api.isFullscreen()}; -w_=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==tg(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=w_(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexd/1E3+1)return"in-the-past";if(f.isLivePlayback&&!isFinite(d))return"live-infinite";if(a.u&&((b=b.B)&&b.isView()&&(b=b.u),b&&b.ul().length>a.u&&g.xF(e)))return"played-ranges";if(!e.Ia)return null;if(!e.Ia.wc()||!c.wc())return"non-dash";if(e.Ia.videoInfos[0].containerType!==c.videoInfos[0].containerType)return"container";if(g.xF(f)&&g.xF(e))return"content-protection"; -a=c.u[0].audio;e=e.Ia.u[0].audio;return a.sampleRate===e.sampleRate||g.eB?(a.u||2)!==(e.u||2)?"channel-count":null:"sample-rate"}; -z_=function(a,b,c,d){g.B.call(this);var e=this;this.policy=a;this.u=b;this.B=c;this.D=this.C=null;this.I=-1;this.K=!1;this.F=new dw;this.ff=d-1E3*b.lc();this.F.then(void 0,function(){}); -this.timeout=new g.H(function(){y_(e,"timeout")},1E4); -g.C(this,this.timeout);this.N=isFinite(d);this.status={status:0,error:null}}; -bza=function(a){if(a.B.getVideoData().Ia){rW(a.B,a.D);A_(a,3);$ya(a);var b=aza(a),c=b.PF;b=b.OQ;c.subscribe("updateend",a.zn,a);b.subscribe("updateend",a.zn,a);a.zn(c);a.zn(b)}}; -$ya=function(a){a.u.unsubscribe("internalvideodatachange",a.Uk,a);a.B.unsubscribe("internalvideodatachange",a.Uk,a);a.u.unsubscribe("mediasourceattached",a.Uk,a);a.B.unsubscribe("statechange",a.Vb,a)}; -cza=function(a,b,c,d){return new g.ES(a.isView()?a.u:a,b,c,d)}; -A_=function(a,b){b<=a.status.status||(a.status={status:b,error:null},5===b&&a.F.resolve(void 0))}; -y_=function(a,b){if(!a.la()&&!a.isFinished()){var c=4<=a.status.status&&"player-reload-after-handoff"!==b;a.status={status:Infinity,error:b};if(a.u&&a.B){var d=a.B.getVideoData().clientPlaybackNonce;a.u.sb("gaplessError","cpn."+d+";msg."+b);d=a.u;d.u.ni=!1;c&&aV(d);d.D&&(c=d.D,c.u.ea=!1,c.C&&gE(c))}a.F.reject(void 0);a.dispose()}}; -dza=function(a){var b=a.u.B;b=b.isView()?b.B:0;var c=a.u.getVideoData().isLivePlayback?Infinity:uW(a.u,!0);c=Math.min(a.ff/1E3,c)+b;var d=a.N?100:0;a=c-gU(a.B.K)+d;return{jI:b,OD:a,SA:c,ND:Infinity}}; -aza=function(a){return{PF:a.C.u.u,OQ:a.C.B.u}}; -B_=function(a){g.B.call(this);var b=this;this.api=a;this.F=this.u=this.B=null;this.K=!1;this.D=null;this.N=Yya(this.api.T());this.C=null;this.I=function(){g.um(function(){eza(b)})}}; -fza=function(a,b,c,d){d=void 0===d?0:d;!a.B||C_(a);a.D=new dw;a.B=b;var e=c,f=a.api.Tb(),h=f.getVideoData().isLivePlayback?Infinity:1E3*uW(f,!0);e>h&&(e=h-a.N.B,a.K=!0);f.getCurrentTime()>=e/1E3?a.I():(a.u=f,f=e,e=a.u,a.api.addEventListener(g.wD("vqueued"),a.I),f=isFinite(f)||f/1E3>e.getDuration()?f:0x8000000000000,a.F=new g.tD(f,0x8000000000000,{namespace:"vqueued"}),e.addCueRange(a.F));f=d/=1E3;e=b.getVideoData().ma;if(d&&e&&a.u){h=d;var l=0;b.getVideoData().isLivePlayback&&(f=Math.min(c/1E3,uW(a.u, -!0)),l=Math.max(0,f-a.u.getCurrentTime()),h=Math.min(d,uW(b)+l));f=Qga(e,h)||d;f!==d&&a.B.sb("qvaln","st."+d+";at."+f+";rm."+(l+";ct."+h))}b=f;d=a.B;d.getVideoData().Fn=!0;d.getVideoData().ni=!0;gV(d,!0);e="";a.u&&(e=g.mT(a.u.I.provider),f=a.u.getVideoData().clientPlaybackNonce,e="crt."+(1E3*e).toFixed()+";cpn."+f);d.sb("queued",e);0!==b&&d.seekTo(b+.01,{ep:!0,Py:3});a.C=new z_(a.N,a.api.Tb(),a.B,c);c=a.C;Infinity!==c.status.status&&(A_(c,1),c.u.subscribe("internalvideodatachange",c.Uk,c),c.B.subscribe("internalvideodatachange", -c.Uk,c),c.u.subscribe("mediasourceattached",c.Uk,c),c.B.subscribe("statechange",c.Vb,c),c.u.subscribe("newelementrequired",c.oE,c),c.Uk());return a.D}; -eza=function(a){g.Ue(a,function c(){var d=this,e,f,h,l;return g.Aa(c,function(m){switch(m.u){case 1:e=d;if(d.la()||!d.D||!d.B)return m["return"]();d.K&&YU(d.api.Tb(),!0,!1);f=null;if(!d.C){m.Jd(2);break}sa(m,3);return g.ra(m,d.C.gB(),5);case 5:ta(m,2);break;case 3:f=h=ua(m);case 2:return gza(d.api.app,d.B),ix("vqsp",function(){var n=e.B.getPlayerType();g.BM(e.api.app,n)}),ix("vqpv",function(){e.api.playVideo()}),f&&cwa(d.B,f.message),l=d.D,C_(d),m["return"](l.resolve(void 0))}})})}; -C_=function(a){if(a.u){var b=a.u;a.api.removeEventListener(g.wD("vqueued"),a.I);b.removeCueRange(a.F);a.u=null;a.F=null}a.C&&(a.C.isFinished()||(b=a.C,Infinity!==b.status.status&&y_(b,"Canceled")),a.C=null);a.D=null;a.B=null;a.K=!1}; -E_=function(a,b,c){g.B.call(this);var d=this;this.api=a;this.K=b;this.u=c;this.P=new Map;this.C=new Map;this.B=[];this.W=NaN;this.I=this.F=null;this.N=new g.H(function(){D_(d,d.W)}); -this.events=new g.Wr(this);this.X=this.isLiveNow=!0;this.D=new g.H(function(){hza(d)},5E3); -this.u.getPlayerType();Rva(this.u,this);g.C(this,this.N);g.C(this,this.events);g.C(this,this.D);this.events.R(this.api,g.wD("serverstitchedcuerange"),this.jL);this.events.R(this.api,g.xD("serverstitchedcuerange"),this.kL)}; -lza=function(a,b,c,d,e){var f=a.u;e=void 0===e?d+c:e;if(d>e)return F_(a,"Invalid playback enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.uc();if(dh)return F_(a,"Invalid playback parentReturnTimeMs="+e+" is greater than parentDurationMs="+h),"";h=null;for(var l=g.q(a.B),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.Zb&&dm.Zb)return F_(a, -"Overlapping child playbacks not allowed. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} overlaps existing ChildPlayback "+G_(m))),"";if(e===m.Zb)return F_(a,"Neighboring child playbacks must be added sequentially. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} added after existing ChildPlayback "+G_(m))),"";d===m.Fc&&(h=m)}l="childplayback_"+iza++;m={ld:H_(c,!0),ff:Infinity,target:null};var n=b.raw_player_response;if(!n&&!g.R(a.K.experiments, -"web_player_parse_ad_response_killswitch")){var p=b.player_response;p&&(n=JSON.parse(p))}b.cpn||(b.cpn=a.gw());b={Yb:l,playerVars:b,playerType:2,durationMs:c,Zb:d,Fc:e,Zf:m,playerResponse:n,cpn:b.cpn};a.B=a.B.concat(b).sort(function(r,t){return r.Zb-t.Zb}); -h?(b.Qi=h.Qi,jza(h,{ld:H_(h.durationMs,!0),ff:Infinity,target:b})):(b.Qi=b.cpn,d={ld:H_(d,!1),ff:d,target:b},a.P.set(d.ld,d),f.addCueRange(d.ld));d=kza(b.Zb,b.Zb+b.durationMs);a.C.set(d,b);f.addCueRange(d);a.X&&a.D.isActive()&&(a.D.stop(),a.X=!1,hza(a));return l}; -H_=function(a,b){return new g.tD(Math.max(0,a-5E3),b?0x8000000000000:a-1,{namespace:"serverstitchedtransitioncuerange",priority:7})}; -kza=function(a,b){return new g.tD(a,b,{namespace:"serverstitchedcuerange",priority:7})}; -jza=function(a,b){a.Zf=b}; -I_=function(a,b){for(var c=0,d=g.q(a.B),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.Zb/1E3+c,h=f+e.durationMs/1E3;if(f>b+1)break;if(h>b)return{Vi:e,Ql:b-c};c=h-e.Fc/1E3}return{Vi:null,Ql:b-c}}; -D_=function(a,b){var c=a.I||a.api.Tb().getPlayerState();J_(a,!0);var d=I_(a,b).Ql;a.u.seekTo(d);d=a.api.Tb();var e=d.getPlayerState();g.hL(c)&&!g.hL(e)?d.playVideo():g.T(c,4)&&!g.T(e,4)&&d.pauseVideo()}; -J_=function(a,b){a.W=NaN;a.N.stop();a.F&&b&&pW(a.F);a.I=null;a.F=null}; -iX=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;for(var d=b,e=c,f=g.q(a.P),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.ff>=d&&l.target&&l.target.Fc<=e&&(a.u.removeCueRange(h),a.P["delete"](h))}d=b;e=c;f=[];h=g.q(a.B);for(l=h.next();!l.done;l=h.next())l=l.value,(l.Zbe)&&f.push(l);a.B=f;d=b;e=c;f=g.q(a.C.keys());for(h=f.next();!h.done;h=f.next())h=h.value,h.start>=d&&h.end<=e&&(a.u.removeCueRange(h),a.C["delete"](h));d=I_(a,b/1E3);b=d.Vi; -d=d.Ql;b&&(d=1E3*d-b.Zb,mza(a,b,d,b.Zb+d));(b=I_(a,c/1E3).Vi)&&F_(a,"Invalid clearEndTimeMs="+c+" that falls during "+G_(b)+".Child playbacks can only have duration updated not their start.")}; -mza=function(a,b,c,d){b.durationMs=c;b.Fc=d;c={ld:H_(c,!0),ff:c,target:null};b.Zf=c;c=null;d=g.q(a.C);for(var e=d.next();!e.done;e=d.next()){e=g.q(e.value);var f=e.next().value;e.next().value.Yb===b.Yb&&(c=f)}c&&(a.u.removeCueRange(c),c=kza(b.Zb,b.Zb+b.durationMs),a.C.set(c,b),a.u.addCueRange(c))}; -G_=function(a){return"playback={timelinePlaybackId="+a.Yb+" video_id="+a.playerVars.video_id+" durationMs="+a.durationMs+" enterTimeMs="+a.Zb+" parentReturnTimeMs="+a.Fc+"}"}; -Ila=function(a,b,c,d){var e=null;0>=b?a.B.length&&(e=a.B[0]):(e=0,a.K.ca("web_player_ss_media_time_offset")&&(e=0===a.u.getStreamTimeOffset()?a.u.lc():a.u.getStreamTimeOffset()),e=I_(a,b+e).Vi);var f=Number(d.split(";")[0]);if(e&&e.playerResponse&&e.playerResponse.streamingData&&(b=e.playerResponse.streamingData.adaptiveFormats)){var h=b.find(function(l){return l.itag===f}); -if(h&&h.url)return b=a.u.getVideoData(),d=b.ma.u[d].index.HB(c-1),c=h.url,d&&d.u&&(c=c.concat("&daistate="+d.u)),(d=b.clientPlaybackNonce)&&(c=c.concat("&cpn="+d)),e.Qi&&(a=nza(a,e.Qi),0e)return L_(a,"e.enterAfterReturn enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.uc();if(dh)return L_(a,"e.returnAfterDuration parentReturnTimeMs="+e+" is greater than parentDurationMs="+h),"";h=null;for(var l=g.q(a.u),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.Zb&&dm.Zb)return L_(a,"e.overlappingReturn"),"";if(e===m.Zb)return L_(a,"e.outOfOrder"),"";d===m.Fc&&(h=m)}l="childplayback_"+pza++;m={ld:M_(c,!0),ff:Infinity,target:null};var n={Yb:l,playerVars:b,playerType:2,durationMs:c,Zb:d,Fc:e,Zf:m};a.u=a.u.concat(n).sort(function(t,w){return t.Zb-w.Zb}); -h?qza(a,h,{ld:M_(h.durationMs,!0),ff:a.F.ca("timeline_manager_transition_killswitch")?Infinity:h.Zf.ff,target:n}):(b={ld:M_(d,!1),ff:d,target:n},a.I.set(b.ld,b),f.addCueRange(b.ld));b=g.R(a.F.experiments,"html5_gapless_preloading");if(a.B===a.api.Tb()&&(f=1E3*f.getCurrentTime(),f>=n.Zb&&fb)break;if(h>b)return{Vi:e,Ql:b-f};c=h-e.Fc/1E3}return{Vi:null,Ql:b-c}}; -oza=function(a,b){var c=a.K||a.api.Tb().getPlayerState();Q_(a,!0);var d=g.R(a.F.experiments,"html5_playbacktimeline_seektoinf_killswitch")||isFinite(b)?b:hU(a.B.K),e=P_(a,d);d=e.Vi;e=e.Ql;var f=d&&!N_(a,d)||!d&&a.B!==a.api.Tb(),h=1E3*e;h=a.C&&a.C.start<=h&&h<=a.C.end;!f&&h||O_(a);d?rza(a,d,e,c):R_(a,e,c)}; -R_=function(a,b,c){var d=a.B;if(d!==a.api.Tb()){var e=d.getPlayerType();g.BM(a.api.app,e)}d.seekTo(b);xza(a,c)}; -rza=function(a,b,c,d){var e=N_(a,b);if(!e){g.BM(a.api.app,b.playerType);b.playerVars.prefer_gapless=!0;var f=new g.UE(a.F,b.playerVars);f.Yb=b.Yb;S_(a.api.app,f,b.playerType,void 0)}f=a.api.Tb();e||f.addCueRange(b.Zf.ld);f.seekTo(c);xza(a,d)}; -xza=function(a,b){var c=a.api.Tb(),d=c.getPlayerState();g.hL(b)&&!g.hL(d)?c.playVideo():g.T(b,4)&&!g.T(d,4)&&c.pauseVideo()}; -Q_=function(a,b){a.X=NaN;a.W.stop();a.D&&b&&pW(a.D);a.K=null;a.D=null}; -N_=function(a,b){var c=a.api.Tb();return!!c&&c.getVideoData().Yb===b.Yb}; -yza=function(a){var b=a.u.find(function(d){return N_(a,d)}); -if(b){O_(a);var c=new g.bL(8);b=wza(a,b)/1E3;R_(a,b,c)}}; -jX=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;for(var d=b,e=c,f=g.q(a.I),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.ff>=d&&l.target&&l.target.Fc<=e&&(a.B.removeCueRange(h),a.I["delete"](h))}d=b;e=c;f=[];h=g.q(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.Zb>=d&&l.Fc<=e){var m=a;m.N===l&&O_(m);N_(m,l)&&g.FM(m.api,l.playerType)}else f.push(l);a.u=f;d=P_(a,b/1E3);b=d.Vi;d=d.Ql;b&&(d*=1E3,zza(a,b,d,b.Fc===b.Zb+b.durationMs?b.Zb+d:b.Fc)); -(b=P_(a,c/1E3).Vi)&&L_(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Yb+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.Zb+" parentReturnTimeMs="+b.Fc+"}.Child playbacks can only have duration updated not their start."))}; -zza=function(a,b,c,d){b.durationMs=c;b.Fc=d;d={ld:M_(c,!0),ff:c,target:null};qza(a,b,d);N_(a,b)&&1E3*a.api.Tb().getCurrentTime()>c&&(b=wza(a,b)/1E3,c=a.api.Tb().getPlayerState(),R_(a,b,c))}; -L_=function(a,b){a.B.sb("timelineerror",b)}; -Bza=function(a){a&&"web"!==a&&Aza.includes(a)}; -V_=function(a,b){g.B.call(this);var c=this;this.data=[];this.C=a||NaN;this.B=b||null;this.u=new g.H(function(){T_(c);U_(c)}); -g.C(this,this.u)}; -T_=function(a){var b=(0,g.N)();a.data.forEach(function(c){c.expire=d;d++)c.push(d/100);c={threshold:c};(this.u=window.IntersectionObserver?new IntersectionObserver(function(e){b.B=e[e.length-1].intersectionRatio},c):null)&&this.u.observe(a)}; -Eza=function(a,b){if(g.ak())return null;var c=Dza();if(!c)return g.TW(a,"html5.webaudio",{name:"null context"}),null;if("string"===typeof c)return g.TW(a,"html5.webaudio",{name:c}),null;if(!c.createMediaElementSource)return g.TW(a,"html5.webaudio",{name:"missing createMediaElementSource"}),null;if("suspended"===c.state){var d=function(e){"suspended"===c.state&&g.hL(e.state)&&c.resume().then(function(){a.removeEventListener("presentingplayerstatechange",d);Y_=!1},null)}; -Y_||(a.addEventListener("presentingplayerstatechange",d),Y_=!0)}return new JS(c,b)}; -$_=function(a){g.V.call(this,{G:"div",ia:["html5-video-player"],U:{tabindex:"-1",id:a.webPlayerContextConfig?a.webPlayerContextConfig.rootElementId:a.config.attrs.id},S:[{G:"div",L:g.Z_.VIDEO_CONTAINER,U:{"data-layer":"0"}}]});var b=this;this.app=a;this.C=this.ga(g.Z_.VIDEO_CONTAINER);this.B=new g.ig(0,0,0,0);this.u=null;this.K=new g.ig(0,0,0,0);this.X=this.ea=this.ba=NaN;this.I=this.ka=!1;this.W=NaN;this.Z=!1;this.F=null;this.dispatchEvent=function(){}; -this.da=function(){b.element.focus()}; -this.P=null;var c=this.element.addEventListener,d=this.element.removeEventListener;this.addEventListener=function(f,h,l){c.apply(b.element,[f,h,l])}; +WMa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.D);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.I);a.subscribeButton.hide();var e=new RMa(a.api);a.u=e;g.E(a,e);e.Ea(a.I);e.hide();a.S(a.api,"SUBSCRIBE",function(){b.ll&&(e.show(),a.api.Ua(e.element,!0))}); +a.S(a.api,"UNSUBSCRIBE",function(){b.ll&&(e.hide(),a.api.Ua(e.element,!1),SMa(e,!1))})}}; +UMa=function(a){var b=a.api.V();WMa(a);a.updateValue("flyoutUnfocusable","true");a.updateValue("channelTitleFocusable","-1");a.updateValue("shouldHideExpandedTitleForA11y","true");a.updateValue("shouldHideExpandedSubtitleForA11y","true");b.u||b.tb?a.S(a.j,"click",function(c){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||(XMa(a)&&(c.preventDefault(),a.isExpanded()?a.nF():a.CF()),a.api.qb(a.j))}):(a.S(a.channel,"mouseenter",a.CF),a.S(a.channel,"mouseleave",a.nF),a.S(a.channel,"focusin", +a.CF),a.S(a.channel,"focusout",function(c){a.channel.contains(c.relatedTarget)||a.nF()}),a.S(a.j,"click",function(){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||a.api.qb(a.j)})); +a.B=new g.Ip(function(){a.isExpanded()&&(a.api.K("web_player_ve_conversion_fixes_for_channel_info")&&a.api.Ua(a.channelName,!1),a.subscribeButton&&(a.subscribeButton.hide(),a.api.Ua(a.subscribeButton.element,!1)),a.u&&(a.u.hide(),a.api.Ua(a.u.element,!1)),a.channel.classList.remove("ytp-title-expanded"),a.channel.classList.add("ytp-title-show-collapsed"))},500); +g.E(a,a.B);a.S(a.channel,YMa,function(){ZMa(a)}); +a.S(a.api,"onHideControls",a.RO);a.S(a.api,"appresize",a.RO);a.S(a.api,"fullscreentoggled",a.RO)}; +ZMa=function(a){a.channel.classList.remove("ytp-title-show-collapsed");a.channel.classList.remove("ytp-title-show-expanded")}; +XMa=function(a){var b=a.api.getPlayerSize();return g.fK(a.api.V())&&524<=b.width}; +oU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +pU=function(a,b,c,d,e,f){var h={G:"div",N:"ytp-panel"};if(c){var l="ytp-panel-back-button";var m="ytp-panel-title";var n={G:"div",N:"ytp-panel-header",W:[{G:"div",Ia:["ytp-panel-back-button-container"],W:[{X:{"aria-label":"Back to previous menu"},G:"button",Ia:["ytp-button",l]}]},{X:{tabindex:"0"},G:"span",Ia:[m],W:[c]}]};if(e){var p="ytp-panel-options";n.W.push({G:"button",Ia:["ytp-button",p],W:[d]})}h.W=[n]}d=!1;f&&(f={G:"div",N:"ytp-panel-footer",W:[f]},d=!0,h.W?h.W.push(f):h.W=[f]);g.dQ.call(this, +h);this.content=b;d&&h.W?b.Ea(this.element,h.W.length-1):b.Ea(this.element);this.yU=!1;this.xU=d;c&&(c=this.Da(l),m=this.Da(m),this.S(c,"click",this.WV),this.S(m,"click",this.WV),this.yU=!0,e&&(p=this.Da(p),this.S(p,"click",e)));b.subscribe("size-change",this.cW,this);this.S(a,"fullscreentoggled",this.cW);this.F=a}; +g.qU=function(a,b,c,d,e,f){b=void 0===b?null:b;var h={role:"menu"};b&&(h.id=b);b=new g.dQ({G:"div",N:"ytp-panel-menu",X:h});pU.call(this,a,b,c,d,e,f);this.menuItems=b;this.items=[];g.E(this,this.menuItems)}; +g.$Ma=function(a){for(var b=g.t(a.items),c=b.next();!c.done;c=b.next())c.value.unsubscribe("size-change",a.WN,a);a.items=[];g.vf(a.menuItems.element);a.menuItems.ma("size-change")}; +aNa=function(a,b){return b.priority-a.priority}; +rU=function(a){var b=g.TS({"aria-haspopup":"true"});g.SS.call(this,b,a);this.Ra("keydown",this.j)}; +sU=function(a,b){a.element.setAttribute("aria-haspopup",String(b))}; +bNa=function(a,b){g.U.call(this,{G:"div",N:"ytp-user-info-panel",X:{"aria-label":"User info"},W:a.V().authUser&&!a.K("embeds_web_always_enable_signed_out_state")?[{G:"div",N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable}}",role:"text"},ra:"{{watchingAsUsername}}"},{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable2}}",role:"text"},ra:"{{watchingAsEmail}}"}]}]:[{G:"div", +N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",W:[{G:"text",X:{tabIndex:"{{userInfoFocusable}}"},ra:"Signed out"}]},{G:"div",N:"ytp-user-info-panel-login",W:[{G:"a",X:{tabIndex:"{{userInfoFocusable2}}",role:"button"},ra:a.V().uc?"":"Sign in on YouTube"}]}]}]});this.Ta=a;this.j=b;a.V().authUser||a.V().uc||(a=this.Da("ytp-user-info-panel-login"),this.S(a,"click",this.j0));this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"}, +W:[g.sQ()]});this.closeButton.Ea(this.element);g.E(this,this.closeButton);this.S(window,"blur",this.hide);this.S(document,"click",this.h0);this.Pa()}; +dNa=function(a,b,c,d){g.qU.call(this,a);this.Eb=c;this.Qc=d;this.getVideoUrl=new rU(6);this.Pm=new rU(5);this.Jm=new rU(4);this.lc=new rU(3);this.HD=new g.SS(g.TS({href:"{{href}}",target:this.F.V().ea},void 0,!0),2,"Troubleshoot playback issue");this.showVideoInfo=new g.SS(g.TS(),1,"Stats for nerds");this.ey=new g.dQ({G:"div",Ia:["ytp-copytext","ytp-no-contextmenu"],X:{draggable:"false",tabindex:"1"},ra:"{{text}}"});this.cT=new pU(this.F,this.ey);this.lE=this.Js=null;g.fK(this.F.V())&&this.F.K("embeds_web_enable_new_context_menu_triggering")&& +(this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"},W:[g.sQ()]}),g.E(this,this.closeButton),this.closeButton.Ea(this.element),this.closeButton.Ra("click",this.q2,this));g.fK(this.F.V())&&(this.Uk=new g.SS(g.TS(),8,"Account"),g.E(this,this.Uk),this.Zc(this.Uk,!0),this.Uk.Ra("click",this.r7,this),a.sb(this.Uk.element,this.Uk,137682));this.F.V().tm&&(this.Gk=new aT("Loop",7),g.E(this,this.Gk),this.Zc(this.Gk,!0),this.Gk.Ra("click",this.l6,this),a.sb(this.Gk.element, +this.Gk,28661));g.E(this,this.getVideoUrl);this.Zc(this.getVideoUrl,!0);this.getVideoUrl.Ra("click",this.d6,this);a.sb(this.getVideoUrl.element,this.getVideoUrl,28659);g.E(this,this.Pm);this.Zc(this.Pm,!0);this.Pm.Ra("click",this.e6,this);a.sb(this.Pm.element,this.Pm,28660);g.E(this,this.Jm);this.Zc(this.Jm,!0);this.Jm.Ra("click",this.c6,this);a.sb(this.Jm.element,this.Jm,28658);g.E(this,this.lc);this.Zc(this.lc,!0);this.lc.Ra("click",this.b6,this);g.E(this,this.HD);this.Zc(this.HD,!0);this.HD.Ra("click", +this.Z6,this);g.E(this,this.showVideoInfo);this.Zc(this.showVideoInfo,!0);this.showVideoInfo.Ra("click",this.s7,this);g.E(this,this.ey);this.ey.Ra("click",this.Q5,this);g.E(this,this.cT);b=document.queryCommandSupported&&document.queryCommandSupported("copy");43<=xc("Chromium")&&(b=!0);40>=xc("Firefox")&&(b=!1);b&&(this.Js=new g.U({G:"textarea",N:"ytp-html5-clipboard",X:{readonly:"",tabindex:"-1"}}),g.E(this,this.Js),this.Js.Ea(this.element));var e;null==(e=this.Uk)||US(e,SEa());var f;null==(f=this.Gk)|| +US(f,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M7 7H17V10L21 6L17 2V5H5V11H7V7ZM17 17H7V14L3 18L7 22V19H19V13H17V17Z",fill:"white"}}]});US(this.lc,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M20 10V8H17.19C16.74 7.22 16.12 6.54 15.37 6.04L17 4.41L15.59 3L13.42 5.17C13.39 5.16 13.37 5.16 13.34 5.16C13.18 5.12 13.02 5.1 12.85 5.07C12.79 5.06 12.74 5.05 12.68 5.04C12.46 5.02 12.23 5 12 5C11.51 5 11.03 5.07 10.58 5.18L10.6 5.17L8.41 3L7 4.41L8.62 6.04H8.63C7.88 6.54 7.26 7.22 6.81 8H4V10H6.09C6.03 10.33 6 10.66 6 11V12H4V14H6V15C6 15.34 6.04 15.67 6.09 16H4V18H6.81C7.85 19.79 9.78 21 12 21C14.22 21 16.15 19.79 17.19 18H20V16H17.91C17.96 15.67 18 15.34 18 15V14H20V12H18V11C18 10.66 17.96 10.33 17.91 10H20ZM16 15C16 17.21 14.21 19 12 19C9.79 19 8 17.21 8 15V11C8 8.79 9.79 7 12 7C14.21 7 16 8.79 16 11V15ZM10 14H14V16H10V14ZM10 10H14V12H10V10Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.HD,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M2 12C2 6.48 6.48 2 12 2C17.52 2 22 6.48 22 12C22 17.52 17.52 22 12 22C6.48 22 2 17.52 2 12ZM13 16V18H11V16H13ZM12 20C7.59 20 4 16.41 4 12C4 7.59 7.59 4 12 4C16.41 4 20 7.59 20 12C20 16.41 16.41 20 12 20ZM8 10C8 7.79 9.79 6 12 6C14.21 6 16 7.79 16 10C16 11.28 15.21 11.97 14.44 12.64C13.71 13.28 13 13.90 13 15H11C11 13.17 11.94 12.45 12.77 11.82C13.42 11.32 14 10.87 14 10C14 8.9 13.1 8 12 8C10.9 8 10 8.9 10 10H8Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.showVideoInfo,OEa());this.S(a,"onLoopChange",this.onLoopChange);this.S(a,"videodatachange",this.onVideoDataChange);cNa(this);this.iP(this.F.getVideoData())}; +uU=function(a,b){var c=!1;if(a.Js){var d=a.Js.element;d.value=b;d.select();try{c=document.execCommand("copy")}catch(e){}}c?a.Eb.Fb():(a.ey.ge(b,"text"),g.tU(a.Eb,a.cT),rMa(a.ey.element),a.Js&&(a.Js=null,cNa(a)));return c}; +cNa=function(a){var b=!!a.Js;g.RS(a.lc,b?"Copy debug info":"Get debug info");sU(a.lc,!b);g.RS(a.Jm,b?"Copy embed code":"Get embed code");sU(a.Jm,!b);g.RS(a.getVideoUrl,b?"Copy video URL":"Get video URL");sU(a.getVideoUrl,!b);g.RS(a.Pm,b?"Copy video URL at current time":"Get video URL at current time");sU(a.Pm,!b);US(a.Jm,b?MEa():null);US(a.getVideoUrl,b?lQ():null);US(a.Pm,b?lQ():null)}; +eNa=function(a){return g.fK(a.F.V())?a.Uk:a.Gk}; +g.vU=function(a,b){g.PS.call(this,a,{G:"div",Ia:["ytp-popup",b||""]},100,!0);this.j=[];this.I=this.D=null;this.UE=this.maxWidth=0;this.size=new g.He(0,0);this.Ra("keydown",this.k0)}; +fNa=function(a){var b=a.j[a.j.length-1];if(b){g.Rm(a.element,a.maxWidth||"100%",a.UE||"100%");g.Hm(b.element,"width","");g.Hm(b.element,"height","");g.Hm(b.element,"maxWidth","100%");g.Hm(b.element,"maxHeight","100%");g.Hm(b.content.element,"height","");var c=g.Sm(b.element);c.width+=1;c.height+=1;g.Hm(b.element,"width",c.width+"px");g.Hm(b.element,"height",c.height+"px");g.Hm(b.element,"maxWidth","");g.Hm(b.element,"maxHeight","");var d=0;b.yU&&(d=b.Da("ytp-panel-header"),d=g.Sm(d).height);var e= +0;b.xU&&(e=b.Da("ytp-panel-footer"),g.Hm(e,"width",c.width+"px"),e=g.Sm(e).height);g.Hm(b.content.element,"height",c.height-d-e+"px");b.element instanceof HTMLElement&&(d=b.element,e=d.scrollWidth-d.clientWidth,0=a.j.length)){var b=a.j.pop(),c=a.j[0];a.j=[c];gNa(a,b,c,!0)}}; +gNa=function(a,b,c,d){hNa(a);b&&(b.unsubscribe("size-change",a.lA,a),b.unsubscribe("back",a.nj,a));c.subscribe("size-change",a.lA,a);c.subscribe("back",a.nj,a);if(a.yb){g.Qp(c.element,d?"ytp-panel-animate-back":"ytp-panel-animate-forward");c.Ea(a.element);c.focus();a.element.scrollLeft=0;a.element.scrollTop=0;var e=a.size;fNa(a);g.Rm(a.element,e);a.D=new g.Ip(function(){iNa(a,b,c,d)},20,a); +a.D.start()}else c.Ea(a.element),b&&b.detach()}; +iNa=function(a,b,c,d){a.D.dispose();a.D=null;g.Qp(a.element,"ytp-popup-animating");d?(g.Qp(b.element,"ytp-panel-animate-forward"),g.Sp(c.element,"ytp-panel-animate-back")):(g.Qp(b.element,"ytp-panel-animate-back"),g.Sp(c.element,"ytp-panel-animate-forward"));g.Rm(a.element,a.size);a.I=new g.Ip(function(){g.Sp(a.element,"ytp-popup-animating");b.detach();g.Tp(b.element,["ytp-panel-animate-back","ytp-panel-animate-forward"]);a.I.dispose();a.I=null},250,a); +a.I.start()}; +hNa=function(a){a.D&&g.Kp(a.D);a.I&&g.Kp(a.I)}; +g.xU=function(a,b,c){g.vU.call(this,a);this.Aa=b;this.Qc=c;this.C=new g.bI(this);this.oa=new g.Ip(this.J7,1E3,this);this.ya=this.B=null;g.E(this,this.C);g.E(this,this.oa);a.sb(this.element,this,28656);g.Qp(this.element,"ytp-contextmenu");jNa(this);this.hide()}; +jNa=function(a){g.Lz(a.C);var b=a.F.V();"gvn"===b.playerStyle||(b.u||b.tb)&&b.K("embeds_web_enable_new_context_menu_triggering")||(b=a.F.jb(),a.C.S(b,"contextmenu",a.O5),a.C.S(b,"touchstart",a.m0,null,!0),a.C.S(b,"touchmove",a.GW,null,!0),a.C.S(b,"touchend",a.GW,null,!0))}; +kNa=function(a){a.F.isFullscreen()?g.NS(a.F,a.element,10):a.Ea(document.body)}; +g.yU=function(a,b,c){c=void 0===c?240:c;g.U.call(this,{G:"button",Ia:["ytp-button","ytp-copylink-button"],X:{title:"{{title-attr}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-copylink-icon",ra:"{{icon}}"},{G:"div",N:"ytp-copylink-title",ra:"Copy link",X:{"aria-hidden":"true"}}]});this.api=a;this.j=b;this.u=c;this.visible=!1;this.tooltip=this.j.Ic();b=a.V();mU(this.tooltip);g.Up(this.element,"ytp-show-copylink-title",g.fK(b)&&!g.oK(b));a.sb(this.element,this,86570);this.Ra("click", +this.onClick);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.S(a,"appresize",this.Pa);this.Pa();g.bb(this,g.ZS(this.tooltip,this.element))}; +lNa=function(a){var b=a.api.V(),c=a.api.getVideoData(),d=a.api.jb().getPlayerSize().width,e=b.K("shorts_mode_to_player_api")?a.api.Sb():a.j.Sb(),f=b.B;return!!c.videoId&&d>=a.u&&c.ao&&!(c.D&&b.Z)&&!e&&!f}; +mNa=function(a){a.updateValue("icon",gQ());if(a.api.V().u)zU(a.tooltip,a.element,"Link copied to clipboard");else{a.updateValue("title-attr","Link copied to clipboard");$S(a.tooltip);zU(a.tooltip,a.element);var b=a.Ra("mouseleave",function(){a.Hc(b);a.Pa();a.tooltip.rk()})}}; +nNa=function(a,b){return g.A(function(c){if(1==c.j)return g.pa(c,2),g.y(c,navigator.clipboard.writeText(b),4);if(2!=c.j)return c.return(!0);g.sa(c);var d=c.return,e=!1,f=g.qf("TEXTAREA");f.value=b;f.setAttribute("readonly","");var h=a.api.getRootNode();h.appendChild(f);if(nB){var l=window.getSelection();l.removeAllRanges();var m=document.createRange();m.selectNodeContents(f);l.addRange(m);f.setSelectionRange(0,b.length)}else f.select();try{e=document.execCommand("copy")}catch(n){}h.removeChild(f); +return d.call(c,e)})}; +AU=function(a){g.U.call(this,{G:"div",N:"ytp-doubletap-ui-legacy",W:[{G:"div",N:"ytp-doubletap-fast-forward-ve"},{G:"div",N:"ytp-doubletap-rewind-ve"},{G:"div",N:"ytp-doubletap-static-circle",W:[{G:"div",N:"ytp-doubletap-ripple"}]},{G:"div",N:"ytp-doubletap-overlay-a11y"},{G:"div",N:"ytp-doubletap-seek-info-container",W:[{G:"div",N:"ytp-doubletap-arrows-container",W:[{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"}]},{G:"div", +N:"ytp-doubletap-tooltip",W:[{G:"div",N:"ytp-chapter-seek-text-legacy",ra:"{{seekText}}"},{G:"div",N:"ytp-doubletap-tooltip-label",ra:"{{seekTime}}"}]}]}]});this.F=a;this.C=new g.Ip(this.show,10,this);this.u=new g.Ip(this.hide,700,this);this.I=this.B=0;this.D=!1;this.j=this.Da("ytp-doubletap-static-circle");g.E(this,this.C);g.E(this,this.u);this.hide();this.J=this.Da("ytp-doubletap-fast-forward-ve");this.T=this.Da("ytp-doubletap-rewind-ve");this.F.sb(this.J,this,28240);this.F.sb(this.T,this,28239); +this.F.Ua(this.J,!0);this.F.Ua(this.T,!0);this.D=a.K("web_show_cumulative_seek_time")}; +BU=function(a,b,c){a.B=b===a.I?a.B+c:c;a.I=b;var d=a.F.jb().getPlayerSize();a.D?a.u.stop():g.Lp(a.u);a.C.start();a.element.setAttribute("data-side",-1===b?"back":"forward");g.Qp(a.element,"ytp-time-seeking");a.j.style.width="110px";a.j.style.height="110px";1===b?(a.j.style.right="",a.j.style.left=.8*d.width-30+"px"):-1===b&&(a.j.style.right="",a.j.style.left=.1*d.width-15+"px");a.j.style.top=.5*d.height+15+"px";oNa(a,a.D?a.B:c)}; +pNa=function(a,b,c){g.Lp(a.u);a.C.start();switch(b){case -1:b="back";break;case 1:b="forward";break;default:b=""}a.element.setAttribute("data-side",b);a.j.style.width="0";a.j.style.height="0";g.Qp(a.element,"ytp-chapter-seek");a.updateValue("seekText",c);a.updateValue("seekTime","")}; +oNa=function(a,b){b=g.lO("$TOTAL_SEEK_TIME seconds",{TOTAL_SEEK_TIME:b.toString()});a.updateValue("seekTime",b)}; +EU=function(a,b,c){c=void 0===c?!0:c;g.U.call(this,{G:"div",N:"ytp-suggested-action"});var d=this;this.F=a;this.kb=b;this.Xa=this.Z=this.C=this.u=this.j=this.D=this.expanded=this.enabled=this.ya=!1;this.La=new g.Ip(function(){d.badge.element.style.width=""},200,this); +this.oa=new g.Ip(function(){CU(d);DU(d)},200,this); +this.dismissButton=new g.U({G:"button",Ia:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.E(this,this.dismissButton);this.B=new g.U({G:"div",N:"ytp-suggested-action-badge-expanded-content-container",W:[{G:"label",N:"ytp-suggested-action-badge-title",ra:"{{badgeLabel}}"},this.dismissButton]});g.E(this,this.B);this.ib=new g.U({G:"div",N:"ytp-suggested-action-badge-icon-container",W:[c?{G:"div",N:"ytp-suggested-action-badge-icon"}:""]});g.E(this,this.ib);this.badge=new g.U({G:"button", +Ia:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],W:[this.ib,this.B]});g.E(this,this.badge);this.badge.Ea(this.element);this.I=new g.QQ(this.badge,250,!1,100);g.E(this,this.I);this.Ga=new g.QQ(this.B,250,!1,100);g.E(this,this.Ga);this.Qa=new g.Gp(this.g9,null,this);g.E(this,this.Qa);this.Aa=new g.Gp(this.S2,null,this);g.E(this,this.Aa);g.E(this,this.La);g.E(this,this.oa);this.F.Zf(this.badge.element,this.badge,!0);this.F.Zf(this.dismissButton.element,this.dismissButton, +!0);this.S(this.F,"onHideControls",function(){d.C=!1;DU(d);CU(d);d.dl()}); +this.S(this.F,"onShowControls",function(){d.C=!0;DU(d);CU(d);d.dl()}); +this.S(this.badge.element,"click",this.YG);this.S(this.dismissButton.element,"click",this.WC);this.S(this.F,"pageTransition",this.n0);this.S(this.F,"appresize",this.dl);this.S(this.F,"fullscreentoggled",this.Z5);this.S(this.F,"cardstatechange",this.F5);this.S(this.F,"annotationvisibility",this.J9,this);this.S(this.F,"offlineslatestatechange",this.K9,this)}; +CU=function(a){g.Up(a.badge.element,"ytp-suggested-action-badge-with-controls",a.C||!a.D)}; +DU=function(a,b){var c=a.oP();a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.Qa.stop(),a.Aa.stop(),a.La.stop(),a.Qa.start()):(g.bQ(a.B,a.expanded),g.Up(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),qNa(a))}; +qNa=function(a){a.j&&a.F.Ua(a.badge.element,a.Yz());a.u&&a.F.Ua(a.dismissButton.element,a.Yz()&&a.oP())}; +rNa=function(a){var b=a.text||"";g.Af(g.kf("ytp-suggested-action-badge-title",a.element),b);cQ(a.badge,b);cQ(a.dismissButton,a.Ya?a.Ya:"")}; +FU=function(a,b){b?a.u&&a.F.qb(a.dismissButton.element):a.j&&a.F.qb(a.badge.element)}; +sNa=function(a,b){EU.call(this,a,b,!1);this.T=[];this.D=!0;this.badge.element.classList.add("ytp-featured-product");this.banner=new g.U({G:"a",N:"ytp-featured-product-container",X:{href:"{{url}}",target:"_blank"},W:[{G:"div",N:"ytp-featured-product-thumbnail",W:[{G:"img",X:{src:"{{thumbnail}}"}},{G:"div",N:"ytp-featured-product-open-in-new"}]},{G:"div",N:"ytp-featured-product-details",W:[{G:"text",N:"ytp-featured-product-title",ra:"{{title}}"},{G:"text",N:"ytp-featured-product-vendor",ra:"{{vendor}}"}, +{G:"text",N:"ytp-featured-product-price",ra:"{{price}}"}]},this.dismissButton]});g.E(this,this.banner);this.banner.Ea(this.B.element);this.S(this.F,g.ZD("featured_product"),this.W8);this.S(this.F,g.$D("featured_product"),this.NH);this.S(this.F,"videodatachange",this.onVideoDataChange)}; +uNa=function(a,b){tNa(a);if(b){var c=g.sM.getState().entities;c=CL(c,"featuredProductsEntity",b);if(null!=c&&c.productsData){b=[];c=g.t(c.productsData);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0;if(null!=(e=d)&&e.identifier&&d.featuredSegments){a.T.push(d);var f=void 0;e=g.t(null==(f=d)?void 0:f.featuredSegments);for(f=e.next();!f.done;f=e.next())(f=f.value)&&b.push(new g.XD(1E3*Number(f.startTimeSec),1E3*Number(f.endTimeSec)||0x7ffffffffffff,{id:d.identifier,namespace:"featured_product"}))}}a.F.ye(b)}}}; +tNa=function(a){a.T=[];a.F.Ff("featured_product")}; +xNa=function(a,b,c){g.U.call(this,{G:"div",Ia:["ytp-info-panel-action-item"],W:[{G:"div",N:"ytp-info-panel-action-item-disclaimer",ra:"{{disclaimer}}"},{G:"a",Ia:["ytp-info-panel-action-item-button","ytp-button"],X:{role:"button",href:"{{url}}",target:"_blank",rel:"noopener"},W:[{G:"div",N:"ytp-info-panel-action-item-icon",ra:"{{icon}}"},{G:"div",N:"ytp-info-panel-action-item-label",ra:"{{label}}"}]}]});this.F=a;this.j=c;this.disclaimer=this.Da("ytp-info-panel-action-item-disclaimer");this.button= +this.Da("ytp-info-panel-action-item-button");this.De=!1;this.F.Zf(this.element,this,!0);this.Ra("click",this.onClick);a="";c=g.K(null==b?void 0:b.onTap,g.gT);var d=g.K(c,g.pM);this.De=!1;d?(a=d.url||"",a.startsWith("//")&&(a="https:"+a),this.De=!0,ck(this.button,g.he(a))):(d=g.K(c,vNa))&&!this.j?((a=d.phoneNumbers)&&0b);d=a.next())c++;return 0===c?c:c-1}; +FNa=function(a,b){for(var c=0,d=g.t(a),e=d.next();!e.done;e=d.next()){e=e.value;if(b=e.timeRangeStartMillis&&b=a.C&&!b}; +YNa=function(a,b){"InvalidStateError"!==b.name&&"AbortError"!==b.name&&("NotAllowedError"===b.name?(a.j.Il(),QS(a.B,a.element,!1)):g.CD(b))}; +g.RU=function(a,b){var c=YP(),d=a.V();c={G:"div",N:"ytp-share-panel",X:{id:YP(),role:"dialog","aria-labelledby":c},W:[{G:"div",N:"ytp-share-panel-inner-content",W:[{G:"div",N:"ytp-share-panel-title",X:{id:c},ra:"Share"},{G:"a",Ia:["ytp-share-panel-link","ytp-no-contextmenu"],X:{href:"{{link}}",target:d.ea,title:"Share link","aria-label":"{{shareLinkWithUrl}}"},ra:"{{linkText}}"},{G:"label",N:"ytp-share-panel-include-playlist",W:[{G:"input",N:"ytp-share-panel-include-playlist-checkbox",X:{type:"checkbox", +checked:"true"}},"Include playlist"]},{G:"div",N:"ytp-share-panel-loading-spinner",W:[qMa()]},{G:"div",N:"ytp-share-panel-service-buttons",ra:"{{buttons}}"},{G:"div",N:"ytp-share-panel-error",ra:"An error occurred while retrieving sharing information. Please try again later."}]},{G:"button",Ia:["ytp-share-panel-close","ytp-button"],X:{title:"Close"},W:[g.jQ()]}]};g.PS.call(this,a,c,250);var e=this;this.moreButton=null;this.api=a;this.tooltip=b.Ic();this.B=[];this.D=this.Da("ytp-share-panel-inner-content"); +this.closeButton=this.Da("ytp-share-panel-close");this.S(this.closeButton,"click",this.Fb);g.bb(this,g.ZS(this.tooltip,this.closeButton));this.C=this.Da("ytp-share-panel-include-playlist-checkbox");this.S(this.C,"click",this.Pa);this.j=this.Da("ytp-share-panel-link");g.bb(this,g.ZS(this.tooltip,this.j));this.api.sb(this.j,this,164503);this.S(this.j,"click",function(f){if(e.api.K("web_player_add_ve_conversion_logging_to_outbound_links")){g.EO(f);e.api.qb(e.j);var h=e.api.getVideoUrl(!0,!0,!1,!1);h= +ZNa(e,h);g.VT(h,e.api,f)&&e.api.Na("SHARE_CLICKED")}else e.api.qb(e.j)}); +this.Ra("click",this.v0);this.S(a,"videoplayerreset",this.hide);this.S(a,"fullscreentoggled",this.onFullscreenToggled);this.S(a,"onLoopRangeChange",this.B4);this.hide()}; +aOa=function(a,b){$Na(a);for(var c=b.links||b.shareTargets,d=0,e={},f=0;fd;e={rr:e.rr,fk:e.fk},f++){e.rr=c[f];a:switch(e.rr.img||e.rr.iconId){case "facebook":var h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", +fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", +fill:"#01abf0"}}]};break a;default:h=null}if(h){var l=e.rr.sname||e.rr.serviceName;e.fk=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],X:{href:e.rr.url,target:"_blank",title:l},W:[h]});e.fk.Ra("click",function(p){return function(q){if(g.fR(q)){var r=p.rr.url;var v=void 0===v?{}:v;v.target=v.target||"YouTube";v.width=v.width||"600";v.height=v.height||"600";var x=v;x||(x={});v=window;var z=r instanceof ae?r:g.he("undefined"!=typeof r.href?r.href:String(r));var B=void 0!==self.crossOriginIsolated, +F="strict-origin-when-cross-origin";window.Request&&(F=(new Request("/")).referrerPolicy);var G="unsafe-url"===F;F=x.noreferrer;if(B&&F){if(G)throw Error("Cannot use the noreferrer option on a page that sets a referrer-policy of `unsafe-url` in modern browsers!");F=!1}r=x.target||r.target;B=[];for(var D in x)switch(D){case "width":case "height":case "top":case "left":B.push(D+"="+x[D]);break;case "target":case "noopener":case "noreferrer":break;default:B.push(D+"="+(x[D]?1:0))}D=B.join(",");Cc()&& +v.navigator&&v.navigator.standalone&&r&&"_self"!=r?(x=g.qf("A"),g.xe(x,z),x.target=r,F&&(x.rel="noreferrer"),z=document.createEvent("MouseEvent"),z.initMouseEvent("click",!0,!0,v,1),x.dispatchEvent(z),v={}):F?(v=Zba("",v,r,D),z=g.be(z),v&&(g.HK&&g.Vb(z,";")&&(z="'"+z.replace(/'/g,"%27")+"'"),v.opener=null,""===z&&(z="javascript:''"),g.Xd("b/12014412, meta tag with sanitized URL"),z='',z=g.we(z),(x= +v.document)&&x.write&&(x.write(g.ve(z)),x.close()))):((v=Zba(z,v,r,D))&&x.noopener&&(v.opener=null),v&&x.noreferrer&&(v.opener=null));v&&(v.opener||(v.opener=window),v.focus());g.EO(q)}}}(e)); +g.bb(e.fk,g.ZS(a.tooltip,e.fk.element));"Facebook"===l?a.api.sb(e.fk.element,e.fk,164504):"Twitter"===l&&a.api.sb(e.fk.element,e.fk,164505);a.S(e.fk.element,"click",function(p){return function(){a.api.qb(p.fk.element)}}(e)); +a.api.Ua(e.fk.element,!0);a.B.push(e.fk);d++}}var m=b.more||b.moreLink,n=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],W:[{G:"span",N:"ytp-share-panel-service-button-more",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", +fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],X:{href:m,target:"_blank",title:"More"}});n.Ra("click",function(p){var q=m;a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")&&(a.api.qb(a.moreButton.element),q=ZNa(a,q));g.VT(q,a.api,p)&&a.api.Na("SHARE_CLICKED")}); +g.bb(n,g.ZS(a.tooltip,n.element));a.api.sb(n.element,n,164506);a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")||a.S(n.element,"click",function(){a.api.qb(n.element)}); +a.api.Ua(n.element,!0);a.B.push(n);a.moreButton=n;a.updateValue("buttons",a.B)}; +ZNa=function(a,b){var c=a.api.V(),d={};c.ya&&g.fK(c)&&g.iS(d,c.loaderUrl);g.fK(c)&&(g.pS(a.api,"addEmbedsConversionTrackingParams",[d]),b=g.Zi(b,g.hS(d,"emb_share")));return b}; +$Na=function(a){for(var b=g.t(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.Za(c);a.B=[]}; +cOa=function(a,b){EU.call(this,a,b);this.J=this.T=this.Ja=!1;bOa(this);this.S(this.F,"changeProductsInVideoVisibility",this.I6);this.S(this.F,"videodatachange",this.onVideoDataChange);this.S(this.F,"paidcontentoverlayvisibilitychange",this.B6)}; +dOa=function(a){a.F.Ff("shopping_overlay_visible");a.F.Ff("shopping_overlay_expanded")}; +bOa=function(a){a.S(a.F,g.ZD("shopping_overlay_visible"),function(){a.Bg(!0)}); +a.S(a.F,g.$D("shopping_overlay_visible"),function(){a.Bg(!1)}); +a.S(a.F,g.ZD("shopping_overlay_expanded"),function(){a.Z=!0;DU(a)}); +a.S(a.F,g.$D("shopping_overlay_expanded"),function(){a.Z=!1;DU(a)})}; +fOa=function(a,b){g.U.call(this,{G:"div",N:"ytp-shorts-title-channel",W:[{G:"a",N:"ytp-shorts-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-shorts-title-expanded-heading",W:[{G:"div",N:"ytp-shorts-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,tabIndex:"0"}}]}]}]});var c=this;this.api=a;this.u=b;this.j=this.Da("ytp-shorts-title-channel-logo");this.channelName=this.Da("ytp-shorts-title-expanded-title"); +this.subscribeButton=null;a.sb(this.j,this,36925);this.S(this.j,"click",function(d){c.api.K("web_player_ve_conversion_fixes_for_channel_info")?(c.api.qb(c.j),g.gk(SU(c)),d.preventDefault()):c.api.qb(c.j)}); +a.sb(this.channelName,this,37220);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(SU(c));d.preventDefault()}); +eOa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.Pa()}; +eOa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.u);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.element)}}; +SU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +TU=function(a){g.PS.call(this,a,{G:"button",Ia:["ytp-skip-intro-button","ytp-popup","ytp-button"],W:[{G:"div",N:"ytp-skip-intro-button-text",ra:"Skip Intro"}]},100);var b=this;this.B=!1;this.j=new g.Ip(function(){b.hide()},5E3); +this.vf=this.ri=NaN;g.E(this,this.j);this.I=function(){b.show()}; +this.D=function(){b.hide()}; +this.C=function(){var c=b.F.getCurrentTime();c>b.ri/1E3&&c=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+q+"px "+r+"px/"+l+"px "+m+"px"}; +g.ZU=function(a,b){g.U.call(this,{G:"div",N:"ytp-storyboard-framepreview",W:[{G:"div",N:"ytp-storyboard-framepreview-timestamp",ra:"{{timestamp}}"},{G:"div",N:"ytp-storyboard-framepreview-img"}]});this.api=a;this.C=this.Da("ytp-storyboard-framepreview-img");this.u=null;this.B=NaN;this.events=new g.bI(this);this.j=new g.QQ(this,100);g.E(this,this.events);g.E(this,this.j);this.S(this.api,"presentingplayerstatechange",this.yd);b&&this.S(this.element,"click",function(){b.Vr()}); +a.K("web_big_boards")&&g.Qp(this.element,"ytp-storyboard-framepreview-big-boards")}; +hOa=function(a,b){var c=!!a.u;a.u=b;a.u?(c||(a.events.S(a.api,"videodatachange",function(){hOa(a,a.api.Hj())}),a.events.S(a.api,"progresssync",a.Ie),a.events.S(a.api,"appresize",a.D)),a.B=NaN,iOa(a),a.j.show(200)):(c&&g.Lz(a.events),a.j.hide(),a.j.stop())}; +iOa=function(a){var b=a.u,c=a.api.getCurrentTime(),d=a.api.jb().getPlayerSize(),e=SL(b,d.width);e=Sya(b,e,c);a.update({timestamp:g.eR(c)});e!==a.B&&(a.B=e,Qya(b,e,d.width),b=Oya(b,e,d.width),gOa(a.C,b,d.width,d.height))}; +g.$U=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullscreen-button","ytp-button"],X:{title:"{{title}}","aria-keyshortcuts":"f","data-title-no-tooltip":"{{data-title-no-tooltip}}"},ra:"{{icon}}"});this.F=a;this.u=b;this.message=null;this.j=g.ZS(this.u.Ic(),this.element);this.B=new g.Ip(this.f2,2E3,this);g.E(this,this.B);this.S(a,"fullscreentoggled",this.cm);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);g.yz()&&(b=this.F.jb(),this.S(b,Boa(),this.NN),this.S(b,Bz(document), +this.Hq));a.V().Tb||a.V().T||this.disable();a.sb(this.element,this,139117);this.Pa();this.cm(a.isFullscreen())}; +aV=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-jump-button"],X:{title:"{{title}}","aria-keyshortcuts":"{{aria-keyshortcuts}}","data-title-no-tooltip":"{{data-title-no-tooltip}}",style:"display: none;"},W:[0=h)break}a.D=d;a.frameCount=b.NE();a.interval=b.j/1E3||a.api.getDuration()/a.frameCount}for(;a.thumbnails.length>a.D.length;)d= +void 0,null==(d=a.thumbnails.pop())||d.dispose();for(;a.thumbnails.lengthc.length;)d=void 0,null==(d=a.j.pop())||d.dispose(); +for(;a.j.length-c?-b/c*a.interval*.5:-(b+c/2)/c*a.interval}; +HOa=function(a){return-((a.B.offsetWidth||(a.frameCount-1)*a.I*a.scale)-a.C/2)}; +EOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-thumbnail"})}; +FOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-chapter-title",W:[{G:"div",N:"ytp-fine-scrubbing-chapter-title-content",ra:"{{chapterTitle}}"}]})}; +KOa=function(a,b,c,d){d=void 0===d?!1:d;b=new JOa(b||a,c||a);return{x:a.x+.2*((void 0===d?0:d)?-1*b.j:b.j),y:a.y+.2*((void 0===d?0:d)?-1*b.u:b.u)}}; +JOa=function(a,b){this.u=this.j=0;this.j=b.x-a.x;this.u=b.y-a.y}; +LOa=function(a){g.U.call(this,{G:"div",N:"ytp-heat-map-chapter",W:[{G:"svg",N:"ytp-heat-map-svg",X:{height:"100%",preserveAspectRatio:"none",version:"1.1",viewBox:"0 0 1000 100",width:"100%"},W:[{G:"defs",W:[{G:"clipPath",X:{id:"{{id}}"},W:[{G:"path",N:"ytp-heat-map-path",X:{d:"",fill:"white","fill-opacity":"0.6"}}]}]},{G:"rect",N:"ytp-heat-map-graph",X:{"clip-path":"url(#hm_1)",fill:"white","fill-opacity":"0.2",height:"100%",width:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-hover",X:{"clip-path":"url(#hm_1)", +height:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-play",X:{"clip-path":"url(#hm_1)",height:"100%",x:"0",y:"0"}}]}]});this.api=a;this.I=this.Da("ytp-heat-map-svg");this.D=this.Da("ytp-heat-map-path");this.C=this.Da("ytp-heat-map-graph");this.B=this.Da("ytp-heat-map-play");this.u=this.Da("ytp-heat-map-hover");this.De=!1;this.j=60;a=""+g.Na(this);this.update({id:a});a="url(#"+a+")";this.C.setAttribute("clip-path",a);this.B.setAttribute("clip-path",a);this.u.setAttribute("clip-path",a)}; +jV=function(){g.U.call(this,{G:"div",N:"ytp-chapter-hover-container",W:[{G:"div",N:"ytp-progress-bar-padding"},{G:"div",N:"ytp-progress-list",W:[{G:"div",Ia:["ytp-play-progress","ytp-swatch-background-color"]},{G:"div",N:"ytp-progress-linear-live-buffer"},{G:"div",N:"ytp-load-progress"},{G:"div",N:"ytp-hover-progress"},{G:"div",N:"ytp-ad-progress-list"}]}]});this.startTime=NaN;this.title="";this.index=NaN;this.width=0;this.C=this.Da("ytp-progress-linear-live-buffer");this.B=this.Da("ytp-ad-progress-list"); +this.D=this.Da("ytp-load-progress");this.I=this.Da("ytp-play-progress");this.u=this.Da("ytp-hover-progress");this.j=this.Da("ytp-chapter-hover-container")}; +kV=function(a,b){g.Hm(a.j,"width",b)}; +MOa=function(a,b){g.Hm(a.j,"margin-right",b+"px")}; +NOa=function(){this.fraction=this.position=this.u=this.j=this.B=this.width=NaN}; +OOa=function(){g.U.call(this,{G:"div",N:"ytp-timed-marker"});this.j=this.timeRangeStartMillis=NaN;this.title="";this.onActiveCommand=void 0}; +POa=function(a){return a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")}; +g.mV=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-progress-bar-container",X:{"aria-disabled":"true"},W:[{G:"div",Ia:["ytp-heat-map-container"],W:[{G:"div",N:"ytp-heat-map-edu"}]},{G:"div",Ia:["ytp-progress-bar"],X:{tabindex:"0",role:"slider","aria-label":"Seek slider","aria-valuemin":"{{ariamin}}","aria-valuemax":"{{ariamax}}","aria-valuenow":"{{arianow}}","aria-valuetext":"{{arianowtext}}"},W:[{G:"div",N:"ytp-chapters-container"},{G:"div",N:"ytp-timed-markers-container"},{G:"div",N:"ytp-clip-start-exclude"}, +{G:"div",N:"ytp-clip-end-exclude"},{G:"div",N:"ytp-scrubber-container",W:[{G:"div",Ia:["ytp-scrubber-button","ytp-swatch-background-color"],W:[{G:"div",N:"ytp-scrubber-pull-indicator"}]}]}]},{G:"div",Ia:["ytp-fine-scrubbing-container"],W:[{G:"div",N:"ytp-fine-scrubbing-edu"}]},{G:"div",N:"ytp-bound-time-left",ra:"{{boundTimeLeft}}"},{G:"div",N:"ytp-bound-time-right",ra:"{{boundTimeRight}}"},{G:"div",N:"ytp-clip-start",X:{title:"{{clipstarttitle}}"},ra:"{{clipstarticon}}"},{G:"div",N:"ytp-clip-end", +X:{title:"{{clipendtitle}}"},ra:"{{clipendicon}}"}]});this.api=a;this.ke=!1;this.Kf=this.Qa=this.J=this.Jf=0;this.Ld=null;this.Ja={};this.jc={};this.clipEnd=Infinity;this.Xb=this.Da("ytp-clip-end");this.Oc=new g.kT(this.Xb,!0);this.uf=this.Da("ytp-clip-end-exclude");this.Qg=this.Da("ytp-clip-start-exclude");this.clipStart=0;this.Tb=this.Da("ytp-clip-start");this.Lc=new g.kT(this.Tb,!0);this.Z=this.ib=0;this.Kc=this.Da("ytp-progress-bar");this.tb={};this.uc={};this.Dc=this.Da("ytp-chapters-container"); +this.Wf=this.Da("ytp-timed-markers-container");this.j=[];this.I=[];this.Od={};this.vf=null;this.Xa=-1;this.kb=this.ya=0;this.T=null;this.Vf=this.Da("ytp-scrubber-button");this.ph=this.Da("ytp-scrubber-container");this.fb=new g.Fe;this.Hf=new NOa;this.B=new iR(0,0);this.Bb=null;this.C=this.je=!1;this.If=null;this.oa=this.Da("ytp-heat-map-container");this.Vd=this.Da("ytp-heat-map-edu");this.D=[];this.heatMarkersDecorations=[];this.Ya=this.Da("ytp-fine-scrubbing-container");this.Wc=this.Da("ytp-fine-scrubbing-edu"); +this.u=void 0;this.Aa=this.rd=this.Ga=!1;this.tooltip=b.Ic();g.bb(this,g.ZS(this.tooltip,this.Xb));g.E(this,this.Oc);this.Oc.subscribe("hoverstart",this.ZV,this);this.Oc.subscribe("hoverend",this.YV,this);this.S(this.Xb,"click",this.LH);g.bb(this,g.ZS(this.tooltip,this.Tb));g.E(this,this.Lc);this.Lc.subscribe("hoverstart",this.ZV,this);this.Lc.subscribe("hoverend",this.YV,this);this.S(this.Tb,"click",this.LH);QOa(this);this.S(a,"resize",this.Db);this.S(a,"presentingplayerstatechange",this.z0);this.S(a, +"videodatachange",this.Gs);this.S(a,"videoplayerreset",this.I3);this.S(a,"cuerangesadded",this.GY);this.S(a,"cuerangesremoved",this.D8);this.S(a,"cuerangemarkersupdated",this.GY);this.S(a,"onLoopRangeChange",this.GR);this.S(a,"innertubeCommand",this.onClickCommand);this.S(a,g.ZD("timedMarkerCueRange"),this.H7);this.S(a,"updatemarkervisibility",this.EY);this.updateVideoData(a.getVideoData(),!0);this.GR(a.getLoopRange());lV(this)&&!this.u&&(this.u=new COa(this.api,this.tooltip),a=g.Pm(this.element).x|| +0,this.u.Db(a,this.J),this.u.Ea(this.Ya),g.E(this,this.u),this.S(this.u.dismissButton,"click",this.Vr),this.S(this.u.playButton,"click",this.AL),this.S(this.u.element,"dblclick",this.AL));a=this.api.V();g.fK(a)&&a.u&&g.Qp(this.element,"ytp-no-contextmenu");this.api.sb(this.oa,this,139609,!0);this.api.sb(this.Vd,this,140127,!0);this.api.sb(this.Wc,this,151179,!0);this.api.K("web_modern_miniplayer")&&(this.element.hidden=!0)}; +QOa=function(a){if(0===a.j.length){var b=new jV;a.j.push(b);g.E(a,b);b.Ea(a.Dc,0)}for(;1=h&&z<=p&&f.push(r)}0l)a.j[c].width=n;else{a.j[c].width=0;var p=a,q=c,r=p.j[q-1];void 0!==r&&0a.kb&&(a.kb=m/f),d=!0)}c++}}return d}; +pV=function(a){if(a.J){var b=a.api.getProgressState(),c=a.api.getVideoData();if(!(c&&c.enableServerStitchedDai&&c.enablePreroll)||isFinite(b.current)){var d;c=(null==(d=a.api.getVideoData())?0:aN(d))&&b.airingStart&&b.airingEnd?ePa(a,b.airingStart,b.airingEnd):ePa(a,b.seekableStart,b.seekableEnd);d=jR(c,b.loaded,0);b=jR(c,b.current,0);var e=a.B.u!==c.u||a.B.j!==c.j;a.B=c;qV(a,b,d);e&&fPa(a);gPa(a)}}}; +ePa=function(a,b,c){return hPa(a)?new iR(Math.max(b,a.Bb.startTimeMs/1E3),Math.min(c,a.Bb.endTimeMs/1E3)):new iR(b,c)}; +iPa=function(a,b){var c;if("repeatChapter"===(null==(c=a.Bb)?void 0:c.type)||"repeatChapter"===(null==b?void 0:b.type))b&&(b=a.j[HU(a.j,b.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!1)),a.Bb&&(b=a.j[HU(a.j,a.Bb.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!0)),a.j.forEach(function(d){g.Up(d.j,"ytp-exp-chapter-hover-container",!a.Bb)})}; +sV=function(a,b){var c=rFa(a.B,b.fraction);if(1=a.j.length?!1:4>Math.abs(b-a.j[c].startTime/1E3)/a.B.j*(a.J-(a.C?3:2)*a.ya)}; +fPa=function(a){a.Vf.style.removeProperty("height");for(var b=g.t(Object.keys(a.Ja)),c=b.next();!c.done;c=b.next())kPa(a,c.value);tV(a);qV(a,a.Z,a.ib)}; +oV=function(a){var b=a.fb.x;b=g.ze(b,0,a.J);a.Hf.update(b,a.J);return a.Hf}; +vV=function(a){return(a.C?135:90)-uV(a)}; +uV=function(a){var b=48,c=a.api.V();a.C?b=54:g.fK(c)&&!c.u&&(b=40);return b}; +qV=function(a,b,c){a.Z=b;a.ib=c;var d=oV(a),e=a.B.j,f=rFa(a.B,a.Z),h=g.lO("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.eR(f,!0),DURATION:g.eR(e,!0)}),l=HU(a.j,1E3*f);l=a.j[l].title;a.update({ariamin:Math.floor(a.B.u),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.Bb&&2!==a.api.getPresentingPlayerType()&&(e=a.Bb.startTimeMs/1E3,f=a.Bb.endTimeMs/1E3);e=jR(a.B,e,0);l=jR(a.B,f,1);h=a.api.getVideoData();f=g.ze(b,e,l);c=(null==h?0:g.ZM(h))?1:g.ze(c,e, +l);b=bPa(a,b,d);g.Hm(a.ph,"transform","translateX("+b+"px)");wV(a,d,e,f,"PLAY_PROGRESS");(null==h?0:aN(h))?(b=a.api.getProgressState().seekableEnd)&&wV(a,d,f,jR(a.B,b),"LIVE_BUFFER"):wV(a,d,e,c,"LOAD_PROGRESS");if(a.api.K("web_player_heat_map_played_bar")){var m;null!=(m=a.D[0])&&m.B.setAttribute("width",(100*f).toFixed(2)+"%")}}; +wV=function(a,b,c,d,e){var f=a.j.length,h=b.j-a.ya*(a.C?3:2),l=c*h;c=rV(a,l);var m=d*h;h=rV(a,m);"HOVER_PROGRESS"===e&&(h=rV(a,b.j*d,!0),m=b.j*d-lPa(a,b.j*d)*(a.C?3:2));b=Math.max(l-mPa(a,c),0);for(d=c;d=a.j.length)return a.J;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.j.length?d-1:d}; +bPa=function(a,b,c){for(var d=b*a.B.j*1E3,e=-1,f=g.t(a.j),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; +lPa=function(a,b){for(var c=a.j.length,d=0,e=g.t(a.j),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.C?3:2,d++;else break;return d===c?c-1:d}; +g.yV=function(a,b,c,d){var e=a.J!==c,f=a.C!==d;a.Jf=b;a.J=c;a.C=d;lV(a)&&null!=(b=a.u)&&(b.scale=d?1.5:1);fPa(a);1===a.j.length&&(a.j[0].width=c||0);e&&g.nV(a);a.u&&f&&lV(a)&&(a.u.isEnabled&&(c=a.C?135:90,d=c-uV(a),a.Ya.style.height=c+"px",g.Hm(a.oa,"transform","translateY("+-d+"px)"),g.Hm(a.Kc,"transform","translateY("+-d+"px)")),GOa(a.u))}; +tV=function(a){var b=!!a.Bb&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.Bb?(c=a.Bb.startTimeMs/1E3,d=a.Bb.endTimeMs/1E3):(e=c>a.B.u,f=0a.Z);g.Up(a.Vf,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;b=a.J*a.scale;var c=a.Ja*a.scale,d=Oya(a.u,a.C,b);gOa(a.bg,d,b,c,!0);a.Aa.start()}}; +fQa=function(a){var b=a.j;3===a.type&&a.Ga.stop();a.api.removeEventListener("appresize",a.ya);a.Z||b.setAttribute("title",a.B);a.B="";a.j=null}; +hQa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-watch-later-button","ytp-button"],X:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-watch-later-icon",ra:"{{icon}}"},{G:"div",N:"ytp-watch-later-title",ra:"Watch later"}]});this.F=a;this.u=b;this.icon=null;this.visible=this.isRequestPending=this.j=!1;this.tooltip=b.Ic();mU(this.tooltip);a.sb(this.element,this,28665);this.Ra("click",this.onClick,this);this.S(a,"videoplayerreset",this.Jv); +this.S(a,"appresize",this.UA);this.S(a,"videodatachange",this.UA);this.S(a,"presentingplayerstatechange",this.UA);this.UA();a=this.F.V();var c=g.Qz("yt-player-watch-later-pending");a.C&&c?(owa(),gQa(this)):this.Pa(2);g.Up(this.element,"ytp-show-watch-later-title",g.fK(a));g.bb(this,g.ZS(b.Ic(),this.element))}; +iQa=function(a){var b=a.F.getPlayerSize(),c=a.F.V(),d=a.F.getVideoData(),e=g.fK(c)&&g.KS(a.F)&&g.S(a.F.Cb(),128);a=c.K("shorts_mode_to_player_api")?a.F.Sb():a.u.Sb();var f=c.B;if(b=c.hm&&240<=b.width&&!d.isAd())if(d.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){b=!0;var h,l,m=null==(h=d.kf)?void 0:null==(l=h.embedPreview)?void 0:l.thumbnailPreviewRenderer;m&&(b=!!m.addToWatchLaterButton);if(g.lK(d.V())){var n,p;(h=null==(n=d.jd)?void 0:null==(p=n.playerOverlays)?void 0:p.playerOverlayRenderer)&& +(b=!!h.addToMenu)}var q,r,v,x;if(null==(x=g.K(null==(q=d.jd)?void 0:null==(r=q.contents)?void 0:null==(v=r.twoColumnWatchNextResults)?void 0:v.desktopOverlay,nM))?0:x.suppressWatchLaterButton)b=!1}else b=d.Qk;return b&&!e&&!(d.D&&c.Z)&&!a&&!f}; +jQa=function(a,b){g.lU(g.yK(a.F.V()),"wl_button",function(){owa({videoId:b});window.location.reload()})}; +gQa=function(a){if(!a.isRequestPending){a.isRequestPending=!0;a.Pa(3);var b=a.F.getVideoData();b=a.j?b.removeFromWatchLaterCommand:b.addToWatchLaterCommand;var c=a.F.Mm(),d=a.j?function(){a.j=!1;a.isRequestPending=!1;a.Pa(2);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_REMOVED")}:function(){a.j=!0; +a.isRequestPending=!1;a.Pa(1);a.F.V().u&&zU(a.tooltip,a.element);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_ADDED")}; +tR(c,b).then(d,function(){a.isRequestPending=!1;kQa(a,"An error occurred. Please try again later.")})}}; +kQa=function(a,b){a.Pa(4,b);a.F.V().I&&a.F.Na("WATCH_LATER_ERROR",b)}; +lQa=function(a,b){if(b!==a.icon){switch(b){case 3:var c=qMa();break;case 1:c=gQ();break;case 2:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path", +xc:!0,X:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.updateValue("icon",c);a.icon=b}}; +g.YV=function(a){g.eU.call(this,a);var b=this;this.rG=(this.oq=g.fK(this.api.V()))&&(this.api.V().u||gz()||ez());this.QK=48;this.RK=69;this.Co=null;this.Xs=[];this.Qc=new g.hU(this.api);this.Ou=new AU(this.api);this.Fh=new g.U({G:"div",N:"ytp-chrome-top"});this.hE=[];this.tooltip=new g.WV(this.api,this);this.backButton=this.Dz=null;this.channelAvatar=new VMa(this.api,this);this.title=new VV(this.api,this);this.gi=new g.ZP({G:"div",N:"ytp-chrome-top-buttons"});this.Bi=this.shareButton=this.Jn=null; +this.Wi=new PMa(this.api,this,this.Fh.element);this.overflowButton=this.Bh=null;this.dh="1"===this.api.V().controlsType?new TPa(this.api,this,this.Ve):null;this.contextMenu=new g.xU(this.api,this,this.Qc);this.BK=!1;this.IF=new g.U({G:"div",X:{tabindex:"0"}});this.HF=new g.U({G:"div",X:{tabindex:"0"}});this.uD=null;this.oO=this.nN=this.pF=!1;var c=a.jb(),d=a.V(),e=a.getVideoData();this.oq&&(g.Qp(a.getRootNode(),"ytp-embed"),g.Qp(a.getRootNode(),"ytp-embed-playlist"),this.rG&&(g.Qp(a.getRootNode(), +"ytp-embed-overlays-autohide"),g.Qp(this.contextMenu.element,"ytp-embed-overlays-autohide")),this.QK=60,this.RK=89);a.V().B&&g.Qp(a.getRootNode(),"ytp-embed-pfl");this.api.V().u&&(g.Qp(a.getRootNode(),"ytp-mobile"),this.api.V().T&&g.Qp(a.getRootNode(),"ytp-embed-mobile-exp"));this.kf=e&&e.kf;g.E(this,this.Qc);g.NS(a,this.Qc.element,4);g.E(this,this.Ou);g.NS(a,this.Ou.element,4);e=new g.U({G:"div",N:"ytp-gradient-top"});g.E(this,e);g.NS(a,e.element,1);this.KP=new g.QQ(e,250,!0,100);g.E(this,this.KP); +g.E(this,this.Fh);g.NS(a,this.Fh.element,1);this.JP=new g.QQ(this.Fh,250,!0,100);g.E(this,this.JP);g.E(this,this.tooltip);g.NS(a,this.tooltip.element,4);var f=new QNa(a);g.E(this,f);g.NS(a,f.element,5);f.subscribe("show",function(n){b.Op(f,n)}); +this.hE.push(f);this.Dz=new NU(a,this,f);g.E(this,this.Dz);d.rl&&(this.backButton=new LMa(a),g.E(this,this.backButton),this.backButton.Ea(this.Fh.element));this.oq||this.Dz.Ea(this.Fh.element);g.E(this,this.channelAvatar);this.channelAvatar.Ea(this.Fh.element);g.E(this,this.title);this.title.Ea(this.Fh.element);this.oq&&(e=new fOa(this.api,this),g.E(this,e),e.Ea(this.Fh.element));g.E(this,this.gi);this.gi.Ea(this.Fh.element);var h=new g.RU(a,this);g.E(this,h);g.NS(a,h.element,5);h.subscribe("show", +function(n){b.Op(h,n)}); +this.hE.push(h);this.Jn=new hQa(a,this);g.E(this,this.Jn);this.Jn.Ea(this.gi.element);this.shareButton=new g.QU(a,this,h);g.E(this,this.shareButton);this.shareButton.Ea(this.gi.element);this.Bi=new g.yU(a,this);g.E(this,this.Bi);this.Bi.Ea(this.gi.element);this.oq&&this.Dz.Ea(this.gi.element);g.E(this,this.Wi);this.Wi.Ea(this.gi.element);d.Tn&&(e=new TU(a),g.E(this,e),g.NS(a,e.element,4));d.B||(e=new QMa(a,this,this.Wi),g.E(this,e),e.Ea(this.gi.element));this.Bh=new MNa(a,this);g.E(this,this.Bh); +g.NS(a,this.Bh.element,5);this.Bh.subscribe("show",function(){b.Op(b.Bh,b.Bh.ej())}); +this.hE.push(this.Bh);this.overflowButton=new g.MU(a,this,this.Bh);g.E(this,this.overflowButton);this.overflowButton.Ea(this.gi.element);this.dh&&g.E(this,this.dh);"3"===d.controlsType&&(e=new PU(a,this),g.E(this,e),g.NS(a,e.element,9));g.E(this,this.contextMenu);this.contextMenu.subscribe("show",this.LY,this);e=new kR(a,new gU(a));g.E(this,e);g.NS(a,e.element,4);this.IF.Ra("focus",this.h3,this);g.E(this,this.IF);this.HF.Ra("focus",this.j3,this);g.E(this,this.HF);var l;(this.xq=d.ph?null:new g.JU(a, +c,this.contextMenu,this.Ve,this.Qc,this.Ou,function(){return b.Il()},null==(l=this.dh)?void 0:l.Kc))&&g.E(this,this.xq); +this.oq||(this.api.K("web_player_enable_featured_product_banner_on_desktop")&&(this.wT=new sNa(this.api,this),g.E(this,this.wT),g.NS(a,this.wT.element,4)),this.MX=new cOa(this.api,this),g.E(this,this.MX),g.NS(a,this.MX.element,4));this.bY=new YPa(this.api,this);g.E(this,this.bY);g.NS(a,this.bY.element,4);if(this.oq){var m=new yNa(a,this.api.V().tb);g.E(this,m);g.NS(a,m.element,5);m.subscribe("show",function(n){b.Op(m,n)}); +c=new CNa(a,this,m);g.E(this,c);g.NS(a,c.element,4)}this.Ws.push(this.Qc.element);this.S(a,"fullscreentoggled",this.Hq);this.S(a,"offlineslatestatechange",function(){b.api.AC()&&QT(b.Ve,128,!1)}); +this.S(a,"cardstatechange",function(){b.fl()}); +this.S(a,"resize",this.P5);this.S(a,"videoplayerreset",this.Jv);this.S(a,"showpromotooltip",this.n6)}; +mQa=function(a){var b=a.api.V(),c=g.S(a.api.Cb(),128);return b.C&&c&&!a.api.isFullscreen()}; +nQa=function(a){if(a.Wg()&&!a.Sb()&&a.Bh){var b=a.api.K("web_player_hide_overflow_button_if_empty_menu");!a.Jn||b&&!iQa(a.Jn)||NNa(a.Bh,a.Jn);!a.shareButton||b&&!XNa(a.shareButton)||NNa(a.Bh,a.shareButton);!a.Bi||b&&!lNa(a.Bi)||NNa(a.Bh,a.Bi)}else{if(a.Bh){b=a.Bh;for(var c=g.t(b.actionButtons),d=c.next();!d.done;d=c.next())d.value.detach();b.actionButtons=[]}a.Jn&&!g.zf(a.gi.element,a.Jn.element)&&a.Jn.Ea(a.gi.element);a.shareButton&&!g.zf(a.gi.element,a.shareButton.element)&&a.shareButton.Ea(a.gi.element); +a.Bi&&!g.zf(a.gi.element,a.Bi.element)&&a.Bi.Ea(a.gi.element)}}; +oQa=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==Km(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=oQa(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexc.Oz||0>c.At||0>c.durationMs||0>c.startMs||0>c.Pq)return jW(a,b),[];b=VG(c.Oz,c.Pq);var l;if(null==(l=a.j)?0:l.Jf){var m=c.AN||0;var n=b.length-m}return[new XG(3,f,b,"makeSliceInfosMediaBytes",c.At-1,c.startMs/1E3,c.durationMs/1E3,m,n,void 0,d)]}if(0>c.At)return jW(a,b),[];var p;return(null==(p=a.Sa)?0:p.fd)?(a=f.Xj,[new XG(3,f,void 0,"makeSliceInfosMediaBytes", +c.At,void 0,a,void 0,a*f.info.dc,!0,d)]):[]}; +NQa=function(a,b,c){a.Sa=b;a.j=c;b=g.t(a.Xc);for(c=b.next();!c.done;c=b.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;for(var e=g.t(d.AX),f=e.next();!f.done;f=e.next())f=MQa(a,c,f.value),LQa(a,c,d,f)}}; +OQa=function(a,b,c){(a=a.Xc.get(b))&&!a.Vg&&(iW?(b=0a;a++){var b=g.qf("VIDEO");b.load();lW.push(new g.pT(b))}}; +mW=function(a){g.C.call(this);this.app=a;this.j=null;this.u=1}; +RQa=function(){}; +g.nW=function(a,b,c,d){d=void 0===d?!1:d;FO.call(this);this.mediaElement=a;this.start=b;this.end=c;this.j=d}; +SQa=function(a,b,c){var d=b.getVideoData(),e=a.getVideoData();if(b.getPlayerState().isError())return{msg:"player-error"};b=e.C;if(a.xk()>c/1E3+1)return{msg:"in-the-past"};if(e.isLivePlayback&&!isFinite(c))return{msg:"live-infinite"};(a=a.qe())&&a.isView()&&(a=a.mediaElement);if(a&&12m&&(f=m-200,a.J=!0);h&&l.getCurrentTime()>=f/1E3?a.I():(a.u=l,h&&(h=f,f=a.u,a.app.Ta.addEventListener(g.ZD("vqueued"),a.I),h=isFinite(h)||h/1E3>f.getDuration()?h:0x8000000000000,a.D=new g.XD(h,0x8000000000000,{namespace:"vqueued"}),f.addCueRange(a.D)));h=d/=1E3;f=b.getVideoData().j;d&&f&&a.u&&(l=d,m=0, +b.getVideoData().isLivePlayback&&(h=Math.min(c/1E3,qW(a.u,!0)),m=Math.max(0,h-a.u.getCurrentTime()),l=Math.min(d,qW(b)+m)),h=fwa(f,l)||d,h!==d&&a.j.xa("qvaln",{st:d,at:h,rm:m,ct:l}));b=h;d=a.j;d.getVideoData().Si=!0;d.getVideoData().fb=!0;g.tW(d,!0);f={};a.u&&(f=g.uW(a.u.zc.provider),h=a.u.getVideoData().clientPlaybackNonce,f={crt:(1E3*f).toFixed(),cpn:h});d.xa("queued",f);0!==b&&d.seekTo(b+.01,{bv:!0,IP:3,Je:"videoqueuer_queued"});a.B=new TQa(a.T,a.app.Rc(),a.j,c,e);c=a.B;Infinity!==c.status.status&& +(pW(c,1),c.j.subscribe("internalvideodatachange",c.uu,c),c.u.subscribe("internalvideodatachange",c.uu,c),c.j.subscribe("mediasourceattached",c.uu,c),c.u.subscribe("statechange",c.yd,c),c.j.subscribe("newelementrequired",c.nW,c),c.uu());return a.C}; +cRa=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:if(a.isDisposed()||!a.C||!a.j)return e.return();a.J&&vW(a.app.Rc(),!0,!1);b=null;if(!a.B){e.Ka(2);break}g.pa(e,3);return g.y(e,YQa(a.B),5);case 5:g.ra(e,2);break;case 3:b=c=g.sa(e);case 2:if(!a.j)return e.return();g.oW.IH("vqsp",function(){wW(a.app,a.j)}); +g.oW.IH("vqpv",function(){a.app.playVideo()}); +b&&eRa(a.j,b.message);d=a.C;sW(a);return e.return(d.resolve(void 0))}})}; +sW=function(a){if(a.u){if(a.D){var b=a.u;a.app.Ta.removeEventListener(g.ZD("vqueued"),a.I);b.removeCueRange(a.D)}a.u=null;a.D=null}a.B&&(6!==a.B.status.status&&(b=a.B,Infinity!==b.status.status&&b.Eg("Canceled")),a.B=null);a.C=null;a.j&&a.j!==g.qS(a.app,1)&&a.j!==a.app.Rc()&&a.j.dispose();a.j=null;a.J=!1}; +fRa=function(a){var b;return(null==(b=a.B)?void 0:b.currentVideoDuration)||-1}; +gRa=function(a,b,c){if(a.vv())return"qine";var d;if(b.videoId!==(null==(d=a.j)?void 0:d.Ce()))return"vinm";if(0>=fRa(a))return"ivd";if(1!==c)return"upt";var e,f;null==(e=a.B)?f=void 0:f=5!==e.getStatus().status?"neb":null!=SQa(e.j,e.u,e.fm)?"pge":null;a=f;return null!=a?a:null}; +hRa=function(){var a=Aoa();return!(!a||"visible"===a)}; +jRa=function(a){var b=iRa();b&&document.addEventListener(b,a,!1)}; +kRa=function(a){var b=iRa();b&&document.removeEventListener(b,a,!1)}; +iRa=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[vz+"VisibilityState"])return"";a=vz+"visibilitychange"}return a}; +lRa=function(){g.dE.call(this);var a=this;this.fullscreen=0;this.pictureInPicture=this.j=this.u=this.inline=!1;this.B=function(){a.Bg()}; +jRa(this.B);this.C=this.getVisibilityState(this.wh(),this.isFullscreen(),this.zg(),this.isInline(),this.Ty(),this.Ry())}; +xW=function(a,b,c,d,e){e=void 0===e?[]:e;g.C.call(this);this.Y=a;this.Ec=b;this.C=c;this.segments=e;this.j=void 0;this.B=new Map;this.u=new Map;if(e.length)for(this.j=e[0],a=g.t(e),b=a.next();!b.done;b=a.next())b=b.value,(c=b.hs())&&this.B.set(c,b.OB())}; +mRa=function(a,b,c,d){if(a.j&&!(b>c)){b=new xW(a.Y,b,c,a.j,d);d=g.t(d);for(c=d.next();!c.done;c=d.next()){c=c.value;var e=c.hs();e&&e!==a.j.hs()&&a.u.set(e,[c])}a.j.j.set(b.yy(),b)}}; +oRa=function(a,b,c,d,e,f){return new nRa(c,c+(d||0),!d,b,a,new g.$L(a.Y,f),e)}; +nRa=function(a,b,c,d,e,f,h){g.C.call(this);this.Ec=a;this.u=b;this.type=d;this.B=e;this.videoData=f;this.clipId=h;this.j=new Map}; +pRa=function(a){this.end=this.start=a}; +g.zW=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.va=c;this.ib="";this.Aa=new Map;this.Xa=new Map;this.Ja=new Map;this.C=new Map;this.B=[];this.T=[];this.D=new Map;this.Oc=new Map;this.ea=new Map;this.Dc=NaN;this.Tb=this.tb=null;this.uc=new g.Ip(function(){qRa(d,d.Dc)}); +this.events=new g.bI(this);this.jc=g.gJ(this.Y.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.J=new g.Ip(function(){d.ya=!0;var e=d.va,f=d.jc;e.xa("sdai",{aftimeout:f});e.Kd(new PK("ad.fetchtimeout",{timeout:f}));rRa(d);d.kC(!1)},this.jc); +this.ya=!1;this.Ya=new Map;this.Xb=[];this.oa=null;this.ke=new Set;this.Ga=[];this.Lc=[];this.Nd=[];this.rd=[];this.j=void 0;this.kb=0;this.fb=!0;this.I=!1;this.La=[];this.Ld=new Set;this.je=new Set;this.Od=new Set;this.El=0;this.Z=null;this.Pb=new Set;this.Vd=0;this.Np=this.Wc=!1;this.u="";this.va.getPlayerType();sRa(this.va,this);this.Qa=this.Y.Rd();g.E(this,this.uc);g.E(this,this.events);g.E(this,this.J);yW(this)||(this.events.S(this.api,g.ZD("serverstitchedcuerange"),this.onCueRangeEnter),this.events.S(this.api, +g.$D("serverstitchedcuerange"),this.onCueRangeExit))}; +wRa=function(a,b,c,d,e,f,h,l){var m=tRa(a,f,f+e);a.ya&&a.va.xa("sdai",{adaftto:1});a.Np&&a.va.xa("sdai",{adfbk:1,enter:f,len:e,aid:l});var n=a.va;h=void 0===h?f+e:h;f===h&&!e&&a.Y.K("html5_allow_zero_duration_ads_on_timeline")&&a.va.xa("sdai",{attl0d:1});f>h&&AW(a,{reason:"enterTime_greater_than_return",Ec:f,Dd:h});var p=1E3*n.Id();fn&&AW(a,{reason:"parent_return_greater_than_content_duration",Dd:h,a8a:n}); +n=null;p=g.Jb(a.T,{Dd:f},function(q,r){return q.Dd-r.Dd}); +0<=p&&(n=a.T[p],n.Dd>f&&uRa(a,b.video_id||"",f,h,n));if(m&&n)for(p=0;pd?-1*(d+2):d;return 0<=d&&(a=a.T[d],a.Dd>=c)?{Ao:a,sz:b}:{Ao:void 0,sz:b}}; +GW=function(a,b){var c="";yW(a)?(c=b/1E3-a.aq(),c=a.va.Gy(c)):(b=BRa(a,b))&&(c=b.getId());return c?a.D.get(c):void 0}; +BRa=function(a,b){a=g.t(a.C.values());for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.start<=b&&c.end>=b)return c}; +qRa=function(a,b){var c=a.Tb||a.api.Rc().getPlayerState();HW(a,!0);a.va.seekTo(b);a=a.api.Rc();b=a.getPlayerState();g.RO(c)&&!g.RO(b)?a.playVideo():g.QO(c)&&!g.QO(b)&&a.pauseVideo()}; +HW=function(a,b){a.Dc=NaN;a.uc.stop();a.tb&&b&&CRa(a.tb);a.Tb=null;a.tb=null}; +DRa=function(a){var b=void 0===b?-1:b;var c=void 0===c?Infinity:c;for(var d=[],e=g.t(a.T),f=e.next();!f.done;f=e.next())f=f.value,(f.Ecc)&&d.push(f);a.T=d;d=g.t(a.C.values());for(e=d.next();!e.done;e=d.next())e=e.value,e.start>=b&&e.end<=c&&(a.va.removeCueRange(e),a.C.delete(e.getId()),a.va.xa("sdai",{rmAdCR:1}));d=ARa(a,b/1E3);b=d.Ao;d=d.sz;if(b&&(d=1E3*d-b.Ec,e=b.Ec+d,b.durationMs=d,b.Dd=e,d=a.C.get(b.cpn))){e=g.t(a.B);for(f=e.next();!f.done;f=e.next())f=f.value,f.start===d.end?f.start= +b.Ec+b.durationMs:f.end===d.start&&(f.end=b.Ec);d.start=b.Ec;d.end=b.Ec+b.durationMs}if(b=ARa(a,c/1E3).Ao){var h;d="playback_timelinePlaybackId_"+b.Nc+"_video_id_"+(null==(h=b.videoData)?void 0:h.videoId)+"_durationMs_"+b.durationMs+"_enterTimeMs_"+b.Ec+"_parentReturnTimeMs_"+b.Dd;a.KC("Invalid_clearEndTimeMs_"+c+"_that_falls_during_"+d+"._Child_playbacks_can_only_have_duration_updated_not_their_start.")}}; +ERa=function(a){a.ib="";a.Aa.clear();a.Xa.clear();a.Ja.clear();a.C.clear();a.B=[];a.T=[];a.D.clear();a.Oc.clear();a.ea.clear();a.Ya.clear();a.Xb=[];a.oa=null;a.ke.clear();a.Ga=[];a.Lc=[];a.Nd=[];a.rd=[];a.La=[];a.Ld.clear();a.je.clear();a.Od.clear();a.Pb.clear();a.ya=!1;a.j=void 0;a.kb=0;a.fb=!0;a.I=!1;a.El=0;a.Z=null;a.Vd=0;a.Wc=!1;a.Np=!1;DW(a,a.u)&&a.va.xa("sdai",{rsac:"resetAll",sac:a.u});a.u="";a.J.isActive()&&BW(a)}; +GRa=function(a,b,c,d,e){if(!a.Np)if(g.FRa(a,c))a.Qa&&a.va.xa("sdai",{gdu:"undec",seg:c,itag:e});else return IW(a,b,c,d)}; +IW=function(a,b,c,d){var e=a.Ya.get(c);if(!e){b+=a.aq();b=ARa(a,b,1);var f;b.Ao||2!==(null==(f=JW(a,c-1,null!=d?d:2))?void 0:f.YA)?e=b.Ao:e=a.Ya.get(c-1)}return e}; +HRa=function(a){if(a.La.length)for(var b=g.t(a.La),c=b.next();!c.done;c=b.next())a.onCueRangeExit(c.value);c=g.t(a.C.values());for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);c=g.t(a.B);for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);a.C.clear();a.B=[];a.Aa.clear();a.Xa.clear();a.Ja.clear();a.j||(a.fb=!0)}; +JW=function(a,b,c,d){if(1===c){if(a.Y.K("html5_reset_daistate_on_audio_codec_change")&&d&&d!==a.ib&&(""!==a.ib&&(a.va.xa("sdai",{rstadaist:1,old:a.ib,"new":d}),a.Aa.clear()),a.ib=d),a.Aa.has(b))return a.Aa.get(b)}else{if(2===c&&a.Xa.has(b))return a.Xa.get(b);if(3===c&&a.Ja.has(b))return a.Ja.get(b)}}; +JRa=function(a,b,c,d){if(d)for(d=0;dc){var f=e.end;e.end=b;IRa(a,c,f)}else if(e.start>=b&&e.startc)e.start=c;else if(e.end>b&&e.end<=c&&e.start=b&&e.end<=c){a.va.removeCueRange(e);if(a.La.includes(e))a.onCueRangeExit(e);a.B.splice(d,1);continue}d++}else IRa(a,b,c)}; +IRa=function(a,b,c){b=xRa(b,c);c=!0;g.Nb(a.B,b,function(h,l){return h.start-l.start}); +for(var d=0;d=Math.round(e.start/1E3)){f.end=e.end;e!==b?a.va.removeCueRange(e):c=!1;a.B.splice(d,1);continue}}d++}if(c)for(a.va.addCueRange(b),b=a.va.CB("serverstitchedcuerange",36E5),b=g.t(b),c=b.next();!c.done;c=b.next())a.C.delete(c.value.getId())}; +KW=function(a,b,c){if(void 0===c||!c){c=g.t(a.Xb);for(var d=c.next();!d.done;d=c.next()){d=d.value;if(b>=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.Xb.push(new pRa(b))}}; +g.FRa=function(a,b){a=g.t(a.Xb);for(var c=a.next();!c.done;c=a.next())if(c=c.value,b>=c.start&&b<=c.end)return!0;return!1}; +uRa=function(a,b,c,d,e){var f;b={reason:"overlapping_playbacks",X7a:b,Ec:c,Dd:d,O6a:e.Nc,P6a:(null==(f=e.videoData)?void 0:f.videoId)||"",L6a:e.durationMs,M6a:e.Ec,N6a:e.Dd};AW(a,b)}; +AW=function(a,b){a=a.va;a.xa("timelineerror",b);a.Kd(new PK("dai.timelineerror",b))}; +KRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,b.cpn&&c.push(b.cpn);return c}; +LRa=function(a,b,c){var d=0;a=a.ea.get(c);if(!a)return-1;a=g.t(a);for(c=a.next();!c.done;c=a.next()){if(c.value.cpn===b)return d;d++}return-1}; +MRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(var d=a.next();!d.done;d=a.next())b=void 0,(d=null==(b=d.value.videoData)?void 0:b.videoId)&&c.push(d);return c}; +NRa=function(a,b){var c=0;a=a.ea.get(b);if(!a)return 0;a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,0!==b.durationMs&&b.Dd!==b.Ec&&c++;return c}; +ORa=function(a,b,c){var d=!1;if(c&&(c=a.ea.get(c))){c=g.t(c);for(var e=c.next();!e.done;e=c.next())e=e.value,0!==e.durationMs&&e.Dd!==e.Ec&&(e=e.cpn,b===e&&(d=!0),d&&!a.je.has(e)&&(a.va.xa("sdai",{decoratedAd:e}),a.je.add(e)))}}; +rRa=function(a){a.Qa&&a.va.xa("sdai",{adf:"0_"+((new Date).getTime()/1E3-a.Vd)+"_isTimeout_"+a.ya})}; +tRa=function(a,b,c){if(a.Ga.length)for(var d={},e=g.t(a.Ga),f=e.next();!f.done;d={Tt:d.Tt},f=e.next()){d.Tt=f.value;f=1E3*d.Tt.startSecs;var h=1E3*d.Tt.Sg+f;if(b>f&&bf&&ce?-1*(e+2):e]))for(c=g.t(c.segments),d=c.next();!d.done;d=c.next())if(d=d.value,d.yy()<=b&&d.QL()>b)return{clipId:d.hs()||"",lN:d.yy()};a.api.xa("ssap",{mci:1});return{clipId:"",lN:0}}; +SRa=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.j=c;this.I=new Map;this.u=[];this.B=this.J=null;this.ea=NaN;this.D=this.C=null;this.T=new g.Ip(function(){RRa(d,d.ea)}); +this.Z=[];this.oa=new g.Ip(function(){var e=d.Z.pop();if(e){var f=e.Nc,h=e.playerVars;e=e.playerType;h&&(h.prefer_gapless=!0,d.api.preloadVideoByPlayerVars(h,e,NaN,"",f),d.Z.length&&g.Jp(d.oa,4500))}}); +this.events=new g.bI(this);c.getPlayerType();g.E(this,this.T);g.E(this,this.oa);g.E(this,this.events);this.events.S(this.api,g.ZD("childplayback"),this.onCueRangeEnter);this.events.S(this.api,"onQueuedVideoLoaded",this.onQueuedVideoLoaded);this.events.S(this.api,"presentingplayerstatechange",this.Hi)}; +WRa=function(a,b,c,d,e,f){var h=b.cpn,l=b.docid||b.video_id||b.videoId||b.id,m=a.j;f=void 0===f?e+d:f;if(e>f)return MW(a,"enterAfterReturn enterTimeMs="+e+" is greater than parentReturnTimeMs="+f.toFixed(3),h,l),"";var n=1E3*m.Id();if(en)return m="returnAfterDuration parentReturnTimeMs="+f.toFixed(3)+" is greater than parentDurationMs="+n+". And timestampOffset in seconds is "+ +m.Jd(),MW(a,m,h,l),"";n=null;for(var p=g.t(a.u),q=p.next();!q.done;q=p.next()){q=q.value;if(e>=q.Ec&&eq.Ec)return MW(a,"overlappingReturn",h,l),"";if(f===q.Ec)return MW(a,"outOfOrder",h,l),"";e===q.Dd&&(n=q)}h="cs_childplayback_"+TRa++;l={me:NW(d,!0),fm:Infinity,target:null};var r={Nc:h,playerVars:b,playerType:c,durationMs:d,Ec:e,Dd:f,Tr:l};a.u=a.u.concat(r).sort(function(z,B){return z.Ec-B.Ec}); +n?URa(a,n,{me:NW(n.durationMs,!0),fm:n.Tr.fm,target:r}):(b={me:NW(e,!1),fm:e,target:r},a.I.set(b.me,b),m.addCueRange(b.me));b=!0;if(a.j===a.api.Rc()&&(m=1E3*m.getCurrentTime(),m>=r.Ec&&mb)break;if(f>b)return{Ao:d,sz:b-e};c=f-d.Dd/1E3}return{Ao:null,sz:b-c}}; +RRa=function(a,b){var c=a.D||a.api.Rc().getPlayerState();QW(a,!0);b=isFinite(b)?b:a.j.Wp();var d=$Ra(a,b);b=d.Ao;d=d.sz;var e=b&&!OW(a,b)||!b&&a.j!==a.api.Rc(),f=1E3*d;f=a.B&&a.B.start<=f&&f<=a.B.end;!e&&f||PW(a);b?VRa(a,b,d,c):aSa(a,d,c)}; +aSa=function(a,b,c){var d=a.j,e=a.api.Rc();d!==e&&a.api.Nq();d.seekTo(b,{Je:"application_timelinemanager"});bSa(a,c)}; +VRa=function(a,b,c,d){var e=OW(a,b);if(!e){b.playerVars.prefer_gapless=!0;var f=new g.$L(a.Y,b.playerVars);f.Nc=b.Nc;a.api.Rs(f,b.playerType)}f=a.api.Rc();e||f.addCueRange(b.Tr.me);f.seekTo(c,{Je:"application_timelinemanager"});bSa(a,d)}; +bSa=function(a,b){a=a.api.Rc();var c=a.getPlayerState();g.RO(b)&&!g.RO(c)?a.playVideo():g.QO(b)&&!g.QO(c)&&a.pauseVideo()}; +QW=function(a,b){a.ea=NaN;a.T.stop();a.C&&b&&CRa(a.C);a.D=null;a.C=null}; +OW=function(a,b){a=a.api.Rc();return!!a&&a.getVideoData().Nc===b.Nc}; +cSa=function(a){var b=a.u.find(function(e){return OW(a,e)}); +if(b){var c=a.api.Rc();PW(a);var d=new g.KO(8);b=ZRa(a,b)/1E3;aSa(a,b,d);c.xa("forceParentTransition",{childPlayback:1});a.j.xa("forceParentTransition",{parentPlayback:1})}}; +eSa=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;for(var d=b,e=c,f=g.t(a.I),h=f.next();!h.done;h=f.next()){var l=g.t(h.value);h=l.next().value;l=l.next().value;l.fm>=d&&l.target&&l.target.Dd<=e&&(a.j.removeCueRange(h),a.I.delete(h))}d=b;e=c;f=[];h=g.t(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.Ec>=d&&l.Dd<=e){var m=a;m.J===l&&PW(m);OW(m,l)&&m.api.Nq()}else f.push(l);a.u=f;d=$Ra(a,b/1E3);b=d.Ao;d=d.sz;b&&(d*=1E3,dSa(a,b,d,b.Dd===b.Ec+b.durationMs?b.Ec+d:b.Dd));(b=$Ra(a,c/1E3).Ao)&& +MW(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Nc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.Ec+" parentReturnTimeMs="+b.Dd+"}.Child playbacks can only have duration updated not their start."))}; +dSa=function(a,b,c,d){b.durationMs=c;b.Dd=d;d={me:NW(c,!0),fm:c,target:null};URa(a,b,d);OW(a,b)&&1E3*a.api.Rc().getCurrentTime()>c&&(b=ZRa(a,b)/1E3,c=a.api.Rc().getPlayerState(),aSa(a,b,c))}; +MW=function(a,b,c,d){a.j.xa("timelineerror",{e:b,cpn:c?c:void 0,videoId:d?d:void 0})}; +gSa=function(a){a&&"web"!==a&&fSa.includes(a)}; +SW=function(a,b){g.C.call(this);var c=this;this.data=[];this.B=a||NaN;this.u=b||null;this.j=new g.Ip(function(){hSa(c);RW(c)}); +g.E(this,this.j)}; +hSa=function(a){var b=(0,g.M)();a.data.forEach(function(c){c.expire=d;d++)c.push(d/100);c={threshold:c,trackVisibility:!0,delay:1E3};(this.u=window.IntersectionObserver?new IntersectionObserver(function(e){e=e[e.length-1];"undefined"===typeof e.isVisible?b.j=null:b.j=e.isVisible?e.intersectionRatio:0},c):null)&&this.u.observe(a)}; +mSa=function(a){g.U.call(this,{G:"div",Ia:["html5-video-player"],X:{tabindex:"-1",id:a.webPlayerContextConfig?a.webPlayerContextConfig.rootElementId:a.config.attrs.id},W:[{G:"div",N:g.WW.VIDEO_CONTAINER,X:{"data-layer":"0"}}]});var b=this;this.app=a;this.kB=this.Da(g.WW.VIDEO_CONTAINER);this.Ez=new g.Em(0,0,0,0);this.kc=null;this.zH=new g.Em(0,0,0,0);this.gM=this.rN=this.qN=NaN;this.mG=this.vH=this.zO=this.QS=!1;this.YK=NaN;this.QM=!1;this.LC=null;this.MN=function(){b.element.focus()}; +this.gH=function(){b.app.Ta.ma("playerUnderlayVisibilityChange","visible");b.kc.classList.remove(g.WW.VIDEO_CONTAINER_TRANSITIONING);b.kc.removeEventListener(zKa,b.gH);b.kc.removeEventListener("transitioncancel",b.gH)}; +var c=this.element.addEventListener,d=this.element.removeEventListener;this.addEventListener=function(f,h,l){c.apply(b.element,[f,h,l])}; this.removeEventListener=function(f,h,l){d.apply(b.element,[f,h,l])}; -var e=a.T();e.transparentBackground&&this.Cp("ytp-transparent");"0"===e.controlsType&&this.Cp("ytp-hide-controls");e.ca("html5_ux_control_flexbox_killswitch")||g.I(this.element,"ytp-exp-bottom-control-flexbox");e.ca("html5_player_bottom_linear_gradient")&&g.I(this.element,"ytp-linear-gradient-bottom-experiment");e.ca("web_player_bigger_buttons")&&g.I(this.element,"ytp-exp-bigger-button");Bma(this.element,Fza(a));iC(e)&&"blazer"!==e.playerStyle&&window.matchMedia&&(this.P="desktop-polymer"===e.playerStyle? -[{query:window.matchMedia("(max-width: 656px)"),size:new g.he(426,240)},{query:window.matchMedia("(max-width: 856px)"),size:new g.he(640,360)},{query:window.matchMedia("(max-width: 999px)"),size:new g.he(854,480)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.he(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.he(854,480)},{query:window.matchMedia("(min-width: 1000px)"),size:new g.he(640,360)}]:[{query:window.matchMedia("(max-width: 656px)"), -size:new g.he(426,240)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.he(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.he(854,480)},{query:window.matchMedia("(min-width: 657px)"),size:new g.he(640,360)}]);this.ha=e.useFastSizingOnWatchDefault;this.D=new g.he(NaN,NaN);Gza(this);this.R(a.B,"onMutedAutoplayChange",this.Op)}; -Gza=function(a){function b(){a.u&&a0(a);b0(a)!==a.Z&&a.resize()} -function c(h,l){a.updateVideoData(l)} +var e=a.V();e.transparentBackground&&this.Dr("ytp-transparent");"0"===e.controlsType&&this.Dr("ytp-hide-controls");g.Qp(this.element,"ytp-exp-bottom-control-flexbox");e.K("enable_new_paid_product_placement")&&!g.GK(e)&&g.Qp(this.element,"ytp-exp-ppp-update");xoa(this.element,"version",kSa(a));this.OX=!1;this.FB=new g.He(NaN,NaN);lSa(this);this.S(a.Ta,"onMutedAutoplayChange",this.onMutedAutoplayChange)}; +lSa=function(a){function b(){a.kc&&XW(a);YW(a)!==a.QM&&a.resize()} +function c(h,l){a.Gs(h,l)} function d(h){h.getVideoData()&&a.updateVideoData(h.getVideoData())} -function e(){a.K=new g.ig(0,0,0,0);a.B=new g.ig(0,0,0,0)} -var f=a.app.B;f.addEventListener("initializingmode",e);f.addEventListener("videoplayerreset",d);f.addEventListener("videodatachange",c);f.addEventListener("presentingplayerstatechange",b);g.dg(a,function(){f.removeEventListener("initializingmode",e);f.removeEventListener("videoplayerreset",d);f.removeEventListener("videodatachange",c);f.removeEventListener("presentingplayerstatechange",b)})}; -Hza=function(a){a.u&&(a.u.removeEventListener("focus",a.da),g.Je(a.u),a.u=null)}; -XH=function(a,b){QB(a.app.T());a.I=!b;a0(a)}; -Iza=function(a){var b=g.R(a.app.T().experiments,"html5_aspect_from_adaptive_format"),c=g.Z(a.app);if(c=c?c.getVideoData():null){if(c.mj()||c.nj()||c.ij())return 16/9;if(b&&bF(c)&&c.Ia.wc())return b=c.Ia.videoInfos[0].video,c0(b.width,b.height)}return(a=a.u)?c0(a.videoWidth,a.videoHeight):b?16/9:NaN}; -Jza=function(a,b,c,d){var e=c,f=c0(b.width,b.height);a.ka?e=cf?h={width:b.width,height:b.width/e,aspectRatio:e}:ee?h.width=h.height*c:cMath.abs(d0*b-a)||1>Math.abs(d0/a-b)?d0:a/b}; -b0=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.Z(a.app);if(!b||$V(b))return!1;var c=g.lI(a.app.B);a=!g.T(c,2)||!g.R(a.app.T().experiments,"html5_leanback_gapless_elem_display_killswitch")&&b&&b.getVideoData().ni;b=g.T(c,1024);return c&&a&&!b&&!c.isCued()}; -a0=function(a){var b="3"===a.app.T().controlsType&&!a.I&&b0(a)&&!a.app.Za||!1;a.u.controls=b;a.u.tabIndex=b?0:-1;b?a.u.removeEventListener("focus",a.da):g.R(a.app.T().experiments,"disable_focus_redirect")||a.u.addEventListener("focus",a.da)}; -Kza=function(a){var b=a.getPlayerSize(),c=1,d=!1,e=Jza(a,b,a.getVideoAspectRatio()),f=ik();if(b0(a)){var h=Iza(a);var l=isNaN(h)||g.ar||gD&&g.sC;jk&&!g.$d(601)?h=e.aspectRatio:l=l||"3"===a.app.T().controlsType;l?l=new g.ig(0,0,b.width,b.height):(c=e.aspectRatio/h,l=new g.ig((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.sC&&(h=l.width-b.height*h,0=c&&b<=d}; -$za=function(a,b){var c=a.B.getAvailablePlaybackRates();b=Number(b.toFixed(2));var d=c[0];c=c[c.length-1];b<=d||(b>=c?d=c:(d=Math.floor(100*b+.001)%5,d=0===d?b:Math.floor(100*(b-.01*d)+.001)/100));return d}; -F0=function(a,b,c){if(a.Jc(c)){c=c.getVideoData();if(a.W){a=a.W;for(var d=g.q(a.B),e=d.next();!e.done;e=d.next())if(e=e.value,c.Yb===e.Yb){b+=e.Zb/1E3;break}d=b;a=g.q(a.B);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Yb===e.Yb)break;var f=e.Zb/1E3;if(ff?{width:b.width,height:b.width/e,aspectRatio:e}:ee?a.width=a.height*c:cMath.abs(qSa*b-a)||1>Math.abs(qSa/a-b)?qSa:a/b}; +YW=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.qS(a.app);if(!b||b.Mo())return!1;a=a.app.Ta.Cb();b=!g.S(a,2)||b&&b.getVideoData().fb;var c=g.S(a,1024);return a&&b&&!c&&!a.isCued()}; +XW=function(a){var b="3"===a.app.V().controlsType&&!a.mG&&YW(a)&&!a.app.oz||!1;a.kc.controls=b;a.kc.tabIndex=b?0:-1;b?a.kc.removeEventListener("focus",a.MN):a.kc.addEventListener("focus",a.MN)}; +rSa=function(a){var b=a.Ij(),c=1,d=!1,e=pSa(a,b,a.getVideoAspectRatio()),f=a.app.V(),h=f.K("enable_desktop_player_underlay"),l=koa(),m=g.gJ(f.experiments,"player_underlay_min_player_width");m=h&&a.zO&&a.getPlayerSize().width>m;if(YW(a)){var n=oSa(a);var p=isNaN(n)||g.oB||ZW&&g.BA||m;nB&&!g.Nc(601)?n=e.aspectRatio:p=p||"3"===f.controlsType;p?m?(p=f.K("place_shrunken_video_on_left_of_player"),n=.02*a.getPlayerSize().width,p=p?n:a.getPlayerSize().width-b.width-n,p=new g.Em(p,0,b.width,b.height)):p=new g.Em(0, +0,b.width,b.height):(c=e.aspectRatio/n,p=new g.Em((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.BA&&(n=p.width-b.height*n,0Math.max(p.width-e.width,p.height-e.height));if(l||a.OX)a.kc.style.display="";a.QM=!0}else{p=-b.height;nB?p*=window.devicePixelRatio:g.HK&&(p-=window.screen.height);p=new g.Em(0,p,b.width,b.height);if(l||a.OX)a.kc.style.display="none";a.QM=!1}Fm(a.zH,p)||(a.zH=p,g.mK(f)?(a.kc.style.setProperty("width", +p.width+"px","important"),a.kc.style.setProperty("height",p.height+"px","important")):g.Rm(a.kc,p.getSize()),d=new g.Fe(p.left,p.top),g.Nm(a.kc,Math.round(d.x),Math.round(d.y)),d=!0);b=new g.Em((b.width-e.width)/2,(b.height-e.height)/2,e.width,e.height);Fm(a.Ez,b)||(a.Ez=b,d=!0);g.Hm(a.kc,"transform",1===c?"":"scaleX("+c+")");h&&m!==a.vH&&(m&&(a.kc.addEventListener(zKa,a.gH),a.kc.addEventListener("transitioncancel",a.gH),a.kc.classList.add(g.WW.VIDEO_CONTAINER_TRANSITIONING)),a.vH=m,a.app.Ta.ma("playerUnderlayVisibilityChange", +a.vH?"transitioning":"hidden"));return d}; +sSa=function(){this.csn=g.FE();this.clientPlaybackNonce=null;this.elements=new Set;this.B=new Set;this.j=new Set;this.u=new Set}; +tSa=function(a,b){a.elements.has(b);a.elements.delete(b);a.B.delete(b);a.j.delete(b);a.u.delete(b)}; +uSa=function(a){if(a.csn!==g.FE())if("UNDEFINED_CSN"===a.csn)a.csn=g.FE();else{var b=g.FE(),c=g.EE();if(b&&c){a.csn=b;for(var d=g.t(a.elements),e=d.next();!e.done;e=d.next())(e=e.value.visualElement)&&e.isClientVe()&&g.my(g.bP)(void 0,b,c,e)}if(b)for(a=g.t(a.j),e=a.next();!e.done;e=a.next())(c=e.value.visualElement)&&c.isClientVe()&&g.hP(b,c)}}; +vSa=function(a,b){this.schedule=a;this.policy=b;this.playbackRate=1}; +wSa=function(a,b){var c=Math.min(2.5,VJ(a.schedule));a=$W(a);return b-c*a}; +ySa=function(a,b,c,d,e){e=void 0===e?!1:e;a.policy.Qk&&(d=Math.abs(d));d/=a.playbackRate;var f=1/XJ(a.schedule);c=Math.max(.9*(d-3),VJ(a.schedule)+2048*f)/f*a.policy.oo/(b+c);if(!a.policy.vf||d)c=Math.min(c,d);a.policy.Vf&&e&&(c=Math.max(c,a.policy.Vf));return xSa(a,c,b)}; +xSa=function(a,b,c){return Math.ceil(Math.max(Math.max(65536,a.policy.jo*c),Math.min(Math.min(a.policy.Ja,31*c),Math.ceil(b*c))))||65536}; +$W=function(a){return XJ(a.schedule,!a.policy.ol,a.policy.ao)}; +aX=function(a){return $W(a)/a.playbackRate}; +zSa=function(a,b,c,d,e){this.Fa=a;this.Sa=b;this.videoTrack=c;this.audioTrack=d;this.policy=e;this.seekCount=this.j=0;this.C=!1;this.u=this.Sa.isManifestless&&!this.Sa.Se;this.B=null}; +ASa=function(a,b){var c=a.j.index,d=a.u.Ma;pH(c,d)||b&&b.Ma===d?(a.D=!pH(c,d),a.ea=!pH(c,d)):(a.D=!0,a.ea=!0)}; +CSa=function(a,b,c,d,e){if(!b.j.Jg()){if(!(d=0===c||!!b.B.length&&b.B[0]instanceof bX))a:{if(b.B.length&&(d=b.B[0],d instanceof cX&&d.Yj&&d.vj)){d=!0;break a}d=!1}d||a.policy.B||dX(b);return c}a=eX(b,c);if(!isNaN(a))return a;e.EC||b.vk();return d&&(a=mI(d.Ig(),c),!isNaN(a))?(fX(b,a+BSa),c):fX(b,c)}; +GSa=function(a,b,c,d){if(a.hh()&&a.j){var e=DSa(a,b,c);if(-1!==e){a.videoTrack.D=!1;a.audioTrack.D=!1;a.u=!0;g.Mf(function(){a.Fa.xa("seekreason",{reason:"behindMinSq",tgt:e});ESa(a,e)}); +return}}c?a.videoTrack.ea=!1:a.audioTrack.ea=!1;var f=a.policy.tA||!a.u;0<=eX(a.videoTrack,a.j)&&0<=eX(a.audioTrack,a.j)&&f?((a.videoTrack.D||a.audioTrack.D)&&a.Fa.xa("iterativeSeeking",{status:"done",count:a.seekCount}),a.videoTrack.D=!1,a.audioTrack.D=!1):d&&g.Mf(function(){if(a.u||!a.policy.uc)FSa(a);else{var h=b.startTime,l=b.duration,m=c?a.videoTrack.D:a.audioTrack.D,n=-1!==a.videoTrack.I&&-1!==a.audioTrack.I,p=a.j>=h&&a.ja.seekCount?(a.seekCount++,a.Fa.xa("iterativeSeeking",{status:"inprogress",count:a.seekCount,target:a.j,actual:h,duration:l,isVideo:c}),a.seek(a.j,{})):(a.Fa.xa("iterativeSeeking",{status:"incomplete",count:a.seekCount,target:a.j,actual:h}),a.seekCount=0,a.videoTrack.D=!1,a.audioTrack.D=!1,a.Fa.va.seekTo(h+ +.1,{bv:!0,Je:"chunkSelectorSynchronizeMedia",Er:!0})))}})}; +DSa=function(a,b,c){if(!a.hh())return-1;c=(c?a.videoTrack:a.audioTrack).j.index;var d=c.uh(a.j);return(pH(c,a.Sa.Ge)||b.Ma===a.Sa.Ge)&&da.B&&(a.B=NaN,a.D=NaN);if(a.j&&a.j.Ma===d){d=a.j;e=d.jf;var f=c.gt(e);a.xa("sdai",{onqevt:e.event,sq:b.gb[0].Ma,gab:f});f?"predictStart"!==e.event?d.nC?iX(a,4,"cue"):(a.B=b.gb[0].Ma,a.D=b.gb[0].C,a.xa("sdai",{joinad:a.u,sg:a.B,st:a.D.toFixed(3)}),a.ea=Date.now(),iX(a,2,"join"),c.fG(d.jf)):(a.J=b.gb[0].Ma+ +Math.max(Math.ceil(-e.j/5E3),1),a.xa("sdai",{onpred:b.gb[0].Ma,est:a.J}),a.ea=Date.now(),iX(a,3,"predict"),c.fG(d.jf)):1===a.u&&iX(a,5,"nogab")}else 1===a.u&&iX(a,5,"noad")}}; +LSa=function(a,b,c){return(0>c||c===a.B)&&!isNaN(a.D)?a.D:b}; +MSa=function(a,b){if(a.j){var c=a.j.jf.Sg-(b.startTime+a.I-a.j.jf.startSecs);0>=c||(c=new PD(a.j.jf.startSecs-(isNaN(a.I)?0:a.I),c,a.j.jf.context,a.j.jf.identifier,"stop",a.j.jf.j+1E3*b.duration),a.xa("cuepointdiscontinuity",{segNum:b.Ma}),hX(a,c,b.Ma))}}; +iX=function(a,b,c){a.u!==b&&(a.xa("sdai",{setsst:b,old:a.u,r:c}),a.u=b)}; +jX=function(a,b,c,d){(void 0===d?0:d)?iX(a,1,"sk2h"):0b)return!0;a.ya.clear()}return!1}; +rX=function(a,b){return new kX(a.I,a.j,b||a.B.reason)}; +sX=function(a){return a.B.isLocked()}; +RSa=function(a){a.Qa?a.Qa=!1:a.ea=(0,g.M)();a.T=!1;return new kX(a.I,a.j,a.B.reason)}; +WSa=function(a,b){var c={};b=g.t(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.video){var e=d.video.j,f=c[e],h=f&&KH(f)&&f.video.j>a.policy.ya,l=e<=a.policy.ya?KH(d):BF(d);if(!f||h||l)c[e]=d}return c}; +mX=function(a,b){a.B=b;var c=a.D.videoInfos;if(!sX(a)){var d=(0,g.M)();c=g.Rn(c,function(q){if(q.dc>this.policy.dc)return!1;var r=this.Sa.j[q.id],v=r.info.Lb;return this.policy.Pw&&this.Ya.has(v)||this.ya.get(q.id)>d||4=q.video.width&&480>=q.video.height}))}c.length||(c=a.D.videoInfos); +var e=g.Rn(c,b.C,b);if(sX(a)&&a.oa){var f=g.nb(c,function(q){return q.id===a.oa}); +f?e=[f]:delete a.oa}f="m"===b.reason||"s"===b.reason;a.policy.Uw&&ZW&&g.BA&&(!f||1080>b.j)&&(e=e.filter(function(q){return q.video&&(!q.j||q.j.powerEfficient)})); +if(0c.uE.video.width?(g.tb(e,b),b--):oX(a,c.tE)*a.policy.J>oX(a,c.uE)&&(g.tb(e,b-1),b--);c=e[e.length-1];a.ib=!!a.j&&!!a.j.info&&a.j.info.Lb!==c.Lb;a.C=e;yLa(a.policy,c)}; +OSa=function(a,b){b?a.u=a.Sa.j[b]:(b=g.nb(a.D.j,function(c){return!!c.Jc&&c.Jc.isDefault}),a.policy.Wn&&!b&&(b=g.nb(a.D.j,function(c){return c.audio.j})),b=b||a.D.j[0],a.u=a.Sa.j[b.id]); +lX(a)}; +XSa=function(a,b){for(var c=0;c+1d}; +lX=function(a){if(!a.u||!a.policy.u&&!a.u.info.Jc){var b=a.D.j;a.u&&a.policy.Wn&&(b=b.filter(function(d){return d.audio.j===a.u.info.audio.j}),b.length||(b=a.D.j)); +a.u=a.Sa.j[b[0].id];if(1a.B.j:XSa(a,a.u))a.u=a.Sa.j[g.jb(b).id]}}}; +nX=function(a){a.policy.Si&&(a.La=a.La||new g.Ip(function(){a.policy.Si&&a.j&&!qX(a)&&1===Math.floor(10*Math.random())?(pX(a,a.j),a.T=!0):a.La.start()},6E4),g.Jp(a.La)); +if(!a.nextVideo||!a.policy.u)if(sX(a))a.nextVideo=360>=a.B.j?a.Sa.j[a.C[0].id]:a.Sa.j[g.jb(a.C).id];else{for(var b=Math.min(a.J,a.C.length-1),c=aX(a.Aa),d=oX(a,a.u.info),e=c/a.policy.T-d;0=f);b++);a.nextVideo=a.Sa.j[a.C[b].id];a.J!==b&&a.logger.info(function(){var h=a.B;return"Adapt to: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", bandwidth to downgrade: "+e.toFixed(0)+", bandwidth to upgrade: "+f.toFixed(0)+ +", constraint: ["+(h.u+"-"+h.j+", override: "+(h.B+", reason: "+h.reason+"]"))}); +a.J=b}}; +PSa=function(a){var b=a.policy.T,c=aX(a.Aa),d=c/b-oX(a,a.u.info);b=g.ob(a.C,function(e){return oX(this,e)b&&(b=0);a.J=b;a.nextVideo=a.Sa.j[a.C[b].id];a.logger.info(function(){return"Initial selected fmt: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", max video byterate: "+d.toFixed(0)})}; +QSa=function(a){if(a.kb.length){var b=a.kb,c=function(d,e){if("f"===d.info.Lb||b.includes(SG(d,a.Sa.fd,a.Fa.Ce())))return d;for(var f={},h=0;ha.policy.aj&&(c*=1.5);return c}; +YSa=function(a,b){a=fba(a.Sa.j,function(c){return c.info.itag===b}); +if(!a)throw Error("Itag "+b+" from server not known.");return a}; +ZSa=function(a){var b=[];if("m"===a.B.reason||"s"===a.B.reason)return b;if(Rva(a.Sa)){for(var c=Math.max(0,a.J-2);c=f+100?e=!0:h+100Math.abs(p.startTimeMs+p.durationMs-h)):!0)d=eTa(a,b,h),p={formatId:c,startTimeMs:h,durationMs:0,Gt:f},d+=1,b.splice(d,0,p);p.durationMs+=1E3*e.info.I;p.fh=f;a=d}return a}; +eTa=function(a,b,c){for(var d=-1,e=0;ef&&(d=e);if(c>=h&&c<=f)return e}return d}; +bTa=function(a,b){a=g.Jb(a,{startTimeMs:b},function(c,d){return c.startTimeMs-d.startTimeMs}); +return 0<=a?a:-a-2}; +gTa=function(a){if(a.Vb){var b=a.Vb.Ig();if(0===b.length)a.ze=[];else{var c=[],d=1E3*b.start(0);b=1E3*b.end(b.length-1);for(var e=g.t(a.ze),f=e.next();!f.done;f=e.next())f=f.value,f.startTimeMs+f.durationMsb?--a.j:c.push(f);if(0!==c.length){e=c[0];if(e.startTimeMsb&&a.j!==c.length-1&&(f=a.Sa.I.get(Sva(a.Sa,d.formatId)),b=f.index.uh(b/1E3),h=Math.max(0,b-1),h>=d.Gt-a.u?(d.fh=h+a.u,b=1E3*f.index.getStartTime(b),d.durationMs-=e-b):c.pop()),a.ze=c)}}}}; +hTa=function(a){var b=[],c=[].concat(g.u(a.Az));a.ze.forEach(function(h){b.push(Object.assign({},h))}); +for(var d=a.j,e=g.t(a.B.bU()),f=e.next();!f.done;f=e.next())d=fTa(a,b,c,d,f.value);b.forEach(function(h){h.startTimeMs&&(h.startTimeMs+=1E3*a.timestampOffset)}); +return{ze:b,Az:c}}; +cTa=function(a,b,c){var d=b.startTimeMs+b.durationMs,e=c.startTimeMs+c.durationMs;if(100=Math.abs(b.startTimeMs-c.startTimeMs)){if(b.durationMs>c.durationMs+100){a=b.formatId;var f=b.fh;b.formatId=c.formatId;b.durationMs=c.durationMs;b.fh=c.fh;c.formatId=a;c.startTimeMs=e;c.durationMs=d-e;c.Gt=b.fh+1;c.fh=f;return!1}b.formatId=c.formatId;return!0}d>c.startTimeMs&& +(b.durationMs=c.startTimeMs-b.startTimeMs,b.fh=c.Gt-1);return!1}; +dTa=function(a,b,c){return b.itag!==c.itag||b.xtags!==c.xtags?!1:a.Sa.fd||b.jj===c.jj}; +aTa=function(a,b){return{formatId:MH(b.info.j.info,a.Sa.fd),Ma:b.info.Ma+a.u,startTimeMs:1E3*b.info.C,clipId:b.info.clipId}}; +iTa=function(a){a.ze=[];a.Az=[];a.j=-1}; +jTa=function(a,b){this.u=(new TextEncoder).encode(a);this.j=(new TextEncoder).encode(b)}; +Eya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("woe");d=new g.JJ(a.u);return g.y(f,d.encrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +Kya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("wod");d=new g.JJ(a.u);return g.y(f,d.decrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +lTa=function(a,b,c){var d=this;this.policy=a;this.j=b;this.Aa=c;this.C=this.u=0;this.Cf=null;this.Z=new Set;this.ea=[];this.indexRange=this.initRange=null;this.T=new aK;this.oa=this.ya=!1;this.Ne={t7a:function(){return d.B}, +X6a:function(){return d.chunkSize}, +W6a:function(){return d.J}, +V6a:function(){return d.I}}; +(b=kTa(this))?(this.chunkSize=b.csz,this.B=Math.floor(b.clen/b.csz),this.J=b.ck,this.I=b.civ):(this.chunkSize=a.Qw,this.B=0,this.J=g.KD(16),this.I=g.KD(16));this.D=new Uint8Array(this.chunkSize);this.J&&this.I&&(this.crypto=new jTa(this.J,this.I))}; +kTa=function(a){if(a.policy.je&&a.policy.Sw)for(var b={},c=g.t(a.policy.je),d=c.next();!d.done;b={vE:b.vE,wE:b.wE},d=c.next())if(d=g.sy(d.value),b.vE=+d.clen,b.wE=+d.csz,0=d.length)return;if(0>c)throw Error("Missing data");a.C=a.B;a.u=0}for(e={};c=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.j.totalLength)throw Error();return RF(a.j,a.offset++)}; +CTa=function(a,b){b=void 0===b?!1:b;var c=BTa(a);if(1===c){b=-1;for(c=0;7>c;c++){var d=BTa(a);-1===b&&255!==d&&(b=0);-1e&&d>c;e++)c=256*c+BTa(a),d*=128;return b?c:c-d}; +ETa=function(a,b,c){var d=this;this.Fa=a;this.policy=b;this.I=c;this.logger=new g.eW("dash");this.u=[];this.j=null;this.ya=-1;this.ea=0;this.Ga=NaN;this.Z=0;this.B=NaN;this.T=this.La=0;this.Ya=-1;this.Ja=this.C=this.D=this.Aa=null;this.fb=this.Xa=NaN;this.J=this.oa=this.Qa=this.ib=null;this.kb=!1;this.timestampOffset=0;this.Ne={bU:function(){return d.u}}; +if(this.policy.u){var e=this.I,f=this.policy.u;this.policy.La&&a.xa("atv",{ap:this.policy.La});this.J=new lTa(this.policy,e,function(h,l,m){zX(a,new yX(d.policy.u,2,{tD:new zTa(f,h,e.info,l,m)}))}); +this.J.T.promise.then(function(h){d.J=null;1===h?zX(a,new yX(d.policy.u,h)):d.Fa.xa("offlineerr",{status:h.toString()})},function(h){var l=(h.message||"none").replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"); +h instanceof xX&&!h.j?(d.logger.info(function(){return"Assertion failed: "+l}),d.Fa.xa("offlinenwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4))):(d.logger.info(function(){return"Failed to write to disk: "+l}),d.Fa.xa("dldbwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4,{oG:!0})))})}}; +FTa=function(a){return a.u.length?a.u[0]:null}; +AX=function(a){return a.u.length?a.u[a.u.length-1]:null}; +MTa=function(a,b,c,d){d=void 0===d?0:d;if(a.C){var e=a.C.Ob+a.C.u;if(0=a.ya&&0===a.ea){var h=a.j.j;e=f=-1;if(c){for(var l=0;l+8e&&(f=-1)}else{h=new ATa(h);for(m=l=!1;;){n=h.Yp();var p=h;try{var q=CTa(p,!0),r=CTa(p,!1);var v=q;var x=r}catch(B){x=v=-1}p=v;var z=x;if(!(0f&&(f=n),m))break;163===p&&(f=Math.max(0,f),e=h.Yp()+z);if(160===p){0>f&&(e=f=h.Yp()+z);break}h.skip(z)}}0>f&&(e=-1)}if(0>f)break;a.ya=f;a.ea=e-f}if(a.ya>d)break;a.ya?(d=JTa(a,a.ya),d.C&&KTa(a,d),HTa(a,b,d),LTa(a,d),a.ya=0):a.ea&&(d=JTa(a,0>a.ea?Infinity:a.ea),a.ea-=d.j.totalLength,LTa(a,d))}}a.j&&a.j.info.bf&&(LTa(a,a.j),a.j=null)}; +ITa=function(a,b){!b.info.j.Ym()&&0===b.info.Ob&&(g.vH(b.info.j.info)||b.info.j.info.Ee())&&tva(b);if(1===b.info.type)try{KTa(a,b),NTa(a,b)}catch(d){g.CD(d);var c=cH(b.info);c.hms="1";a.Fa.handleError("fmt.unparseable",c||{},1)}c=b.info.j;c.mM(b);a.J&&qTa(a.J,b);c.Jg()&&a.policy.B&&(a=a.Fa.Sa,a.La.push(MH(c.info,a.fd)))}; +DTa=function(a){var b;null==(b=a.J)||b.dispose();a.J=null}; +OTa=function(a){var b=a.u.reduce(function(c,d){return c+d.j.totalLength},0); +a.j&&(b+=a.j.j.totalLength);return b}; +JTa=function(a,b){var c=a.j;b=Math.min(b,c.j.totalLength);if(b===c.j.totalLength)return a.j=null,c;c=nva(c,b);a.j=c[1];return c[0]}; +KTa=function(a,b){var c=tH(b);if(JH(b.info.j.info)&&"bt2020"===b.info.j.info.video.primaries){var d=new uG(c);wG(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.pos,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.j.info;BF(d)&&!JH(d)&&(d=tH(b),(new uG(d)).Xm(),AG([408125543,374648427,174,224],21936,d));b.info.j.info.Xg()&&(d=b.info.j,d.info&&d.info.video&&"MESH"===d.info.video.projectionType&&!d.B&&(g.vH(d.info)?d.B=vua(c):d.info.Ee()&&(d.B=Cua(c))));b.info.j.info.Ee()&& +b.info.Xg()&&(c=tH(b),(new uG(c)).Xm(),AG([408125543,374648427,174,224],30320,c)&&AG([408125543,374648427,174,224],21432,c));if(a.policy.uy&&b.info.j.info.Ee()){c=tH(b);var e=new uG(c);if(wG(e,[408125543,374648427,174,29637])){d=zG(e,!0);e=e.start+e.pos;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=cG(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.j,e))}}if(b=a.Aa&&!!a.Aa.I.D)if(b=c.info.Xg())b=rva(c),h=a.Aa,CX?(l=1/b,b=DX(a,b)>=DX(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&PTa(c)&&(b=a.Aa,CX?(l=rva(c),h=1/l,l=DX(a,l),b=DX(b)+h-l):b=b.getDuration()- +a.getDuration(),b=1+b/c.info.duration,uua(tH(c),b))}else{h=!1;a.D||(tva(c),c.u&&(a.D=c.u,h=!0,f=c.info,d=c.u.j,f.D="updateWithEmsg",f.Ma=d,f=c.u,f.C&&(a.I.index.u=!f.C),f=c.info.j.info,d=tH(c),g.vH(f)?sG(d,1701671783):f.Ee()&&AG([408125543],307544935,d)));a:if((f=xH(c,a.policy.Pb))&&sva(c))l=QTa(a,c),a.T+=l,f-=l,a.Z+=f,a.B=a.policy.Zi?a.B+f:NaN;else{if(a.policy.po){if(d=m=a.Fa.Er(ova(c),1),0<=a.B&&6!==c.info.type){if(a.policy.Zi&&isNaN(a.Xa)){g.DD(new g.bA("Missing duration while processing previous chunk", +dH(c.info)));a.Fa.isOffline()&&!a.policy.ri||RTa(a,c,d);GTa(a,"m");break a}var n=m-a.B,p=n-a.T,q=c.info.Ma,r=a.Ja?a.Ja.Ma:-1,v=a.fb,x=a.Xa,z=a.policy.ul&&n>a.policy.ul,B=10Math.abs(a.B-d);if(1E-4l&&f>a.Ya)&&m){d=Math.max(.95,Math.min(1.05,(c-(h-e))/c));if(g.vH(b.info.j.info))uua(tH(b),d);else if(b.info.j.info.Ee()&&(f=e-h,!g.vH(b.info.j.info)&&(b.info.j.info.Ee(),d=new uG(tH(b)),l=b.C?d:new uG(new DataView(b.info.j.j.buffer)),xH(b,!0)))){var n= +1E3*f,p=GG(l);l=d.pos;d.pos=0;if(160===d.j.getUint8(d.pos)||HG(d))if(yG(d,160))if(zG(d,!0),yG(d,155)){if(f=d.pos,m=zG(d,!0),d.pos=f,n=1E9*n/p,p=BG(d),n=p+Math.max(.7*-p,Math.min(p,n)),n=Math.sign(n)*Math.floor(Math.abs(n)),!(Math.ceil(Math.log(n)/Math.log(2)/8)>m)){d.pos=f+1;for(f=m-1;0<=f;f--)d.j.setUint8(d.pos+f,n&255),n>>>=8;d.pos=l}}else d.pos=l;else d.pos=l;else d.pos=l}d=xH(b,a.policy.Pb);d=c-d}d&&b.info.j.info.Ee()&&a.Fa.xa("webmDurationAdjustment",{durationAdjustment:d,videoDrift:e+d,audioDrift:h})}return d}; +PTa=function(a){return a.info.j.Ym()&&a.info.Ma===a.info.j.index.td()}; +DX=function(a,b){b=(b=void 0===b?0:b)?Math.round(a.timestampOffset*b)/b:a.timestampOffset;a.I.D&&b&&(b+=a.I.D.j);return b+a.getDuration()}; +VTa=function(a,b){0>b||(a.u.forEach(function(c){wH(c,b)}),a.timestampOffset=b)}; +EX=function(a,b){var c=b.Jh,d=b.Iz,e=void 0===b.BB?1:b.BB,f=void 0===b.kH?e:b.kH,h=void 0===b.Mr?!1:b.Mr,l=void 0===b.tq?!1:b.tq,m=void 0===b.pL?!1:b.pL,n=b.Hk,p=b.Ma;b=b.Tg;this.callbacks=a;this.requestNumber=++WTa;this.j=this.now();this.ya=this.Qa=NaN;this.Ja=0;this.C=this.j;this.u=0;this.Xa=this.j;this.Aa=0;this.Ya=this.La=this.isActive=!1;this.B=0;this.Z=NaN;this.J=this.D=Infinity;this.T=NaN;this.Ga=!1;this.ea=NaN;this.I=void 0;this.Jh=c;this.Iz=d;this.policy=this.Jh.ya;this.BB=e;this.kH=f;this.Mr= +h;this.tq=l;m&&(this.I=[]);this.Hk=n;this.Ma=p;this.Tg=b;this.snapshot=YJ(this.Jh);XTa(this);YTa(this,this.j);this.Z=(this.ea-this.j)/1E3}; +ZTa=function(a,b){a.url=b;window.performance&&!performance.onresourcetimingbufferfull&&(performance.onresourcetimingbufferfull=function(){performance.clearResourceTimings()})}; +FX=function(a){var b={rn:a.requestNumber,rt:(a.now()-a.j).toFixed(),lb:a.u,pt:(1E3*a.Z).toFixed(),pb:a.BB,stall:(1E3*a.B).toFixed(),ht:(a.Qa-a.j).toFixed(),elt:(a.ya-a.j).toFixed(),elb:a.Ja};a.url&&qQa(b,a.url);return b}; +bUa=function(a,b,c,d){if(!a.La){a.La=!0;if(!a.tq){$Ta(a,b,c);aUa(a,b,c);var e=a.gs();if(2===e&&d)GX(a,a.u/d,a.u);else if(2===e||1===e)d=(b-a.j)/1E3,(d<=a.policy.j||!a.policy.j)&&!a.Ya&&HX(a)&&GX(a,d,c),HX(a)&&(d=a.Jh,d.j.zi(1,a.B/Math.max(c,2048)),ZJ(d));c=a.Jh;b=(b-a.j)/1E3||.05;d=a.Z;e=a.Mr;c.I.zi(b,a.u/b);c.C=(0,g.M)();e||c.u.zi(1,b-d)}IX(a)}}; +IX=function(a){a.isActive&&(a.isActive=!1)}; +aUa=function(a,b,c){var d=(b-a.C)/1E3,e=c-a.u,f=a.gs();if(a.isActive)1===f&&0e?(a.B+=d,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=HX(a)?d+b:d+Math.max(b,c);a.ea=d}; +eUa=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; +jUa=function(a,b){if(b+1<=a.totalLength){var c=RF(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)a=RF(a,b++);else if(2===c)c=RF(a,b++),a=RF(a,b++),a=(c&63)+64*a;else if(3===c){c=RF(a,b++);var d=RF(a,b++);a=RF(a,b++);a=(c&31)+32*(d+256*a)}else if(4===c){c=RF(a,b++);d=RF(a,b++);var e=RF(a,b++);a=RF(a,b++);a=(c&15)+16*(d+256*(e+256*a))}else c=b+1,a.focus(c),PF(a,c,4)?a=gua(a).getUint32(c-a.B,!0):(d=RF(a,c+2)+256*RF(a,c+3),a=RF(a,c)+256*(RF(a,c+1)+ +256*d)),b+=5;return[a,b]}; +KX=function(a){this.callbacks=a;this.j=new LF}; +LX=function(a,b){this.info=a;this.callback=b;this.state=1;this.Bz=this.tM=!1;this.Zd=null}; +kUa=function(a){return g.Zl(a.info.gb,function(b){return 3===b.type})}; +lUa=function(a,b,c,d){var e=this;d=void 0===d?{}:d;this.policy=b;this.callbacks=c;this.status=0;this.j=new LF;this.B=0;this.isDisposed=this.C=!1;this.D=0;this.xhr=new XMLHttpRequest;this.xhr.open(d.method||"GET",a);if(d.headers)for(a=d.headers,b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.xhr.setRequestHeader(c,a[c]);this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){return e.wz()}; +this.xhr.onload=function(){return e.onDone()}; +this.xhr.onerror=function(){return e.onError()}; +this.xhr.fetch(function(f){e.u&&e.j.append(e.u);e.policy.j?e.j.append(f):e.u=f;e.B+=f.length;f=(0,g.M)();10this.policy.ox?!1:!0:!1,a),this.Bd.j.start(),g.Mf(function(){})}catch(z){xUa(this,z,!0)}}; +vUa=function(a){if(!(hH(a.info)&&a.info.Mr()&&a.policy.rd&&a.pD)||2<=a.info.j.u||0=b&&(e.u.pop(),e.B-=xH(l,e.policy.Pb),f=l.info)}f&&(e.C=0c?fX(a,d):a.u=a.j.Br(b-1,!1).gb[0]}; +XX=function(a,b){var c;for(c=0;c=a.Z:c}; +YX=function(a){var b;return TX(a)||!(null==(b=AX(a.C))||!YG(b.info))}; +HUa=function(a){var b=[],c=RX(a);c&&b.push(c);b=g.zb(b,a.C.Om());c=g.t(a.B);for(var d=c.next();!d.done;d=c.next()){d=d.value;for(var e={},f=g.t(d.info.gb),h=f.next();!h.done;e={Kw:e.Kw},h=f.next())e.Kw=h.value,d.tM&&(b=g.Rn(b,function(l){return function(m){return!Xua(m,l.Kw)}}(e))),($G(e.Kw)||4===e.Kw.type)&&b.push(e.Kw)}a.u&&!Qua(a.u,g.jb(b),a.u.j.Ym())&&b.push(a.u); +return b}; +GUa=function(a,b){if(!a.length)return!1;for(b+=1;b=b){b=f;break a}}b=e}return 0>b?NaN:GUa(a,c?b:0)?a[b].startTime:NaN}; +ZX=function(a){return!(!a.u||a.u.j===a.j)}; +MUa=function(a){return ZX(a)&&a.j.Jg()&&a.u.j.info.dcb&&a.Bb)return!0;var c=a.td();return bb)return 1;c=a.td();return b=f)return 1;d=b.zm;if(!d||e(0,g.M)()?0:1}; +$X=function(a,b,c,d,e,f,h,l,m,n,p,q){g.C.call(this);this.Fa=a;this.policy=b;this.videoTrack=c;this.audioTrack=d;this.C=e;this.j=f;this.timing=h;this.D=l;this.schedule=m;this.Sa=n;this.B=p;this.Z=q;this.oa=!1;this.yD="";this.Hk=null;this.J=0;this.Tg=NaN;this.ea=!1;this.u=null;this.Yj=this.T=NaN;this.vj=null;this.I=0;this.logger=new g.eW("dash");0f&&(c=d.j.hx(d,e-h.u)))),d=c):(0>d.Ma&&(c=cH(d),c.pr=""+b.B.length,a.Fa.hh()&&(c.sk="1"),c.snss=d.D,a.Fa.xa("nosq",c)),d=h.PA(d));if(a.policy.oa)for(c=g.t(d.gb),e=c.next();!e.done;e=c.next())e.value.type=6}else d.j.Ym()?(c=ySa(a.D,b.j.info.dc,c.j.info.dc,0),d=d.j.hx(d,c)):d=d.j.PA(d);if(a.u){l=d.gb[0].j.info.id; +c=a.j;e=d.gb[0].Ma;c=0>e&&!isNaN(c.B)?c.B:e;e=LSa(a.j,d.gb[0].C,c);var m=b===a.audioTrack?1:2;f=d.gb[0].j.info.Lb;h=l.split(";")[0];if(a.policy.Aa&&0!==a.j.u){if(l=a.u.Ds(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),l){var n;m=(null==(n=l.Pz)?void 0:n.Qr)||"";var p;n=(null==(p=l.Pz)?void 0:p.RX)||-1;a.Fa.xa("sdai",{ssdaiinfo:"1",ds:m,skipsq:n,itag:h,f:f,sg:c,st:e.toFixed(3)});d.J=l}}else if(p=a.u.Im(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),p){n={dec_sq:c,itag:h,st:e.toFixed(3)};if(a.policy.Xy&&b.isRequestPending(c- +1)){a.Fa.xa("sdai",{wt_daistate_on_sg:c-1});return}a.Fa.xa("sdai",n);p&&(d.u=new g.DF(p))}else 5!==a.j.u&&a.Fa.xa("sdai",{nodec_sq:c,itag:h,st:e.toFixed(3)})}a.policy.hm&&-1!==d.gb[0].Ma&&d.gb[0].Ma=e.J?(e.xa("sdai",{haltrq:f+1,est:e.J}),d=!1):d=2!==e.u;if(!d||!QG(b.u?b.u.j.u:b.j.u,a.policy,a.C)||a.Fa.isSuspended&&(!mxa(a.schedule)||a.Fa.sF))return!1;if(a.policy.u&&5<=PL)return g.Jp(a.Fa.FG),!1;if(a.Sa.isManifestless){if(0=a.policy.rl||!a.policy.Ax&&0=a.policy.qm)return!1;d=b.u;if(!d)return!0;4===d.type&&d.j.Jg()&&(b.u=g.jb(d.j.Jz(d)),d=b.u);if(!YG(d)&&!d.j.Ar(d))return!1;f=a.Sa.Se||a.Sa.B;if(a.Sa.isManifestless&&f){f=b.j.index.td();var h=c.j.index.td();f=Math.min(f,h);if(0= +f)return b.Z=f,c.Z=f,!1}if(d.j.info.audio&&4===d.type)return!1;if(!a.policy.Ld&&MUa(b)&&!a.policy.Oc)return!0;if(YG(d)||!a.policy.Ld&&UX(b)&&UX(b)+UX(c)>a.policy.kb)return!1;f=!b.D&&!c.D;if(e=!e)e=d.B,e=!!(c.u&&!YG(c.u)&&c.u.BZUa(a,b)?(ZUa(a,b),!1):(a=b.Vb)&&a.isLocked()?!1:!0}; +ZUa=function(a,b){var c=a.j;c=c.j?c.j.jf:null;if(a.policy.oa&&c)return c.startSecs+c.Sg+15;b=VUa(a.Fa,b,!0);!sX(a.Fa.ue)&&0a.Fa.getCurrentTime())return c.start/1E3;return Infinity}; +aVa=function(a,b,c){if(0!==c){a:if(b=b.info,c=2===c,b.u)b=null;else{var d=b.gb[0];if(b.range)var e=VG(b.range.start,Math.min(4096,b.C));else{if(b.B&&0<=b.B.indexOf("/range/")||"1"===b.j.B.get("defrag")||"1"===b.j.B.get("otf")){b=null;break a}e=VG(0,4096)}e=new fH([new XG(5,d.j,e,"createProbeRequestInfo"+d.D,d.Ma)],b.B);e.I=c;e.u=b.u;b=e}b&&XUa(a,b)}}; +XUa=function(a,b){a.Fa.iG(b);var c=Zua(b);c={Jh:a.schedule,BB:c,kH:wSa(a.D,c),Mr:ZG(b.gb[0]),tq:GF(b.j.j),pL:a.policy.D,Iz:function(e,f){a.Fa.DD(e,f)}}; +a.Hk&&(c.Ma=b.gb[0].Ma,c.Tg=b.Tg,c.Hk=a.Hk);var d={Au:$ua(b,a.Fa.getCurrentTime()),pD:a.policy.rd&&hH(b)&&b.gb[0].j.info.video?ZSa(a.B):void 0,aE:a.policy.oa,poToken:a.Fa.cM(),Nv:a.Fa.XB(),yD:a.yD,Yj:isNaN(a.Yj)?null:a.Yj,vj:a.vj};return new cX(a.policy,b,c,a.C,function(e,f){try{a:{var h=e.info.gb[0].j,l=h.info.video?a.videoTrack:a.audioTrack;if(!(2<=e.state)||e.isComplete()||e.As()||!(!a.Fa.Wa||a.Fa.isSuspended||3f){if(a.policy.ib){var n=e.policy.jE?Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing),cncl:e.isDisposed()}):Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing)});a.Fa.xa("rqs",n)}e.GX&&a.Fa.xa("sbwe3",{},!0)}if(!a.isDisposed()&&2<=e.state){var p=a.timing,q=e.info.gb[0].j,r=!p.J&&q.info.video,v=!p.u&&q.info.audio;3===e.state?r?p.tick("vrr"):v&&p.tick("arr"):4===e.state?r?(p.J=e.Ze(),g.iA(),kA(4)):v&&(p.u=e.Ze()):e.qv()&&r&&(g.iA(),kA(4));var x= +a.Fa;a.Yj&&e.FK&&x&&(a.Yj=NaN,a.Fa.xa("cabrUtcSeek",{mediaTimeSeconds:e.FK}));if(3===e.state){XX(l,e);hH(e.info)&&aY(a,l,h,!0);if(a.u){var z=e.info.Im();z&&a.u.Bk(e.info.gb[0].Ma,h.info.id,z)}a.Fa.gf()}else if(e.isComplete()&&5===e.info.gb[0].type){if(4===e.state){var B=(e.info.gb[0].j.info.video?a.videoTrack:a.audioTrack).B[0]||null;B&&B instanceof cX&&B.As()&&B.iE(!0)}e.dispose()}else{if(!e.Wm()&&e.Bz&&2<=e.state&&3!==e.state){var F=e.xhr.getResponseHeader("X-Response-Itag");if(F){var G=YSa(a.B, +F),D=e.info.C;if(D){var L=D-G.WL();G.C=!0;e.info.gb[0].j.C=!1;var P=G.Uu(L);e.info=P;if(e.Zd){var T=e.Zd,fa=P.gb;(fa.length!==T.gb.length||fa.lengtha.j||c.push(d)}return c}; +nVa=function(a,b,c){b.push.apply(b,g.u(lVa[a]||[]));c.K("html5_early_media_for_drm")&&b.push.apply(b,g.u(mVa[a]||[]))}; +sVa=function(a,b){var c=vM(a),d=a.V().D;if(eY&&!d.j)return eY;for(var e=[],f=[],h={},l=g.t(oVa),m=l.next();!m.done;m=l.next()){var n=!1;m=g.t(m.value);for(var p=m.next();!p.done;p=m.next()){p=p.value;var q=pVa(p);!q||!q.video||KH(q)&&!c.Ja&&q.video.j>c.C||(n?(e.push(p),nVa(p,e,a)):(q=sF(c,q,d),!0===q?(n=!0,e.push(p),nVa(p,e,a)):h[p]=q))}}l=g.t(qVa);for(n=l.next();!n.done;n=l.next())for(n=g.t(n.value),p=n.next();!p.done;p=n.next())if(m=p.value,(p=rVa(m))&&p.audio&&(a.K("html5_onesie_51_audio")||!AF(p)&& +!zF(p)))if(p=sF(c,p,d),!0===p){f.push(m);nVa(m,f,a);break}else h[m]=p;c.B&&b("orfmts",h);eY={video:e,audio:f};d.j=!1;return eY}; +pVa=function(a){var b=HH[a],c=tVa[b],d=uVa[a];if(!d||!c)return null;var e=new EH(d.width,d.height,d.fps);c=GI(c,e,b);return new IH(a,c,{video:e,dc:d.bitrate/8})}; +rVa=function(a){var b=tVa[HH[a]],c=vVa[a];return c&&b?new IH(a,b,{audio:new CH(c.audioSampleRate,c.numChannels)}):null}; +xVa=function(a){return{kY:mya(a,1,wVa)}}; +yVa=function(a){return{S7a:kL(a,1)}}; +wVa=function(a){return{clipId:nL(a,1),nE:oL(a,2,zVa),Z4:oL(a,3,yVa)}}; +zVa=function(a){return{a$:nL(a,1),k8:kL(a,2),Q7a:kL(a,3),vF:kL(a,4),Nt:kL(a,5)}}; +AVa=function(a){return{first:kL(a,1),eV:kL(a,2)}}; +CVa=function(a,b){xL(a,1,b.formatId,fY,3);tL(a,2,b.startTimeMs);tL(a,3,b.durationMs);tL(a,4,b.Gt);tL(a,5,b.fh);xL(a,9,b.t6a,BVa,3)}; +DVa=function(a,b){wL(a,1,b.videoId);tL(a,2,b.jj)}; +BVa=function(a,b){var c;if(b.uS)for(c=0;ca;a++)jY[a]=255>=a?9:7;eWa.length=32;eWa.fill(5);kY.length=286;kY.fill(0);for(a=261;285>a;a++)kY[a]=Math.floor((a-261)/4);lY[257]=3;for(a=258;285>a;a++){var b=lY[a-1];b+=1<a;a++)fWa[a]=3>=a?0:Math.floor((a-2)/2);for(a=mY[0]=1;30>a;a++)b=mY[a-1],b+=1<a.Sj.length&&(a.Sj=new Uint8Array(2*a.B),a.B=0,a.u=0,a.C=!1,a.j=0,a.register=0)}a.Sj.length!==a.B&&(a.Sj=a.Sj.subarray(0,a.B));return a.error?new Uint8Array(0):a.Sj}; +kWa=function(a,b,c){b=iWa(b);c=iWa(c);for(var d=a.data,e=a.Sj,f=a.B,h=a.register,l=a.j,m=a.u;;){if(15>l){if(m>d.length){a.error=!0;break}h|=(d[m+1]<<8)+d[m]<n)for(h>>=7;0>n;)n=b[(h&1)-n],h>>=1;else h>>=n&15;l-=n&15;n>>=4;if(256>n)e[f++]=n;else if(a.register=h,a.j=l,a.u=m,256a.j){var c=a.data,d=a.u;d>c.length&&(a.error=!0);a.register|=(c[d+1]<<8)+c[d]<>4;for(lWa(a,7);0>c;)c=b[nY(a,1)-c];return c>>4}; +nY=function(a,b){for(;a.j=a.data.length)return a.error=!0,0;a.register|=a.data[a.u++]<>=b;a.j-=b;return c}; +lWa=function(a,b){a.j-=b;a.register>>=b}; +iWa=function(a){for(var b=[],c=g.t(a),d=c.next();!d.done;d=c.next())d=d.value,b[d]||(b[d]=0),b[d]++;var e=b[0]=0;c=[];var f=0;d=0;for(var h=1;h>m&1;l=f<<4|h;if(7>=h)for(m=1<<7-h;m--;)d[m<>=7;h--;){d[m]||(d[m]=-b,b+=2);var n=e&1;e>>=1;m=n-d[m]}d[m]=l}}return d}; +oWa=function(a,b){var c,d,e,f,h,l,m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:if(b)try{c=b.exports.malloc(a.length);(new Uint8Array(b.exports.memory.buffer,c,a.length)).set(a);d=b.exports.getInflatedSize(c,a.length);e=b.exports.malloc(d);if(f=b.exports.inflateGzip(c,a.length,e))throw Error("inflateGzip="+f);h=new Uint8Array(d);h.set(new Uint8Array(b.exports.memory.buffer,e,d));b.exports.free(e);b.exports.free(c);return x.return(h)}catch(z){g.CD(z),b.reload()}if(!("DecompressionStream"in +window))return x.return(g.mWa(new g.gWa(a)));l=new DecompressionStream("gzip");m=l.writable.getWriter();m.write(a);m.close();n=l.readable.getReader();p=new LF([]);case 2:return g.y(x,n.read(),4);case 4:q=x.u;r=q.value;if(v=q.done){x.Ka(3);break}p.append(r);x.Ka(2);break;case 3:return x.return(QF(p))}})}; +pWa=function(a){dY.call(this,"onesie");this.Md=a;this.j={};this.C=!0;this.B=null;this.queue=new bWa(this)}; +qWa=function(a){var b=a.queue;b.j.length&&b.j[0].isEncrypted&&!b.u&&(b.j.length=0);b=g.t(Object.keys(a.j));for(var c=b.next();!c.done;c=b.next())if(c=c.value,!a.j[c].wU){var d=a.queue;d.j.push({AP:c,isEncrypted:!1});d.u||dWa(d)}}; +rWa=function(a,b){var c=b.totalLength,d=!1;switch(a.B){case 0:a.ZN(b,a.C).then(function(e){var f=a.Md;f.Vc("oprr");f.playerResponse=e;f.mN||(f.JD=!1);oY(f)},function(e){a.Md.fail(e)}); +break;case 2:a.Vc("ormk");b=QF(b);a.queue.decrypt(b);break;default:d=!0}a.Md.Nl&&a.Md.xa("ombup","id.11;pt."+a.B+";len."+c+(d?";ignored.1":""));a.B=null}; +sWa=function(a){return new Promise(function(b){setTimeout(b,a)})}; +tWa=function(a,b){var c=sJ(b.Y.experiments,"debug_bandaid_hostname");if(c)b=bW(b,c);else{var d;b=null==(d=b.j.get(0))?void 0:d.location.clone()}if((d=b)&&a.videoId){b=RJ(a.videoId);a=[];if(b)for(b=g.t(b),c=b.next();!c.done;c=b.next())a.push(c.value.toString(16).padStart(2,"0"));d.set("id",a.join(""));return d}}; +uWa=function(a,b,c){c=void 0===c?0:c;var d,e;return g.A(function(f){if(1==f.j)return d=[],d.push(b.load()),0a.policy.kb)return a.policy.D&&a.Fa.xa("sabrHeap",{a:""+UX(a.videoTrack),v:""+UX(a.videoTrack)}),!1;if(!a.C)return!0;b=1E3*VX(a.audioTrack,!0);var c=1E3*VX(a.videoTrack,!0)>a.C.targetVideoReadaheadMs;return!(b>a.C.targetAudioReadaheadMs)||!c}; +EWa=function(a,b){b=new NVa(a.policy,b,a.Sa,a.u,a,{Jh:a.Jh,Iz:function(c,d){a.va.DD(c,d)}}); +a.policy.ib&&a.Fa.xa("rqs",QVa(b));return b}; +qY=function(a,b){if(!b.isDisposed()&&!a.isDisposed())if(b.isComplete()&&b.uv())b.dispose();else if(b.YU()?FWa(a,b):b.Wm()?a.Fs(b):GWa(a),!(b.isDisposed()||b instanceof pY)){if(b.isComplete())var c=TUa(b,a.policy,a.u);else c=SUa(b,a.policy,a.u,a.J),1===c&&(a.J=!0);0!==c&&(c=2===c,b=new gY(1,b.info.data),b.u=c,EWa(a,b))}a.Fa.gf()}; +GWa=function(a){for(;a.j.length&&a.j[0].ZU();){var b=a.j.shift();HWa(a,b)}a.j.length&&HWa(a,a.j[0])}; +HWa=function(a,b){if(a.policy.C){var c;var d=((null==(c=a.Fa.Og)?void 0:PRa(c,b.hs()))||0)/1E3}else d=0;if(a.policy.If){c=new Set(b.Up(a.va.Ce()||""));c=g.t(c);for(var e=c.next();!e.done;e=c.next()){var f=e.value;if(!(e=!(b instanceof pY))){var h=a.B,l=h.Sa.fd,m=h.Fa.Ce();e=hVa(h.j,l,m);h=hVa(h.videoInfos,l,m);e=e.includes(f)||h.includes(f)}if(e&&b.Nk(f))for(e=b.Vj(f),f=b.Om(f),e=g.t(e),h=e.next();!h.done;h=e.next()){h=h.value;a.policy.C&&a.policy.C&&d&&3===h.info.type&&wH(h,d);a.policy.D&&b instanceof +pY&&a.Fa.xa("omblss",{s:dH(h.info)});l=h.info.j.info.Ek();m=h.info.j;if(l){var n=a.B;m!==n.u&&(n.u=m,n.aH(m,n.audioTrack,!0))}else n=a.B,m!==n.D&&(n.D=m,n.aH(m,n.videoTrack,!1));SX(l?a.audioTrack:a.videoTrack,f,h)}}}else for(h=b.IT()||rX(a.I),c=new Set(b.Up(a.va.Ce()||"")),a.policy.C?l=c:l=[(null==(f=h.video)?void 0:SG(f,a.Sa.fd,a.va.Ce()))||"",(null==(e=h.audio)?void 0:SG(e,a.Sa.fd,a.va.Ce()))||""],f=g.t(l),e=f.next();!e.done;e=f.next())if(e=e.value,c.has(e)&&b.Nk(e))for(h=b.Vj(e),l=g.t(h),h=l.next();!h.done;h= +l.next())h=h.value,a.policy.C&&d&&3===h.info.type&&wH(h,d),a.policy.D&&b instanceof pY&&a.Fa.xa("omblss",{s:dH(h.info)}),m=b.Om(e),n=h.info.j.info.Ek()?a.audioTrack:a.videoTrack,n.J=!1,SX(n,m,h)}; +FWa=function(a,b){a.j.pop();null==b||b.dispose()}; +IWa=function(a,b){for(var c=[],d=0;d=a.policy.Eo,h=!1;if(f){var l=0;!isNaN(b)&&b>a.D&&(l=b-a.D,a.D=b);l/e=a.policy.hj&&!a.B;if(!f&&!c&&NWa(a,b))return NaN;c&&(a.B=!0);a:{d=h;c=Date.now()/1E3-(a.Wx.bj()||0)-a.J.u-a.policy.Xb;f=a.u.startTime;c=f+c;if(d){if(isNaN(b)){rY(a,NaN,"n",b);f=NaN;break a}d=b-a.policy.dj;d=e.C&&c<=e.B){c=!0;break a}c=!1}return c?!0:(a.xa("ostmf",{ct:a.currentTime,a:b.j.info.Ek()}),!1)}; +TWa=function(a){if(!a.Sa.fd)return!0;var b=a.va.getVideoData(),c,d;if(a.policy.Rw&&!!(null==(c=a.Xa)?0:null==(d=c.w4)?0:d.o8)!==a.Sa.Se)return a.xa("ombplmm",{}),!1;b=b.uc||b.liveUtcStartSeconds||b.aj;if(a.Sa.Se&&b)return a.xa("ombplst",{}),!1;if(a.Sa.oa)return a.xa("ombab",{}),!1;b=Date.now();return jwa(a.Sa)&&!isNaN(a.oa)&&b-a.oa>1E3*a.policy.xx?(a.xa("ombttl",{}),!1):a.Sa.Ge&&a.Sa.B||!a.policy.dE&&a.Sa.isPremiere?!1:!0}; +UWa=function(a,b){var c=b.j,d=a.Sa.fd;if(TWa(a)){var e=a.Ce();if(a.T&&a.T.Xc.has(SG(c,d,e))){if(d=SG(c,d,e),SWa(a,b)){e=new fH(a.T.Om(d));var f=function(h){try{if(h.Wm())a.handleError(h.Ye(),h.Vp()),XX(b,h),hH(h.info)&&aY(a.u,b,c,!0),a.gf();else if(bVa(a.u,h)){var l;null==(l=a.B)||KSa(l,h.info,a.I);a.gf()}}catch(m){h=RK(m),a.handleError(h.errorCode,h.details,h.severity),a.vk()}}; +c.C=!0;gH(e)&&(AUa(b,new bX(a.policy,d,e,a.T,f)),ISa(a.timing))}}else a.xa("ombfmt",{})}}; +tY=function(a,b){b=b||a.videoTrack&&a.videoTrack.u&&a.videoTrack.u.startTime||a.currentTime;var c=a.videoTrack,d=a.ue;b=d.nextVideo&&d.nextVideo.index.uh(b)||0;d.Ga!==b&&(d.Ja={},d.Ga=b,mX(d,d.B));b=!sX(d)&&-1(0,g.M)()-d.ea;var e=d.nextVideo&&3*oX(d,d.nextVideo.info)=b&&VX(c,!0)>=b;else if(c.B.length||d.B.length){var e=c.j.info.dc+d.j.info.dc;e=10*(1-aX(b)/e);b=Math.max(e,b.policy.ph);c=VX(d,!0)>=b&&VX(c,!0)>=b}else c=!0;if(!c)return"abr";c=a.videoTrack;if(0a.currentTime||360(e?e.Ma:-1));if(f)return a.j.hh()&&xY(a),!1;bXa(a,b,c,d.info);if(a.Sa.u&&0===d.info.Ob){if(null==c.qs()){e=RX(b);if(!(f=!e||e.j!==d.info.j)){b:if(e=e.J,f=d.info.J,e.length!==f.length)e=!1;else{for(var h=0;he)){a:{e=a.policy.Qa?(0,g.M)():0;f=d.C||d.B?d.info.j.j:null;h=d.j;d.B&&(h=new LF([]),MF(h,d.B),MF(h,d.j));var l=QF(h);h=a.policy.Qa?(0,g.M)():0;f=eXa(a,c,l,d.info,f);a.policy.Qa&&(!d.info.Ob||d.info.bf||10>d.info.C)&&a.xa("sba",c.lc({as:dH(d.info),pdur:Math.round(h-e),adur:Math.round((0,g.M)()-h)}));if("s"=== +f)a.Aa&&(a.Aa=!1),a.Qa=0,a=!0;else{if("i"===f||"x"===f)fXa(a,"checked",f,d.info);else{if("q"===f){if(!a.Aa){a.Aa=!0;a=!1;break a}d.info.Xg()?(c=a.policy,c.Z=Math.floor(.8*c.Z),c.tb=Math.floor(.8*c.tb),c.ea=Math.floor(.8*c.ea)):(c=a.policy,c.Ga=Math.floor(.8*c.Ga),c.Wc=Math.floor(.8*c.Wc),c.ea=Math.floor(.8*c.ea));HT(a.policy)||pX(a.ue,d.info.j)}wY(a.va,{reattachOnAppend:f})}a=!1}}e=!a}if(e)return!1;b.lw(d);return!0}; +fXa=function(a,b,c,d){var e="fmt.unplayable",f=1;"x"===c||"m"===c?(e="fmt.unparseable",HT(a.policy)||d.j.info.video&&!qX(a.ue)&&pX(a.ue,d.j)):"i"===c&&(15>a.Qa?(a.Qa++,e="html5.invalidstate",f=0):e="fmt.unplayable");d=cH(d);var h;d.mrs=null==(h=a.Wa)?void 0:BI(h);d.origin=b;d.reason=c;a.handleError(e,d,f)}; +TTa=function(a,b,c,d,e){var f=a.Sa;var h=!1,l=-1;for(p in f.j){var m=ZH(f.j[p].info.mimeType)||f.j[p].info.Xg();if(d===m)if(h=f.j[p].index,pH(h,b.Ma)){m=b;var n=h.Go(m.Ma);n&&n.startTime!==m.startTime?(h.segments=[],h.AJ(m),h=!0):h=!1;h&&(l=b.Ma)}else h.AJ(b),h=!0}if(0<=l){var p={};f.ma("clienttemp","resetMflIndex",(p[d?"v":"a"]=l,p),!1)}f=h;GSa(a.j,b,d,f);a.B.VN(b,c,d,e);b.Ma===a.Sa.Ge&&f&&NI(a.Sa)&&b.startTime>NI(a.Sa)&&(a.Sa.jc=b.startTime+(isNaN(a.timestampOffset)?0:a.timestampOffset),a.j.hh()&& +a.j.j=b&&RWa(a,d.startTime,!1)}); +return c&&c.startTime=a.length))for(var b=(0,g.PX)([60,0,75,0,73,0,68,0,62,0]),c=28;cd;++d)b[d]=a[c+2*d];a=UF(b);a=ig(a);if(!a)break;c=a[0];a[0]=a[3];a[3]=c;c=a[1];a[1]=a[2];a[2]=c;c=a[4];a[4]=a[5];a[5]=c;c=a[6];a[6]=a[7];a[7]=c;return a}c++}}; +BY=function(a,b){zY.call(this);var c=this;this.B=a;this.j=[];this.u=new g.Ip(function(){c.ma("log_qoe",{wvagt:"timer",reqlen:c.j?c.j.length:-1});if(c.j){if(0d;d++)c[2*d]=''.charCodeAt(d);a=a.B.createSession("video/mp4",b,c);return new EY(null,null,null,null,a)}; +SXa=function(a,b){var c=a.I[b.sessionId];!c&&a.C&&(c=a.C,a.C=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; +PXa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=a&&(c=.75*a),b=.5*(a-c),c=new AY(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new BY(a,this);break a;default:c=null}if(this.D=c)g.E(this,this.D),this.D.subscribe("rotated_need_key_info_ready",this.wS,this),this.D.subscribe("log_qoe",this.Ri,this);hJ(this.Y.experiments);this.Ri({cks:this.j.rh()})}; +UXa=function(a){var b=a.C.attach();b?b.then(XI(function(){WXa(a)}),XI(function(c){if(!a.isDisposed()){g.CD(c); +var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.ma("licenseerror","drm.unavailable",1,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.Ri({mdkrdy:1}),a.ea=!0); +a.Z&&(b=a.Z.attach())}; +YXa=function(a,b,c){a.La=!0;c=new vTa(b,c);a.Y.K("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));XXa(a,c)}; +XXa=function(a,b){if(!a.isDisposed()){a.Ri({onInitData:1});if(a.Y.K("html5_eme_loader_sync")&&a.videoData.C&&a.videoData.C.j){var c=a.J.get(b.initData);b=a.I.get(b.initData);if(!c||!b)return;b=c;c=b.initData;a.I.remove(c);a.J.remove(c)}a.Ri({initd:b.initData.length,ct:b.contentType});if("widevine"===a.j.flavor)if(a.Aa&&!a.videoData.isLivePlayback)HY(a);else{if(!(a.Y.K("vp9_drm_live")&&a.videoData.isLivePlayback&&b.Ee)){a.Aa=!0;c=b.cryptoPeriodIndex;var d=b.j;xTa(b);b.Ee||(d&&b.j!==d?a.ma("ctmp","cpsmm", +{emsg:d,pssh:b.j}):c&&b.cryptoPeriodIndex!==c&&a.ma("ctmp","cpimm",{emsg:c,pssh:b.cryptoPeriodIndex}));a.ma("widevine_set_need_key_info",b)}}else a.wS(b)}}; +WXa=function(a){if(!a.isDisposed())if(a.Y.K("html5_drm_set_server_cert")&&!g.tK(a.Y)||dJ(a.j)){var b=a.C.setServerCertificate();b?b.then(XI(function(c){a.Y.Rd()&&a.ma("ctmp","ssc",{success:c})}),XI(function(c){a.ma("ctmp","ssce",{n:c.name, +m:c.message})})).then(XI(function(){ZXa(a)})):ZXa(a)}else ZXa(a)}; +ZXa=function(a){a.isDisposed()||(a.ea=!0,a.Ri({onmdkrdy:1}),HY(a))}; +$Xa=function(a){return"widevine"===a.j.flavor&&a.videoData.K("html5_drm_cpi_license_key")}; +HY=function(a){if(a.La&&a.ea&&!a.ya){for(;a.B.length;){var b=a.B[0],c=$Xa(a)?yTa(b):g.gg(b.initData);if(dJ(a.j)&&!b.u)a.B.shift();else{if(a.u.get(c))if("fairplay"!==a.j.flavor||dJ(a.j)){a.B.shift();continue}else a.u.delete(c);xTa(b);break}}a.B.length&&a.createSession(a.B[0])}}; +aYa=function(a){var b;if(b=g.Yy()){var c;b=!(null==(c=a.C.u)||!c.getMetrics)}b&&(b=a.C.getMetrics())&&(b=g.WF(b),a.ma("ctmp","drm",{metrics:b}))}; +JY=function(a){g.C.call(this);var b=this;this.va=a;this.j=this.va.V();this.videoData=this.va.getVideoData();this.HC=0;this.I=this.B=!1;this.D=0;this.C=g.gJ(this.j.experiments,"html5_delayed_retry_count");this.u=new g.Ip(function(){IY(b.va)},g.gJ(this.j.experiments,"html5_delayed_retry_delay_ms")); +this.J=g.gJ(this.j.experiments,"html5_url_signature_expiry_time_hours");g.E(this,this.u)}; +eYa=function(a,b,c){var d=a.videoData.u,e=a.videoData.I;if(("progressive.net.retryexhausted"===b||"fmt.unplayable"===b||"fmt.decode"===b)&&!a.va.Ji.D&&d&&"22"===d.itag)return a.va.Ji.D=!0,a.Kd("qoe.restart",{reason:"fmt.unplayable.22"}),KY(a.va),!0;var f=!1,h=a.HC+3E4<(0,g.M)()||a.u.isActive();if(a.j.K("html5_empty_src")&&a.videoData.isAd()&&"fmt.unplayable"===b&&/Empty src/.test(""+c.msg))return c.origin="emptysrc",a.Kd("auth",c),!0;var l;if(l=!h)l=a.va.Es(),l=!!(l.zg()||l.isInline()||l.isBackground()|| +l.Ty()||l.Ry());l&&(c.nonfg="paused",h=!0,a.va.pauseVideo());("fmt.decode"===b||"fmt.unplayable"===b)&&(null==e?0:AF(e)||zF(e))&&(Uwa(a.j.D,e.Lb),c.acfallexp=e.Lb,f=h=!0);!h&&0=a.j.jc)return!1;b.exiled=""+a.j.jc;a.Kd("qoe.start15s",b);a.va.ma("playbackstalledatstart");return!0}; +cYa=function(a){return a.B?!0:"yt"===a.j.Ja?a.videoData.kb?25>a.videoData.Dc:!a.videoData.Dc:!1}; +dYa=function(a){if(!a.B){a.B=!0;var b=a.va.getPlayerState();b=g.QO(b)||b.isSuspended();a.va.Dn();b&&!WM(a.videoData)||a.va.ma("signatureexpired")}}; +fYa=function(a,b){if((a=a.va.qe())&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.Ye();b.details.merr=c?c.toString():"0";b.details.mmsg=a.zf()}}; +gYa=function(a){return"net.badstatus"===a.errorCode&&(1===a.severity||!!a.details.fmt_unav)}; +hYa=function(a,b){return a.j.K("html5_use_network_error_code_enums")&&403===b.details.rc||"403"===b.details.rc?(a=b.errorCode,"net.badstatus"===a||"manifest.net.retryexhausted"===a):!1}; +jYa=function(a,b){if(!hYa(a,b)&&!a.B)return!1;b.details.sts="19471";if(cYa(a))return QK(b.severity)&&(b=Object.assign({e:b.errorCode},b.details),b=new PK("qoe.restart",b)),a.Kd(b.errorCode,b.details),dYa(a),!0;6048E5<(0,g.M)()-a.j.Jf&&iYa(a,"signature");return!1}; +iYa=function(a,b){try{window.location.reload(),a.Kd("qoe.restart",{detail:"pr."+b})}catch(c){}}; +kYa=function(a,b){var c=a.j.D;c.D=!1;c.j=!0;a.Kd("qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});IY(a.va,!0)}; +lYa=function(a,b,c,d){this.videoData=a;this.j=b;this.reason=c;this.u=d}; +mYa=function(a,b,c){this.Y=a;this.XD=b;this.va=c;this.ea=this.I=this.J=this.u=this.j=this.C=this.T=this.B=0;this.D=!1;this.Z=g.gJ(this.Y.experiments,"html5_displayed_frame_rate_downgrade_threshold")||45}; +oYa=function(a,b,c){!a.Y.K("html5_tv_ignore_capable_constraint")&&g.tK(a.Y)&&(c=c.compose(nYa(a,b)));return c}; +qYa=function(a,b){var c,d=pYa(a,null==(c=b.j)?void 0:c.videoInfos);c=a.va.getPlaybackRate();return 1(0,g.M)()-a.C?0:f||0h?a.u+1:0;if((n-m)/l>a.Z||!e||g.tK(a.Y))return!1;a.j=d>e?a.j+1:0;if(3!==a.j)return!1;tYa(a,b.videoData.u);a.va.xa("dfd",Object.assign({dr:c.droppedVideoFrames,de:c.totalVideoFrames},vYa()));return!0}; +xYa=function(a,b){return 0>=g.gJ(a.Y.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.video&&32=e){d=e;break}return new iF(0,d,!1,"b")}; +zYa=function(a){a=a.va.Es();return a.isInline()?new iF(0,480,!1,"v"):a.isBackground()&&60e?(c&&(d=AYa(a,c,d)),new iF(0,d,!1,"e")):ZL}; +AYa=function(a,b,c){if(a.K("html5_optimality_defaults_chooses_next_higher")&&c)for(a=b.j.videoInfos,b=1;ba.u)){var b=g.uW(a.provider),c=b-a.C;a.C=b;8===a.playerState.state?a.playTimeSecs+=c:g.TO(a.playerState)&&!g.S(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; +GYa=function(a,b){b?FYa.test(a):(a=g.sy(a),Object.keys(a).includes("cpn"))}; +IYa=function(a,b,c,d,e,f,h){var l={format:"RAW"},m={};if(vy(a)&&wy()){if(h){var n;2!==(null==(n=HYa.uaChPolyfill)?void 0:n.state.type)?h=null:(h=HYa.uaChPolyfill.state.data.values,h={"Synth-Sec-CH-UA-Arch":h.architecture,"Synth-Sec-CH-UA-Model":h.model,"Synth-Sec-CH-UA-Platform":h.platform,"Synth-Sec-CH-UA-Platform-Version":h.platformVersion,"Synth-Sec-CH-UA-Full-Version":h.uaFullVersion});m=Object.assign(m,h);l.withCredentials=!0}(h=g.ey("EOM_VISITOR_DATA"))?m["X-Goog-EOM-Visitor-Id"]=h:d?m["X-Goog-Visitor-Id"]= +d:g.ey("VISITOR_DATA")&&(m["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));c&&(m["X-Goog-PageId"]=c);d=b.authUser;b.K("move_vss_away_from_login_info_cookie")&&d&&(m["X-Goog-AuthUser"]=d,m["X-Yt-Auth-Test"]="test");e&&(m.Authorization="Bearer "+e);h||m["X-Goog-Visitor-Id"]||e||c||b.K("move_vss_away_from_login_info_cookie")&&d?l.withCredentials=!0:b.K("html5_send_cpn_with_options")&&FYa.test(a)&&(l.withCredentials=!0)}0a.B.NV+100&&a.B){var d=a.B,e=d.isAd;c=1E3*c-d.NV;a.ya=1E3*b-d.M8-c-d.B8;c=(0,g.M)()-c;b=a.ya;d=a.provider.videoData;var f=d.isAd();if(e||f){f=(e?"ad":"video")+"_to_"+(f?"ad":"video");var h={};d.T&&(h.cttAuthInfo={token:d.T,videoId:d.videoId});h.startTime=c-b;cF(f,h);bF({targetVideoId:d.videoId,targetCpn:d.clientPlaybackNonce},f);eF("pbs",c,f)}else c=a.provider.va.Oh(),c.I!==d.clientPlaybackNonce? +(c.D=d.clientPlaybackNonce,c.u=b):g.DD(new g.bA("CSI timing logged before gllat",{cpn:d.clientPlaybackNonce}));a.xa("gllat",{l:a.ya.toFixed(),prev_ad:+e});delete a.B}}; +OYa=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.uW(a.provider);var c=a.provider.va.eC(),d=c.Zq-(a.Ga||0);0a.j)&&2=e&&(a.va.xa("ytnerror",{issue:28799967,value:""+e}),e=(new Date).getTime()+2);return e},a.Y.K("html5_validate_yt_now")),c=b(); +a.j=function(){return Math.round(b()-c)/1E3}; +a.va.cO()}return a.j}; +nZa=function(a){var b=a.va.bq()||{};b.fs=a.va.wC();b.volume=a.va.getVolume();b.muted=a.va.isMuted()?1:0;b.mos=b.muted;b.inview=a.va.TB();b.size=a.va.HB();b.clipid=a.va.wy();var c=Object,d=c.assign;a=a.videoData;var e={};a.u&&(e.fmt=a.u.itag,a.I&&a.I.itag!=a.u.itag&&(e.afmt=a.I.itag));e.ei=a.eventId;e.list=a.playlistId;e.cpn=a.clientPlaybackNonce;a.videoId&&(e.v=a.videoId);a.Xk&&(e.infringe=1);TM(a)&&(e.splay=1);var f=CM(a);f&&(e.live=f);a.kp&&(e.sautoplay=1);a.Xl&&(e.autoplay=1);a.Bx&&(e.sdetail= +a.Bx);a.Ga&&(e.partnerid=a.Ga);a.osid&&(e.osid=a.osid);a.Rw&&(e.cc=a.Rw.vssId);return d.call(c,b,e)}; +MYa=function(a){if(navigator.connection&&navigator.connection.type)return uZa[navigator.connection.type]||uZa.other;if(g.tK(a.Y)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; +QY=function(a){var b=new rZa,c;b.D=(null==(c=nZa(a).cc)?void 0:c.toString())||"-";b.playbackRate=a.va.getPlaybackRate();c=a.va.getVisibilityState();0!==c&&(b.visibilityState=c);a.Y.Ld&&(b.u=1);b.B=a.videoData.Yv;c=a.va.getAudioTrack();c.Jc&&c.Jc.id&&"und"!==c.Jc.id&&(b.C=c.Jc.id);b.connectionType=MYa(a);b.volume=a.va.getVolume();b.muted=a.va.isMuted();b.clipId=a.va.wy()||"-";b.j=a.videoData.AQ||"-";return b}; +g.ZY=function(a){g.C.call(this);this.provider=a;this.qoe=this.j=null;this.Ci=void 0;this.u=new Map;this.provider.videoData.De()&&!this.provider.videoData.ol&&(this.j=new TY(this.provider),g.E(this,this.j),this.qoe=new g.NY(this.provider),g.E(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.Ci=this.provider.videoData.clientPlaybackNonce)&&this.u.set(this.Ci,this.j));this.B=new LY(this.provider);g.E(this,this.B)}; +vZa=function(a){DYa(a.B);a.qoe&&WYa(a.qoe)}; +wZa=function(a){if(a.provider.videoData.enableServerStitchedDai&&a.Ci){var b;null!=(b=a.u.get(a.Ci))&&RY(b.j)}else a.j&&RY(a.j.j)}; +xZa=function(a){a.B.send();if(a.qoe){var b=a.qoe;if(b.D){"PL"===b.Te&&(b.Te="N");var c=g.uW(b.provider);g.MY(b,c,"vps",[b.Te]);b.I||(0<=b.u&&(b.j.user_intent=[b.u.toString()]),b.I=!0);b.provider.Y.Rd()&&b.xa("finalized",{});b.oa=!0;b.reportStats(c)}}if(a.provider.videoData.enableServerStitchedDai)for(b=g.t(a.u.values()),c=b.next();!c.done;c=b.next())pZa(c.value);else a.j&&pZa(a.j);a.dispose()}; +yZa=function(a,b){a.j&&qZa(a.j,b)}; +zZa=function(a){if(!a.j)return null;var b=UY(a.j,"atr");return function(c){a.j&&qZa(a.j,c,b)}}; +AZa=function(a,b,c,d){c.adFormat=c.Hf;var e=b.va;b=new TY(new sZa(c,b.Y,{getDuration:function(){return c.lengthSeconds}, +getCurrentTime:function(){return e.getCurrentTime()}, +xk:function(){return e.xk()}, +eC:function(){return e.eC()}, +getPlayerSize:function(){return e.getPlayerSize()}, +getAudioTrack:function(){return c.getAudioTrack()}, +getPlaybackRate:function(){return e.getPlaybackRate()}, +hC:function(){return e.hC()}, +getVisibilityState:function(){return e.getVisibilityState()}, +Oh:function(){return e.Oh()}, +bq:function(){return e.bq()}, +getVolume:function(){return e.getVolume()}, +isMuted:function(){return e.isMuted()}, +wC:function(){return e.wC()}, +wy:function(){return e.wy()}, +TB:function(){return e.TB()}, +HB:function(){return e.HB()}, +cO:function(){e.cO()}, +YC:function(){e.YC()}, +xa:function(f,h){e.xa(f,h)}})); +b.B=d;g.E(a,b);return b}; +BZa=function(){this.Au=0;this.B=this.Ot=this.Zq=this.u=NaN;this.j={};this.bandwidthEstimate=NaN}; +CZa=function(){this.j=g.YD;this.array=[]}; +EZa=function(a,b,c){var d=[];for(b=DZa(a,b);bc)break}return d}; +FZa=function(a,b){var c=[];a=g.t(a.array);for(var d=a.next();!d.done&&!(d=d.value,d.contains(b)&&c.push(d),d.start>b);d=a.next());return c}; +GZa=function(a){return a.array.slice(DZa(a,0x7ffffffffffff),a.array.length)}; +DZa=function(a,b){a=Kb(a.array,function(c){return b-c.start||1}); +return 0>a?-(a+1):a}; +HZa=function(a,b){var c=NaN;a=g.t(a.array);for(var d=a.next();!d.done;d=a.next())if(d=d.value,d.contains(b)&&(isNaN(c)||d.endb&&(isNaN(c)||d.starta.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.u=c;return!1}; +LZa=function(a,b){this.videoData=a;this.j=b}; +MZa=function(a,b,c){return Hza(b,c).then(function(){return Oy(new LZa(b,b.C))},function(d){d instanceof Error&&g.DD(d); +var e=dI('video/mp4; codecs="avc1.42001E, mp4a.40.2"'),f=fI('audio/mp4; codecs="mp4a.40.2"'),h=e||f,l=b.isLivePlayback&&!g.vJ(a.D,!0);d="fmt.noneavailable";l?d="html5.unsupportedlive":h||(d="html5.missingapi");h=l||!h?2:1;e={buildRej:"1",a:b.Yu(),d:!!b.tb,drm:b.Pl(),f18:0<=b.Jf.indexOf("itag=18"),c18:e};b.j&&(b.Pl()?(e.f142=!!b.j.j["142"],e.f149=!!b.j.j["149"],e.f279=!!b.j.j["279"]):(e.f133=!!b.j.j["133"],e.f140=!!b.j.j["140"],e.f242=!!b.j.j["242"]),e.cAAC=f,e.cAVC=fI('video/mp4; codecs="avc1.42001E"'), +e.cVP9=fI('video/webm; codecs="vp9"'));b.J&&(e.drmsys=b.J.keySystem,f=0,b.J.j&&(f=Object.keys(b.J.j).length),e.drmst=f);return new PK(d,e,h)})}; +NZa=function(a){this.D=a;this.B=this.u=0;this.C=new CS(50)}; +cZ=function(a,b,c){g.dE.call(this);this.videoData=a;this.experiments=b;this.T=c;this.u=[];this.C=0;this.B=!0;this.D=!1;this.I=0;c=new OZa;"ULTRALOW"===a.latencyClass&&(c.C=!1);a.Xb?c.u=3:g.GM(a)&&(c.u=2);"NORMAL"===a.latencyClass&&(c.T=!0);var d=zza(a);c.D=2===d||-1===d;c.D&&(c.Z++,21530001===yM(a)&&(c.I=g.gJ(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(Wy("trident/")||Wy("edge/"))c.B=Math.max(c.B,g.gJ(b,"html5_platform_minimum_readahead_seconds")||3);g.gJ(b,"html5_minimum_readahead_seconds")&& +(c.B=g.gJ(b,"html5_minimum_readahead_seconds"));g.gJ(b,"html5_maximum_readahead_seconds")&&(c.ea=g.gJ(b,"html5_maximum_readahead_seconds"));b.ob("html5_force_adaptive_readahead")&&(c.C=!0);switch(yM(a)){case 21530001:c.j=(c.j+1)/5,"LOW"===a.latencyClass&&(c.j*=2),c.J=b.ob("html5_live_smoothly_extend_max_seekable_time")}this.policy=c;this.J=1!==this.policy.u;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Xb&&b--;this.experiments.ob("html5_disable_extra_readahead_normal_latency_live_stream")|| +a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(yM(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.D&&b++;this.j=PZa(this,b)}; +QZa=function(a,b){var c=a.j;(void 0===b?0:b)&&a.policy.J&&3===zza(a.videoData)&&--c;return dZ(a)*c}; +eZ=function(a,b){var c=a.Wp(),d=a.policy.j;a.D||(d=Math.max(d-1,0));a=d*dZ(a);return b>=c-a}; +RZa=function(a,b,c){b=eZ(a,b);c||b?b&&(a.B=!0):a.B=!1;a.J=2===a.policy.u||3===a.policy.u&&a.B}; +SZa=function(a,b){b=eZ(a,b);a.D!==b&&a.ma("livestatusshift",b);a.D=b}; +dZ=function(a){return a.videoData.j?OI(a.videoData.j)||5:5}; +PZa=function(a,b){b=Math.max(Math.max(a.policy.Z,Math.ceil(a.policy.B/dZ(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.ea/dZ(a))),b)}; +OZa=function(){this.Z=1;this.B=0;this.ea=Infinity;this.C=!0;this.j=2;this.u=1;this.D=!1;this.I=NaN;this.J=this.T=!1}; +hZ=function(a){g.C.call(this);this.va=a;this.Y=this.va.V();this.C=this.j=0;this.B=new g.Ip(this.gf,1E3,this);this.Ja=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_seek_timeout_delay_ms")});this.T=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_long_rebuffer_threshold_ms")});this.La=gZ(this,"html5_seek_set_cmt");this.Z=gZ(this,"html5_seek_jiggle_cmt");this.Ga=gZ(this,"html5_seek_new_elem");this.fb=gZ(this,"html5_unreported_seek_reseek");this.I=gZ(this,"html5_long_rebuffer_jiggle_cmt");this.J=new fZ({delayMs:2E4}); +this.ya=gZ(this,"html5_seek_new_elem_shorts");this.Aa=gZ(this,"html5_seek_new_elem_shorts_vrs");this.oa=gZ(this,"html5_seek_new_elem_shorts_buffer_range");this.D=gZ(this,"html5_ads_preroll_lock_timeout");this.Qa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_report_slow_ads_as_error")});this.Xa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_skip_slow_buffering_ad")});this.Ya=new fZ({delayMs:g.gJ(this.Y.experiments, +"html5_slow_start_timeout_delay_ms")});this.ea=gZ(this,"html5_slow_start_no_media_source");this.u={};g.E(this,this.B)}; +gZ=function(a,b){var c=g.gJ(a.Y.experiments,b+"_delay_ms");a=a.Y.K(b+"_cfl");return new fZ({delayMs:c,gy:a})}; +iZ=function(a,b,c,d,e,f,h,l){TZa(b,c)?(a.Kd(e,b,h),b.gy||f()):(b.QH&&b.u&&!b.C?(c=(0,g.M)(),d?b.j||(b.j=c):b.j=0,f=!d&&c-b.u>b.QH,c=b.j&&c-b.j>b.KO||f?b.C=!0:!1):c=!1,c&&(l=Object.assign({},a.lc(b),l),l.wn=h,l.we=e,l.wsuc=d,a.va.xa("workaroundReport",l),d&&(b.reset(),a.u[e]=!1)))}; +fZ=function(a){var b=void 0===a?{}:a;a=void 0===b.delayMs?0:b.delayMs;var c=void 0===b.KO?1E3:b.KO,d=void 0===b.QH?3E4:b.QH;b=void 0===b.gy?!1:b.gy;this.j=this.u=this.B=this.startTimestamp=0;this.C=!1;this.D=Math.ceil(a/1E3);this.KO=c;this.QH=d;this.gy=b}; +TZa=function(a,b){if(!a.D||a.u)return!1;if(!b)return a.reset(),!1;b=(0,g.M)();if(!a.startTimestamp)a.startTimestamp=b,a.B=0;else if(a.B>=a.D)return a.u=b,!0;a.B+=1;return!1}; +XZa=function(a){g.C.call(this);var b=this;this.va=a;this.Y=this.va.V();this.videoData=this.va.getVideoData();this.policy=new UZa(this.Y);this.Z=new hZ(this.va);this.playbackData=null;this.Qa=new g.bI;this.I=this.j=this.Fa=this.mediaElement=null;this.u=NaN;this.C=0;this.Aa=NaN;this.B=null;this.Ga=NaN;this.D=this.J=null;this.ea=this.T=!1;this.ya=new g.Ip(function(){VZa(b,!1)},2E3); +this.ib=new g.Ip(function(){jZ(b)}); +this.La=new g.Ip(function(){b.T=!0;WZa(b,{})}); +this.timestampOffset=0;this.Xa=!0;this.Ja=0;this.fb=NaN;this.oa=new g.Ip(function(){var c=b.Y.vf;c.j+=1E4/36E5;c.j-c.B>1/6&&(oxa(c),c.B=c.j);b.oa.start()},1E4); +this.Ya=this.kb=!1;g.E(this,this.Z);g.E(this,this.Qa);g.E(this,this.ya);g.E(this,this.La);g.E(this,this.ib);g.E(this,this.oa)}; +ZZa=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.I=new NZa(function(){a:{if(a.playbackData&&a.playbackData.j.j){if(jM(a.videoData)&&a.Fa){var c=a.Fa.kF.bj()||0;break a}if(a.videoData.j){c=a.videoData.j.Z;break a}}c=0}return c}),a.j=new cZ(a.videoData,a.Y.experiments,function(){return a.pe(!0)})); +YZa(a)||(a.C=a.C||a.videoData.startSeconds||0)}; +a_a=function(a,b){(a.Fa=b)?$Za(a,!0):kZ(a)}; +b_a=function(a,b){var c=a.getCurrentTime(),d=a.isAtLiveHead(c);if(a.I&&d){var e=a.I;if(e.j&&!(c>=e.u&&ce.C||3E3>g.Ra()-e.I||(e.I=g.Ra(),e.u.push(f),50=a.pe()-.1){a.u=a.pe();a.B.resolve(a.pe()); +vW(a.va);return}try{var c=a.u-a.timestampOffset;a.mediaElement.seekTo(c);a.Z.j=c;a.Ga=c;a.C=a.u}catch(d){}}}}; +h_a=function(a){if(!a.mediaElement||0===a.mediaElement.xj()||0a.pe()||dMath.random())try{g.DD(new g.bA("b/152131571",btoa(f)))}catch(T){}return x.return(Promise.reject(new PK(r,{backend:"gvi"},v)))}})}; +u_a=function(a,b){function c(B){if(!a.isDisposed()){B=B?B.status:-1;var F=0,G=((0,g.M)()-p).toFixed();G=e.K("html5_use_network_error_code_enums")?{backend:"gvi",rc:B,rt:G}:{backend:"gvi",rc:""+B,rt:G};var D="manifest.net.connect";429===B?(D="auth",F=2):200r.j&&3!==r.provider.va.getVisibilityState()&& +DYa(r);q.qoe&&(q=q.qoe,q.Ja&&0>q.u&&q.provider.Y.Hf&&WYa(q));p.Fa&&nZ(p);p.Y.Wn&&!p.videoData.backgroundable&&p.mediaElement&&!p.wh()&&(p.isBackground()&&p.mediaElement.QE()?(p.xa("bgmobile",{suspend:1}),p.Dn(!0,!0)):p.isBackground()||oZ(p)&&p.xa("bgmobile",{resume:1}));p.K("html5_log_tv_visibility_playerstate")&&g.tK(p.Y)&&p.xa("vischg",{vis:p.getVisibilityState(),ps:p.playerState.state.toString(16)})}; +this.Ne={ep:function(q){p.ep(q)}, +t8a:function(q){p.oe=q}, +n7a:function(){return p.zc}}; +this.Xi=new $Y(function(){return p.getCurrentTime()},function(){return p.getPlaybackRate()},function(){return p.getPlayerState()},function(q,r){q!==g.ZD("endcr")||g.S(p.playerState,32)||vW(p); +e(q,r,p.playerType)}); +g.E(this,this.Xi);g.E(this,this.xd);z_a(this,m);this.videoData.subscribe("dataupdated",this.S7,this);this.videoData.subscribe("dataloaded",this.PK,this);this.videoData.subscribe("dataloaderror",this.handleError,this);this.videoData.subscribe("ctmp",this.xa,this);this.videoData.subscribe("ctmpstr",this.IO,this);!this.zc||this.zc.isDisposed();this.zc=new g.ZY(new sZa(this.videoData,this.Y,this));jRa(this.Bg);this.visibility.subscribe("visibilitystatechange",this.Bg)}; +zI=function(a){return a.K("html5_not_reset_media_source")&&!a.Pl()&&!a.videoData.isLivePlayback&&g.QM(a.videoData)}; +z_a=function(a,b){if(2===a.playerType||a.Y.Yn)b.dV=!0;var c=$xa(b.Hf,b.uy,a.Y.C,a.Y.I);c&&(b.adFormat=c);2===a.playerType&&(b.Xl=!0);if(a.isFullscreen()||a.Y.C)c=g.Qz("yt-player-autonavstate"),b.autonavState=c||(a.Y.C?2:a.videoData.autonavState);b.endSeconds&&b.endSeconds>b.startSeconds&&A_a(a,b.endSeconds)}; +C_a=function(a){if(a.videoData.fb){var b=a.Nf.Rc();a.videoData.rA=a.videoData.rA||(null==b?void 0:b.KL());a.videoData.sA=a.videoData.sA||(null==b?void 0:b.NL())}if(Qza(a.videoData)||!$M(a.videoData))b=a.videoData.errorDetail,a.Ng(a.videoData.errorCode||"auth",2,unescape(a.videoData.errorReason),b,b,a.videoData.Gm||void 0);1===a.playerType&&qZ.isActive()&&a.BH.start();a.videoData.dj=a.getUserAudio51Preference();a.K("html5_generate_content_po_token")&&B_a(a)}; +TN=function(a){return a.mediaElement&&a.mediaElement.du()?a.mediaElement.ub():null}; +rZ=function(a){if(a.videoData.De())return!0;a.Ng("api.invalidparam",2,void 0,"invalidVideodata.1");return!1}; +g.tW=function(a,b){(b=void 0===b?!1:b)||vZa(a.zc);a.Ns=b;!rZ(a)||a.fp.Os()?g.tK(a.Y)&&a.videoData.isLivePlayback&&a.fp.Os()&&!a.fp.finished&&!a.Ns&&a.PK():(a.fp.start(),b=a.zc,g.uW(b.provider),b.qoe&&RYa(b.qoe),a.PK())}; +D_a=function(a){var b=a.videoData;x_a(a).then(void 0,function(c){a.videoData!==b||b.isDisposed()||(c=RK(c),"auth"===c.errorCode&&a.videoData.errorDetail?a.Ng(c.errorCode,2,unescape(a.videoData.errorReason),OK(c.details),a.videoData.errorDetail,a.videoData.Gm||void 0):a.handleError(c))})}; +sRa=function(a,b){a.kd=b;a.Fa&&hXa(a.Fa,new g.yY(b))}; +F_a=function(a){if(!g.S(a.playerState,128))if(a.videoData.isLoaded(),4!==a.playerType&&(a.zn=g.Bb(a.videoData.Ja)),EM(a.videoData)){a.vb.tick("bpd_s");sZ(a).then(function(){a.vb.tick("bpd_c");if(!a.isDisposed()){a.Ns&&(a.pc(MO(MO(a.playerState,512),1)),oZ(a));var c=a.videoData;c.endSeconds&&c.endSeconds>c.startSeconds&&A_a(a,c.endSeconds);a.fp.finished=!0;tZ(a,"dataloaded");a.Lq.Os()&&E_a(a);CYa(a.Ji,a.Df)}}); +a.K("html5_log_media_perf_info")&&a.xa("loudness",{v:a.videoData.Zi.toFixed(3)},!0);var b=$za(a.videoData);b&&a.xa("playerResponseExperiment",{id:b},!0);a.wK()}else tZ(a,"dataloaded")}; +sZ=function(a){uZ(a);a.Df=null;var b=MZa(a.Y,a.videoData,a.wh());a.mD=b;a.mD.then(function(c){G_a(a,c)},function(c){a.isDisposed()||(c=RK(c),a.visibility.isBackground()?(vZ(a,"vp_none_avail"),a.mD=null,a.fp.reset()):(a.fp.finished=!0,a.Ng(c.errorCode,c.severity,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",OK(c.details))))}); +return b}; +KY=function(a){sZ(a).then(function(){return oZ(a)}); +g.RO(a.playerState)&&a.playVideo()}; +G_a=function(a,b){if(!a.isDisposed()&&!b.videoData.isDisposed()){a.Df=b;ZZa(a.xd,a.Df);if(a.videoData.isLivePlayback){var c=iSa(a.Nf.Us,a.videoData.videoId)||a.Fa&&!isNaN(a.Fa.oa);c=a.K("html5_onesie_live")&&c;0$J(b.Y.vf,"sticky-lifetime")?"auto":mF[SI()]:d=mF[SI()],d=g.kF("auto",d,!1,"s");if(lF(d)){d=nYa(b,c);var e=d.compose,f;a:if((f=c.j)&&f.videoInfos.length){for(var h=g.t(f.videoInfos),l=h.next();!l.done;l=h.next()){l=l.value;var m=void 0;if(null==(m=l.j)?0:m.smooth){f=l.video.j;break a}}f=f.videoInfos[0].video.j}else f=0;hoa()&&!g.tK(b.Y)&&BF(c.j.videoInfos[0])&& +(f=Math.min(f,g.jF.large));d=e.call(d,new iF(0,f,!1,"o"));e=d.compose;f=4320;!b.Y.u||g.lK(b.Y)||b.Y.K("hls_for_vod")||b.Y.K("mweb_remove_360p_cap")||(f=g.jF.medium);(h=g.gJ(b.Y.experiments,"html5_default_quality_cap"))&&c.j.j&&!c.videoData.Ki&&!c.videoData.Pd&&(f=Math.min(f,h));h=g.gJ(b.Y.experiments,"html5_random_playback_cap");l=/[a-h]$/;h&&l.test(c.videoData.clientPlaybackNonce)&&(f=Math.min(f,h));if(l=h=g.gJ(b.Y.experiments,"html5_hfr_quality_cap"))a:{l=c.j;if(l.j)for(l=g.t(l.videoInfos),m=l.next();!m.done;m= +l.next())if(32h&&0!==h&&b.j===h)){var l;f=pYa(c,null==(l=e.j)?void 0:l.videoInfos);l=c.va.getPlaybackRate();1b.j&&"b"===b.reason;d=a.ue.ib&&!tI();c||e||b||d?wY(a.va, +{reattachOnConstraint:c?"u":e?"drm":d?"codec":"perf"}):xY(a)}}}; +N_a=function(a){var b;return!!(a.K("html5_native_audio_track_switching")&&g.BA&&(null==(b=a.videoData.u)?0:LH(b)))}; +O_a=function(a){if(!N_a(a))return!1;var b;a=null==(b=a.mediaElement)?void 0:b.audioTracks();return!!(a&&1n&&(n+=l.j);for(var p=0;pa.Wa.getDuration()&&a.Wa.Sk(d)):a.Wa.Sk(e);var f=a.Fa,h=a.Wa;f.policy.oa&&(f.policy.Aa&&f.xa("loader",{setsmb:0}),f.vk(),f.policy.oa=!1);YWa(f);if(!AI(h)){var l=gX(f.videoTrack),m=gX(f.audioTrack),n=(l?l.info.j:f.videoTrack.j).info,p=(m?m.info.j:f.audioTrack.j).info,q=f.policy.jl,r=n.mimeType+(void 0===q?"":q),v=p.mimeType,x=n.Lb,z=p.Lb,B,F=null==(B=h.Wa)?void 0:B.addSourceBuffer(v), +G,D="fakesb"===r.split(";")[0]?void 0:null==(G=h.Wa)?void 0:G.addSourceBuffer(r);h.Dg&&(h.Dg.webkitSourceAddId("0",v),h.Dg.webkitSourceAddId("1",r));var L=new sI(F,h.Dg,"0",GH(v),z,!1),P=new sI(D,h.Dg,"1",GH(r),x,!0);Fva(h,L,P)}QX(f.videoTrack,h.u||null);QX(f.audioTrack,h.j||null);f.Wa=h;f.Wa.C=!0;f.resume();g.eE(h.j,f.Ga,f);g.eE(h.u,f.Ga,f);try{f.gf()}catch(T){g.CD(T)}a.ma("mediasourceattached")}}catch(T){g.DD(T),a.handleError(new PK("fmt.unplayable",{msi:"1",ename:T.name},1))}} +U_a(a);a.Wa=b;zI(a)&&"open"===BI(a.Wa)?c(a.Wa):Eva(a.Wa,c)}; +U_a=function(a){if(a.Fa){var b=a.getCurrentTime()-a.Jd();a.K("html5_skip_loader_media_source_seek")&&a.Fa.getCurrentTime()===b||a.Fa.seek(b,{}).Zj(function(){})}else H_a(a)}; +IY=function(a,b){b=void 0===b?!1:b;var c,d,e;return g.A(function(f){if(1==f.j){a.Fa&&a.Fa.Xu();a.Fa&&a.Fa.isDisposed()&&uZ(a);if(a.K("html5_enable_vp9_fairplay")&&a.Pl()&&null!=(c=a.videoData.j)){var h=c,l;for(l in h.j)h.j.hasOwnProperty(l)&&(h.j[l].j=null,h.j[l].C=!1)}a.pc(MO(a.playerState,2048));a.ma("newelementrequired");return b?g.y(f,sZ(a),2):f.Ka(2)}a.videoData.fd()&&(null==(d=a.Fa)?0:d.oa)&&(e=a.isAtLiveHead())&&hM(a.videoData)&&a.seekTo(Infinity,{Je:"videoPlayer_getNewElement"});g.S(a.playerState, +8)&&a.playVideo();g.oa(f)})}; +eRa=function(a,b){a.xa("newelem",{r:b});IY(a)}; +V_a=function(a){a.vb.C.EN();g.S(a.playerState,32)||(a.pc(MO(a.playerState,32)),g.S(a.playerState,8)&&a.pauseVideo(!0),a.ma("beginseeking",a));a.yc()}; +CRa=function(a){g.S(a.playerState,32)?(a.pc(OO(a.playerState,16,32)),a.ma("endseeking",a)):g.S(a.playerState,2)||a.pc(MO(a.playerState,16));a.vb.C.JN(a.videoData,g.QO(a.playerState))}; +tZ=function(a,b){a.ma("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; +W_a=function(a){for(var b=g.t("loadstart loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" ")),c=b.next();!c.done;c=b.next())a.oA.S(a.mediaElement,c.value,a.iO,a);a.Y.ql&&a.mediaElement.du()&&(a.oA.S(a.mediaElement,"webkitplaybacktargetavailabilitychanged",a.q5,a),a.oA.S(a.mediaElement,"webkitcurrentplaybacktargetiswirelesschanged",a.r5,a))}; +Y_a=function(a){window.clearInterval(a.rH);X_a(a)||(a.rH=g.Dy(function(){return X_a(a)},100))}; +X_a=function(a){var b=a.mediaElement;b&&a.WG&&!a.videoData.kb&&!aF("vfp",a.vb.timerName)&&2<=b.xj()&&!b.Qh()&&0b.j&&(b.j=c,b.delay.start());b.u=c;b.C=c;g.Jp(a.yK);a.ma("playbackstarted");g.jA()&&((a=g.Ga("yt.scheduler.instance.clearPriorityThreshold"))?a():kA(0))}; +Z_a=function(a){var b=a.getCurrentTime(),c=a.Nf.Hd();!aF("pbs",a.vb.timerName)&&xE.measure&&xE.getEntriesByName&&(xE.getEntriesByName("mark_nr")[0]?Fta("mark_nr"):Fta());c.videoId&&a.vb.info("docid",c.videoId);c.eventId&&a.vb.info("ei",c.eventId);c.clientPlaybackNonce&&!a.K("web_player_early_cpn")&&a.vb.info("cpn",c.clientPlaybackNonce);0a.fV+6283){if(!(!a.isAtLiveHead()||a.videoData.j&&LI(a.videoData.j))){var b=a.zc;if(b.qoe){b=b.qoe;var c=b.provider.va.eC(),d=g.uW(b.provider);NYa(b,d,c);c=c.B;isNaN(c)||g.MY(b,d,"e2el",[c.toFixed(3)])}}g.FK(a.Y)&&a.xa("rawlat",{l:FS(a.xP,"rawlivelatency").toFixed(3)});a.fV=Date.now()}a.videoData.u&&LH(a.videoData.u)&&(b=TN(a))&&b.videoHeight!==a.WM&&(a.WM=b.videoHeight,K_a(a,"a",M_a(a,a.videoData.ib)))}; +M_a=function(a,b){if("auto"===b.j.video.quality&&LH(b.rh())&&a.videoData.Nd)for(var c=g.t(a.videoData.Nd),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.WM&&"auto"!==d.j.video.quality)return d.rh();return b.rh()}; +y_a=function(a){if(!hM(a.videoData))return NaN;var b=0;a.Fa&&a.videoData.j&&(b=jM(a.videoData)?a.Fa.kF.bj()||0:a.videoData.j.Z);return Date.now()/1E3-a.Pf()-b}; +c0a=function(a){a.mediaElement&&a.mediaElement.wh()&&(a.AG=(0,g.M)());a.Y.po?g.Cy(function(){b0a(a)},0):b0a(a)}; +b0a=function(a){var b;if(null==(b=a.Wa)||!b.Ol()){if(a.mediaElement)try{a.qH=a.mediaElement.playVideo()}catch(d){vZ(a,"err."+d)}if(a.qH){var c=a.qH;c.then(void 0,function(d){if(!(g.S(a.playerState,4)||g.S(a.playerState,256)||a.qH!==c||d&&"AbortError"===d.name&&d.message&&d.message.includes("load"))){var e="promise";d&&d.name&&(e+=";m."+d.name);vZ(a,e);a.DS=!0;a.videoData.aJ=!0}})}}}; +vZ=function(a,b){g.S(a.playerState,128)||(a.pc(OO(a.playerState,1028,9)),a.xa("dompaused",{r:b}),a.ma("onAutoplayBlocked"))}; +oZ=function(a){if(!a.mediaElement||!a.videoData.C)return!1;var b,c=null;if(null==(b=a.videoData.C)?0:b.j){c=T_a(a);var d;null==(d=a.Fa)||d.resume()}else uZ(a),a.videoData.ib&&(c=a.videoData.ib.QA());b=c;d=a.mediaElement.QE();c=!1;d&&d.equals(b)||(d0a(a,b),c=!0);g.S(a.playerState,2)||(b=a.xd,b.D||!(0=c&&b<=d}; +J0a=function(a){if(!(g.S(a.zb.getPlayerState(),64)&&a.Hd().isLivePlayback&&5E3>a.Bb.startTimeMs)){if("repeatChapter"===a.Bb.type){var b,c=null==(b=XJa(a.wb()))?void 0:b.MB(),d;b=null==(d=a.getVideoData())?void 0:d.Pk;c instanceof g.eU&&b&&(d=b[HU(b,a.Bb.startTimeMs)],c.FD(0,d.title));isNaN(Number(a.Bb.loopCount))?a.Bb.loopCount=0:a.Bb.loopCount++;1===a.Bb.loopCount&&a.F.Na("innertubeCommand",a.getVideoData().C1)}a.zb.seekTo(.001*a.Bb.startTimeMs,{Je:"application_loopRangeStart"})}}; +q0a=function(a,b){var c=a.Ta.getAvailablePlaybackRates();b=Number(b.toFixed(2));a=c[0];c=c[c.length-1];b<=a?b=a:b>=c?b=c:(a=Math.floor(100*b+.001)%5,b=0===a?b:Math.floor(100*(b-.01*a)+.001)/100);return b}; +QZ=function(a,b,c){if(a.mf(c)){c=c.getVideoData();if(PZ(a))c=b;else{a=a.kd;for(var d=g.t(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Nc===e.Nc){b+=e.Ec/1E3;break}d=b;a=g.t(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Nc===e.Nc)break;var f=e.Ec/1E3;if(fd?e=!0:1=b?b:0;this.j=a=l?function(){return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=t3a(m,c,d,function(q){var r=n(q),v=q.slotId; +q=l3a(h);v=ND(e.eb.get(),"LAYOUT_TYPE_SURVEY",v);var x={layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},z=new B0(e.j,d),B=new H0(e.j,v),F=new I0(e.j,v),G=new u3a(e.j);return{layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",Rb:new Map,layoutExitNormalTriggers:[z,G],layoutExitSkipTriggers:[B],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[F],Sc:[],bb:"core",Ba:new YZ([new z1a(h),new t_(b),new W_(l/1E3),new Z_(q)]),Ac:r(x),adLayoutLoggingData:h.adLayoutLoggingData}}); +m=r3a(a,c,p.slotId,d,e,m,n);return m instanceof N?m:[p].concat(g.u(m))}}; +E3a=function(a,b,c,d,e,f){var h=[];try{var l=[];if(c.renderer.linearAdSequenceRenderer)var m=function(x){x=w3a(x.slotId,c,b,e(x),d,f);l=x.o9;return x.F2}; +else if(c.renderer.instreamVideoAdRenderer)m=function(x){var z=x.slotId;x=e(x);var B=c.config.adPlacementConfig,F=x3a(B),G=F.sT;F=F.vT;var D=c.renderer.instreamVideoAdRenderer,L;if(null==D?0:null==(L=D.playerOverlay)?0:L.instreamSurveyAdRenderer)throw new TypeError("Survey overlay should not be set on single video.");var P=y3a(D);L=Math.min(G+1E3*P.videoLengthSeconds,F);F=new lN(0,[P.videoLengthSeconds],L);var T=P.videoLengthSeconds,fa=P.playerVars,V=P.instreamAdPlayerOverlayRenderer,Q=P.adVideoId, +X=z3a(c),O=P.Rb;P=P.sS;var la=null==D?void 0:D.adLayoutLoggingData;D=null==D?void 0:D.sodarExtensionData;z=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA",z);var qa={layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",bb:"core"};return{layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",Rb:O,layoutExitNormalTriggers:[new A3a(b.j)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new z_(d),new J_(T),new K_(fa),new N_(G),new O_(L),V&&new A_(V),new t_(B),new y_(Q), +new u_(F),new S_(X),D&&new M_(D),new G_({current:null}),new Q_({}),new a0(P)].filter(B3a)),Ac:x(qa),adLayoutLoggingData:la}}; +else throw new TypeError("Expected valid AdPlacementRenderer for DAI");var n=C3a(a,d,c.adSlotLoggingData,m);h.push(n);for(var p=g.t(l),q=p.next();!q.done;q=p.next()){var r=q.value,v=r(a,e);if(v instanceof N)return v;h.push.apply(h,g.u(v))}}catch(x){return new N(x,{errorMessage:x.message,AdPlacementRenderer:c,numberOfSurveyRenderers:D3a(c)})}return h}; +D3a=function(a){a=(a.renderer.linearAdSequenceRenderer||{}).linearAds;return null!=a&&a.length?a.filter(function(b){var c,d;return null!=(null==(c=g.K(b,FP))?void 0:null==(d=c.playerOverlay)?void 0:d.instreamSurveyAdRenderer)}).length:0}; +w3a=function(a,b,c,d,e,f){var h=b.config.adPlacementConfig,l=x3a(h),m=l.sT,n=l.vT;l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null==l||!l.length)throw new TypeError("Expected linear ads");var p=[],q={ZX:m,aY:0,l9:p};l=l.map(function(v){return F3a(a,v,q,c,d,h,e,n)}).map(function(v,x){x=new lN(x,p,n); +return v(x)}); +var r=l.map(function(v){return v.G2}); +return{F2:G3a(c,a,m,r,h,z3a(b),d,n,f),o9:l.map(function(v){return v.n9})}}; +F3a=function(a,b,c,d,e,f,h,l){var m=y3a(g.K(b,FP)),n=c.ZX,p=c.aY,q=Math.min(n+1E3*m.videoLengthSeconds,l);c.ZX=q;c.aY++;c.l9.push(m.videoLengthSeconds);var r,v,x=null==(r=g.K(b,FP))?void 0:null==(v=r.playerOverlay)?void 0:v.instreamSurveyAdRenderer;if("nPpU29QrbiU"===m.adVideoId&&null==x)throw new TypeError("Survey slate media has no survey overlay");return function(z){var B=m.playerVars;2<=z.u&&(B.slot_pos=z.j);B.autoplay="1";var F,G;B=m.videoLengthSeconds;var D=m.playerVars,L=m.Rb,P=m.sS,T=m.instreamAdPlayerOverlayRenderer, +fa=m.adVideoId,V=null==(F=g.K(b,FP))?void 0:F.adLayoutLoggingData;F=null==(G=g.K(b,FP))?void 0:G.sodarExtensionData;G=ND(d.eb.get(),"LAYOUT_TYPE_MEDIA",a);var Q={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};z={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",Rb:L,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new z_(h),new J_(B),new K_(D),new N_(n),new O_(q),new P_(p),new G_({current:null}), +T&&new A_(T),new t_(f),new y_(fa),new u_(z),F&&new M_(F),x&&new H1a(x),new Q_({}),new a0(P)].filter(B3a)),Ac:e(Q),adLayoutLoggingData:V};B=v3a(g.K(b,FP),f,h,z.layoutId,d);return{G2:z,n9:B}}}; +y3a=function(a){if(!a)throw new TypeError("Expected instream video ad renderer");if(!a.playerVars)throw new TypeError("Expected player vars in url encoded string");var b=qy(a.playerVars),c=Number(b.length_seconds);if(isNaN(c))throw new TypeError("Expected valid length seconds in player vars");var d=Number(a.trimmedMaxNonSkippableAdDurationMs);c=isNaN(d)?c:Math.min(c,d/1E3);d=a.playerOverlay||{};d=void 0===d.instreamAdPlayerOverlayRenderer?null:d.instreamAdPlayerOverlayRenderer;var e=b.video_id;e|| +(e=(e=a.externalVideoId)?e:void 0);if(!e)throw new TypeError("Expected valid video id in IVAR");return{playerVars:b,videoLengthSeconds:c,instreamAdPlayerOverlayRenderer:d,adVideoId:e,Rb:a.pings?oN(a.pings):new Map,sS:nN(a.pings)}}; +z3a=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; +x3a=function(a){var b=a.adTimeOffset||{};a=b.offsetEndMilliseconds;b=Number(b.offsetStartMilliseconds);if(isNaN(b))throw new TypeError("Expected valid start offset");a=Number(a);if(isNaN(a))throw new TypeError("Expected valid end offset");return{sT:b,vT:a}}; +I3a=function(a,b,c,d,e,f,h){var l=c.pings;return l?[H3a(a,f,e,function(m){var n=m.slotId;m=h(m);var p=c.adLayoutLoggingData;n=ND(b.eb.get(),"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",n);var q={layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",bb:"core"};return{layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",Rb:oN(l),layoutExitNormalTriggers:[new z0(b.j,f)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)]), +Ac:m(q),adLayoutLoggingData:p}})]:new N("VideoAdTrackingRenderer without VideoAdTracking pings filled.",{videoAdTrackingRenderer:c})}; +K3a=function(a,b,c,d,e,f,h,l){a=J3a(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=ND(b.eb.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},q=new Map,r=e.impressionUrls;r&&q.set("impression",r);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",Rb:q,layoutExitNormalTriggers:[new G0(b.j,n)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new E1a(e),new t_(c)]),Ac:m(p)}}); +return a instanceof N?a:[a]}; +P3a=function(a,b,c,d,e,f,h,l){a=L3a(a,c,f,h,d,function(m,n){var p=m.slotId;m=l(m);var q=e.contentSupportedRenderer;q?q.textOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.enhancedTextOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.imageOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", +p),n=N3a(b,n,p),n.push(new O3a(b.j,q)),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,m,n)):n=new b0("InvideoOverlayAdRenderer without appropriate sub renderer"):n=new b0("InvideoOverlayAdRenderer without contentSupportedRenderer");return n}); +return a instanceof N?a:[a]}; +S3a=function(a,b,c,d,e,f,h,l,m){var n=Number(d.durationMilliseconds);return isNaN(n)?new N("Expected valid duration for AdActionInterstitialRenderer."):function(p){return Q3a(b,p.slotId,c,n,{impressionCommands:void 0,abandonCommands:d.abandonCommands?[{commandExecutorCommand:d.abandonCommands}]:void 0,completeCommands:d.completionCommands},d.skipPings?new Map([["skip",d.skipPings]]):new Map,h(p),function(q){return R3a(a,q,e,function(r,v){var x=r.slotId;r=h(r);x=ND(b.eb.get(),"LAYOUT_TYPE_ENDCAP", +x);return n3a(b,x,v,c,r,"LAYOUT_TYPE_ENDCAP",[new C_(d),l],d.adLayoutLoggingData)})},m,f-1,d.adLayoutLoggingData,f)}}; +T3a=function(a,b,c,d){if(!c.playerVars)return new N("No playerVars available in AdIntroRenderer.");var e=qy(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=ND(a.eb.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{Wj:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new R_({}), +new t_(b),new G_({current:null}),new K_(e)]),Ac:f(l)},Cl:[new F0(a.j,h,["error"])],Bj:[],Yx:[],Xx:[]}}}; +V3a=function(a,b,c,d,e,f,h,l,m,n){n=void 0===n?!1:n;var p=k3a(e);if(!h3a(e,n))return new N("Received invalid InstreamSurveyAdRenderer for VOD composite survey.",{InstreamSurveyAdRenderer:e});if(0>=p)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:e});var q=o3a(a,b,e,f,c,d,h);return q instanceof N?q:function(r){return U3a(b,r.slotId,c,p,l3a(e),h(r),q,l,m)}}; +W3a=function(a){if(isNaN(Number(a.timeoutSeconds))||!a.text||!a.ctaButton||!g.K(a.ctaButton,g.mM)||!a.brandImage)return!1;var b;return a.backgroundImage&&g.K(a.backgroundImage,U0)&&(null==(b=g.K(a.backgroundImage,U0))?0:b.landscape)?!0:!1}; +Y3a=function(a,b,c,d,e,f,h,l){function m(q){return R3a(a,q,d,n)} +function n(q,r){var v=q.slotId;q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",v);return n3a(b,v,r,c,q,"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",[new y1a(e),f],e.adLayoutLoggingData)} +if(!W3a(e))return new N("Received invalid SurveyTextInterstitialRenderer.",{SurveyTextInterstitialRenderer:e});var p=1E3*e.timeoutSeconds;return function(q){var r={impressionCommands:e.impressionCommands,completeCommands:e.timeoutCommands,skipCommands:e.dismissCommands},v=h(q);q=X3a(b,q.slotId,c,p,r,new Map,v,m);r=new E_(q.lH);v=new v_(l);return{Wj:{layoutId:q.layoutId,layoutType:q.layoutType,Rb:q.Rb,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[], +Sc:[],bb:q.bb,Ba:new YZ([].concat(g.u(q.Vx),[r,v])),Ac:q.Ac,adLayoutLoggingData:q.adLayoutLoggingData},Cl:[],Bj:q.layoutExitMuteTriggers,Yx:q.layoutExitUserInputSubmittedTriggers,Xx:q.Sc,Cg:q.Cg}}}; +$3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z){a=MD(a,"SLOT_TYPE_PLAYER_BYTES");d=L2a(b,h,d,e,a,n,p);if(d instanceof N)return d;var B;h=null==(B=ZZ(d.Ba,"metadata_type_fulfilled_layout"))?void 0:B.layoutId;if(!h)return new N("Invalid adNotify layout");b=Z3a(h,b,c,e,f,m,l,n,q,r,v,x,z);return b instanceof N?b:[d].concat(g.u(b))}; +Z3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){c=a4a(b,c,d,f,h,l,m,n,p,q,r);b4a(f)?(d=c4a(b,a),a=MD(b.eb.get(),"SLOT_TYPE_IN_PLAYER"),f=ND(b.eb.get(),"LAYOUT_TYPE_SURVEY",a),l=d4a(b,d,l),b=[].concat(g.u(l.slotExpirationTriggers),[new E0(b.j,f)]),a=c({slotId:l.slotId,slotType:l.slotType,slotPhysicalPosition:l.slotPhysicalPosition,slotEntryTrigger:l.slotEntryTrigger,slotFulfillmentTriggers:l.slotFulfillmentTriggers,slotExpirationTriggers:b,bb:l.bb},{slotId:a,layoutId:f}),e=a instanceof N?a:{Tv:Object.assign({}, +l,{slotExpirationTriggers:b,Ba:new YZ([new T_(a.layout)]),adSlotLoggingData:e}),gg:a.gg}):e=P2a(b,a,l,e,c);return e instanceof N?e:[].concat(g.u(e.gg),[e.Tv])}; +g4a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){b=a4a(a,b,c,e,f,h,m,n,p,q,r);b4a(e)?(e=e4a(a,c,h,l),e instanceof N?d=e:(l=MD(a.eb.get(),"SLOT_TYPE_IN_PLAYER"),m=ND(a.eb.get(),"LAYOUT_TYPE_SURVEY",l),h=[].concat(g.u(e.slotExpirationTriggers),[new E0(a.j,m)]),l=b({slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,bb:e.bb,slotEntryTrigger:e.slotEntryTrigger,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h},{slotId:l,layoutId:m}),l instanceof N?d=l:(a=f4a(a, +c,l.yT,e.slotEntryTrigger),d=a instanceof N?a:{Tv:{slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,slotEntryTrigger:a,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h,bb:e.bb,Ba:new YZ([new T_(l.layout)]),adSlotLoggingData:d},gg:l.gg}))):d=Q2a(a,c,h,l,d,m.fd,b);return d instanceof N?d:d.gg.concat(d.Tv)}; +b4a=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(g.K(b.value,v0))return!0;return!1}; +a4a=function(a,b,c,d,e,f,h,l,m,n,p){return function(q,r){if(P0(p)&&Q0(p))a:{var v=h4a(d);if(v instanceof N)r=v;else{for(var x=0,z=[],B=[],F=[],G=[],D=[],L=[],P=new H_({current:null}),T=new x_({current:null}),fa=!1,V=[],Q=0,X=[],O=0;O=m)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:c});var n=new H_({current:null}),p=o3a(a,b,c,n,d,f,h);return j4a(a,d,f,m,e,function(q,r){var v=q.slotId,x=l3a(c);q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA_BREAK",v);var z={layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK", +bb:"core"},B=p(v,r);ZZ(B.Ba,"metadata_type_fulfilled_layout")||GD("Could not retrieve overlay layout ID during VodMediaBreakLayout for survey creation. This should never happen.");x=[new t_(d),new X_(m),new Z_(x),n];return{M4:{layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",Rb:new Map,layoutExitNormalTriggers:[new G0(b.j,v)],layoutExitSkipTriggers:[new H0(b.j,r.layoutId)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[new I0(b.j,r.layoutId)],Sc:[],bb:"core",Ba:new YZ(x),Ac:q(z)}, +f4:B}})}; +l4a=function(a){if(!u2a(a))return!1;var b=g.K(a.adVideoStart,EP);return b?g.K(a.linearAd,FP)&&gO(b)?!0:(GD("Invalid Sandwich with notify"),!1):!1}; +m4a=function(a){if(null==a.linearAds)return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +n4a=function(a){if(!t2a(a))return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +W0=function(a,b,c,d,e,f,h,l){this.eb=a;this.Ib=b;this.Ab=c;this.Ca=d;this.Jb=e;this.j=f;this.Dj=h;this.loadPolicy=void 0===l?1:l}; +jra=function(a,b,c,d,e,f,h,l,m){var n=[];if(0===b.length&&0===d.length)return n;b=b.filter(j2a);var p=c.filter(s2a),q=d.filter(j2a),r=new Map,v=X2a(b);if(c=c.some(function(O){var la;return"SLOT_TYPE_PLAYER_BYTES"===(null==O?void 0:null==(la=O.adSlotMetadata)?void 0:la.slotType)}))p=Z2a(p,b,l,e,v,a.Jb.get(),a.loadPolicy,r,a.Ca.get(),a.eb.get()),p instanceof N?GD(p,void 0,void 0,{contentCpn:e}):n.push.apply(n,g.u(p)); +p=g.t(b);for(var x=p.next();!x.done;x=p.next()){x=x.value;var z=o4a(a,r,x,e,f,h,c,l,v,m);z instanceof N?GD(z,void 0,void 0,{renderer:x.renderer,config:x.config.adPlacementConfig,kind:x.config.adPlacementConfig.kind,contentCpn:e,daiEnabled:h}):n.push.apply(n,g.u(z))}p4a(a.Ca.get())||(f=q4a(a,q,e,l,v,r),n.push.apply(n,g.u(f)));if(null===a.j||h&&!l.iT){var B,F,G;a=l.fd&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null==(B=b[0].config)?void 0:null==(F=B.adPlacementConfig)?void 0:F.kind)&& +(null==(G=b[0].renderer)?void 0:G.adBreakServiceRenderer);if(!n.length&&!a){var D,L,P,T;GD("Expected slots parsed from AdPlacementRenderers for DAI",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,"first APR kind":null==(D=b[0])?void 0:null==(L=D.config)?void 0:null==(P=L.adPlacementConfig)?void 0:P.kind,renderer:null==(T=b[0])?void 0:T.renderer})}return n}B=d.filter(j2a);n.push.apply(n,g.u(H2a(r,B,a.Ib.get(),a.j,e,c)));if(!n.length){var fa,V,Q,X;GD("Expected slots parsed from AdPlacementRenderers", +void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,daiEnabled:h.toString(),"first APR kind":null==(fa=b[0])?void 0:null==(V=fa.config)?void 0:null==(Q=V.adPlacementConfig)?void 0:Q.kind,renderer:null==(X=b[0])?void 0:X.renderer})}return n}; +q4a=function(a,b,c,d,e,f){function h(r){return c_(a.Jb.get(),r)} +var l=[];b=g.t(b);for(var m=b.next();!m.done;m=b.next()){m=m.value;var n=m.renderer,p=n.sandwichedLinearAdRenderer,q=n.linearAdSequenceRenderer;p&&l4a(p)?(GD("Found AdNotify with SandwichedLinearAdRenderer"),q=g.K(p.adVideoStart,EP),p=g.K(p.linearAd,FP),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,q=M2a(null==(n=q)?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,p,c,d,h,e,a.loadPolicy,a.Ca.get(),a.Jb.get()),q instanceof N?GD(q):l.push.apply(l,g.u(q))): +q&&(!q.adLayoutMetadata&&m4a(q)||q.adLayoutMetadata&&n4a(q))&&(GD("Found AdNotify with LinearAdSequenceRenderer"),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,p=Z3a(null==(n=g.K(q.adStart,EP))?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,q.linearAds,t0(q.adLayoutMetadata)?q.adLayoutMetadata:void 0,c,d,h,e,a.loadPolicy,a.Ca.get()),p instanceof N?GD(p):l.push.apply(l,g.u(p)))}return l}; +o4a=function(a,b,c,d,e,f,h,l,m,n){function p(B){return c_(a.Jb.get(),B)} +var q=c.renderer,r=c.config.adPlacementConfig,v=r.kind,x=c.adSlotLoggingData,z=l.iT&&"AD_PLACEMENT_KIND_START"===v;z=f&&!z;if(null!=q.adsEngagementPanelRenderer)return L0(b,c.elementId,v,q.adsEngagementPanelRenderer.isContentVideoEngagementPanel,q.adsEngagementPanelRenderer.adVideoId,q.adsEngagementPanelRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.adsEngagementPanelRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON", +new r1a(P),F,G,P.impressionPings,T,q.adsEngagementPanelRenderer.adLayoutLoggingData,D)}),[]; +if(null!=q.actionCompanionAdRenderer){if(q.actionCompanionAdRenderer.showWithoutLinkedMediaLayout)return D2a(a.Ib.get(),a.j,a.Ab.get(),q.actionCompanionAdRenderer,r,x,d,p);L0(b,c.elementId,v,q.actionCompanionAdRenderer.isContentVideoCompanion,q.actionCompanionAdRenderer.adVideoId,q.actionCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.actionCompanionAdRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new o_(P), +F,G,P.impressionPings,T,q.actionCompanionAdRenderer.adLayoutLoggingData,D)})}else if(q.imageCompanionAdRenderer)L0(b,c.elementId,v,q.imageCompanionAdRenderer.isContentVideoCompanion,q.imageCompanionAdRenderer.adVideoId,q.imageCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.imageCompanionAdRenderer,T=c_(a.Jb.get(),B); +return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new t1a(P),F,G,P.impressionPings,T,q.imageCompanionAdRenderer.adLayoutLoggingData,D)}); +else if(q.shoppingCompanionCarouselRenderer)L0(b,c.elementId,v,q.shoppingCompanionCarouselRenderer.isContentVideoCompanion,q.shoppingCompanionCarouselRenderer.adVideoId,q.shoppingCompanionCarouselRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.shoppingCompanionCarouselRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new u1a(P),F,G,P.impressionPings,T,q.shoppingCompanionCarouselRenderer.adLayoutLoggingData,D)}); +else if(q.adBreakServiceRenderer){if(!z2a(c))return[];if("AD_PLACEMENT_KIND_PAUSE"===v)return y2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d);if("AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"!==v)return w2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d,e,f);if(!a.Dj)return new N("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");l.fd||GD("Received non-live cue point triggered AdBreakServiceRenderer",void 0,void 0,{kind:v,adPlacementConfig:r, +daiEnabledForContentVideo:String(f),isServedFromLiveInfra:String(l.fd),clientPlaybackNonce:l.clientPlaybackNonce});r4a(a.Dj,{adPlacementRenderer:c,contentCpn:d,bT:e})}else{if(q.clientForecastingAdRenderer)return K3a(a.Ib.get(),a.Ab.get(),r,x,q.clientForecastingAdRenderer,d,e,p);if(q.invideoOverlayAdRenderer)return P3a(a.Ib.get(),a.Ab.get(),r,x,q.invideoOverlayAdRenderer,d,e,p);if((q.linearAdSequenceRenderer||q.instreamVideoAdRenderer)&&z)return E3a(a.Ib.get(),a.Ab.get(),c,d,p,n);if(q.linearAdSequenceRenderer&& +!z){if(h&&!b4a(q.linearAdSequenceRenderer.linearAds))return[];K0(b,q,v);if(q.linearAdSequenceRenderer.adLayoutMetadata){if(!t2a(q.linearAdSequenceRenderer))return new N("Received invalid LinearAdSequenceRenderer.")}else if(null==q.linearAdSequenceRenderer.linearAds)return new N("Received invalid LinearAdSequenceRenderer.");if(g.K(q.linearAdSequenceRenderer.adStart,EP)){GD("Found AdNotify in LinearAdSequenceRenderer");b=g.K(q.linearAdSequenceRenderer.adStart,EP);if(!WBa(b))return new N("Invalid AdMessageRenderer."); +c=q.linearAdSequenceRenderer.linearAds;return $3a(a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),r,x,b,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,c,d,e,l,p,m,a.loadPolicy,a.Ca.get())}return g4a(a.Ib.get(),a.Ab.get(),r,x,q.linearAdSequenceRenderer.linearAds,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get())}if(!q.remoteSlotsRenderer||f)if(!q.instreamVideoAdRenderer|| +z||h){if(q.instreamSurveyAdRenderer)return k4a(a.Ib.get(),a.Ab.get(),q.instreamSurveyAdRenderer,r,x,d,p,V0(a.Ca.get(),"supports_multi_step_on_desktop"));if(null!=q.sandwichedLinearAdRenderer)return u2a(q.sandwichedLinearAdRenderer)?g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP)?(GD("Found AdNotify in SandwichedLinearAdRenderer"),b=g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP),WBa(b)?(c=g.K(q.sandwichedLinearAdRenderer.linearAd,FP))?N2a(b,c,r,a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),x,d, +e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Missing IVAR from Sandwich"):new N("Invalid AdMessageRenderer.")):g4a(a.Ib.get(),a.Ab.get(),r,x,[q.sandwichedLinearAdRenderer.adVideoStart,q.sandwichedLinearAdRenderer.linearAd],void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Received invalid SandwichedLinearAdRenderer.");if(null!=q.videoAdTrackingRenderer)return I3a(a.Ib.get(),a.Ab.get(),q.videoAdTrackingRenderer,r,x,d,p)}else return K0(b,q,v),R2a(a.Ib.get(),a.Ab.get(),r,x,q.instreamVideoAdRenderer,d,e,l, +p,m,a.loadPolicy,a.Ca.get(),a.Jb.get())}return[]}; +Y0=function(a){g.C.call(this);this.j=a}; +zC=function(a,b,c,d){a.j().lj(b,d);c=c();a=a.j();a.Qb.j("ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.t(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_RECEIVED",c);oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.j;if(g.Tb(c.slotId))throw new N("Slot ID was empty",void 0,"ADS_CLIENT_ERROR_MESSAGE_INVALID_SLOT");if(f0(e,c))throw new N("Duplicate registration for slot.",{slotId:c.slotId,slotEntryTriggerType:c.slotEntryTrigger.triggerType}, +"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");if(!e.rf.Tp.has(c.slotType))throw new N("No fulfillment adapter factory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_FULFILLMENT_ADAPTER_REGISTERED");if(!e.rf.Wq.has(c.slotType))throw new N("No SlotAdapterFactory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_SLOT_ADAPTER_REGISTERED");e2a(e,"TRIGGER_CATEGORY_SLOT_ENTRY",c.slotEntryTrigger?[c.slotEntryTrigger]:[]);e2a(e,"TRIGGER_CATEGORY_SLOT_FULFILLMENT", +c.slotFulfillmentTriggers);e2a(e,"TRIGGER_CATEGORY_SLOT_EXPIRATION",c.slotExpirationTriggers);var f=d.j,h=c.slotType+"_"+c.slotPhysicalPosition,l=m0(f,h);if(f0(f,c))throw new N("Duplicate slots not supported",void 0,"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");l.set(c.slotId,new $1a(c));f.j.set(h,l)}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR", +c),GD(V,c));break a}f0(d.j,c).I=!0;try{var m=d.j,n=f0(m,c),p=c.slotEntryTrigger,q=m.rf.al.get(p.triggerType);q&&(q.Zl("TRIGGER_CATEGORY_SLOT_ENTRY",p,c,null),n.ya.set(p.triggerId,q));for(var r=g.t(c.slotFulfillmentTriggers),v=r.next();!v.done;v=r.next()){var x=v.value,z=m.rf.al.get(x.triggerType);z&&(z.Zl("TRIGGER_CATEGORY_SLOT_FULFILLMENT",x,c,null),n.Z.set(x.triggerId,z))}for(var B=g.t(c.slotExpirationTriggers),F=B.next();!F.done;F=B.next()){var G=F.value,D=m.rf.al.get(G.triggerType);D&&(D.Zl("TRIGGER_CATEGORY_SLOT_EXPIRATION", +G,c,null),n.ea.set(G.triggerId,D))}var L=m.rf.Tp.get(c.slotType).get().wf(m.B,c);n.J=L;var P=m.rf.Wq.get(c.slotType).get().wf(m.D,c);P.init();n.u=P}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR",c),GD(V,c));d0(d,c,!0);break a}oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.j.Ii(c);for(var T=g.t(d.Fd),fa=T.next();!fa.done;fa= +T.next())fa.value.Ii(c);L1a(d,c)}}; +Z0=function(a,b,c,d){this.er=b;this.j=c;this.visible=d;this.triggerType="TRIGGER_TYPE_MEDIA_TIME_RANGE";this.triggerId=a(this.triggerType)}; +$0=function(a,b,c,d){g.C.call(this);var e=this;this.ac=a;this.Ib=b;this.wc=c;this.j=new Map;d.get().addListener(this);g.bb(this,function(){d.isDisposed()||d.get().removeListener(e)})}; +hra=function(a,b){var c=0x8000000000000;for(var d=0,e=g.t(b.slotFulfillmentTriggers),f=e.next();!f.done;f=e.next())f=f.value,f instanceof Z0?(c=Math.min(c,f.j.start),d=Math.max(d,f.j.end)):GD("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new iq(c,d);d="throttledadcuerange:"+b.slotId;a.j.set(d,b);a.wc.get().addCueRange(d,c.start,c.end,!1,a)}; +a1=function(){g.C.apply(this,arguments);this.Jj=!0;this.Vk=new Map;this.j=new Map}; +s4a=function(a,b){a=g.t(a.Vk.values());for(var c=a.next();!c.done;c=a.next())if(c.value.layoutId===b)return!0;return!1}; +t4a=function(a,b){a=g.t(a.j.values());for(var c=a.next();!c.done;c=a.next()){c=g.t(c.value);for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.layoutId===b)return d}GD("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.Tb(b)),layoutId:b})}; +A3a=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; +u4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED";this.triggerId=a(this.triggerType)}; +v4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_IN_PLAYER";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED";this.triggerId=a(this.triggerType)}; +w4a=function(a,b){this.opportunityType="OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED";this.associatedSlotId=b;this.triggerType="TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED";this.triggerId=a(this.triggerType)}; +u3a=function(a){this.triggerType="TRIGGER_TYPE_PLAYBACK_MINIMIZED";this.triggerId=a(this.triggerType)}; +x4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +b1=function(a,b){this.layoutId=b;this.triggerType="TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME";this.triggerId=a(this.triggerType)}; +y4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +O3a=function(a,b){this.durationMs=45E3;this.triggeringLayoutId=b;this.triggerType="TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +z4a=function(a){var b=[new D_(a.vp),new A_(a.instreamAdPlayerOverlayRenderer),new C1a(a.xO),new t_(a.adPlacementConfig),new J_(a.videoLengthSeconds),new W_(a.MG)];a.qK&&b.push(new x_(a.qK));return b}; +A4a=function(a,b,c,d,e,f){a=c.inPlayerLayoutId?c.inPlayerLayoutId:ND(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",Rb:new Map,layoutExitNormalTriggers:[new B0(function(l){return OD(f,l)},c.vp)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:b,Ba:d,Ac:e(h),adLayoutLoggingData:c.instreamAdPlayerOverlayRenderer.adLayoutLoggingData}}; +c1=function(a){var b=this;this.eb=a;this.j=function(c){return OD(b.eb.get(),c)}}; +W2a=function(a,b,c,d,e,f){c=new YZ([new B_(c),new t_(d)]);b=ND(a.eb.get(),"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",b);d={layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",Rb:new Map,layoutExitNormalTriggers:[new B0(function(h){return OD(a.eb.get(),h)},e)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:c,Ac:f(d),adLayoutLoggingData:void 0}}; +O0=function(a,b,c,d,e){var f=z4a(d);return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +B4a=function(a,b,c,d,e){var f=z4a(d);f.push(new r_(d.H1));f.push(new s_(d.J1));return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +X0=function(a,b,c,d,e,f,h,l,m,n){b=ND(a.eb.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},q=new Map;h&&q.set("impression",h);h=[new u4a(a.j,e)];n&&h.push(new F0(a.j,n,["normal"]));return{layoutId:b,layoutType:c,Rb:q,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([d,new t_(f),new D_(e)]),Ac:l(p),adLayoutLoggingData:m}}; +N3a=function(a,b,c){var d=[];d.push(new v4a(a.j,c));b&&d.push(b);return d}; +M3a=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,Rb:new Map,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[new E0(a.j,b)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new s1a(d),new t_(e)]),Ac:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; +n3a=function(a,b,c,d,e,f,h,l){var m={layoutId:b,layoutType:f,bb:"core"};return{layoutId:b,layoutType:f,Rb:new Map,layoutExitNormalTriggers:[new B0(a.j,c)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)].concat(g.u(h))),Ac:e(m),adLayoutLoggingData:l}}; +Q3a=function(a,b,c,d,e,f,h,l,m,n,p,q){a=X3a(a,b,c,d,e,f,h,l,p,q);b=a.Vx;c=new E_(a.lH);d=a.layoutExitSkipTriggers;0=.25*d||c)&&a.md("first_quartile"),(b>=.5*d||c)&&a.md("midpoint"),(b>=.75*d||c)&&a.md("third_quartile"),a=a.s8,b*=1E3,c=a.D())){for(;a.C=v?new iq(1E3*q,1E3*r):new iq(1E3*Math.floor(d+Math.random()*Math.min(v,p)),1E3*r)}p=m}else p={Cn:Tsa(c),zD:!1},r=c.startSecs+c.Sg,c.startSecs<=d?m=new iq(1E3*(c.startSecs-4),1E3*r):(q=Math.max(0,c.startSecs-d-10),m=new iq(1E3*Math.floor(d+ +Math.random()*(m?0===d?0:Math.min(q,5):q)),1E3*r)),p.Rp=m;e=v2a(e,f,h,p,l,[new D1a(c)]);n.get().Sh("daism","ct."+Date.now()+";cmt."+d+";smw."+(p.Rp.start/1E3-d)+";tw."+(c.startSecs-d)+";cid."+c.identifier.replaceAll(":","_")+";sid."+e.slotId);return[e]})}; +f2=function(a,b,c,d,e,f,h,l,m){g.C.call(this);this.j=a;this.B=b;this.u=c;this.ac=d;this.Ib=e;this.Ab=f;this.Jb=h;this.Ca=l;this.Va=m;this.Jj=!0}; +e6a=function(a,b,c){return V2a(a.Ib.get(),b.contentCpn,b.vp,function(d){return W2a(a.Ab.get(),d.slotId,c,b.adPlacementConfig,b.vp,c_(a.Jb.get(),d))})}; +g2=function(a){var b,c=null==(b=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:b.current;if(!c)return null;b=ZZ(a.Ba,"metadata_type_ad_pod_skip_target_callback_ref");var d=a.layoutId,e=ZZ(a.Ba,"metadata_type_content_cpn"),f=ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),h=ZZ(a.Ba,"metadata_type_player_underlay_renderer"),l=ZZ(a.Ba,"metadata_type_ad_placement_config"),m=ZZ(a.Ba,"metadata_type_video_length_seconds");var n=AC(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds")? +ZZ(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"):AC(a.Ba,"metadata_type_layout_enter_ms")&&AC(a.Ba,"metadata_type_layout_exit_ms")?(ZZ(a.Ba,"metadata_type_layout_exit_ms")-ZZ(a.Ba,"metadata_type_layout_enter_ms"))/1E3:void 0;return{vp:d,contentCpn:e,xO:c,qK:b,instreamAdPlayerOverlayRenderer:f,instreamAdPlayerUnderlayRenderer:h,adPlacementConfig:l,videoLengthSeconds:m,MG:n,inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id")}}; +g6a=function(a,b){return f6a(a,b)}; +h6a=function(a,b){b=f6a(a,b);if(!b)return null;var c;b.MG=null==(c=ZZ(a.Ba,"metadata_type_ad_pod_info"))?void 0:c.adBreakRemainingLengthSeconds;return b}; +f6a=function(a,b){var c,d=null==(c=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:c.current;if(!d)return null;AC(a.Ba,"metadata_ad_video_is_listed")?c=ZZ(a.Ba,"metadata_ad_video_is_listed"):b?c=b.isListed:(GD("No layout metadata nor AdPlayback specified for ad video isListed"),c=!1);AC(a.Ba,"metadata_type_ad_info_ad_metadata")?b=ZZ(a.Ba,"metadata_type_ad_info_ad_metadata"):b?b={channelId:b.bk,channelThumbnailUrl:b.profilePicture,channelTitle:b.author,videoTitle:b.title}:(GD("No layout metadata nor AdPlayback specified for AdMetaData"), +b={channelId:"",channelThumbnailUrl:"",channelTitle:"",videoTitle:""});return{H1:b,adPlacementConfig:ZZ(a.Ba,"metadata_type_ad_placement_config"),J1:c,contentCpn:ZZ(a.Ba,"metadata_type_content_cpn"),inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id"),instreamAdPlayerOverlayRenderer:ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),instreamAdPlayerUnderlayRenderer:void 0,MG:void 0,xO:d,vp:a.layoutId,videoLengthSeconds:ZZ(a.Ba, +"metadata_type_video_length_seconds")}}; +i6a=function(a,b){this.callback=a;this.slot=b}; +h2=function(){}; +j6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +k6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c;this.u=!1;this.j=0}; +l6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +i2=function(a){this.Ha=a}; +j2=function(a,b,c,d){this.category=a;this.trigger=b;this.slot=c;this.layout=d}; +k2=function(a){g.C.call(this);this.gJ=a;this.Wb=new Map}; +m6a=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof I0&&f.triggeringLayoutId===b&&c.push(e)}c.length?k0(a.gJ(),c):GD("Survey is submitted but no registered triggers can be activated.")}; +l2=function(a,b,c){k2.call(this,a);var d=this;this.Ca=c;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(d)})}; +m2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map;this.D=new Set;this.B=new Set;this.C=new Set;this.I=new Set;this.u=new Set}; +n2=function(a,b){g.C.call(this);var c=this;this.j=a;this.Wb=new Map;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)})}; +n6a=function(a,b,c,d){var e=[];a=g.t(a.values());for(var f=a.next();!f.done;f=a.next())if(f=f.value,f.trigger instanceof z0){var h=f.trigger.j===b;h===c?e.push(f):d&&h&&(GD("Firing OnNewPlaybackAfterContentVideoIdTrigger from presumed cached playback CPN match.",void 0,void 0,{cpn:b}),e.push(f))}return e}; +o6a=function(a){return a instanceof x4a||a instanceof y4a||a instanceof b1}; +o2=function(a,b,c,d){g.C.call(this);var e=this;this.u=a;this.wc=b;this.Ha=c;this.Va=d;this.Jj=!0;this.Wb=new Map;this.j=new Set;c.get().addListener(this);g.bb(this,function(){c.isDisposed()||c.get().removeListener(e)})}; +p6a=function(a,b,c,d,e,f,h,l,m,n){if(a.Va.get().vg(1).clientPlaybackNonce!==m)throw new N("Cannot register CueRange-based trigger for different content CPN",{trigger:c});a.Wb.set(c.triggerId,{Cu:new j2(b,c,d,e),Lu:f});a.wc.get().addCueRange(f,h,l,n,a)}; +q6a=function(a,b){a=g.t(a.Wb.entries());for(var c=a.next();!c.done;c=a.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;if(b===d.Lu)return c}return""}; +p2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +Y1=function(a,b){b=b.layoutId;for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())if(e=e.value,e.trigger instanceof G0){var f;if(f=e.trigger.layoutId===b)f=(f=S1a.get(e.category))?"normal"===f:!1;f&&c.push(e)}c.length&&k0(a.j(),c)}; +q2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +r2=function(a,b,c){g.C.call(this);this.j=a;this.hn=b;this.eb=c;this.hn.get().addListener(this)}; +s2=function(a,b,c,d,e,f){g.C.call(this);this.B=a;this.cf=b;this.Jb=c;this.Va=d;this.eb=e;this.Ca=f;this.j=this.u=null;this.C=!1;this.cf.get().addListener(this)}; +dCa=function(a,b,c,d,e){var f=MD(a.eb.get(),"SLOT_TYPE_PLAYER_BYTES");a.u={slotId:f,slotType:"SLOT_TYPE_PLAYER_BYTES",slotPhysicalPosition:1,slotEntryTrigger:void 0,slotFulfillmentTriggers:[],slotExpirationTriggers:[],bb:"surface",Ba:new YZ([])};a.j={layoutId:b,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"surface",Ba:new YZ(c),Ac:l1a(b_(a.Jb.get()),f,"SLOT_TYPE_PLAYER_BYTES", +1,"surface",void 0,[],[],b,"LAYOUT_TYPE_MEDIA","surface"),adLayoutLoggingData:e};P1a(a.B(),a.u,a.j);d&&(Q1a(a.B(),a.u,a.j),a.C=!0,j0(a.B(),a.u,a.j))}; +t2=function(a){this.fu=a}; +r6a=function(a,b){if(!a)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};a.trackingParams&&pP().eq(a.trackingParams);if(a.adThrottled)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};var c,d=null!=(c=a.adSlots)?c:[];c=a.playerAds;if(!c||!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};c=c.map(function(f){return f.adPlacementRenderer}).filter(function(f){return!(!f||!f.renderer)}); +if(!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};if(0e&&h.jA(p,e-d);return p}; +E6a=function(a,b){var c=ZZ(b.Ba,"metadata_type_sodar_extension_data");if(c)try{m5a(0,c)}catch(d){GD("Unexpected error when loading Sodar",a,b,{error:d})}}; +G6a=function(a,b,c,d,e,f){F6a(a,b,new g.WN(c,new g.KO),d,e,!1,f)}; +F6a=function(a,b,c,d,e,f,h){f=void 0===f?!0:f;R5a(c)&&Z1(e,0,null)&&(!N1(a,"impression")&&h&&h(),a.md("impression"));N1(a,"impression")&&(g.YN(c,4)&&!g.YN(c,2)&&a.lh("pause"),0>XN(c,4)&&!(0>XN(c,2))&&a.lh("resume"),g.YN(c,16)&&.5<=e&&a.lh("seek"),f&&g.YN(c,2)&&H6a(a,c.state,b,d,e))}; +H6a=function(a,b,c,d,e,f){if(N1(a,"impression")){var h=1>=Math.abs(d-e);I6a(a,b,h?d:e,c,d,f);h&&a.md("complete")}}; +I6a=function(a,b,c,d,e,f){M1(a,1E3*c);0>=e||0>=c||(null==b?0:g.S(b,16))||(null==b?0:g.S(b,32))||(Z1(c,.25*e,d)&&(f&&!N1(a,"first_quartile")&&f("first"),a.md("first_quartile")),Z1(c,.5*e,d)&&(f&&!N1(a,"midpoint")&&f("second"),a.md("midpoint")),Z1(c,.75*e,d)&&(f&&!N1(a,"third_quartile")&&f("third"),a.md("third_quartile")))}; +J6a=function(a,b){N1(a,"impression")&&a.lh(b?"fullscreen":"end_fullscreen")}; +K6a=function(a){N1(a,"impression")&&a.lh("clickthrough")}; +L6a=function(a){a.lh("active_view_measurable")}; +M6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_fully_viewable_audible_half_duration")}; +N6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_viewable")}; +O6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_audible")}; +P6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_measurable")}; +Q6a=function(a,b,c,d,e,f,h,l,m,n,p,q){this.callback=a;this.slot=b;this.layout=c;this.qf=d;this.Za=e;this.Ha=f;this.Td=h;this.Mb=l;this.hf=m;this.Ca=n;this.Oa=p;this.Va=q;this.tG=!0;this.Nc=this.Fc=null}; +R6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +S6a=function(a,b){var c,d;a.Oa.get().Sh("ads_imp","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b+";skp."+!!g.K(null==(d=ZZ(a.layout.Ba,"metadata_type_instream_ad_player_overlay_renderer"))?void 0:d.skipOrPreviewRenderer,R0))}; +T6a=function(a){return{enterMs:ZZ(a.Ba,"metadata_type_layout_enter_ms"),exitMs:ZZ(a.Ba,"metadata_type_layout_exit_ms")}}; +U6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){A2.call(this,a,b,c,d,e,h,l,m,n,q);this.Td=f;this.hf=p;this.Mb=r;this.Ca=v;this.Nc=this.Fc=null}; +V6a=function(a,b){var c;a.Oa.get().Sh("ads_imp","acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b)}; +W6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +X6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B,F,G){this.Ue=a;this.u=b;this.Va=c;this.qf=d;this.Ha=e;this.Oa=f;this.Td=h;this.xf=l;this.Mb=m;this.hf=n;this.Pe=p;this.wc=q;this.Mc=r;this.zd=v;this.Xf=x;this.Nb=z;this.dg=B;this.Ca=F;this.j=G}; +B2=function(a){g.C.call(this);this.j=a;this.Wb=new Map}; +C2=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.j===b.layoutId&&c.push(e);c.length&&k0(a.j(),c)}; +D2=function(a,b){g.C.call(this);var c=this;this.C=a;this.u=new Map;this.B=new Map;this.j=null;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)}); +var d;this.j=(null==(d=b.get().Nu)?void 0:d.slotId)||null}; +Y6a=function(a,b){var c=[];a=g.t(a.values());for(var d=a.next();!d.done;d=a.next())d=d.value,d.slot.slotId===b&&c.push(d);return c}; +Z6a=function(a){this.F=a}; +$6a=function(a,b,c,d,e){gN.call(this,"image-companion",a,b,c,d,e)}; +a7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +b7a=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; +c7a=function(a,b,c,d,e){gN.call(this,"shopping-companion",a,b,c,d,e)}; +d7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +e7a=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; +f7a=function(a,b,c,d,e,f){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.Jj=!0;this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +g7a=function(){var a=["metadata_type_action_companion_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON"]}}; +h7a=function(a,b,c,d,e){gN.call(this,"ads-engagement-panel",a,b,c,d,e)}; +i7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +j7a=function(){var a=["metadata_type_ads_engagement_panel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON"]}}; +k7a=function(a,b,c,d,e){this.vc=a;this.Oa=b;this.Ue=c;this.j=d;this.Mb=e}; +l7a=function(a,b,c){gN.call(this,"player-underlay",a,{},b,c);this.interactionLoggingClientData=c}; +E2=function(a,b,c,d){P1.call(this,a,b,c,d)}; +m7a=function(a){this.vc=a}; +n7a=function(a,b,c,d){gN.call(this,"survey-interstitial",a,b,c,d)}; +F2=function(a,b,c,d,e){P1.call(this,c,a,b,d);this.Oa=e;a=ZZ(b.Ba,"metadata_type_ad_placement_config");this.Za=new J1(b.Rb,e,a,b.layoutId)}; +G2=function(a){return Math.round(a.width)+"x"+Math.round(a.height)}; +p7a=function(a,b,c){c=void 0===c?o7a:c;c.widtha.width*a.height*.2)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") to container("+G2(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") covers container("+G2(a)+") center."}}; +q7a=function(a,b){var c=ZZ(a.Ba,"metadata_type_ad_placement_config");return new J1(a.Rb,b,c,a.layoutId)}; +H2=function(a){return ZZ(a.Ba,"metadata_type_invideo_overlay_ad_renderer")}; +r7a=function(a,b,c,d){gN.call(this,"invideo-overlay",a,b,c,d);this.interactionLoggingClientData=d}; +I2=function(a,b,c,d,e,f,h,l,m,n,p,q){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.Ha=l;this.Nb=m;this.Ca=n;this.I=p;this.D=q;this.Za=q7a(b,c)}; +s7a=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; +J2=function(a,b,c,d,e,f,h,l,m,n,p,q,r){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.J=l;this.Ha=m;this.Nb=n;this.Ca=p;this.I=q;this.D=r;this.Za=q7a(b,c)}; +t7a=function(){for(var a=["metadata_type_invideo_overlay_ad_renderer"],b=g.t(K1()),c=b.next();!c.done;c=b.next())a.push(c.value);return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}}; +K2=function(a){this.Ha=a;this.j=!1}; +u7a=function(a,b,c){gN.call(this,"survey",a,{},b,c)}; +v7a=function(a,b,c,d,e,f,h){P1.call(this,c,a,b,d);this.C=e;this.Ha=f;this.Ca=h}; +w7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +L2=function(a){g.C.call(this);this.B=a;this.Jj=!0;this.Wb=new Map;this.j=new Map;this.u=new Map}; +x7a=function(a,b){var c=[];if(b=a.j.get(b.layoutId)){b=g.t(b);for(var d=b.next();!d.done;d=b.next())(d=a.u.get(d.value.triggerId))&&c.push(d)}return c}; +y7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,"SLOT_TYPE_ABOVE_FEED",f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.rS=Y(function(){return new k7a(f.vc,f.Oa,a,f.Pc,f.Mb)}); +g.E(this,this.rS);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.RW=Y(function(){return new x6a(f.Ha,f.Oa,f.Ca)}); +g.E(this,this.RW);this.Um=Y(function(){return new w7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.AY=Y(function(){return new m7a(f.vc)}); +g.E(this,this.AY);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_ABOVE_FEED",this.Qd],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd],["SLOT_TYPE_PLAYER_UNDERLAY",this.Qd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_SURVEY_SUBMITTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb], +["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_SLOT_ID_UNSCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER", +this.Oe],["TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER",this.Oe],["TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME",this.Oe],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE_ALLOW_REACTIVATION_ON_USER_CANCELLED",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED", +this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh],["SLOT_TYPE_PLAYER_UNDERLAY",this.Gd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Gd]]),yq:new Map([["SLOT_TYPE_ABOVE_FEED",this.rS],["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_PLAYBACK_TRACKING",this.RW],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_UNDERLAY",this.AY]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +z7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +A7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new z7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY", +this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED", +this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc, +Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +B7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.NW=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.NW);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.NW],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +C7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES", +this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +N2=function(a,b,c,d,e,f,h,l,m){T1.call(this,a,b,c,d,e,f,h,m);this.Bm=l}; +D7a=function(){var a=I5a();a.Ae.push("metadata_type_ad_info_ad_metadata");return a}; +E7a=function(a,b,c,d,e,f){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f}; +F7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.WY=Y(function(){return new E7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c)}); +g.E(this,this.WY);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING", +this.Mh],["SLOT_TYPE_IN_PLAYER",this.WY],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +G7a=function(a,b,c,d,e,f,h){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f;this.Ca=h}; +H7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj,3)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Xh=new f2(h6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.Um=Y(function(){return new G7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c,f.Ca)}); +g.E(this,this.Um);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd], +["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED", +this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING", +this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_IN_PLAYER",this.Um]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +J7a=function(a,b,c,d){g.C.call(this);var e=this;this.j=I7a(function(){return e.u},a,b,c,d); +g.E(this,this.j);this.u=(new h2a(this.j)).B();g.E(this,this.u)}; +O2=function(a){return a.j.yv}; +I7a=function(a,b,c,d,e){try{var f=b.V();if(g.DK(f))var h=new y7a(a,b,c,d,e);else if(g.GK(f))h=new A7a(a,b,c,d,e);else if("WEB_MUSIC_EMBEDDED_PLAYER"===g.rJ(f))h=new C7a(a,b,c,d,e);else if(uK(f))h=new B7a(a,b,c,d,e);else if(g.nK(f))h=new F7a(a,b,c,d,e);else if(g.mK(f))h=new H7a(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return h=b.V(),GD("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:h.j.cplatform,interface:h.j.c,I7a:h.j.cver,H7a:h.j.ctheme, +G7a:h.j.cplayer,c8a:h.playerStyle}),new l5a(a,b,c,d,e)}}; +K7a=function(a){FQ.call(this,a)}; +L7a=function(a,b,c,d,e){NQ.call(this,a,{G:"div",N:"ytp-ad-timed-pie-countdown-container",W:[{G:"svg",N:"ytp-ad-timed-pie-countdown",X:{viewBox:"0 0 20 20"},W:[{G:"circle",N:"ytp-ad-timed-pie-countdown-background",X:{r:"10",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-inner",X:{r:"5",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-outer",X:{r:"10",cx:"10",cy:"10"}}]}]},"timed-pie-countdown",b,c,d,e);this.B=this.Da("ytp-ad-timed-pie-countdown-inner");this.C=this.Da("ytp-ad-timed-pie-countdown-outer"); +this.u=Math.ceil(10*Math.PI);this.hide()}; +M7a=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-action-interstitial",X:{tabindex:"0"},W:[{G:"div",N:"ytp-ad-action-interstitial-background-container"},{G:"div",N:"ytp-ad-action-interstitial-slot",W:[{G:"div",N:"ytp-ad-action-interstitial-card",W:[{G:"div",N:"ytp-ad-action-interstitial-image-container"},{G:"div",N:"ytp-ad-action-interstitial-headline-container"},{G:"div",N:"ytp-ad-action-interstitial-description-container"},{G:"div",N:"ytp-ad-action-interstitial-action-button-container"}]}]}]}, +"ad-action-interstitial",b,c,d);this.pP=e;this.gI=f;this.navigationEndpoint=this.j=this.skipButton=this.u=this.actionButton=null;this.Ja=this.Da("ytp-ad-action-interstitial-image-container");this.J=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-image");g.E(this,this.J);this.J.Ea(this.Ja);this.Ga=this.Da("ytp-ad-action-interstitial-headline-container");this.D=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-headline"); +g.E(this,this.D);this.D.Ea(this.Ga);this.Aa=this.Da("ytp-ad-action-interstitial-description-container");this.C=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-description");g.E(this,this.C);this.C.Ea(this.Aa);this.Ya=this.Da("ytp-ad-action-interstitial-background-container");this.Z=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-background",!0);g.E(this,this.Z);this.Z.Ea(this.Ya);this.Qa=this.Da("ytp-ad-action-interstitial-action-button-container"); +this.slot=this.Da("ytp-ad-action-interstitial-slot");this.B=new Jz;g.E(this,this.B);this.hide()}; +N7a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +R7a=function(a,b,c,d){eQ.call(this,a,{G:"div",N:"ytp-ad-overlay-slot",W:[{G:"div",N:"ytp-ad-overlay-container"}]},"invideo-overlay",b,c,d);this.J=[];this.fb=this.Aa=this.C=this.Ya=this.Ja=null;this.Qa=!1;this.D=null;this.Z=0;a=this.Da("ytp-ad-overlay-container");this.Ga=new WQ(a,45E3,6E3,.3,.4);g.E(this,this.Ga);this.B=O7a(this);g.E(this,this.B);this.B.Ea(a);this.u=P7a(this);g.E(this,this.u);this.u.Ea(a);this.j=Q7a(this);g.E(this,this.j);this.j.Ea(a);this.hide()}; +O7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-text-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +P7a=function(a){var b=new g.dQ({G:"div",Ia:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-text-image",W:[{G:"img",X:{src:"{{imageUrl}}"}}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], +ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);a.S(b.Da("ytp-ad-overlay-text-image"),"click",a.F7);b.hide();return b}; +Q7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-image-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-image",W:[{G:"img",X:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.S(b.Da("ytp-ad-overlay-image"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +T7a=function(a,b){if(b){var c=g.K(b,S0)||null;if(null==c)g.CD(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else if(b=g.kf("video-ads ytp-ad-module")||null,null==b)g.CD(Error("Could not locate the root ads container element to attach the ad info dialog."));else if(a.Aa=new g.dQ({G:"div",N:"ytp-ad-overlay-ad-info-dialog-container"}),g.E(a,a.Aa),a.Aa.Ea(b),b=new KQ(a.api,a.layoutId,a.interactionLoggingClientData,a.rb,a.Aa.element,!1),g.E(a,b),b.init(fN("ad-info-hover-text-button"), +c,a.macros),a.D){b.Ea(a.D,0);b.subscribe("f",a.h5,a);b.subscribe("e",a.XN,a);a.S(a.D,"click",a.i5);var d=g.kf("ytp-ad-button",b.element);a.S(d,"click",function(){var e;if(g.K(null==(e=g.K(c.button,g.mM))?void 0:e.serviceEndpoint,kFa))a.Qa=2===a.api.getPlayerState(1),a.api.pauseVideo();else a.api.onAdUxClicked("ad-info-hover-text-button",a.layoutId)}); +a.fb=b}else g.CD(Error("Ad info button container within overlay ad was not present."))}else g.DD(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; +V7a=function(a,b){if(U7a(a,Q2)||a.api.zg())return!1;var c=fQ(b.title),d=fQ(b.description);if(g.Tb(c)||g.Tb(d))return!1;a.Zf(a.B.element,b.trackingParams||null);a.B.updateValue("title",fQ(b.title));a.B.updateValue("description",fQ(b.description));a.B.updateValue("displayUrl",fQ(b.displayUrl));b.navigationEndpoint&&g.Cb(a.J,b.navigationEndpoint);a.B.show();a.Ga.start();a.Ua(a.B.element,!0);a.S(a.B.element,"mouseover",function(){a.Z++}); +return!0}; +W7a=function(a,b){if(U7a(a,Q2)||a.api.zg())return!1;var c=fQ(b.title),d=fQ(b.description);if(g.Tb(c)||g.Tb(d))return!1;a.Zf(a.u.element,b.trackingParams||null);a.u.updateValue("title",fQ(b.title));a.u.updateValue("description",fQ(b.description));a.u.updateValue("displayUrl",fQ(b.displayUrl));a.u.updateValue("imageUrl",GEa(b.image));b.navigationEndpoint&&g.Cb(a.J,b.navigationEndpoint);a.Ya=b.imageNavigationEndpoint||null;a.u.show();a.Ga.start();a.Ua(a.u.element,!0);a.S(a.u.element,"mouseover",function(){a.Z++}); +return!0}; +X7a=function(a,b){if(a.api.zg())return!1;var c=HEa(b.image),d=c;c.widthe?f=!0:1>16,a>>8&255,a&255]}; -LAa=function(){if(!g.ye)return!1;try{return new ActiveXObject("MSXML2.DOMDocument"),!0}catch(a){return!1}}; -g.U0=function(a){if("undefined"!=typeof DOMParser){var b=new DOMParser;mg();a=dd(a,null);return b.parseFromString(g.cd(a),"application/xml")}if(MAa){b=new ActiveXObject("MSXML2.DOMDocument");b.resolveExternals=!1;b.validateOnParse=!1;try{b.setProperty("ProhibitDTD",!0),b.setProperty("MaxXMLSize",2048),b.setProperty("MaxElementDepth",256)}catch(c){}b.loadXML(a);return b}throw Error("Your browser does not support loading xml documents");}; -g.V0=function(a){g.B.call(this);this.B=a;this.u={}}; -NAa=function(a,b,c,d,e,f){if(Array.isArray(c))for(var h=0;hdocument.documentMode)c=le;else{var d=document;"function"===typeof HTMLTemplateElement&&(d=g.qf("TEMPLATE").content.ownerDocument);d=d.implementation.createHTMLDocument("").createElement("DIV");d.style.cssText=c;c=vla(d.style)}b=new je([c,Lba({"background-image":'url("'+b+'")'})].map(tga).join(""),ie);a.style.cssText=ke(b)}}; +q8a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +Y2=function(a,b,c){FQ.call(this,a);this.api=a;this.rb=b;this.u={};a=new g.U({G:"div",Ia:["video-ads","ytp-ad-module"]});g.E(this,a);cK&&g.Qp(a.element,"ytp-ads-tiny-mode");this.D=new XP(a.element);g.E(this,this.D);g.NS(this.api,a.element,4);U2a(c)&&(c=new g.U({G:"div",Ia:["ytp-ad-underlay"]}),g.E(this,c),this.B=new XP(c.element),g.E(this,this.B),g.NS(this.api,c.element,0));g.E(this,XEa())}; +r8a=function(a,b){a=g.jd(a.u,b.id,null);null==a&&g.DD(Error("Component not found for element id: "+b.id));return a||null}; +s8a=function(a){g.CT.call(this,a);var b=this;this.u=this.xe=null;this.created=!1;this.fu=new zP(this.player);this.B=function(){function d(){return b.xe} +if(null!=b.u)return b.u;var e=iEa({Dl:a.getVideoData(1)});e=new q1a({I1:d,ou:e.l3(),l2:d,W4:d,Tl:O2(b.j).Tl,Wl:e.YL(),An:O2(b.j).An,F:b.player,Di:O2(b.j).Di,Oa:b.j.j.Oa,Kj:O2(b.j).Kj,zd:b.j.j.zd});b.u=e.IZ;return b.u}; +this.j=new J7a(this.player,this,this.fu,this.B);g.E(this,this.j);var c=a.V();!sK(c)||g.mK(c)||uK(c)||(g.E(this,new Y2(a,O2(this.j).rb,O2(this.j).Di)),g.E(this,new K7a(a)))}; +t8a=function(a){a.created!==a.loaded&&GD("Created and loaded are out of sync")}; +v8a=function(a){g.CT.prototype.load.call(a);var b=O2(a.j).Di;zsa(b.F.V().K("html5_reduce_ecatcher_errors"));try{a.player.getRootNode().classList.add("ad-created")}catch(n){GD(n instanceof Error?n:String(n))}var c=a.B(),d=a.player.getVideoData(1),e=d&&d.videoId||"",f=d&&d.getPlayerResponse()||{},h=(!a.player.V().experiments.ob("debug_ignore_ad_placements")&&f&&f.adPlacements||[]).map(function(n){return n.adPlacementRenderer}),l=((null==f?void 0:f.adSlots)||[]).map(function(n){return g.K(n,gra)}); +f=f.playerConfig&&f.playerConfig.daiConfig&&f.playerConfig.daiConfig.enableDai||!1;var m=d&&d.fd()||!1;b=u8a(h,l,b,f,m,O2(a.j).Tm);1<=b.Bu.length&&g.DK(a.player.V())&&(null==d||d.xa("abv45",{rs:b.Bu.map(function(n){return Object.keys(n.renderer||{}).join("_")}).join("__")})); +h=d&&d.clientPlaybackNonce||"";d=d&&d.Du||!1;l=1E3*a.player.getDuration(1);a.xe=new TP(a,a.player,a.fu,c,O2(a.j));sEa(a.xe,b.Bu);a.j.j.Zs.Nj(h,l,d,b.nH,b.vS,b.nH.concat(b.Bu),f,e);UP(a.xe)}; +w8a=function(a,b){b===a.Gx&&(a.Gx=void 0)}; +x8a=function(a){a.xe?O2(a.j).Uc.rM()||a.xe.rM()||VP(O2(a.j).qt):GD("AdService is null when calling maybeUnlockPrerollIfReady")}; +y8a=function(a){a=g.t(O2(a.j).Kj.Vk.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.slotType&&"core"===b.bb)return!0;GD("Ads Playback Not Managed By Controlflow");return!1}; +z8a=function(a){a=g.t(O2(a.j).Kj.Vk.values());for(var b=a.next();!b.done;b=a.next())if("LAYOUT_TYPE_MEDIA_BREAK"===b.value.layoutType)return!0;return!1}; +yC=function(a,b,c,d,e){c=void 0===c?[]:c;d=void 0===d?"":d;e=void 0===e?"":e;var f=O2(a.j).Di,h=a.player.getVideoData(1),l=h&&h.getPlayerResponse()||{};l=l&&l.playerConfig&&l.playerConfig.daiConfig&&l.playerConfig.daiConfig.enableDai||!1;h=h&&h.fd()||!1;c=u8a(b,c,f,l,h,O2(a.j).Tm);kra(O2(a.j).Yc,d,c.nH,c.vS,b,e);a.xe&&0b.Fw;b={Fw:b.Fw},++b.Fw){var c=new g.U({G:"a",N:"ytp-suggestion-link",X:{href:"{{link}}",target:a.api.V().ea,"aria-label":"{{aria_label}}"},W:[{G:"div",N:"ytp-suggestion-image"},{G:"div",N:"ytp-suggestion-overlay",X:{style:"{{blink_rendering_hack}}","aria-hidden":"{{aria_hidden}}"},W:[{G:"div",N:"ytp-suggestion-title",ra:"{{title}}"},{G:"div",N:"ytp-suggestion-author",ra:"{{author_and_views}}"},{G:"div",X:{"data-is-live":"{{is_live}}"},N:"ytp-suggestion-duration", +ra:"{{duration}}"}]}]});g.E(a,c);var d=c.Da("ytp-suggestion-link");g.Hm(d,"transitionDelay",b.Fw/20+"s");a.C.S(d,"click",function(e){return function(f){var h=e.Fw;if(a.B){var l=a.suggestionData[h],m=l.sessionData;g.fK(a.api.V())&&a.api.K("web_player_log_click_before_generating_ve_conversion_params")?(a.api.qb(a.u[h].element),h=l.Ak(),l={},g.nKa(a.api,l,"emb_rel_pause"),h=g.Zi(h,l),g.VT(h,a.api,f)):g.UT(f,a.api,a.J,m||void 0)&&a.api.Kn(l.videoId,m,l.playlistId)}else g.EO(f),document.activeElement.blur()}}(b)); +c.Ea(a.suggestions.element);a.u.push(c);a.api.Zf(c.element,c)}}; +F8a=function(a){if(a.api.V().K("web_player_log_click_before_generating_ve_conversion_params"))for(var b=Math.floor(-a.j/(a.D+8)),c=Math.min(b+a.columns,a.suggestionData.length)-1;b<=c;b++)a.api.Ua(a.u[b].element,!0)}; +g.a3=function(a){var b=a.I.yg()?32:16;b=a.Z/2+b;a.next.element.style.bottom=b+"px";a.previous.element.style.bottom=b+"px";b=a.j;var c=a.containerWidth-a.suggestionData.length*(a.D+8);g.Up(a.element,"ytp-scroll-min",0<=b);g.Up(a.element,"ytp-scroll-max",b<=c)}; +H8a=function(a){for(var b=a.suggestionData.length,c=0;cb)for(;16>b;++b)c=a.u[b].Da("ytp-suggestion-link"),g.Hm(c,"display","none");g.a3(a)}; +aaa=[];da="function"==typeof Object.defineProperties?Object.defineProperty:function(a,b,c){if(a==Array.prototype||a==Object.prototype)return a;a[b]=c.value;return a}; +g.ca=caa(this);ea("Symbol",function(a){function b(f){if(this instanceof b)throw new TypeError("Symbol is not a constructor");return new c(d+(f||"")+"_"+e++,f)} +function c(f,h){this.j=f;da(this,"description",{configurable:!0,writable:!0,value:h})} +if(a)return a;c.prototype.toString=function(){return this.j}; +var d="jscomp_symbol_"+(1E9*Math.random()>>>0)+"_",e=0;return b}); +ea("Symbol.iterator",function(a){if(a)return a;a=Symbol("Symbol.iterator");for(var b="Array Int8Array Uint8Array Uint8ClampedArray Int16Array Uint16Array Int32Array Uint32Array Float32Array Float64Array".split(" "),c=0;c=f}}); -ha("Array.prototype.find",function(a){return a?a:function(b,c){return Da(this,b,c).DG}}); -ha("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=Ca(this,b,"startsWith");b+="";for(var e=d.length,f=b.length,h=Math.max(0,Math.min(c|0,d.length)),l=0;l=f}}); -ha("String.prototype.repeat",function(a){return a?a:function(b){var c=Ca(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); -ha("Object.setPrototypeOf",function(a){return a||na}); -var SAa="function"==typeof Object.assign?Object.assign:function(a,b){for(var c=1;cf&&(f=Math.max(f+e,0));fb?-c:c}}); -ha("Array.prototype.fill",function(a){return a?a:function(b,c,d){var e=this.length||0;0>c&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);c=e}}); +ea("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=Aa(this,b,"startsWith");b+="";var e=d.length,f=b.length;c=Math.max(0,Math.min(c|0,d.length));for(var h=0;h=f}}); +ea("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); +ea("String.prototype.repeat",function(a){return a?a:function(b){var c=Aa(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); +ea("Set",function(a){function b(c){this.j=new Map;if(c){c=g.t(c);for(var d;!(d=c.next()).done;)this.add(d.value)}this.size=this.j.size} +if(function(){if(!a||"function"!=typeof a||!a.prototype.entries||"function"!=typeof Object.seal)return!1;try{var c=Object.seal({x:4}),d=new a(g.t([c]));if(!d.has(c)||1!=d.size||d.add(c)!=d||1!=d.size||d.add({x:4})!=d||2!=d.size)return!1;var e=d.entries(),f=e.next();if(f.done||f.value[0]!=c||f.value[1]!=c)return!1;f=e.next();return f.done||f.value[0]==c||4!=f.value[0].x||f.value[1]!=f.value[0]?!1:e.next().done}catch(h){return!1}}())return a; +b.prototype.add=function(c){c=0===c?0:c;this.j.set(c,c);this.size=this.j.size;return this}; +b.prototype.delete=function(c){c=this.j.delete(c);this.size=this.j.size;return c}; +b.prototype.clear=function(){this.j.clear();this.size=0}; +b.prototype.has=function(c){return this.j.has(c)}; +b.prototype.entries=function(){return this.j.entries()}; +b.prototype.values=function(){return this.j.values()}; +b.prototype.keys=b.prototype.values;b.prototype[Symbol.iterator]=b.prototype.values;b.prototype.forEach=function(c,d){var e=this;this.j.forEach(function(f){return c.call(d,f,f,e)})}; return b}); -ha("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)Ea(b,d)&&c.push(b[d]);return c}}); -ha("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); -ha("Object.fromEntries",function(a){return a?a:function(b){var c={};if(!(Symbol.iterator in b))throw new TypeError(""+b+" is not iterable");b=b[Symbol.iterator].call(b);for(var d=b.next();!d.done;d=b.next()){d=d.value;if(Object(d)!==d)throw new TypeError("iterable for fromEntries should yield objects");c[d[0]]=d[1]}return c}}); -ha("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); -ha("WeakSet",function(a){function b(c){this.u=new WeakMap;if(c){c=g.q(c);for(var d;!(d=c.next()).done;)this.add(d.value)}} -if(function(){if(!a||!Object.seal)return!1;try{var c=Object.seal({}),d=Object.seal({}),e=new a([c]);if(!e.has(c)||e.has(d))return!1;e["delete"](c);e.add(d);return!e.has(c)&&e.has(d)}catch(f){return!1}}())return a; -b.prototype.add=function(c){this.u.set(c,!0);return this}; -b.prototype.has=function(c){return this.u.has(c)}; -b.prototype["delete"]=function(c){return this.u["delete"](c)}; +ea("Array.prototype.values",function(a){return a?a:function(){return za(this,function(b,c){return c})}}); +ea("Number.MAX_SAFE_INTEGER",function(){return 9007199254740991}); +ea("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); +ea("Array.prototype.entries",function(a){return a?a:function(){return za(this,function(b,c){return[b,c]})}}); +ea("Array.from",function(a){return a?a:function(b,c,d){c=null!=c?c:function(l){return l}; +var e=[],f="undefined"!=typeof Symbol&&Symbol.iterator&&b[Symbol.iterator];if("function"==typeof f){b=f.call(b);for(var h=0;!(f=b.next()).done;)e.push(c.call(d,f.value,h++))}else for(f=b.length,h=0;hc&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);cc&&(c=Math.max(c+e,0));cb?-c:c}}); +ea("Array.prototype.findIndex",function(a){return a?a:function(b,c){return naa(this,b,c).i}}); +ea("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)ha(b,d)&&c.push(b[d]);return c}}); +ea("Math.sign",function(a){return a?a:function(b){b=Number(b);return 0===b||isNaN(b)?b:0c?Math.max(f+c,0):Math.min(c,f);d=0>d?Math.max(f+d,0):Math.min(d,f);e=0>e?Math.max(f+e,0):Math.min(e,f);if(cd;)--e in this?this[--c]=this[e]:delete this[--c];return this}}); -ha("Int8Array.prototype.copyWithin",Ha);ha("Uint8Array.prototype.copyWithin",Ha);ha("Uint8ClampedArray.prototype.copyWithin",Ha);ha("Int16Array.prototype.copyWithin",Ha);ha("Uint16Array.prototype.copyWithin",Ha);ha("Int32Array.prototype.copyWithin",Ha);ha("Uint32Array.prototype.copyWithin",Ha);ha("Float32Array.prototype.copyWithin",Ha);ha("Float64Array.prototype.copyWithin",Ha);g.$0=g.$0||{};g.v=this||self;eaa=/^[\w+/_-]+[=]{0,2}$/;La=null;Ta="closure_uid_"+(1E9*Math.random()>>>0);faa=0;g.Ya($a,Error);$a.prototype.name="CustomError";var me;g.Ya(ab,$a);ab.prototype.name="AssertionError";var lb,ei;lb=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); +ea("Int8Array.prototype.copyWithin",Da);ea("Uint8Array.prototype.copyWithin",Da);ea("Uint8ClampedArray.prototype.copyWithin",Da);ea("Int16Array.prototype.copyWithin",Da);ea("Uint16Array.prototype.copyWithin",Da);ea("Int32Array.prototype.copyWithin",Da);ea("Uint32Array.prototype.copyWithin",Da);ea("Float32Array.prototype.copyWithin",Da);ea("Float64Array.prototype.copyWithin",Da); +ea("String.prototype.replaceAll",function(a){return a?a:function(b,c){if(b instanceof RegExp&&!b.global)throw new TypeError("String.prototype.replaceAll called with a non-global RegExp argument.");return b instanceof RegExp?this.replace(b,c):this.replace(new RegExp(String(b).replace(/([-()\[\]{}+?*.$\^|,:#>>0);paa=0;g.k=Va.prototype;g.k.K1=function(a){var b=g.ya.apply(1,arguments),c=this.IL(b);c?c.push(new saa(a)):this.HX(a,b)}; +g.k.HX=function(a){this.Rx.set(this.RT(g.ya.apply(1,arguments)),[new saa(a)])}; +g.k.IL=function(){var a=this.RT(g.ya.apply(0,arguments));return this.Rx.has(a)?this.Rx.get(a):void 0}; +g.k.o3=function(){var a=this.IL(g.ya.apply(0,arguments));return a&&a.length?a[0]:void 0}; +g.k.clear=function(){this.Rx.clear()}; +g.k.RT=function(){var a=g.ya.apply(0,arguments);return a?a.join(","):"key"};g.w(Wa,Va);Wa.prototype.B=function(a){var b=g.ya.apply(1,arguments),c=0,d=this.o3(b);d&&(c=d.PS);this.HX(c+a,b)};g.w(Ya,Va);Ya.prototype.Sf=function(a){this.K1(a,g.ya.apply(1,arguments))};g.C.prototype.Eq=!1;g.C.prototype.isDisposed=function(){return this.Eq}; +g.C.prototype.dispose=function(){this.Eq||(this.Eq=!0,this.qa())}; +g.C.prototype.qa=function(){if(this.zm)for(;this.zm.length;)this.zm.shift()()};g.Ta(cb,Error);cb.prototype.name="CustomError";var fca;g.Ta(fb,cb);fb.prototype.name="AssertionError";g.ib.prototype.stopPropagation=function(){this.u=!0}; +g.ib.prototype.preventDefault=function(){this.defaultPrevented=!0};var vaa,$l,Wm;vaa=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); for(var c=0;cc&&(c=Math.max(0,a.length+c));if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.lastIndexOf(b,c);for(;0<=c;c--)if(c in a&&a[c]===b)return c;return-1}; -g.Gb=Array.prototype.forEach?function(a,b,c){Array.prototype.forEach.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,wc=/"/g,xc=/'/g,yc=/\x00/g,xaa=/[\x00&<>"']/;g.Fc.prototype.jj=!0;g.Fc.prototype.zg=function(){return this.B.toString()}; -g.Fc.prototype.Iw=!0;g.Fc.prototype.u=function(){return 1}; -var zaa=/^(?:audio\/(?:3gpp2|3gpp|aac|L16|midi|mp3|mp4|mpeg|oga|ogg|opus|x-m4a|x-matroska|x-wav|wav|webm)|font\/\w+|image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp|x-icon)|video\/(?:mpeg|mp4|ogg|webm|quicktime|x-matroska))(?:;\w+=(?:\w+|"[\w;,= ]+"))*$/i,yaa=/^data:(.*);base64,[a-z0-9+\/]+=*$/i,Ic=/^(?:(?:https?|mailto|ftp):|[^:/?#]*(?:[/?#]|$))/i,Ec={},Jc=new g.Fc("about:invalid#zClosurez",Ec);Nc.prototype.jj=!0;Nc.prototype.zg=function(){return this.u}; -var Mc={},Rc=new Nc("",Mc),Baa=/^[-,."'%_!# a-zA-Z0-9\[\]]+$/,Uc=RegExp("\\b(url\\([ \t\n]*)('[ -&(-\\[\\]-~]*'|\"[ !#-\\[\\]-~]*\"|[!#-&*-\\[\\]-~]*)([ \t\n]*\\))","g"),Tc=RegExp("\\b(calc|cubic-bezier|fit-content|hsl|hsla|linear-gradient|matrix|minmax|repeat|rgb|rgba|(rotate|scale|translate)(X|Y|Z|3d)?)\\([-+*/0-9a-z.%\\[\\], ]+\\)","g"),Caa=/\/\*/;a:{var XAa=g.v.navigator;if(XAa){var YAa=XAa.userAgent;if(YAa){g.Vc=YAa;break a}}g.Vc=""};bd.prototype.Iw=!0;bd.prototype.u=function(){return this.C}; -bd.prototype.jj=!0;bd.prototype.zg=function(){return this.B.toString()}; -var ZAa=/^[a-zA-Z0-9-]+$/,$Aa={action:!0,cite:!0,data:!0,formaction:!0,href:!0,manifest:!0,poster:!0,src:!0},aBa={APPLET:!0,BASE:!0,EMBED:!0,IFRAME:!0,LINK:!0,MATH:!0,META:!0,OBJECT:!0,SCRIPT:!0,STYLE:!0,SVG:!0,TEMPLATE:!0},ad={},fd=new bd(g.v.trustedTypes&&g.v.trustedTypes.emptyHTML||"",0,ad);var Jaa=eb(function(){var a=document.createElement("div"),b=document.createElement("div");b.appendChild(document.createElement("div"));a.appendChild(b);b=a.firstChild.firstChild;a.innerHTML=g.cd(fd);return!b.parentElement});var Kaa=String.prototype.repeat?function(a,b){return a.repeat(b)}:function(a,b){return Array(b+1).join(a)};var wd=/^(?:([^:/?#.]+):)?(?:\/\/(?:([^\\/?#]*)@)?([^\\/?#]*?)(?::([0-9]+))?(?=[\\/?#]|$))?([^?#]+)?(?:\?([^#]*))?(?:#([\s\S]*))?$/,Od=/#|$/,Maa=/[?&]($|#)/;Ud[" "]=g.Oa;var qg,gD,BAa,bBa,cBa,dBa,IB,JB,a1;g.rg=Wc("Opera");g.ye=Wc("Trident")||Wc("MSIE");g.ar=Wc("Edge");g.rC=g.ar||g.ye;qg=Wc("Gecko")&&!(Ac(g.Vc,"WebKit")&&!Wc("Edge"))&&!(Wc("Trident")||Wc("MSIE"))&&!Wc("Edge");g.Ae=Ac(g.Vc,"WebKit")&&!Wc("Edge");gD=Wc("Macintosh");BAa=Wc("Windows");g.lk=Wc("Android");bBa=Sd();cBa=Wc("iPad");dBa=Wc("iPod");IB=Td();JB=Ac(g.Vc,"KaiOS"); -a:{var b1="",c1=function(){var a=g.Vc;if(qg)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.ar)return/Edge\/([\d\.]+)/.exec(a);if(g.ye)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Ae)return/WebKit\/(\S+)/.exec(a);if(g.rg)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); -c1&&(b1=c1?c1[1]:"");if(g.ye){var d1=Xd();if(null!=d1&&d1>parseFloat(b1)){a1=String(d1);break a}}a1=b1}var Zd=a1,Oaa={},e1;if(g.v.document&&g.ye){var eBa=Xd();e1=eBa?eBa:parseInt(Zd,10)||void 0}else e1=void 0;var Paa=e1;try{(new self.OffscreenCanvas(0,0)).getContext("2d")}catch(a){}var Qaa=!g.ye||g.ae(9),Raa=!qg&&!g.ye||g.ye&&g.ae(9)||qg&&g.$d("1.9.1");g.ye&&g.$d("9");var Taa=g.ye||g.rg||g.Ae;g.k=g.fe.prototype;g.k.clone=function(){return new g.fe(this.x,this.y)}; +g.Zl=Array.prototype.every?function(a,b,c){return Array.prototype.every.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,Maa=/"/g,Naa=/'/g,Oaa=/\x00/g,Iaa=/[\x00&<>"']/;var kc,Q8a=g.Ea.navigator;kc=Q8a?Q8a.userAgentData||null:null;Gc[" "]=function(){};var Im,ZW,$0a,R8a,S8a,T8a,bK,cK,U8a;g.dK=pc();g.mf=qc();g.oB=nc("Edge");g.HK=g.oB||g.mf;Im=nc("Gecko")&&!(ac(g.hc(),"WebKit")&&!nc("Edge"))&&!(nc("Trident")||nc("MSIE"))&&!nc("Edge");g.Pc=ac(g.hc(),"WebKit")&&!nc("Edge");ZW=Dc();$0a=Uaa();g.fz=Taa();R8a=Bc();S8a=nc("iPad");T8a=nc("iPod");bK=Cc();cK=ac(g.hc(),"KaiOS"); +a:{var V8a="",W8a=function(){var a=g.hc();if(Im)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.oB)return/Edge\/([\d\.]+)/.exec(a);if(g.mf)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Pc)return/WebKit\/(\S+)/.exec(a);if(g.dK)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); +W8a&&(V8a=W8a?W8a[1]:"");if(g.mf){var X8a=Yaa();if(null!=X8a&&X8a>parseFloat(V8a)){U8a=String(X8a);break a}}U8a=V8a}var Ic=U8a,Waa={},Y8a;if(g.Ea.document&&g.mf){var Z8a=Yaa();Y8a=Z8a?Z8a:parseInt(Ic,10)||void 0}else Y8a=void 0;var Zaa=Y8a;var YMa=$aa("AnimationEnd"),zKa=$aa("TransitionEnd");g.Ta(Qc,g.ib);var $8a={2:"touch",3:"pen",4:"mouse"}; +Qc.prototype.init=function(a,b){var c=this.type=a.type,d=a.changedTouches&&a.changedTouches.length?a.changedTouches[0]:null;this.target=a.target||a.srcElement;this.currentTarget=b;(b=a.relatedTarget)?Im&&(Hc(b,"nodeName")||(b=null)):"mouseover"==c?b=a.fromElement:"mouseout"==c&&(b=a.toElement);this.relatedTarget=b;d?(this.clientX=void 0!==d.clientX?d.clientX:d.pageX,this.clientY=void 0!==d.clientY?d.clientY:d.pageY,this.screenX=d.screenX||0,this.screenY=d.screenY||0):(this.clientX=void 0!==a.clientX? +a.clientX:a.pageX,this.clientY=void 0!==a.clientY?a.clientY:a.pageY,this.screenX=a.screenX||0,this.screenY=a.screenY||0);this.button=a.button;this.keyCode=a.keyCode||0;this.key=a.key||"";this.charCode=a.charCode||("keypress"==c?a.keyCode:0);this.ctrlKey=a.ctrlKey;this.altKey=a.altKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.pointerId=a.pointerId||0;this.pointerType="string"===typeof a.pointerType?a.pointerType:$8a[a.pointerType]||"";this.state=a.state;this.j=a;a.defaultPrevented&&Qc.Gf.preventDefault.call(this)}; +Qc.prototype.stopPropagation=function(){Qc.Gf.stopPropagation.call(this);this.j.stopPropagation?this.j.stopPropagation():this.j.cancelBubble=!0}; +Qc.prototype.preventDefault=function(){Qc.Gf.preventDefault.call(this);var a=this.j;a.preventDefault?a.preventDefault():a.returnValue=!1};var aba="closure_listenable_"+(1E6*Math.random()|0);var bba=0;var hba="constructor hasOwnProperty isPrototypeOf propertyIsEnumerable toLocaleString toString valueOf".split(" ");g.k=pd.prototype;g.k.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.j++);var h=sd(a,b,d,e);-1>>0);g.Ta(g.Fd,g.C);g.Fd.prototype[aba]=!0;g.k=g.Fd.prototype;g.k.addEventListener=function(a,b,c,d){g.ud(this,a,b,c,d)}; +g.k.removeEventListener=function(a,b,c,d){pba(this,a,b,c,d)}; +g.k.dispatchEvent=function(a){var b=this.qO;if(b){var c=[];for(var d=1;b;b=b.qO)c.push(b),++d}b=this.D1;d=a.type||a;if("string"===typeof a)a=new g.ib(a,b);else if(a instanceof g.ib)a.target=a.target||b;else{var e=a;a=new g.ib(d,b);g.od(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=Jd(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=Jd(h,d,!0,a)&&e,a.u||(e=Jd(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&fl?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString())+(d?";secure":"")+(null!=e?";samesite="+e:"")}; -g.k.get=function(a,b){for(var c=a+"=",d=(this.u.cookie||"").split(";"),e=0,f;eb&&(b+=12);a:{switch(b){case 1:var d=0!=c%4||0==c%100&&0!=c%400?28:29;break a;case 5:case 8:case 10:case 3:d=30;break a}d=31}d=Math.min(d,this.getDate());this.date.setDate(1);this.date.setFullYear(c);this.date.setMonth(b);this.date.setDate(d)}a.days&&(a=new Date((new Date(this.getFullYear(),this.getMonth(),this.getDate(),12)).getTime()+864E5*a.days),this.date.setDate(1),this.date.setFullYear(a.getFullYear()), -this.date.setMonth(a.getMonth()),this.date.setDate(a.getDate()),Xf(this,a.getDate()))}; -g.k.toString=function(){return[this.getFullYear(),g.od(this.getMonth()+1,2),g.od(this.getDate(),2)].join("")+""}; -g.k.valueOf=function(){return this.date.valueOf()};var aba=/https?:\/\/[^\/]+/,Zaa={XR:"allow-forms",YR:"allow-modals",ZR:"allow-orientation-lock",aS:"allow-pointer-lock",bS:"allow-popups",cS:"allow-popups-to-escape-sandbox",dS:"allow-presentation",eS:"allow-same-origin",fS:"allow-scripts",gS:"allow-top-navigation",hS:"allow-top-navigation-by-user-activation"},dba=eb(function(){return $aa()});g.B.prototype.Od=!1;g.B.prototype.la=function(){return this.Od}; -g.B.prototype.dispose=function(){this.Od||(this.Od=!0,this.aa())}; -g.B.prototype.aa=function(){if(this.Sl)for(;this.Sl.length;)this.Sl.shift()()};g.k=gg.prototype;g.k.ge=function(){return this.right-this.left}; -g.k.getHeight=function(){return this.bottom-this.top}; -g.k.clone=function(){return new gg(this.top,this.right,this.bottom,this.left)}; -g.k.contains=function(a){return this&&a?a instanceof gg?a.left>=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; +g.k.removeNode=g.xf;g.k.contains=g.zf;var Ef;Gf.prototype.add=function(a,b){var c=sca.get();c.set(a,b);this.u?this.u.next=c:this.j=c;this.u=c}; +Gf.prototype.remove=function(){var a=null;this.j&&(a=this.j,this.j=this.j.next,this.j||(this.u=null),a.next=null);return a}; +var sca=new Kd(function(){return new Hf},function(a){return a.reset()}); +Hf.prototype.set=function(a,b){this.fn=a;this.scope=b;this.next=null}; +Hf.prototype.reset=function(){this.next=this.scope=this.fn=null};var If,Lf=!1,qca=new Gf;tca.prototype.reset=function(){this.context=this.u=this.B=this.j=null;this.C=!1}; +var uca=new Kd(function(){return new tca},function(a){a.reset()}); +g.Of.prototype.then=function(a,b,c){return Cca(this,"function"===typeof a?a:null,"function"===typeof b?b:null,c)}; +g.Of.prototype.$goog_Thenable=!0;g.k=g.Of.prototype;g.k.Zj=function(a,b){return Cca(this,null,a,b)}; +g.k.catch=g.Of.prototype.Zj;g.k.cancel=function(a){if(0==this.j){var b=new Zf(a);g.Mf(function(){yca(this,b)},this)}}; +g.k.F9=function(a){this.j=0;Nf(this,2,a)}; +g.k.G9=function(a){this.j=0;Nf(this,3,a)}; +g.k.W2=function(){for(var a;a=zca(this);)Aca(this,a,this.j,this.J);this.I=!1}; +var Gca=oca;g.Ta(Zf,cb);Zf.prototype.name="cancel";g.Ta(g.$f,g.Fd);g.k=g.$f.prototype;g.k.enabled=!1;g.k.Gc=null;g.k.setInterval=function(a){this.Fi=a;this.Gc&&this.enabled?(this.stop(),this.start()):this.Gc&&this.stop()}; +g.k.t9=function(){if(this.enabled){var a=g.Ra()-this.jV;0Jg.length&&Jg.push(this)}; +g.k.clear=function(){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.XE=!1}; +g.k.reset=function(){this.j=this.C}; +g.k.advance=function(a){Dg(this,this.j+a)}; +g.k.xJ=function(){var a=Gg(this);return 4294967296*Gg(this)+(a>>>0)}; +var Jg=[];Kg.prototype.free=function(){this.j.clear();this.u=this.C=-1;100>b3.length&&b3.push(this)}; +Kg.prototype.reset=function(){this.j.reset();this.B=this.j.j;this.u=this.C=-1}; +Kg.prototype.advance=function(a){this.j.advance(a)}; +var b3=[];var Cda,Fda;Zg.prototype.length=function(){return this.j.length}; +Zg.prototype.end=function(){var a=this.j;this.j=[];return a};var eh="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():void 0;var qh={},f9a,Dh=Object.freeze(hh([],23));var Zda="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():"di";var ci;g.k=J.prototype;g.k.toJSON=function(){var a=this.Re,b;f9a?b=a:b=di(a,qea,void 0,void 0,!1,!1);return b}; +g.k.jp=function(){f9a=!0;try{return JSON.stringify(this.toJSON(),oea)}finally{f9a=!1}}; +g.k.clone=function(){return fi(this,!1)}; +g.k.rq=function(){return jh(this.Re)}; +g.k.pN=qh;g.k.toString=function(){return this.Re.toString()};var gi=Symbol(),ki=Symbol(),ji=Symbol(),ii=Symbol(),g9a=mi(function(a,b,c){if(1!==a.u)return!1;H(b,c,Hg(a.j));return!0},ni),h9a=mi(function(a,b,c){if(1!==a.u)return!1; +a=Hg(a.j);Hh(b,c,oh(a),0);return!0},ni),i9a=mi(function(a,b,c,d){if(1!==a.u)return!1; +Kh(b,c,d,Hg(a.j));return!0},ni),j9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Eg(a.j));return!0},oi),k9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Eg(a.j);Hh(b,c,a,0);return!0},oi),l9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Eg(a.j));return!0},oi),m9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},pi),n9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Fg(a.j);Hh(b,c,a,0);return!0},pi),o9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Fg(a.j));return!0},pi),p9a=mi(function(a,b,c){if(1!==a.u)return!1; +H(b,c,a.j.xJ());return!0},function(a,b,c){Nda(a,c,Ah(b,c))}),q9a=mi(function(a,b,c){if(1!==a.u&&2!==a.u)return!1; +b=Eh(b,c,0,!1,jh(b.Re));if(2==a.u){c=Cg.prototype.xJ;var d=Fg(a.j)>>>0;for(d=a.j.j+d;a.j.j>>0);return!0},function(a,b,c){b=Zh(b,c); +null!=b&&null!=b&&(ch(a,c,0),$g(a.j,b))}),N9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},function(a,b,c){b=Ah(b,c); +null!=b&&(b=parseInt(b,10),ch(a,c,0),Ida(a.j,b))});g.w(Qea,J);var Pea=[1,2,3,4];g.w(ri,J);var wi=[1,2,3],O9a=[ri,1,u9a,wi,2,o9a,wi,3,s9a,wi];g.w(Rea,J);var P9a=[Rea,1,g9a,2,j9a];g.w(Tea,J);var Sea=[1],Q9a=[Tea,1,d3,P9a];g.w(si,J);var vi=[1,2,3],R9a=[si,1,l9a,vi,2,i9a,vi,3,L9a,Q9a,vi];g.w(ti,J);var Uea=[1],S9a=[ti,1,d3,O9a,2,v9a,R9a];g.w(Vea,J);var T9a=[Vea,1,c3,2,c3,3,r9a];g.w(Wea,J);var U9a=[Wea,1,c3,2,c3,3,m9a,4,r9a];g.w(Xea,J);var V9a=[1,2],W9a=[Xea,1,L9a,T9a,V9a,2,L9a,U9a,V9a];g.w(ui,J);ui.prototype.Km=function(){var a=Fh(this,3,Yda,void 0,2);if(void 0>=a.length)throw Error();return a[void 0]}; +var Yea=[3,6,4];ui.prototype.j=Oea([ui,1,c3,5,p9a,2,v9a,W9a,3,t9a,6,q9a,4,d3,S9a]);g.w($ea,J);var Zea=[1];var gfa={};g.k=Gi.prototype;g.k.isEnabled=function(){if(!g.Ea.navigator.cookieEnabled)return!1;if(!this.Bf())return!0;this.set("TESTCOOKIESENABLED","1",{HG:60});if("1"!==this.get("TESTCOOKIESENABLED"))return!1;this.remove("TESTCOOKIESENABLED");return!0}; +g.k.set=function(a,b,c){var d=!1;if("object"===typeof c){var e=c.m8a;d=c.Q8||!1;var f=c.domain||void 0;var h=c.path||void 0;var l=c.HG}if(/[;=\s]/.test(a))throw Error('Invalid cookie name "'+a+'"');if(/[;\r\n]/.test(b))throw Error('Invalid cookie value "'+b+'"');void 0===l&&(l=-1);c=f?";domain="+f:"";h=h?";path="+h:"";d=d?";secure":"";l=0>l?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString();this.j.cookie=a+"="+b+c+h+l+d+(null!=e?";samesite="+ +e:"")}; +g.k.get=function(a,b){for(var c=a+"=",d=(this.j.cookie||"").split(";"),e=0,f;ed&&this.Aav||401===v||0===v);x&&(c.u=z.concat(c.u),c.oa||c.j.enabled||c.j.start());b&&b("net-send-failed",v);++c.I},r=function(){c.network?c.network.send(n,p,q):c.Ya(n,p,q)}; +m?m.then(function(v){n.dw["Content-Encoding"]="gzip";n.dw["Content-Type"]="application/binary";n.body=v;n.Y1=2;r()},function(){r()}):r()}}}}; +g.k.zL=function(){$fa(this.C,!0);this.flush();$fa(this.C,!1)}; +g.w(Yfa,g.ib);Sfa.prototype.wf=function(a,b,c){b=void 0===b?0:b;c=void 0===c?0:c;if(Ch(Mh(this.j,$h,1),xj,11)){var d=Cj(this);H(d,3,c)}c=this.j.clone();d=Date.now().toString();c=H(c,4,d);a=Qh(c,yj,3,a);b&&H(a,14,b);return a};g.Ta(Dj,g.C); +Dj.prototype.wf=function(){var a=new Aj(this.I,this.ea?this.ea:jfa,this.Ga,this.oa,this.C,this.D,!1,this.La,void 0,void 0,this.ya?this.ya:void 0);g.E(this,a);this.J&&zj(a.C,this.J);if(this.u){var b=this.u,c=Bj(a.C);H(c,7,b)}this.Z&&(a.T=this.Z);this.j&&(a.componentId=this.j);this.B&&((b=this.B)?(a.B||(a.B=new Ji),b=b.jp(),H(a.B,4,b)):a.B&&H(a.B,4,void 0,!1));this.Aa&&(c=this.Aa,a.B||(a.B=new Ji),b=a.B,c=null==c?Dh:Oda(c,1),H(b,2,c));this.T&&(b=this.T,a.Ja=!0,Vfa(a,b));this.Ja&&cga(a.C,this.Ja);return a};g.w(Ej,g.C);Ej.prototype.flush=function(a){a=a||[];if(a.length){for(var b=new $ea,c=[],d=0;d=p.length)p=String.fromCharCode.apply(null,p);else{q="";for(var r=0;r>>3;1!=f.B&&2!=f.B&&15!=f.B&&Tk(f,h,l,"unexpected tag");f.j=1;f.u=0;f.C=0} +function c(m){f.C++;5==f.C&&m&240&&Tk(f,h,l,"message length too long");f.u|=(m&127)<<7*(f.C-1);m&128||(f.j=2,f.T=0,"undefined"!==typeof Uint8Array?f.D=new Uint8Array(f.u):f.D=Array(f.u),0==f.u&&e())} +function d(m){f.D[f.T++]=m;f.T==f.u&&e()} +function e(){if(15>f.B){var m={};m[f.B]=f.D;f.J.push(m)}f.j=0} +for(var f=this,h=a instanceof Array?a:new Uint8Array(a),l=0;lb||3==b&&!e&&0==a.length))if(d=200==d||206==d,4==b&&(8==c?$k(this,7):7==c?$k(this,8):d||$k(this,3)),this.u||(this.u=dha(this.j),null==this.u&&$k(this,5)),2this.B){var h=a.length;c=[];try{if(this.u.VE())for(var l=0;lthis.B){l=e.slice(this.B);this.B=e.length;try{var n=this.u.parse(l);null!=n&&this.D&&this.D(n)}catch(p){$k(this,5);al(this);break a}}4==b?(0!=e.length|| +this.ea?$k(this,2):$k(this,4),al(this)):$k(this,1)}}}catch(p){$k(this,6),al(this)}};g.k=eha.prototype;g.k.on=function(a,b){var c=this.u[a];c||(c=[],this.u[a]=c);c.push(b);return this}; +g.k.addListener=function(a,b){this.on(a,b);return this}; +g.k.removeListener=function(a,b){var c=this.u[a];c&&g.wb(c,b);(a=this.j[a])&&g.wb(a,b);return this}; +g.k.once=function(a,b){var c=this.j[a];c||(c=[],this.j[a]=c);c.push(b);return this}; +g.k.S5=function(a){var b=this.u.data;b&&fha(a,b);(b=this.j.data)&&fha(a,b);this.j.data=[]}; +g.k.z7=function(){switch(this.B.getStatus()){case 1:bl(this,"readable");break;case 5:case 6:case 4:case 7:case 3:bl(this,"error");break;case 8:bl(this,"close");break;case 2:bl(this,"end")}};gha.prototype.serverStreaming=function(a,b,c,d){var e=this,f=a.substr(0,a.length-d.name.length);return hha(function(h){var l=h.UF(),m=h.getMetadata(),n=kha(e,!1);m=lha(e,m,n,f+l.getName());var p=mha(n,l.u,!0);h=l.j(h.j);n.send(m,"POST",h);return p},this.C).call(this,Kga(d,b,c))};nha.prototype.create=function(a,b){return Hga(this.j,this.u+"/$rpc/google.internal.waa.v1.Waa/Create",a,b||{},b$a)};g.w(cl,Error);g.w(dl,g.C);dl.prototype.C=function(a){var b=this.j(a);a=new Hj(this.logger,this.u);b=g.gg(b,2);a.done();return b}; +g.w(gl,dl);gl.prototype.j=function(a){++this.J>=this.T&&this.D.resolve();var b=new Hj(this.logger,"C");a=this.I(a.by);b.done();if(void 0===a)throw new cl(17,Error("YNJ:Undefined"));if(!(a instanceof Uint8Array))throw new cl(18,Error("ODM:Invalid"));return a}; +g.w(hl,dl);hl.prototype.j=function(){return this.I}; +g.w(il,dl);il.prototype.j=function(){return ig(this.I)}; +il.prototype.C=function(){return this.I}; +g.w(jl,dl);jl.prototype.j=function(){if(this.I)return this.I;this.I=pha(this,function(a){return"_"+pga(a)}); +return pha(this,function(a){return a})}; +g.w(kl,dl);kl.prototype.j=function(a){var b;a=g.fg(null!=(b=a.by)?b:"");if(118>24&255,c>>16&255,c>>8&255,c&255],a);for(c=b=b.length;cd)return"";this.j.sort(function(n,p){return n-p}); +c=null;b="";for(var e=0;e=m.length){d-=m.length;a+=m;b=this.B;break}c=null==c?f:c}}d="";null!=c&&(d=b+"trn="+c);return a+d};bm.prototype.setInterval=function(a,b){return Bl.setInterval(a,b)}; +bm.prototype.clearInterval=function(a){Bl.clearInterval(a)}; +bm.prototype.setTimeout=function(a,b){return Bl.setTimeout(a,b)}; +bm.prototype.clearTimeout=function(a){Bl.clearTimeout(a)};Xha.prototype.getContext=function(){if(!this.j){if(!Bl)throw Error("Context has not been set and window is undefined.");this.j=am(bm)}return this.j};g.w(dm,J);dm.prototype.j=Oea([dm,1,h9a,2,k9a,3,k9a,4,k9a,5,n9a]);var dia={WPa:1,t1:2,nJa:3};fia.prototype.BO=function(a){if("string"===typeof a&&0!=a.length){var b=this.Cc;if(b.u){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=decodeURIComponent(d[0]);1=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; g.k.ceil=function(){this.top=Math.ceil(this.top);this.right=Math.ceil(this.right);this.bottom=Math.ceil(this.bottom);this.left=Math.ceil(this.left);return this}; g.k.floor=function(){this.top=Math.floor(this.top);this.right=Math.floor(this.right);this.bottom=Math.floor(this.bottom);this.left=Math.floor(this.left);return this}; g.k.round=function(){this.top=Math.round(this.top);this.right=Math.round(this.right);this.bottom=Math.round(this.bottom);this.left=Math.round(this.left);return this}; -g.k.scale=function(a,b){var c="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=c;this.bottom*=c;return this};g.k=g.ig.prototype;g.k.clone=function(){return new g.ig(this.left,this.top,this.width,this.height)}; -g.k.contains=function(a){return a instanceof g.fe?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=b;this.bottom*=b;return this};Bm.prototype.equals=function(a,b){return!!a&&(!(void 0===b?0:b)||this.volume==a.volume)&&this.B==a.B&&zm(this.j,a.j)&&!0};Cm.prototype.ub=function(){return this.J}; +Cm.prototype.equals=function(a,b){return this.C.equals(a.C,void 0===b?!1:b)&&this.J==a.J&&zm(this.B,a.B)&&zm(this.I,a.I)&&this.j==a.j&&this.D==a.D&&this.u==a.u&&this.T==a.T};var j$a={currentTime:1,duration:2,isVpaid:4,volume:8,isYouTube:16,isPlaying:32},jo={g1:"start",BZ:"firstquartile",T0:"midpoint",j1:"thirdquartile",nZ:"complete",ERROR:"error",S0:"metric",PAUSE:"pause",b1:"resume",e1:"skip",s1:"viewable_impression",V0:"mute",o1:"unmute",CZ:"fullscreen",yZ:"exitfullscreen",lZ:"bufferstart",kZ:"bufferfinish",DZ:"fully_viewable_audible_half_duration_impression",R0:"measurable_impression",dZ:"abandon",xZ:"engagedview",GZ:"impression",pZ:"creativeview",Q0:"loaded",gRa:"progress", +CLOSE:"close",zla:"collapse",dOa:"overlay_resize",eOa:"overlay_unmeasurable_impression",fOa:"overlay_unviewable_impression",hOa:"overlay_viewable_immediate_impression",gOa:"overlay_viewable_end_of_session_impression",rZ:"custom_metric_viewable",iNa:"verification_debug",gZ:"audio_audible",iZ:"audio_measurable",hZ:"audio_impression"},Ska="start firstquartile midpoint thirdquartile resume loaded".split(" "),Tka=["start","firstquartile","midpoint","thirdquartile"],Ija=["abandon"],Ro={UNKNOWN:-1,g1:0, +BZ:1,T0:2,j1:3,nZ:4,S0:5,PAUSE:6,b1:7,e1:8,s1:9,V0:10,o1:11,CZ:12,yZ:13,DZ:14,R0:15,dZ:16,xZ:17,GZ:18,pZ:19,Q0:20,rZ:21,lZ:22,kZ:23,hZ:27,iZ:28,gZ:29};var tia={W$:"addEventListener",Iva:"getMaxSize",Jva:"getScreenSize",Kva:"getState",Lva:"getVersion",DRa:"removeEventListener",jza:"isViewable"};g.k=g.Em.prototype;g.k.clone=function(){return new g.Em(this.left,this.top,this.width,this.height)}; +g.k.contains=function(a){return a instanceof g.Fe?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.distance=function(a){var b=a.xe)return"";this.u.sort(function(p,r){return p-r}); -c=null;b="";for(var f=0;f=n.length){e-=n.length;a+=n;b=this.C;break}c=null==c?h:c}}e="";null!=c&&(e=b+"trn="+c);return a+e+d};lh.prototype.setInterval=function(a,b){return Zg.setInterval(a,b)}; -lh.prototype.clearInterval=function(a){Zg.clearInterval(a)}; -lh.prototype.setTimeout=function(a,b){return Zg.setTimeout(a,b)}; -lh.prototype.clearTimeout=function(a){Zg.clearTimeout(a)}; -Pa(lh);ph.prototype.getContext=function(){if(!this.u){if(!Zg)throw Error("Context has not been set and window is undefined.");this.u=lh.getInstance()}return this.u}; -Pa(ph);g.Ya(qh,g.Bf);var vba={TU:1,GH:2,pU:3};oc(jc(g.kc("https://pagead2.googlesyndication.com/pagead/osd.js")));uh.prototype.Vx=function(a){if("string"===typeof a&&0!=a.length){var b=this.ub;if(b.C){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=d[0];d=1=this.K?a:this;b!==this.u?(this.F=this.u.F,li(this)):this.F!==this.u.F&&(this.F=this.u.F,li(this))}; -g.k.jk=function(a){if(a.B===this.u){var b;if(!(b=this.da)){b=this.C;var c=this.N;if(c=a&&(void 0===c||!c||b.volume==a.volume)&&b.C==a.C)b=b.u,c=a.u,c=b==c?!0:b&&c?b.top==c.top&&b.right==c.right&&b.bottom==c.bottom&&b.left==c.left:!1;b=!c}this.C=a;b&&qi(this)}}; -g.k.Di=function(){return this.N}; -g.k.dispose=function(){this.Od=!0}; -g.k.la=function(){return this.Od};g.k=ri.prototype;g.k.ox=function(){return!0}; -g.k.xp=function(){}; -g.k.dispose=function(){if(!this.la()){var a=this.B;g.rb(a.D,this);a.N&&this.Di()&&pi(a);this.xp();this.Od=!0}}; -g.k.la=function(){return this.Od}; -g.k.ak=function(){return this.B.ak()}; -g.k.di=function(){return this.B.di()}; -g.k.Om=function(){return this.B.Om()}; -g.k.bp=function(){return this.B.bp()}; -g.k.Tm=function(){}; -g.k.jk=function(){this.Sj()}; -g.k.Di=function(){return this.X};g.k=si.prototype;g.k.di=function(){return this.u.di()}; -g.k.Om=function(){return this.u.Om()}; -g.k.bp=function(){return this.u.bp()}; -g.k.create=function(a,b,c){var d=null;this.u&&(d=this.it(a,b,c),ni(this.u,d));return d}; -g.k.NC=function(){return this.rp()}; -g.k.rp=function(){return!1}; -g.k.init=function(a){return this.u.initialize()?(ni(this.u,this),this.D=a,!0):!1}; -g.k.Tm=function(a){0==a.di()&&this.D(a.Om(),this)}; -g.k.jk=function(){}; -g.k.Di=function(){return!1}; -g.k.dispose=function(){this.Od=!0}; -g.k.la=function(){return this.Od}; -g.k.ak=function(){return{}};vi.prototype.add=function(a,b,c){++this.C;var d=this.C/4096;this.u.push(Fba(new ti(a,b,c),d));this.B=!0;return this};zi.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=xi(this.u);0=h;h=!(0=h)||c;this.u[e].update(f&&l,d,!f||h)}};Si.prototype.update=function(a,b,c,d){this.K=-1!=this.K?Math.min(this.K,b.hc):b.hc;this.X=Math.max(this.X,b.hc);this.Z=-1!=this.Z?Math.min(this.Z,b.Vf):b.Vf;this.ea=Math.max(this.ea,b.Vf);this.Ga.update(b.Vf,c.Vf,b.u,a,d);this.B.update(b.hc,c.hc,b.u,a,d);c=d||c.El!=b.El?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.u;this.ka.update(c,a,b)}; -Si.prototype.Gl=function(){return this.ka.C>=this.za};var iBa=new gg(0,0,0,0);var Pba=new gg(0,0,0,0);g.u(Wi,g.B);g.k=Wi.prototype;g.k.aa=function(){this.Hf.u&&(this.il.Gx&&(Vf(this.Hf.u,"mouseover",this.il.Gx),this.il.Gx=null),this.il.Ex&&(Vf(this.Hf.u,"mouseout",this.il.Ex),this.il.Ex=null));this.qq&&this.qq.dispose();this.oc&&this.oc.dispose();delete this.Ys;delete this.jx;delete this.qG;delete this.Hf.tk;delete this.Hf.u;delete this.il;delete this.qq;delete this.oc;delete this.ub;g.B.prototype.aa.call(this)}; -g.k.dk=function(){return this.oc?this.oc.u:this.position}; -g.k.Vx=function(a){uh.getInstance().Vx(a)}; -g.k.Di=function(){return!1}; -g.k.Xr=function(){return new Si}; -g.k.Kf=function(){return this.Ys}; -g.k.CB=function(a){return Zi(this,a,1E4)}; -g.k.na=function(a,b,c,d,e,f,h){this.cn||(this.zr&&(a=this.kv(a,c,e,h),d=d&&this.ke.hc>=(this.El()?.3:.5),this.dz(f,a,d),this.lastUpdateTime=b,0=f||0>=e||0>=c||0>=d)){var h=f/e,l=c/d;a=b.clone();h>l?(c=Math.floor((d-e)/2),0=b.bottom||b.left>=b.right?new gg(0,0,0,0):b;b=this.B.C;d=c=a=0;0<(this.u.bottom-this.u.top)*(this.u.right-this.u.left)&&(this.lC(e)?e=new gg(0,0,0,0):(a=fi.getInstance().D,d=new gg(0,a.height,a.width,0),a=Vi(e,this.u),c=Vi(e,fi.getInstance().u),d=Vi(e,d)));e=e.top>=e.bottom||e.left>=e.right?new gg(0,0,0,0):hg(e,-this.u.left,-this.u.top);ii()||(c=a=0); -this.K=new Xh(b,this.element,this.u,e,a,c,this.timestamp,d)}; -g.k.getName=function(){return this.B.getName()};var jBa=new gg(0,0,0,0);g.u(nj,mj);g.k=nj.prototype;g.k.ox=function(){this.C();return!0}; -g.k.jk=function(){mj.prototype.Sj.call(this)}; -g.k.wA=function(){}; -g.k.qv=function(){}; -g.k.Sj=function(){this.C();mj.prototype.Sj.call(this)}; -g.k.Tm=function(a){a=a.isActive();a!==this.I&&(a?this.C():(fi.getInstance().u=new gg(0,0,0,0),this.u=new gg(0,0,0,0),this.D=new gg(0,0,0,0),this.timestamp=-1));this.I=a};var h1={},fca=(h1.firstquartile=0,h1.midpoint=1,h1.thirdquartile=2,h1.complete=3,h1);g.u(pj,Wi);g.k=pj.prototype;g.k.Di=function(){return!0}; -g.k.CB=function(a){return Zi(this,a,Math.max(1E4,this.D/3))}; -g.k.na=function(a,b,c,d,e,f,h){var l=this,m=this.Z(this)||{};g.bc(m,e);this.D=m.duration||this.D;this.P=m.isVpaid||this.P;this.ka=m.isYouTube||this.ka;e=bca(this,b);1===uj(this)&&(f=e);Wi.prototype.na.call(this,a,b,c,d,m,f,h);this.C&&this.C.u&&g.Gb(this.K,function(n){kj(n,l)})}; -g.k.dz=function(a,b,c){Wi.prototype.dz.call(this,a,b,c);tj(this).update(a,b,this.ke,c);this.Ga=ej(this.ke)&&ej(b);-1==this.da&&this.za&&(this.da=this.Kf().C.u);this.de.C=0;a=this.Gl();b.isVisible()&&fj(this.de,"vs");a&&fj(this.de,"vw");di(b.volume)&&fj(this.de,"am");ej(b)&&fj(this.de,"a");this.Wm&&fj(this.de,"f");-1!=b.B&&(fj(this.de,"bm"),1==b.B&&fj(this.de,"b"));ej(b)&&b.isVisible()&&fj(this.de,"avs");this.Ga&&a&&fj(this.de,"avw");0this.u.K&&(this.u=this,li(this)),this.K=a);return 2==a}; -Pa(qk);Pa(rk);sk.prototype.MC=function(){vk(this,Mj(),!1)}; -sk.prototype.D=function(){var a=ii(),b=Rh();a?(Th||(Uh=b,g.Gb(Lj.u,function(c){var d=c.Kf();d.ha=ij(d,b,1!=c.Qd)})),Th=!0):(this.K=xk(this,b),Th=!1,Cj=b,g.Gb(Lj.u,function(c){c.zr&&(c.Kf().N=b)})); -vk(this,Mj(),!a)}; -Pa(sk);var tk=sk.getInstance();var yk=null,fl="",el=!1;var i1=Ek([void 0,1,2,3,4,8,16]),j1=Ek([void 0,4,8,16]),lBa={sv:"sv",cb:"cb",e:"e",nas:"nas",msg:"msg","if":"if",sdk:"sdk",p:"p",p0:Dk("p0",j1),p1:Dk("p1",j1),p2:Dk("p2",j1),p3:Dk("p3",j1),cp:"cp",tos:"tos",mtos:"mtos",mtos1:Ck("mtos1",[0,2,4],!1,j1),mtos2:Ck("mtos2",[0,2,4],!1,j1),mtos3:Ck("mtos3",[0,2,4],!1,j1),mcvt:"mcvt",ps:"ps",scs:"scs",bs:"bs",vht:"vht",mut:"mut",a:"a",a0:Dk("a0",j1),a1:Dk("a1",j1),a2:Dk("a2",j1),a3:Dk("a3",j1),ft:"ft",dft:"dft",at:"at",dat:"dat",as:"as",vpt:"vpt",gmm:"gmm", -std:"std",efpf:"efpf",swf:"swf",nio:"nio",px:"px",nnut:"nnut",vmer:"vmer",vmmk:"vmmk",vmiec:"vmiec",nmt:"nmt",tcm:"tcm",bt:"bt",pst:"pst",vpaid:"vpaid",dur:"dur",vmtime:"vmtime",dtos:"dtos",dtoss:"dtoss",dvs:"dvs",dfvs:"dfvs",dvpt:"dvpt",fmf:"fmf",vds:"vds",is:"is",i0:"i0",i1:"i1",i2:"i2",i3:"i3",ic:"ic",cs:"cs",c:"c",c0:Dk("c0",j1),c1:Dk("c1",j1),c2:Dk("c2",j1),c3:Dk("c3",j1),mc:"mc",nc:"nc",mv:"mv",nv:"nv",qmt:Dk("qmtos",i1),qnc:Dk("qnc",i1),qmv:Dk("qmv",i1),qnv:Dk("qnv",i1),raf:"raf",rafc:"rafc", -lte:"lte",ces:"ces",tth:"tth",femt:"femt",femvt:"femvt",emc:"emc",emuc:"emuc",emb:"emb",avms:"avms",nvat:"nvat",qi:"qi",psm:"psm",psv:"psv",psfv:"psfv",psa:"psa",pnk:"pnk",pnc:"pnc",pnmm:"pnmm",pns:"pns",ptlt:"ptlt",pngs:"pings",veid:"veid",ssb:"ssb",ss0:Dk("ss0",j1),ss1:Dk("ss1",j1),ss2:Dk("ss2",j1),ss3:Dk("ss3",j1),dc_rfl:"urlsigs",obd:"obd",omidp:"omidp",omidr:"omidr",omidv:"omidv",omida:"omida",omids:"omids",omidpv:"omidpv",omidam:"omidam",omidct:"omidct",omidia:"omidia"},mBa={c:zk("c"),at:"at", -atos:Ck("atos",[0,2,4]),ta:function(a,b){return function(c){if(void 0===c[a])return b}}("tth","1"), -a:"a",dur:"dur",p:"p",tos:Bk(),j:"dom",mtos:Ck("mtos",[0,2,4]),gmm:"gmm",gdr:"gdr",ss:zk("ss"),vsv:cb("w2"),t:"t"},nBa={atos:"atos",amtos:"amtos",avt:Ck("atos",[2]),davs:"davs",dafvs:"dafvs",dav:"dav",ss:zk("ss"),t:"t"},oBa={a:"a",tos:Bk(),at:"at",c:zk("c"),mtos:Ck("mtos",[0,2,4]),dur:"dur",fs:"fs",p:"p",vpt:"vpt",vsv:cb("ias_w2"),dom:"dom",gmm:"gmm",gdr:"gdr",t:"t"},pBa={tos:Bk(),at:"at",c:zk("c"),mtos:Ck("mtos",[0,2,4]),p:"p",vpt:"vpt",vsv:cb("dv_w4"),gmm:"gmm",gdr:"gdr",dom:"dom",t:"t",mv:"mv", -qmpt:Ck("qmtos",[0,2,4]),qvs:function(a,b){return function(c){var d=c[a];if("number"===typeof d)return g.Pc(b,function(e){return 0=e?1:0})}}("qnc",[1, -.5,0]),qmv:"qmv",qa:"qas",a:"a"};var Dca={gT:"visible",kS:"audible",FV:"time",GV:"timetype"},Jk={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.width*=a;this.top*=b;this.height*=b;return this};var xia={};Gia.prototype.update=function(a){a&&a.document&&(this.J=Dm(!1,a,this.isMobileDevice),this.j=Dm(!0,a,this.isMobileDevice),Iia(this,a),Hia(this,a))};$m.prototype.cancel=function(){cm().clearTimeout(this.j);this.j=null}; +$m.prototype.schedule=function(){var a=this,b=cm(),c=fm().j.j;this.j=b.setTimeout(em(c,qm(143,function(){a.u++;a.B.sample()})),sia())};g.k=an.prototype;g.k.LA=function(){return!1}; +g.k.initialize=function(){return this.isInitialized=!0}; +g.k.zy=function(){return this.j.Ga}; +g.k.mC=function(){return this.j.Z}; +g.k.fail=function(a,b){if(!this.Z||(void 0===b?0:b))this.Z=!0,this.Ga=a,this.T=0,this.j!=this||rn(this)}; +g.k.getName=function(){return this.j.Qa}; +g.k.ws=function(){return this.j.PT()}; +g.k.PT=function(){return{}}; +g.k.cq=function(){return this.j.T}; +g.k.mR=function(){var a=Xm();a.j=Dm(!0,this.B,a.isMobileDevice)}; +g.k.nR=function(){Hia(Xm(),this.B)}; +g.k.dU=function(){return this.C.j}; +g.k.sample=function(){}; +g.k.isActive=function(){return this.j.I}; +g.k.Hy=function(a){var b=this.j;this.j=a.cq()>=this.T?a:this;b!==this.j?(this.I=this.j.I,rn(this)):this.I!==this.j.I&&(this.I=this.j.I,rn(this))}; +g.k.Hs=function(a){if(a.u===this.j){var b=!this.C.equals(a,this.ea);this.C=a;b&&Lia(this)}}; +g.k.ip=function(){return this.ea}; +g.k.dispose=function(){this.Aa=!0}; +g.k.isDisposed=function(){return this.Aa};g.k=sn.prototype;g.k.yJ=function(){return!0}; +g.k.MA=function(){}; +g.k.dispose=function(){if(!this.isDisposed()){var a=this.u;g.wb(a.D,this);a.ea&&this.ip()&&Kia(a);this.MA();this.Z=!0}}; +g.k.isDisposed=function(){return this.Z}; +g.k.ws=function(){return this.u.ws()}; +g.k.cq=function(){return this.u.cq()}; +g.k.zy=function(){return this.u.zy()}; +g.k.mC=function(){return this.u.mC()}; +g.k.Hy=function(){}; +g.k.Hs=function(){this.Hr()}; +g.k.ip=function(){return this.oa};g.k=tn.prototype;g.k.cq=function(){return this.j.cq()}; +g.k.zy=function(){return this.j.zy()}; +g.k.mC=function(){return this.j.mC()}; +g.k.create=function(a,b,c){var d=null;this.j&&(d=this.ME(a,b,c),bn(this.j,d));return d}; +g.k.oR=function(){return this.NA()}; +g.k.NA=function(){return!1}; +g.k.init=function(a){return this.j.initialize()?(bn(this.j,this),this.C=a,!0):!1}; +g.k.Hy=function(a){0==a.cq()&&this.C(a.zy(),this)}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.dispose=function(){this.D=!0}; +g.k.isDisposed=function(){return this.D}; +g.k.ws=function(){return{}};un.prototype.add=function(a,b,c){++this.B;a=new Mia(a,b,c);this.j.push(new Mia(a.u,a.j,a.B+this.B/4096));this.u=!0;return this};var xn;xn=["av.default","js","unreleased"].slice(-1)[0];Ria.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=wn(this.j);0=h;h=!(0=h)||c;this.j[e].update(f&&l,d,!f||h)}};Fn.prototype.update=function(a,b,c,d){this.J=-1!=this.J?Math.min(this.J,b.Xd):b.Xd;this.oa=Math.max(this.oa,b.Xd);this.ya=-1!=this.ya?Math.min(this.ya,b.Tj):b.Tj;this.Ga=Math.max(this.Ga,b.Tj);this.ib.update(b.Tj,c.Tj,b.j,a,d);this.u.update(b.Xd,c.Xd,b.j,a,d);c=d||c.hv!=b.hv?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.j;this.Qa.update(c,a,b)}; +Fn.prototype.wq=function(){return this.Qa.B>=this.fb};if(Ym&&Ym.URL){var k$a=Ym.URL,l$a;if(l$a=!!k$a){var m$a;a:{if(k$a){var n$a=RegExp(".*[&#?]google_debug(=[^&]*)?(&.*)?$");try{var i3=n$a.exec(decodeURIComponent(k$a));if(i3){m$a=i3[1]&&1=(this.hv()?.3:.5),this.YP(f,a,d),this.Wo=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new xm(0,0,0,0):a;a=this.u.C;b=e=d=0;0<(this.j.bottom-this.j.top)*(this.j.right-this.j.left)&&(this.VU(c)?c=new xm(0,0,0,0):(d=Xm().C,b=new xm(0,d.height,d.width,0),d=Jn(c,this.j),e=Jn(c,Xm().j),b=Jn(c,b)));c=c.top>=c.bottom||c.left>=c.right?new xm(0,0,0, +0):Am(c,-this.j.left,-this.j.top);Zm()||(e=d=0);this.J=new Cm(a,this.element,this.j,c,d,e,this.timestamp,b)}; +g.k.getName=function(){return this.u.getName()};var s$a=new xm(0,0,0,0);g.w(bo,ao);g.k=bo.prototype;g.k.yJ=function(){this.B();return!0}; +g.k.Hs=function(){ao.prototype.Hr.call(this)}; +g.k.JS=function(){}; +g.k.HK=function(){}; +g.k.Hr=function(){this.B();ao.prototype.Hr.call(this)}; +g.k.Hy=function(a){a=a.isActive();a!==this.I&&(a?this.B():(Xm().j=new xm(0,0,0,0),this.j=new xm(0,0,0,0),this.C=new xm(0,0,0,0),this.timestamp=-1));this.I=a};var m3={},Gja=(m3.firstquartile=0,m3.midpoint=1,m3.thirdquartile=2,m3.complete=3,m3);g.w(eo,Kn);g.k=eo.prototype;g.k.ip=function(){return!0}; +g.k.Zm=function(){return 2==this.Gi}; +g.k.VT=function(a){return ija(this,a,Math.max(1E4,this.B/3))}; +g.k.Pa=function(a,b,c,d,e,f,h){var l=this,m=this.J(this)||{};g.od(m,e);this.B=m.duration||this.B;this.ea=m.isVpaid||this.ea;this.La=m.isYouTube||this.La;e=yja(this,b);1===xja(this)&&(f=e);Kn.prototype.Pa.call(this,a,b,c,d,m,f,h);this.Bq&&this.Bq.B&&g.Ob(this.I,function(n){n.u(l)})}; +g.k.YP=function(a,b,c){Kn.prototype.YP.call(this,a,b,c);ho(this).update(a,b,this.Ah,c);this.ib=On(this.Ah)&&On(b);-1==this.Ga&&this.fb&&(this.Ga=this.cj().B.j);this.Rg.B=0;a=this.wq();b.isVisible()&&Un(this.Rg,"vs");a&&Un(this.Rg,"vw");Vm(b.volume)&&Un(this.Rg,"am");On(b)?Un(this.Rg,"a"):Un(this.Rg,"mut");this.Oy&&Un(this.Rg,"f");-1!=b.u&&(Un(this.Rg,"bm"),1==b.u&&(Un(this.Rg,"b"),On(b)&&Un(this.Rg,"umutb")));On(b)&&b.isVisible()&&Un(this.Rg,"avs");this.ib&&a&&Un(this.Rg,"avw");0this.j.T&&(this.j=this,rn(this)),this.T=a);return 2==a};xo.prototype.sample=function(){Ao(this,po(),!1)}; +xo.prototype.C=function(){var a=Zm(),b=sm();a?(um||(vm=b,g.Ob(oo.j,function(c){var d=c.cj();d.La=Xn(d,b,1!=c.Gi)})),um=!0):(this.J=gka(this,b),um=!1,Hja=b,g.Ob(oo.j,function(c){c.wB&&(c.cj().T=b)})); +Ao(this,po(),!a)}; +var yo=am(xo);var ika=null,kp="",jp=!1;var lka=kka().Bo,Co=kka().Do;var oka={xta:"visible",Yha:"audible",mZa:"time",qZa:"timetype"},pka={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, audible:function(a){return"0"==a||"1"==a}, timetype:function(a){return"mtos"==a||"tos"==a}, -time:function(a){return/^(100|[0-9]{1,2})%$/.test(a)||/^([0-9])+ms$/.test(a)}};g.u(Kk,lj);Kk.prototype.getId=function(){return this.K}; -Kk.prototype.F=function(){return!0}; -Kk.prototype.C=function(a){var b=a.Kf(),c=a.getDuration();return ei(this.I,function(d){if(void 0!=d.u)var e=Fca(d,b);else b:{switch(d.F){case "mtos":e=d.B?b.F.C:b.C.u;break b;case "tos":e=d.B?b.F.u:b.C.u;break b}e=0}0==e?d=!1:(d=-1!=d.C?d.C:void 0!==c&&0=d);return d})};g.u(Lk,lj);Lk.prototype.C=function(a){var b=Ni(a.Kf().u,1);return vj(a,b)};g.u(Mk,lj);Mk.prototype.C=function(a){return a.Kf().Gl()};g.u(Pk,Gca);Pk.prototype.u=function(a){var b=new Nk;b.u=Ok(a,lBa);b.C=Ok(a,nBa);return b};g.u(Qk,nj);Qk.prototype.C=function(){var a=g.Na("ima.admob.getViewability"),b=Ug(this.ub,"queryid");"function"===typeof a&&b&&a(b)}; -Qk.prototype.getName=function(){return"gsv"};g.u(Rk,si);Rk.prototype.getName=function(){return"gsv"}; -Rk.prototype.rp=function(){var a=fi.getInstance();uh.getInstance();return a.B&&!1}; -Rk.prototype.it=function(a,b,c){return new Qk(this.u,b,c)};g.u(Sk,nj);Sk.prototype.C=function(){var a=this,b=g.Na("ima.bridge.getNativeViewability"),c=Ug(this.ub,"queryid");"function"===typeof b&&c&&b(c,function(d){g.Wb(d)&&a.F++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.u=ci(d.opt_nativeViewBounds||{});var h=a.B.C;h.u=f?jBa.clone():ci(e);a.timestamp=d.opt_nativeTime||-1;fi.getInstance().u=h.u;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; -Sk.prototype.getName=function(){return"nis"};g.u(Tk,si);Tk.prototype.getName=function(){return"nis"}; -Tk.prototype.rp=function(){var a=fi.getInstance();uh.getInstance();return a.B&&!1}; -Tk.prototype.it=function(a,b,c){return new Sk(this.u,b,c)};g.u(Uk,ki);g.k=Uk.prototype;g.k.wt=function(){return null!=this.B.uh}; -g.k.xB=function(){var a={};this.ba&&(a.mraid=this.ba);this.X&&(a.mlc=1);a.mtop=this.B.PQ;this.I&&(a.mse=this.I);this.ea&&(a.msc=1);a.mcp=this.B.compatibility;return a}; -g.k.Ik=function(a,b){for(var c=[],d=1;d=d);return d})};g.w(Vo,rja);Vo.prototype.j=function(a){var b=new Sn;b.j=Tn(a,p$a);b.u=Tn(a,r$a);return b};g.w(Wo,Yn);Wo.prototype.j=function(a){return Aja(a)};g.w(Xo,wja);g.w(Yo,Yn);Yo.prototype.j=function(a){return a.cj().wq()};g.w(Zo,Zn);Zo.prototype.j=function(a){var b=g.rb(this.J,vl(fm().Cc,"ovms"));return!a.Ms&&(0!=a.Gi||b)};g.w($o,Xo);$o.prototype.u=function(){return new Zo(this.j)}; +$o.prototype.B=function(){return[new Yo("viewable_impression",this.j),new Wo(this.j)]};g.w(ap,bo);ap.prototype.B=function(){var a=g.Ga("ima.admob.getViewability"),b=vl(this.Cc,"queryid");"function"===typeof a&&b&&a(b)}; +ap.prototype.getName=function(){return"gsv"};g.w(bp,tn);bp.prototype.getName=function(){return"gsv"}; +bp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +bp.prototype.ME=function(a,b,c){return new ap(this.j,b,c)};g.w(cp,bo);cp.prototype.B=function(){var a=this,b=g.Ga("ima.bridge.getNativeViewability"),c=vl(this.Cc,"queryid");"function"===typeof b&&c&&b(c,function(d){g.hd(d)&&a.D++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.j=Eia(d.opt_nativeViewBounds||{});var h=a.u.C;h.j=f?s$a.clone():Eia(e);a.timestamp=d.opt_nativeTime||-1;Xm().j=h.j;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; +cp.prototype.getName=function(){return"nis"};g.w(dp,tn);dp.prototype.getName=function(){return"nis"}; +dp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +dp.prototype.ME=function(a,b,c){return new cp(this.j,b,c)};g.w(ep,an);g.k=ep.prototype;g.k.LA=function(){return null!=this.u.jn}; +g.k.PT=function(){var a={};this.Ja&&(a.mraid=this.Ja);this.ya&&(a.mlc=1);a.mtop=this.u.f9;this.J&&(a.mse=this.J);this.La&&(a.msc=1);a.mcp=this.u.compatibility;return a}; +g.k.zt=function(a){var b=g.ya.apply(1,arguments);try{return this.u.jn[a].apply(this.u.jn,b)}catch(c){rm(538,c,.01,function(d){d.method=a})}}; +g.k.initialize=function(){var a=this;if(this.isInitialized)return!this.mC();this.isInitialized=!0;if(2===this.u.compatibility)return this.J="ng",this.fail("w"),!1;if(1===this.u.compatibility)return this.J="mm",this.fail("w"),!1;Xm().T=!0;this.B.document.readyState&&"complete"==this.B.document.readyState?vka(this):Hn(this.B,"load",function(){cm().setTimeout(qm(292,function(){return vka(a)}),100)},292); return!0}; -g.k.ZC=function(){var a=fi.getInstance(),b=al(this,"getMaxSize");a.u=new gg(0,b.width,b.height,0)}; -g.k.aD=function(){fi.getInstance().D=al(this,"getScreenSize")}; -g.k.dispose=function(){Zk(this);ki.prototype.dispose.call(this)}; -Pa(Uk);g.k=bl.prototype;g.k.Co=function(a){Xi(a,!1);rca(a)}; -g.k.ds=function(){}; -g.k.Xp=function(a,b,c,d){var e=this;this.B||(this.B=this.PA());b=c?b:-1;a=null==this.B?new pj(Zg,a,b,7):new pj(Zg,a,b,7,new lj("measurable_impression",this.B),Mca(this));a.Ke=d;jba(a.ub);Tg(a.ub,"queryid",a.Ke);a.Vx("");Uba(a,function(f){for(var h=[],l=0;lthis.C?this.B:2*this.B)-this.C);a[0]=128;for(var b=1;bb;++b)for(var d=0;32>d;d+=8)a[c++]=this.u[b]>>>d&255;return a};g.u(xl,Pk);xl.prototype.u=function(a){var b=Pk.prototype.u.call(this,a);var c=pl=g.A();var d=ql(5);c=(sl?!d:d)?c|2:c&-3;d=ql(2);c=(tl?!d:d)?c|8:c&-9;c={s1:(c>>>0).toString(16)};this.B||(this.B=Xca());b.F=this.B;b.I=Ok(a,mBa,c,"h",yl("kArwaWEsTs"));b.D=Ok(a,oBa,{},"h",yl("b96YPMzfnx"));b.B=Ok(a,pBa,{},"h",yl("yb8Wev6QDg"));return b};zl.prototype.u=function(){return g.Na(this.B)};g.u(Al,zl);Al.prototype.u=function(a){if(!a.Bn)return zl.prototype.u.call(this,a);var b=this.D[a.Bn];if(b)return function(c,d,e){b.B(c,d,e)}; -Qh(393,Error());return null};g.u(Bl,bl);g.k=Bl.prototype;g.k.ds=function(a,b){var c=this,d=Pj.getInstance();if(null!=d.u)switch(d.u.getName()){case "nis":var e=ada(this,a,b);break;case "gsv":e=$ca(this,a,b);break;case "exc":e=bda(this,a)}e||(b.opt_overlayAdElement?e=void 0:b.opt_adElement&&(e=Qca(this,a,b.opt_adElement,b.opt_osdId)));e&&1==e.bi()&&(e.Z==g.Oa&&(e.Z=function(f){return c.YC(f)}),Zca(this,e,b)); +g.k.mR=function(){var a=Xm(),b=Aka(this,"getMaxSize");a.j=new xm(0,b.width,b.height,0)}; +g.k.nR=function(){Xm().C=Aka(this,"getScreenSize")}; +g.k.dispose=function(){xka(this);an.prototype.dispose.call(this)};var aia=new function(a,b){this.key=a;this.defaultValue=void 0===b?!1:b;this.valueType="boolean"}("45378663");g.k=gp.prototype;g.k.rB=function(a){Ln(a,!1);Uja(a)}; +g.k.eG=function(){}; +g.k.ED=function(a,b,c,d){var e=this;a=new eo(Bl,a,c?b:-1,7,this.eL(),this.eT());a.Zh=d;wha(a.Cc);ul(a.Cc,"queryid",a.Zh);a.BO("");lja(a,function(){return e.nU.apply(e,g.u(g.ya.apply(0,arguments)))},function(){return e.P3.apply(e,g.u(g.ya.apply(0,arguments)))}); +(d=am(qo).j)&&hja(a,d);a.Cj.Ss&&am(cka);return a}; +g.k.Hy=function(a){switch(a.cq()){case 0:if(a=am(qo).j)a=a.j,g.wb(a.D,this),a.ea&&this.ip()&&Kia(a);ip();break;case 2:zo()}}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.P3=function(a,b){a.Ms=!0;switch(a.Io()){case 1:Gka(a,b);break;case 2:this.LO(a)}}; +g.k.Y3=function(a){var b=a.J(a);b&&(b=b.volume,a.kb=Vm(b)&&0a&&Number.isInteger(a)&&this.data_[a]!==b&&(this.data_[a]=b,this.j=-1)}; +Bp.prototype.get=function(a){return!!this.data_[a]};var Dp;g.Ta(g.Gp,g.C);g.k=g.Gp.prototype;g.k.start=function(){this.stop();this.C=!1;var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?(this.j=g.ud(this.u,"MozBeforePaint",this.B),this.u.mozRequestAnimationFrame(null),this.C=!0):this.j=a&&b?a.call(this.u,this.B):this.u.setTimeout(rba(this.B),20)}; +g.k.stop=function(){if(this.isActive()){var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?yd(this.j):a&&b?b.call(this.u,this.j):this.u.clearTimeout(this.j)}this.j=null}; +g.k.isActive=function(){return null!=this.j}; +g.k.N_=function(){this.C&&this.j&&yd(this.j);this.j=null;this.I.call(this.D,g.Ra())}; +g.k.qa=function(){this.stop();g.Gp.Gf.qa.call(this)};g.Ta(g.Ip,g.C);g.k=g.Ip.prototype;g.k.OA=0;g.k.qa=function(){g.Ip.Gf.qa.call(this);this.stop();delete this.j;delete this.u}; +g.k.start=function(a){this.stop();this.OA=g.ag(this.B,void 0!==a?a:this.Fi)}; +g.k.stop=function(){this.isActive()&&g.Ea.clearTimeout(this.OA);this.OA=0}; +g.k.isActive=function(){return 0!=this.OA}; +g.k.qR=function(){this.OA=0;this.j&&this.j.call(this.u)};Mp.prototype[Symbol.iterator]=function(){return this}; +Mp.prototype.next=function(){var a=this.j.next();return{value:a.done?void 0:this.u.call(void 0,a.value),done:a.done}};Vp.prototype.hk=function(){return new Wp(this.u())}; +Vp.prototype[Symbol.iterator]=function(){return new Xp(this.u())}; +Vp.prototype.j=function(){return new Xp(this.u())}; +g.w(Wp,g.Mn);Wp.prototype.next=function(){return this.u.next()}; +Wp.prototype[Symbol.iterator]=function(){return new Xp(this.u)}; +Wp.prototype.j=function(){return new Xp(this.u)}; +g.w(Xp,Vp);Xp.prototype.next=function(){return this.B.next()};g.k=g.Zp.prototype;g.k.Ml=function(){aq(this);for(var a=[],b=0;b2*this.size&&aq(this),!0):!1}; +g.k.get=function(a,b){return $p(this.u,a)?this.u[a]:b}; +g.k.set=function(a,b){$p(this.u,a)||(this.size+=1,this.j.push(a),this.Pt++);this.u[a]=b}; +g.k.forEach=function(a,b){for(var c=this.Xp(),d=0;d=d.j.length)return g.j3;var f=d.j[b++];return g.Nn(a?f:d.u[f])}; +return e};g.Ta(g.bq,g.Fd);g.k=g.bq.prototype;g.k.bd=function(){return 1==this.j}; +g.k.ZG=function(){this.Fl("begin")}; +g.k.Gq=function(){this.Fl("end")}; +g.k.onFinish=function(){this.Fl("finish")}; +g.k.Fl=function(a){this.dispatchEvent(a)};var A$a=Nd(function(){if(g.mf)return!0;var a=g.qf("DIV"),b=g.Pc?"-webkit":Im?"-moz":g.mf?"-ms":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");c={style:c};if(!c9a.test("div"))throw Error("");if("DIV"in e9a)throw Error("");b=void 0;var d="";if(c)for(h in c)if(Object.prototype.hasOwnProperty.call(c,h)){if(!c9a.test(h))throw Error("");var e=c[h];if(null!=e){var f=h;if(e instanceof Vd)e=Wd(e);else if("style"==f.toLowerCase()){if(!g.Ja(e))throw Error("");e instanceof +je||(e=Lba(e));e=ke(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in d9a)if(e instanceof Zd)e=zba(e).toString();else if(e instanceof ae)e=g.be(e);else if("string"===typeof e)e=g.he(e).Ll();else throw Error("");}e.Qo&&(e=e.Ll());f=f+'="'+Ub(String(e))+'"';d+=" "+f}}var h="":(b=Vba(b),h+=">"+g.ve(b).toString()+"");h=g.we(h);g.Yba(a,h);return""!=g.Jm(a.firstChild,"transition")});g.Ta(cq,g.bq);g.k=cq.prototype;g.k.play=function(){if(this.bd())return!1;this.ZG();this.Fl("play");this.startTime=g.Ra();this.j=1;if(A$a())return g.Hm(this.u,this.I),this.B=g.ag(this.g8,void 0,this),!0;this.zJ(!1);return!1}; +g.k.g8=function(){g.Sm(this.u);lla(this.u,this.J);g.Hm(this.u,this.C);this.B=g.ag((0,g.Oa)(this.zJ,this,!1),1E3*this.D)}; +g.k.stop=function(){this.bd()&&this.zJ(!0)}; +g.k.zJ=function(a){g.Hm(this.u,"transition","");g.Ea.clearTimeout(this.B);g.Hm(this.u,this.C);this.endTime=g.Ra();this.j=0;if(a)this.Fl("stop");else this.onFinish();this.Gq()}; +g.k.qa=function(){this.stop();cq.Gf.qa.call(this)}; +g.k.pause=function(){};var nla={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};dq("Element","attributes")||dq("Node","attributes");dq("Element","innerHTML")||dq("HTMLElement","innerHTML");dq("Node","nodeName");dq("Node","nodeType");dq("Node","parentNode");dq("Node","childNodes");dq("HTMLElement","style")||dq("Element","style");dq("HTMLStyleElement","sheet");var tla=pla("getPropertyValue"),ula=pla("setProperty");dq("Element","namespaceURI")||dq("Node","namespaceURI");var sla={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};var yla,G8a,xla,wla,zla;yla=RegExp("[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]");G8a=RegExp("^[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");g.B$a=RegExp("^[^\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]*[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]"); +g.eq=RegExp("^[^A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]*[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");xla=/^http:\/\/.*/;g.C$a=RegExp("^(ar|ckb|dv|he|iw|fa|nqo|ps|sd|ug|ur|yi|.*[-_](Adlm|Arab|Hebr|Nkoo|Rohg|Thaa))(?!.*[-_](Latn|Cyrl)($|-|_))($|-|_)","i");wla=/\s+/;zla=/[\d\u06f0-\u06f9]/;gq.prototype.clone=function(){return new gq(this.j,this.J,this.B,this.D,this.C,this.I,this.u,this.T)}; +gq.prototype.equals=function(a){return this.j==a.j&&this.J==a.J&&this.B==a.B&&this.D==a.D&&this.C==a.C&&this.I==a.I&&this.u==a.u&&this.T==a.T};iq.prototype.clone=function(){return new iq(this.start,this.end)};(function(){if($0a){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.hc()))?a[1]:"0"}return ZW?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.hc()))?a[0].replace(/_/g,"."):"10"):g.fz?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.hc()))?a[1]:""):R8a||S8a||T8a?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.hc()))?a[1].replace(/_/g,"."):""):""})();var Bla=function(){if(g.fJ)return jq(/Firefox\/([0-9.]+)/);if(g.mf||g.oB||g.dK)return Ic;if(g.eI){if(Cc()||Dc()){var a=jq(/CriOS\/([0-9.]+)/);if(a)return a}return jq(/Chrome\/([0-9.]+)/)}if(g.BA&&!Cc())return jq(/Version\/([0-9.]+)/);if(cz||dz){if(a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.hc()))return a[1]+"."+a[2]}else if(g.eK)return(a=jq(/Android\s+([0-9.]+)/))?a:jq(/Version\/([0-9.]+)/);return""}();g.Ta(g.lq,g.C);g.k=g.lq.prototype;g.k.subscribe=function(a,b,c){var d=this.u[a];d||(d=this.u[a]=[]);var e=this.I;this.j[e]=a;this.j[e+1]=b;this.j[e+2]=c;this.I=e+3;d.push(e);return e}; +g.k.unsubscribe=function(a,b,c){if(a=this.u[a]){var d=this.j;if(a=a.find(function(e){return d[e+1]==b&&d[e+2]==c}))return this.Gh(a)}return!1}; +g.k.Gh=function(a){var b=this.j[a];if(b){var c=this.u[b];0!=this.C?(this.B.push(a),this.j[a+1]=function(){}):(c&&g.wb(c,a),delete this.j[a],delete this.j[a+1],delete this.j[a+2])}return!!b}; +g.k.ma=function(a,b){var c=this.u[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)return g.j3;var e=c.key(b++);if(a)return g.Nn(e);e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.PA=function(){if(El(this))return new Al("ima.common.triggerExternalActivityEvent",this.C,this.N);var a=cda(this);return null!=a?new zl(a,this.C):null}; -g.k.jy=function(a){!a.u&&a.cn&&il(this,a,"overlay_unmeasurable_impression")&&(a.u=!0)}; -g.k.EF=function(a){a.SF&&(a.Gl()?il(this,a,"overlay_viewable_end_of_session_impression"):il(this,a,"overlay_unviewable_impression"),a.SF=!1)}; -g.k.RB=function(){}; -g.k.ry=function(){}; -g.k.Xp=function(a,b,c,d){a=bl.prototype.Xp.call(this,a,b,c,d);this.F&&(b=this.I,null==a.I&&(a.I=new Wba),b.u[a.Ke]=a.I,a.I.F=kBa);return a}; -g.k.Co=function(a){a&&1==a.bi()&&this.F&&delete this.I.u[a.Ke];return bl.prototype.Co.call(this,a)}; -Pa(Bl);var Cl=new Nk;Cl.F="stopped";Cl.u="stopped";Cl.C="stopped";Cl.I="stopped";Cl.D="stopped";Cl.B="stopped";Object.freeze(Cl);var qBa=Mh(193,Gl,ll);g.Ia("Goog_AdSense_Lidar_sendVastEvent",qBa,void 0);var rBa=Ph(194,function(a,b){b=void 0===b?{}:b;var c=Dl(Bl.getInstance(),a,b);return Fl(c)}); -g.Ia("Goog_AdSense_Lidar_getViewability",rBa,void 0);var sBa=Mh(195,function(){return oh()},void 0); -g.Ia("Goog_AdSense_Lidar_getUrlSignalsArray",sBa,void 0);var tBa=Ph(196,function(){return g.Fj(oh())}); -g.Ia("Goog_AdSense_Lidar_getUrlSignalsList",tBa,void 0);var hea=(new Date).getTime();var bm=!g.ye||g.ae(9),uBa=g.ye&&!g.$d("9");!g.Ae||g.$d("528");qg&&g.$d("1.9b")||g.ye&&g.$d("8")||g.rg&&g.$d("9.5")||g.Ae&&g.$d("528");qg&&!g.$d("8")||g.ye&&g.$d("9");var kda=function(){if(!g.v.addEventListener||!Object.defineProperty)return!1;var a=!1,b=Object.defineProperty({},"passive",{get:function(){a=!0}}); -try{g.v.addEventListener("test",g.Oa,b),g.v.removeEventListener("test",g.Oa,b)}catch(c){}return a}();g.Ll.prototype.stopPropagation=function(){this.u=!0}; -g.Ll.prototype.preventDefault=function(){this.defaultPrevented=!0};var vxa;vxa=g.Ae?"webkitAnimationEnd":g.rg?"oanimationend":"animationend";g.Ya(Ml,g.Ll);var vBa={2:"touch",3:"pen",4:"mouse"}; -Ml.prototype.init=function(a,b){var c=this.type=a.type,d=a.changedTouches&&a.changedTouches.length?a.changedTouches[0]:null;this.target=a.target||a.srcElement;this.currentTarget=b;var e=a.relatedTarget;e?qg&&(Vd(e,"nodeName")||(e=null)):"mouseover"==c?e=a.fromElement:"mouseout"==c&&(e=a.toElement);this.relatedTarget=e;d?(this.clientX=void 0!==d.clientX?d.clientX:d.pageX,this.clientY=void 0!==d.clientY?d.clientY:d.pageY,this.screenX=d.screenX||0,this.screenY=d.screenY||0):(this.clientX=void 0!==a.clientX? -a.clientX:a.pageX,this.clientY=void 0!==a.clientY?a.clientY:a.pageY,this.screenX=a.screenX||0,this.screenY=a.screenY||0);this.button=a.button;this.keyCode=a.keyCode||0;this.key=a.key||"";this.charCode=a.charCode||("keypress"==c?a.keyCode:0);this.ctrlKey=a.ctrlKey;this.altKey=a.altKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.pointerId=a.pointerId||0;this.pointerType="string"===typeof a.pointerType?a.pointerType:vBa[a.pointerType]||"";this.state=a.state;this.B=a;a.defaultPrevented&&this.preventDefault()}; -Ml.prototype.stopPropagation=function(){Ml.jd.stopPropagation.call(this);this.B.stopPropagation?this.B.stopPropagation():this.B.cancelBubble=!0}; -Ml.prototype.preventDefault=function(){Ml.jd.preventDefault.call(this);var a=this.B;if(a.preventDefault)a.preventDefault();else if(a.returnValue=!1,uBa)try{if(a.ctrlKey||112<=a.keyCode&&123>=a.keyCode)a.keyCode=-1}catch(b){}};var Nl="closure_listenable_"+(1E6*Math.random()|0),hda=0;Ql.prototype.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.u++);var h=Tl(a,b,d,e);-1>>0);g.Ya(g.im,g.B);g.im.prototype[Nl]=!0;g.k=g.im.prototype;g.k.addEventListener=function(a,b,c,d){Vl(this,a,b,c,d)}; -g.k.removeEventListener=function(a,b,c,d){cm(this,a,b,c,d)}; -g.k.dispatchEvent=function(a){var b=this.ka;if(b){var c=[];for(var d=1;b;b=b.ka)c.push(b),++d}b=this.za;d=a.type||a;if("string"===typeof a)a=new g.Ll(a,b);else if(a instanceof g.Ll)a.target=a.target||b;else{var e=a;a=new g.Ll(d,b);g.bc(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=jm(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=jm(h,d,!0,a)&&e,a.u||(e=jm(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&f2*this.C&&Ym(this),!0):!1}; -g.k.get=function(a,b){return Xm(this.B,a)?this.B[a]:b}; -g.k.set=function(a,b){Xm(this.B,a)||(this.C++,this.u.push(a),this.Pk++);this.B[a]=b}; -g.k.forEach=function(a,b){for(var c=this.xg(),d=0;d=d.u.length)throw aj;var f=d.u[b++];return a?f:d.B[f]}; -return e};g.Zm.prototype.toString=function(){var a=[],b=this.F;b&&a.push(fn(b,wBa,!0),":");var c=this.u;if(c||"file"==b)a.push("//"),(b=this.N)&&a.push(fn(b,wBa,!0),"@"),a.push(ld(c).replace(/%25([0-9a-fA-F]{2})/g,"%$1")),c=this.D,null!=c&&a.push(":",String(c));if(c=this.B)this.u&&"/"!=c.charAt(0)&&a.push("/"),a.push(fn(c,"/"==c.charAt(0)?xBa:yBa,!0));(c=this.C.toString())&&a.push("?",c);(c=this.I)&&a.push("#",fn(c,zBa));return a.join("")}; -g.Zm.prototype.resolve=function(a){var b=this.clone(),c=!!a.F;c?g.$m(b,a.F):c=!!a.N;c?b.N=a.N:c=!!a.u;c?g.an(b,a.u):c=null!=a.D;var d=a.B;if(c)g.bn(b,a.D);else if(c=!!a.B){if("/"!=d.charAt(0))if(this.u&&!this.B)d="/"+d;else{var e=b.B.lastIndexOf("/");-1!=e&&(d=b.B.substr(0,e+1)+d)}e=d;if(".."==e||"."==e)d="";else if(-1!=e.indexOf("./")||-1!=e.indexOf("/.")){d=pc(e,"/");e=e.split("/");for(var f=[],h=0;ha&&0===a%1&&this.B[a]!=b&&(this.B[a]=b,this.u=-1)}; -pn.prototype.get=function(a){return!!this.B[a]};g.Ya(g.qn,g.B);g.k=g.qn.prototype;g.k.start=function(){this.stop();this.D=!1;var a=rn(this),b=sn(this);a&&!b&&this.B.mozRequestAnimationFrame?(this.u=Vl(this.B,"MozBeforePaint",this.C),this.B.mozRequestAnimationFrame(null),this.D=!0):this.u=a&&b?a.call(this.B,this.C):this.B.setTimeout(laa(this.C),20)}; -g.k.xb=function(){this.isActive()||this.start()}; -g.k.stop=function(){if(this.isActive()){var a=rn(this),b=sn(this);a&&!b&&this.B.mozRequestAnimationFrame?dm(this.u):a&&b?b.call(this.B,this.u):this.B.clearTimeout(this.u)}this.u=null}; -g.k.wg=function(){this.isActive()&&(this.stop(),this.KB())}; -g.k.isActive=function(){return null!=this.u}; -g.k.KB=function(){this.D&&this.u&&dm(this.u);this.u=null;this.I.call(this.F,g.A())}; -g.k.aa=function(){this.stop();g.qn.jd.aa.call(this)};g.Ya(g.H,g.B);g.k=g.H.prototype;g.k.Vo=0;g.k.aa=function(){g.H.jd.aa.call(this);this.stop();delete this.u;delete this.B}; -g.k.start=function(a){this.stop();this.Vo=g.Um(this.C,void 0!==a?a:this.Ze)}; -g.k.xb=function(a){this.isActive()||this.start(a)}; -g.k.stop=function(){this.isActive()&&g.v.clearTimeout(this.Vo);this.Vo=0}; -g.k.wg=function(){this.isActive()&&g.tn(this)}; -g.k.isActive=function(){return 0!=this.Vo}; -g.k.LB=function(){this.Vo=0;this.u&&this.u.call(this.B)};g.Ya(un,ul);un.prototype.reset=function(){this.u[0]=1732584193;this.u[1]=4023233417;this.u[2]=2562383102;this.u[3]=271733878;this.u[4]=3285377520;this.D=this.C=0}; -un.prototype.update=function(a,b){if(null!=a){void 0===b&&(b=a.length);for(var c=b-this.B,d=0,e=this.I,f=this.C;dthis.C?this.update(this.F,56-this.C):this.update(this.F,this.B-(this.C-56));for(var c=this.B-1;56<=c;c--)this.I[c]=b&255,b/=256;vn(this,this.I);for(c=b=0;5>c;c++)for(var d=24;0<=d;d-=8)a[b]=this.u[c]>>d&255,++b;return a};g.Ya(g.Dn,g.im);g.k=g.Dn.prototype;g.k.Gb=function(){return 1==this.Ha}; -g.k.Lt=function(){this.tg("begin")}; -g.k.Lp=function(){this.tg("end")}; -g.k.Mf=function(){this.tg("finish")}; -g.k.tg=function(a){this.dispatchEvent(a)};var ABa=eb(function(){if(g.ye)return g.$d("10.0");var a=g.Fe("DIV"),b=g.Ae?"-webkit":qg?"-moz":g.ye?"-ms":g.rg?"-o":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");b={style:c};if(!ZAa.test("div"))throw Error("");if("DIV"in aBa)throw Error("");c=null;var d="";if(b)for(h in b)if(Object.prototype.hasOwnProperty.call(b,h)){if(!ZAa.test(h))throw Error("");var e=b[h];if(null!=e){var f=h;if(e instanceof hc)e=jc(e);else if("style"==f.toLowerCase()){if(!g.Sa(e))throw Error(""); -e instanceof Nc||(e=Sc(e));e=Oc(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in $Aa)if(e instanceof mc)e=nc(e).toString();else if(e instanceof g.Fc)e=g.Gc(e);else if("string"===typeof e)e=g.Kc(e).zg();else throw Error("");}e.jj&&(e=e.zg());f=f+'="'+zc(String(e))+'"';d+=" "+f}}var h="":(c=Haa(d),h+=">"+g.cd(c).toString()+"",c=c.u());(b=b&&b.dir)&&(/^(ltr|rtl|auto)$/i.test(b)?c=0:c=null);b=dd(h,c);g.hd(a, -b);return""!=g.sg(a.firstChild,"transition")});g.Ya(En,g.Dn);g.k=En.prototype;g.k.play=function(){if(this.Gb())return!1;this.Lt();this.tg("play");this.startTime=g.A();this.Ha=1;if(ABa())return g.E(this.u,this.K),this.D=g.Um(this.iQ,void 0,this),!0;this.ww(!1);return!1}; -g.k.iQ=function(){g.Eg(this.u);yda(this.u,this.I);g.E(this.u,this.B);this.D=g.Um((0,g.z)(this.ww,this,!1),1E3*this.F)}; -g.k.stop=function(){this.Gb()&&this.ww(!0)}; -g.k.ww=function(a){g.E(this.u,"transition","");g.v.clearTimeout(this.D);g.E(this.u,this.B);this.endTime=g.A();this.Ha=0;a?this.tg("stop"):this.Mf();this.Lp()}; -g.k.aa=function(){this.stop();En.jd.aa.call(this)}; -g.k.pause=function(){};var zda={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};var Dda=Gn("getPropertyValue"),Eda=Gn("setProperty");var Cda={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};g.Kn.prototype.clone=function(){return new g.Kn(this.u,this.F,this.C,this.I,this.D,this.K,this.B,this.N)};g.Mn.prototype.B=0;g.Mn.prototype.reset=function(){this.u=this.C=this.D;this.B=0}; -g.Mn.prototype.getValue=function(){return this.C};On.prototype.clone=function(){return new On(this.start,this.end)}; -On.prototype.getLength=function(){return this.end-this.start};var BBa=new WeakMap;(function(){if(BAa){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.Vc))?a[1]:"0"}return gD?(a=/10[_.][0-9_.]+/,(a=a.exec(g.Vc))?a[0].replace(/_/g,"."):"10"):g.lk?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.Vc))?a[1]:""):bBa||cBa||dBa?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.Vc))?a[1].replace(/_/g,"."):""):""})();var Lda=function(){if(g.wB)return Pn(/Firefox\/([0-9.]+)/);if(g.ye||g.ar||g.rg)return Zd;if(g.eB)return Td()?Pn(/CriOS\/([0-9.]+)/):Pn(/Chrome\/([0-9.]+)/);if(g.sC&&!Td())return Pn(/Version\/([0-9.]+)/);if(SB||VF){var a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.Vc);if(a)return a[1]+"."+a[2]}else if(g.KB)return(a=Pn(/Android\s+([0-9.]+)/))?a:Pn(/Version\/([0-9.]+)/);return""}();g.Ya(g.Rn,g.B);g.k=g.Rn.prototype;g.k.subscribe=function(a,b,c){var d=this.B[a];d||(d=this.B[a]=[]);var e=this.F;this.u[e]=a;this.u[e+1]=b;this.u[e+2]=c;this.F=e+3;d.push(e);return e}; -g.k.unsubscribe=function(a,b,c){if(a=this.B[a]){var d=this.u;if(a=g.jb(a,function(e){return d[e+1]==b&&d[e+2]==c}))return this.Al(a)}return!1}; -g.k.Al=function(a){var b=this.u[a];if(b){var c=this.B[b];0!=this.D?(this.C.push(a),this.u[a+1]=g.Oa):(c&&g.rb(c,a),delete this.u[a],delete this.u[a+1],delete this.u[a+2])}return!!b}; -g.k.V=function(a,b){var c=this.B[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)throw aj;var e=c.key(b++);if(a)return e;e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.clear=function(){this.j.clear()}; +g.k.key=function(a){return this.j.key(a)};g.Ta(sq,rq);g.Ta(Hla,rq);g.Ta(uq,qq);var Ila={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},tq=null;g.k=uq.prototype;g.k.isAvailable=function(){return!!this.j}; +g.k.set=function(a,b){this.j.setAttribute(vq(a),b);wq(this)}; +g.k.get=function(a){a=this.j.getAttribute(vq(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; +g.k.remove=function(a){this.j.removeAttribute(vq(a));wq(this)}; +g.k.hk=function(a){var b=0,c=this.j.XMLDocument.documentElement.attributes,d=new g.Mn;d.next=function(){if(b>=c.length)return g.j3;var e=c[b++];if(a)return g.Nn(decodeURIComponent(e.nodeName.replace(/\./g,"%")).slice(1));e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){this.u.clear()}; -g.k.key=function(a){return this.u.key(a)};g.Ya(ao,$n);g.Ya(bo,$n);g.Ya(eo,Zn);var Oda={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},co=null;g.k=eo.prototype;g.k.isAvailable=function(){return!!this.u}; -g.k.set=function(a,b){this.u.setAttribute(fo(a),b);go(this)}; -g.k.get=function(a){a=this.u.getAttribute(fo(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; -g.k.remove=function(a){this.u.removeAttribute(fo(a));go(this)}; -g.k.Pi=function(a){var b=0,c=this.u.XMLDocument.documentElement.attributes,d=new $i;d.next=function(){if(b>=c.length)throw aj;var e=c[b++];if(a)return decodeURIComponent(e.nodeName.replace(/\./g,"%")).substr(1);e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; -return d}; -g.k.clear=function(){for(var a=this.u.XMLDocument.documentElement,b=a.attributes.length;0=b)){if(1==b)pb(a);else{a[0]=a.pop();a=0;b=this.u;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; -g.k.mf=function(){for(var a=this.u,b=[],c=a.length,d=0;d>1;if(b[d].getKey()>c.getKey())b[a]=b[d],a=d;else break}b[a]=c}; +g.k.remove=function(){var a=this.j,b=a.length,c=a[0];if(!(0>=b)){if(1==b)a.length=0;else{a[0]=a.pop();a=0;b=this.j;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; +g.k.Ml=function(){for(var a=this.j,b=[],c=a.length,d=0;d>>16&65535|0;for(var f;0!==c;){f=2E3o3;o3++){n3=o3;for(var I$a=0;8>I$a;I$a++)n3=n3&1?3988292384^n3>>>1:n3>>>1;H$a[o3]=n3}nr=function(a,b,c,d){c=d+c;for(a^=-1;d>>8^H$a[(a^b[d])&255];return a^-1};var dr={};dr={2:"need dictionary",1:"stream end",0:"","-1":"file error","-2":"stream error","-3":"data error","-4":"insufficient memory","-5":"buffer error","-6":"incompatible version"};var Xq=[0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0],$q=[0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13],fma=[0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7],Vla=[16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15],hr=Array(576);Pq(hr);var ir=Array(60);Pq(ir);var Zq=Array(512);Pq(Zq);var Wq=Array(256);Pq(Wq);var Yq=Array(29);Pq(Yq);var ar=Array(30);Pq(ar);var cma,dma,ema,bma=!1;var sr;sr=[new rr(0,0,0,0,function(a,b){var c=65535;for(c>a.Vl-5&&(c=a.Vl-5);;){if(1>=a.Yb){or(a);if(0===a.Yb&&0===b)return 1;if(0===a.Yb)break}a.xb+=a.Yb;a.Yb=0;var d=a.qk+c;if(0===a.xb||a.xb>=d)if(a.Yb=a.xb-d,a.xb=d,jr(a,!1),0===a.Sd.le)return 1;if(a.xb-a.qk>=a.Oi-262&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;if(4===b)return jr(a,!0),0===a.Sd.le?3:4;a.xb>a.qk&&jr(a,!1);return 1}), +new rr(4,4,8,4,pr),new rr(4,5,16,8,pr),new rr(4,6,32,32,pr),new rr(4,4,16,16,qr),new rr(8,16,32,32,qr),new rr(8,16,128,128,qr),new rr(8,32,128,256,qr),new rr(32,128,258,1024,qr),new rr(32,258,258,4096,qr)];var ama={};ama=function(){this.input=null;this.yw=this.Ti=this.Gv=0;this.Sj=null;this.LP=this.le=this.pz=0;this.msg="";this.state=null;this.iL=2;this.Cd=0};var gma=Object.prototype.toString; +tr.prototype.push=function(a,b){var c=this.Sd,d=this.options.chunkSize;if(this.ended)return!1;var e=b===~~b?b:!0===b?4:0;"string"===typeof a?c.input=Kla(a):"[object ArrayBuffer]"===gma.call(a)?c.input=new Uint8Array(a):c.input=a;c.Gv=0;c.Ti=c.input.length;do{0===c.le&&(c.Sj=new Oq.Nw(d),c.pz=0,c.le=d);a=$la(c,e);if(1!==a&&0!==a)return this.Gq(a),this.ended=!0,!1;if(0===c.le||0===c.Ti&&(4===e||2===e))if("string"===this.options.to){var f=Oq.rP(c.Sj,c.pz);b=f;f=f.length;if(65537>f&&(b.subarray&&G$a|| +!b.subarray))b=String.fromCharCode.apply(null,Oq.rP(b,f));else{for(var h="",l=0;la||a>c.length)throw Error();c[a]=b}; +var $ma=[1];g.w(Qu,J);Qu.prototype.j=function(a,b){return Sh(this,4,Du,a,b)}; +Qu.prototype.B=function(a,b){return Ih(this,5,a,b)}; +var ana=[4,5];g.w(Ru,J);g.w(Su,J);g.w(Tu,J);g.w(Uu,J);Uu.prototype.Qf=function(){return g.ai(this,2)};g.w(Vu,J);Vu.prototype.j=function(a,b){return Sh(this,1,Uu,a,b)}; +var bna=[1];g.w(Wu,J);g.w(Xu,J);Xu.prototype.Qf=function(){return g.ai(this,2)};g.w(Yu,J);Yu.prototype.j=function(a,b){return Sh(this,1,Xu,a,b)}; +var cna=[1];g.w(Zu,J);var $R=[1,2,3];g.w($u,J);$u.prototype.j=function(a,b){return Sh(this,1,Zu,a,b)}; +var dna=[1];g.w(av,J);var FD=[2,3,4,5];g.w(bv,J);bv.prototype.getMessage=function(){return g.ai(this,1)};g.w(cv,J);g.w(dv,J);g.w(ev,J);g.w(fv,J);fv.prototype.zi=function(a,b){return Sh(this,5,ev,a,b)}; +var ena=[5];g.w(gv,J);g.w(hv,J);hv.prototype.j=function(a,b){return Sh(this,3,gv,a,b)}; +var fna=[3];g.w(iv,J);g.w(jv,J);jv.prototype.B=function(a,b){return Sh(this,19,Ss,a,b)}; +jv.prototype.j=function(a,b){return Sh(this,20,Rs,a,b)}; +var gna=[19,20];g.w(kv,J);g.w(lv,J);g.w(mv,J);mv.prototype.j=function(a,b){return Sh(this,2,kv,a,b)}; +mv.prototype.setConfig=function(a){return I(this,lv,3,a)}; +mv.prototype.D=function(a,b){return Sh(this,5,kv,a,b)}; +mv.prototype.B=function(a,b){return Sh(this,9,wt,a,b)}; +var hna=[2,5,9];g.w(nv,J);nv.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(ov,J);ov.prototype.j=function(a,b){return Sh(this,9,nv,a,b)}; +var ina=[9];g.w(pv,J);g.w(qv,J);g.w(rv,J);g.w(tv,J);g.w(uv,J);uv.prototype.getType=function(){return bi(this,2)}; +uv.prototype.j=function(a,b){return Sh(this,3,tv,a,b)}; +var jna=[3];g.w(vv,J);vv.prototype.j=function(a,b){return Sh(this,10,wu,a,b)}; +vv.prototype.B=function(a,b){return Sh(this,17,ov,a,b)}; +var kna=[10,17];g.w(wv,J);var yHa={Gha:0,Fha:1,Cha:2,Dha:3,Eha:4};g.w(xv,J);xv.prototype.Qf=function(){return g.ai(this,2)}; +xv.prototype.GB=function(){return g.ai(this,7)};var $Ga={Ria:0,Qia:1,Kia:2,Lia:3,Mia:4,Nia:5,Oia:6,Pia:7};var fHa={Lpa:0,Mpa:3,Npa:1,Kpa:2};var WGa={Fqa:0,Vpa:1,Ypa:2,aqa:3,bqa:4,cqa:5,eqa:6,fqa:7,gqa:8,hqa:9,iqa:10,lqa:11,mqa:12,nqa:13,oqa:14,pqa:15,rqa:16,uqa:17,vqa:18,wqa:19,xqa:20,yqa:21,zqa:22,Aqa:23,Bqa:24,Gqa:25,Hqa:26,sqa:27,Cqa:28,tqa:29,kqa:30,dqa:31,jqa:32,Iqa:33,Jqa:34,Upa:35,Xpa:36,Dqa:37,Eqa:38,Zpa:39,qqa:40,Wpa:41};var ZGa={eta:0,ara:1,msa:2,Zsa:3,rta:4,isa:5,nsa:6,gra:7,ira:8,hra:9,zsa:10,hsa:11,gsa:12,Hsa:13,Lsa:14,ata:15,nta:16,fra:17,Qqa:18,xra:19,mra:20,lsa:21,tsa:22,bta:23,Rqa:24,Tqa:25,Esa:26,ora:116,Ara:27,Bra:28,ysa:29,cra:30,ura:31,ksa:32,xsa:33,Oqa:34,Pqa:35,Mqa:36,Nqa:37,qsa:38,rsa:39,Ksa:40,dra:41,pta:42,Csa:43,wsa:44,Asa:45,jsa:46,Bsa:47,pra:48,jra:49,tta:50,zra:51,yra:52,kra:53,lra:54,Xsa:55,Wsa:56,Vsa:57,Ysa:58,nra:59,qra:60,mta:61,Gsa:62,Dsa:63,Fsa:64,ssa:65,Rsa:66,Psa:67,Qsa:117,Ssa:68,vra:69, +wra:121,sta:70,tra:71,Tsa:72,Usa:73,Isa:74,Jsa:75,sra:76,rra:77,vsa:78,dta:79,usa:80,Kqa:81,Yqa:115,Wqa:120,Xqa:122,Zqa:123,Dra:124,Cra:125,Vqa:126,Osa:127,Msa:128,Nsa:129,qta:130,Lqa:131,Uqa:132,Sqa:133,Gra:82,Ira:83,Xra:84,Jra:85,esa:86,Hra:87,Lra:88,Rra:89,Ura:90,Zra:91,Wra:92,Yra:93,Fra:94,Mra:95,Vra:96,Ora:97,Nra:98,Era:99,Kra:100,bsa:101,Sra:102,fsa:103,csa:104,Pra:105,dsa:106,Tra:107,Qra:118,gta:108,kta:109,jta:110,ita:111,lta:112,hta:113,fta:114};var Hab={ula:0,tla:1,rla:2,sla:3};var hJa={aUa:0,HUa:1,MUa:2,uUa:3,vUa:4,wUa:5,OUa:39,PUa:6,KUa:7,GUa:50,NUa:69,IUa:70,JUa:71,EUa:74,xUa:32,yUa:44,zUa:33,LUa:8,AUa:9,BUa:10,DUa:11,CUa:12,FUa:73,bUa:56,cUa:57,dUa:58,eUa:59,fUa:60,gUa:61,lVa:13,mVa:14,nVa:15,vVa:16,qVa:17,xVa:18,wVa:19,sVa:20,tVa:21,oVa:34,uVa:35,rVa:36,pVa:49,kUa:37,lUa:38,nUa:40,pUa:41,oUa:42,qUa:43,rUa:51,mUa:52,jUa:67,hUa:22,iUa:23,TUa:24,ZUa:25,aVa:62,YUa:26,WUa:27,SUa:48,QUa:53,RUa:63,bVa:66,VUa:54,XUa:68,cVa:72,UUa:75,tUa:64,sUa:65,dVa:28,gVa:29,fVa:30,eVa:31, +iVa:45,kVa:46,jVa:47,hVa:55};var eJa={zVa:0,AVa:1,yVa:2};var jJa={DVa:0,CVa:1,BVa:2};var iJa={KVa:0,IVa:1,GVa:2,JVa:3,EVa:4,FVa:5,HVa:6};var PIa={cZa:0,bZa:1,aZa:2};var OIa={gZa:0,eZa:1,dZa:2,fZa:3};g.w(yv,J);g.w(zv,J);g.w(Av,J);g.w(Bv,J);g.w(Cv,J);g.w(Dv,J);Dv.prototype.hasFeature=function(){return null!=Ah(this,2)};g.w(Ev,J);Ev.prototype.OB=function(){return g.ai(this,7)};g.w(Fv,J);g.w(Gv,J);g.w(Hv,J);Hv.prototype.getName=function(){return bi(this,1)}; +Hv.prototype.getStatus=function(){return bi(this,2)}; +Hv.prototype.getState=function(){return bi(this,3)}; +Hv.prototype.qc=function(a){return H(this,3,a)};g.w(Iv,J);Iv.prototype.j=function(a,b){return Sh(this,2,Hv,a,b)}; +var lna=[2];g.w(Jv,J);g.w(Kv,J);Kv.prototype.j=function(a,b){return Sh(this,1,Iv,a,b)}; +Kv.prototype.B=function(a,b){return Sh(this,2,Iv,a,b)}; +var mna=[1,2];var dJa={fAa:0,dAa:1,eAa:2};var MIa={eGa:0,YFa:1,bGa:2,fGa:3,ZFa:4,aGa:5,cGa:6,dGa:7};var NIa={iGa:0,hGa:1,gGa:2};var LIa={FJa:0,GJa:1,EJa:2};var KIa={WJa:0,JJa:1,SJa:2,XJa:3,UJa:4,MJa:5,IJa:6,KJa:7,LJa:8,VJa:9,TJa:10,NJa:11,QJa:12,RJa:13,PJa:14,OJa:15,HJa:16};var HIa={NXa:0,JXa:1,MXa:2,LXa:3,KXa:4};var GIa={RXa:0,PXa:1,QXa:2,OXa:3};var IIa={YXa:0,UXa:1,WXa:2,SXa:3,XXa:4,TXa:5,VXa:6};var FIa={fYa:0,hYa:1,gYa:2,bYa:3,ZXa:4,aYa:5,iYa:6,cYa:7,jYa:8,dYa:9,eYa:10};var JIa={mYa:0,lYa:1,kYa:2};var TIa={d1a:0,a1a:1,Z0a:2,U0a:3,W0a:4,X0a:5,T0a:6,V0a:7,b1a:8,f1a:9,Y0a:10,R0a:11,S0a:12,e1a:13};var SIa={h1a:0,g1a:1};var $Ia={E1a:0,i1a:1,D1a:2,C1a:3,I1a:4,H1a:5,B1a:19,m1a:6,o1a:7,x1a:8,n1a:24,A1a:25,y1a:20,q1a:21,k1a:22,z1a:23,j1a:9,l1a:10,p1a:11,s1a:12,t1a:13,u1a:14,w1a:15,v1a:16,F1a:17,G1a:18};var UIa={M1a:0,L1a:1,N1a:2,J1a:3,K1a:4};var QIa={c2a:0,V1a:1,Q1a:2,Z1a:3,U1a:4,b2a:5,P1a:6,R1a:7,W1a:8,S1a:9,X1a:10,Y1a:11,T1a:12,a2a:13};var WIa={j2a:0,h2a:1,f2a:2,g2a:3,i2a:4};var VIa={n2a:0,k2a:1,l2a:2,m2a:3};var RIa={r2a:0,q2a:1,p2a:2};var aJa={u2a:0,s2a:1,t2a:2};var bJa={O2a:0,N2a:1,M2a:2,K2a:3,L2a:4};var cJa={S2a:0,Q2a:1,P2a:2,R2a:3};var Iab={Gla:0,Dla:1,Ela:2,Bla:3,Fla:4,Cla:5};var NFa={n1:0,Gxa:1,Eva:2,Fva:3,gAa:4,oKa:5,Xha:6};var WR={doa:0,Kna:101,Qna:102,Fna:103,Ina:104,Nna:105,Ona:106,Rna:107,Sna:108,Una:109,Vna:110,coa:111,Pna:112,Lna:113,Tna:114,Xna:115,eoa:116,Hna:117,Mna:118,foa:119,Yna:120,Zna:121,Jna:122,Gna:123,Wna:124,boa:125,aoa:126};var JHa={ooa:0,loa:1,moa:2,joa:3,koa:4,ioa:5,noa:6};var Jab={fpa:0,epa:1,cpa:2,dpa:3};var Kab={qpa:0,opa:1,hpa:2,npa:3,gpa:4,kpa:5,mpa:6,ppa:7,lpa:8,jpa:9,ipa:10};var Lab={spa:0,tpa:1,rpa:2};g.w(Lv,J);g.w(Mv,J);g.w(Nv,J);Nv.prototype.getState=function(){return Uh(this,1)}; +Nv.prototype.qc=function(a){return H(this,1,a)};g.w(Ov,J);g.w(Pv,J);g.w(Qv,J);g.w(Rv,J);g.w(Sv,J);Sv.prototype.Ce=function(){return g.ai(this,1)}; +Sv.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Tv,J);Tv.prototype.og=function(a){Rh(this,1,a)};g.w(Uv,J);Uv.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(Vv,J);Vv.prototype.hasFeature=function(){return null!=Ah(this,1)};g.w(Wv,J);g.w(Xv,J);g.w(Yv,J);Yv.prototype.Qf=function(){return bi(this,2)}; +var Mab=[1];g.w(Zv,J);g.w($v,J);g.w(aw,J);g.w(bw,J);bw.prototype.getVideoAspectRatio=function(){return kea(this,2)};g.w(cw,J);g.w(dw,J);g.w(ew,J);g.w(fw,J);g.w(gw,J);g.w(hw,J);g.w(iw,J);g.w(jw,J);g.w(kw,J);g.w(lw,J);g.w(mw,J);mw.prototype.getId=function(){return g.ai(this,1)};g.w(nw,J);g.w(ow,J);g.w(pw,J);pw.prototype.j=function(a,b){return Sh(this,5,ow,a,b)}; +var nna=[5];g.w(qw,J);g.w(rw,J);g.w(tw,J);tw.prototype.OB=function(){return g.ai(this,30)}; +tw.prototype.j=function(a,b){return Sh(this,27,rw,a,b)}; +var ona=[27];g.w(uw,J);g.w(vw,J);g.w(ww,J);g.w(xw,J);var s3=[1,2,3,4];g.w(yw,J);g.w(Aw,J);g.w(Fw,J);g.w(Gw,J);g.w(Hw,J);Hw.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(Iw,J);g.w(Jw,J);g.w(Kw,J);g.w(Lw,J);g.w(Mw,J);g.w(Nw,J);g.w(Ow,J);Ow.prototype.j=function(a,b){return Ih(this,1,a,b)}; +var pna=[1];g.w(Pw,J);Pw.prototype.Qf=function(){return bi(this,3)};g.w(Qw,J);g.w(Rw,J);g.w(Sw,J);g.w(Tw,J);Tw.prototype.Ce=function(){return Mh(this,Rw,2===Jh(this,t3)?2:-1)}; +Tw.prototype.setVideoId=function(a){return Oh(this,Rw,2,t3,a)}; +Tw.prototype.getPlaylistId=function(){return Mh(this,Qw,4===Jh(this,t3)?4:-1)}; +var t3=[2,3,4,5];g.w(Uw,J);Uw.prototype.getType=function(){return bi(this,1)}; +Uw.prototype.Ce=function(){return g.ai(this,3)}; +Uw.prototype.setVideoId=function(a){return H(this,3,a)};g.w(Vw,J);g.w(Ww,J);g.w(Xw,J);var DIa=[3];g.w(Yw,J);g.w(Zw,J);g.w($w,J);g.w(ax,J);g.w(bx,J);g.w(cx,J);g.w(dx,J);g.w(ex,J);g.w(fx,J);g.w(gx,J);gx.prototype.getStarted=function(){return Th(Uda(Ah(this,1)),!1)};g.w(hx,J);g.w(ix,J);g.w(jx,J);jx.prototype.getDuration=function(){return Uh(this,2)}; +jx.prototype.Sk=function(a){H(this,2,a)};g.w(kx,J);g.w(lx,J);g.w(mx,J);mx.prototype.OB=function(){return g.ai(this,1)};g.w(nx,J);g.w(ox,J);g.w(px,J);px.prototype.vg=function(){return Mh(this,nx,8)}; +px.prototype.a4=function(){return Ch(this,nx,8)}; +px.prototype.getVideoData=function(){return Mh(this,ox,15)}; +px.prototype.iP=function(a){I(this,ox,15,a)}; +var qna=[4];g.w(qx,J);g.w(rx,J);rx.prototype.j=function(a){return H(this,2,a)};g.w(sx,J);sx.prototype.j=function(a){return H(this,1,a)}; +var tna=[3];g.w(tx,J);tx.prototype.j=function(a){return H(this,1,a)}; +tx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(ux,J);ux.prototype.j=function(a){return H(this,1,a)}; +ux.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(vx,J);vx.prototype.j=function(a){return H(this,1,a)}; +vx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(wx,J);wx.prototype.j=function(a){return H(this,1,a)}; +wx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(xx,J);g.w(yx,J);yx.prototype.getId=function(){return g.ai(this,2)};g.w(Bx,J);Bx.prototype.getVisibilityState=function(){return bi(this,5)}; +var vna=[16];g.w(Cx,J);g.w(Dx,J);Dx.prototype.getPlayerType=function(){return bi(this,7)}; +Dx.prototype.Ce=function(){return g.ai(this,19)}; +Dx.prototype.setVideoId=function(a){return H(this,19,a)}; +var wna=[112,83,68];g.w(Fx,J);g.w(Gx,J);g.w(Hx,J);Hx.prototype.Ce=function(){return g.ai(this,1)}; +Hx.prototype.setVideoId=function(a){return H(this,1,a)}; +Hx.prototype.j=function(a,b){return Sh(this,9,Gx,a,b)}; +var xna=[9];g.w(Ix,J);Ix.prototype.j=function(a,b){return Sh(this,3,Hx,a,b)}; +var yna=[3];g.w(Jx,J);Jx.prototype.Ce=function(){return g.ai(this,1)}; +Jx.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Kx,J);g.w(Lx,J);Lx.prototype.j=function(a,b){return Sh(this,1,Jx,a,b)}; +Lx.prototype.B=function(a,b){return Sh(this,2,Kx,a,b)}; +var zna=[1,2];g.w(Mx,J);g.w(Nx,J);Nx.prototype.getId=function(){return g.ai(this,1)}; +Nx.prototype.j=function(a,b){return Ih(this,2,a,b)}; +var Ana=[2];g.w(Ox,J);g.w(Px,J);g.w(Qx,J);Qx.prototype.j=function(a,b){return Ih(this,9,a,b)}; +var Bna=[9];g.w(Rx,J);g.w(Sx,J);g.w(Tx,J);Tx.prototype.getId=function(){return g.ai(this,1)}; +Tx.prototype.j=function(a,b){return Sh(this,14,Px,a,b)}; +Tx.prototype.B=function(a,b){return Sh(this,17,Rx,a,b)}; +var Cna=[14,17];g.w(Ux,J);Ux.prototype.B=function(a,b){return Sh(this,1,Tx,a,b)}; +Ux.prototype.j=function(a,b){return Sh(this,2,Nx,a,b)}; +var Dna=[1,2];g.w(Vx,J);g.w(Wx,J);Wx.prototype.getOrigin=function(){return g.ai(this,3)}; +Wx.prototype.Ye=function(){return Uh(this,6)};g.w(Xx,J);g.w(Yx,J);g.w(Zx,J);Zx.prototype.getContext=function(){return Mh(this,Yx,33)}; +var AD=[2,3,5,6,7,11,13,20,21,22,23,24,28,32,37,45,59,72,73,74,76,78,79,80,85,91,97,100,102,105,111,117,119,126,127,136,146,148,151,156,157,158,159,163,164,168,176,177,178,179,184,188,189,190,191,193,194,195,196,197,198,199,200,201,202,203,204,205,206,208,209,215,219,222,225,226,227,229,232,233,234,240,241,244,247,248,249,251,254,255,256,257,258,259,260,261,266,270,272,278,288,291,293,300,304,308,309,310,311,313,314,319,320,321,323,324,327,328,330,331,332,334,337,338,340,344,348,350,351,352,353,354, +355,356,357,358,361,363,364,368,369,370,373,374,375,378,380,381,383,388,389,402,403,410,411,412,413,414,415,416,417,418,423,424,425,426,427,429,430,431,439,441,444,448,458,469,471,473,474];var Nab={Eoa:0,Boa:1,Aoa:2,Doa:3,Coa:4,yoa:5,zoa:6};var Oab={Cua:0,oua:1,rua:2,pua:3,uua:4,qua:5,Wta:6,zua:7,hua:8,Qta:9,iua:10,vua:11,sua:12,Yta:13,Uta:14,Xta:15,Bua:16,Rta:17,Sta:18,Aua:19,Zta:20,Vta:21,yua:22,Hua:23,Gua:24,Dua:25,jua:26,tua:27,Iua:28,aua:29,Ota:30,Fua:31,Eua:32,gua:33,Lua:34,fua:35,wua:36,Kua:37,kua:38,xua:39,eua:40,cua:41,Tta:42,nua:43,Jua:44,Pta:45};var Pab={uva:0,fva:1,iva:2,gva:3,mva:4,hva:5,Vua:6,rva:7,ava:8,Oua:9,bva:10,nva:11,jva:12,Xua:13,Tua:14,Wua:15,tva:16,Qua:17,Rua:18,sva:19,Yua:20,Uua:21,qva:22,yva:23,xva:24,vva:25,cva:26,kva:27,zva:28,Zua:29,Mua:30,wva:31,Pua:32,Cva:33,ova:34,Bva:35,dva:36,pva:37,Sua:38,eva:39,Ava:40,Nua:41};var Qab={kxa:0,jxa:1,lxa:2};var Rab={nwa:0,lwa:1,hwa:3,jwa:4,kwa:5,mwa:6,iwa:7};var Sab={twa:0,qwa:1,swa:2,rwa:3,pwa:4,owa:5};var Uab={fxa:0,bxa:1,cxa:2,dxa:3,exa:4};var Vab={qxa:0,rxa:1,sxa:2,pxa:3,nxa:4,oxa:5};var QCa={aya:0,Hxa:1,Nxa:2,Oxa:4,Uxa:8,Pxa:16,Qxa:32,Zxa:64,Yxa:128,Jxa:256,Lxa:512,Sxa:1024,Kxa:2048,Mxa:4096,Ixa:8192,Rxa:16384,Vxa:32768,Txa:65536,Wxa:131072,Xxa:262144};var IHa={Eya:0,Dya:1,Cya:2,Bya:4};var HHa={Jya:0,Gya:1,Hya:2,Kya:3,Iya:4,Fya:5};var Wab={Ata:0,zta:1,yta:2};var Xab={mGa:0,lGa:1,kGa:2};var Yab={bHa:0,JGa:1,ZGa:2,LGa:3,RGa:4,dHa:5,aHa:6,zGa:7,yGa:8,xGa:9,DGa:10,IGa:11,HGa:12,AGa:13,SGa:14,NGa:15,PGa:16,pGa:17,YGa:18,tGa:19,OGa:20,oGa:21,QGa:22,GGa:23,qGa:24,sGa:25,VGa:26,cHa:27,WGa:28,MGa:29,BGa:30,EGa:31,FGa:32,wGa:33,eHa:34,uGa:35,CGa:36,TGa:37,rGa:38,nGa:39,vGa:41,KGa:42,UGa:43,XGa:44};var Zab={iHa:0,hHa:1,gHa:2,fHa:3};var bHa={MHa:0,LHa:1,JHa:2,KHa:7,IHa:8,HHa:25,wHa:3,xHa:4,FHa:5,GHa:27,EHa:28,yHa:9,mHa:10,kHa:11,lHa:6,vHa:12,tHa:13,uHa:14,sHa:15,AHa:16,BHa:17,zHa:18,DHa:19,CHa:20,pHa:26,qHa:21,oHa:22,rHa:23,nHa:24,NHa:29};var dHa={SHa:0,PHa:1,QHa:2,RHa:3,OHa:4};var cHa={XHa:0,VHa:1,WHa:2,THa:3,UHa:4};var LGa={eIa:0,YHa:1,aIa:2,ZHa:3,bIa:4,cIa:5,dIa:6,fIa:7};var UHa={Xoa:0,Voa:1,Woa:2,Soa:3,Toa:4,Uoa:5};var ZHa={rMa:0,qMa:1,jMa:2,oMa:3,kMa:4,nMa:5,pMa:6,mMa:7,lMa:8};var uHa={LMa:0,DMa:1,MMa:2,KMa:4,HMa:8,GMa:16,FMa:32,IMa:64,EMa:128,JMa:256};var VHa={eNa:0,ZMa:1,dNa:2,WMa:3,OMa:4,UMa:5,PMa:6,QMa:7,SMa:8,XMa:9,bNa:10,aNa:11,cNa:12,RMa:13,TMa:14,VMa:15,YMa:16,NMa:17};var sHa={gMa:0,dMa:1,eMa:2,fMa:3};var xHa={yMa:0,AMa:1,xMa:2,tMa:3,zMa:4,uMa:5,vMa:6,wMa:7};var PGa={F2a:0,Lla:1,XFa:2,tKa:3,vKa:4,wKa:5,qKa:6,wZa:7,MKa:8,LKa:9,rKa:10,uKa:11,a_a:12,Oda:13,Wda:14,Pda:15,oPa:16,YLa:17,NKa:18,QKa:19,CMa:20,PKa:21,sMa:22,fNa:23,VKa:24,iMa:25,sKa:26,tZa:27,CXa:28,NRa:29,jja:30,n6a:31,hMa:32};var OGa={I2a:0,V$:1,hNa:2,gNa:3,SUCCESS:4,hZa:5,Bta:6,CRa:7,gwa:9,Mla:10,Dna:11,CANCELLED:12,MRa:13,DXa:14,IXa:15,b3a:16};var NGa={o_a:0,f_a:1,k_a:2,j_a:3,g_a:4,h_a:5,b_a:6,n_a:7,m_a:8,e_a:9,d_a:10,i_a:11,l_a:12,c_a:13};var YGa={dPa:0,UOa:1,YOa:2,WOa:3,cPa:4,XOa:5,bPa:6,aPa:7,ZOa:8,VOa:9};var $ab={lQa:0,kQa:1,jQa:2};var abb={oQa:0,mQa:1,nQa:2};var aHa={LSa:0,KSa:1,JSa:2};var bbb={SSa:0,TSa:1};var zIa={ZSa:0,XSa:1,YSa:2,aTa:3};var cbb={iWa:0,gWa:1,hWa:2};var dbb={FYa:0,BYa:1,CYa:2,DYa:3,EYa:4};var wHa={lWa:0,jWa:1,kWa:2};var YHa={FWa:0,CWa:1,DWa:2,EWa:3};var oHa={aha:0,Zga:1,Xga:2,Yga:3};var OHa={Fia:0,zia:1,Cia:2,Dia:3,Bia:4,Eia:5,Gia:6,Aia:7};var iHa={hma:0,gma:1,jma:2};var SGa={D2a:0,fla:1,gla:2,ela:3,hla:4};var RGa={E2a:0,bQa:1,MOa:2};var RHa={Kta:0,Gta:1,Cta:2,Jta:3,Eta:4,Hta:5,Fta:6,Dta:7,Ita:8};var THa={ixa:0,hxa:1,gxa:2};var NHa={WFa:0,VFa:1,UFa:2};var QHa={fKa:0,eKa:1,dKa:2};var MHa={qSa:0,oSa:1,pSa:2};var mHa={lZa:0,kZa:1,jZa:2};var ebb={sFa:0,oFa:1,pFa:2,qFa:3,rFa:4,tFa:5};var fbb={mPa:0,jPa:1,hPa:2,ePa:3,iPa:4,kPa:5,fPa:6,gPa:7,lPa:8,nPa:9};var gbb={KZa:0,JZa:1,LZa:2};var yIa={j6a:0,T5a:1,a6a:2,Z5a:3,S5a:4,k6a:5,h6a:6,U5a:7,V5a:8,Y5a:9,X5a:12,P5a:10,i6a:11,d6a:13,e6a:14,l6a:15,b6a:16,f6a:17,Q5a:18,g6a:19,R5a:20,m6a:21,W5a:22};var tIa={eya:0,cya:1,dya:2,bya:3};g.w($x,J);g.w(ay,J);ay.prototype.Ce=function(){var a=1===Jh(this,kD)?1:-1;return Ah(this,a)}; +ay.prototype.setVideoId=function(a){return Kh(this,1,kD,a)}; +ay.prototype.getPlaylistId=function(){var a=2===Jh(this,kD)?2:-1;return Ah(this,a)}; +var kD=[1,2];g.w(by,J);by.prototype.getContext=function(){return Mh(this,rt,1)}; +var Ena=[3];var rM=new g.zr("changeKeyedMarkersVisibilityCommand");var hbb=new g.zr("changeMarkersVisibilityCommand");var wza=new g.zr("loadMarkersCommand");var qza=new g.zr("shoppingOverlayRenderer");g.Oza=new g.zr("musicEmbeddedPlayerOverlayVideoDetailsRenderer");var ibb=new g.zr("adFeedbackEndpoint");var wNa=new g.zr("phoneDialerEndpoint");var vNa=new g.zr("sendSmsEndpoint");var Mza=new g.zr("copyTextEndpoint");var jbb=new g.zr("webPlayerShareEntityServiceEndpoint");g.pM=new g.zr("urlEndpoint");g.oM=new g.zr("watchEndpoint");var LCa=new g.zr("watchPlaylistEndpoint");var cIa={ija:0,hja:1,gja:2,eja:3,fja:4};var tHa={KKa:0,IKa:1,JKa:2,HKa:3};var kbb={aLa:0,ZKa:1,XKa:2,YKa:3};var lbb={eLa:0,bLa:1,cLa:2,dLa:3,fLa:4};var mbb={VLa:0,QLa:1,WLa:2,SLa:3,JLa:4,BLa:37,mLa:5,jLa:36,oLa:38,wLa:39,xLa:40,sLa:41,ULa:42,pLa:27,GLa:31,ILa:6,KLa:7,LLa:8,MLa:9,NLa:10,OLa:11,RLa:29,qLa:30,HLa:32,ALa:12,zLa:13,lLa:14,FLa:15,gLa:16,iLa:35,nLa:43,rLa:28,DLa:17,CLa:18,ELa:19,TLa:20,vLa:25,kLa:33,XLa:21,yLa:22,uLa:26,tLa:34,PLa:23,hLa:24};var aIa={cMa:0,aMa:1,ZLa:2,bMa:3};var ZR={HXa:0,EXa:1,GXa:2,FXa:3};var QGa={ZZa:0,NZa:1,MZa:2,SZa:3,YZa:4,OZa:5,VZa:6,TZa:7,UZa:8,PZa:9,WZa:10,QZa:11,XZa:12,RZa:13};var rHa={BMa:0,WKa:1,OKa:2,TKa:3,UKa:4,RKa:5,SKa:6};var nbb={OSa:0,NSa:1};var obb={IYa:0,HYa:1,GYa:2,JYa:3};var pbb={MYa:0,LYa:1,KYa:2};var qbb={WYa:0,QYa:1,RYa:2,SYa:5,VYa:7,XYa:8,TYa:9,UYa:10};var rbb={PYa:0,OYa:1,NYa:2};var KKa=new g.zr("compositeVideoOverlayRenderer");var KNa=new g.zr("miniplayerRenderer");var bza=new g.zr("playerMutedAutoplayOverlayRenderer"),cza=new g.zr("playerMutedAutoplayEndScreenRenderer");var gya=new g.zr("unserializedPlayerResponse"),dza=new g.zr("unserializedPlayerResponse");var sbb=new g.zr("playlistEditEndpoint");var u3;g.mM=new g.zr("buttonRenderer");u3=new g.zr("toggleButtonRenderer");var YR={G2a:0,tCa:4,sSa:1,cwa:2,mia:3,uCa:5,vSa:6,dwa:7,ewa:8,fwa:9};var tbb=new g.zr("resolveUrlCommandMetadata");var ubb=new g.zr("modifyChannelNotificationPreferenceEndpoint");var $Da=new g.zr("pingingEndpoint");var vbb=new g.zr("unsubscribeEndpoint");var PFa={J2a:0,kJa:1,gJa:2,fJa:3,GIa:71,FIa:4,iJa:5,lJa:6,jJa:16,hJa:69,HIa:70,CIa:56,DIa:64,EIa:65,TIa:7,JIa:8,OIa:9,KIa:10,NIa:11,MIa:12,LIa:13,QIa:43,WIa:44,XIa:45,YIa:46,ZIa:47,aJa:48,bJa:49,cJa:50,dJa:51,eJa:52,UIa:53,VIa:54,SIa:63,IIa:14,RIa:15,PIa:68,b5a:17,k5a:18,u4a:19,a5a:20,O4a:21,c5a:22,m4a:23,W4a:24,R4a:25,y4a:26,k4a:27,F4a:28,Z4a:29,h4a:30,g4a:31,i4a:32,n4a:33,X4a:34,V4a:35,P4a:36,T4a:37,d5a:38,B4a:39,j5a:40,H4a:41,w4a:42,e5a:55,S4a:66,A5a:67,L4a:57,Y4a:58,o4a:59,j4a:60,C4a:61,Q4a:62};var wbb={BTa:0,DTa:1,uTa:2,mTa:3,yTa:4,zTa:5,ETa:6,dTa:7,eTa:8,kTa:9,vTa:10,nTa:11,rTa:12,pTa:13,qTa:14,sTa:15,tTa:19,gTa:16,xTa:17,wTa:18,iTa:20,oTa:21,fTa:22,CTa:23,lTa:24,hTa:25,ATa:26,jTa:27};g.FM=new g.zr("subscribeButtonRenderer");var xbb=new g.zr("subscribeEndpoint");var pHa={pWa:0,nWa:1,oWa:2};g.GKa=new g.zr("buttonViewModel");var ZIa={WTa:0,XTa:1,VTa:2,RTa:3,UTa:4,STa:5,QTa:6,TTa:7};var q2a=new g.zr("qrCodeRenderer");var zxa={BFa:"LIVING_ROOM_APP_MODE_UNSPECIFIED",yFa:"LIVING_ROOM_APP_MODE_MAIN",xFa:"LIVING_ROOM_APP_MODE_KIDS",zFa:"LIVING_ROOM_APP_MODE_MUSIC",AFa:"LIVING_ROOM_APP_MODE_UNPLUGGED",wFa:"LIVING_ROOM_APP_MODE_GAMING"};var lza=new g.zr("autoplaySwitchButtonRenderer");var HL,oza,xya,cPa;HL=new g.zr("decoratedPlayerBarRenderer");oza=new g.zr("chapteredPlayerBarRenderer");xya=new g.zr("multiMarkersPlayerBarRenderer");cPa=new g.zr("chapterRenderer");g.VOa=new g.zr("markerRenderer");var nM=new g.zr("desktopOverlayConfigRenderer");var rza=new g.zr("gatedActionsOverlayViewModel");var ZOa=new g.zr("heatMarkerRenderer");var YOa=new g.zr("heatmapRenderer");var vza=new g.zr("watchToWatchTransitionRenderer");var Pza=new g.zr("playlistPanelRenderer");var TKa=new g.zr("speedmasterEduViewModel");var lM=new g.zr("suggestedActionTimeRangeTrigger"),mza=new g.zr("suggestedActionsRenderer"),nza=new g.zr("suggestedActionRenderer");var $Oa=new g.zr("timedMarkerDecorationRenderer");var ybb={z5a:0,v5a:1,w5a:2,y5a:3,x5a:4,u5a:5,t5a:6,p5a:7,r5a:8,s5a:9,q5a:10,n5a:11,m5a:12,l5a:13,o5a:14};var MR={n1:0,USER:74,Hha:459,TRACK:344,Iha:493,Vha:419,gza:494,dja:337,zIa:237,Uwa:236,Cna:3,B5a:78,E5a:248,oJa:79,mRa:246,K5a:247,zKa:382,yKa:383,xKa:384,oZa:235,VIDEO:4,H5a:186,Vla:126,AYa:127,dma:117,iRa:125,nSa:151,woa:515,Ola:6,Pva:132,Uva:154,Sva:222,Tva:155,Qva:221,Rva:156,zYa:209,yYa:210,U3a:7,BRa:124,mWa:96,kKa:97,b4a:93,c4a:275,wia:110,via:120,iQa:121,wxa:72,N3a:351,FTa:495,L3a:377,O3a:378,Lta:496,Mta:497,GTa:498,xia:381,M3a:386,d4a:387,Bha:410,kya:437,Spa:338,uia:380,T$:352,ROa:113,SOa:114, +EZa:82,FZa:112,uoa:354,AZa:21,Ooa:523,Qoa:375,Poa:514,Qda:302,ema:136,xxa:85,dea:22,L5a:23,IZa:252,HZa:253,tia:254,Nda:165,xYa:304,Noa:408,Xya:421,zZa:422,V3a:423,gSa:463,PLAYLIST:63,S3a:27,R3a:28,T3a:29,pYa:30,sYa:31,rYa:324,tYa:32,Hia:398,vYa:399,wYa:400,mKa:411,lKa:413,nKa:414,pKa:415,uRa:39,vRa:143,zRa:144,qRa:40,rRa:145,tRa:146,F3a:504,yRa:325,BPa:262,DPa:263,CPa:264,FPa:355,GPa:249,IPa:250,HPa:251,Ala:46,PSa:49,RSa:50,Hda:62,hIa:105,aza:242,BXa:397,rQa:83,QOa:135,yha:87,Aha:153,zha:187,tha:89, +sha:88,uha:139,wha:91,vha:104,xha:137,kla:99,U2a:100,iKa:326,qoa:148,poa:149,nYa:150,oYa:395,Zha:166,fia:199,aia:534,eia:167,bia:168,jia:169,kia:170,cia:171,dia:172,gia:179,hia:180,lia:512,iia:513,j3a:200,V2a:476,k3a:213,Wha:191,EPa:192,yPa:305,zPa:306,KPa:329,yWa:327,zWa:328,uPa:195,vPa:197,TOa:301,pPa:223,qPa:224,Vya:227,nya:396,hza:356,cza:490,iza:394,kja:230,oia:297,o3a:298,Uya:342,xoa:346,uta:245,GZa:261,Axa:265,Fxa:266,Bxa:267,yxa:268,zxa:269,Exa:270,Cxa:271,Dxa:272,mFa:303,dEa:391,eEa:503, +gEa:277,uFa:499,vFa:500,kFa:501,nFa:278,fEa:489,zpa:332,Bpa:333,xpa:334,Apa:335,ypa:336,jla:340,Pya:341,E3a:349,D3a:420,xRa:281,sRa:282,QSa:286,qYa:288,wRa:291,ARa:292,cEa:295,uYa:296,bEa:299,Sda:417,lza:308,M5a:309,N5a:310,O5a:311,Dea:350,m3a:418,Vwa:424,W2a:425,AKa:429,jKa:430,fza:426,xXa:460,hKa:427,PRa:428,QRa:542,ORa:461,AWa:464,mIa:431,kIa:432,rIa:433,jIa:434,oIa:435,pIa:436,lIa:438,qIa:439,sIa:453,nIa:454,iIa:472,vQa:545,tQa:546,DQa:547,GQa:548,FQa:549,EQa:550,wQa:551,CQa:552,yQa:516,xQa:517, +zQa:544,BQa:519,AQa:553,sZa:520,sQa:521,uQa:522,dza:543,aQa:440,cQa:441,gQa:442,YPa:448,ZPa:449,dQa:450,hQa:451,fQa:491,POST:445,XPa:446,eQa:447,JQa:456,BKa:483,KQa:529,IQa:458,USa:480,VSa:502,WSa:482,Qya:452,ITa:465,JTa:466,Ena:467,HQa:468,Cpa:469,yla:470,xla:471,bza:474,Oya:475,vma:477,Rya:478,Yva:479,LPa:484,JPa:485,xPa:486,wPa:487,Xda:488,apa:492,Epa:505,Moa:506,W3a:507,uAa:508,Xva:509,Zva:510,bwa:511,n3a:524,P3a:530,wSa:531,Dpa:532,OTa:533,Sya:535,kza:536,Yya:537,eza:538,Tya:539,Zya:540,Wya:541};var Ita=new g.zr("cipher");var hya=new g.zr("playerVars");var eza=new g.zr("playerVars");var v3=g.Ea.window,zbb,Abb,cy=(null==v3?void 0:null==(zbb=v3.yt)?void 0:zbb.config_)||(null==v3?void 0:null==(Abb=v3.ytcfg)?void 0:Abb.data_)||{};g.Fa("yt.config_",cy);var ky=[];var Nna=/^[\w.]*$/,Lna={q:!0,search_query:!0},Kna=String(oy);var Ona=new function(){var a=window.document;this.j=window;this.u=a}; +g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return py(zy(a))});g.Ra();var Rna="XMLHttpRequest"in g.Ea?function(){return new XMLHttpRequest}:null;var Tna={Authorization:"AUTHORIZATION","X-Goog-EOM-Visitor-Id":"EOM_VISITOR_DATA","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-Youtube-Domain-Admin-State":"DOMAIN_ADMIN_STATE","X-Youtube-Chrome-Connected":"CHROME_CONNECTED_HEADER","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL", +"X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM","X-Goog-AuthUser":"SESSION_INDEX","X-Goog-PageId":"DELEGATED_SESSION_ID"},Vna="app debugcss debugjs expflag force_ad_params force_ad_encrypted force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address".split(" ").concat(g.u(y$a)),$na=!1,qDa=Fy;g.w(Jy,cb);My.prototype.then=function(a,b,c){return this.j?this.j.then(a,b,c):1===this.B&&a?(a=a.call(c,this.u))&&"function"===typeof a.then?a:Oy(a):2===this.B&&b?(a=b.call(c,this.u))&&"function"===typeof a.then?a:Ny(a):this}; +My.prototype.getValue=function(){return this.u}; +My.prototype.$goog_Thenable=!0;var Py=!1;var nB=cz||dz;var loa=/^([0-9\.]+):([0-9\.]+)$/;g.w(sz,cb);sz.prototype.name="BiscottiError";g.w(rz,cb);rz.prototype.name="BiscottiMissingError";var uz={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},tz=null;var voa=eaa(["data-"]),zoa={};var Bbb=0,vz=g.Pc?"webkit":Im?"moz":g.mf?"ms":g.dK?"o":"",Cbb=g.Ga("ytDomDomGetNextId")||function(){return++Bbb}; +g.Fa("ytDomDomGetNextId",Cbb);var Coa={stopImmediatePropagation:1,stopPropagation:1,preventMouseEvent:1,preventManipulation:1,preventDefault:1,layerX:1,layerY:1,screenX:1,screenY:1,scale:1,rotation:1,webkitMovementX:1,webkitMovementY:1};Cz.prototype.preventDefault=function(){this.event&&(this.event.returnValue=!1,this.event.preventDefault&&this.event.preventDefault())}; +Cz.prototype.UU=function(){return this.event?!1===this.event.returnValue:!1}; +Cz.prototype.stopPropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopPropagation&&this.event.stopPropagation())}; +Cz.prototype.stopImmediatePropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopImmediatePropagation&&this.event.stopImmediatePropagation())};var Dz=g.Ea.ytEventsEventsListeners||{};g.Fa("ytEventsEventsListeners",Dz);var Foa=g.Ea.ytEventsEventsCounter||{count:0};g.Fa("ytEventsEventsCounter",Foa);var Moa=Nd(function(){var a=!1;try{var b=Object.defineProperty({},"passive",{get:function(){a=!0}}); +window.addEventListener("test",null,b)}catch(c){}return a}),Goa=Nd(function(){var a=!1; try{var b=Object.defineProperty({},"capture",{get:function(){a=!0}}); -window.addEventListener("test",null,b)}catch(c){}return a});var Rw=window.ytcsi&&window.ytcsi.now?window.ytcsi.now:window.performance&&window.performance.timing&&window.performance.now&&window.performance.timing.navigationStart?function(){return window.performance.timing.navigationStart+window.performance.now()}:function(){return(new Date).getTime()};g.Ya(np,g.B);np.prototype.X=function(a){void 0===a.u&&Zo(a);var b=a.u;void 0===a.B&&Zo(a);this.u=new g.fe(b,a.B)}; -np.prototype.dk=function(){return this.u||new g.fe}; -np.prototype.K=function(){if(this.u){var a=Rw();if(0!=this.D){var b=this.I,c=this.u,d=b.x-c.x;b=b.y-c.y;d=Math.sqrt(d*d+b*b)/(a-this.D);this.B[this.C]=.5c;c++)b+=this.B[c]||0;3<=b&&this.P();this.F=d}this.D=a;this.I=this.u;this.C=(this.C+1)%4}}; -np.prototype.aa=function(){window.clearInterval(this.W);g.dp(this.N)};g.u(rp,aea);rp.prototype.start=function(){var a=g.Na("yt.scheduler.instance.start");a&&a()}; -rp.prototype.pause=function(){var a=g.Na("yt.scheduler.instance.pause");a&&a()}; -Pa(rp);rp.getInstance();var yp={};var k1;k1=window;g.N=k1.ytcsi&&k1.ytcsi.now?k1.ytcsi.now:k1.performance&&k1.performance.timing&&k1.performance.now&&k1.performance.timing.navigationStart?function(){return k1.performance.timing.navigationStart+k1.performance.now()}:function(){return(new Date).getTime()};var cea=g.vo("initial_gel_batch_timeout",1E3),Mp=Math.pow(2,16)-1,Np=null,Lp=0,Cp=void 0,Ap=0,Bp=0,Pp=0,Gp=!0,Dp=g.v.ytLoggingTransportGELQueue_||new Map;g.Ia("ytLoggingTransportGELQueue_",Dp,void 0);var Jp=g.v.ytLoggingTransportTokensToCttTargetIds_||{};g.Ia("ytLoggingTransportTokensToCttTargetIds_",Jp,void 0);var Op=g.v.ytLoggingGelSequenceIdObj_||{};g.Ia("ytLoggingGelSequenceIdObj_",Op,void 0);var fea={q:!0,search_query:!0};var dq=new function(){var a=window.document;this.u=window;this.B=a}; -g.Ia("yt.ads_.signals_.getAdSignalsString",function(a){return Up(fq(a))},void 0);var gq="XMLHttpRequest"in g.v?function(){return new XMLHttpRequest}:null;var jq={Authorization:"AUTHORIZATION","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL","X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM"},kea="app debugcss debugjs expflag force_ad_params force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address client_dev_root_url".split(" "), -qq=!1,uG=kq;yq.prototype.set=function(a,b,c,d){c=c||31104E3;this.remove(a);if(this.u)try{this.u.set(a,b,g.A()+1E3*c);return}catch(f){}var e="";if(d)try{e=escape(g.Fj(b))}catch(f){return}else e=escape(b);g.vq(a,e,c,this.B)}; -yq.prototype.get=function(a,b){var c=void 0,d=!this.u;if(!d)try{c=this.u.get(a)}catch(e){d=!0}if(d&&(c=g.wq(a))&&(c=unescape(c),b))try{c=JSON.parse(c)}catch(e){this.remove(a),c=void 0}return c}; -yq.prototype.remove=function(a){this.u&&this.u.remove(a);g.xq(a,"/",this.B)};var rU={identityType:"UNAUTHENTICATED_IDENTITY_TYPE_UNKNOWN"};new g.im;Cq.all=function(a){return new Cq(function(b,c){var d=[],e=a.length;0===e&&b(d);for(var f={qm:0};f.qmc;c++)b+=this.u[c]||0;3<=b&&this.J();this.D=d}this.C=a;this.I=this.j;this.B=(this.B+1)%4}}; +Iz.prototype.qa=function(){window.clearInterval(this.T);g.Fz(this.oa)};g.w(Jz,g.C);Jz.prototype.S=function(a,b,c,d,e){c=g.my((0,g.Oa)(c,d||this.Pb));c={target:a,name:b,callback:c};var f;e&&Moa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.T.push(c);return c}; +Jz.prototype.Hc=function(a){for(var b=0;b=L.Cm)||l.j.version>=P||l.j.objectStoreNames.contains(D)||F.push(D)}m=F;if(0===m.length){z.Ka(5);break}n=Object.keys(c.options.Fq);p=l.objectStoreNames(); +if(c.Dc.options.version+1)throw r.close(),c.B=!1,xpa(c,v);return z.return(r);case 8:throw b(),q instanceof Error&&!g.gy("ytidb_async_stack_killswitch")&& +(q.stack=q.stack+"\n"+h.substring(h.indexOf("\n")+1)),CA(q,c.name,"",null!=(x=c.options.version)?x:-1);}})} +function b(){c.j===d&&(c.j=void 0)} +var c=this;if(!this.B)throw xpa(this);if(this.j)return this.j;var d,e={blocking:function(f){f.close()}, +closed:b,q9:b,upgrade:this.options.upgrade};return this.j=d=a()};var lB=new jB("YtIdbMeta",{Fq:{databases:{Cm:1}},upgrade:function(a,b){b(1)&&g.LA(a,"databases",{keyPath:"actualName"})}});var qB,pB=new function(){}(new function(){});new g.Wj;g.w(tB,jB);tB.prototype.u=function(a,b,c){c=void 0===c?{}:c;return(this.options.shared?Gpa:Fpa)(a,b,Object.assign({},c))}; +tB.prototype.delete=function(a){a=void 0===a?{}:a;return(this.options.shared?Kpa:Hpa)(this.name,a)};var Jbb={},Mpa=g.uB("ytGcfConfig",{Fq:(Jbb.coldConfigStore={Cm:1},Jbb.hotConfigStore={Cm:1},Jbb),shared:!1,upgrade:function(a,b){b(1)&&(g.RA(g.LA(a,"hotConfigStore",{keyPath:"key",autoIncrement:!0}),"hotTimestampIndex","timestamp"),g.RA(g.LA(a,"coldConfigStore",{keyPath:"key",autoIncrement:!0}),"coldTimestampIndex","timestamp"))}, +version:1});HB.prototype.jp=function(){return{version:this.version,args:this.args}};IB.prototype.toString=function(){return this.topic};var Kbb=g.Ga("ytPubsub2Pubsub2Instance")||new g.lq;g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",Kbb);var LB=g.Ga("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",LB);var MB=g.Ga("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",MB);var lqa=g.Ga("ytPubsub2Pubsub2IsAsync")||{}; +g.Fa("ytPubsub2Pubsub2IsAsync",lqa);g.Fa("ytPubsub2Pubsub2SkipSubKey",null);var oqa=g.hy("max_body_size_to_compress",5E5),pqa=g.hy("min_body_size_to_compress",500),PB=!0,SB=0,RB=0,rqa=g.hy("compression_performance_threshold",250),sqa=g.hy("slow_compressions_before_abandon_count",10);g.k=VB.prototype;g.k.writeThenSend=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ih.set(d,this.yf).then(function(e){d.id=e;c.Zg.Rh()&&c.pC(d)}).catch(function(e){c.pC(d); +WB(c,e)})}else this.Qq(a,b)}; +g.k.sendThenWrite=function(a,b,c){var d=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var e={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ob&&this.ob("nwl_skip_retry")&&(e.skipRetry=c);if(this.Zg.Rh()||this.ob&&this.ob("nwl_aggressive_send_then_write")&&!e.skipRetry){if(!e.skipRetry){var f=b.onError?b.onError:function(){}; +b.onError=function(h,l){return g.A(function(m){if(1==m.j)return g.y(m,d.ih.set(e,d.yf).catch(function(n){WB(d,n)}),2); +f(h,l);g.oa(m)})}}this.Qq(a,b,e.skipRetry)}else this.ih.set(e,this.yf).catch(function(h){d.Qq(a,b,e.skipRetry); +WB(d,h)})}else this.Qq(a,b,this.ob&&this.ob("nwl_skip_retry")&&c)}; +g.k.sendAndWrite=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0},e=!1,f=b.onSuccess?b.onSuccess:function(){}; +d.options.onSuccess=function(h,l){void 0!==d.id?c.ih.ly(d.id,c.yf):e=!0;c.Zg.Fv&&c.ob&&c.ob("vss_network_hint")&&c.Zg.Fv(!0);f(h,l)}; +this.Qq(d.url,d.options);this.ih.set(d,this.yf).then(function(h){d.id=h;e&&c.ih.ly(d.id,c.yf)}).catch(function(h){WB(c,h)})}else this.Qq(a,b)}; +g.k.eA=function(){var a=this;if(!UB(this))throw g.DA("throttleSend");this.j||(this.j=this.cn.xi(function(){var b;return g.A(function(c){if(1==c.j)return g.y(c,a.ih.XT("NEW",a.yf),2);if(3!=c.j)return b=c.u,b?g.y(c,a.pC(b),3):(a.JK(),c.return());a.j&&(a.j=0,a.eA());g.oa(c)})},this.gY))}; +g.k.JK=function(){this.cn.Em(this.j);this.j=0}; +g.k.pC=function(a){var b=this,c,d;return g.A(function(e){switch(e.j){case 1:if(!UB(b))throw c=g.DA("immediateSend"),c;if(void 0===a.id){e.Ka(2);break}return g.y(e,b.ih.C4(a.id,b.yf),3);case 3:(d=e.u)||b.Iy(Error("The request cannot be found in the database."));case 2:if(b.SH(a,b.pX)){e.Ka(4);break}b.Iy(Error("Networkless Logging: Stored logs request expired age limit"));if(void 0===a.id){e.Ka(5);break}return g.y(e,b.ih.ly(a.id,b.yf),5);case 5:return e.return();case 4:a.skipRetry||(a=zqa(b,a));if(!a){e.Ka(0); +break}if(!a.skipRetry||void 0===a.id){e.Ka(8);break}return g.y(e,b.ih.ly(a.id,b.yf),8);case 8:b.Qq(a.url,a.options,!!a.skipRetry),g.oa(e)}})}; +g.k.SH=function(a,b){a=a.timestamp;return this.now()-a>=b?!1:!0}; +g.k.VH=function(){var a=this;if(!UB(this))throw g.DA("retryQueuedRequests");this.ih.XT("QUEUED",this.yf).then(function(b){b&&!a.SH(b,a.kX)?a.cn.xi(function(){return g.A(function(c){if(1==c.j)return void 0===b.id?c.Ka(2):g.y(c,a.ih.SO(b.id,a.yf),2);a.VH();g.oa(c)})}):a.Zg.Rh()&&a.eA()})};var XB;var Lbb={},Jqa=g.uB("ServiceWorkerLogsDatabase",{Fq:(Lbb.SWHealthLog={Cm:1},Lbb),shared:!0,upgrade:function(a,b){b(1)&&g.RA(g.LA(a,"SWHealthLog",{keyPath:"id",autoIncrement:!0}),"swHealthNewRequest",["interface","timestamp"])}, +version:1});var $B={},Pqa=0;aC.prototype.requestComplete=function(a,b){b&&(this.u=!0);a=this.removeParams(a);this.j.get(a)||this.j.set(a,b)}; +aC.prototype.isEndpointCFR=function(a){a=this.removeParams(a);return(a=this.j.get(a))?!1:!1===a&&this.u?!0:null}; +aC.prototype.removeParams=function(a){return a.split("?")[0]}; +aC.prototype.removeParams=aC.prototype.removeParams;aC.prototype.isEndpointCFR=aC.prototype.isEndpointCFR;aC.prototype.requestComplete=aC.prototype.requestComplete;aC.getInstance=bC;var cC;g.w(eC,g.Fd);g.k=eC.prototype;g.k.Rh=function(){return this.j.Rh()}; +g.k.Fv=function(a){this.j.j=a}; +g.k.x3=function(){var a=window.navigator.onLine;return void 0===a?!0:a}; +g.k.P2=function(){this.u=!0}; +g.k.Ra=function(a,b){return this.j.Ra(a,b)}; +g.k.aI=function(a){a=yp(this.j,a);a.then(function(b){g.gy("use_cfr_monitor")&&bC().requestComplete("generate_204",b)}); +return a}; +eC.prototype.sendNetworkCheckRequest=eC.prototype.aI;eC.prototype.listen=eC.prototype.Ra;eC.prototype.enableErrorFlushing=eC.prototype.P2;eC.prototype.getWindowStatus=eC.prototype.x3;eC.prototype.networkStatusHint=eC.prototype.Fv;eC.prototype.isNetworkAvailable=eC.prototype.Rh;eC.getInstance=Rqa;g.w(g.fC,g.Fd);g.fC.prototype.Rh=function(){var a=g.Ga("yt.networkStatusManager.instance.isNetworkAvailable");return a?a.bind(this.u)():!0}; +g.fC.prototype.Fv=function(a){var b=g.Ga("yt.networkStatusManager.instance.networkStatusHint").bind(this.u);b&&b(a)}; +g.fC.prototype.aI=function(a){var b=this,c;return g.A(function(d){c=g.Ga("yt.networkStatusManager.instance.sendNetworkCheckRequest").bind(b.u);return g.gy("skip_network_check_if_cfr")&&bC().isEndpointCFR("generate_204")?d.return(new Promise(function(e){var f;b.Fv((null==(f=window.navigator)?void 0:f.onLine)||!0);e(b.Rh())})):c?d.return(c(a)):d.return(!0)})};var gC;g.w(hC,VB);hC.prototype.writeThenSend=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.writeThenSend.call(this,a,b)}; +hC.prototype.sendThenWrite=function(a,b,c){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendThenWrite.call(this,a,b,c)}; +hC.prototype.sendAndWrite=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendAndWrite.call(this,a,b)}; +hC.prototype.awaitInitialization=function(){return this.u.promise};var Wqa=g.Ea.ytNetworklessLoggingInitializationOptions||{isNwlInitialized:!1};g.Fa("ytNetworklessLoggingInitializationOptions",Wqa);g.jC.prototype.isReady=function(){!this.config_&&Zpa()&&(this.config_=g.EB());return!!this.config_};var Mbb,mC,oC;Mbb=g.Ea.ytPubsubPubsubInstance||new g.lq;mC=g.Ea.ytPubsubPubsubSubscribedKeys||{};oC=g.Ea.ytPubsubPubsubTopicToKeys||{};g.nC=g.Ea.ytPubsubPubsubIsSynchronous||{};g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsubPubsubInstance",Mbb);g.Fa("ytPubsubPubsubTopicToKeys",oC);g.Fa("ytPubsubPubsubIsSynchronous",g.nC); +g.Fa("ytPubsubPubsubSubscribedKeys",mC);var $qa=/\.vflset|-vfl[a-zA-Z0-9_+=-]+/,ara=/-[a-zA-Z]{2,3}_[a-zA-Z]{2,3}(?=(\/|$))/,dra={};g.w(xC,g.C);var c2a=new Map([["TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL","trigger_category_layout_exit_normal"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED","trigger_category_layout_exit_user_skipped"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED","trigger_category_layout_exit_user_muted"],["TRIGGER_CATEGORY_SLOT_EXPIRATION","trigger_category_slot_expiration"],["TRIGGER_CATEGORY_SLOT_FULFILLMENT","trigger_category_slot_fulfillment"],["TRIGGER_CATEGORY_SLOT_ENTRY","trigger_category_slot_entry"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED", +"trigger_category_layout_exit_user_input_submitted"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED","trigger_category_layout_exit_user_cancelled"]]);g.w(N,cb);var fsa=[{oN:function(a){return"Cannot read property '"+a.key+"'"}, +oH:{Error:[{pj:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}],TypeError:[{pj:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{pj:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{pj:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./, +groups:["value","key"]},{pj:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/,groups:["key"]},{pj:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]},{pj:/(null) is not an object \(evaluating '(?:([^.]+)\.)?([^']+)'\)/,groups:["value","base","key"]}]}},{oN:function(a){return"Cannot call '"+a.key+"'"}, +oH:{TypeError:[{pj:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{pj:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{pj:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{pj:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{pj:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, +{pj:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}},{oN:function(a){return a.key+" is not defined"}, +oH:{ReferenceError:[{pj:/(.*) is not defined/,groups:["key"]},{pj:/Can't find variable: (.*)/,groups:["key"]}]}}];var pra={Dq:[],Ir:[{callback:mra,weight:500}]};var EC;var ED=new g.lq;var sra=new Set([174,173,175]),MC={};var RC=Symbol("injectionDeps");OC.prototype.toString=function(){return"InjectionToken("+this.name+")"}; +tra.prototype.resolve=function(a){return a instanceof PC?SC(this,a.key,[],!0):SC(this,a,[])};var TC;VC.prototype.storePayload=function(a,b){a=WC(a);this.store[a]?this.store[a].push(b):(this.u={},this.store[a]=[b]);this.j++;return a}; +VC.prototype.smartExtractMatchingEntries=function(a){if(!a.keys.length)return[];for(var b=YC(this,a.keys.splice(0,1)[0]),c=[],d=0;d=this.start&&(aRbb.length)Pbb=void 0;else{var Sbb=Qbb.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);Pbb=Sbb&&6===Sbb.length?Number(Sbb[5].replace("_",".")):0}var dM=Pbb,RT=0<=dM;var Yya={soa:1,upa:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var xM=Hta()?!0:"function"!==typeof window.fetch||!window.ReadableStream||!window.AbortController||g.oB||g.fJ?!1:!0;var H3={},HI=(H3.FAIRPLAY="fairplay",H3.PLAYREADY="playready",H3.WIDEVINE="widevine",H3.CLEARKEY=null,H3.FLASHACCESS=null,H3.UNKNOWN=null,H3.WIDEVINE_CLASSIC=null,H3);var Tbb=["h","H"],Ubb=["9","("],Vbb=["9h","(h"],Wbb=["8","*"],Xbb=["a","A"],Ybb=["o","O"],Zbb=["m","M"],$bb=["mac3","MAC3"],acb=["meac3","MEAC3"],I3={},twa=(I3.h=Tbb,I3.H=Tbb,I3["9"]=Ubb,I3["("]=Ubb,I3["9h"]=Vbb,I3["(h"]=Vbb,I3["8"]=Wbb,I3["*"]=Wbb,I3.a=Xbb,I3.A=Xbb,I3.o=Ybb,I3.O=Ybb,I3.m=Zbb,I3.M=Zbb,I3.mac3=$bb,I3.MAC3=$bb,I3.meac3=acb,I3.MEAC3=acb,I3);g.hF.prototype.getLanguageInfo=function(){return this.Jc}; +g.hF.prototype.getXtags=function(){if(!this.xtags){var a=this.id.split(";");1=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{oC:b,Wk:c}}; +LF.prototype.isFocused=function(a){return a>=this.B&&a=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{ws:b,im:c}}; -g.k.isFocused=function(a){return a>=this.C&&athis.info.ib||4==this.info.type)return!0;var b=Lu(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2==this.info.type)return c==this.info.ib&&1936286840==b;if(3==this.info.type&&0==this.info.C)return 1836019558==b||1936286840== -b||1937013104==b||1718909296==b||1701671783==b||1936419184==b}else if(2==this.info.u.info.containerType){if(4>this.info.ib||4==this.info.type)return!0;c=Lu(this).getUint32(0,!1);a.ebm=c.toString();if(3==this.info.type&&0==this.info.C)return 524531317==c||440786851==c}return!0};var Zu={ye:function(a,b){a.splice(0,b)}, -N9:function(a){a.reverse()}, -P4:function(a,b){var c=a[0];a[0]=a[b%a.length];a[b%a.length]=c}};var nAa=/^https?:\/\/([^.]*\.moatads\.com\/|e[0-9]+\.yt\.srs\.doubleverify\.com|pagead2\.googlesyndication\.com\/pagead\/gen_204\?id=yt3p&sr=1&|pm\.adsafeprotected\.com\/youtube|pm\.test-adsafeprotected\.com\/youtube|youtube[0-9]+\.moatpixel\.com\/)/,cv=/^http:\/\/0\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.l2gfe\.[a-z0-9_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?\/|^https:\/\/([a-z]+\.)?[0-9a-f]{1,63}\.sslproxy\.corp\.google\.com\/|^https:\/\/([a-z]+\.)?[a-z0-9\-]{1,63}\.demos\.corp\.google\.com\/|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com\/|^https?:\/\/((?:uytfe\.corp|dev-uytfe\.corp|uytfe\.sandbox)\.google\.com\/|([-\w]*www[-\w]*\.|[-\w]*web[-\w]*\.|[-\w]*canary[-\w]*\.|[-\w]*dev[-\w]*\.|[-\w]{1,3}\.)+youtube(-nocookie|kids)?\.com\/|([A-Za-z0-9-]{1,63}\.)*(youtube\.googleapis\.com)[.]?(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.([a-z]{3}|i)\.corp\.google\.com(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.c\.googlers\.com(:[0-9]+)?\/|(docs|drive)\.google\.com\/(a\/[^/\\%]+\/|)|(tv|tv-green-qa|tv-release-qa)\.youtube\.com\/|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?\/|m?web-ppg\.corp\.google\.com\/)/, -oAa=/^https?:\/\/(www\.google\.com\/pagead\/xsul|www\.youtube\.com\/pagead\/slav)/,vfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|docs\.google\.com|drive\.google\.com|prod\.google\.com|plus\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|youtube\-nocookie\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/, -tfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|prod\.google\.com|youtube\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/,rfa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|play\.google\.com|prod\.google\.com|plus\.google\.com|currents\.google\.com|video\.google\.com|youtube\.com|ytimg\.com|ytimg\.sandbox\.google\.com|chat\.google\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|s2\.googleusercontent\.com\/s2\/favicons\?|yt[3-4]\.ggpht\.com\/)/, -pAa=/^https?.*#ocr$|^https?:\/\/(aksecure\.imrworldwide\.com\/|cdn\.imrworldwide\.com\/|secure\-..\.imrworldwide\.com\/)/,sfa=/^https?:\/\/(googleads\.g\.doubleclick\.net\/(aclk|pagead\/conversion)|www\.google\.com\/(aclk|pagead\/conversion)|www\.googleadservices\.com\/(aclk|pagead\/(aclk|conversion))|www\.youtube\.com\/pagead\/conversion)/,qfa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|googlevideo\.com|prod\.google\.com|lh3\.photos\.google\.com|plus\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|xfx7\.com|yt\.akamaized\.net|chat\.google\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|([A-Za-z0-9-]{1,63}\.)*c\.lh3(-d[a-gz]|-testonly)?\.(googleusercontent|photos\.google)\.com\/.*$)/, -mha=/^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|2mdn\.net|googlesyndication\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|googleads\.g\.doubleclick\.net|prod\.google\.com|static\.doubleclick\.net|static\.googleadsserving\.cn|studioapi\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|ytimg\.com|ytimg\.sandbox\.google\.com)[.]?(:[0-9]+)?\/|lightbox-(demos|builder)\.appspot\.com\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/ytplayer)/, -lha=/^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https:\/\/canvastester-3fd0b\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-d\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-f\.appspot\.com(\/|$)|^https:\/\/one\.google\.com(\/|$)|^https:\/\/www\.gstatic\.com\/aog_howto|^https:\/\/www\.gstatic\.com\/narrative_cast_receiver\/news|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleads\.g\.doubleclick\.net|googleplex\.com|play\.google\.com|prod\.google\.com|photos\.google\.com|get\.google\.com|class\.photos\.google\.com|plus\.google\.com|currents\.google\.com|books\.googleusercontent\.com|play\-books\-autopush\-sandbox\.googleusercontent\.com|play\-books\-canary\-sandbox\.googleusercontent\.com|play\-books\-internal\-sandbox\.googleusercontent\.com|play\-books\-staging\-sandbox\.googleusercontent\.com|blogger\.com|mail\.google\.com|survey\.g\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|vevo\.com|chat\.google\.com|meet\.google\.com|stadia\.google\.com|shoploop\.area120\.google\.com)[.]?(:[0-9]+)?(\/|$)|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|(www\.|encrypted\.)?google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/(search|webhp)\?|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|lightbox-(demos|builder)\.appspot\.com\/|s0\.2mdn\.net\/instream\/html5\/native\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris)/, -PBa=/^(https\:\/\/photos\.google\.com|https\:\/\/get\.google\.com|https\:\/\/class\.photos\.google\.com|https\:\/\/plus\.google\.com|https\:\/\/currents\.google\.com|https\:\/\/mail\.google\.com|https\:\/\/chat\.google\.com|https\:\/\/stadia\.google\.com|https\:\/\/one\.google\.com|https\:\/\/shoploop\.area120\.google\.com)$|^http:\/\/[0-9]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?$|^https:\/\/((staging|stream|today)\.)?meet\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*youtube\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sandbox\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com$|^https:\/\/(books|play-books-(autopush|canary|internal|staging)-sandbox)\.googleusercontent\.com$|^https:\/\/(draft|www|(www\.)?dev\.sandbox|(www\.)?autopush\.sandbox|(www\.)?restore\.sandbox)\.blogger\.com$|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com$|^https?:\/\/(((docs|m|sing|ss|sss|www)\.)?drive\.google\.com$|([A-Za-z0-9-]{1,63}\.)*c\.googlers\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*corp\.google\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*googleplex\.com(:[0-9]+)?$|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?$|docs\.google\.com$)/;kv.prototype.set=function(a,b){this.u[a]!==b&&(this.u[a]=b,this.url="")}; -kv.prototype.get=function(a){lv(this);return this.u[a]||null}; -kv.prototype.nd=function(){this.url||(this.url=wfa(this));return this.url}; -kv.prototype.clone=function(){var a=new kv(this.B,this.D);a.scheme=this.scheme;a.path=this.path;a.C=this.C;a.u=g.Zb(this.u);a.url=this.url;return a};uv.prototype.set=function(a,b){this.Yf.get(a);this.u[a]=b;this.url=""}; -uv.prototype.get=function(a){return this.u[a]||this.Yf.get(a)}; -uv.prototype.nd=function(){this.url||(this.url=xfa(this));return this.url};Dv.prototype.sg=function(){return pu(this.u[0])};var n1={},vB=(n1.WIDTH={name:"width",video:!0,valid:640,invalid:99999},n1.HEIGHT={name:"height",video:!0,valid:360,invalid:99999},n1.FRAMERATE={name:"framerate",video:!0,valid:30,invalid:9999},n1.BITRATE={name:"bitrate",video:!0,valid:3E5,invalid:2E9},n1.EOTF={name:"eotf",video:!0,valid:"bt709",invalid:"catavision"},n1.CHANNELS={name:"channels",video:!1,valid:2,invalid:99},n1.CRYPTOBLOCKFORMAT={name:"cryptoblockformat",video:!0,valid:"subsample",invalid:"invalidformat"},n1.DECODETOTEXTURE={name:"decode-to-texture", -video:!0,valid:"false",invalid:"nope"},n1.AV1_CODECS={name:"codecs",video:!0,valid:"av01.0.05M.08",invalid:"av99.0.05M.08"},n1.EXPERIMENTAL={name:"experimental",video:!0,valid:"allowed",invalid:"invalid"},n1);var Rv={0:"f",160:"h",133:"h",134:"h",135:"h",136:"h",137:"h",264:"h",266:"h",138:"h",298:"h",299:"h",304:"h",305:"h",214:"h",216:"h",374:"h",375:"h",140:"a",141:"ah",327:"sa",258:"m",380:"mac3",328:"meac3",161:"H",142:"H",143:"H",144:"H",222:"H",223:"H",145:"H",224:"H",225:"H",146:"H",226:"H",227:"H",147:"H",384:"H",376:"H",385:"H",377:"H",149:"A",261:"M",381:"MAC3",329:"MEAC3",598:"9",278:"9",242:"9",243:"9",244:"9",247:"9",248:"9",353:"9",355:"9",271:"9",313:"9",272:"9",302:"9",303:"9",407:"9", -408:"9",308:"9",315:"9",330:"9h",331:"9h",332:"9h",333:"9h",334:"9h",335:"9h",336:"9h",337:"9h",338:"so",600:"o",250:"o",251:"o",194:"*",195:"*",220:"*",221:"*",196:"*",197:"*",279:"(",280:"(",317:"(",318:"(",273:"(",274:"(",357:"(",358:"(",275:"(",359:"(",360:"(",276:"(",583:"(",584:"(",314:"(",585:"(",561:"(",277:"(",362:"(h",363:"(h",364:"(h",365:"(h",366:"(h",591:"(h",592:"(h",367:"(h",586:"(h",587:"(h",368:"(h",588:"(h",562:"(h",409:"(",410:"(",411:"(",412:"(",557:"(",558:"(",394:"1",395:"1", -396:"1",397:"1",398:"1",399:"1",400:"1",401:"1",571:"1",402:"1",386:"3",387:"w",406:"6"};var qha={nS:"auto",HV:"tiny",ST:"light",sV:"small",jU:"medium",QT:"large",uT:"hd720",qT:"hd1080",rT:"hd1440",sT:"hd2160",tT:"hd2880",zT:"highres",UNKNOWN:"unknown"};var o1;o1={};g.Lv=(o1.auto=0,o1.tiny=144,o1.light=144,o1.small=240,o1.medium=360,o1.large=480,o1.hd720=720,o1.hd1080=1080,o1.hd1440=1440,o1.hd2160=2160,o1.hd2880=2880,o1.highres=4320,o1);var Pv="highres hd2880 hd2160 hd1440 hd1080 hd720 large medium small tiny".split(" ");g.k=Sv.prototype;g.k.Ka=function(){return this.video}; -g.k.Id=function(){return 2===this.containerType}; -g.k.isEncrypted=function(){return!!this.zd}; -g.k.isAudio=function(){return!!this.audio}; -g.k.isVideo=function(){return!!this.video};g.k=Zv.prototype;g.k.Re=function(){}; -g.k.bn=function(){}; -g.k.he=function(){return!!this.u&&this.index.Dc()}; -g.k.vj=function(){}; -g.k.WC=function(){return!1}; -g.k.sl=function(){}; -g.k.Ol=function(){}; -g.k.ck=function(){}; -g.k.ej=function(){}; -g.k.rs=function(){}; -g.k.XC=function(a){return[a]}; -g.k.hu=function(a){return[a]}; -g.k.Tt=function(){}; -g.k.Ur=function(){};g.k=g.$v.prototype;g.k.Dt=function(a){return this.B[a]}; -g.k.Ce=function(a){return this.C[a]/this.F}; -g.k.Zr=ba(1);g.k.ue=function(){return NaN}; -g.k.HB=function(){return null}; -g.k.getDuration=function(a){a=this.tB(a);return 0<=a?a/this.F:-1}; -g.k.tB=function(a){return a+1=this.Ob())return 0;for(var c=0,d=this.Ce(a)+b,e=a;ethis.Ce(e);e++)c=Math.max(c,(e+1=this.index.Dt(c+1);)c++;return cw(this,c,b,a.ib).u}; -g.k.vj=function(a){return this.he()?!0:isNaN(this.K)?!1:a.range.end+1this.K&&(c=new iu(c.start,this.K-1));c=[new ou(4,a.u,c,"getNextRequestInfoByLength")];return new Dv(c)}4==a.type&&(c=this.hu(a),a=c[c.length-1]);c=0;var d=a.range.start+a.C+a.ib;3==a.type&&(c=a.B,d==a.range.end+1&&(c+=1));return cw(this,c,d,b)}; -g.k.ck=function(){return null}; -g.k.ej=function(a,b){var c=this.index.eh(a);b&&(c=Math.min(this.index.Ob(),c+1));return cw(this,c,this.index.Dt(c),0)}; -g.k.Re=function(){return!0}; -g.k.bn=function(){return!1}; -g.k.Ur=function(){return this.indexRange.length+this.initRange.length}; -g.k.Tt=function(){return this.indexRange&&this.initRange&&this.initRange.end+1==this.indexRange.start?!0:!1};dw.prototype.then=function(a,b){return this.promise.then(a,b)}; -dw.prototype.resolve=function(a){this.B(a)}; -dw.prototype.reject=function(a){this.u(a)};var ew=void 0;var gw=null;var ow=null;g.k=Ew.prototype;g.k.Sd=function(a){return"content-type"===a?this.qk.get("type"):""}; -g.k.abort=function(){}; -g.k.Um=function(){return!0}; -g.k.Oo=function(){return this.range.length}; -g.k.mt=function(){return this.loaded}; -g.k.us=function(){return!!this.u.getLength()}; -g.k.ih=function(){return!!this.u.getLength()}; -g.k.nt=function(){var a=this.u;this.u=new zu;return a}; -g.k.lx=function(){return this.u}; -g.k.Gi=function(){return!0}; -g.k.fy=function(){return!!this.error}; -g.k.Ml=function(){return this.error};Gw.prototype.deactivate=function(){this.isActive&&(this.isActive=!1)};var dga=0;g.k=Yw.prototype;g.k.start=function(a){var b=this,c={method:this.method,credentials:this.credentials};this.headers&&(c.headers=new Headers(this.headers));this.body&&(c.body=this.body);this.D&&(c.signal=this.D.signal);a=new Request(a,c);fetch(a).then(function(d){b.status=d.status;if(d.ok&&d.body)b.status=b.status||242,b.C=d.body.getReader(),b.la()?b.C.cancel("Cancelling"):(b.K=d.headers,b.ba(),$w(b));else b.onDone()},function(d){b.onError(d)}).then(void 0,g.M)}; -g.k.onDone=function(){if(!this.la()){this.P=!0;if(Zw(this)&&!this.u.getLength()&&!this.I&&this.B){Xw(this);var a=new Uint8Array(8),b=new DataView(a.buffer);b.setUint32(0,8);b.setUint32(4,1936419184);this.u.append(a);this.B+=a.length}this.X()}}; -g.k.onError=function(a){this.errorMessage=String(a);this.I=!0;this.onDone()}; -g.k.Sd=function(a){return this.K?this.K.get(a):null}; -g.k.Um=function(){return!!this.K}; -g.k.mt=function(){return this.B}; -g.k.Oo=function(){return+this.Sd("content-length")}; -g.k.us=function(){return 200<=this.status&&300>this.status&&!!this.B}; -g.k.ih=function(){if(this.P)return!!this.u.getLength();var a=this.policy.C;if(a&&this.N+a>Date.now())return!1;a=this.Oo()||0;a=Math.max(16384,this.policy.u*a);this.W||(a=Math.max(a,16384));this.policy.Pe&&Xw(this)&&(a=1);return this.u.getLength()>=a}; -g.k.nt=function(){this.ih();this.N=Date.now();this.W=!0;var a=this.u;this.u=new zu;return a}; -g.k.lx=function(){this.ih();return this.u}; -g.k.la=function(){return this.aborted}; -g.k.abort=function(){this.C&&this.C.cancel("Cancelling");this.D&&this.D.abort();this.aborted=!0}; -g.k.Gi=function(){return!0}; -g.k.fy=function(){return this.I}; -g.k.Ml=function(){return this.errorMessage};g.k=ax.prototype;g.k.onDone=function(){if(!this.la){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.B=!0;this.C()}}; -g.k.Vd=function(a){this.la||(this.status=this.xhr.status,this.D(a.timeStamp,a.loaded))}; -g.k.Um=function(){return 2<=this.xhr.readyState}; -g.k.Sd=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.Eo(Error("Could not read XHR header "+a)),""}}; -g.k.Oo=function(){return+this.Sd("content-length")}; -g.k.mt=function(){return this.u}; -g.k.us=function(){return 200<=this.status&&300>this.status&&!!this.response&&!!this.response.byteLength}; -g.k.ih=function(){return this.B&&!!this.response&&!!this.response.byteLength}; -g.k.nt=function(){this.ih();var a=this.response;this.response=void 0;return new zu([new Uint8Array(a)])}; -g.k.lx=function(){this.ih();return new zu([new Uint8Array(this.response)])}; -g.k.abort=function(){this.la=!0;this.xhr.abort()}; -g.k.Gi=function(){return!1}; -g.k.fy=function(){return!1}; -g.k.Ml=function(){return""};var p1,q1;cx.prototype.zF=function(a){var b=this;this.u++;this.C+=a;bx.forEach(function(c,d){ad.u&&4E12>a?a:g.A();Tw(d,a,b);50>a-d.D&&Uw(d)&&3!==Kw(d)||Qw(d,a,b,c);b=this.timing;b.B>b.Ja&&Lw(b,b.B)&&3>this.state?Dx(this,3):this.u.Gi()&&Hx(this)&&Dx(this,Math.max(2,this.state))}}; -g.k.XP=function(){if(!this.la()&&this.u){if(!this.X&&this.u.Um()&&this.u.Sd("X-Walltime-Ms")){var a=parseInt(this.u.Sd("X-Walltime-Ms"),10);this.X=(g.A()-a)/1E3}this.u.Um()&&this.u.Sd("X-Restrict-Formats-Hint")&&this.B.bA&&!qx()&&g.Ws("yt-player-headers-readable",!0,2592E3);a=parseInt(this.u.Sd("X-Head-Seqnum"),10);var b=parseInt(this.u.Sd("X-Head-Time-Millis"),10);this.Z=a||this.Z;this.ba=b||this.ba}}; -g.k.WP=function(){var a=this.u;!this.la()&&a&&(this.ea.stop(),this.I=a.status,a=iga(this,a),6==a?ux(this):Dx(this,a))}; -g.k.zQ=function(){if(!this.la()){var a=g.A(),b=!1;Uw(this.timing)?(a=this.timing.P,Jw(this.timing),this.timing.P-a>=.8*this.ra?(this.K++,b=5<=this.K):this.K=0):(b=this.timing,b.ri&&Vw(b,g.A()),a-=b.W,this.B.Rh&&01E3*b);this.K&&this.W&&this.W(this);b?Gx(this,!1):this.ea.start()}}; -g.k.isFailed=function(){return 6==this.state}; -g.k.la=function(){return-1==this.state}; -g.k.dispose=function(){this.info.sg()&&5!=this.state&&(this.info.u[0].u.F=!1);Dx(this,-1);this.ea.dispose();this.B.ae||Fx(this)}; -var fga=0,Cx=-1;Lx.prototype.skip=function(a){this.offset+=a};var $x=!1;g.u(Ox,g.P);Ox.prototype.getDuration=function(){return this.D.index.bk()};ny.prototype.getDuration=function(){return this.u.index.bk()};az.prototype.C=function(a,b){var c=Math.pow(this.alpha,a);this.B=b*(1-c)+c*this.B;this.D+=a}; -az.prototype.u=function(){return this.B/(1-Math.pow(this.alpha,this.D))};cz.prototype.C=function(a,b){var c=Math.min(this.B,Math.max(1,Math.round(a*this.resolution)));c+this.valueIndex>=this.B&&(this.D=!0);for(;c--;)this.values[this.valueIndex]=b,this.valueIndex=(this.valueIndex+1)%this.B;this.I=!0}; -cz.prototype.u=function(){return this.K?(dz(this,this.F-this.K)+dz(this,this.F)+dz(this,this.F+this.K))/3:dz(this,this.F)};jz.prototype.setPlaybackRate=function(a){this.C=Math.max(1,a)}; -jz.prototype.getPlaybackRate=function(){return this.C};g.k=g.oz.prototype;g.k.uD=function(a){this.segments.push(a)}; -g.k.getDuration=function(a){return(a=this.Zh(a))?a.duration:0}; -g.k.tB=function(a){return this.getDuration(a)}; -g.k.dh=function(){return this.segments.length?this.segments[0].eb:-1}; -g.k.ue=function(a){return(a=this.Zh(a))?a.ingestionTime:NaN}; -g.k.HB=function(a){return(a=this.Zh(a))?a.u:null}; -g.k.Ob=function(){return this.segments.length?this.segments[this.segments.length-1].eb:-1}; -g.k.bk=function(){var a=this.segments[this.segments.length-1];return a?a.endTime:NaN}; -g.k.uc=function(){return this.segments[0].startTime}; -g.k.Qm=function(){return this.segments.length}; -g.k.Dt=function(){return 0}; -g.k.eh=function(a){return(a=this.Lm(a))?a.eb:-1}; -g.k.pw=function(a){return(a=this.Zh(a))?a.C:""}; -g.k.Ce=function(a){return(a=this.Zh(a))?a.startTime:0}; -g.k.Zr=ba(0);g.k.Dc=function(){return 0a.B&&this.index.dh()<=a.B+1}; -g.k.update=function(a,b,c){this.index.append(a);pz(this.index,c);this.N=b}; -g.k.he=function(){return this.K?!0:Zv.prototype.he.call(this)}; -g.k.Pl=function(a,b){var c=this.index.pw(a),d=this.index.Ce(a),e=this.index.getDuration(a),f;b?e=f=0:f=0c&&(this.segments=this.segments.slice(b))}}; -g.k.Lm=function(a){if(!this.B)return g.oz.prototype.Lm.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.eb+Math.floor((a-b.endTime)/this.u+1);else{b=Bb(this.segments,function(d){return a=d.endTime?1:0}); -if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.eb-b.eb-1))+1)+b.eb}return this.Zh(b)}; -g.k.Zh=function(a){if(!this.B)return g.oz.prototype.Zh.call(this,a);if(!this.segments.length)return null;var b=tz(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.u;if(0==c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].eb-a)*b);else c==this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.eb-1)*b):(d=this.segments[c-1],c=this.segments[c],d=d.endTime+(c.startTime-d.endTime)/(c.eb-d.eb-1)*(a-d.eb-1));return new lu(a,d,b,0,"sq/"+a,void 0,void 0,!0)};g.u(vz,qz);g.k=vz.prototype;g.k.bn=function(){return!0}; -g.k.he=function(){return!0}; -g.k.vj=function(a){return!a.F}; -g.k.sl=function(){return[]}; -g.k.ej=function(a,b){if("number"===typeof a&&!isFinite(a)){var c=new ou(3,this,null,"mlLiveGetReqInfoStubForTime",-1,void 0,this.Kg,void 0,this.Kg*this.info.u);return new Dv([c],"")}return qz.prototype.ej.call(this,a,b)}; -g.k.Pl=function(a,b){var c=void 0===c?!1:c;if(uz(this.index,a))return qz.prototype.Pl.call(this,a,b);var d=this.index.Ce(a),e=b?0:this.Kg*this.info.u,f=!b;c=new ou(c?6:3,this,null,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,e,a==this.index.Ob()&&!this.N&&0a.B&&this.index.dh()<=a.B+1}; -g.k.Ur=function(){return this.initRange&&this.indexRange?this.initRange.length+this.indexRange.length:0}; -g.k.Tt=function(){return!1};Dz.prototype.getName=function(){return this.name}; -Dz.prototype.getId=function(){return this.id}; -Dz.prototype.getIsDefault=function(){return this.isDefault}; -Dz.prototype.toString=function(){return this.name}; -Dz.prototype.getName=Dz.prototype.getName;Dz.prototype.getId=Dz.prototype.getId;Dz.prototype.getIsDefault=Dz.prototype.getIsDefault;Ez.prototype.start=function(){return 0}; -Ez.prototype.end=function(){return Infinity};g.k=Fz.prototype;g.k.addEventListener=function(){}; -g.k.removeEventListener=function(){}; -g.k.dispatchEvent=function(){return!1}; -g.k.abort=function(){}; -g.k.remove=function(){}; -g.k.appendBuffer=function(){};var Dga=/action_display_post/;g.u(Iz,g.P);g.k=Iz.prototype;g.k.isFailed=function(){return 3==this.Ha}; -g.k.mj=function(){return g.Mb(this.u,function(a){return a.info.video?2==a.info.video.projectionType:!1})}; -g.k.nj=function(){return g.Mb(this.u,function(a){return a.info.video?3==a.info.video.projectionType:!1})}; -g.k.ij=function(){return g.Mb(this.u,function(a){return a.info.video?4==a.info.video.projectionType:!1})}; -g.k.Ym=function(){return g.Mb(this.u,function(a){return a.info.video?1==a.info.video.stereoLayout:!1})}; -g.k.gQ=function(a){var b=a.getElementsByTagName("Representation");if(0this.K&&this.za;this.ea=parseInt(wz(a,Rz(this,"earliestMediaSequence")),10)|| -0;if(b=Date.parse(zz(wz(a,Rz(this,"mpdResponseTime")))))this.N=(g.A()-b)/1E3;this.isLive&&0>=a.getElementsByTagName("SegmentTimeline").length||g.jh(a.getElementsByTagName("Period"),this.gQ,this);this.Ha=2;this.V("loaded");Wz(this);return this}; -g.k.eJ=function(a){this.Z=a.xhr.status;this.Ha=3;this.V("loaderror");return Em(a.xhr)}; -g.k.refresh=function(){if(1!=this.Ha&&!this.la()){var a=g.Ld(this.sourceUrl,{start_seq:Pga(this).toString()});Lm(Uz(this,a),function(){})}}; -g.k.resume=function(){Wz(this)}; -g.k.Ad=function(){if(this.isManifestless&&this.I&&Xz(this))return Xz(this);var a=this.u,b=!1,c=NaN,d=NaN,e;for(e in a){var f=a[e],h=f.index;h.Dc()&&(f.C&&(b=!0),h=h.bk(),f.info.isAudio()&&(isNaN(c)||hthis.Rr()?(this.u.appendWindowEnd=b,this.u.appendWindowStart=a):(this.u.appendWindowStart=a,this.u.appendWindowEnd=b)}; -g.k.qw=function(){return this.I}; -g.k.Nn=function(a){$x?this.I=a:this.supports(1)&&(this.u.timestampOffset=a)}; -g.k.lc=function(){return $x?this.I:this.supports(1)?this.u.timestampOffset:0}; -g.k.Ue=function(a){if(void 0===a?0:a)return this.B||this.sf()||(this.K=this.Ue(!1),this.B=!0),this.K;try{return this.u.buffered}catch(b){return fy([],[])}}; -g.k.sf=function(){return this.u.updating}; -g.k.ql=function(){return this.C}; -g.k.Sr=function(){return this.W}; -g.k.bz=function(a,b){this.P!=a&&(this.supports(4),this.u.changeType(b));this.P=a}; -g.k.Tr=function(){return this.F}; +var c=new Uint8Array([1]);return 1===c.length&&1===c[0]?b:a}(); +VF=Array(1024);TF=window.TextDecoder?new TextDecoder:void 0;XF=window.TextEncoder?new TextEncoder:void 0;ZF.prototype.skip=function(a){this.j+=a};var K3={},ccb=(K3.predictStart="predictStart",K3.start="start",K3["continue"]="continue",K3.stop="stop",K3),nua={EVENT_PREDICT_START:"predictStart",EVENT_START:"start",EVENT_CONTINUE:"continue",EVENT_STOP:"stop"};hG.prototype.nC=function(){return!!(this.data["Stitched-Video-Id"]||this.data["Stitched-Video-Cpn"]||this.data["Stitched-Video-Duration-Us"]||this.data["Stitched-Video-Start-Frame-Index"]||this.data["Serialized-State"]||this.data["Is-Ad-Break-Finished"])}; +hG.prototype.toString=function(){for(var a="",b=g.t(Object.keys(this.data)),c=b.next();!c.done;c=b.next())c=c.value,a+=c+":"+this.data[c]+";";return a};var L3={},Tva=(L3.STEREO_LAYOUT_UNKNOWN=0,L3.STEREO_LAYOUT_LEFT_RIGHT=1,L3.STEREO_LAYOUT_TOP_BOTTOM=2,L3);uG.prototype.Xm=function(){var a=this.pos;this.pos=0;var b=!1;try{yG(this,440786851)&&(this.pos=0,yG(this,408125543)&&(b=!0))}catch(c){if(c instanceof RangeError)this.pos=0,b=!1,g.DD(c);else throw c;}this.pos=a;return b};IG.prototype.set=function(a,b){this.zj.get(a);this.j[a]=b;this.url=""}; +IG.prototype.get=function(a){return this.j[a]||this.zj.get(a)}; +IG.prototype.Ze=function(){this.url||(this.url=Iua(this));return this.url};MG.prototype.OB=function(){return this.B.get("cpn")||""}; +MG.prototype.Bk=function(a,b){a.zj===this.j&&(this.j=JG(a,b));a.zj===this.C&&(this.C=JG(a,b))};RG.prototype.Jg=function(){return!!this.j&&this.index.isLoaded()}; +RG.prototype.Vy=function(){return!1}; +RG.prototype.rR=function(a){return[a]}; +RG.prototype.Jz=function(a){return[a]};TG.prototype.toString=function(){return this.start+"-"+(null==this.end?"":this.end)};XG.prototype.isEncrypted=function(){return this.j.info.isEncrypted()}; +XG.prototype.equals=function(a){return!(!a||a.j!==this.j||a.type!==this.type||(this.range&&a.range?a.range.start!==this.range.start||a.range.end!==this.range.end:a.range!==this.range)||a.Ma!==this.Ma||a.Ob!==this.Ob||a.u!==this.u)}; +XG.prototype.Xg=function(){return!!this.j.info.video};fH.prototype.Im=function(){return this.u?this.u.Ze():""}; +fH.prototype.Ds=function(){return this.J}; +fH.prototype.Mr=function(){return ZG(this.gb[0])}; +fH.prototype.Bk=function(a,b){this.j.Bk(a,b);if(this.u){this.u=JG(a,b);b=g.t(["acpns","cpn","daistate","skipsq"]);for(var c=b.next();!c.done;c=b.next())this.u.set(c.value,null)}this.requestId=a.get("req_id")};g.w(jH,RG);g.k=jH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.Vy=function(){return!this.I}; +g.k.Uu=function(){return new fH([new XG(1,this,this.initRange,"getMetadataRequestInfo")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return this.ov()&&a.u&&!a.bf?new fH([new XG(a.type,a.j,a.range,"liveGetNextRequestInfoBySegment",a.Ma,a.startTime,a.duration,a.Ob+a.u,NaN,!0)],this.index.bG(a.Ma)):this.Br(bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.Br(a,!0)}; +g.k.mM=function(a){dcb?yH(a):this.j=new Uint8Array(tH(a).buffer)}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.update=function(a,b,c){this.index.append(a);eua(this.index,c);this.index.u=b}; +g.k.Jg=function(){return this.Vy()?!0:RG.prototype.Jg.call(this)}; +g.k.Br=function(a,b){var c=this.index.bG(a),d=this.index.getStartTime(a),e=this.index.getDuration(a),f;b?e=f=0:f=0c&&(this.segments=this.segments.slice(b))}}; +g.k.RF=function(){return this.Po}; +g.k.vy=function(a){if(!this.Dm)return g.KF.prototype.vy.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.Ma+Math.floor((a-b.endTime)/this.sj+1);else{b=Kb(this.segments,function(d){return a=d.endTime?1:0}); +if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.Ma-b.Ma-1))+1)+b.Ma}return this.Go(b)}; +g.k.Go=function(a){if(!this.Dm)return g.KF.prototype.Go.call(this,a);if(!this.segments.length)return null;var b=oH(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.sj;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].Ma-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.Ma-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.Ma-d.Ma-1),d=d.endTime+(a-d.Ma-1)*b);return new JF(a,d,b,0,"sq/"+a,void 0,void 0, +!0)};g.w(qH,jH);g.k=qH.prototype;g.k.zC=function(){return!0}; +g.k.Jg=function(){return!0}; +g.k.Ar=function(a){return this.ov()&&a.u&&!a.bf||!a.j.index.OM(a.Ma)}; +g.k.Uu=function(){}; +g.k.Zp=function(a,b){return"number"!==typeof a||isFinite(a)?jH.prototype.Zp.call(this,a,void 0===b?!1:b):new fH([new XG(3,this,void 0,"mlLiveGetReqInfoStubForTime",-1,void 0,this.Xj,void 0,this.Xj*this.info.dc)],"")}; +g.k.Br=function(a,b){var c=void 0===c?!1:c;if(pH(this.index,a))return jH.prototype.Br.call(this,a,b);var d=this.index.getStartTime(a);return new fH([new XG(c?6:3,this,void 0,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,b?0:this.Xj*this.info.dc,!b)],0<=a?"sq/"+a:"")};g.w(rH,RG);g.k=rH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!1}; +g.k.zC=function(){return!1}; +g.k.Uu=function(){return new fH([new XG(1,this,void 0,"otfInit")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return kva(this,bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return kva(this,a,!0)}; +g.k.mM=function(a){1===a.info.type&&(this.j||(this.j=iua(a.j)),a.u&&"http://youtube.com/streaming/otf/durations/112015"===a.u.uri&&lva(this,a.u))}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.WL=function(){return 0}; +g.k.wO=function(){return!1};sH.prototype.verify=function(a){if(this.info.u!==this.j.totalLength)return a.slength=this.info.u.toString(),a.range=this.j.totalLength.toString(),!1;if(1===this.info.j.info.containerType){if(8>this.info.u||4===this.info.type)return!0;var b=tH(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2===this.info.type)return c===this.info.u&&1936286840===b;if(3===this.info.type&&0===this.info.Ob)return 1836019558===b||1936286840=== +b||1937013104===b||1718909296===b||1701671783===b||1936419184===b}else if(2===this.info.j.info.containerType){if(4>this.info.u||4===this.info.type)return!0;c=tH(this).getUint32(0,!1);a.ebm=c.toString();if(3===this.info.type&&0===this.info.Ob)return 524531317===c||440786851===c}return!0};g.k=g.zH.prototype;g.k.Yp=function(a){return this.offsets[a]}; +g.k.getStartTime=function(a){return this.Li[a]/this.j}; +g.k.dG=aa(1);g.k.Pf=function(){return NaN}; +g.k.getDuration=function(a){a=this.KT(a);return 0<=a?a/this.j:-1}; +g.k.KT=function(a){return a+1=this.td())return 0;var c=0;for(b=this.getStartTime(a)+b;athis.getStartTime(a);a++)c=Math.max(c,uva(this,a)/this.getDuration(a));return c}; +g.k.resize=function(a){a+=2;var b=this.offsets;this.offsets=new Float64Array(a+1);var c=this.Li;this.Li=new Float64Array(a+1);for(a=0;a=b+c)break}e.length||g.CD(new g.bA("b189619593",""+a,""+b,""+c));return new fH(e)}; +g.k.rR=function(a){for(var b=this.Jz(a.info),c=a.info.range.start+a.info.Ob,d=a.B,e=[],f=0;f=this.index.Yp(c+1);)c++;return this.cC(c,b,a.u).gb}; +g.k.Ar=function(a){YG(a);return this.Jg()?!0:a.range.end+1this.info.contentLength&&(b=new TG(b.start,this.info.contentLength-1)),new fH([new XG(4,a.j,b,"getNextRequestInfoByLength",void 0,void 0,void 0,void 0,void 0,void 0,a.clipId)]);4===a.type&&(a=this.Jz(a),a=a[a.length-1]);var c=0,d=a.range.start+a.Ob+a.u;3===a.type&&(YG(a),c=a.Ma,d===a.range.end+1&&(c+=1));return this.cC(c,d,b)}; +g.k.PA=function(){return null}; +g.k.Zp=function(a,b,c){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.cC(a,this.index.Yp(a),0,c)}; +g.k.Ym=function(){return!0}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.WL=function(){return this.indexRange.length+this.initRange.length}; +g.k.wO=function(){return this.indexRange&&this.initRange&&this.initRange.end+1===this.indexRange.start?!0:!1};CH.prototype.isMultiChannelAudio=function(){return 2this.IB()?(this.Vb.appendWindowEnd=b,this.Vb.appendWindowStart=a):(this.Vb.appendWindowStart=a,this.Vb.appendWindowEnd=b))}; +g.k.dM=function(){return this.timestampOffset}; +g.k.Vq=function(a){CX?this.timestampOffset=a:this.supports(1)&&(this.Vb.timestampOffset=a)}; +g.k.Jd=function(){return CX?this.timestampOffset:this.supports(1)?this.Vb.timestampOffset:0}; +g.k.Ig=function(a){if(void 0===a?0:a)return this.iB||this.gj()||(this.GK=this.Ig(!1),this.iB=!0),this.GK;try{return this.Vb?this.Vb.buffered:this.Dg?this.Dg.webkitSourceBuffered(this.id):iI([0],[Infinity])}catch(b){return iI([],[])}}; +g.k.gj=function(){var a;return(null==(a=this.Vb)?void 0:a.updating)||!1}; +g.k.Ol=function(){return this.jF}; +g.k.IM=function(){return!this.jF&&this.gj()}; +g.k.Tx=function(){this.jF=!1}; +g.k.Wy=function(a){var b=null==a?void 0:a.Lb;a=null==a?void 0:a.containerType;return!b&&!a||b===this.Lb&&a===this.containerType}; +g.k.qs=function(){return this.FC}; +g.k.SF=function(){return this.XM}; +g.k.VP=function(a,b){this.containerType!==a&&(this.supports(4),tI()&&this.Vb.changeType(b));this.containerType=a}; +g.k.TF=function(){return this.Cf}; g.k.isView=function(){return!1}; -g.k.supports=function(a){switch(a){case 1:return void 0!=this.u.timestampOffset;case 0:return!!this.u.appendBuffer;case 2:return!!this.u.remove;case 3:return!(!this.u.addEventListener||!this.u.removeEventListener);case 4:return!!this.u.changeType;default:return!1}}; -g.k.tv=function(){return!this.sf()}; +g.k.supports=function(a){switch(a){case 1:var b;return void 0!==(null==(b=this.Vb)?void 0:b.timestampOffset);case 0:var c;return!(null==(c=this.Vb)||!c.appendBuffer);case 2:var d;return!(null==(d=this.Vb)||!d.remove);case 3:var e,f;return!!((null==(e=this.Vb)?0:e.addEventListener)&&(null==(f=this.Vb)?0:f.removeEventListener));case 4:return!(!this.Vb||!this.Vb.changeType);default:return!1}}; +g.k.eF=function(){return!this.gj()}; g.k.isLocked=function(){return!1}; -g.k.jb=function(a){a.to=""+this.u.timestampOffset;a.up=""+ +this.sf();a.aw=(this.u.appendWindowStart||0).toFixed(3)+"-"+(this.u.appendWindowEnd||Infinity).toFixed(3);try{a.bu=gy(this.u.buffered)}catch(b){}return g.UA(a)}; -g.k.aa=function(){this.supports(3)&&(this.u.removeEventListener("updateend",this.D),this.u.removeEventListener("error",this.D));g.P.prototype.aa.call(this)}; -g.k.Cq=function(a,b,c){if(!this.supports(2)||this.sf())return!1;var d=this.Ue(),e=hy(d,a);if(0>e)return!1;try{if(b&&e+1TBa){x1=TBa;break a}}var UBa=y1.match("("+g.Qb(RBa).join("|")+")");x1=UBa?RBa[UBa[0]]:0}else x1=void 0}var PB=x1,OB=0<=PB;g.u(ZA,g.B);var oha={RED:"red",XV:"white"};var nha={VR:"adunit",NS:"detailpage",US:"editpage",WS:"embedded",XS:"embedded_unbranded",RT:"leanback",UU:"previewpage",VU:"profilepage",OV:"unplugged",QU:"playlistoverview",uV:"sponsorshipsoffer"};g.k=iB.prototype;g.k.append=function(a){this.u.webkitSourceAppend(this.B,a)}; -g.k.abort=function(){this.u.webkitSourceAbort(this.B)}; -g.k.vR=function(){return this.u.webkitSourceState==this.u.SOURCE_CLOSED?new dha:this.u.webkitSourceBuffered(this.B)}; -g.k.xR=function(){return this.C}; -g.k.BR=function(a){this.C=a;this.u.webkitSourceTimestampOffset(this.B,a)};g.k=jB.prototype;g.k.addEventListener=function(a,b,c){this.u.addEventListener(a,b,c)}; -g.k.removeEventListener=function(a,b,c){this.u.removeEventListener(a,b,c)}; -g.k.RL=function(){return this.u.webkitMediaSourceURL}; -g.k.addSourceBuffer=function(a){var b=(this.C++).toString();this.u.webkitSourceAddId(b,a);a=new iB(this.u,b);this.sourceBuffers.push(a);return a}; -g.k.removeSourceBuffer=function(a){for(var b=0;b'}; -g.k.supportsGaplessAudio=function(){return g.eB&&!jk&&74<=Vj()||g.wB&&g.$d(68)?!0:!1}; -g.k.getPlayerType=function(){return this.deviceParams.cplayer}; -var pha=["www.youtube-nocookie.com","youtube.googleapis.com"];yC.prototype.getLanguageInfo=function(){return this.u}; -yC.prototype.toString=function(){return this.u.name}; -yC.prototype.getLanguageInfo=yC.prototype.getLanguageInfo;zC.prototype.isLocked=function(){return this.C&&!!this.B&&this.B===this.u}; -zC.prototype.compose=function(a){if(a.C&&CC(a))return WC;if(a.C||CC(this))return a;if(this.C||CC(a))return this;var b=this.B&&a.B?Math.max(this.B,a.B):this.B||a.B,c=this.u&&a.u?Math.min(this.u,a.u):this.u||a.u;b=Math.min(b,c);return b===this.B&&c===this.u?this:new zC(b,c,!1,c===this.u?this.reason:a.reason)}; -zC.prototype.D=function(a){return a.video?EC(this,a.video.quality):!1}; -var Xva=BC("auto","hd1080",!1,"l"),Ssa=BC("auto","large",!1,"l"),WC=BC("auto","auto",!1,"p");BC("small","auto",!1,"p");FC.prototype.nl=function(a){a=a||WC;for(var b=g.Ke(this.videoInfos,function(h){return a.D(h)}),c=[],d={},e=0;e=this.start&&(aa&&this.F.start()))}; -CD.prototype.B=function(){this.I=!0;if(!this.K){for(var a=3;this.I&&a;)this.I=!1,this.K=!0,Bla(this),this.K=!1,a--;this.N().Gb()&&(a=AD(this.u,this.D),!isNaN(a)&&0x7ffffffffffff>a&&(a=(a-this.D)/this.Z(),this.F.start(a)))}}; -CD.prototype.aa=function(){this.C=[];this.u.u=[];g.B.prototype.aa.call(this)};g.u(ND,g.P);g.k=ND.prototype; -g.k.initialize=function(a,b,c){a=a||0;this.V("videoformatchange",Fha(this.K));if(this.F.isManifestless){if(this.u.wz){b=rz(this.u);for(var d in this.F.u)this.F.u[d].index.K=b}Fla(this)}this.P&&nD(this.P,this.B.u);this.u.da&&Ww()&&this.gd("streaming","ac."+!!window.AbortController,!0);d=isNaN(this.I)?0:this.I;this.I=this.F.isManifestless?d:a;c?(this.u.Oh?(this.ud=c,PD(this,c)):PD(this,!1),this.xc.xb()):(a=0==this.I,bE(this,this.B,this.B.u,a),bE(this,this.D,this.D.u,a),Lm(this.seek(this.I),function(){}), -this.za.Ka()); -(this.F.Rd||this.F.hg)&&this.gd("minMaxSq","minSq."+this.F.Rd+";maxSq."+this.F.hg+";minDvrTime."+this.F.tj+";maxDvrTime."+this.F.Jl)}; -g.k.resume=function(){if(this.ha||this.Aa)this.Pb=this.Aa=this.ha=!1,this.sh()}; -g.k.setAudioTrack=function(a){if(!this.la()){var b=this.K;b.I=b.K.u[a.id];b.X=b.I;this.V("audioformatchange",new VC(b.X,b.B,"m"));this.V("reattachrequired")}}; -g.k.setPlaybackRate=function(a){a!=this.X.getPlaybackRate()&&this.X.setPlaybackRate(a)}; -g.k.sh=function(){UD(this);if(this.C&&nB(this.C)&&!this.C.sf()){var a=py(this.B);a=this.u.EG&&a&&a.F;this.F.isManifestless&&this.F.I&&Xz(this.F)?(this.W=Xz(this.F),oB(this.C,this.W)):this.F.isLive&&!a?isNaN(this.W)?(this.W=this.I+3600,oB(this.C,this.W)):this.W<=this.I+1800&&(this.W=Math.max(this.W+1800,this.I+3600),oB(this.C,this.W)):this.C.isView()||(a=Math.max(this.D.getDuration(),this.B.getDuration()),(!isFinite(this.W)||this.W!=a)&&0a.da&&(this.gd("ssinfo",(a===this.D?"a":"v")+"."+b.eb),a.da=b.eb))}; -g.k.bO=function(a){this.V("localmediachange",new KD(this.u.C,a,{isBackground:this.u.Xg}))}; -g.k.seek=function(a){if(this.la())return Em();if(this.B.N||this.D.N)return this.u.Gz?Dm():Em("seeking to head");UD(this);this.ac=(0,g.N)();OD(this,a);this.C&&this.C.u&&this.C.B&&(this.C.u.isLocked()||this.C.B.isLocked())&&this.V("reattachrequired");this.I=this.N.seek(a);a=this.Z;a.B=null;a.C=!1;this.ra.xb();return Dm(this.I)}; -g.k.getCurrentTime=function(){return this.I}; -g.k.aa=function(){this.Z.unsubscribe("ctmp",this.gd,this);SD(this);Ey(this.D);Ey(this.B);g.P.prototype.aa.call(this)}; -g.k.jb=function(){var a=py(this.D),b=py(this.B);a={lct:this.I.toFixed(3),lsk:this.N.C,lmf:dD(this.K),lbw:gz(this.ba).toFixed(3),lhd:fz(this.ba).toFixed(3),lst:(1E9*(this.ba.C.u()||0)).toFixed(3),laa:a?nu(a):"",lva:b?nu(b):"",lar:this.D.B?nu(this.D.B):"",lvr:this.B.B?nu(this.B.B):""};this.C&&!qB(this.C)&&this.C.u&&this.C.B&&(a.lab=gy(this.C.u.Ue()),a.lvb=gy(this.C.B.Ue()));return a}; -g.k.gd=function(a,b,c){this.V("ctmp",a,b,void 0===c?!1:c)}; -g.k.nA=function(a,b){var c=a/b;isNaN(this.ea)&&(this.ea=c-Math.min(c,this.u.Bf),this.Z.D=this.ea,this.V("timestamp",this.ea),this.F.isManifestless&&(this.F.B=this.ea));return(c-this.ea)*b}; -var $D=2/24;var B1;var ZBa=g.Vc,$Ba=ZBa.match(/\((iPad|iPhone|iPod)( Simulator)?;/);if(!$Ba||2>$Ba.length)B1=void 0;else{var C1=ZBa.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);B1=C1&&6==C1.length?Number(C1[5].replace("_",".")):0}var WF=B1,UX=0<=WF;UX&&0<=g.Vc.search("Safari")&&g.Vc.search("Version");var d0=16/9,aCa=[.25,.5,.75,1,1.25,1.5,1.75,2],bCa=aCa.concat([3,4,5,6,7,8,9,10,15]);g.u(mE,g.B); -mE.prototype.initialize=function(a,b){for(var c=this,d=g.q(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.q(a[e.value]);for(var f=e.next();!f.done;f=e.next())if(f=f.value,f.zd)for(var h=g.q(Object.keys(f.zd)),l=h.next();!l.done;l=h.next())if(l=l.value,QC[l])for(var m=g.q(QC[l]),n=m.next();!n.done;n=m.next())n=n.value,this.B[n]=this.B[n]||new HC(l,n,f.zd[l],this.experiments),this.D[l]=this.D[l]||{},this.D[l][f.mimeType]=!0}ck()&&(this.B["com.youtube.fairplay"]=new HC("fairplay","com.youtube.fairplay","", -this.experiments),this.D.fairplay={'video/mp4; codecs="avc1.4d400b"':!0,'audio/mp4; codecs="mp4a.40.5"':!0});this.u=uha(b,this.useCobaltWidevine,g.Xu(this.experiments,"html5_hdcp_probing_stream_url")).filter(function(p){return!!c.B[p]})}; -mE.prototype.ca=function(a){return g.R(this.experiments,a)};g.k=oE.prototype;g.k.te=function(){return this.La}; -g.k.yp=function(){return null}; -g.k.uB=function(){var a=this.yp();return a?(a=g.Xp(a.u),Number(a.expire)):NaN}; -g.k.py=function(){}; -g.k.getHeight=function(){return this.La.Ka().height};g.u(tE,oE);tE.prototype.uB=function(){return this.expiration}; -tE.prototype.yp=function(){if(!this.u||this.u.la()){var a=this.B;Yla(a);var b=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],c={};a:if(a.u)var d=a.u;else{d="";for(var e=g.q(a.C),f=e.next();!f.done;f=e.next())if(f=f.value,f.u){if(f.u.getIsDefault()){d=f.u.getId();break a}d||(d=f.u.getId())}}e=g.q(a.C);for(f=e.next();!f.done;f=e.next())f=f.value,f.u&&f.u.getId()!==d||(c[f.itag]=f);d=g.q(a.B);for(e=d.next();!e.done;e=d.next())e=e.value,(f=c[e.B])&&b.push(Xla(a,f,e));d=g.q(a.B);for(e=d.next();!e.done;e=d.next()){e= -e.value;var h=c[e.B];h&&(f=a,h="#EXT-X-STREAM-INF:BANDWIDTH="+(e.bitrate+h.bitrate)+',CODECS="'+(e.codecs+","+h.codecs+'",RESOLUTION=')+(e.width+"x"+e.height+',AUDIO="')+(rE(h,e)+'",CLOSED-CAPTIONS=NONE'),1e)return!1;try{if(b&&e+1rcb){T3=rcb;break a}}var scb=U3.match("("+Object.keys(pcb).join("|")+")");T3=scb?pcb[scb[0]]:0}else T3=void 0}var jK=T3,iK=0<=jK;var wxa={RED:"red",F5a:"white"};var uxa={aea:"adunit",goa:"detailpage",Roa:"editpage",Zoa:"embedded",bpa:"embedded_unbranded",vCa:"leanback",pQa:"previewpage",fRa:"profilepage",iS:"unplugged",APa:"playlistoverview",rWa:"sponsorshipsoffer",HTa:"shortspage",Vva:"handlesclaiming",vxa:"immersivelivepage",wma:"creatormusic"};Lwa.prototype.ob=function(a){return"true"===this.flags[a]};var Mwa=Promise.resolve(),Pwa=window.queueMicrotask?window.queueMicrotask.bind(window):Nwa;tJ.prototype.canPlayType=function(a,b){a=a.canPlayType?a.canPlayType(b):!1;nB?a=a||tcb[b]:2.2===jK?a=a||ucb[b]:Xy()&&(a=a||vcb[b]);return!!a}; +tJ.prototype.isTypeSupported=function(a){return this.J?window.cast.receiver.platform.canDisplayType(a):fI(a)}; +var ucb={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},vcb={"application/x-mpegURL":"maybe"},tcb={"application/x-mpegURL":"maybe"};wJ.prototype.gf=function(){this.j=!1;if(this.queue.length&&!(this.u&&5>=this.queue.length&&15E3>(0,g.M)()-this.C)){var a=this.queue.shift(),b=a.url;a=a.options;a.timeout=1E4;g.Ly(b,a,3,1E3).then(this.B,this.B);this.u=!0;this.C=(0,g.M)();5this.j;)a[d++]^=c[this.j++];for(var e=b-(b-d)%16;db;b++)this.counter[b]=a[4*b]<<24|a[4*b+1]<<16|a[4*b+2]<<8|a[4*b+3];this.j=16};var FJ=!1;(function(){function a(d){for(var e=new Uint8Array(d.length),f=0;f=this.j&&(this.B=!0);for(;a--;)this.values[this.u]=b,this.u=(this.u+1)%this.j;this.D=!0}; +TJ.prototype.bj=function(){return this.J?(UJ(this,this.C-this.J)+UJ(this,this.C)+UJ(this,this.C+this.J))/3:UJ(this,this.C)};g.w(pxa,g.C);aK.prototype.then=function(a,b){return this.promise.then(a,b)}; +aK.prototype.resolve=function(a){this.u(a)}; +aK.prototype.reject=function(a){this.j(a)};var vxa="blogger gac books docs duo google-live google-one play shopping chat hangouts-meet photos-edu picasaweb gmail jamboard".split(" "),Bxa={Sia:"cbrand",bja:"cbr",cja:"cbrver",fya:"c",iya:"cver",hya:"ctheme",gya:"cplayer",mJa:"cmodel",cKa:"cnetwork",bOa:"cos",cOa:"cosver",POa:"cplatform"};g.w(vK,g.C);g.k=vK.prototype;g.k.K=function(a){return this.experiments.ob(a)}; +g.k.getVideoUrl=function(a,b,c,d,e,f,h){b={list:b};c&&(e?b.time_continue=c:b.t=c);c=g.zK(this);e="www.youtube.com"===c;f=f&&this.K("embeds_enable_shorts_links_for_eligible_shorts");h&&this.K("fill_live_watch_url_in_watch_endpoint")&&e?h="https://"+c+"/live/"+a:!f&&d&&e?h="https://youtu.be/"+a:g.mK(this)?(h="https://"+c+"/fire",b.v=a):(f&&e?(h=this.protocol+"://"+c+"/shorts/"+a,d&&(b.feature="share")):(h=this.protocol+"://"+c+"/watch",b.v=a),nB&&(a=Fna())&&(b.ebc=a));return g.Zi(h,b)}; +g.k.getVideoEmbedCode=function(a,b,c,d){b="https://"+g.zK(this)+"/embed/"+b;d&&(b=g.Zi(b,{list:d}));d=c.width;c=c.height;b=g.Me(b);a=g.Me(null!=a?a:"YouTube video player");return'')}; +g.k.supportsGaplessAudio=function(){return g.eI&&!nB&&74<=goa()||g.fJ&&g.Nc(68)?!0:!1}; +g.k.getPlayerType=function(){return this.j.cplayer}; +g.k.Rd=function(){return this.If}; +var Dxa=["www.youtube-nocookie.com","youtube.googleapis.com","www.youtubeeducation.com","youtubeeducation.com"],Axa=["EMBEDDED_PLAYER_LITE_MODE_UNKNOWN","EMBEDDED_PLAYER_LITE_MODE_NONE","EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT","EMBEDDED_PLAYER_LITE_MODE_DYNAMIC_PLAYBACK_LIMIT"];g.k=SK.prototype;g.k.rh=function(){return this.j}; +g.k.QA=function(){return null}; +g.k.sR=function(){var a=this.QA();return a?(a=g.sy(a.j),Number(a.expire)):NaN}; +g.k.ZO=function(){}; +g.k.getHeight=function(){return this.j.video.height};Exa.prototype.wf=function(){Hxa(this);var a=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],b={};a:if(this.j)var c=this.j;else{c="";for(var d=g.t(this.B),e=d.next();!e.done;e=d.next())if(e=e.value,e.Jc){if(e.Jc.getIsDefault()){c=e.Jc.getId();break a}c||(c=e.Jc.getId())}}d=g.t(this.B);for(var f=d.next();!f.done;f=d.next())if(e=f.value,this.I||!e.Jc||e.Jc.getId()===c)b[e.itag]||(b[e.itag]=[]),b[e.itag].push(e);c=g.t(this.u);for(e=c.next();!e.done;e=c.next())if(d=e.value,e=b[d.j])for(e=g.t(e),f=e.next();!f.done;f= +e.next()){var h=a,l=h.push;f=f.value;var m="#EXT-X-MEDIA:TYPE=AUDIO,",n="YES",p="audio";if(f.Jc){p=f.Jc;var q=p.getId().split(".")[0];q&&(m+='LANGUAGE="'+q+'",');(this.j?this.j===p.getId():p.getIsDefault())||(n="NO");p=p.getName()}q="";null!==d&&(q=d.itag.toString());q=UK(this,f.url,q);m=m+('NAME="'+p+'",DEFAULT='+(n+',AUTOSELECT=YES,GROUP-ID="'))+(Gxa(f,d)+'",URI="'+(q+'"'));l.call(h,m)}c=g.t(this.D);for(d=c.next();!d.done;d=c.next())d=d.value,e=ycb,d=(h=d.Jc)?'#EXT-X-MEDIA:URI="'+UK(this,d.url)+ +'",TYPE=SUBTITLES,GROUP-ID="'+e+'",LANGUAGE="'+h.getId()+'",NAME="'+h.getName()+'",DEFAULT=NO,AUTOSELECT=YES':void 0,d&&a.push(d);c=0=this.vx()&&this.Ap();var b=Math.floor(a/(this.columns*this.rows)),c=this.columns*this.rows,d=a%c;a=d%this.columns;d=Math.floor(d/this.columns);var e=this.Ap()+1-c*b;if(eh.getHeight())&&c.push(h)}return c}; -QE.prototype.F=function(a,b,c,d){return new g.PE(a,b,c,d)};g.u(SE,g.PE);g.k=SE.prototype;g.k.kw=function(){return this.B.Qm()}; -g.k.At=function(a){var b=this.rows*this.columns*this.I,c=this.B,d=c.Ob();a=c.eh(a);return a>d-b?-1:a}; -g.k.Ap=function(){return this.B.Ob()}; -g.k.vx=function(){return this.B.dh()}; -g.k.iD=function(a){this.B=a};g.u(TE,QE);TE.prototype.B=function(a,b){return QE.prototype.B.call(this,"$N|"+a,b)}; -TE.prototype.F=function(a,b,c){return new SE(a,b,c,this.isLive)};g.u(g.UE,g.P);g.k=g.UE.prototype;g.k.Oe=function(a,b,c){c&&(this.errorCode=null,this.errorDetail="",this.Yh=this.errorReason=null);b?(FB(a),this.setData(a),DF(this)&&eF(this)):(a=a||{},this.ca("embeds_wexit_list_ajax_migration")&&FF(this,a),aF(this,a),XE(this,a),this.V("dataupdated"))}; -g.k.setData=function(a){a=a||{};var b=a.errordetail;null!=b&&(this.errorDetail=b);var c=a.errorcode;null!=c?this.errorCode=c:"fail"==a.status&&(this.errorCode="150");var d=a.reason;null!=d&&(this.errorReason=d);var e=a.subreason;null!=e&&(this.Yh=e);this.clientPlaybackNonce||(this.clientPlaybackNonce=a.cpn||this.gw());this.li=S(this.Oa.li,a.livemonitor);FF(this,a);var f=a.raw_player_response;if(!f){var h=a.player_response;h&&(f=JSON.parse(h))}f&&(this.playerResponse=f);if(this.playerResponse){var l= -this.playerResponse.annotations;if(l)for(var m=g.q(l),n=m.next();!n.done;n=m.next()){var p=n.value.playerAnnotationsUrlsRenderer;if(p){p.adsOnly&&(this.Wq=!0);p.allowInPlaceSwitch&&(this.gv=!0);var r=p.loadPolicy;r&&(this.annotationsLoadPolicy=cCa[r]);var t=p.invideoUrl;t&&(this.rg=jv(t));this.Js=!0;break}}var w=this.playerResponse.attestation;w&&IE(this,w);var x=this.playerResponse.heartbeatParams;if(x){var y=x.heartbeatToken;y&&(this.drmSessionId=x.drmSessionId||"",this.heartbeatToken=y,this.WB= -Number(x.intervalMilliseconds),this.XB=Number(x.maxRetries),this.YB=!!x.softFailOnError,this.gC=!!x.useInnertubeHeartbeatsForDrm,this.Jq=!0)}var D=this.playerResponse.messages;D&&lma(this,D);var F=this.playerResponse.multicamera;if(F){var G=F.playerLegacyMulticameraRenderer;if(G){var O=G.metadataList;O&&(this.ID=O,this.Tk=Wp(O))}}var K=this.playerResponse.overlay;if(K){var Ja=K.playerControlsOverlayRenderer;if(Ja){var va=Ja.controlBgHtml;null!=va?(this.bj=va,this.Kc=!0):(this.bj="",this.Kc=!1);if(Ja.mutedAutoplay){var Va= -Ja.mutedAutoplay.playerMutedAutoplayOverlayRenderer;if(Va&&Va.endScreen){var Jb=Va.endScreen.playerMutedAutoplayEndScreenRenderer;Jb&&Jb.text&&(this.KD=g.U(Jb.text))}}else this.mutedAutoplay=!1}}var bb=this.playerResponse.playabilityStatus;if(bb){var Yd=bb.backgroundability;Yd&&Yd.backgroundabilityRenderer.backgroundable&&(this.backgroundable=!0);var Xc=bb.offlineability;Xc&&Xc.offlineabilityRenderer.offlineable&&(this.offlineable=!0);var Fi=bb.contextParams;Fi&&(this.contextParams=Fi);var Gi=bb.pictureInPicture; -Gi&&Gi.pictureInPictureRenderer.playableInPip&&(this.pipable=!0);bb.playableInEmbed&&(this.allowEmbed=!0);var Eh=bb.ypcClickwrap;if(Eh){var Hi=Eh.playerLegacyDesktopYpcClickwrapRenderer,ef=Eh.ypcRentalActivationRenderer;if(Hi)this.Hq=Hi.durationMessage||"",this.ao=!0;else if(ef){var Gha=ef.durationMessage;this.Hq=Gha?g.U(Gha):"";this.ao=!0}}var Sl=bb.errorScreen;if(Sl){if(Sl.playerLegacyDesktopYpcTrailerRenderer){var qe=Sl.playerLegacyDesktopYpcTrailerRenderer;this.Ou=qe.trailerVideoId||"";var Hha= -Sl.playerLegacyDesktopYpcTrailerRenderer.ypcTrailer;var Iy=Hha&&Hha.ypcTrailerRenderer}else if(Sl.playerLegacyDesktopYpcOfferRenderer)qe=Sl.playerLegacyDesktopYpcOfferRenderer;else if(Sl.ypcTrailerRenderer){Iy=Sl.ypcTrailerRenderer;var Iha=Iy.fullVideoMessage;this.Iq=Iha?g.U(Iha):""}qe&&(this.Ju=qe.itemTitle||"",qe.itemUrl&&(this.Ku=qe.itemUrl),qe.itemBuyUrl&&(this.Hu=qe.itemBuyUrl),this.Iu=qe.itemThumbnail||"",this.Mu=qe.offerHeadline||"",this.Kq=qe.offerDescription||"",this.Nu=qe.offerId||"",this.Lu= -qe.offerButtonText||"",this.kz=qe.offerButtonFormattedText||null,this.Lq=qe.overlayDurationMsec||NaN,this.Iq=qe.fullVideoMessage||"",this.om=!0);if(Iy){var Jha=Iy.unserializedPlayerResponse;if(Jha)this.bo={raw_player_response:Jha};else{var Kha=Iy.playerVars;this.bo=Kha?Vp(Kha):null}this.om=!0}}}var Fh=this.playerResponse.playbackTracking;if(Fh){var Lha=a,Mha=GE(Fh.googleRemarketingUrl);Mha&&(this.googleRemarketingUrl=Mha);var Nha=GE(Fh.youtubeRemarketingUrl);Nha&&(this.youtubeRemarketingUrl=Nha); -var Oha=GE(Fh.ptrackingUrl);if(Oha){var AG=HE(Oha),Pha=AG.oid;Pha&&(this.SE=Pha);var Qha=AG.pltype;Qha&&(this.TE=Qha);var Rha=AG.ptchn;Rha&&(this.RE=Rha);var Sha=AG.ptk;Sha&&(this.St=encodeURIComponent(Sha))}var Tha=GE(Fh.ppvRemarketingUrl);Tha&&(this.ppvRemarketingUrl=Tha);var Uha=GE(Fh.qoeUrl);if(Uha){for(var Jy=g.Xp(Uha),Vha=g.q(Object.keys(Jy)),lV=Vha.next();!lV.done;lV=Vha.next()){var Wha=lV.value,mV=Jy[Wha];Jy[Wha]=Array.isArray(mV)?mV.join(","):mV}var Xha=Jy.cat;Xha&&(this.Tp=Xha);var Yha= -Jy.live;Yha&&(this.hx=Yha)}var Ky=GE(Fh.remarketingUrl);if(Ky){this.remarketingUrl=Ky;var Zha=HE(Ky);Zha.foc_id&&(this.Rc.focEnabled=!0);var $ha=Zha.data;$ha&&(this.Rc.rmktEnabled=!0,$ha.engaged&&(this.Rc.engaged="1"));this.Rc.baseUrl=zd(Ky)+vd(g.xd(5,Ky))}var aia=GE(Fh.videostatsPlaybackUrl);if(aia){var Jd=HE(aia),bia=Jd.adformat;bia&&(Lha.adformat=bia);var cia=Jd.aqi;cia&&(Lha.ad_query_id=cia);var dia=Jd.autoplay;dia&&(this.Bk="1"==dia);var eia=Jd.autonav;eia&&(this.Cl="1"==eia);var fia=Jd.delay; -fia&&(this.Wg=g.rd(fia));var gia=Jd.ei;gia&&(this.eventId=gia);"adunit"===Jd.el&&(this.Bk=!0);var hia=Jd.feature;hia&&(this.Wp=hia);var iia=Jd.list;iia&&(this.playlistId=iia);var jia=Jd.of;jia&&(this.Ox=jia);var kia=Jd.osid;kia&&(this.osid=kia);var lia=Jd.referrer;lia&&(this.referrer=lia);var mia=Jd.sdetail;mia&&(this.au=mia);var nia=Jd.ssrt;nia&&(this.kq="1"==nia);var nV=Jd.subscribed;nV&&(this.subscribed="1"==nV,this.Rc.subscribed=nV);var oia=Jd.uga;oia&&(this.userGenderAge=oia);var pia=Jd.upt; -pia&&(this.zu=pia);var qia=Jd.vm;qia&&(this.videoMetadata=qia)}var ria=GE(Fh.videostatsWatchtimeUrl);if(ria){var sia=HE(ria).ald;sia&&(this.Vq=sia)}var Ly=this.ca("use_player_params_for_passing_desktop_conversion_urls");if(Fh.promotedPlaybackTracking){var Kd=Fh.promotedPlaybackTracking;Kd.startUrls&&(Ly||(this.Vt=Kd.startUrls[0]),this.Wt=Kd.startUrls);Kd.firstQuartileUrls&&(Ly||(this.Yx=Kd.firstQuartileUrls[0]),this.Zx=Kd.firstQuartileUrls);Kd.secondQuartileUrls&&(Ly||(this.ay=Kd.secondQuartileUrls[0]), -this.by=Kd.secondQuartileUrls);Kd.thirdQuartileUrls&&(Ly||(this.dy=Kd.thirdQuartileUrls[0]),this.ey=Kd.thirdQuartileUrls);Kd.completeUrls&&(Ly||(this.Wx=Kd.completeUrls[0]),this.Xx=Kd.completeUrls);Kd.engagedViewUrls&&(1f.getHeight())&&c.push(f)}return c}; +WL.prototype.D=function(a,b,c,d){return new g.VL(a,b,c,d)};g.w(XL,g.VL);g.k=XL.prototype;g.k.NE=function(){return this.u.Fy()}; +g.k.OE=function(a){var b=this.rows*this.columns*this.I,c=this.u,d=c.td();a=c.uh(a);return a>d-b?-1:a}; +g.k.ix=function(){return this.u.td()}; +g.k.BJ=function(){return this.u.Lm()}; +g.k.tR=function(a){this.u=a};g.w(YL,WL);YL.prototype.u=function(a,b){return WL.prototype.u.call(this,"$N|"+a,b)}; +YL.prototype.D=function(a,b,c){return new XL(a,b,c,this.isLive)};g.w(g.$L,g.dE);g.k=g.$L.prototype;g.k.V=function(){return this.B}; +g.k.K=function(a){return this.B.K(a)}; +g.k.yh=function(){return!this.isLivePlayback||this.allowLiveDvr}; +g.k.hasSupportedAudio51Tracks=function(){var a;return!(null==(a=this.jm)||!a.Xb)}; +g.k.gW=function(){this.isDisposed()||(this.j.u||this.j.unsubscribe("refresh",this.gW,this),this.SS(-1))}; +g.k.SS=function(a){if(!this.isLivePlayback||!this.J||"fairplay"!=this.J.flavor){var b=Xva(this.j,this.dK);if(0=this.K&&(g.M(Error("durationMs was specified incorrectly with a value of: "+this.K)), -this.Ae());this.Ic();this.J.addEventListener("progresssync",this.P)}; -g.k.Pd=function(){yI.prototype.Pd.call(this);this.Qb("adabandonedreset")}; -g.k.Ic=function(){var a=this.J.T();yI.prototype.Ic.call(this);this.u=Math.floor(this.J.getCurrentTime());this.D=this.u+this.K/1E3;g.$B(a)?this.J.va("onAdMessageChange",{renderer:this.C.u,startTimeSecs:this.u}):CI(this,[new ZI(this.C.u)]);a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.rs(),c=g.R(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs;b&&g.Lq("adNotify",{clientScreenNonce:b,adMediaTimeSec:this.D, -timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)});if(this.I)for(this.N=!0,a=g.q(this.I.listeners),b=a.next();!b.done;b=a.next())if(b=b.value,b.B)if(b.u)fH("Received AdNotify started event before another one exited");else{b.u=b.B;c=b.C();b=b.u;aJ(c.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.Ee(b)}else fH("Received AdNotify started event without start requested event");g.T(g.lI(this.J,1), -512)&&(a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.rs(),c=g.R(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs,b&&g.Lq("adNotifyFailure",{clientScreenNonce:b,adMediaTimeSec:this.D,timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)}),this.Ae())}; -g.k.Ae=function(){yI.prototype.Ae.call(this);this.Qb("adended")}; -g.k.Bd=function(a){yI.prototype.Bd.call(this,a);this.Qb("aderror")}; -g.k.Qb=function(a){this.J.removeEventListener("progresssync",this.P);this.Ug();this.V(a);bJ(this)}; -g.k.dispose=function(){this.J.removeEventListener("progresssync",this.P);bJ(this);yI.prototype.dispose.call(this)}; -g.k.Ug=function(){g.$B(this.J.T())?this.J.va("onAdMessageChange",{renderer:null,startTimeSecs:this.u}):yI.prototype.Ug.call(this)};g.u(cJ,sI);g.u(dJ,yI);dJ.prototype.Ld=function(){CI(this,[new cJ(this.ad.u,this.macros)])}; -dJ.prototype.nf=function(a){pI(this.Fa,a)};g.u(eJ,sI);g.u(fJ,yI);fJ.prototype.Ld=function(){var a=new eJ(this.u.u,this.macros);CI(this,[a])};g.u(gJ,sI);g.u(hJ,yI);hJ.prototype.Ld=function(){this.Ic()}; -hJ.prototype.Ic=function(){CI(this,[new gJ(this.u.u,this.macros)]);yI.prototype.Ic.call(this)}; -hJ.prototype.Bd=function(a){yI.prototype.Bd.call(this,a);this.Qb("aderror")};g.u(iJ,sI);oJ.prototype.sendAdsPing=function(a){this.F.send(a,sJ(this),{})};g.u(uJ,sI);g.u(vJ,EI);vJ.prototype.Ld=function(){FI(this)||this.Lk()}; -vJ.prototype.Lk=function(){CI(this,[this.C])}; -vJ.prototype.nf=function(a){pI(this.Fa,a)};wJ.prototype.get=function(){return this.value}; -g.u(xJ,wJ);xJ.prototype.u=function(){return"metadata_type_action_companion_ad_renderer"}; -g.u(yJ,wJ);yJ.prototype.u=function(){return"metadata_type_ad_next_params"}; -g.u(zJ,wJ);zJ.prototype.u=function(){return"metadata_type_ad_video_clickthrough_endpoint"}; -g.u(AJ,wJ);AJ.prototype.u=function(){return"metadata_type_invideo_overlay_ad_renderer"}; -g.u(BJ,wJ);BJ.prototype.u=function(){return"metadata_type_image_companion_ad_renderer"}; -g.u(CJ,wJ);CJ.prototype.u=function(){return"metadata_type_shopping_companion_carousel_renderer"}; -g.u(DJ,wJ);DJ.prototype.u=function(){return"metadata_type_ad_info_ad_metadata"}; -g.u(EJ,wJ);EJ.prototype.u=function(){return"metadata_ad_video_is_listed"}; -g.u(FJ,wJ);FJ.prototype.u=function(){return"metadata_type_ad_placement_config"}; -g.u(GJ,wJ);GJ.prototype.u=function(){return"metadata_type_ad_pod_info"}; -g.u(HJ,wJ);HJ.prototype.u=function(){return"metadata_type_ad_video_id"}; -g.u(IJ,wJ);IJ.prototype.u=function(){return"metadata_type_content_cpn"}; -g.u(JJ,wJ);JJ.prototype.u=function(){return"metadata_type_instream_ad_player_overlay_renderer"}; -g.u(KJ,wJ);KJ.prototype.u=function(){return"metadata_type_valid_instream_survey_ad_renderer"}; -g.u(LJ,wJ);LJ.prototype.u=function(){return"metadata_type_sliding_text_player_overlay_renderer"}; -g.u(MJ,wJ);MJ.prototype.u=function(){return"metadata_type_linked_player_bytes_layout_id"}; -g.u(NJ,wJ);NJ.prototype.u=function(){return"metadata_type_linked_in_player_layout_id"}; -g.u(OJ,wJ);OJ.prototype.u=function(){return"metadata_type_player_bytes_callback"}; -g.u(PJ,wJ);PJ.prototype.u=function(){return"metadata_type_player_bytes_callback_ref"}; -g.u(QJ,wJ);QJ.prototype.u=function(){return"metadata_type_sub_layouts"}; -g.u(RJ,wJ);RJ.prototype.u=function(){return"metadata_type_cue_point"}; -g.u(SJ,wJ);SJ.prototype.u=function(){return"metadata_type_video_length_seconds"}; -g.u(TJ,wJ);TJ.prototype.u=function(){return"metadata_type_player_vars"}; -g.u(UJ,wJ);UJ.prototype.u=function(){return"metadata_type_sodar_extension_data"}; -g.u(VJ,wJ);VJ.prototype.u=function(){return"metadata_type_layout_enter_ms"}; -g.u(WJ,wJ);WJ.prototype.u=function(){return"metadata_type_layout_exit_ms"}; -g.u(XJ,wJ);XJ.prototype.u=function(){return"metadata_type_sub_layout_index"}; -g.u(YJ,wJ);YJ.prototype.u=function(){return"metadata_type_dai"}; -g.u(ZJ,wJ);ZJ.prototype.u=function(){return"metadata_type_client_forecasting_ad_renderer"}; -g.u($J,wJ);$J.prototype.u=function(){return"metadata_type_drift_recovery_ms"}; -g.u(aK,wJ);aK.prototype.u=function(){return"metadata_type_fulfilled_layout"}; -g.u(bK,wJ);bK.prototype.u=function(){return"metadata_type_ad_break_request_data"}; -g.u(cK,wJ);cK.prototype.u=function(){return"metadata_type_ad_break_response_data"}; -g.u(dK,wJ);dK.prototype.u=function(){return"metadata_type_remote_slots_data"}; -g.u(eK,wJ);eK.prototype.u=function(){return"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"}; -g.u(fK,wJ);fK.prototype.u=function(){return"metadata_type_legacy_info_card_vast_extension"}; -g.u(gK,wJ);gK.prototype.u=function(){return"metadata_type_instream_video_ad_commands"};g.u(iK,g.P);iK.prototype.getProgressState=function(){return this.C}; -iK.prototype.start=function(){this.D=Date.now();hK(this,{current:this.u/1E3,duration:this.B/1E3});this.Ua.start()}; -iK.prototype.stop=function(){this.Ua.stop()};g.u(jK,sI);g.u(kK,yI);g.k=kK.prototype;g.k.Ld=function(){this.Ic()}; -g.k.Ic=function(){var a=this.D.u;g.$B(this.J.T())?(a=yna(this.I,a),this.J.va("onAdInfoChange",a),this.K=Date.now(),this.u&&this.u.start()):CI(this,[new jK(a)]);yI.prototype.Ic.call(this)}; -g.k.getDuration=function(){return this.D.B}; -g.k.hk=function(){yI.prototype.hk.call(this);this.u&&this.u.stop()}; -g.k.gj=function(){yI.prototype.gj.call(this);this.u&&this.u.start()}; -g.k.Pd=function(){yI.prototype.Pd.call(this);this.Qb("adabandoned")}; -g.k.ik=function(){yI.prototype.ik.call(this);this.Qb("adended")}; -g.k.Bd=function(a){yI.prototype.Bd.call(this,a);this.Qb("aderror")}; -g.k.Qb=function(a){this.Ug();this.V(a)}; -g.k.nf=function(a){switch(a){case "skip-button":this.ik();break;case "survey-submit":this.Qb("adended")}}; -g.k.Ug=function(){g.$B(this.J.T())?(this.u&&this.u.stop(),this.J.va("onAdInfoChange",null)):yI.prototype.Ug.call(this)};g.u(lK,sI);g.u(mK,yI);mK.prototype.Ld=function(){this.Ic()}; -mK.prototype.Ic=function(){CI(this,[new lK(this.u.u,this.macros)]);yI.prototype.Ic.call(this)}; -mK.prototype.Pd=function(){yI.prototype.Pd.call(this);this.Qb("adabandoned")}; -mK.prototype.Bd=function(a){yI.prototype.Bd.call(this,a);this.Qb("aderror")};g.u(nK,sI);g.u(oK,yI);g.k=oK.prototype;g.k.Ld=function(){0b&&sAa(this.J.app,d,b-a);return d}; -g.k.dispose=function(){VH(this.J)&&!this.daiEnabled&&this.J.stopVideo(2);CK(this,"adabandoned");yI.prototype.dispose.call(this)};HK.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.u[b];c?b=c:(c={Fm:null,AC:-Infinity},b=this.u[b]=c);c=a.startSecs+a.u/1E3;if(!(cWF?.1:0,Vra=new $K;g.k=$K.prototype;g.k.Mq=null;g.k.getDuration=function(){return this.duration||0}; -g.k.getCurrentTime=function(){return this.currentTime||0}; -g.k.Ch=function(){this.src&&(jk&&0b.u.getCurrentTime(2,!1)&&!g.R(b.u.T().experiments,"html5_dai_pseudogapless_seek_killswitch")))){c=b.B;if(c.ip()){var d=g.R(b.P.u.T().experiments,"html5_dai_enable_active_view_creating_completed_adblock"); -Hl(c.K,d)}b.B.N.seek=!0}0>wI(a,4)&&!(0>wI(a,2))&&(b=this.B.Fa,aI(b)||(cI(b)?mI(b,"resume"):gI(b,"resume")));!g.R(this.J.T().experiments,"html5_dai_handle_suspended_state_killswitch")&&this.daiEnabled&&g.xI(a,512)&&!g.iL(a.state)&&XK(this.K)}}}; -g.k.Pa=function(){this.daiEnabled&&(g.R(this.J.T().experiments,"html5_dai_debug_logging_killswitch")||fH("AdPlacementCoordinator handled video data change",void 0,void 0,{adCpn:(this.J.getVideoData(2)||{}).clientPlaybackNonce,contentCpn:(this.J.getVideoData(1)||{}).clientPlaybackNonce}),nL(this))}; -g.k.wD=function(){}; -g.k.resume=function(){this.B&&this.B.my()}; -g.k.Ax=function(){this.B&&this.B.Qb("adended")}; -g.k.Ft=function(){this.Ax()}; -g.k.vD=function(a){var b=this.Zc;b.D&&g.R(b.u.T().experiments,"html5_bulleit_dai_publish_ad_ux_killswitch")||b.u.va("onAdUxUpdate",a)}; -g.k.onAdUxClicked=function(a){this.B.nf(a)}; -g.k.mB=function(){return 0}; -g.k.oB=function(){return 1}; -g.k.wu=function(a){this.daiEnabled&&this.u.N&&this.u.u.start<=a&&a=Math.abs(c-this.u.u.end/1E3)):c=!0;if(c&&!this.u.I.hasOwnProperty("ad_placement_end")){c=g.q(this.u.W);for(var d=c.next();!d.done;d=c.next())oL(d.value);this.u.I.ad_placement_end=!0}c=this.u.F;null!==c&&(SK(this.Vg,{cueIdentifier:this.u.C&&this.u.C.identifier,driftRecoveryMs:c,WE:this.u.u.start,DC:sL(this)}),this.u.F=null);b||this.daiEnabled?zM(this.Zc, -!0):this.W&&this.zx()&&this.nk()?zM(this.Zc,!1,Nna(this)):zM(this.Zc,!1);pL(this,!0)}; -g.k.Ew=function(a){JM(this.Zc,a)}; -g.k.Yr=function(){return this.F}; -g.k.isLiveStream=function(){return this.W}; -g.k.reset=function(){return new mL(this.Zc,this.J,this.K.reset(),this.u,this.Vg,this.Hm,this.Pj,this.daiEnabled)}; -g.k.aa=function(){g.eg(this.B);this.B=null;g.P.prototype.aa.call(this)};uL.prototype.create=function(a){return(a.B instanceof zH?this.D:a.B instanceof KK?this.C:""===a.K?this.u:this.B)(a)};var Q1={},Ona=(Q1[0]=[],Q1[1]=[],Q1);vL.prototype.clickCommand=function(a){var b=g.rs();if(!a.clickTrackingParams||!b)return!1;Ks(this.client,b,g.ls(a.clickTrackingParams),void 0);return!0}; -vL.prototype.B=function(){for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b=b.value,b();this.u=[]};g.u(yL,g.P);g.k=yL.prototype;g.k.Ep=function(){return this.u.u}; -g.k.Gp=function(){return IH(this.u)}; -g.k.zx=function(){return HH(this.u)}; -g.k.ji=function(){return!1}; -g.k.Sw=function(){return!1}; -g.k.Zm=function(){return!1}; -g.k.Es=function(){return!1}; -g.k.Qw=function(){return!1}; -g.k.Is=function(){return!1}; -g.k.Fp=function(){return!1}; +g.k.isDaiEnabled=function(){return!!(this.playerResponse&&this.playerResponse.playerConfig&&this.playerResponse.playerConfig.daiConfig&&this.playerResponse.playerConfig.daiConfig.enableDai)}; +g.k.lP=function(){return this.Uo||this.Vf}; +g.k.VD=function(){return this.ij||this.Vf}; +g.k.tK=function(){return fM(this,"html5_samsung_vp9_live")}; +g.k.useInnertubeDrmService=function(){return!0}; +g.k.xa=function(a,b,c){this.ma("ctmp",a,b,c)}; +g.k.IO=function(a,b,c){this.ma("ctmpstr",a,b,c)}; +g.k.hasProgressBarBoundaries=function(){return!(!this.progressBarStartPosition||!this.progressBarEndPosition)}; +g.k.qa=function(){g.dE.prototype.qa.call(this);this.uA=null;delete this.l1;delete this.accountLinkingConfig;delete this.j;this.C=this.QJ=this.playerResponse=this.jd=null;this.Jf=this.adaptiveFormats="";delete this.botguardData;this.ke=this.suggestions=this.Ow=null};bN.prototype.D=function(){return!1}; +bN.prototype.Ja=function(){return function(){return null}};var jN=null;g.w(iN,g.dE);iN.prototype.RB=function(a){return this.j.hasOwnProperty(a)?this.j[a].RB():{}}; +g.Fa("ytads.bulleit.getVideoMetadata",function(a){return kN().RB(a)}); +g.Fa("ytads.bulleit.triggerExternalActivityEvent",function(a,b,c){var d=kN();c=dAa(c);null!==c&&d.ma(c,{queryId:a,viewabilityString:b})});g.w(pN,bN);pN.prototype.isSkippable=function(){return null!=this.Aa}; +pN.prototype.Ce=function(){return this.T}; +pN.prototype.getVideoUrl=function(){return null}; +pN.prototype.D=function(){return!0};g.w(yN,bN);yN.prototype.D=function(){return!0}; +yN.prototype.Ja=function(){return function(){return g.kf("video-ads")}};$Aa.prototype.isPostroll=function(){return"AD_PLACEMENT_KIND_END"==this.j.j};var d5a={b$:"FINAL",eZ:"AD_BREAK_LENGTH",Kda:"AD_CPN",Rda:"AH",Vda:"AD_MT",Yda:"ASR",cea:"AW",mla:"NM",nla:"NX",ola:"NY",oZ:"CONN",fma:"CPN",Loa:"DV_VIEWABILITY",Hpa:"ERRORCODE",Qpa:"ERROR_MSG",Tpa:"EI",FZ:"GOOGLE_VIEWABILITY",mxa:"IAS_VIEWABILITY",tAa:"LACT",P0:"LIVE_TARGETING_CONTEXT",SFa:"I_X",TFa:"I_Y",gIa:"MT",uIa:"MIDROLL_POS",vIa:"MIDROLL_POS_MS",AIa:"MOAT_INIT",BIa:"MOAT_VIEWABILITY",X0:"P_H",sPa:"PV_H",tPa:"PV_W",Y0:"P_W",MPa:"TRIGGER_TYPE",tSa:"SDKV",f1:"SLOT_POS",ZYa:"SURVEY_LOCAL_TIME_EPOCH_S", +YYa:"SURVEY_ELAPSED_MS",t1:"VIS",Q3a:"VIEWABILITY",X3a:"VED",u1:"VOL",a4a:"WT",A1:"YT_ERROR_CODE"};var GBa=["FINAL","CPN","MIDROLL_POS","SDKV","SLOT_POS"];EN.prototype.send=function(a,b,c){try{HBa(this,a,b,c)}catch(d){}};g.w(FN,EN);FN.prototype.j=function(){return this.Dl?g.NK(this.Dl.V(),g.VM(this.Dl)):Oy("")}; +FN.prototype.B=function(){return this.Dl?this.Dl.V().pageId:""}; +FN.prototype.u=function(){return this.Dl?this.Dl.V().authUser:""}; +FN.prototype.K=function(a){return this.Dl?this.Dl.K(a):!1};var Icb=eaa(["attributionsrc"]); +JN.prototype.send=function(a,b,c){var d=!1;try{var e=new g.Bk(a);if("2"===e.u.get("ase"))g.DD(Error("Queries for attributionsrc label registration when sending pings.")),d=!0,a=HN(a);else if("1"===e.u.get("ase")&&"video_10s_engaged_view"===e.u.get("label")){var f=document.createElement("img");zga([new Yj(Icb[0].toLowerCase(),woa)],f,"attributionsrc",a+"&asr=1")}var h=a.match(Si);if("https"===h[1])var l=a;else h[1]="https",l=Qi("https",h[2],h[3],h[4],h[5],h[6],h[7]);var m=ala(l);h=[];yy(l)&&(h.push({headerType:"USER_AUTH"}), +h.push({headerType:"PLUS_PAGE_ID"}),h.push({headerType:"VISITOR_ID"}),h.push({headerType:"EOM_VISITOR_ID"}),h.push({headerType:"AUTH_USER"}));d&&h.push({headerType:"ATTRIBUTION_REPORTING_ELIGIBLE"});this.ou.send({baseUrl:l,scrubReferrer:m,headers:h},b,c)}catch(n){}};g.w(MBa,g.C);g.w(ZN,g.dE);g.k=ZN.prototype;g.k.RB=function(){return{}}; +g.k.sX=function(){}; +g.k.kh=function(a){this.Eu();this.ma(a)}; +g.k.Eu=function(){SBa(this,this.oa,3);this.oa=[]}; +g.k.getDuration=function(){return this.F.getDuration(2,!1)}; +g.k.iC=function(){var a=this.Za;KN(a)||!SN(a,"impression")&&!SN(a,"start")||SN(a,"abandon")||SN(a,"complete")||SN(a,"skip")||VN(a,"pause");this.B||(a=this.Za,KN(a)||!SN(a,"unmuted_impression")&&!SN(a,"unmuted_start")||SN(a,"unmuted_abandon")||SN(a,"unmuted_complete")||VN(a,"unmuted_pause"))}; +g.k.jC=function(){this.ya||this.J||this.Rm()}; +g.k.Ei=function(){NN(this.Za,this.getDuration());if(!this.B){var a=this.Za;this.getDuration();KN(a)||(PBa(a,0,!0),QBa(a,0,0,!0),MN(a,"unmuted_complete"))}}; +g.k.Ko=function(){var a=this.Za;!SN(a,"impression")||SN(a,"skip")||SN(a,"complete")||RN(a,"abandon");this.B||(a=this.Za,SN(a,"unmuted_impression")&&!SN(a,"unmuted_complete")&&RN(a,"unmuted_abandon"))}; +g.k.jM=function(){var a=this.Za;a.daiEnabled?MN(a,"skip"):!SN(a,"impression")||SN(a,"abandon")||SN(a,"complete")||MN(a,"skip")}; +g.k.Rm=function(){if(!this.J){var a=this.GB();this.Za.macros.AD_CPN=a;a=this.Za;if(a.daiEnabled){var b=a.u.getCurrentTime(2,!1);QN(a,"impression",b,0)}else MN(a,"impression");MN(a,"start");KN(a)||a.u.isFullscreen()&&RN(a,"fullscreen");this.J=!0;this.B=this.F.isMuted()||0==this.F.getVolume();this.B||(a=this.Za,MN(a,"unmuted_impression"),MN(a,"unmuted_start"),KN(a)||a.u.isFullscreen()&&RN(a,"unmuted_fullscreen"))}}; +g.k.Lo=function(a){a=a||"";var b="",c="",d="";cN(this.F)&&(b=this.F.Cb(2).state,this.F.qe()&&(c=this.F.qe().xj(),null!=this.F.qe().Ye()&&(d=this.F.qe().Ye())));var e=this.Za;e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d)));MN(e,"error");this.B||(e=this.Za,e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d))),MN(e,"unmuted_error"))}; +g.k.gh=function(){}; +g.k.cX=function(){this.ma("adactiveviewmeasurable")}; +g.k.dX=function(){this.ma("adfullyviewableaudiblehalfdurationimpression")}; +g.k.eX=function(){this.ma("adoverlaymeasurableimpression")}; +g.k.fX=function(){this.ma("adoverlayunviewableimpression")}; +g.k.gX=function(){this.ma("adoverlayviewableendofsessionimpression")}; +g.k.hX=function(){this.ma("adoverlayviewableimmediateimpression")}; +g.k.iX=function(){this.ma("adviewableimpression")}; +g.k.dispose=function(){this.isDisposed()||(this.Eu(),this.j.unsubscribe("adactiveviewmeasurable",this.cX,this),this.j.unsubscribe("adfullyviewableaudiblehalfdurationimpression",this.dX,this),this.j.unsubscribe("adoverlaymeasurableimpression",this.eX,this),this.j.unsubscribe("adoverlayunviewableimpression",this.fX,this),this.j.unsubscribe("adoverlayviewableendofsessionimpression",this.gX,this),this.j.unsubscribe("adoverlayviewableimmediateimpression",this.hX,this),this.j.unsubscribe("adviewableimpression", +this.iX,this),delete this.j.j[this.ad.J],g.dE.prototype.dispose.call(this))}; +g.k.GB=function(){var a=this.F.getVideoData(2);return a&&a.clientPlaybackNonce||""}; +g.k.rT=function(){return""};g.w($N,bN);g.w(aO,gN);g.w(bO,ZN);g.k=bO.prototype;g.k.PE=function(){0=this.T&&(g.CD(Error("durationMs was specified incorrectly with a value of: "+this.T)),this.Ei());this.Rm();this.F.addEventListener("progresssync",this.Z)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandonedreset",!0)}; +g.k.Rm=function(){var a=this.F.V();fF("apbs",void 0,"video_to_ad");ZN.prototype.Rm.call(this);this.C=a.K("disable_rounding_ad_notify")?this.F.getCurrentTime():Math.floor(this.F.getCurrentTime());this.D=this.C+this.T/1E3;g.tK(a)?this.F.Na("onAdMessageChange",{renderer:this.u.j,startTimeSecs:this.C}):TBa(this,[new hO(this.u.j)]);a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64;b&&g.rA("adNotify",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3* +this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:Number(c)});if(this.I){this.ea=!0;b=this.u.j;if(!gO(b)){g.DD(Error("adMessageRenderer is not augmented on ad started"));return}a=b.slot;b=b.layout;c=g.t(this.I.listeners);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=a,f=b;gCa(d.j(),e);j0(d.j(),e,f)}}g.S(this.F.Cb(1),512)&&(g.DD(Error("player stuck during adNotify")),a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64, +b&&g.rA("adNotifyFailure",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3*this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:c}),this.Ei())}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended",!0)}; +g.k.Lo=function(a){g.DD(new g.bA("Player error during adNotify.",{errorCode:a}));ZN.prototype.Lo.call(this,a);this.kh("aderror",!0)}; +g.k.kh=function(a,b){(void 0===b?0:b)||g.DD(Error("TerminateAd directly called from other class during adNotify."));this.F.removeEventListener("progresssync",this.Z);this.Eu();ZBa(this,a);"adended"===a||"aderror"===a?this.ma("adnotifyexitednormalorerror"):this.ma(a)}; +g.k.dispose=function(){this.F.removeEventListener("progresssync",this.Z);ZBa(this);ZN.prototype.dispose.call(this)}; +g.k.Eu=function(){g.tK(this.F.V())?this.F.Na("onAdMessageChange",{renderer:null,startTimeSecs:this.C}):ZN.prototype.Eu.call(this)};mO.prototype.sendAdsPing=function(a){this.B.send(a,$Ba(this),{})}; +mO.prototype.Hg=function(a){var b=this;if(a){var c=$Ba(this);Array.isArray(a)?a.forEach(function(d){return b.j.executeCommand(d,c)}):this.j.executeCommand(a,c)}};g.w(nO,ZN);g.k=nO.prototype;g.k.RB=function(){return{currentTime:this.F.getCurrentTime(2,!1),duration:this.u.u,isPlaying:bAa(this.F),isVpaid:!1,isYouTube:!0,volume:this.F.isMuted()?0:this.F.getVolume()/100}}; +g.k.PE=function(){var a=this.u.j.legacyInfoCardVastExtension,b=this.u.Ce();a&&b&&this.F.V().Aa.add(b,{jB:a});try{var c=this.u.j.sodarExtensionData;if(c&&c.siub&&c.bgub&&c.scs&&c.bgp)try{Yka(c.siub,c.scs,c.bgub,c.bgp)}catch(e){var d=g.Xd("//tpc.googlesyndication.com/sodar/%{path}");g.DD(new g.bA("Load Sodar Error.",d instanceof Vd,d.constructor===Vd,{Message:e.message,"Escaped injector basename":g.Me(c.siub),"BG vm basename":c.bgub}));if(d.constructor===Vd)throw e;}}catch(e){g.CD(e)}eN(this.F,!1); +a=iAa(this.u);b=this.F.V();a.iv_load_policy=b.u||g.tK(b)||g.FK(b)?3:1;b=this.F.getVideoData(1);b.Ki&&(a.ctrl=b.Ki);b.qj&&(a.ytr=b.qj);b.Kp&&(a.ytrcc=b.Kp);b.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,b.ek&&(a.vss_credentials_token_type=b.ek),b.mdxEnvironment&&(a.mdx_environment=b.mdxEnvironment));this.ma("adunstarted",-1);this.T?this.D.start():(this.F.cueVideoByPlayerVars(a,2),this.D.start(),this.F.playVideo(2))}; +g.k.iC=function(){ZN.prototype.iC.call(this);this.ma("adpause",2)}; +g.k.jC=function(){ZN.prototype.jC.call(this);this.ma("adplay",1)}; +g.k.Rm=function(){ZN.prototype.Rm.call(this);this.D.stop();this.ea.S(this.F,g.ZD("bltplayback"),this.Q_);var a=new g.XD(0x7ffffffffffff,0x8000000000000,{id:"bltcompletion",namespace:"bltplayback",priority:2});this.F.ye([a],2);a=rO(this);this.C.Ga=a;if(this.F.isMuted()){a=this.Za;var b=this.F.isMuted();a.daiEnabled||MN(a,b?"mute":"unmute")}this.ma("adplay",1);if(null!==this.I){a=null!==this.C.j.getVideoData(1)?this.C.j.getVideoData(1).clientPlaybackNonce:"";b=cCa(this);for(var c=this.u,d=bCa(this), +e=g.t(this.I.listeners),f=e.next();!f.done;f=e.next()){f=f.value;var h=b,l=c,m=d,n=[],p=l.Ce(),q=l.getVideoUrl();p&&n.push(new y_(p));q&&n.push(new v1a(q));(q=(p=l.j)&&p.playerOverlay&&p.playerOverlay.instreamAdPlayerOverlayRenderer)?(n.push(new A_(q)),(q=q.elementId)&&n.push(new E_(q))):GD("instreamVideoAdRenderer without instreamAdPlayerOverlayRenderer");(p=p&&p.playerUnderlay)&&n.push(new B_(p));l.j.adNextParams&&n.push(new p_(l.j.adNextParams||""));(p=l.Ga)&&n.push(new q_(p));(p=f.Va.get().vg(2))? +(n.push(new r_({channelId:p.bk,channelThumbnailUrl:p.profilePicture,channelTitle:p.author,videoTitle:p.title})),n.push(new s_(p.isListed))):GD("Expected meaningful PlaybackData on ad started.");n.push(new u_(l.B));n.push(new J_(l.u));n.push(new z_(a));n.push(new G_({current:this}));p=l.Qa;null!=p.kind&&n.push(new t_(p));(p=l.La)&&n.push(new V_(p));void 0!==m&&n.push(new W_(m));f.j?GD(f.j.layoutId===h?"Received repeat AD_START event.":"Received a new AD_START event before received AD_ENDED event."): +dCa(f,h,n,!0,l.j.adLayoutLoggingData)}}this.F.Na("onAdStart",rO(this));a=g.t(this.u.j.impressionCommands||[]);for(b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Q_=function(a){"bltcompletion"==a.getId()&&(this.F.Ff("bltplayback",2),NN(this.Za,this.getDuration()),qO(this,"adended"))}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended");for(var a=g.t(this.u.j.completeCommands||[]),b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandoned")}; +g.k.PH=function(){var a=this.Za;KN(a)||RN(a,"clickthrough");this.B||(a=this.Za,KN(a)||RN(a,"unmuted_clickthrough"))}; +g.k.gD=function(){this.jM()}; +g.k.jM=function(){ZN.prototype.jM.call(this);this.kh("adended")}; +g.k.Lo=function(a){ZN.prototype.Lo.call(this,a);this.kh("aderror")}; +g.k.kh=function(a){this.D.stop();eN(this.F,!0);"adabandoned"!=a&&this.F.Na("onAdComplete");qO(this,a);this.F.Na("onAdEnd",rO(this));this.ma(a)}; +g.k.Eu=function(){var a=this.F.V();g.tK(a)&&(g.FK(a)||a.K("enable_topsoil_wta_for_halftime")||a.K("enable_topsoil_wta_for_halftime_live_infra")||g.tK(a))?this.F.Na("onAdInfoChange",null):ZN.prototype.Eu.call(this)}; +g.k.sX=function(){this.s4&&this.F.playVideo()}; +g.k.s4=function(){return 2==this.F.getPlayerState(2)}; +g.k.rT=function(a,b){if(!Number.isFinite(a))return g.CD(Error("Playing the video after the current media has finished is not supported")),"";if(b<=a)return g.CD(Error("Start time is not earlier than end time")),"";var c=1E3*this.u.u,d=iAa(this.u);d=this.F.Kx(d,"",2,c,a,b);a+c>b&&this.F.jA(d,b-a);return d}; +g.k.dispose=function(){bAa(this.F)&&!this.T&&this.F.stopVideo(2);qO(this,"adabandoned");ZN.prototype.dispose.call(this)};sO.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.j[b];c?b=c:(c={oB:null,kV:-Infinity},b=this.j[b]=c);c=a.startSecs+a.j/1E3;if(!(cdM&&(a=Math.max(.1,a)),this.setCurrentTime(a))}; +g.k.Dn=function(){if(!this.u&&this.Wa)if(this.Wa.D)try{var a;yI(this,{l:"mer",sr:null==(a=this.va)?void 0:zI(a),rs:BI(this.Wa)});this.Wa.clear();this.u=this.Wa;this.Wa=void 0}catch(b){a=new g.bA("Error while clearing Media Source in MediaElement: "+b.name+", "+b.message),g.CD(a),this.stopVideo()}else this.stopVideo()}; +g.k.stopVideo=function(){var a=this,b;null==(b=this.Wa)||Hva(b);if(!this.u)if(Lcb){if(!this.C){var c=new aK;c.then(void 0,function(){}); +this.C=c;Mcb&&this.pause();g.Cy(function(){a.C===c&&(IO(a),c.resolve())},200)}}else IO(this)}; +g.k.Dy=function(){var a=this.Nh();return 0performance.now()?c-Date.now()+performance.now():c;c=this.u||this.Wa;if((null==c?0:c.Ol())||b<=((null==c?void 0:c.I)||0)){var d;yI(this,{l:"mede",sr:null==(d=this.va)?void 0:zI(d)});return!1}if(this.xM)return c&&"seeking"===a.type&&(c.I=performance.now(),this.xM=!1),!1}return this.D.dispatchEvent(a)}; +g.k.nL=function(){this.J=!1}; +g.k.lL=function(){this.J=!0;this.Sz(!0)}; +g.k.VS=function(){this.J&&!this.VF()&&this.Sz(!0)}; +g.k.equals=function(a){return!!a&&a.ub()===this.ub()}; +g.k.qa=function(){this.T&&this.removeEventListener("volumechange",this.VS);Lcb&&IO(this);g.C.prototype.qa.call(this)}; +var Lcb=!1,Mcb=!1,Kcb=!1,CCa=!1;g.k=g.KO.prototype;g.k.getData=function(){return this.j}; +g.k.bd=function(){return g.S(this,8)&&!g.S(this,512)&&!g.S(this,64)&&!g.S(this,2)}; +g.k.isCued=function(){return g.S(this,64)&&!g.S(this,8)&&!g.S(this,4)}; +g.k.isError=function(){return g.S(this,128)}; +g.k.isSuspended=function(){return g.S(this,512)}; +g.k.BC=function(){return g.S(this,64)&&g.S(this,4)}; +g.k.toString=function(){return"PSt."+this.state.toString(16)}; +var $3={},a4=($3.BUFFERING="buffering-mode",$3.CUED="cued-mode",$3.ENDED="ended-mode",$3.PAUSED="paused-mode",$3.PLAYING="playing-mode",$3.SEEKING="seeking-mode",$3.UNSTARTED="unstarted-mode",$3);g.w(VO,g.dE);g.k=VO.prototype;g.k.fv=function(){var a=this.u;return a.u instanceof pN||a.u instanceof yN||a.u instanceof qN}; +g.k.uJ=function(){return!1}; +g.k.iR=function(){return this.u.j}; +g.k.vJ=function(){return"AD_PLACEMENT_KIND_START"==this.u.j.j}; +g.k.jR=function(){return zN(this.u)}; +g.k.iU=function(a){if(!bE(a)){this.ea&&(this.Aa=this.F.isAtLiveHead(),this.ya=Math.ceil(g.Ra()/1E3));var b=new vO(this.wi);a=kCa(a);b.Ch(a)}this.kR()}; +g.k.XU=function(){return!0}; +g.k.DC=function(){return this.J instanceof pN}; +g.k.kR=function(){var a=this.wi;this.XU()&&(a.u&&YO(a,!1),a.u=this,this.fv()&&yEa(a));this.D.mI();this.QW()}; +g.k.QW=function(){this.J?this.RA(this.J):ZO(this)}; +g.k.onAdEnd=function(a,b){b=void 0===b?!1:b;this.Yl(0);ZO(this,b)}; +g.k.RV=function(){this.onAdEnd()}; +g.k.d5=function(){MN(this.j.Za,"active_view_measurable")}; +g.k.g5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_fully_viewable_audible_half_duration")}; +g.k.j5=function(){}; +g.k.k5=function(){}; +g.k.l5=function(){}; +g.k.m5=function(){}; +g.k.p5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_viewable")}; +g.k.e5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_audible")}; +g.k.f5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_measurable")}; +g.k.HT=function(){return this.DC()?[this.YF()]:[]}; +g.k.yd=function(a){if(null!==this.j){this.oa||(a=new g.WN(a.state,new g.KO),this.oa=!0);var b=a.state;if(g.YN(a,2))this.j.Ei();else{var c=a;(this.F.V().experiments.ob("html5_bulleit_handle_gained_playing_state")?c.state.bd()&&!c.Hv.bd():c.state.bd())?(this.D.bP(),this.j.jC()):b.isError()?this.j.Lo(b.getData().errorCode):g.YN(a,4)&&(this.Z||this.j.iC())}if(null!==this.j){if(g.YN(a,16)&&(b=this.j.Za,!(KN(b)||.5>b.u.getCurrentTime(2,!1)))){c=b.ad;if(c.D()){var d=b.C.F.V().K("html5_dai_enable_active_view_creating_completed_adblock"); +Wka(c.J,d)}b.ad.I.seek=!0}0>XN(a,4)&&!(0>XN(a,2))&&(b=this.j,c=b.Za,KN(c)||VN(c,"resume"),b.B||(b=b.Za,KN(b)||VN(b,"unmuted_resume")));this.daiEnabled&&g.YN(a,512)&&!g.TO(a.state)&&this.D.aA()}}}; +g.k.onVideoDataChange=function(){return this.daiEnabled?ECa(this):!1}; +g.k.resume=function(){this.j&&this.j.sX()}; +g.k.sy=function(){this.j&&this.j.kh("adended")}; +g.k.Sr=function(){this.sy()}; +g.k.Yl=function(a){this.wi.Yl(a)}; +g.k.R_=function(a){this.wi.j.Na("onAdUxUpdate",a)}; +g.k.onAdUxClicked=function(a){this.j.gh(a)}; +g.k.FT=function(){return 0}; +g.k.GT=function(){return 1}; +g.k.QP=function(a){this.daiEnabled&&this.u.I&&this.u.j.start<=a&&a=this.I?this.D.B:this.D.B.slice(this.I)).some(function(a){return a.qf()})}; -g.k.Hp=function(){return this.N instanceof FH||this.N instanceof VI}; -g.k.nk=function(){return this.N instanceof vH||this.N instanceof PI}; -g.k.XE=function(){this.daiEnabled?UH(this.J)&&nL(this):EL(this)}; -g.k.Ld=function(a){var b=CL(a);this.N&&b&&this.P!==b&&(b?AM(this.Zc):DM(this.Zc),this.P=b);this.N=a;(g.R(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_action")&&vM(this.Zc)||g.R(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_image")&&wM(this.Zc)||g.R(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_shopping")&&xM(this.Zc))&&sM(this.Zc,this);this.daiEnabled&&(this.I=this.D.B.findIndex(function(c){return c=== -a})); -mL.prototype.Ld.call(this,a)}; -g.k.Yj=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.C&&(g.eg(this.C),this.C=null);mL.prototype.Yj.call(this,a,b)}; -g.k.Ft=function(){this.I=this.D.B.length;this.C&&this.C.Qb("adended");this.B&&this.B.Qb("adended");this.Yj()}; -g.k.wD=function(){EL(this)}; -g.k.Ax=function(){this.Rl()}; -g.k.Vb=function(a){mL.prototype.Vb.call(this,a);a=a.state;g.T(a,2)&&this.C?this.C.Ae():a.Gb()?(null==this.C&&(a=this.D.D)&&(this.C=this.Pj.create(a,OH(MH(this.u)),this.u.u.u),this.C.subscribe("onAdUxUpdate",this.vD,this),AI(this.C)),this.C&&this.C.gj()):a.isError()&&this.C&&this.C.Bd(a.getData().errorCode)}; -g.k.Rl=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(JM(this.Zc,0),a?this.Yj(a,b):EL(this))}; -g.k.SD=function(){1==this.D.C?this.Yj():this.Rl()}; -g.k.onAdUxClicked=function(a){mL.prototype.onAdUxClicked.call(this,a);this.C&&this.C.nf(a)}; -g.k.Yr=function(){var a=0>=this.I?this.D.B:this.D.B.slice(this.I);return 0wI(a,16)&&(this.Z.forEach(this.Mt,this),this.Z.clear())}; -g.k.KP=function(){this.B&&this.B.Pa();if(this.D)for(var a=1E3*this.u.getCurrentTime(1),b=g.q(this.F.keys()),c=b.next();!c.done;c=b.next())if(c=c.value,c.start<=a&&a=this.C?this.B.j:this.B.j.slice(this.C)).some(function(){return!0})}; +g.k.DC=function(){return this.I instanceof pN||this.I instanceof cO}; +g.k.QW=function(){this.daiEnabled?cN(this.F)&&ECa(this):HDa(this)}; +g.k.RA=function(a){var b=GDa(a);this.I&&b&&this.T!==b&&(b?yEa(this.wi):AEa(this.wi),this.T=b);this.I=a;this.daiEnabled&&(this.C=this.B.j.findIndex(function(c){return c===a})); +VO.prototype.RA.call(this,a)}; +g.k.dN=function(a){var b=this;VO.prototype.dN.call(this,a);a.subscribe("adnotifyexitednormalorerror",function(){return void ZO(b)})}; +g.k.Sr=function(){this.C=this.B.j.length;this.j&&this.j.kh("adended");ZO(this)}; +g.k.sy=function(){this.onAdEnd()}; +g.k.onAdEnd=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(this.Yl(0),a?ZO(this,b):HDa(this))}; +g.k.RV=function(){if(1==this.B.u)this.I instanceof dO&&g.DD(Error("AdNotify error with FailureMode.TERMINATING")),ZO(this);else this.onAdEnd()}; +g.k.YF=function(){var a=0>=this.C?this.B.j:this.B.j.slice(this.C);return 0XN(a,16)&&(this.J.forEach(this.IN,this),this.J.clear())}; +g.k.Q7=function(){if(this.u)this.u.onVideoDataChange()}; +g.k.T7=function(){if(cN(this.j)&&this.u){var a=this.j.getCurrentTime(2,!1),b=this.u;b.j&&UBa(b.j,a)}}; +g.k.b5=function(){this.Xa=!0;if(this.u){var a=this.u;a.j&&a.j.Ko()}}; +g.k.n5=function(a){if(this.u)this.u.onAdUxClicked(a)}; +g.k.U7=function(){if(2==this.j.getPresentingPlayerType()&&this.u){var a=this.u.j,b=a.Za,c=a.F.isMuted();b.daiEnabled||MN(b,c?"mute":"unmute");a.B||(b=a.F.isMuted(),MN(a.Za,b?"unmuted_mute":"unmuted_unmute"))}}; +g.k.a6=function(a){if(this.u){var b=this.u.j,c=b.Za;KN(c)||RN(c,a?"fullscreen":"end_fullscreen");b.B||(b=b.Za,KN(b)||RN(b,a?"unmuted_fullscreen":"unmuted_end_fullscreen"))}}; +g.k.Ch=function(a,b){GD("removeCueRanges called in AdService");this.j.Ch(a,b);a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,this.mu.delete(b),this.B.delete(b)}; +g.k.M9=function(){for(var a=[],b=g.t(this.mu),c=b.next();!c.done;c=b.next())c=c.value,bE(c)||a.push(c);this.j.WP(a,1)}; +g.k.Yl=function(a){this.j.Yl(a);switch(a){case 1:this.qG=1;break;case 0:this.qG=0}}; +g.k.qP=function(){var a=this.j.getVideoData(2);return a&&a.isListed&&!this.T?(GD("showInfoBarDuring Ad returns true"),!0):!1}; +g.k.sy=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAd"),this.u.sy())}; +g.k.Sr=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAdPlacement"),this.u.Sr())}; +g.k.yc=function(a){if(this.u){var b=this.u;b.j&&UBa(b.j,a)}}; +g.k.executeCommand=function(a,b,c){var d=this.tb,e=d.executeCommand;if(c=void 0===c?null:c){var f=!!this.u&&this.u||null;f?(f=f.j,c=f.ad.D()?ON(f.Za,c):{}):c={}}else c={};e.call(d,a,b,c)}; +g.k.isDaiEnabled=function(){return!1}; +g.k.DT=function(){return this.Aa}; +g.k.ET=function(){return this.Ja};g.w(WP,g.C);WP.prototype.append=function(a){if(!this.u)throw Error("This does not support the append operation");a=a.ub();this.ub().appendChild(a)}; +g.w(XP,WP);XP.prototype.ub=function(){return this.j};g.w(CEa,g.C);var qSa=16/9,Pcb=[.25,.5,.75,1,1.25,1.5,1.75,2],Qcb=Pcb.concat([3,4,5,6,7,8,9,10,15]);var EEa=1;g.w(g.ZP,g.C);g.k=g.ZP.prototype; +g.k.createElement=function(a,b){b=b||"svg"===a.G;var c=a.N,d=a.Ia;if(b){var e=document.createElementNS("http://www.w3.org/2000/svg",a.G);g.HK&&(a.X||(a.X={}),a.X.focusable="false")}else e=g.qf(a.G);if(c){if(c=$P(this,e,"class",c))aQ(this,e,"class",c),this.Pb[c]=e}else if(d){c=g.t(d);for(var f=c.next();!f.done;f=c.next())this.Pb[f.value]=e;aQ(this,e,"class",d.join(" "))}d=a.ra;c=a.W;if(d)b=$P(this,e,"child",d),void 0!==b&&e.appendChild(g.rf(b));else if(c)for(d=0,c=g.t(c),f=c.next();!f.done;f=c.next())if(f= +f.value)if("string"===typeof f)f=$P(this,e,"child",f),null!=f&&e.appendChild(g.rf(f));else if(f.element)e.appendChild(f.element);else{var h=f;f=this.createElement(h,b);e.appendChild(f);h.xc&&(h=YP(),f.id=h,f=document.createElementNS("http://www.w3.org/2000/svg","use"),f.setAttribute("class","ytp-svg-shadow"),f.setAttributeNS("http://www.w3.org/1999/xlink","href","#"+h),g.wf(e,f,d++))}if(a=a.X)for(b=e,d=g.t(Object.keys(a)),c=d.next();!c.done;c=d.next())c=c.value,f=a[c],aQ(this,b,c,"string"===typeof f? +$P(this,b,c,f):f);return e}; +g.k.Da=function(a){return this.Pb[a]}; +g.k.Ea=function(a,b){"number"===typeof b?g.wf(a,this.element,b):a.appendChild(this.element)}; +g.k.detach=function(){g.xf(this.element)}; +g.k.update=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.updateValue(c,a[c])}; +g.k.updateValue=function(a,b){(a=this.Nd["{{"+a+"}}"])&&aQ(this,a[0],a[1],b)}; +g.k.qa=function(){this.Pb={};this.Nd={};this.detach();g.C.prototype.qa.call(this)};g.w(g.U,g.ZP);g.k=g.U.prototype;g.k.ge=function(a,b){this.updateValue(b||"content",a)}; +g.k.show=function(){this.yb||(g.Hm(this.element,"display",""),this.yb=!0)}; +g.k.hide=function(){this.yb&&(g.Hm(this.element,"display","none"),this.yb=!1)}; +g.k.Zb=function(a){this.ea=a}; +g.k.Ra=function(a,b,c){return this.S(this.element,a,b,c)}; +g.k.S=function(a,b,c,d){c=(0,g.Oa)(c,d||this);d={target:a,type:b,listener:c};this.listeners.push(d);a.addEventListener(b,c);return d}; +g.k.Hc=function(a){var b=this;this.listeners.forEach(function(c,d){c===a&&(c=b.listeners.splice(d,1)[0],c.target.removeEventListener(c.type,c.listener))})}; +g.k.focus=function(){var a=this.element;Bf(a);a.focus()}; +g.k.qa=function(){for(;this.listeners.length;){var a=this.listeners.pop();a&&a.target.removeEventListener(a.type,a.listener)}g.ZP.prototype.qa.call(this)};g.w(g.dQ,g.U);g.dQ.prototype.subscribe=function(a,b,c){return this.La.subscribe(a,b,c)}; +g.dQ.prototype.unsubscribe=function(a,b,c){return this.La.unsubscribe(a,b,c)}; +g.dQ.prototype.Gh=function(a){return this.La.Gh(a)}; +g.dQ.prototype.ma=function(a){return this.La.ma.apply(this.La,[a].concat(g.u(g.ya.apply(1,arguments))))};var Rcb=new WeakSet;g.w(eQ,g.dQ);g.k=eQ.prototype;g.k.bind=function(a){this.Xa||a.renderer&&this.init(a.id,a.renderer,{},a);return Promise.resolve()}; +g.k.init=function(a,b,c){this.Xa=a;this.element.setAttribute("id",this.Xa);this.kb&&g.Qp(this.element,this.kb);this.T=b&&b.adRendererCommands;this.macros=c;this.I=b.trackingParams||null;null!=this.I&&this.Zf(this.element,this.I)}; g.k.clear=function(){}; -g.k.hide=function(){g.XM.prototype.hide.call(this);null!=this.K&&eN(this,this.element,!1)}; -g.k.show=function(){g.XM.prototype.show.call(this);if(!this.ob){this.ob=!0;var a=this.W&&this.W.impressionCommand;a&&this.Ea.executeCommand(a,this.macros,null)}null!=this.K&&eN(this,this.element,!0)}; -g.k.onClick=function(a){if(this.K&&!lCa.has(a)){var b=this.element;g.cN(this.api,b)&&this.Wa&&g.gX(this.api,b,this.u);lCa.add(a)}(a=this.W&&this.W.clickCommand)&&this.Ea.executeCommand(a,this.macros,this.sB())}; -g.k.sB=function(){return null}; -g.k.ZL=function(a){var b=this.Z;b.K=!0;b.B=a.touches.length;b.u.isActive()&&(b.u.stop(),b.F=!0);a=a.touches;b.I=QM(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.N=Infinity,b.P=Infinity):(b.N=c.clientX,b.P=c.clientY);for(c=b.C.length=0;cMath.pow(5,2))b.D=!0}; -g.k.XL=function(a){if(this.Z){var b=this.Z,c=a.changedTouches;c&&b.K&&1==b.B&&!b.D&&!b.F&&!b.I&&QM(b,c)&&(b.W=a,b.u.start());b.B=a.touches.length;0===b.B&&(b.K=!1,b.D=!1,b.C.length=0);b.F=!1}}; -g.k.aa=function(){this.clear(null);this.Eb(this.Qa);for(var a=g.q(this.ea),b=a.next();!b.done;b=a.next())this.Eb(b.value);g.XM.prototype.aa.call(this)};g.u(hN,W);hN.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b=(a=b.thumbnail)&&gN(a)||"";g.rc(b)?(g.R(this.api.T().experiments,"web_player_ad_image_error_rate_sampling_killswitch")||.01>Math.random())&&g.Eo(Error("Found AdImage without valid image URL")):(this.B?g.E(this.element,"backgroundImage","url("+b+")"):ve(this.element,{src:b}),ve(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),this.show())}; -hN.prototype.clear=function(){this.hide()};g.u(IN,W); -IN.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.B=b;if(null==b.text&&null==b.icon)g.Eo(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.I(this.element,a);null!=b.text&&(a=g.U(b.text),g.rc(a)||(this.element.setAttribute("aria-label",a),this.D=new g.XM({G:"span",L:"ytp-ad-button-text",Y:a}),g.C(this,this.D),this.D.fa(this.element)));null!=b.icon&&(b=HN(b.icon),null!= -b&&(this.C=new g.XM({G:"span",L:"ytp-ad-button-icon",S:[b]}),g.C(this,this.C)),this.F?g.Ie(this.element,this.C.element,0):this.C.fa(this.element))}}; -IN.prototype.clear=function(){this.hide()}; -IN.prototype.onClick=function(a){var b=this;W.prototype.onClick.call(this,a);hoa(this).forEach(function(c){return b.Ea.executeCommand(c,b.macros)}); -this.api.onAdUxClicked(this.componentType,this.layoutId)};var Yoa={seekableStart:0,seekableEnd:1,current:0};g.u(JN,W);JN.prototype.clear=function(){this.dispose()};g.u(MN,JN);g.k=MN.prototype;g.k.init=function(a,b,c){JN.prototype.init.call(this,a,b,c);g.E(this.D,"stroke-dasharray","0 "+this.C);this.show()}; -g.k.clear=function(){this.hide()}; -g.k.hide=function(){LN(this);JN.prototype.hide.call(this)}; -g.k.show=function(){KN(this);JN.prototype.show.call(this)}; -g.k.Yl=function(){this.hide()}; -g.k.Ek=function(){if(this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=a.current/a.seekableEnd*this.C,this.I&&(a=this.C-a),g.E(this.D,"stroke-dasharray",a+" "+this.C))}};g.u(NN,W);NN.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.B=b;this.isTemplated()||g.Ne(this.element,YM(this.B));if(b.backgroundImage&&(a=(a=b.backgroundImage.thumbnail)?gN(a):"",c=(c=this.api.getVideoData(1))&&c.lq,a&&c&&(this.element.style.backgroundImage="url("+a+")",this.element.style.backgroundSize="100%"),b.style&&b.style.adTextStyle))switch(b.style.adTextStyle.fontSize){case "AD_FONT_SIZE_MEDIUM":this.element.style.fontSize="26px"}this.show()}; -NN.prototype.isTemplated=function(){return this.B.isTemplated||!1}; -NN.prototype.clear=function(){this.hide()};(function(a,b){function c(f){var h=g.q(f);f=h.next().value;h=ka(h);return a.apply(f,h)} -function d(f){f=g.q(f);f.next();f=ka(f);return b(e,f)} -b=void 0===b?Kda:b;var e=g.Ua(a);return function(f){for(var h=[],l=0;la&&g.M(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.za&&g.I(this.C.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.da=null==a||0===a?this.B.xD():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.D.init(rI("ad-text"),d,c);(d=this.api.getVideoData(1))&& -d.lq&&b.thumbnail?this.I.init(rI("ad-image"),b.thumbnail,c):this.P.hide()}; -g.k.clear=function(){this.hide()}; -g.k.hide=function(){this.C.hide();this.D.hide();this.I.hide();LN(this);JN.prototype.hide.call(this)}; -g.k.show=function(){KN(this);this.C.show();this.D.show();this.I.show();JN.prototype.show.call(this)}; -g.k.Yl=function(){this.hide()}; -g.k.Ek=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.ka&&a>=this.da?(g.R(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")||this.X.hide(),this.ka=!0,this.V("c")):this.D&&this.D.isTemplated()&&(a=Math.max(0,Math.ceil((this.da-a)/1E3)),a!=this.ra&&(ON(this.D,{TIME_REMAINING:String(a)}),this.ra=a)))}};g.u(TN,g.B);g.k=TN.prototype;g.k.aa=function(){this.reset();g.B.prototype.aa.call(this)}; -g.k.reset=function(){g.Yr(this.F);this.I=!1;this.u&&this.u.stop();this.D.stop();this.B&&(this.B=!1,this.K.play())}; -g.k.start=function(){this.reset();this.F.R(this.C,"mouseover",this.dM,this);this.F.R(this.C,"mouseout",this.cM,this);this.u?this.u.start():(this.I=this.B=!0,g.E(this.C,{opacity:this.P}))}; -g.k.dM=function(){this.B&&(this.B=!1,this.K.play());this.D.stop();this.u&&this.u.stop()}; -g.k.cM=function(){this.I?this.D.start():this.u&&this.u.start()}; -g.k.pA=function(){this.B||(this.B=!0,this.N.play(),this.I=!0)};g.u(UN,JN);g.k=UN.prototype; -g.k.init=function(a,b,c){JN.prototype.init.call(this,a,b,c);this.P=b;this.da=ioa(this);!b||g.Wb(b)?g.M(Error("SkipButtonRenderer was not specified or empty.")):!b.message||g.Wb(b.message)?g.M(Error("SkipButtonRenderer.message was not specified or empty.")):(a={iconType:"SKIP_NEXT"},b=HN(a),null==b?g.M(Error("Icon for SkipButton was unable to be retrieved. yt.innertube.Icon.IconType: "+a.iconType+".")):(this.I=new g.XM({G:"button",ia:["ytp-ad-skip-button","ytp-button"],S:[{G:"span",L:"ytp-ad-skip-button-icon", -S:[b]}]}),g.C(this,this.I),this.I.fa(this.D.element),this.C=new NN(this.api,this.Ea,this.layoutId,this.u,"ytp-ad-skip-button-text"),this.C.init(rI("ad-text"),this.P.message,c),g.C(this,this.C),g.Ie(this.I.element,this.C.element,0)),g.R(this.api.T().experiments,"bulleit_use_touch_events_for_skip")&&fN(this))}; -g.k.clear=function(){this.X.reset();this.hide()}; -g.k.hide=function(){this.D.hide();this.C&&this.C.hide();LN(this);JN.prototype.hide.call(this)}; -g.k.onClick=function(a){if(null!=this.I&&(a&&g.ip(a),JN.prototype.onClick.call(this,a),this.V("d"),!this.da))this.api.onAdUxClicked(this.componentType,this.layoutId)}; -g.k.sB=function(){return"skip"}; -g.k.show=function(){this.X.start();this.D.show();this.C&&this.C.show();KN(this);JN.prototype.show.call(this)}; -g.k.Yl=function(){this.V("e")}; -g.k.Ek=function(){};g.u(VN,g.P);g.k=VN.prototype;g.k.xD=function(){return this.B}; -g.k.start=function(){this.C||(this.C=!0,this.Ua.start())}; -g.k.stop=function(){this.C&&(this.C=!1,this.Ua.stop())}; -g.k.VL=function(){this.u+=100;var a=!1;this.u>this.B&&(this.u=this.B,this.Ua.stop(),a=!0);this.D={seekableStart:0,seekableEnd:this.B/1E3,current:this.u/1E3};this.F&&this.F.Gc(this.D.current);this.V("b");a&&this.V("a")}; -g.k.getProgressState=function(){return this.D};g.u(WN,W);g.k=WN.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&b.actionButton.buttonRenderer)if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)g.M(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!= -e&&0f)g.M(Error("timeoutSeconds was specified incorrectly in AdChoiceInterstitialRenderer with a value of: "+f));else if(b.completeCommands)if(b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer){koa(this,b.text);var m=loa(b.defaultButtonChoiceIndex);moa(this,e,a,m)?(ooa(this,b.completeCommands,c,f),b&&b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer&&poa(this,b.adDurationRemaining.timedPieCountdownRenderer, -c),b&&b.background&&(c=this.ga("ytp-ad-choice-interstitial"),joa(c,b.background)),noa(this,a),this.show(),g.R(this.api.T().experiments,"self_podding_default_button_focused")&&g.um(function(){0===m?d.B&&d.B.focus():d.D&&d.D.focus()})):g.M(Error("AdChoiceInterstitialRenderer failed to initialize buttons."))}else g.M(Error("AdChoiceInterstitialRenderer requires a timed_pie_countdown_renderer.")); -else g.M(Error("timeoutSeconds was specified yet no completeCommands were specified"))}else g.M(Error("AdChoiceInterstitialRenderer should have two choices."));else g.M(Error("AdChoiceInterstitialRenderer has no title."))}; -YN.prototype.clear=function(){this.hide()};g.u($N,W);g.k=$N.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.text?(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a?g.M(Error("durationMilliseconds was specified incorrectly in AdTextInterstitialRenderer with a value of: "+a)):(this.B.init(rI("ad-text"),b.text,c),this.show())):g.M(Error("AdTextInterstitialRenderer has no message AdText."))}; -g.k.clear=function(){this.hide()}; -g.k.show=function(){aO(!0);W.prototype.show.call(this)}; -g.k.hide=function(){aO(!1);W.prototype.hide.call(this)}; -g.k.onClick=function(){};g.u(bO,g.B);bO.prototype.aa=function(){this.B&&g.dp(this.B);this.u.clear();cO=null;g.B.prototype.aa.call(this)}; -bO.prototype.register=function(a,b){b&&this.u.set(a,b)}; -var cO=null;g.u(gO,W); -gO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&b.button.buttonRenderer||null;null==b?g.M(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new IN(this.api,this.Ea,this.layoutId,this.u),g.C(this,this.button),this.button.init(rI("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.U(a)),this.button.fa(this.element),this.I&&!g.zn(this.button.element,"ytp-ad-clickable")&&g.I(this.button.element,"ytp-ad-clickable"), -a&&(this.C=new g.XM({G:"div",L:"ytp-ad-hover-text-container"}),this.F&&(b=new g.XM({G:"div",L:"ytp-ad-hover-text-callout"}),b.fa(this.C.element),g.C(this,b)),g.C(this,this.C),this.C.fa(this.element),b=fO(a),g.Ie(this.C.element,b,0)),this.show())}; -gO.prototype.hide=function(){this.button&&this.button.hide();this.C&&this.C.hide();W.prototype.hide.call(this)}; -gO.prototype.show=function(){this.button&&this.button.show();W.prototype.show.call(this)};g.u(hO,W);g.k=hO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?g.M(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.Eo(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.Eo(Error("AdFeedbackRenderer.title was not set.")),uoa(this,b)):g.M(Error("AdFeedbackRenderer.reasons were not set."))}; -g.k.clear=function(){mp(this.F);mp(this.P);this.D.length=0;this.hide()}; -g.k.hide=function(){this.B&&this.B.hide();this.C&&this.C.hide();W.prototype.hide.call(this);this.I&&this.I.focus()}; -g.k.show=function(){this.B&&this.B.show();this.C&&this.C.show();this.I=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.BD=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.V("f");this.hide()}; -g.k.HP=function(){this.hide()}; -iO.prototype.Ma=function(){return this.u.element}; -iO.prototype.isChecked=function(){return this.C.checked};g.u(jO,W);g.k=jO.prototype;g.k.hide=function(){W.prototype.hide.call(this);this.D&&this.D.focus()}; -g.k.show=function(){this.D=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?g.M(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?g.M(Error("ConfirmDialogRenderer.cancelLabel was not set.")):voa(this,b):g.M(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; -g.k.clear=function(){g.Yr(this.B);this.hide()}; -g.k.Hx=function(){this.hide()}; -g.k.Bx=function(){var a=this.C.cancelEndpoint;a&&this.Ea.executeCommand(a,this.macros);this.hide()}; -g.k.Ix=function(){var a=this.C.confirmNavigationEndpoint||this.C.confirmEndpoint;a&&this.Ea.executeCommand(a,this.macros);this.hide()};g.u(kO,jO);kO.prototype.Hx=function(a){jO.prototype.Hx.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -kO.prototype.Bx=function(a){jO.prototype.Bx.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -kO.prototype.Ix=function(a){jO.prototype.Ix.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.V("g")};g.u(lO,W);g.k=lO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.I=b;if(null==b.dialogMessage&&null==b.title)g.M(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.Eo(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&b.closeOverlayRenderer.buttonRenderer||null)this.B=new IN(this.api,this.Ea,this.layoutId,this.u,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"),g.C(this,this.B), -this.B.init(rI("button"),a,this.macros),this.B.fa(this.element);b.title&&(a=g.U(b.title),this.wa("title",a));if(b.adReasons)for(a=b.adReasons,c=0;c=a&&g.M(Error("durationMs was specified incorrectly in AdMessageRenderer with a value of: "+a));a=b.durationMs;this.I=null==a||0===a?0:a+1E3*this.B.getProgressState().current;if(b.text)var d=b.text.templatedAdText;else b.staticMessage&&(d=b.staticMessage);this.C.init(rI("ad-text"),d,c);this.C.fa(this.D.element);this.P.show(100);this.show()}; -g.k.clear=function(){this.hide()}; -g.k.hide=function(){Koa(this,!1);JN.prototype.hide.call(this);this.D.hide();this.C.hide();LN(this)}; -g.k.show=function(){Koa(this,!0);JN.prototype.show.call(this);KN(this);this.D.show();this.C.show()}; -g.k.Yl=function(){this.hide()}; -g.k.Ek=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.X&&a>=this.I?(this.P.hide(),this.X=!0):this.C&&this.C.isTemplated()&&(a=Math.max(0,Math.ceil((this.I-a)/1E3)),a!=this.da&&(ON(this.C,{TIME_REMAINING:String(a)}),this.da=a)))}};g.u(MO,JN);g.k=MO.prototype; -g.k.init=function(a,b,c){JN.prototype.init.call(this,a,b,c);a=b&&b.preskipRenderer&&b.preskipRenderer.adPreviewRenderer||{};if(a=g.Wb(a)?null:a){this.I=null!=a.durationMilliseconds&&void 0!==a.durationMilliseconds?a.durationMilliseconds:5E3;var d="countdown_next_to_thumbnail"==g.Xu(this.api.T().experiments,"preskip_button_style_ads_backend")&&YB(this.api.T());this.C=new RN(this.api,this.Ea,this.layoutId,this.u,this.B,d);this.C.init(rI("preskip-component"),a,c);SN(this.C);g.C(this,this.C);this.C.fa(this.element); -g.R(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")&&this.C.subscribe("c",this.DO,this)}else b.skipOffsetMilliseconds&&(this.I=b.skipOffsetMilliseconds);b=b&&b.skippableRenderer&&b.skippableRenderer.skipButtonRenderer||{};b=g.Wb(b)?null:b;null==b?g.M(Error("SkipButtonRenderer was not set in player response.")):(this.D=new UN(this.api,this.Ea,this.layoutId,this.u,this.B),this.D.init(rI("skip-button"),b,c),g.C(this,this.D),this.D.fa(this.element),this.show())}; -g.k.show=function(){this.P&&this.D?this.D.show():this.C&&this.C.show();KN(this);JN.prototype.show.call(this)}; -g.k.Yl=function(){}; -g.k.clear=function(){this.C&&this.C.clear();this.D&&this.D.clear();LN(this);JN.prototype.hide.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();this.D&&this.D.hide();LN(this);JN.prototype.hide.call(this)}; -g.k.DO=function(){NO(this,!0)}; -g.k.Ek=function(){g.R(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")?this.C||1E3*this.B.getProgressState().current>=this.I&&NO(this,!0):1E3*this.B.getProgressState().current>=this.I&&NO(this,!0)};g.u(OO,W);OO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.skipAd&&(a=b.skipAd,a.skipAdRenderer&&(b=new MO(this.api,this.Ea,this.layoutId,this.u,this.B),b.fa(this.C),b.init(rI("skip-button"),a.skipAdRenderer,this.macros),g.C(this,b)));this.show()};g.u(RO,JN);g.k=RO.prototype;g.k.init=function(a,b,c){JN.prototype.init.call(this,a,b,c);if(b.templatedCountdown){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.Eo(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.C=new NN(this.api,this.Ea,this.layoutId,this.u);this.C.init(rI("ad-text"),a,{});this.C.fa(this.element);g.C(this,this.C)}this.show()}; +g.k.hide=function(){g.dQ.prototype.hide.call(this);null!=this.I&&this.Ua(this.element,!1)}; +g.k.show=function(){g.dQ.prototype.show.call(this);if(!this.tb){this.tb=!0;var a=this.T&&this.T.impressionCommand;a&&this.WO(a)}null!=this.I&&this.Ua(this.element,!0)}; +g.k.onClick=function(a){if(this.I&&!Rcb.has(a)){var b=this.element;this.api.Dk(b)&&this.yb&&this.api.qb(b,this.interactionLoggingClientData);Rcb.add(a)}if(a=this.T&&this.T.clickCommand)a=this.bX(a),this.WO(a)}; +g.k.bX=function(a){return a}; +g.k.W_=function(a){var b=this.oa;b.J=!0;b.u=a.touches.length;b.j.isActive()&&(b.j.stop(),b.D=!0);a=a.touches;b.I=DEa(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.T=Infinity,b.ea=Infinity):(b.T=c.clientX,b.ea=c.clientY);for(c=b.B.length=0;cMath.pow(5,2))b.C=!0}; +g.k.U_=function(a){if(this.oa){var b=this.oa,c=a.changedTouches;c&&b.J&&1==b.u&&!b.C&&!b.D&&!b.I&&DEa(b,c)&&(b.Z=a,b.j.start());b.u=a.touches.length;0===b.u&&(b.J=!1,b.C=!1,b.B.length=0);b.D=!1}}; +g.k.WO=function(a){this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(new g.bA("There is undefined layoutId when calling the runCommand method.",{componentType:this.componentType}))}; +g.k.Zf=function(a,b){this.api.Zf(a,this);this.api.og(a,b)}; +g.k.Ua=function(a,b){this.api.Dk(a)&&this.api.Ua(a,b,this.interactionLoggingClientData)}; +g.k.qa=function(){this.clear(null);this.Hc(this.ib);for(var a=g.t(this.ya),b=a.next();!b.done;b=a.next())this.Hc(b.value);g.dQ.prototype.qa.call(this)};g.w(vQ,eQ); +vQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(null==b.text&&null==b.icon)g.DD(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.Qp(this.element,a);null!=b.text&&(a=g.gE(b.text),g.Tb(a)||(this.element.setAttribute("aria-label",a),this.B=new g.dQ({G:"span",N:"ytp-ad-button-text",ra:a}),g.E(this,this.B),this.B.Ea(this.element)));this.api.V().K("use_accessibility_data_on_desktop_player_button")&&b.accessibilityData&& +b.accessibilityData.accessibilityData&&b.accessibilityData.accessibilityData.label&&!g.Tb(b.accessibilityData.accessibilityData.label)&&this.element.setAttribute("aria-label",b.accessibilityData.accessibilityData.label);null!=b.icon&&(b=uQ(b.icon),null!=b&&(this.u=new g.dQ({G:"span",N:"ytp-ad-button-icon",W:[b]}),g.E(this,this.u)),this.C?g.wf(this.element,this.u.element,0):this.u.Ea(this.element))}}; +vQ.prototype.clear=function(){this.hide()}; +vQ.prototype.onClick=function(a){eQ.prototype.onClick.call(this,a);a=g.t(WEa(this));for(var b=a.next();!b.done;b=a.next())b=b.value,this.layoutId?this.rb.executeCommand(b,this.layoutId):g.CD(Error("Missing layoutId for button."));this.api.onAdUxClicked(this.componentType,this.layoutId)};g.w(wQ,g.C);wQ.prototype.qa=function(){this.u&&g.Fz(this.u);this.j.clear();xQ=null;g.C.prototype.qa.call(this)}; +wQ.prototype.register=function(a,b){b&&this.j.set(a,b)}; +var xQ=null;g.w(zQ,eQ); +zQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&g.K(b.button,g.mM)||null;null==b?g.CD(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),g.E(this,this.button),this.button.init(fN("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.gE(a)),this.button.Ea(this.element),this.D&&!g.Pp(this.button.element,"ytp-ad-clickable")&&g.Qp(this.button.element, +"ytp-ad-clickable"),a&&(this.u=new g.dQ({G:"div",N:"ytp-ad-hover-text-container"}),this.C&&(b=new g.dQ({G:"div",N:"ytp-ad-hover-text-callout"}),b.Ea(this.u.element),g.E(this,b)),g.E(this,this.u),this.u.Ea(this.element),b=yQ(a),g.wf(this.u.element,b,0)),this.show())}; +zQ.prototype.hide=function(){this.button&&this.button.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this)}; +zQ.prototype.show=function(){this.button&&this.button.show();eQ.prototype.show.call(this)};g.w(BQ,eQ); +BQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);c=(a=b.thumbnail)&&AQ(a)||"";g.Tb(c)?.01>Math.random()&&g.DD(Error("Found AdImage without valid image URL")):(this.j?g.Hm(this.element,"backgroundImage","url("+c+")"):lf(this.element,{src:c}),lf(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),b&&b.adRendererCommands&&b.adRendererCommands.clickCommand?this.element.classList.add("ytp-ad-clickable-element"):this.element.classList.remove("ytp-ad-clickable-element"),this.show())}; +BQ.prototype.clear=function(){this.hide()};g.w(CQ,eQ);g.k=CQ.prototype;g.k.hide=function(){eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.B=document.activeElement;eQ.prototype.show.call(this);this.C.focus()}; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?g.CD(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?g.CD(Error("ConfirmDialogRenderer.cancelLabel was not set.")):$Ea(this,b):g.CD(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; +g.k.clear=function(){g.Lz(this.j);this.hide()}; +g.k.FN=function(){this.hide()}; +g.k.CJ=function(){var a=this.u.cancelEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()}; +g.k.GN=function(){var a=this.u.confirmNavigationEndpoint||this.u.confirmEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()};g.w(DQ,eQ);g.k=DQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;if(null==b.defaultText&&null==b.defaultIcon)g.CD(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)g.CD(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.Qp(this.B,a)}a={};b.defaultText? +(c=g.gE(b.defaultText),g.Tb(c)||(a.buttonText=c,this.j.setAttribute("aria-label",c))):g.Tm(this.Aa,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.j.hasAttribute("aria-label")||this.Z.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=uQ(b.defaultIcon),this.updateValue("untoggledIconTemplateSpec",c),b.toggledIcon?(this.J=!0,c=uQ(b.toggledIcon),this.updateValue("toggledIconTemplateSpec",c)):(g.Tm(this.D,!0),g.Tm(this.C,!1)),g.Tm(this.j,!1)):g.Tm(this.Z,!1);g.hd(a)||this.update(a); +b.isToggled&&(g.Qp(this.B,"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));EQ(this);this.S(this.element,"change",this.uR);this.show()}}; +g.k.onClick=function(a){0=this.da&&(LN(this),g.Bn(this.element,"ytp-flyout-cta-inactive"))}}; -g.k.Yl=function(){this.clear()}; +g.k.toggleButton=function(a){g.Up(this.B,"ytp-ad-toggle-button-toggled",a);this.j.checked=a;EQ(this)}; +g.k.isToggled=function(){return this.j.checked};g.w(FQ,Jz);FQ.prototype.I=function(a){if(Array.isArray(a)){a=g.t(a);for(var b=a.next();!b.done;b=a.next())b=b.value,b instanceof cE&&this.C(b)}};g.w(GQ,eQ);g.k=GQ.prototype;g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?g.CD(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.DD(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.DD(Error("AdFeedbackRenderer.title was not set.")),eFa(this,b)):g.CD(Error("AdFeedbackRenderer.reasons were not set."))}; +g.k.clear=function(){Hz(this.D);Hz(this.J);this.C.length=0;this.hide()}; +g.k.hide=function(){this.j&&this.j.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.j&&this.j.show();this.u&&this.u.show();this.B=document.activeElement;eQ.prototype.show.call(this);this.D.focus()}; +g.k.aW=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.ma("a");this.hide()}; +g.k.P7=function(){this.hide()}; +HQ.prototype.ub=function(){return this.j.element}; +HQ.prototype.isChecked=function(){return this.B.checked};g.w(IQ,CQ);IQ.prototype.FN=function(a){CQ.prototype.FN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.CJ=function(a){CQ.prototype.CJ.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.GN=function(a){CQ.prototype.GN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.ma("b")};g.w(JQ,eQ);g.k=JQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.D=b;if(null==b.dialogMessage&&null==b.title)g.CD(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.DD(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&g.K(b.closeOverlayRenderer,g.mM)||null)this.j=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"), +g.E(this,this.j),this.j.init(fN("button"),a,this.macros),this.j.Ea(this.element);b.title&&(a=g.gE(b.title),this.updateValue("title",a));if(b.adReasons)for(a=b.adReasons,c=0;ca&&g.CD(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ya&&g.Qp(this.u.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.Aa=null==a||0===a?this.j.Jl():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.B.init(fN("ad-text"),d,c);(d=this.api.getVideoData(1))&& +d.Zn&&b.thumbnail?this.C.init(fN("ad-image"),b.thumbnail,c):this.J.hide()}; g.k.clear=function(){this.hide()}; -g.k.show=function(){this.C&&this.C.show();JN.prototype.show.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();JN.prototype.hide.call(this)};g.u(UO,W);g.k=UO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;if(null==b.defaultText&&null==b.defaultIcon)g.M(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)g.M(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.I(this.D,a)}a={};b.defaultText? -(c=g.U(b.defaultText),g.rc(c)||(a.buttonText=c,this.B.setAttribute("aria-label",c))):g.Fg(this.ha,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.B.hasAttribute("aria-label")||this.X.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=HN(b.defaultIcon),this.wa("untoggledIconTemplateSpec",c),b.toggledIcon?(this.P=!0,c=HN(b.toggledIcon),this.wa("toggledIconTemplateSpec",c)):(g.Fg(this.I,!0),g.Fg(this.F,!1)),g.Fg(this.B,!1)):g.Fg(this.X,!1);g.Wb(a)||this.update(a);b.isToggled&&(g.I(this.D, -"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));VO(this);this.da=this.R(this.element,"change",this.zD);g.R(this.api.T().experiments,"bulleit_use_touch_events_for_magpie")&&fN(this,this.da);this.show()}}; -g.k.onClick=function(a){0=this.Aa?(this.Z.hide(),this.Ja=!0,this.ma("i")):this.B&&this.B.isTemplated()&&(a=Math.max(0,Math.ceil((this.Aa-a)/1E3)),a!=this.Qa&&(MQ(this.B,{TIME_REMAINING:String(a)}),this.Qa=a)))}};g.w(UQ,NQ);g.k=UQ.prototype; +g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if((a=b.actionButton&&g.K(b.actionButton,g.mM))&&a.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d)if(b.image&&b.image.thumbnail){var e=b.image.thumbnail.thumbnails;null!=e&&0=this.Aa&&(PQ(this),g.Sp(this.element,"ytp-flyout-cta-inactive"),this.u.element.removeAttribute("tabIndex"))}}; +g.k.Vv=function(){this.clear()}; +g.k.clear=function(){this.hide();this.api.removeEventListener("playerUnderlayVisibilityChange",this.wR.bind(this))}; +g.k.show=function(){this.u&&this.u.show();NQ.prototype.show.call(this)}; +g.k.hide=function(){this.u&&this.u.hide();NQ.prototype.hide.call(this)}; +g.k.wR=function(a){"hidden"==a?this.show():this.hide()};g.w(VQ,eQ);g.k=VQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(this.j.rectangle)for(a=this.j.likeButton&&g.K(this.j.likeButton,u3),b=this.j.dislikeButton&&g.K(this.j.dislikeButton,u3),this.B.init(fN("toggle-button"),a,c),this.u.init(fN("toggle-button"),b,c),this.S(this.element,"change",this.xR),this.C.show(100),this.show(),c=g.t(this.j&&this.j.impressionCommands||[]),a=c.next();!a.done;a=c.next())a=a.value,this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for instream user sentiment."))}; g.k.clear=function(){this.hide()}; -g.k.toggleButton=function(a){g.J(this.D,"ytp-ad-toggle-button-toggled",a);this.B.checked=a;VO(this)}; -g.k.isToggled=function(){return this.B.checked};g.u(WO,W);g.k=WO.prototype;g.k.init=function(a,b,c){var d=this;W.prototype.init.call(this,a,b,c);this.B=b;this.B.rectangle&&(Moa(this,c),g.R(this.api.T().experiments,"bulleit_use_touch_events_for_magpie")&&fN(this,this.I),this.F.show(100),this.show(),(this.B&&this.B.impressionCommands||[]).forEach(function(e){return d.Ea.executeCommand(e,d.macros)}))}; +g.k.hide=function(){this.B.hide();this.u.hide();eQ.prototype.hide.call(this)}; +g.k.show=function(){this.B.show();this.u.show();eQ.prototype.show.call(this)}; +g.k.xR=function(){jla(this.element,"ytp-ad-instream-user-sentiment-selected");this.j.postMessageAction&&this.api.Na("onYtShowToast",this.j.postMessageAction);this.C.hide()}; +g.k.onClick=function(a){0=this.J&&pFa(this,!0)};g.w($Q,vQ);$Q.prototype.init=function(a,b,c){vQ.prototype.init.call(this,a,b,c);a=!1;null!=b.text&&(a=g.gE(b.text),a=!g.Tb(a));a?null==b.navigationEndpoint?g.DD(Error("No visit advertiser clickthrough provided in renderer,")):"STYLE_UNKNOWN"!==b.style?g.DD(Error("Button style was not a link-style type in renderer,")):this.show():g.DD(Error("No visit advertiser text was present in the renderer."))};g.w(aR,eQ);aR.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.text;g.Tb(fQ(a))?g.DD(Error("SimpleAdBadgeRenderer has invalid or empty text")):(a&&a.text&&(b=a.text,this.j&&(b=this.api.V(),b=a.text+" "+(b&&b.u?"\u2022":"\u00b7")),b={text:b,isTemplated:a.isTemplated},a.style&&(b.style=a.style),a.targetId&&(b.targetId=a.targetId),a=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),a.init(fN("simple-ad-badge"),b,c),a.Ea(this.element),g.E(this,a)),this.show())}; +aR.prototype.clear=function(){this.hide()};g.w(bR,gN);g.w(cR,g.dE);g.k=cR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(a){this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:a.current};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(dR,g.dE);g.k=dR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.start=function(){this.j||(this.j=!0,this.timer.start())}; +g.k.stop=function(){this.j&&(this.j=!1,this.timer.stop())}; +g.k.yc=function(){this.Mi+=100;var a=!1;this.Mi>this.durationMs&&(this.Mi=this.durationMs,this.timer.stop(),a=!0);this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:this.Mi/1E3};this.xe&&this.xe.yc(this.u.current);this.ma("h");a&&this.ma("g")}; +g.k.getProgressState=function(){return this.u};g.w(gR,NQ);g.k=gR.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);var d;if(null==b?0:null==(d=b.templatedCountdown)?0:d.templatedAdText){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.DD(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.u=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb);this.u.init(fN("ad-text"),a,{});this.u.Ea(this.element);g.E(this,this.u)}this.show()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){this.D.hide();this.C.hide();W.prototype.hide.call(this)}; -g.k.show=function(){this.D.show();this.C.show();W.prototype.show.call(this)}; -g.k.AD=function(){var a=this.element,b=!g.zn(a,"ytp-ad-instream-user-sentiment-selected");g.J(a,"ytp-ad-instream-user-sentiment-selected",b);this.B.postMessageAction&&this.api.va("onYtShowToast",this.B.postMessageAction);this.F.hide()}; -g.k.onClick=function(a){0a)g.M(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&b.ctaButton.buttonRenderer)if(b.brandImage)if(b.backgroundImage&&b.backgroundImage.thumbnailLandscapePortraitRenderer&&b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape){Woa(this.F,b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape);Woa(this.P, -b.brandImage);g.Ne(this.X,g.U(b.text));this.B=new IN(this.api,this.Ea,this.layoutId,this.u,["ytp-ad-survey-interstitial-action-button"]);g.C(this,this.B);this.B.fa(this.I);this.B.init(rI("button"),b.ctaButton.buttonRenderer,c);this.B.show();var e=b.timeoutCommands;this.D=new VN(1E3*a);this.D.subscribe("a",function(){d.C.hide();e.forEach(function(f){return d.Ea.executeCommand(f,c)}); -d.Ea.executeCommand({adLifecycleCommand:{action:"END_LINEAR_AD"}},c)}); -g.C(this,this.D);this.R(this.element,"click",function(f){return Voa(d,f,b)}); -this.C.show(100);b.impressionCommands&&b.impressionCommands.forEach(function(f){return d.Ea.executeCommand(f,c)})}else g.M(Error("SurveyTextInterstitialRenderer has no landscape background image.")); -else g.M(Error("SurveyTextInterstitialRenderer has no brandImage."));else g.M(Error("SurveyTextInterstitialRenderer has no button."));else g.M(Error("SurveyTextInterstitialRenderer has no text."));else g.M(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; -mP.prototype.clear=function(){this.hide()}; -mP.prototype.show=function(){Xoa(!0);W.prototype.show.call(this)}; -mP.prototype.hide=function(){Xoa(!1);W.prototype.hide.call(this)};g.u(nP,g.P);g.k=nP.prototype;g.k.xD=function(){return 1E3*this.u.getDuration(this.C,!1)}; -g.k.stop=function(){this.D&&this.B.Eb(this.D)}; -g.k.yD=function(){var a=this.u.getProgressState(this.C);this.F={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:g.R(this.u.T().experiments,"halftime_ux_killswitch")?a.current:this.u.getCurrentTime(this.C,!1)};this.V("b")}; -g.k.getProgressState=function(){return this.F}; -g.k.WL=function(a){g.xI(a,2)&&this.V("a")};var mCa="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.u(pP,KM); -pP.prototype.C=function(a){var b=a.id,c=a.content;if(c){var d=c.componentType;if(!mCa.includes(d))switch(a.actionType){case 1:a=this.K();var e=this.D,f=c.layoutId,h=c.u;h=void 0===h?{}:h;switch(d){case "invideo-overlay":a=new EO(e,a,f,h);break;case "persisting-overlay":a=new OO(e,a,f,h,new nP(e));break;case "player-overlay":a=new cP(e,a,f,h,new nP(e));break;case "survey":a=new lP(e,a,f,h);break;case "ad-action-interstitial":a=new WN(e,a,f,h);break;case "ad-text-interstitial":a=new $N(e,a,f,h);break; -case "survey-interstitial":a=new mP(e,a,f,h);break;case "ad-choice-interstitial":a=new YN(e,a,f,h);break;case "ad-message":a=new LO(e,a,f,h,new nP(e,1));break;default:a=null}if(!a){g.Eo(Error("No UI component returned from ComponentFactory for type: "+d));break}Sb(this.B,b)?g.Eo(Error("Ad UI component already registered: "+b)):this.B[b]=a;a.bind(c);this.F.append(a.Za);break;case 2:b=Zoa(this,a);if(null==b)break;b.bind(c);break;case 3:c=Zoa(this,a),null!=c&&(g.eg(c),Sb(this.B,b)?(c=this.B,b in c&& -delete c[b]):g.Eo(Error("Ad UI component does not exist: "+b)))}}}; -pP.prototype.aa=function(){g.fg(Object.values(this.B));this.B={};KM.prototype.aa.call(this)};var nCa={dV:"replaceUrlMacros",LT:"isExternalShelfAllowedFor"};qP.prototype.ai=function(){return"adLifecycleCommand"}; -qP.prototype.handle=function(a){var b=this;switch(a.action){case "START_LINEAR_AD":g.um(function(){b.controller.kt()}); -break;case "END_LINEAR_AD":g.um(function(){b.controller.jt()}); -break;case "END_LINEAR_AD_PLACEMENT":g.um(function(){b.controller.tp()}); -break;case "FILL_INSTREAM_SLOT":g.um(function(){a.elementId&&b.controller.Fr(a.elementId)}); -break;case "FILL_ABOVE_FEED_SLOT":g.um(function(){a.elementId&&b.controller.Lo(a.elementId)}); -break;case "CLEAR_ABOVE_FEED_SLOT":g.um(function(){b.controller.wo()})}}; -qP.prototype.hj=function(a){this.handle(a)};rP.prototype.ai=function(){return"adPlayerControlsCommand"}; -rP.prototype.handle=function(a){var b=this.yo();switch(a.action){case "AD_PLAYER_CONTROLS_ACTION_SEEK_TO_END":var c=UH(b.u)&&b.B.nk()?b.u.getDuration(2):0;if(0>=c)break;b.seekTo(g.be(c-(Number(a.seekOffsetMilliseconds)||0)/1E3,0,c));break;case "AD_PLAYER_CONTROLS_ACTION_RESUME":b.resume()}}; -rP.prototype.hj=function(a){this.handle(a)};sP.prototype.ai=function(){return"clearCueRangesCommand"}; -sP.prototype.handle=function(){var a=this.yo();g.um(function(){OK(a,Array.from(a.I))})}; -sP.prototype.hj=function(a){this.handle(a)};tP.prototype.ai=function(){return"muteAdEndpoint"}; -tP.prototype.handle=function(a){apa(this,a)}; -tP.prototype.hj=function(a,b){apa(this,a,b)};uP.prototype.ai=function(){return"pingingEndpoint"}; -uP.prototype.handle=function(){}; -uP.prototype.hj=function(a){this.handle(a)};vP.prototype.ai=function(){return"urlEndpoint"}; -vP.prototype.handle=function(a,b){var c=g.on(a.url,b);g.sK(c)}; -vP.prototype.hj=function(){fH("Trying to handle UrlEndpoint with no macro in controlflow")};wP.prototype.ai=function(){return"adPingingEndpoint"}; -wP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;this.jo.send(a,b,c)}; -wP.prototype.hj=function(a,b){Bqa(this.Da.get(),a,b)};xP.prototype.ai=function(){return"changeEngagementPanelVisibilityAction"}; -xP.prototype.handle=function(a){this.J.va("changeEngagementPanelVisibility",{changeEngagementPanelVisibilityAction:a})}; -xP.prototype.hj=function(a){this.handle(a)};yP.prototype.ai=function(){return"loggingUrls"}; -yP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,this.Bh.send(d.baseUrl,b,c,d.headers)}; -yP.prototype.hj=function(a,b){for(var c=g.q(a),d=c.next();!d.done;d=c.next())d=d.value,Bqa(this.Da.get(),d.baseUrl,b,d.headers)};g.u(cpa,g.B);var spa=new Map([[0,"normal"],[1,"skipped"],[2,"muted"],[6,"user_input_submitted"]]);var jpa=new Map([["opportunity_type_ad_break_service_response_received","OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED"],["opportunity_type_live_stream_break_signal","OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL"],["opportunity_type_player_bytes_media_layout_entered","OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED"],["opportunity_type_player_response_received","OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED"],["opportunity_type_throttled_ad_break_request_slot_reentry","OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY"]]), -fpa=new Map([["slot_type_in_player","SLOT_TYPE_IN_PLAYER"],["slot_type_above_feed","SLOT_TYPE_ABOVE_FEED"],["slot_type_below_player","SLOT_TYPE_BELOW_PLAYER"],["slot_type_player_bytes","SLOT_TYPE_PLAYER_BYTES"],["slot_type_forecasting","SLOT_TYPE_FORECASTING"],["slot_type_ad_break_request","SLOT_TYPE_AD_BREAK_REQUEST"]]),hpa=new Map([["layout_type_media_break","LAYOUT_TYPE_MEDIA_BREAK"],["layout_type_media_layout_player_overlay","LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY"],["layout_type_companion_with_action_button", -"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON"],["layout_type_companion_with_image","LAYOUT_TYPE_COMPANION_WITH_IMAGE"],["layout_type_companion_with_shopping","LAYOUT_TYPE_COMPANION_WITH_SHOPPING"],["layout_type_media","LAYOUT_TYPE_MEDIA"],["layout_type_composite_player_bytes","LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"],["layout_type_forecasting","LAYOUT_TYPE_FORECASTING"],["layout_type_in_video_text_overlay","LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY"],["layout_type_in_video_enhanced_text_overlay","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"], -["layout_type_in_video_image_overlay","LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"],["layout_type_ad_break_response","LAYOUT_TYPE_AD_BREAK_RESPONSE"],["layout_type_throttled_ad_break_response","LAYOUT_TYPE_THROTTLED_AD_BREAK_RESPONSE"],["layout_type_survey","LAYOUT_TYPE_SURVEY"],["layout_type_sliding_text_player_overlay","LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY"],["layout_type_video_interstitial_buttoned_left","LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT"]]),CP=new Map([["trigger_type_on_new_playback_after_content_video_id", -"TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID"],["trigger_type_on_different_slot_id_enter_requested","TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED"],["trigger_type_slot_id_entered","TRIGGER_TYPE_SLOT_ID_ENTERED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_scheduled","TRIGGER_TYPE_SLOT_ID_SCHEDULED"],["trigger_type_slot_id_fulfilled_empty","TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY"],["trigger_type_slot_id_fulfilled_non_empty", -"TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY"],["trigger_type_layout_id_entered","TRIGGER_TYPE_LAYOUT_ID_ENTERED"],["trigger_type_on_different_layout_id_entered","TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED"],["trigger_type_layout_id_exited","TRIGGER_TYPE_LAYOUT_ID_EXITED"],["trigger_type_on_layout_self_exit_requested","TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED"],["trigger_type_on_element_self_enter_requested","TRIGGER_TYPE_ON_SLOT_SELF_ENTER_REQUESTED"],["trigger_type_before_content_video_id_started", -"TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED"],["trigger_type_after_content_video_id_ended","TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED"],["trigger_type_media_time_range","TRIGGER_TYPE_MEDIA_TIME_RANGE"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED","TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED","TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED"],["trigger_type_close_requested","TRIGGER_TYPE_CLOSE_REQUESTED"],["trigger_type_time_relative_to_layout_enter","TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER"], -["trigger_type_not_in_media_time_range","TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE"],["trigger_type_survey_submitted","TRIGGER_TYPE_SURVEY_SUBMITTED"],["trigger_type_skip_requested","TRIGGER_TYPE_SKIP_REQUESTED"],["trigger_type_on_opportunity_received","TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED"],["trigger_type_layout_id_active_and_slot_id_has_exited","TRIGGER_TYPE_LAYOUT_ID_ACTIVE_AND_SLOT_ID_HAS_EXITED"],["trigger_type_playback_minimized","TRIGGER_TYPE_PLAYBACK_MINIMIZED"]]),tqa=new Map([[5,"TRIGGER_CATEGORY_SLOT_ENTRY"], -[4,"TRIGGER_CATEGORY_SLOT_FULFILLMENT"],[3,"TRIGGER_CATEGORY_SLOT_EXPIRATION"],[0,"TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL"],[1,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"],[2,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"],[6,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED"]]),gpa=new Map([["unspecified","CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"],["core","CONTROL_FLOW_MANAGER_LAYER_CORE"],["adapter","CONTROL_FLOW_MANAGER_LAYER_ADAPTER"],["surface","CONTROL_FLOW_MANAGER_LAYER_SURFACE"],["external","CONTROL_FLOW_MANAGER_LAYER_EXTERNAL"]]), -dpa=new Map([["normal",{cq:"ADS_CLIENT_EVENT_TYPE_NORMAL_EXIT_LAYOUT_REQUESTED",tq:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_NORMALLY"}],["skipped",{cq:"ADS_CLIENT_EVENT_TYPE_SKIP_EXIT_LAYOUT_REQUESTED",tq:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_SKIP"}],["muted",{cq:"ADS_CLIENT_EVENT_TYPE_MUTE_EXIT_LAYOUT_REQUESTED",tq:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_MUTE"}],["abandoned",{cq:"ADS_CLIENT_EVENT_TYPE_ABANDON_EXIT_LAYOUT_REQUESTED",tq:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_ABANDON"}],["user_input_submitted", -{cq:"ADS_CLIENT_EVENT_TYPE_USER_INPUT_SUBMITTED_EXIT_LAYOUT_REQUESTED",tq:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_USER_INPUT_SUBMITTED"}]]);g.u(HP,g.B);g.k=HP.prototype;g.k.Dg=function(a,b){tQ(this.Bb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_RECEIVED",a,b,void 0);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.Dg(a,b)}; -g.k.Ee=function(a){if(LP(this.u,a)){aJ(this.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",a);this.u.Ee(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.Ee(a);mpa(this,a)}}; -g.k.Fe=function(a){if(LP(this.u,a)){aJ(this.Bb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",a);this.u.Fe(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.Fe(a);LP(this.u,a)&&MP(this.u,a).F&&JP(this,a,!1)}}; -g.k.Kd=function(a,b){if(LP(this.u,a)){NP(this.Bb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",a,b);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.Kd(a,b)}}; -g.k.Ud=function(a,b,c){if(LP(this.u,a)){NP(this.Bb,epa(c),a,b);this.u.Ud(a,b);for(var d=g.q(this.B),e=d.next();!e.done;e=d.next())e.value.Ud(a,b,c);(c=YP(this.u,a))&&b.layoutId===c.layoutId&&zpa(this,a,!1)}}; -g.k.aa=function(){var a=Apa(this.u);a=g.q(a);for(var b=a.next();!b.done;b=a.next())JP(this,b.value,!1);g.B.prototype.aa.call(this)};aQ.prototype.isActive=function(){switch(this.u){case "entered":case "rendering":case "rendering_stop_requested":case "exit_requested":return!0;default:return!1}}; -aQ.prototype.Yw=function(){switch(this.D){case "fill_requested":return!0;default:return!1}}; -aQ.prototype.Xw=function(){switch(this.u){case "exit_requested":return!0;default:return!1}}; -aQ.prototype.Vw=function(){switch(this.u){case "rendering_stop_requested":return!0;default:return!1}};g.u(OP,$a);g.u(bQ,g.B);g.k=bQ.prototype;g.k.lg=function(a){a=MP(this,a);"not_scheduled"!==a.u&&ZP(a.slot,a.u,"onSlotScheduled");a.u="scheduled"}; -g.k.Mo=function(a){a=MP(this,a);a.D="fill_requested";a.I.Mo()}; -g.k.Ee=function(a){a=MP(this,a);"enter_requested"!==a.u&&ZP(a.slot,a.u,"onSlotEntered");a.u="entered"}; -g.k.ym=function(a){MP(this,a).ym=!0}; -g.k.Yw=function(a){return MP(this,a).Yw()}; -g.k.Xw=function(a){return MP(this,a).Xw()}; -g.k.Vw=function(a){return MP(this,a).Vw()}; -g.k.Fe=function(a){a=MP(this,a);"exit_requested"!==a.u&&ZP(a.slot,a.u,"onSlotExited");a.u="scheduled"}; -g.k.Ud=function(a,b){var c=MP(this,a);null!=c.layout&&c.layout.layoutId===b.layoutId&&("rendering_stop_requested"!==c.u&&ZP(c.slot,c.u,"onLayoutExited"),c.u="entered")};g.u(Epa,g.B);g.u(eQ,g.B);eQ.prototype.get=function(){this.la()&&fH("Tried to retrieve object during dispose",void 0,void 0,{type:typeof this.u});this.u||(this.u=this.B());return this.u};g.u(sQ,g.B);g.u(wQ,g.B);wQ.prototype.lt=function(){}; -wQ.prototype.kx=function(a){var b=this,c=this.u.get(a);c&&(this.u["delete"](a),this.vb.get().removeCueRange(a),RG(this.kb.get(),"opportunity_type_throttled_ad_break_request_slot_reentry",function(){var d=b.ab.get();d=pQ(d.Sa.get(),"slot_type_ad_break_request");return[Object.assign(Object.assign({},c),{slotId:d,Wb:c.Wb?pqa(c.slotId,d,c.Wb):void 0,oe:qqa(c.slotId,d,c.oe),cf:qqa(c.slotId,d,c.cf)})]},c.slotId))}; -wQ.prototype.si=function(){for(var a=g.q(this.u.keys()),b=a.next();!b.done;b=a.next())b=b.value,this.vb.get().removeCueRange(b);this.u.clear()}; -wQ.prototype.Kl=function(){};g.u(xQ,g.B);g.k=xQ.prototype;g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ee=function(){}; -g.k.Ah=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(a,b){this.B.has(a)||this.B.set(a,new Set);this.B.get(a).add(b)}; -g.k.xi=function(a,b){this.u.has(a)&&this.u.get(a)===b&&fH("Unscheduled a Layout that is currently entered.",a,b);if(this.B.has(a)){var c=this.B.get(a);c.has(b)?(c["delete"](b),0===c.size&&this.B["delete"](a)):fH("Trying to unscheduled a Layout that was not scheduled.",a,b)}else fH("Trying to unscheduled a Layout that was not scheduled.",a,b)}; -g.k.Kd=function(a,b){this.u.set(a,b)}; -g.k.Ud=function(a){this.u["delete"](a)}; -g.k.Dg=function(){};JQ.prototype.clone=function(a){var b=this;return new JQ(function(){return b.triggerId},a)};KQ.prototype.clone=function(a){var b=this;return new KQ(function(){return b.triggerId},a)};LQ.prototype.clone=function(a){var b=this;return new LQ(function(){return b.triggerId},a)};MQ.prototype.clone=function(a){var b=this;return new MQ(function(){return b.triggerId},a)};NQ.prototype.clone=function(a){var b=this;return new NQ(function(){return b.triggerId},a)};g.u(QQ,g.B);QQ.prototype.logEvent=function(a){tQ(this,a)};g.u(SQ,g.B);SQ.prototype.addListener=function(a){this.listeners.push(a)}; -SQ.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -SQ.prototype.B=function(){g.R(this.ya.get().J.T().experiments,"html5_mark_internal_abandon_in_pacf")&&this.u&&vqa(this,this.u)};g.u(TQ,g.B);TQ.prototype.addCueRange=function(a,b,c,d,e,f,h){f=void 0===f?2:f;h=void 0===h?1:h;this.u.has(a)?fH("Tried to register duplicate cuerange",void 0,void 0,{CueRangeID:a}):(a=new wqa(a,b,c,d,f),this.u.set(a.id,{ld:a,listener:e}),g.GM(this.J,[a],h))}; -TQ.prototype.removeCueRange=function(a){var b=this.u.get(a);b?(g.HM(this.J.app,[b.ld],1),this.u["delete"](a)):fH("Requested to remove unknown cuerange",void 0,void 0,{CueRangeID:a})}; -TQ.prototype.C=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.lt(a.id)}; -TQ.prototype.D=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.kx(a.id)}; -g.u(wqa,g.tD);XQ.prototype.C=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.QC()}; -XQ.prototype.B=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.PC()}; -XQ.prototype.D=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.RC()};g.u(ZQ,QH);ZQ.prototype.lf=function(){return this.u()}; -ZQ.prototype.B=function(){return this.C()};g.u(g.dR,g.Wr);g.dR.prototype.R=function(a,b,c){return g.Wr.prototype.R.call(this,a,b,c)};g.u(eR,g.B);g.k=eR.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.LP=function(a,b){var c=this.Zq(b);this.u=c;this.listeners.forEach(function(e){e.uE(c)}); -var d=TG(this,1);d.clientPlaybackNonce!==this.contentCpn&&(this.contentCpn=d.clientPlaybackNonce,this.listeners.forEach(function(){}))}; -g.k.Zq=function(a){var b,c,d,e,f=a.author,h=a.clientPlaybackNonce,l=a.isListed,m=a.Yb,n=a.title,p=a.Tf,r=a.Le,t=a.isMdxPlayback,w=a.qg,x=a.mdxEnvironment,y=a.videoId||"",D=a.bf||"",F=a.Ng||"";a=a.Xi||void 0;m=this.Cc.get().u.get(m)||{layoutId:null,slotId:null};var G=this.J.getVideoData(1),O=G.Bg(),K=G.getPlayerResponse();G=1E3*this.J.getDuration(1);K=(null===(c=null===(b=null===K||void 0===K?void 0:K.playerConfig)||void 0===b?void 0:b.daiConfig)||void 0===c?void 0:c.enableDai)||(null===(e=null=== -(d=null===K||void 0===K?void 0:K.playerConfig)||void 0===d?void 0:d.daiConfig)||void 0===e?void 0:e.enableServerStitchedDai)||!1;return Object.assign(Object.assign({},m),{videoId:y,author:f,clientPlaybackNonce:h,JA:G,daiEnabled:K,isListed:l,Bg:O,bf:D,title:n,Ng:F,Tf:p,Le:r,Xi:a,isMdxPlayback:t,qg:w,mdxEnvironment:x})}; -g.k.aa=function(){this.listeners.length=0;this.u=null;g.B.prototype.aa.call(this)};g.u(fR,g.B);g.k=fR.prototype;g.k.si=function(){var a=this;this.u=fb(function(){a.J.la()||g.dX(a.J,"ad",1)})}; -g.k.Kl=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.pauseVideo=function(){this.J.pauseVideo()}; -g.k.getVolume=function(){return this.J.getVolume()}; -g.k.isMuted=function(){return this.J.isMuted()}; -g.k.getPresentingPlayerType=function(){return this.J.getPresentingPlayerType()}; -g.k.getPlayerState=function(a){return this.J.getPlayerState(a)}; -g.k.isFullscreen=function(){return this.J.isFullscreen()}; -g.k.LO=function(){if(2===this.J.getPresentingPlayerType())for(var a=XP(this,2,!1),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.vn(a)}; -g.k.CO=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.yn(a)}; -g.k.rK=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.jn(a)}; -g.k.sK=function(){for(var a=g.q(this.listeners),b=a.next();!b.done;b=a.next())b.value.kn()}; -g.k.yi=function(){for(var a=this.J.app.visibility.u,b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.yi(a)}; -g.k.Ra=function(){for(var a=g.pG(this.J).getPlayerSize(),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.un(a)};g.u(Iqa,g.B);gR.prototype.executeCommand=function(a,b){cM(this.u(),a,b)};iR.prototype.Mo=function(){var a=this;Lqa(this.B,function(){var b=AO(a.slot.xa,"metadata_type_ad_break_request_data");return a.Pc.get().fetch({BG:b.getAdBreakUrl,RA:new g.tD(b.wF,b.vF),zo:AO(a.slot.xa,"metadata_type_cue_point")})},function(b){b=b.Rg; -(!b.length||2<=b.length)&&fH("Unexpected ad placement renderers length",a.slot,null,{length:b.length})})}; -iR.prototype.u=function(){Mqa(this.B)};jR.prototype.Mo=function(){var a=this;Lqa(this.B,function(){var b=AO(a.slot.xa,"metadata_type_ad_break_request_data");return a.Pc.get().fetch({BG:b.getAdBreakUrl,RA:new g.tD(b.wF,b.vF)})})}; -jR.prototype.u=function(){Mqa(this.B)};vQ.prototype.Mo=function(){npa(this.callback,this.slot,AO(this.slot.xa,"metadata_type_fulfilled_layout"))}; -vQ.prototype.u=function(){KP(this.callback,this.slot,new WG("Got CancelSlotFulfilling request for "+this.slot.Xa+" in DirectFulfillmentAdapter."))};g.u(kR,Nqa);kR.prototype.u=function(a,b){if(uQ(b,{Se:["metadata_type_ad_break_request_data","metadata_type_cue_point"],Xa:"slot_type_ad_break_request"}))return new iR(a,b,this.Pc,this.wb,this.Ya,this.ya);if(uQ(b,{Se:["metadata_type_ad_break_request_data"],Xa:"slot_type_ad_break_request"}))return new jR(a,b,this.Pc,this.wb,this.Ya,this.ya);throw new WG("Unsupported slot with type: "+b.Xa+" and client metadata: "+BP(b.xa)+" in AdBreakRequestSlotFulfillmentAdapterFactory.");};g.u(lR,Nqa);lR.prototype.u=function(a,b){throw new WG("Unsupported slot with type: "+b.Xa+" and client metadata: "+BP(b.xa)+" in DefaultFulfillmentAdapterFactory.");};g.k=Oqa.prototype;g.k.dg=function(){return this.slot}; -g.k.yg=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)QP(this.callback,this.slot,a,new OP("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var b=AO(a.xa,"metadata_type_ad_break_response_data");"slot_type_ad_break_request"===this.slot.Xa?(this.callback.Kd(this.slot,a),Tma(this.u,this.slot,b)):fH("Unexpected slot type in AdBreakResponseLayoutRenderingAdapter - this should never happen", -this.slot,a)}}; -g.k.Ok=function(a,b){a.layoutId!==this.layout.layoutId?QP(this.callback,this.slot,a,new OP("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.Ud(this.slot,a,b)};nR.prototype.u=function(a,b,c,d){if(mR(d,{Se:["metadata_type_ad_break_response_data"],nh:["layout_type_ad_break_response","layout_type_throttled_ad_break_response"]}))return new Oqa(a,c,d,this.B);throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in AdBreakRequestLayoutRenderingAdapterFactory.");};g.k=Pqa.prototype;g.k.dg=function(){return this.slot}; -g.k.yg=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?QP(this.callback,this.slot,a,new OP("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.callback.Kd(this.slot,a),tO(this.Fa,"impression"),NR(this.u,a.layoutId))}; -g.k.Ok=function(a,b){a.layoutId!==this.layout.layoutId?QP(this.callback,this.slot,a,new OP("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.Ud(this.slot,a,b)};oR.prototype.u=function(a,b,c,d){if(mR(d,Qqa()))return new Pqa(a,c,d,this.Da,this.B);throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in ForecastingLayoutRenderingAdapterFactory.");};g.u(pR,g.P);g.k=pR.prototype;g.k.dg=function(){return this.slot}; -g.k.yg=function(){return this.layout}; -g.k.init=function(){this.B.get().addListener(this)}; -g.k.release=function(){this.B.get().removeListener(this);this.dispose()}; -g.k.Zo=function(){}; -g.k.Cw=function(){}; -g.k.Bw=function(){}; -g.k.qs=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?QP(this.callback,this.slot,a,new OP("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(a=this.B.get(),fra(a,this.Ij,1))}; -g.k.Ok=function(a,b){if(a.layoutId!==this.layout.layoutId)QP(this.callback,this.slot,a,new OP("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var c=this.B.get();fra(c,this.Ij,3);this.Ij=[];this.callback.Ud(this.slot,a,b)}}; -g.k.aa=function(){this.B.get().removeListener(this);g.P.prototype.aa.call(this)};g.u(tR,pR);g.k=tR.prototype;g.k.init=function(){pR.prototype.init.call(this);qR(this.Fa,this.dg(),this.yg(),this.callback,"metadata_type_action_companion_ad_renderer",function(a,b,c,d,e){return new HI(a,b,c,d,e)},this.Ij)}; -g.k.nf=function(a){sR(this.ko,a,this.pd.get().u,this.Da.get(),this.Yg,this.Qk,this.dg(),this.yg())}; -g.k.Kd=function(a,b){b.layoutId===this.layout.layoutId?tO(this.Fa,"impression"):rR(this.Qk,b)&&(null===this.Yg?this.Yg=aR(this.Da.get()):fH("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.Ud=function(){}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ah=function(){}; -g.k.Ee=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Dg=function(){}; -g.k.aa=function(){this.Nd().B["delete"](this);pR.prototype.aa.call(this)};g.u(uR,pR);uR.prototype.init=function(){pR.prototype.init.call(this);var a=AO(this.layout.xa,"metadata_type_instream_ad_player_overlay_renderer"),b={adsClientData:this.layout.Ye};this.Ij.push(new wK(a,this.layout.layoutId,AO(this.layout.xa,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"),b))}; -uR.prototype.startRendering=function(a){pR.prototype.startRendering.call(this,a);this.callback.Kd(this.slot,a)}; -uR.prototype.nf=function(a){a:{var b=this.pd.get();var c=this.C;b=g.q(b.u.values());for(var d=b.next();!d.done;d=b.next())if(d.value.layoutId===c){c=!0;break a}c=!1}if(c)switch(a){case "visit-advertiser":this.Da.get().J.sendVideoStatsEngageEvent(3,void 0,2)}switch(a){case "ad-mute-confirm-dialog-close-button":case "ad-feedback-undo-mute-button":case "ad-info-dialog-close-button":this.u||(a=this.oa.get(),2===a.J.getPlayerState(2)&&a.J.playVideo());break;case "ad-info-icon-button":(this.u=2===this.oa.get().J.getPlayerState(2))|| -this.oa.get().pauseVideo();break;case "visit-advertiser":this.oa.get().pauseVideo();AO(this.layout.xa,"metadata_type_player_bytes_callback").hy();break;case "skip-button":a=AO(this.layout.xa,"metadata_type_player_bytes_callback"),a.X&&a.IE()}}; -uR.prototype.aa=function(){pR.prototype.aa.call(this)};wR.prototype.u=function(a,b,c,d){if(a=vR(a,c,d,this.Mb,this.oa,this.Da,this.pd))return a;throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in OtherWebInPlayerLayoutRenderingAdapterFactory.");};g.u(zR,g.B);g.k=zR.prototype;g.k.dg=function(){return this.slot}; -g.k.yg=function(){return this.layout}; -g.k.init=function(){AO(this.layout.xa,"metadata_type_player_bytes_callback_ref").current=this;IP(this.Nd(),this);this.oa.get().addListener(this);var a=AO(this.layout.xa,"metadata_type_video_length_seconds");zqa(this.bb.get(),this.layout.layoutId,a,this);bR(this.Da.get(),this)}; -g.k.release=function(){AO(this.layout.xa,"metadata_type_player_bytes_callback_ref").current=null;this.Nd().B["delete"](this);this.oa.get().removeListener(this);Aqa(this.bb.get(),this.layout.layoutId);cR(this.Da.get(),this);this.u.dispose()}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)QP(this.callback,this.slot,a,new OP("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else if(uI(this.bd.get(),1)){var b=this.oa.get().J;g.BM(b.app,2);Wqa(this,!1);WK(this.Hc.get());b=AO(a.xa,"metadata_type_ad_video_id");var c=AO(a.xa,"metadata_type_legacy_info_card_vast_extension");c&&this.fd.get().J.T().K.add(b,{vo:c});(b=AO(a.xa,"metadata_type_sodar_extension_data"))&& -Jqa(this.Xc.get(),b);Hqa(this.oa.get(),!1);b=this.kc.get();IM(b.J.app,-1);b=this.Tc.get();a=AO(a.xa,"metadata_type_player_vars");b.J.cueVideoByPlayerVars(a,2);this.u.start();this.Tc.get().J.playVideo(2)}else yR(this,"ui_unstable",new OP("Failed to render media layout because ad ui unstable."))}; -g.k.Kd=function(a,b){var c;if(b.layoutId===this.layout.layoutId){tO(this.Fa,"impression");tO(this.Fa,"start");this.oa.get().isMuted()&&sO(this.Fa,"mute");this.oa.get().isFullscreen()&&sO(this.Fa,"fullscreen");this.u.stop();var d="adcompletioncuerange:"+this.layout.layoutId;this.vb.get().addCueRange(d,0x7ffffffffffff,0x8000000000000,!1,this,1,2);(this.adCpn=(null===(c=TG(this.Ca.get(),2))||void 0===c?void 0:c.clientPlaybackNonce)||"")||fH("Media layout confirmed started, but ad CPN not set.");ZK(this.Hc.get()); -d=this.kc.get();IM(d.J.app,1);this.kc.get().u("onAdStart",this.adCpn);d=AO(this.layout.xa,"metadata_type_instream_video_ad_commands").impressionCommands||[];var e=this.Xb.get(),f=this.layout.layoutId;aM(e.u(),d,f)}}; -g.k.hy=function(){sO(this.Fa,"clickthrough")}; -g.k.Ok=function(a){a.layoutId!==this.layout.layoutId?QP(this.callback,this.slot,a,new OP("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.u.stop(),Hqa(this.oa.get(),!0),g.FM(this.oa.get().J,2))}; -g.k.lt=function(a){a!=="adcompletioncuerange:"+this.layout.layoutId?fH("Received CueRangeEnter signal for unknown layout.",this.slot,this.layout,{cueRangeId:a}):(this.vb.get().removeCueRange(a),a=AO(this.layout.xa,"metadata_type_video_length_seconds"),Vqa(this,a,!0),tO(this.Fa,"complete"),NR(this.F,this.layout.layoutId))}; -g.k.Ud=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(YK(this.Hc.get()),Wqa(this,!0),"abandoned"!==c&&this.kc.get().u("onAdComplete"),this.kc.get().u("onAdEnd",this.adCpn),a=this.kc.get(),IM(a.J.app,0),c){case "abandoned":tO(this.Fa,"abandon");c=AO(this.layout.xa,"metadata_type_instream_video_ad_commands").onAbandonCommands||[];a=this.Xb.get();b=this.layout.layoutId;aM(a.u(),c,b);break;case "normal":tO(this.Fa,"complete");c=AO(this.layout.xa,"metadata_type_instream_video_ad_commands").completeCommands|| -[];a=this.Xb.get();b=this.layout.layoutId;aM(a.u(),c,b);break;case "skipped":tO(this.Fa,"skip");break;case "error":tO(this.Fa,"error")}}; -g.k.Qo=function(){return this.layout.layoutId}; -g.k.hw=function(){return this.D}; -g.k.kx=function(){}; -g.k.vn=function(a){Vqa(this,a)}; -g.k.yn=function(a){var b,c;this.C||(a=new g.vI(a.state,new g.bL),this.C=!0);var d=this.B&&2!==this.oa.get().getPresentingPlayerType();g.xI(a,2)||d?this.callback.Ud(this.slot,this.layout,"normal"):Tqa(a)?this.B?(d=this.kc.get(),IM(d.J.app,1)):(this.B=!0,this.callback.Kd(this.slot,this.layout)):a.state.isError()?yR(this,null===(b=a.state.getData())||void 0===b?void 0:b.errorCode,new OP("There was a player error during this media layout.",{playerErrorCode:null===(c=a.state.getData())||void 0===c?void 0: -c.errorCode})):g.xI(a,4)&&!g.xI(a,2)&&(sO(this.Fa,"pause"),d=this.kc.get(),IM(d.J.app,2));0>wI(a,4)&&!(0>wI(a,2))&&sO(this.Fa,"resume")}; -g.k.QC=function(){tO(this.Fa,"active_view_measurable")}; -g.k.PC=function(){tO(this.Fa,"active_view_fully_viewable_audible_half_duration")}; -g.k.RC=function(){tO(this.Fa,"active_view_viewable")}; -g.k.aa=function(){this.release();g.B.prototype.aa.call(this)}; -g.k.jn=function(a){2===this.oa.get().getPresentingPlayerType()&&(a?sO(this.Fa,"fullscreen"):sO(this.Fa,"end_fullscreen"))}; -g.k.kn=function(){2===this.oa.get().getPresentingPlayerType()&&sO(this.Fa,this.oa.get().isMuted()?"mute":"unmute")}; -g.k.yi=function(){}; -g.k.un=function(){}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ah=function(){}; -g.k.Ee=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Dg=function(){};AR.prototype.u=function(a,b,c,d){b=this.Nd;var e=this.B,f=this.Da,h=this.bb,l=this.Xc,m=this.Tc,n=this.Ca,p=this.oa,r=this.vb,t=this.Hc,w=this.kc,x=this.bd,y=this.Xb,D=this.fd;a=mR(d,Uqa())?new zR(a,c,d,b,e,f,h,l,m,n,p,r,t,w,x,y,D):void 0;if(a)return a;throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.u(BR,g.B);g.k=BR.prototype;g.k.Kd=function(a,b){var c=this;if(Xqa(this)&&"layout_type_media"===b.layoutType)if(zP(b,this.u)){var d=TG(this.Ca.get(),2),e=this.B(b,d);e?RG(this.kb.get(),"opportunity_type_player_bytes_media_layout_entered",function(){return[rqa(c.ab.get(),e.contentCpn,e.Wy,function(f){return c.C(f.slotId,"core",e,FP(c.Ya.get(),f))})]}):fH("Expected MediaLayout to carry valid opportunity on entered",a,b)}else fH("Received MediaLayout entered, missing metadata for opportunity",a,b,{Actual:BP(b.xa), -Expected:this.u})}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ee=function(){}; -g.k.Ah=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Dg=function(){}; -g.k.Ud=function(){};var nS=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=Yqa.prototype;g.k.init=function(){}; -g.k.dg=function(){return this.slot}; -g.k.Uv=function(){this.callback.Ee(this.slot)}; -g.k.Zv=function(){this.callback.Fe(this.slot)}; -g.k.release=function(){};DR.prototype.u=function(a,b){return new Yqa(a,b)};g.k=Zqa.prototype;g.k.init=function(){}; -g.k.dg=function(){return this.slot}; -g.k.Uv=function(){var a=this.oa.get();g.I(a.J.getRootNode(),"ad-showing");this.callback.Ee(this.slot)}; -g.k.Zv=function(){this.callback.Fe(this.slot);var a=this.oa.get();g.Bn(a.J.getRootNode(),"ad-showing")}; -g.k.release=function(){};g.k=$qa.prototype;g.k.init=function(){aH(this.slot)&&(this.u=!0)}; -g.k.dg=function(){return this.slot}; -g.k.Uv=function(){var a=this.oa.get();g.I(a.J.getRootNode(),"ad-showing");a=this.oa.get();g.I(a.J.getRootNode(),"ad-interrupting");this.callback.Ee(this.slot)}; -g.k.Zv=function(){ara(this);var a=this.oa.get();g.Bn(a.J.getRootNode(),"ad-showing");a=this.oa.get();g.Bn(a.J.getRootNode(),"ad-interrupting");this.callback.Fe(this.slot)}; -g.k.release=function(){ara(this)};ER.prototype.u=function(a,b){if(zG(b,["metadata_type_dai"],"slot_type_player_bytes"))return new Zqa(a,b,this.oa);if(zG(b,[],"slot_type_player_bytes"))return new $qa(a,b,this.oa);throw new WG("Unsupported slot with type "+b.Xa+" and client metadata: "+(BP(b.xa)+" in PlayerBytesSlotAdapterFactory."));};g.u(GR,g.B);GR.prototype.Zo=function(a){for(var b=[],c=g.q(this.gb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof kQ&&2===d.category&&e.B===a&&b.push(d)}b.length&&TP(this.qx(),b)};g.u(HR,GR);g.k=HR.prototype;g.k.nf=function(a,b){if(b)if("survey-submit"===a){for(var c=[],d=g.q(this.gb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof lQ&&f.B===b&&c.push(e)}c.length?TP(this.qx(),c):fH("Survey is submitted but no registered triggers can be activated.")}else if("skip-button"===a){c=[];d=g.q(this.gb.values());for(e=d.next();!e.done;e=d.next())e=e.value,f=e.trigger,f instanceof kQ&&1===e.category&&f.B===b&&c.push(e);c.length&&TP(this.qx(),c)}}; -g.k.Zo=function(a){GR.prototype.Zo.call(this,a)}; -g.k.Jg=function(a,b,c,d){if(this.gb.has(b.triggerId))throw new WG("Tried to register duplicate trigger for slot.");if(!(b instanceof lQ||b instanceof kQ))throw new WG("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.gb.set(b.triggerId,new FR(a,b,c,d))}; -g.k.Mg=function(a){this.gb["delete"](a.triggerId)}; -g.k.Cw=function(){}; -g.k.Bw=function(){}; -g.k.qs=function(){};g.u(IR,g.B);g.k=IR.prototype; -g.k.Jg=function(a,b,c,d){if(this.gb.has(b.triggerId))throw new WG("Tried to register duplicate trigger for slot.");if(!(b instanceof JQ||b instanceof KQ||b instanceof LQ||b instanceof MQ||b instanceof NQ||b instanceof BQ||b instanceof bH||b instanceof iQ||b instanceof AQ||b instanceof FQ))throw new WG("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new FR(a,b,c,d);this.gb.set(b.triggerId,a);b instanceof NQ&&this.F.has(b.u)&&TP(this.u(), -[a]);b instanceof JQ&&this.C.has(b.u)&&TP(this.u(),[a]);b instanceof bH&&this.B.has(b.B)&&TP(this.u(),[a])}; -g.k.Mg=function(a){this.gb["delete"](a.triggerId)}; -g.k.lg=function(a){this.F.add(a.slotId);for(var b=[],c=g.q(this.gb.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof NQ&&a.slotId===d.trigger.u&&b.push(d);0wI(a,16)){a=g.q(this.u);for(var b=a.next();!b.done;b=a.next())this.lt(b.value);this.u.clear()}}; -g.k.vn=function(){}; -g.k.jn=function(){}; -g.k.yi=function(){}; -g.k.un=function(){}; -g.k.kn=function(){};g.u(MR,g.B);g.k=MR.prototype;g.k.Jg=function(a,b,c,d){if(this.gb.has(b.triggerId))throw new WG("Tried to register duplicate trigger for slot.");if(!(b instanceof mQ||b instanceof IQ))throw new WG("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.gb.set(b.triggerId,new FR(a,b,c,d))}; -g.k.Mg=function(a){this.gb["delete"](a.triggerId)}; -g.k.kt=function(){}; -g.k.jt=function(){}; -g.k.tp=function(){}; -g.k.Kd=function(a,b){"slot_type_above_feed"===a.Xa&&(null!=this.u?fH("called onLayoutEntered with AboveFeedSlot but there is already a layout entered"):this.u=b.layoutId)}; -g.k.Ud=function(a){"slot_type_above_feed"===a.Xa&&(this.u=null)}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ah=function(){}; -g.k.Ee=function(a){"slot_type_above_feed"===a.Xa&&(null!=this.B?fH("called onSlotEntered with AboveFeedSlot but there is already a slot entered"):this.B=a.slotId)}; -g.k.Fe=function(a){"slot_type_above_feed"===a.Xa&&(null===this.B?fH("called onSlotExited with AboveFeedSlot but there is no entered slot"):this.B=null)}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Dg=function(){}; -g.k.wo=function(){null!=this.u&&NR(this,this.u)}; -g.k.Lo=function(a){if(null===this.B){for(var b=[],c=g.q(this.gb.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof IQ&&d.trigger.slotId===a&&b.push(d);b.length&&TP(this.C(),b)}}; -g.k.Fr=function(){};g.u(OR,g.B);g.k=OR.prototype;g.k.Dg=function(a,b){for(var c=[],d=g.q(this.gb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&TP(this.u(),c)}; -g.k.Jg=function(a,b,c,d){if(this.gb.has(b.triggerId))throw new WG("Tried to register duplicate trigger for slot.");if(!(b instanceof mqa))throw new WG("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.gb.set(b.triggerId,new FR(a,b,c,d))}; -g.k.Mg=function(a){this.gb["delete"](a.triggerId)}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ah=function(){}; -g.k.Ee=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Kd=function(){}; -g.k.Ud=function(){};g.u(PR,g.B);PR.prototype.init=function(){}; -PR.prototype.release=function(){}; -PR.prototype.aa=function(){this.Ed.get().removeListener(this);g.B.prototype.aa.call(this)};QR.prototype.fetch=function(a){var b=this,c=a.RA;return this.Xu.fetch(a.BG,{zo:void 0===a.zo?void 0:a.zo,ld:c}).then(function(d){var e=null,f=null;if(g.R(b.ya.get().J.T().experiments,"get_midroll_info_use_client_rpc"))f=d;else try{(e=JSON.parse(d.response))&&(f=e)}catch(h){d.response&&(d=d.response,d.startsWith("GIF89")||(h.params=d.substr(0,256),g.lr(h)))}return era(f,c)})};g.u(RR,g.B);g.k=RR.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.onAdUxClicked=function(a,b){SR(this,function(c){c.nf(a,b)})}; -g.k.qK=function(a){SR(this,function(b){b.Cw(a)})}; -g.k.pK=function(a){SR(this,function(b){b.Bw(a)})}; -g.k.BM=function(a){SR(this,function(b){b.qs(a)})};UR.prototype.u=function(a,b){for(var c=[],d=1;d=Math.abs(e-f)}e&&tO(this.Fa,"ad_placement_end")}; -g.k.uE=function(a){a=a.layoutId;var b,c;this.u&&(null===(b=this.u.Sh)||void 0===b?void 0:b.layout.layoutId)!==a&&(null===(c=this.u.Sh)||void 0===c?void 0:c.Ok("normal"),jra(this,a))}; -g.k.mE=function(){}; -g.k.bE=function(a){var b=AO(this.layout.xa,"metadata_type_layout_enter_ms"),c=AO(this.layout.xa,"metadata_type_layout_exit_ms");a*=1E3;b<=a&&ad&&(c=d-c,d=this.Rf.get(),sAa(d.J.app,b,c))}else fH("Unexpected failure to add to playback timeline",this.slot,this.layout,Object.assign(Object.assign({},ZR(this.layout)),{compositeLayout:ora(AO(this.slot.xa,"metadata_type_fulfilled_layout"))}))}else fH("Expected non-zero layout duration",this.slot,this.layout,Object.assign(Object.assign({},ZR(this.layout)),{compositeLayout:ora(AO(this.slot.xa,"metadata_type_fulfilled_layout"))}));this.oa.get().addListener(this); -zqa(this.bb.get(),this.layout.layoutId,a,this);opa(this.callback,this.slot,this.layout)}; -g.k.release=function(){this.oa.get().removeListener(this);Aqa(this.bb.get(),this.layout.layoutId)}; -g.k.startRendering=function(){if(this.u)fH("Expected the layout not to be entered before start rendering",this.slot,this.layout);else{this.u={ex:null,MF:!1};var a=AO(this.layout.xa,"metadata_type_sodar_extension_data");if(a)try{Jqa(this.Xc.get(),a)}catch(b){fH("Unexpected error when loading Sodar",this.slot,this.layout,{error:b})}qpa(this.callback,this.slot,this.layout)}}; -g.k.Ok=function(a){this.u?(this.u=null,BK(this.callback,this.slot,this.layout,a)):fH("Expected the layout to be entered before stop rendering",this.slot,this.layout)}; -g.k.vn=function(a){if(this.u){if(this.Fa.u.has("impression")){var b=YQ(this.oa.get());nra(this,b,a,this.u.ex)}this.u.ex=a}}; -g.k.yn=function(a){if(this.u){this.u.MF||(this.u.MF=!0,a=new g.vI(a.state,new g.bL));var b=XP(this.oa.get(),2,!1);Tqa(a)&&xR(b,0,null)&&tO(this.Fa,"impression");if(this.Fa.u.has("impression")&&(g.xI(a,4)&&!g.xI(a,2)&&sO(this.Fa,"pause"),0>wI(a,4)&&!(0>wI(a,2))&&sO(this.Fa,"resume"),g.xI(a,16)&&.5<=XP(this.oa.get(),2,!1)&&sO(this.Fa,"seek"),g.xI(a,2))){var c=AO(this.layout.xa,"metadata_type_video_length_seconds"),d=1>=Math.abs(c-b);nra(this,a.state,d?c:b,this.u.ex);d&&tO(this.Fa,"complete")}}}; -g.k.jn=function(a){this.Fa.u.has("impression")&&sO(this.Fa,a?"fullscreen":"end_fullscreen")}; -g.k.yi=function(){}; -g.k.un=function(){}; -g.k.IE=function(){}; -g.k.kn=function(){}; -g.k.hy=function(){this.Fa.u.has("impression")&&sO(this.Fa,"clickthrough")}; -g.k.QC=function(){sO(this.Fa,"active_view_measurable")}; -g.k.PC=function(){this.Fa.u.has("impression")&&!this.Fa.u.has("seek")&&sO(this.Fa,"active_view_fully_viewable_audible_half_duration")}; -g.k.RC=function(){this.Fa.u.has("impression")&&!this.Fa.u.has("seek")&&sO(this.Fa,"active_view_viewable")};$R.prototype.u=function(a,b,c,d){if(c.xa.u.has("metadata_type_dai")){a:{var e=AO(d.xa,"metadata_type_sub_layouts"),f=AO(d.xa,"metadata_type_ad_placement_config");if(mR(d,{Se:["metadata_type_layout_enter_ms","metadata_type_drift_recovery_ms","metadata_type_layout_exit_ms"],nh:["layout_type_composite_player_bytes"]})&&void 0!==e&&void 0!==f){var h=[];e=g.q(e);for(var l=e.next();!l.done;l=e.next()){l=l.value;var m=AO(l.xa,"metadata_type_sub_layout_index");if(!mR(l,{Se:["metadata_type_video_length_seconds", -"metadata_type_player_vars","metadata_type_layout_enter_ms","metadata_type_layout_exit_ms","metadata_type_player_bytes_callback_ref"],nh:["layout_type_media"]})||void 0===m){a=null;break a}m=new nO(l.Yd,this.Da,f,l.layoutId,m);h.push(new mra(b,c,l,this.Rf,m,this.oa,this.Cc,this.bb,this.Xc))}b=new nO(d.Yd,this.Da,f,d.layoutId);a=new hra(a,c,d,this.Ca,this.Rf,this.Fd,this.oa,b,this.Da,h)}else a=null}if(a)return a}else{h=this.Nd;b=this.B;f=this.Da;e=this.bb;l=this.Xc;m=this.Tc;var n=this.Ca,p=this.oa, -r=this.vb,t=this.Hc,w=this.kc,x=this.bd,y=this.Xb,D=this.fd;a=mR(d,Uqa())?new zR(a,c,d,h,b,f,e,l,m,n,p,r,t,w,x,y,D):void 0;if(a)return a}throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in PlayerBytesLayoutRenderingAdapterFactory.");};g.u(aS,g.B);g.k=aS.prototype;g.k.mE=function(a){this.u&&pra(this,this.u,a)}; -g.k.bE=function(){}; -g.k.si=function(a){this.u&&this.u.contentCpn!==a&&(fH("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn}),this.u=null)}; -g.k.Kl=function(a){this.u&&this.u.contentCpn!==a&&fH("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn});this.u=null}; -g.k.aa=function(){g.B.prototype.aa.call(this);this.u=null};g.u(bS,g.B); -bS.prototype.Jg=function(a,b,c,d){if(this.B.has(b.triggerId)||this.C.has(b.triggerId))throw new WG("Tried to re-register the trigger.");a=new FR(a,b,c,d);if(a.trigger instanceof oqa)this.B.set(a.trigger.triggerId,a);else if(a.trigger instanceof lqa)this.C.set(a.trigger.triggerId,a);else throw new WG("Incorrect TriggerType: Tried to register trigger of type "+a.trigger.triggerType+" in LiveStreamBreakTransitionTriggerAdapter");this.B.has(a.trigger.triggerId)&&a.slot.slotId===this.u&&TP(this.D(),[a])}; -bS.prototype.Mg=function(a){this.B["delete"](a.triggerId);this.C["delete"](a.triggerId)}; -bS.prototype.uE=function(a){a=a.slotId;if(this.u!==a){var b=[];null!=this.u&&b.push.apply(b,g.la(qra(this.C,this.u)));null!=a&&b.push.apply(b,g.la(qra(this.B,a)));this.u=a;b.length&&TP(this.D(),b)}};g.u(cS,g.B);g.k=cS.prototype;g.k.si=function(){this.D=new HK(this,xqa(this.ya.get()));this.C=new IK;rra(this)}; -g.k.Kl=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.nE=function(a){this.u.push(a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.mE(a)}; -g.k.cE=function(a){g.Fb(this.C.u,1E3*a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.bE(a)}; -g.k.Kx=function(a){var b=TG(this.Ca.get(),1),c=b.clientPlaybackNonce;b=b.daiEnabled;var d=Date.now();a=g.q(a);for(var e=a.next();!e.done;e=a.next()){e=e.value;if(b){this.Da.get();var f={cuepointTrigger:{event:sra(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:d,contentCpn:c}};g.Lq("adsClientStateChange",f)}this.B.add(e);this.D.reduce(e)}}; -g.k.aa=function(){this.J.getVideoData(1).unsubscribe("cuepointupdated",this.Kx,this);this.listeners.length=0;this.B.clear();this.u.length=0;g.B.prototype.aa.call(this)};g.u(dS,g.B);g.k=dS.prototype;g.k.Jg=function(a,b,c,d){if(this.gb.has(b.triggerId))throw new WG("Tried to register duplicate trigger for slot.");if(!(b instanceof jQ))throw new WG("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.gb.set(b.triggerId,new FR(a,b,c,d));a=this.u.has(b.layoutId)?this.u.get(b.layoutId):new Set;a.add(b);this.u.set(b.layoutId,a)}; -g.k.Mg=function(a){this.gb["delete"](a.triggerId);if(!(a instanceof jQ))throw new WG("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.B.get(a.triggerId);b&&(b.dispose(),this.B["delete"](a.triggerId));if(b=this.u.get(a.layoutId))b["delete"](a),0===b.size&&this.u["delete"](a.layoutId)}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ah=function(){}; -g.k.Ee=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Dg=function(){}; -g.k.Kd=function(a,b){var c=this;if(this.u.has(b.layoutId)){var d=this.u.get(b.layoutId),e={};d=g.q(d);for(var f=d.next();!f.done;e={co:e.co},f=d.next())e.co=f.value,f=new g.H(function(h){return function(){var l=c.gb.get(h.co.triggerId);TP(c.C(),[l])}}(e),e.co.durationMs),f.start(),this.B.set(e.co.triggerId,f)}}; -g.k.Ud=function(){};eS.prototype.addListener=function(a){this.listeners.add(a)}; -eS.prototype.removeListener=function(a){this.listeners["delete"](a)};g.u(fS,pR);g.k=fS.prototype;g.k.init=function(){pR.prototype.init.call(this);qR(this.Fa,this.dg(),this.yg(),this.callback,"metadata_type_image_companion_ad_renderer",function(a,b,c,d,e){return new LM(a,b,c,d,e)},this.Ij)}; -g.k.nf=function(a){sR(this.ko,a,this.pd.get().u,this.Da.get(),this.Yg,this.Qk,this.dg(),this.yg())}; -g.k.Kd=function(a,b){b.layoutId===this.layout.layoutId?tO(this.Fa,"impression"):rR(this.Qk,b)&&(null===this.Yg?this.Yg=aR(this.Da.get()):fH("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.Ud=function(){}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ah=function(){}; -g.k.Ee=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Dg=function(){}; -g.k.aa=function(){this.Nd().B["delete"](this);pR.prototype.aa.call(this)};g.u(gS,pR);g.k=gS.prototype;g.k.init=function(){pR.prototype.init.call(this);qR(this.Fa,this.dg(),this.yg(),this.callback,"metadata_type_shopping_companion_carousel_renderer",function(a,b,c,d,e){return new uJ(a,b,c,d,e)},this.Ij)}; -g.k.nf=function(a){sR(this.ko,a,this.pd.get().u,this.Da.get(),this.Yg,this.Qk,this.dg(),this.yg())}; -g.k.Kd=function(a,b){b.layoutId===this.layout.layoutId?tO(this.Fa,"impression"):rR(this.Qk,b)&&(null===this.Yg?this.Yg=aR(this.Da.get()):fH("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.Ud=function(){}; -g.k.lg=function(){}; -g.k.Bi=function(){}; -g.k.Ah=function(){}; -g.k.Ee=function(){}; -g.k.Fe=function(){}; -g.k.zi=function(){}; -g.k.Ai=function(){}; -g.k.zh=function(){}; -g.k.xi=function(){}; -g.k.Dg=function(){}; -g.k.aa=function(){this.Nd().B["delete"](this);pR.prototype.aa.call(this)};zra.prototype.u=function(a,b,c,d){if(mR(d,Rqa()))return new tR(a,c,d,this.Mb,this.Da,this.Nd,this.bb,this.pd);if(mR(d,xra()))return new fS(a,c,d,this.Mb,this.Da,this.Nd,this.bb,this.pd);if(mR(d,yra()))return new gS(a,c,d,this.Mb,this.Da,this.Nd,this.bb,this.pd);throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in DesktopAboveFeedLayoutRenderingAdapterFactory.");};g.u(hS,pR);g.k=hS.prototype;g.k.vn=function(){}; -g.k.yn=function(){}; -g.k.jn=function(){}; -g.k.yi=function(a){a&&lS(this.u,this.layout)}; -g.k.un=function(a){if(yqa(this.ya.get())){var b=CO(this.layout);if(this.C=zO(a,Gqa(this.oa.get())))b.onErrorCommand&&this.Xb.get().executeCommand(b.onErrorCommand,this.layout.layoutId),lS(this.u,this.layout)}else xO(a)&&lS(this.u,this.layout)}; -g.k.kn=function(){}; -g.k.Qo=function(){return this.yg().layoutId}; -g.k.hw=function(){return this.C}; -g.k.nf=function(a){"in_video_overlay_close_button"===a&&lS(this.u,this.layout)}; -g.k.qs=function(a){"invideo-overlay"===a&&lS(this.u,this.layout)}; -g.k.startRendering=function(a){pR.prototype.startRendering.call(this,a);this.callback.Kd(this.slot,a)}; -g.k.init=function(){pR.prototype.init.call(this);bR(this.Da.get(),this);this.oa.get().addListener(this);this.Ij.push(new eJ(CO(this.layout),qO(this.Fa),this.layout.layoutId,{adsClientData:this.layout.Ye}))}; -g.k.release=function(){pR.prototype.release.call(this);this.oa.get().removeListener(this);cR(this.Da.get(),this)};g.u(iS,pR);g.k=iS.prototype;g.k.init=function(){pR.prototype.init.call(this);bR(this.Da.get(),this);this.oa.get().addListener(this);this.Ij.push(new eJ(CO(this.layout),qO(this.Fa),this.layout.layoutId,{adsClientData:this.layout.Ye}))}; -g.k.startRendering=function(a){pR.prototype.startRendering.call(this,a);this.callback.Kd(this.slot,a)}; -g.k.nf=function(a){"in_video_overlay_close_button"===a&&lS(this.u,this.layout)}; -g.k.Cw=function(a){if("invideo-overlay"===a){a=wra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.stop()}}; -g.k.qs=function(a){"invideo-overlay"===a&&lS(this.u,this.layout)}; -g.k.Bw=function(a){if("invideo-overlay"===a){a=wra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.start()}}; -g.k.vn=function(){}; -g.k.yn=function(){}; -g.k.jn=function(){}; -g.k.yi=function(a){a&&lS(this.u,this.layout)}; -g.k.un=function(a){var b=CO(this.layout),c=b.contentSupportedRenderer.imageOverlayAdContentRenderer;if(yqa(this.ya.get())){if(this.C=zO(a,Gqa(this.oa.get()),Bra(c)))b.onErrorCommand&&this.Xb.get().executeCommand(b.onErrorCommand,this.layout.layoutId),lS(this.u,this.layout)}else xO(a,Bra(c))&&lS(this.u,this.layout)}; -g.k.kn=function(){}; -g.k.Qo=function(){return this.yg().layoutId}; -g.k.hw=function(){return this.C}; -g.k.release=function(){pR.prototype.release.call(this);this.oa.get().removeListener(this);cR(this.Da.get(),this)};jS.prototype.u=function(a,b,c,d){if(b=vR(a,c,d,this.Mb,this.oa,this.Da,this.pd))return b;b=["metadata_type_invideo_overlay_ad_renderer"];for(var e=g.q(oO()),f=e.next();!f.done;f=e.next())b.push(f.value);if(mR(d,{Se:b,nh:["layout_type_in_video_image_overlay"]}))return new iS(c,d,this.Da,this.bb,this.Mb,a,this.B,this.C,this.oa,this.Xb,this.ya);if(mR(d,Ara()))return new hS(c,d,this.Da,this.bb,this.Mb,a,this.B,this.oa,this.Xb,this.ya);throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+ -BP(d.xa)+" in WebDesktopMainAndEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.u(kS,g.B);kS.prototype.Jg=function(a,b,c,d){if(this.gb.has(b.triggerId))throw new WG("Tried to register duplicate trigger for slot.");if(!(b instanceof kqa))throw new WG("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in CloseRequestedTriggerAdapter");this.gb.set(b.triggerId,new FR(a,b,c,d))}; -kS.prototype.Mg=function(a){this.gb["delete"](a.triggerId)};g.u(mS,g.B);mS.prototype.init=function(){}; -mS.prototype.release=function(){}; -mS.prototype.aa=function(){this.oi.get().removeListener(this);g.B.prototype.aa.call(this)};g.u(Cra,g.B);g.u(Dra,g.B);g.u(Era,g.B);g.u(Fra,g.B);g.u(oS,uR);oS.prototype.startRendering=function(a){uR.prototype.startRendering.call(this,a);AO(this.layout.xa,"metadata_ad_video_is_listed")&&(a=AO(this.layout.xa,"metadata_type_ad_info_ad_metadata"),this.tm.get().J.va("onAdMetadataAvailable",a))};Gra.prototype.u=function(a,b,c,d){b=Sqa();b.Se.push("metadata_type_ad_info_ad_metadata");if(mR(d,b))return new oS(a,c,d,this.Mb,this.oa,this.Da,this.pd,this.tm);throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.u(Hra,g.B);Ira.prototype.u=function(a,b,c,d){if(a=vR(a,c,d,this.Mb,this.oa,this.Da,this.pd))return a;throw new OP("Unsupported layout with type: "+d.layoutType+" and client metadata: "+BP(d.xa)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.u(Jra,g.B);g.u(Lra,g.B);g.u(g.pS,g.P);g.k=g.pS.prototype;g.k.create=function(){}; -g.k.load=function(){this.loaded=!0}; -g.k.unload=function(){this.loaded=!1}; -g.k.ee=function(){}; -g.k.Eh=function(){return!0}; -g.k.aa=function(){this.loaded&&this.unload();g.P.prototype.aa.call(this)}; -g.k.jb=function(){return{}}; -g.k.getOptions=function(){return[]};g.u(qS,g.pS);g.k=qS.prototype;g.k.create=function(){this.load();this.created=!0}; -g.k.load=function(){g.pS.prototype.load.call(this);this.player.getRootNode().classList.add("ad-created");var a=this.B.u.le.ag,b=this.F(),c=this.player.getVideoData(1),d=c&&c.videoId||"",e=c&&c.getPlayerResponse()||{},f=(e&&e.adPlacements||[]).map(function(l){return l.adPlacementRenderer}); -e=e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1;f=Ora(f,a,e);c=c&&c.clientPlaybackNonce||"";var h=1E3*this.player.getDuration(1);nM(a)?(this.u=new hM(this,this.player,this.D,b,this.B.u.le),oM(this.u,f.Zk),uqa(this.B.u.yj,c,h,f.An,f.An.concat(f.Zk),e,d),iM(this.u)):(uqa(this.B.u.yj,c,h,f.An,f.An.concat(f.Zk),e,d),this.u=new hM(this,this.player,this.D,b,this.B.u.le),oM(this.u,f.Zk))}; -g.k.destroy=function(){var a=this.player.getVideoData(1);vqa(this.B.u.yj,a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; -g.k.unload=function(){g.pS.prototype.unload.call(this);this.player.getRootNode().classList.remove("ad-created");if(null!==this.u){var a=this.u;this.u=null;a.dispose()}null!=this.C&&(a=this.C,this.C=null,a.dispose());this.D.reset()}; -g.k.Eh=function(){return!1}; -g.k.By=function(){return null===this.u?!1:this.u.By()}; -g.k.wi=function(a){null!==this.u&&this.u.wi(a)}; -g.k.getAdState=function(){return this.u?this.u.ka:-1}; -g.k.getOptions=function(){return Object.values(nCa)}; -g.k.ee=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":var c=b;if(c.url){var d=KH(this.player);Object.assign(d,c.u);this.u&&!d.AD_CPN&&(d.AD_CPN=this.u.ra);c=g.on(c.url,d)}else c=null;return c;case "isExternalShelfAllowedFor":a:if(b.playerResponse){c=b.playerResponse.adPlacements||[];for(d=0;dthis.B;)a[d++]^=c[this.B++];for(var e=b-(b-d)%16;da||10WF&&(a=Math.max(.1,a)),this.ju(a))}; -g.k.stopVideo=function(){this.ze()&&(Pza&&jk&&0=a)){a-=this.u.length;for(var b=0;b=(a||1)}; -g.k.MH=function(){for(var a=this.C.length-1;0<=a;a--)GS(this,this.C[a]);this.u.length==this.B.length&&4<=this.u.length||(4>this.B.length?this.fB(4):(this.u=[],g.Gb(this.B,function(b){GS(this,b)},this)))}; -FS.prototype.fillPool=FS.prototype.fB;FS.prototype.getTag=FS.prototype.TI;FS.prototype.releaseTag=FS.prototype.uQ;FS.prototype.hasTags=FS.prototype.zJ;FS.prototype.activateTags=FS.prototype.MH;g.wT=eb(function(){var a="";try{var b=g.Fe("CANVAS").getContext("webgl");b&&(b.getExtension("WEBGL_debug_renderer_info"),a=b.getParameter(37446),a=a.replace(/[ :]/g,"_"))}catch(c){}return a});HS.prototype.isFinished=function(){return this.u}; -HS.prototype.start=function(){this.started=!0}; -HS.prototype.reset=function(){this.u=this.started=!1};IS.prototype.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; -IS.prototype.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; -IS.prototype.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; -IS.prototype.findIndex=function(a){return g.kb(this.keys,function(b){return g.Eb(a,b)})};JS.prototype.la=function(){return this.F}; -JS.prototype.dispose=function(){this.F=!0;g.LS(this);this.B=null};var tr=new rr,MS=0;g.u(OS,g.P);g.u(PS,OS);PS.prototype.I=function(a,b){if(a&&b){var c=1*Number(Pd(a,"cpi"))+1;isNaN(c)||0>=c||cthis.C&&(this.C=c,g.Wb(this.u)||(this.u={},this.D.stop(),this.B.stop())),this.u[b]=a,this.B.xb())}}; -PS.prototype.F=function(){for(var a=g.q(Object.keys(this.u)),b=a.next();!b.done;b=a.next())b=b.value,this.V("rotated_need_key_info_ready",new Jx(fsa(this.u[b],this.C,b),"fairplay",!0));this.u={}};var R1={},nsa=(R1.DRM_TRACK_TYPE_AUDIO="AUDIO",R1.DRM_TRACK_TYPE_SD="SD",R1.DRM_TRACK_TYPE_HD="HD",R1.DRM_TRACK_TYPE_UHD1="UHD1",R1);g.u(jsa,g.B);g.u(RS,g.P);g.k=RS.prototype;g.k.error=function(a,b,c,d){this.la()||this.V("licenseerror",a,b,c,d);b&&this.dispose()}; -g.k.shouldRetry=function(a,b){return this.ba&&this.K?!1:!a&&this.requestNumber===b.requestNumber}; -g.k.aa=function(){g.P.prototype.aa.call(this)}; -g.k.jb=function(){var a={requestedKeyIds:this.Z,cryptoPeriodIndex:this.cryptoPeriodIndex};this.D&&(a.keyStatuses=this.u);return a}; -g.k.te=function(){var a=this.I.join();if(SS(this)){var b=[],c;for(c in this.u)"usable"!==this.u[c].status&&b.push(this.u[c].type);a+="/UKS."+b}return a+="/"+this.cryptoPeriodIndex}; -g.k.nd=function(){return this.url}; -var S1={},Esa=(S1.widevine="DRM_SYSTEM_WIDEVINE",S1.fairplay="DRM_SYSTEM_FAIRPLAY",S1.playready="DRM_SYSTEM_PLAYREADY",S1);g.u(US,g.B);g.k=US.prototype;g.k.jK=function(a){if(this.F){var b=a.messageType||"license-request";this.F(new Uint8Array(a.message),b)}}; -g.k.kK=function(){this.K&&this.K(this.u.keyStatuses)}; -g.k.xE=function(a){this.F&&this.F(a.message,"license-request")}; -g.k.wE=function(a){if(this.C){if(this.B){var b=this.B.error.code;a=this.B.error.u}else b=a.errorCode,a=a.systemCode;this.C("t.prefixedKeyError;c."+b+";sc."+a)}}; -g.k.vE=function(){this.I&&this.I()}; -g.k.update=function(a){var b=this;if(this.u)return this.u.update(a).then(null,Do(function(c){Msa(b,"t.update",c)})); -this.B?this.B.update(a):this.element.addKey?this.element.addKey(this.N.u,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.N.u,a,this.initData,this.sessionId);return Cr()}; -g.k.aa=function(){this.u&&this.u.close();this.element=null;g.B.prototype.aa.call(this)};g.u(VS,g.B);g.k=VS.prototype;g.k.createSession=function(a,b){var c=a.initData;if(this.u.keySystemAccess){b&&b("createsession");var d=this.B.createSession();NC(this.u)&&(c=Psa(c,this.u.Zg));b&&b("genreq");c=d.generateRequest(a.contentType,c);var e=new US(null,null,null,d,null);c.then(function(){b&&b("genreqsuccess")},Do(function(f){Msa(e,"t.generateRequest",f)})); -return e}if(JC(this.u))return Rsa(this,c);if(MC(this.u))return Qsa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.u.u,c):this.element.webkitGenerateKeyRequest(this.u.u,c);return this.D=new US(this.element,this.u,c,null,null)}; -g.k.nK=function(a){var b=XS(this,a);b&&b.xE(a)}; -g.k.mK=function(a){var b=XS(this,a);b&&b.wE(a)}; -g.k.lK=function(a){var b=XS(this,a);b&&b.vE(a)}; -g.k.aa=function(){g.B.prototype.aa.call(this);delete this.element};g.u(YS,g.B); -YS.prototype.init=function(){return g.Ue(this,function b(){var c=this,d,e;return g.Aa(b,function(f){if(1==f.u)return g.E(c.u,{position:"absolute",width:"1px",height:"1px",display:"block"}),c.u.src=c.C.D,document.body.appendChild(c.u),c.F.R(c.u,"encrypted",c.I),d=[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}],g.ra(f,navigator.requestMediaKeySystemAccess("com.youtube.fairplay",d),2);e=f.B; -c.C.keySystemAccess=e;c.B=new VS(c.u,c.C);g.C(c,c.B);WS(c.B);f.u=0})})}; -YS.prototype.I=function(a){if(!this.la()){var b=new Uint8Array(a.initData);a=new Jx(b,a.initDataType);var c=esa(b).replace("skd://","https://"),d={},e=this.B.createSession(a,function(){}); -e&&(g.C(this,e),this.D.push(e),qsa(e,function(f){Ksa(f,e.u,c,d,"fairplay")},function(){},function(){},function(){}))}}; -YS.prototype.aa=function(){this.D=[];this.u&&this.u.parentNode&&this.u.parentNode.removeChild(this.u);g.B.prototype.aa.call(this)};g.u(ZS,OS);ZS.prototype.F=function(a){var b=(0,g.N)(),c;if(!(c=this.D)){a:{c=a.cryptoPeriodIndex;if(!isNaN(c))for(var d=g.q(this.C.values),e=d.next();!e.done;e=d.next())if(1>=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}c=!1}c=!c}c?c=0:(c=a.u,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30)));this.u.push({time:b+c,info:a});this.B.xb(c)};g.u(aT,g.P);g.k=aT.prototype;g.k.oK=function(a){$S(this,"onecpt");a.initData&&Vsa(this,new Uint8Array(a.initData),a.initDataType)}; -g.k.nO=function(a){$S(this,"onndky");Vsa(this,a.initData,a.contentType)}; -g.k.kA=function(a){this.D.push(a);cT(this)}; -g.k.createSession=function(a){this.C.get(a.initData);this.Z=!0;var b=new RS(this.videoData,this.B,a,this.drmSessionId);this.C.set(a.initData,b);b.subscribe("ctmp",this.VD,this);b.subscribe("hdentitled",this.hE,this);b.subscribe("keystatuseschange",this.cD,this);b.subscribe("licenseerror",this.iE,this);b.subscribe("newlicense",this.qE,this);b.subscribe("newsession",this.sE,this);b.subscribe("sessionready",this.GE,this);b.subscribe("fairplay_next_need_key_info",this.eE,this);tsa(b,this.I)}; -g.k.qE=function(a){this.la()||($S(this,"onnelcswhb"),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.V("heartbeatparams",a)))}; -g.k.sE=function(){this.la()||($S(this,"newlcssn"),this.D.shift(),this.Z=!1,cT(this))}; -g.k.GE=function(){if(JC(this.u)&&($S(this,"onsnrdy"),this.Aa--,0===this.Aa)){var a=this.X;a.element.msSetMediaKeys(a.C)}}; -g.k.cD=function(a){this.la()||(!this.ka&&this.videoData.ca("html5_log_drm_metrics_on_key_statuses")&&(ata(this),this.ka=!0),$S(this,"onksch"),Zsa(this,Gsa(a,this.da)),this.V("keystatuseschange",a))}; -g.k.hE=function(){this.la()||this.ea||!LC(this.u)||($S(this,"onhdet"),this.ra=Xva,this.V("hdproberequired"),this.V("qualitychange"))}; -g.k.VD=function(a,b){this.la()||this.V("ctmp",a,b)}; -g.k.eE=function(a,b){this.la()||this.V("fairplay_next_need_key_info",a,b)}; -g.k.iE=function(a,b,c,d){this.la()||(this.videoData.ca("html5_log_drm_metrics_on_error")&&ata(this),this.V("licenseerror",a,b,c,d))}; -g.k.aa=function(){this.u.keySystemAccess&&this.element.setMediaKeys(null);this.element=null;this.D=[];for(var a=g.q(this.C.values),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.VD,this),b.unsubscribe("hdentitled",this.hE,this),b.unsubscribe("keystatuseschange",this.cD,this),b.unsubscribe("licenseerror",this.iE,this),b.unsubscribe("newlicense",this.qE,this),b.unsubscribe("newsession",this.sE,this),b.unsubscribe("sessionready",this.GE,this),b.unsubscribe("fairplay_next_need_key_info", -this.eE,this),b.dispose();a=this.C;a.keys=[];a.values=[];g.P.prototype.aa.call(this)}; -g.k.jb=function(){for(var a={systemInfo:this.u.jb(),sessions:[]},b=g.q(this.C.values),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.jb());return a}; -g.k.te=function(){return 0>=this.C.values.length?"no session":this.C.values[0].te()+(this.F?"/KR":"")};g.u(eT,g.P); -eT.prototype.handleError=function(a,b){var c=this;eta(this,a);if(!fta(this,a)&&!ita(this,a,b))if(gta(a)&&this.videoData.Ia&&this.videoData.Ia.B)fT(this,a.errorCode,a.details),iT(this,"highrepfallback","1",{Ey:!0}),!this.videoData.ca("html5_hr_logging_killswitch")&&/^hr/.test(this.videoData.clientPlaybackNonce)&&btoa&&iT(this,"afmts",btoa(this.videoData.adaptiveFormats),{Ey:!0}),zma(this.videoData),this.V("highrepfallback");else if(a.u){var d=this.u?this.u.K.F:null;if(gta(a)&&d&&d.isLocked())var e="FORMAT_UNAVAILABLE"; -else if(!this.Oa.I&&"auth"===a.errorCode&&"429"===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}this.V("playererror",a.errorCode,e,g.UA(a.details),f)}else d=/^pp/.test(this.videoData.clientPlaybackNonce),fT(this,a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(d="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+"&t="+(0,g.N)(),(new lD(d,"manifest",function(h){c.W=!0;iT(c,"pathprobe",h)},function(h){fT(c,h.errorCode,h.details)})).send())}; -eT.prototype.aa=function(){this.B=this.u=null;g.P.prototype.aa.call(this)};g.u(kT,g.P);kT.prototype.setPlaybackRate=function(a){this.playbackRate=a}; -kT.prototype.ca=function(a){return g.R(this.u.experiments,a)};g.u(lT,g.B);lT.prototype.Vb=function(a){Dta(this);this.playerState=a.state;0<=this.B&&g.xI(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; -lT.prototype.onError=function(a){"player.fatalexception"!==a&&(a.match(oCa)?this.networkErrorCount++:this.nonNetworkErrorCount++)}; -lT.prototype.send=function(){if(!(this.C||0>this.u)){Dta(this);var a=g.mT(this.provider)-this.u,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.T(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.T(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.T(this.playerState,16)||g.T(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.T(this.playerState,1)&& -g.T(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.T(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.T(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.T(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");var d=AF(this.provider.videoData);c="LIVE_STREAM_MODE_UNKNOWN";"live"===d?c="LIVE_STREAM_MODE_LIVE":"dvr"===d&&(c="LIVE_STREAM_MODE_DVR");d=Eta(this.provider);var e=0>this.B?a:this.B-this.u;a=this.provider.u.Ja+36E5<(0,g.N)();b={started:0<=this.B,stateAtSend:b, -joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.xF(this.provider.videoData),isGapless:this.provider.videoData.ni};!a&&this.provider.ca("html5_health_to_gel")&&g.Lq("html5PlayerHealthEvent",b);this.provider.ca("html5_health_to_qoe")&&(b.muted=a,this.I(g.UA(b)));this.C=!0; -this.dispose()}}; -lT.prototype.aa=function(){this.C||this.send();g.B.prototype.aa.call(this)}; -var oCa=/\bnet\b/;g.u(qT,g.B);g.k=qT.prototype;g.k.mJ=function(){var a=g.mT(this.provider);sT(this,a)}; -g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.la()&&(a=0<=a?a:g.mT(this.provider),-1<["PL","B","S"].indexOf(this.Bc)&&(!g.Wb(this.u)||a>=this.C+30)&&(g.pT(this,a,"vps",[this.Bc]),this.C=a),!g.Wb(this.u)))if(7E3===this.sequenceNumber&&g.lr(Error("Sent over 7000 pings")),7E3<=this.sequenceNumber)this.u={};else{tT(this,a);var b=a,c=this.provider.I(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.za,h=e&&!this.Na;if(d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.K(),this.u.qoealert=["1"],this.ea=!0)}"B"!==a||"PL"!==this.Bc&&"PB"!==this.Bc||(this.W=!0);this.C=c}"B"=== -a&&"PL"===this.Bc||this.provider.videoData.Cj?tT(this,c):sT(this,c);"PL"===a&&this.Za.xb();g.pT(this,c,"vps",[a]);this.Bc=a;this.C=this.ha=c;this.P=!0}a=b.getData();g.T(b,128)&&a&&Jta(this,c,a.errorCode,a.uF);(g.T(b,2)||g.T(b,128))&&this.reportStats(c);b.Gb()&&!this.D&&(0<=this.B&&(this.u.user_intent=[this.B.toString()]),this.D=!0);uT(this)}; -g.k.getPlayerState=function(a){if(g.T(a,128))return"ER";if(g.T(a,512))return"SU";if(g.T(a,16)||g.T(a,32))return"S";var b=pCa[jL(a)];g.$B(this.provider.u)&&"B"===b&&3===this.provider.getVisibilityState()&&(b="SU");"B"===b&&g.T(a,4)&&(b="PB");return b}; -g.k.aa=function(){g.B.prototype.aa.call(this);window.clearInterval(this.ra)}; -var Lta=g.Oa,T1={},pCa=(T1[5]="N",T1[-1]="N",T1[3]="B",T1[0]="EN",T1[2]="PA",T1[1]="PL",T1);yT.prototype.Gm=function(){this.C.startTime=this.B;this.C.endTime=this.u;this.segments.length&&g.gb(this.segments).isEmpty()?this.segments[this.segments.length-1]=this.C:this.segments.length&&this.C.isEmpty()||this.segments.push(this.C);this.F+=this.u-this.B;this.C=xT(this.provider);this.B=this.u}; -yT.prototype.update=function(){if(this.K){var a=this.provider.B()||0,b=g.mT(this.provider);if(a!==this.u||Rta(this,a,b)){var c;if(!(c=ab-this.lastUpdateTime+2||Rta(this,a,b))){var d=this.provider.xe();c=d.volume;var e=c!==this.P;d=d.muted;d!==this.N?(this.N=d,c=!0):(!e||0<=this.D||(this.P=c,this.D=b),c=b-this.D,0<=this.D&&2=this.provider.videoData.Wg){if(this.C&&this.provider.videoData.Wg){var a=IT(this,"delayplay");a.Za=!0;a.send();this.X=!0}bua(this)}}; -g.k.Vb=function(a){this.la()||(g.T(a.state,2)?(this.currentPlayerState="paused",g.xI(a,2)&&this.C&&MT(this).send()):g.T(a.state,8)?(this.currentPlayerState="playing",this.C&&isNaN(this.B)&&JT(this,!1)):this.currentPlayerState="paused",this.D&&g.T(a.state,128)&&(LT(this,"error-100"),g.Ho(this.D)))}; -g.k.aa=function(){g.B.prototype.aa.call(this);g.Ho(this.B);this.B=NaN;Pta(this.u);g.Ho(this.D)}; -g.k.jb=function(){return CT(IT(this,"playback"))};g.u(NT,g.B);NT.prototype.Vb=function(a){if(g.xI(a,1024)||g.xI(a,2048)||g.xI(a,512)||g.xI(a,4)){if(this.B){var b=this.B;0<=b.B||(b.u=-1,b.delay.stop())}this.qoe&&(b=this.qoe,b.D||(b.B=-1))}this.provider.videoData.enableServerStitchedDai?this.currentVideoId&&(b=this.C.get(this.currentVideoId))&&b.Vb(a):this.u&&this.u.Vb(a);this.qoe&&this.qoe.Vb(a);this.B&&this.B.Vb(a)}; -NT.prototype.Vd=function(){this.u&&this.u.Vd()}; -NT.prototype.onError=function(a,b){if(this.qoe)this.qoe.onError(a,b);if(this.B)this.B.onError(a)}; -NT.prototype.jb=function(){return this.provider.videoData.enableServerStitchedDai?this.C.get(this.currentVideoId).jb():this.u?this.u.jb():{}};PT.prototype.reset=function(){zA(this.timerName)}; -PT.prototype.tick=function(a,b){CA(a,b,this.timerName)}; -PT.prototype.info=function(a,b){BA(a,b,this.timerName)};oua.prototype.isEmpty=function(){return this.endTime===this.startTime};pua.prototype.ca=function(a){return g.R(this.u.experiments,a)}; -var qua={other:1,none:2,wifi:3,cellular:7};sua.prototype.wc=function(){return this.Ia.wc()};g.u(wua,g.P);g.u(ZT,g.B);ZT.prototype.Vb=function(a){this.playerState=a.state}; -ZT.prototype.B=function(){var a=this;if(this.D&&!this.playerState.isError()){var b=this.D,c=b.getCurrentTime(),d=8===this.playerState.state&&c>this.u,e=Kna(this.playerState),f=this.visibility.isBackground()||this.playerState.isSuspended();$T(this,this.da,e&&!f,d,"qoe.slowseek",function(){},"timeout"); -e=e&&isFinite(this.u)&&0b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.Qa-c)||(this.V("ctmp","seekover","b."+gy(b, -"_")+";cmt."+a),this.Qa=c,this.seekTo(c,{ep:!0})))}}; -g.k.getCurrentTime=function(){return!isNaN(this.C)&&isFinite(this.C)?this.C:this.u&&Jua(this)?this.u.getCurrentTime()+this.D:this.K||0}; -g.k.isAtLiveHead=function(a){if(!this.B)return!1;void 0===a&&(a=this.getCurrentTime());return VT(this.B,a)}; -g.k.seekTo=function(a,b){var c=void 0===b?{}:b,d=void 0===c.oG?!1:c.oG,e=void 0===c.pG?0:c.pG,f=void 0===c.ep?!1:c.ep;c=void 0===c.Py?0:c.Py;var h=a,l=!isFinite(h)||(this.B?VT(this.B,h):h>=this.Ad())||!g.GF(this.videoData);l||this.V("ctmp","seeknotallowed",h+";"+this.Ad());if(!l)return this.I&&(this.I=null,Hua(this)),Dm(this.getCurrentTime());if(a===this.C&&this.ba)return this.N;this.ba&&cU(this);this.N||(this.N=new dw);a&&!isFinite(a)&&eU(this,!1);h=a;(jU(this)&&!(this.u&&0b||0>a)&&c+a<=this.u.totalLength&&(c=this.u.split(c).im.split(a),a=c.ws,c=c.im,this.C(b,a),this.u=c,this.B())};UU.prototype.fetch=function(){return g.Ue(this,function b(){var c=this,d,e,f,h,l,m,n,p,r,t,w,x,y;return g.Aa(b,function(D){switch(D.u){case 1:return d=c,c.D.start(),c.u.tick("ogpd"),sa(D,2),g.ra(D,Bva(c),4);case 4:e=D.B;ta(D,3);break;case 2:return f=ua(D),f instanceof TA?VU(c,f):(h=new TA("onesie.request",!1),VU(c,h)),D["return"](c.B);case 3:c.u.tick("osor");l=Wu(c.videoData.T());m=e.lm();g.ak()&&(m=new Uint8Array(m.buffer.slice(0,m.length)));n={method:"POST",body:m,headers:{"Content-Type":"text/plain"}}; -p=function(){zva(d)}; -r=function(){zva(d);var F,G=d.xhr;G.Ml()?F=new TA("onesie.net",!1,{msg:G.Ml()}):400<=G.status?F=new TA("onesie.net.badstatus",!1):G.us()?d.F||(F=new TA("onesie.response.noplayerresponse",!1)):F=new TA(204===G.status?"onesie.net.nocontent":"onesie.net.connect",!1);F?VU(d,F):d.u.tick("orf")}; -t=g.Oa;w=xva(c.videoData);if(!w)return x={url:"0"},y=new TA("onesie.unavailable.hotconfig",!1,x),VU(c,y),D["return"](c.B);c.u.tick("ocs");c.xhr=new Yw(w,p,r,t,l,n);return D["return"](c.B)}})})}; -UU.prototype.I=function(){VU(this,new TA("onesie.request",!1,{timeout:"1"}))};g.u($U,g.P);g.k=$U.prototype;g.k.aa=function(){this.FF();this.Qe.stop();window.clearInterval(this.wd);Oua(this.hd);this.ba.unsubscribe("visibilitystatechange",this.hd);eV(this);bV(this);g.tp(this.Ja);fW(this);delete this.X;g.eg(this.u);g.eg(this.N);this.ra=null;this.Za=!1;this.Rb=0;g.P.prototype.aa.call(this)}; -g.k.Dh=function(a,b,c){c=void 0===c?!0:c;this.ha.length=0;this.ob=null;this.ka.reset();this.Aa.reset();this.xc=!1;this.Oi=0;this.Df=!0;this.Lc=null;this.B&&this.B.stopVideo();cV(this);eV(this);bV(this);g.tp(this.Ja);this.za.clear();g.eg(this.u);g.eg(this.N);if(2==this.Lb||this.F.Sq)a.qC=!0;var d=this.F.B;var e=this.F.C,f;(f=a.Up)||(f=(f=a.gz)&&qCa.hasOwnProperty(f)&&rCa.hasOwnProperty(f)?rCa[f]+"_"+qCa[f]:void 0);if(f){var h=f.match(sCa);if(h&&5===h.length){if(h=f.match(sCa)){var l=Number(h[3]),m= -[7,8,10,5,6];h=!(1===Number(h[1])&&8===l)&&0<=m.indexOf(l)}else h=!1;d=d||e||h?f:null}else d=null}else d=null;d&&(a.adFormat=d);2==this.Lb&&(a.Bk=!0);if(this.ba.isFullscreen()||this.F.B)d=g.Xs("yt-player-autonavstate"),a.autonavState=d||(this.F.B?2:this.u.autonavState);this.Cf=c;this.u=a;this.u.subscribe("dataupdated",this.MP,this);this.u.subscribe("dataloaded",this.Dv,this);this.u.subscribe("dataloaderror",this.handleError,this);this.u.subscribe("ctmp",this.sb,this);Sva(this,a);Mva(this,b);Nva(this); -this.Za=!1;this.Rb=0;jV(this,"newdata");YV(this,new g.bL);this.K.Dh(this.u);EF(a)&&(a=this.u.errorDetail,b=this.u.Fo,this.Td("auth",unescape(b.reason),a,a,b.subreason||void 0));1==this.Lb&&this.Qe.start()}; -g.k.getVideoData=function(){return this.u}; -g.k.T=function(){return this.F}; -g.k.Dv=function(){if(this.u.Dc()){var a=this.N;0g.Q(this.F.experiments,"hoffle_max_video_duration_secs")||0!==this.u.startSeconds||!this.u.offlineable||!this.u.ma||this.u.ma.isOtf||this.u.ma.isLive||this.u.ma.rf||nw(this.u.videoId)|| -(g.R(this.F.experiments,"hoffle_cfl_lock_format")?(this.sb("dlac","cfl"),this.u.FC=!0):(sF(this.u,!0),tma(this.u,new KD(this.u.videoId,2,{Cn:!0,Fs:!0,videoDuration:this.u.lengthSeconds})),this.sb("dlac","w"))),this.D?g.lr(Error("Duplicated Loader")):$va(this)),lW(this),mW(this,"html5_nonblocking_media_capabilities"))){var c=Date.now();(a=sta(this.da,a))&&a.then(function(){b.sb("mclatency",(Date.now()-c).toString())})}}; -g.k.yO=function(a){this.la()||(a=VA(a),this.ba.isBackground()?(tW(this,"vp_none_avail"),this.ob=null,this.ka.reset()):(this.ka.u=!0,this.Td(a.errorCode,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",g.UA(a.details))))}; -g.k.sendAbandonmentPing=function(){g.T(this.getPlayerState(),128)||(this.V("internalAbandon"),this.qy(!0),eV(this),g.tp(this.Ja))}; -g.k.Td=function(a,b,c,d,e){var f,h;g.Tb(kCa,b)?f=b:b?h=b:f="GENERIC_WITHOUT_LINK";c=(c||"")+(";a6s."+parseInt(g.L("DCLKSTAT",0),10));a={errorCode:a,errorDetail:d,errorMessage:h||g.HX[f]||"",Vv:f,Yh:e||"",uF:c};jV(this,"dataloaderror");YV(this,cL(this.C,128,a));g.tp(this.Ja);bV(this);this.Ch()}; -g.k.getPlayerState=function(){return this.C}; -g.k.getPlayerType=function(){return this.Lb}; -g.k.getPreferredQuality=function(){if(this.X){var a=this.X;a=a.videoData.Du.compose(a.videoData.uA);a=DC(a)}else a="auto";return a}; -g.k.isGapless=function(){return!!this.B&&this.B.isView()}; -g.k.playVideo=function(){var a=this,b,c,d,e;return Ba(new za(new wa(function(f){if(1==f.u){var h;(h=g.T(a.C,128))||(h=a.N,h.I?(h.I=!1,gT(h),h=!0):h=!1);if(h)return f["return"]();a.B&&(h=a.I,h.B&&Cta(h.B),h.qoe&&Kta(h.qoe));ZV(a);g.T(a.C,64)&&YV(a,dL(a.C,8));return a.Aa.isFinished()&&a.B?a.X||!a.ob?f.Jd(2):g.ra(f,a.ob,2):f["return"]()}if(!a.u.Ia)return b=a.u.isLivePlayback&&!g.yB(a.F.D,!0)?"html5.unsupportedlive":uF(a.u)?"fmt.unplayable":"fmt.noneavailable",g.lr(Error("selectableFormats")),a.Td(b, -"HTML5_NO_AVAILABLE_FORMATS_FALLBACK","selectableFormats.1"),f["return"]();if(a.ba.B&&a.u.Ia.wc())return hV(a),f["return"]();if(a.u.isLivePlayback){c=a.getCurrentTime()b.u&&3!==b.provider.getVisibilityState()&&Cta(b)}a.qoe&&(a=a.qoe,a.ka&&0>a.B&&a.provider.u.ac&&Kta(a));g.Q(this.F.experiments,"html5_background_quality_cap")&&this.D&&ZU(this);this.F.Qq&&!this.u.backgroundable&&this.B&&!this.ba.B&&(this.ba.isBackground()&&this.B.vt()?(this.sb("bgmobile","suspend"),this.Ch(!0)):this.ba.isBackground()||iV(this)&&this.sb("bgmobile", -"resume"))}; -g.k.oO=function(a,b){this.rE(new Jx(b,a))}; -g.k.rE=function(a){this.yb.set(a.initData,a);this.P&&(Wsa(this.P,a),mW(this,"html5_eme_loader_sync")||this.yb.remove(a.initData))}; -g.k.lE=function(){g.ar&&this.Ga&&this.Ga.u&&this.P&&(Ysa(this.P,this.Ga.u),this.Ga=null)}; -g.k.JP=function(a){this.u.CG=BC("auto",a,!1,"u");ZU(this)}; -g.k.TN=function(a){var b=this;cW(this,a.reason,a.video.info,a.audio.info);mW(this,"html5_probe_media_capabilities")&&mW(this,"html5_dynamic_av1_hybrid_threshold")&&a.video.info&&Vv(a.video.info)&&tta(this.da,this.X).then(function(c){c&&b.D&&iD(b.D.K,b.F)})}; -g.k.RN=function(a){Vva(this,a.reason,a.audio.info)}; -g.k.UN=function(a){this.V("localmediachange",a)}; -g.k.SM=function(){this.D&&iD(this.D.K,this.F)}; -g.k.handleError=function(a){this.N.handleError(a,g.T(this.C,4)||g.T(this.C,512))}; -g.k.pauseVideo=function(a){a=void 0===a?!1:a;if((g.T(this.C,64)||g.T(this.C,2))&&!a)if(g.T(this.C,8))YV(this,fL(this.C,4,8));else return;g.T(this.C,128)||(a?YV(this,dL(this.C,256)):YV(this,fL(this.C,4,8)));this.B&&this.B.pause();g.GF(this.u)&&this.D&&iW(this,!1)}; -g.k.stopVideo=function(){this.pauseVideo();this.D&&(iW(this,!1),RD(this.D))}; -g.k.Ch=function(a){a=void 0===a?!1:a;this.B&&(this.B.stopVideo(),cV(this),bV(this),g.T(this.C,128)||(a?YV(this,eL(eL(dL(this.C,4),8),16)):YV(this,cL(this.C))),this.u.videoId&&this.F.K.remove(this.u.videoId))}; -g.k.seekTo=function(a,b){b=void 0===b?{}:b;g.T(this.C,2)&&iV(this);if(this.ac){var c=this.ac;isFinite(a)&&athis.B.getCurrentTime()&&this.D)return;break;case "resize":kwa(this);this.u.La&&"auto"==this.u.La.Ka().quality&&this.V("internalvideoformatchange",this.u,!1);break;case "pause":if(this.Ji&&g.T(this.C,8)&&!g.T(this.C,1024)&&0==this.getCurrentTime()&&g.sC){tW(this,"safari_autoplay_disabled");return}}if(this.B&& -this.B.ze()==b){this.V("videoelementevent",a);b=this.C;if(!g.T(b,128)){c=this.Ub;e=this.B;var f=this.F.experiments;d=b.state;e=e?e:a.target;var h=e.getCurrentTime();if(!g.T(b,64)||"ended"!==a.type&&"pause"!==a.type){var l=e.ki()||1Math.abs(h-e.getDuration());h="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.T(b,4)&&!QT(c,h);if("pause"===a.type&&e.ki()||l&&h)0a-this.td)){var b=this.B.Ll();this.td=a;b!=this.ba.B&&(a=this.ba,a.B!==b&&(a.B=b,a.Eg()),dV(this));this.V("airplayactivechange")}}; -g.k.Cv=function(){var a=this.B;a&&this.xc&&!this.u.vg&&!JA("vfp",this.Z.timerName)&&2<=a.jg()&&!a.ki()&&0Math.abs(c-a)?(this.sb("setended","ct."+a+";bh."+b+";dur."+c+";live."+ +d),d&&mW(this,"html5_set_ended_in_pfx_live_cfl")||(this.B.rl()?this.seekTo(0): -YU(this))):(g.iL(this.C)||vW(this,"progress_fix"),YV(this,dL(this.C,1)))):(c&&!d&&!e&&0d-1&&this.sb("misspg","t:"+a.toFixed(2)+";d:"+d+";r:"+c.toFixed(2)+";bh:"+b.toFixed(2))),g.T(this.C,4)&&g.iL(this.C)&&5e.K)a="drm.sessionlimitexhausted",b=!1;else if(e.videoData.ca("html5_drm_fallback_to_playready_on_retry")&&"drm.keyerror"===a&&2>e.N&&(e.N++,e.V("removedrmplaybackmanager"),1Math.random()&&g.lr(Error("Botguard not available after 2 attempts")),!a&&5>this.Rb)){this.Bf.xb();this.Rb++;return}if("c1b"in c.u){var d=lua(this.I);d&&csa(c).then(function(e){e&&!b.Za&&d?(MA("att_f","player_att"),d(e),b.Za=!0): -MA("att_e","player_att")},function(){MA("att_e","player_att")})}else(a=asa(c))?(MA("att_f","player_att"),kua(this.I,a),this.Za=!0):MA("att_e","player_att")}}; -g.k.uc=function(){return this.K.uc()}; -g.k.lc=function(){return this.K?this.K.lc():0}; -g.k.getStreamTimeOffset=function(){return this.K?this.K.getStreamTimeOffset():0}; -g.k.setPlaybackRate=function(a){var b=this.u.Ia&&this.u.Ia.videoInfos&&32=Math.random()&&this.u("idbTransactionEnded",b);break;case "TRANSACTION_UNEXPECTEDLY_ABORTED":var c=Object.assign(Object.assign({},b),{hasWindowUnloaded:this.B});this.u("idbTransactionAborted",c)}};var X1={},tCa=(X1["api.invalidparam"]=2,X1.auth=150,X1["drm.auth"]=150,X1["heartbeat.net"]=150,X1["heartbeat.servererror"]=150,X1["heartbeat.stop"]=150,X1["html5.unsupportedads"]=5,X1["fmt.noneavailable"]=5,X1["fmt.decode"]=5,X1["fmt.unplayable"]=5,X1["html5.missingapi"]=5,X1["html5.unsupportedlive"]=5,X1["drm.unavailable"]=5,X1);DW.prototype.getLocalMediaInfoById=function(a){return g.Ue(this,function c(){return g.Aa(c,function(d){return d["return"](Ofa(a))})})}; -DW.prototype.getAllLocalMediaInfo=function(){return g.Ue(this,function b(){return g.Aa(b,function(c){return c["return"](Pfa())})})}; -DW.prototype.u=function(a){if(a.Cn&&2===a.status)mw(a.videoId,2);else if(4===a.status){var b=a.videoId;mw(b,4);tw(b,!1)}a.Fs&&Hfa(a.videoId,a.videoDuration,g.Q(this.api.T().experiments,"hoffle_cache_size_secs"));g.R(this.api.T().experiments,"hoffle_api")&&this.api.va("localmediachange",{videoId:a.videoId,status:a.status,isBackground:a.isBackground});CW(this)};g.u(GW,g.B);g.k=GW.prototype; -g.k.handleExternalCall=function(a,b,c){var d=this.F[a],e=this.K[a],f=d;if(e)if(c&&bv(c,PBa))f=e;else if(!d)throw Error('API call from an untrusted origin: "'+c+'"');d=this.app.T();d.Lj&&!this.W.has(a)&&(this.W.add(a),g.Lq("webPlayerApiCalled",{callerUrl:d.loaderUrl,methodName:a,origin:c||void 0,playerStyle:d.playerStyle||void 0}));if(f){c=!1;d=g.q(b);for(e=d.next();!e.done;e=d.next())if(String(e.value).includes("javascript:")){c=!0;break}c&&g.lr(Error('Dangerous call to "'+a+'" with ['+b+"]."));return f.apply(this, -b)}throw Error('Unknown API method: "'+a+'".');}; -g.k.isExternalMethodAvailable=function(a,b){return this.F[a]?!0:!!(this.K[a]&&b&&bv(b,PBa))}; -g.k.getBandwidthEstimate=function(){return hz(this.app.T().schedule)}; -g.k.reportPlaybackIssue=function(a){a=void 0===a?"":a;var b=g.Z(this.app);b&&(a={gpu:(0,g.wT)(),d:a},b.handleError(new TA("feedback",!1,a)))}; -g.k.getApiInterface=function(){return this.N.slice()}; -g.k.getInternalApiInterface=function(){return g.Qb(this.B)}; -g.k.RH=function(a,b){if("string"===typeof b){var c=function(d){for(var e=[],f=0;f=c.Bj.length)c=!1;else{for(var d=g.q(c.Bj),e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof tE)){c=!1;break a}var f=a.u.getId();e.B&&(e.B.u=f,e.u=null)}c.gq=a;c=!0}}c&&(b.V("internalaudioformatchange",b.u,!0),iV(b)&&b.sb("hlsaudio", -a.id))}}; -g.k.vI=function(){return this.getAvailableAudioTracks()}; -g.k.getAvailableAudioTracks=function(){return g.Z(this.app,this.playerType).getAvailableAudioTracks()}; -g.k.getMaxPlaybackQuality=function(){var a=g.Z(this.app,this.playerType);return a&&a.getVideoData().La?DC(a.X?nta(a.da,a.X,jW(a)):WC):"unknown"}; -g.k.getUserPlaybackQualityPreference=function(){var a=g.Z(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; -g.k.getSubtitlesUserSettings=function(){var a=g.nX(this.app.D);return a?a.UI():null}; -g.k.resetSubtitlesUserSettings=function(){g.nX(this.app.D).CQ()}; +g.k.setUserEngagement=function(a){this.app.V().jl!==a&&(this.app.V().jl=a,(a=g.qS(this.app,this.playerType))&&wZ(a))}; +g.k.updateSubtitlesUserSettings=function(a,b){b=void 0===b?!0:b;g.JT(this.app.wb()).IY(a,b)}; +g.k.getCaptionWindowContainerId=function(){var a=g.JT(this.app.wb());return a?a.getCaptionWindowContainerId():""}; +g.k.toggleSubtitlesOn=function(){var a=g.JT(this.app.wb());a&&a.mY()}; +g.k.isSubtitlesOn=function(){var a=g.JT(this.app.wb());return a?a.isSubtitlesOn():!1}; +g.k.getPresentingPlayerType=function(){var a=this.app.getPresentingPlayerType(!0);2===a&&this.app.mf()&&(a=1);return a}; +g.k.getPlayerResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getPlayerResponse():null}; +g.k.getHeartbeatResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getHeartbeatResponse():null}; +g.k.getStoryboardFrame=function(a,b){var c=this.app.Hj();if(!c)return null;b=c.levels[b];return b?(a=g.UL(b,a))?{column:a.column,columns:a.columns,height:a.Dv,row:a.row,rows:a.rows,url:a.url,width:a.NC}:null:null}; +g.k.getStoryboardFrameIndex=function(a,b){var c=this.app.Hj();if(!c)return-1;b=c.levels[b];if(!b)return-1;a-=this.Jd();return b.OE(a)}; +g.k.getStoryboardLevel=function(a){var b=this.app.Hj();return b?(b=b.levels[a])?{index:a,intervalMs:b.j,maxFrameIndex:b.ix(),minFrameIndex:b.BJ()}:null:null}; +g.k.getNumberOfStoryboardLevels=function(){var a=this.app.Hj();return a?a.levels.length:0}; +g.k.X2=function(){return this.getAudioTrack()}; +g.k.getAudioTrack=function(){var a=g.qS(this.app,this.playerType);return a?a.getAudioTrack():this.app.getVideoData().wm}; +g.k.setAudioTrack=function(a,b){3===this.getPresentingPlayerType()&&JS(this.app.wb()).bp("control_set_audio_track",a);var c=g.qS(this.app,this.playerType);if(c)if(c.isDisposed()||g.S(c.playerState,128))a=!1;else{var d;if(null==(d=c.videoData.C)?0:d.j)b=b?c.getCurrentTime()-c.Jd():NaN,c.Fa.setAudioTrack(a,b);else if(O_a(c)){b:{b=c.mediaElement.audioTracks();for(d=0;d=b.Nd.length)b=!1;else{d=g.t(b.Nd);for(e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof VK)){b=!1;break b}var f=a.Jc.getId();e.B&&(Fxa(e.B,f),e.u=null)}b.Xn=a;b=!0}b&&oZ(c)&&(c.ma("internalaudioformatchange",c.videoData,!0),c.xa("hlsaudio",{id:a.id}))}a=!0}else a=!1;return a}; +g.k.Y2=function(){return this.getAvailableAudioTracks()}; +g.k.getAvailableAudioTracks=function(){return g.qS(this.app,this.playerType).getAvailableAudioTracks()}; +g.k.getMaxPlaybackQuality=function(){var a=g.qS(this.app,this.playerType);return a&&a.getVideoData().u?nF(a.Df?oYa(a.Ji,a.Df,a.Su()):ZL):"unknown"}; +g.k.getUserPlaybackQualityPreference=function(){var a=g.qS(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; +g.k.getSubtitlesUserSettings=function(){var a=g.JT(this.app.wb());return a?a.v3():null}; +g.k.resetSubtitlesUserSettings=function(){g.JT(this.app.wb()).J8()}; g.k.setMinimized=function(a){this.app.setMinimized(a)}; -g.k.setGlobalCrop=function(a){this.app.template.setGlobalCrop(a)}; -g.k.getVisibilityState=function(){var a=this.app.T();a=this.app.visibility.u&&!g.R(a.experiments,"kevlar_miniplayer_disable_vis");return this.app.getVisibilityState(this.Ll(),this.isFullscreen()||QB(this.app.T()),a,this.isInline(),this.app.visibility.pictureInPicture,this.app.visibility.C)}; -g.k.isMutedByMutedAutoplay=function(){return this.app.Za}; +g.k.setInlinePreview=function(a){this.app.setInlinePreview(a)}; +g.k.setGlobalCrop=function(a){this.app.jb().setGlobalCrop(a)}; +g.k.getVisibilityState=function(){var a=this.zg();return this.app.getVisibilityState(this.wh(),this.isFullscreen()||g.kK(this.app.V()),a,this.isInline(),this.app.Ty(),this.app.Ry())}; +g.k.isMutedByMutedAutoplay=function(){return this.app.oz}; g.k.isInline=function(){return this.app.isInline()}; -g.k.setInternalSize=function(a,b){this.app.template.setInternalSize(new g.he(a,b))}; -g.k.lc=function(){var a=g.Z(this.app,void 0);return a?a.lc():0}; -g.k.Ll=function(){var a=g.Z(this.app,this.playerType);return!!a&&a.ba.B}; +g.k.setInternalSize=function(a,b){this.app.jb().setInternalSize(new g.He(a,b))}; +g.k.Jd=function(){var a=g.qS(this.app);return a?a.Jd():0}; +g.k.zg=function(){return this.app.zg()}; +g.k.wh=function(){var a=g.qS(this.app,this.playerType);return!!a&&a.wh()}; g.k.isFullscreen=function(){return this.app.isFullscreen()}; -g.k.setSafetyMode=function(a){this.app.T().enableSafetyMode=a}; +g.k.setSafetyMode=function(a){this.app.V().enableSafetyMode=a}; g.k.canPlayType=function(a){return this.app.canPlayType(a)}; -g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;if(b&&b!==a.list)if(this.ca("player_enable_playback_playlist_change"))c=!0;else return;void 0!==a.external_list&&this.app.setIsExternalPlaylist(a.external_list);var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==b.Ka().videoId||(a.index=b.index)):v0(this.app,{list:a.list,index:a.index,playlist_length:d.length});eG(this.app.getPlaylist(),a);this.va("onPlaylistUpdate")}else this.app.updatePlaylist()}; -g.k.updateVideoData=function(a,b){var c=g.Z(this.app,this.playerType||1);c&&c.getVideoData().Oe(a,b)}; -g.k.updateEnvironmentData=function(a){this.app.T().Oe(a,!1)}; +g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;b&&b!==a.list&&(c=!0);void 0!==a.external_list&&(this.app.Lh=jz(!1,a.external_list));var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==g.zT(b).videoId||(a.index=b.index)):JZ(this.app,{list:a.list,index:a.index,playlist_length:d.length});pLa(this.app.getPlaylist(),a);this.Na("onPlaylistUpdate")}else this.app.updatePlaylist()}; +g.k.updateVideoData=function(a,b){var c=g.qS(this.app,this.playerType||1);c&&g.cM(c.getVideoData(),a,b)}; +g.k.updateEnvironmentData=function(a){rK(this.app.V(),a,!1)}; g.k.sendVideoStatsEngageEvent=function(a){this.app.sendVideoStatsEngageEvent(a,this.playerType)}; -g.k.setCardsVisible=function(a,b,c){var d=g.WW(this.app.D);d&&d.vp()&&d.setCardsVisible(a,b,c)}; -g.k.productsInVideoVisibilityUpdated=function(a){this.V("changeProductsInVideoVisibility",a)}; +g.k.productsInVideoVisibilityUpdated=function(a){this.ma("changeProductsInVideoVisibility",a)}; g.k.setInline=function(a){this.app.setInline(a)}; g.k.isAtLiveHead=function(a,b){return this.app.isAtLiveHead(a,void 0===b?!0:b)}; -g.k.getVideoAspectRatio=function(){return this.app.template.getVideoAspectRatio()}; -g.k.getPreferredQuality=function(){var a=g.Z(this.app);return a?a.getPreferredQuality():"unknown"}; -g.k.setPlaybackQualityRange=function(a,b){var c=g.Z(this.app,this.playerType);if(c){var d=BC(a,b||a,!0,"m");c.u.Du=d;if(c.X){var e=c.da,f=c.X;if(f.Ia.wc()){var h=g.Lv[kx()];f=f.Ia.videoInfos[0].Ka().yc;if(!(h>f&&0!==f&&d.u===f)){g.Ws("yt-player-quality",DC(d),2592E3);if(e.ca("html5_exponential_memory_for_sticky")){d=e.u.Ub;h=1;var l=void 0===l?!1:l;$A(d,"sticky-lifetime");d.u["sticky-lifetime"]&&d.B["sticky-lifetime"]||(d.u["sticky-lifetime"]=0,d.B["sticky-lifetime"]=0);l&&.0625([^<>]+)<\/a>/;g.u(KX,g.Wr);KX.prototype.Pa=function(){var a=this;this.Nf();var b=this.J.getVideoData();if(b.isValid()){var c=[];this.J.T().P||c.push({src:b.Gd("mqdefault.jpg")||"",sizes:"320x180"});this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:c});c=b=null;g.SW(this.J)&&(this.u["delete"]("nexttrack"),this.u["delete"]("previoustrack"),b=function(){a.J.nextVideo()},c=function(){a.J.previousVideo()}); -JX(this,"nexttrack",b);JX(this,"previoustrack",c)}}; -KX.prototype.Nf=function(){var a=g.lI(this.J);a=a.isError()?"none":g.hL(a)?"playing":"paused";this.mediaSession.playbackState=a}; -KX.prototype.aa=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())JX(this,b.value,null);g.Wr.prototype.aa.call(this)};g.u(LX,g.V);LX.prototype.Pa=function(a,b){hxa(this,b);this.Bc&&ixa(this,this.Bc)}; -LX.prototype.Vb=function(a){var b=this.J.getVideoData();this.videoId!==b.videoId&&hxa(this,b);this.u&&ixa(this,a.state);this.Bc=a.state}; -LX.prototype.tc=function(){this.B.show()}; -LX.prototype.fb=function(){this.B.hide()};g.u(NX,g.V);NX.prototype.hide=function(){this.u.stop();this.message.style.display="none";g.V.prototype.hide.call(this)}; -NX.prototype.B=function(a){MX(this,a.state)}; -NX.prototype.C=function(){MX(this,g.lI(this.api))}; -NX.prototype.D=function(){this.message.style.display="block"};g.u(g.OX,g.XM);g.k=g.OX.prototype;g.k.show=function(){var a=this.af();g.XM.prototype.show.call(this);this.X&&(this.K.R(window,"blur",this.fb),this.K.R(document,"click",this.uN));a||this.V("show",!0)}; -g.k.hide=function(){var a=this.af();g.XM.prototype.hide.call(this);jxa(this);a&&this.V("show",!1)}; -g.k.tc=function(a,b){this.u=a;this.W.show();b?(this.P||(this.P=this.K.R(this.J,"appresize",this.lA)),this.lA()):this.P&&(this.K.Eb(this.P),this.P=void 0)}; -g.k.lA=function(){var a=g.JW(this.J);this.u&&a.En(this.element,this.u)}; -g.k.fb=function(){var a=this.af();jxa(this);this.W.hide();a&&this.V("show",!1)}; -g.k.uN=function(a){var b=fp(a);b&&(g.Me(this.element,b)||this.u&&g.Me(this.u,b)||!g.QO(a))||this.fb()}; -g.k.af=function(){return this.Wa&&4!==this.W.state};g.u(QX,g.OX);QX.prototype.Op=function(a){this.C&&(a?(kxa(this),this.tc()):(this.seen&&lxa(this),this.fb()))}; -QX.prototype.Nf=function(a){this.api.isMutedByMutedAutoplay()&&g.xI(a,2)&&this.fb()}; -QX.prototype.onClick=function(){this.api.unMute();lxa(this)};g.u(g.SX,g.Wr);g.k=g.SX.prototype;g.k.init=function(){var a=g.lI(this.api);this.Md(a);this.Hj();this.Ra()}; -g.k.Pa=function(a,b){if(this.bx!==b.videoId){this.bx=b.videoId;var c=this.Ac;c.Z=b&&0=b){this.Do=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.Jp-1);02*b&&d<3*b&&(this.Zp(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.ip(a)}this.yC=Date.now();this.IF.start()}}; -g.k.cP=function(a){oxa(this,a)||(nxa(this)||!VX(this,a)||this.wr.isActive()||(RX(this),g.ip(a)),this.Do&&(this.Do=!1))}; -g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.Lq("embedsRequestStorageAccessResult",{resolved:!0});rx(!0);Fp();window.location.reload()},function(){g.Lq("embedsRequestStorageAccessResult",{resolved:!1}); -a.Rn()})}; -g.k.xs=function(){}; -g.k.fm=function(){}; -g.k.Zp=function(){}; -g.k.Rn=function(){var a=g.lI(this.api);g.T(a,2)&&PW(this.api)||(g.hL(a)?this.api.pauseVideo():(this.api.app.pe=!0,this.api.playVideo(),this.Em&&document.activeElement===this.Em.D.element&&this.api.getRootNode().focus()))}; -g.k.dP=function(a){var b=this,c=this.api.getPresentingPlayerType();if(!TX(this,fp(a)))if(a=this.api.T(),(g.R(this.api.T().experiments,"player_doubletap_to_seek")||g.R(this.api.T().experiments,"embeds_enable_mobile_dtts"))&&this.Do)this.Do=!1;else if(a.ka&&3!==c)try{this.api.toggleFullscreen()["catch"](function(d){b.Yo(d)})}catch(d){this.Yo(d)}}; -g.k.Yo=function(a){String(a).includes("fullscreen error")?g.lr(a):g.kr(a)}; -g.k.eP=function(a){pxa(this,.3,a.scale);g.ip(a)}; -g.k.fP=function(a){pxa(this,.1,a.scale)}; -g.k.Ra=function(){var a=g.pG(this.api).getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Ac.resize();g.J(b,"ytp-fullscreen",this.api.isFullscreen());g.J(b,"ytp-large-width-mode",c);g.J(b,"ytp-small-mode",this.Lf());g.J(b,"ytp-tiny-mode",this.Lf()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height));g.J(b,"ytp-big-mode",this.Hd());this.md&&this.md.resize(a)}; -g.k.Nf=function(a){this.Md(a.state);this.Hj()}; -g.k.lw=function(){var a=!!this.bx&&!g.OW(this.api),b=2===this.api.getPresentingPlayerType(),c=this.api.T(),d=this.api.getVideoData(1).Kc&&c.pfpChazalUi;if(b){if(cBa&&g.R(c.experiments,"enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=sX(g.NW(this.api));return a&&b.By()&&!d}return a&&(c.Ki||this.api.isFullscreen()||c.ce)&&!d}; -g.k.Hj=function(){var a=this.lw();this.hi!==a&&(this.hi=a,g.J(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; -g.k.Md=function(a){var b;(b=a.isCued())||(b=((b=g.Z(this.api.app,void 0))?$V(b):!0)&&3!==this.api.getPresentingPlayerType());b!==this.isCued&&(this.isCued=b,this.Vy&&this.Eb(this.Vy),this.Vy=this.R(g.pG(this.api),"touchstart",this.gP,void 0,b));var c=a.Gb()&&!g.T(a,32)||aX(this.api);wX(this.Ac,128,!c);c=3===this.api.getPresentingPlayerType();wX(this.Ac,256,c);c=this.api.getRootNode();if(g.T(a,2))var d=[O1.ENDED];else d=[],g.T(a,8)?d.push(O1.PLAYING):g.T(a,4)&&d.push(O1.PAUSED),g.T(a,1)&&!g.T(a,32)&& -d.push(O1.BUFFERING),g.T(a,32)&&d.push(O1.SEEKING),g.T(a,64)&&d.push(O1.UNSTARTED);g.Eb(this.Wu,d)||(g.Cn(c,this.Wu),this.Wu=d,g.An(c,d));d=this.api.T();var e=g.T(a,2);g.J(c,"ytp-hide-controls",("3"===d.controlsType?!e:"1"!==d.controlsType)||b);g.J(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.Hw);g.T(a,128)&&!g.LB(d)?(this.md||(this.md=new g.FX(this.api),g.C(this,this.md),g.oP(this.api,this.md.element,4)),this.md.B(a.getData()),this.md.show()):this.md&&(this.md.dispose(),this.md=null)}; -g.k.cj=function(){return g.XW(this.api)&&g.YW(this.api)?(this.api.setCardsVisible(!1,!1),!0):g.OW(this.api)?(g.QW(this.api,!0),!0):!1}; -g.k.Op=function(a){this.Hw=a;this.pg()}; -g.k.Hd=function(){return!1}; -g.k.Lf=function(){return!this.Hd()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; -g.k.kh=function(){return this.vu}; -g.k.wl=function(){return null}; -g.k.ci=function(){var a=g.pG(this.api).getPlayerSize();return new g.ig(0,0,a.width,a.height)}; +g.k.mf=function(){return this.app.mf()}; +g.k.Rs=function(a,b,c){return this.app.Rs(a,b,c)}; +g.k.xa=function(a,b,c,d){c=void 0===c?!1:c;var e;null==(e=g.qS(this.app,d))||e.xa(a,b,c)}; +g.k.fI=function(){return this.app.fI()}; +g.k.requestStorageAccess=function(a,b){this.app.requestStorageAccess(a,b)}; +g.k.CN=function(a,b){this.ma("aduxmouseover",a,b)}; +g.k.BN=function(a,b){this.ma("aduxmouseout",a,b)}; +g.k.XN=function(a,b){this.ma("muteadaccepted",a,b)}; +g.k.uG=function(){return this.app.jb().uG()}; +g.k.Wz=function(a){this.app.jb().Wz(a)}; +g.k.qp=function(){var a=g.qS(this.app);return a?a.qp():!1}; +g.k.gP=function(a){this.app.gP(a)};g.w(g.PS,g.dQ);g.k=g.PS.prototype;g.k.show=function(){var a=this.ej();g.dQ.prototype.show.call(this);this.Ga&&(this.J.S(window,"blur",this.Fb),this.J.S(document,"click",this.Z_));a||this.ma("show",!0)}; +g.k.hide=function(){var a=this.ej();g.dQ.prototype.hide.call(this);qKa(this);a&&this.ma("show",!1)}; +g.k.od=function(a,b){this.u=a;this.Z.show();b?(this.T||(this.T=this.J.S(this.F,"appresize",this.xS)),this.xS()):this.T&&(this.J.Hc(this.T),this.T=void 0)}; +g.k.BT=function(){this.u&&this.element&&(this.u.getAttribute("aria-haspopup"),this.u.setAttribute("aria-expanded","true"),this.focus())}; +g.k.xS=function(){var a=g.rS(this.F);this.u&&a.Uv(this.element,this.u)}; +g.k.Fb=function(){var a=this.ej();qKa(this);this.Z.hide();a&&this.ma("show",!1)}; +g.k.Z_=function(a){var b=CO(a);b&&(g.zf(this.element,b)||this.u&&g.zf(this.u,b)||!g.fR(a))||this.Fb()}; +g.k.ej=function(){return this.yb&&4!==this.Z.state};g.w(rKa,g.PS);rKa.prototype.od=function(){g.PS.prototype.od.call(this);this.dialog.focus()};g.w(g.SS,g.dQ);g.SS.prototype.updateValue=function(a,b){g.dQ.prototype.updateValue.call(this,a,b);this.ma("size-change")};g.w(VS,g.SS);VS.prototype.Zb=function(a){this.u&&this.F.Ua(this.element,this.j&&a)}; +VS.prototype.C=function(){var a,b,c=null==(a=this.F.getVideoData())?void 0:null==(b=a.accountLinkingConfig)?void 0:b.linked;if(c&&!this.j){var d;a=null==(d=this.F.getVideoData())?void 0:d.accountLinkingConfig;US(this,lQ());var e;g.RS(this,WS(null==a?void 0:null==(e=a.menuData)?void 0:e.connectedMenuLabel));var f,h,l;this.B=new rKa(this.F,WS(null==a?void 0:null==(f=a.menuData)?void 0:f.connectedDialogTitle),WS(null==a?void 0:null==(h=a.menuData)?void 0:h.connectedDialogMessage),WS(null==a?void 0:null== +(l=a.menuData)?void 0:l.confirmButtonText));g.E(this,this.B);var m;d=(null==a?void 0:null==(m=a.menuData)?void 0:m.trackingParams)||null;(this.u=!!d)&&this.F.og(this.element,d);this.Eb.Zc(this);this.j=!0}else!c&&this.j&&(this.Eb.jh(this),this.j=!1)}; +VS.prototype.onClick=function(){this.u&&this.F.qb(this.element);this.Eb.Fb();this.B&&this.B.od()};g.w(XS,g.C);XS.prototype.K=function(a){return this.api.K(a)};g.w(YS,XS);YS.prototype.onVideoDataChange=function(a){if(!a.accountLinkingConfig){var b,c=null==(b=a.getPlayerResponse())?void 0:b.accountLinkingConfig;a.accountLinkingConfig=c}var d;if(b=null==(d=a.accountLinkingConfig)?void 0:d.alsParam)a.AQ=b}; +YS.prototype.setAccountLinkState=function(a){this.api.getVideoData().AQ=a;this.api.jr()}; +YS.prototype.updateAccountLinkingConfig=function(a){var b=this.api.getVideoData(),c=b.accountLinkingConfig;c&&(c.linked=a);this.api.ma("videodatachange","dataupdated",b,this.api.getPresentingPlayerType())};g.w(sKa,XS);new lA("yt.autonav");g.w(uKa,g.U);g.k=uKa.prototype; +g.k.SA=function(){var a;if(a=3!==this.F.getPresentingPlayerType()&&g.OS(this.F)&&400<=this.F.jb().getPlayerSize().width){a=this.Hd();if(this.F.V().K("client_respect_autoplay_switch_button_renderer"))var b=!!a.autoplaySwitchButtonRenderer;else{if(this.F.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){var c=!1;var d,e,f;if(null==(b=a.jd)?0:null==(d=b.contents)?0:null==(e=d.twoColumnWatchNextResults)?0:null==(f=e.autoplay)?0:f.autoplay)c=!0}else c=a.d1;b=!1!==c}a=b}if(a)this.j|| +(this.j=!0,g.bQ(this,this.j),this.F.V().K("web_player_autonav_toggle_always_listen")||tKa(this),b=this.Hd(),this.yR(b.autonavState),this.F.Ua(this.element,this.j));else if(this.j=!1,g.bQ(this,this.j),!this.F.V().K("web_player_autonav_toggle_always_listen"))for(this.F.V().K("web_player_autonav_toggle_always_listen"),b=g.t(this.u),d=b.next();!d.done;d=b.next())this.Hc(d.value)}; +g.k.yR=function(a){wKa(this)?this.isChecked=1!==a:((a=1!==a)||(g.Wz(),a=g.gy("web_autonav_allow_off_by_default")&&!g.Xz(0,141)&&g.ey("AUTONAV_OFF_BY_DEFAULT")?!1:!g.Xz(0,140)),this.isChecked=a);vKa(this)}; +g.k.onClick=function(){this.isChecked=!this.isChecked;this.F.RH(this.isChecked?2:1);vKa(this);if(wKa(this)){var a=this.Hd().autoplaySwitchButtonRenderer;this.isChecked&&(null==a?0:a.onEnabledCommand)?this.F.Na("innertubeCommand",a.onEnabledCommand):!this.isChecked&&(null==a?0:a.onDisabledCommand)&&this.F.Na("innertubeCommand",a.onDisabledCommand)}this.F.qb(this.element)}; +g.k.getValue=function(){return this.isChecked}; +g.k.Hd=function(){return this.F.getVideoData(1)};g.w(xKa,XS);g.w(aT,g.SS);aT.prototype.onClick=function(){bT(this,!this.checked);this.ma("select",this.checked)}; +aT.prototype.getValue=function(){return this.checked};g.w(cT,aT);cT.prototype.Pa=function(a){a?this.j||(this.Eb.Zc(this),this.j=!0):this.j&&(this.Eb.jh(this),this.j=!1);this.j&&bT(this,yKa())}; +cT.prototype.B=function(){g.Sp(this.element,"ytp-menuitem-highlight-transition-enabled")}; +cT.prototype.C=function(a){var b=yKa();a!==b&&(b=g.Wz(),Zz(190,a),Zz(192,!0),b.save(),this.F.Na("cinematicSettingsToggleChange",a))}; +cT.prototype.qa=function(){this.j&&this.Eb.jh(this);aT.prototype.qa.call(this)};g.w(BKa,XS);BKa.prototype.updateCinematicSettings=function(a){this.j=a;var b;null==(b=this.menuItem)||b.Pa(a);this.api.ma("onCinematicSettingsVisibilityChange",a)};g.w(dT,XS);dT.prototype.u=function(a){return void 0!==a.embargo}; +dT.prototype.qa=function(){XS.prototype.qa.call(this);this.j={}};g.w(DKa,XS); +DKa.prototype.addEmbedsConversionTrackingParams=function(a){var b=this.api.V(),c=b.widgetReferrer,d=b.Oc,e=this.j,f="",h=b.webPlayerContextConfig;h&&(f=h.embedsIframeOriginParam||"");0a)){var d=this.api.getVideoData(),e=d.Pk;if(e&&aMath.random()){b=b?"pbp":"pbs";var c={startTime:this.j};a.T&&(c.cttAuthInfo={token:a.T,videoId:a.videoId});cF("seek",c);g.dF("cpn",a.clientPlaybackNonce,"seek");isNaN(this.u)||eF("pl_ss",this.u,"seek");eF(b,(0,g.M)(),"seek")}this.reset()}};g.k=hLa.prototype;g.k.reset=function(){$E(this.timerName)}; +g.k.tick=function(a,b){eF(a,b,this.timerName)}; +g.k.di=function(a){return Gta(a,this.timerName)}; +g.k.Mt=function(a){xT(a,void 0,this.timerName)}; +g.k.info=function(a,b){g.dF(a,b,this.timerName)};g.w(kLa,g.dE);g.k=kLa.prototype;g.k.Ck=function(a){return this.loop||!!a||this.index+1([^<>]+)<\/a>/;g.w(aU,g.bI);aU.prototype.Hi=function(){zMa(this)}; +aU.prototype.onVideoDataChange=function(){var a=this,b=this.F.getVideoData();if(b.De()){var c=this.F.V(),d=[],e="";if(!c.oa){var f=xMa(this);c.K("enable_web_media_session_metadata_fix")&&g.nK(c)&&f?(d=yMa(f.thumbnailDetails),f.album&&(e=g.gE(f.album))):d=[{src:b.wg("mqdefault.jpg")||"",sizes:"320x180",type:"image/jpeg"}]}zMa(this);wMa(this);this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:d,album:e});c=b=null;g.KS(this.F)&&(this.j.delete("nexttrack"),this.j.delete("previoustrack"), +b=function(){a.F.nextVideo()},c=function(){a.F.previousVideo()}); +bU(this,"nexttrack",b);bU(this,"previoustrack",c)}}; +aU.prototype.qa=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.t(this.j),b=a.next();!b.done;b=a.next())bU(this,b.value,null);g.bI.prototype.qa.call(this)};g.w(AMa,g.U);g.k=AMa.prototype;g.k.onClick=function(a){g.UT(a,this.F,!0);this.F.qb(this.element)}; +g.k.onVideoDataChange=function(a,b){CMa(this,b);this.Te&&DMa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&CMa(this,b);this.j&&DMa(this,a.state);this.Te=a.state}; +g.k.od=function(){this.C.show();this.F.ma("paidcontentoverlayvisibilitychange",!0);this.F.Ua(this.element,!0)}; +g.k.Fb=function(){this.C.hide();this.F.ma("paidcontentoverlayvisibilitychange",!1);this.F.Ua(this.element,!1)};g.w(cU,g.U);cU.prototype.hide=function(){this.j.stop();this.message.style.display="none";g.U.prototype.hide.call(this)}; +cU.prototype.onStateChange=function(a){this.qc(a.state)}; +cU.prototype.qc=function(a){if(g.S(a,128))var b=!1;else{var c;b=(null==(c=this.api.Rc())?0:c.Ns)?!1:g.S(a,16)||g.S(a,1)?!0:!1}b?this.j.start():this.hide()}; +cU.prototype.u=function(){this.message.style.display="block"};g.w(dU,g.PS);dU.prototype.onMutedAutoplayChange=function(a){this.B&&(a?(EMa(this),this.od()):(this.j&&this.qb(),this.Fb()))}; +dU.prototype.Hi=function(a){this.api.isMutedByMutedAutoplay()&&g.YN(a,2)&&this.Fb()}; +dU.prototype.onClick=function(){this.api.unMute();this.qb()}; +dU.prototype.qb=function(){this.clicked||(this.clicked=!0,this.api.qb(this.element))};g.w(g.eU,g.bI);g.k=g.eU.prototype;g.k.init=function(){var a=this.api,b=a.Cb();this.qC=a.getPlayerSize();this.pc(b);this.wp();this.Db();this.api.ma("basechromeinitialized",this)}; +g.k.onVideoDataChange=function(a,b){var c=this.GC!==b.videoId;if(c||"newdata"===a)a=this.api,a.isFullscreen()||(this.qC=a.getPlayerSize());c&&(this.GC=b.videoId,c=this.Ve,c.Aa=b&&0=b){this.vB=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.PC-1);02*b&&d<3*b&&(this.GD(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.EO(a)}else RT&&this.api.K("embeds_web_enable_mobile_dtts")&& +this.api.V().T&&fU(this,a)&&g.EO(a);this.hV=Date.now();this.qX.start()}}; +g.k.h7=function(){this.uN.HU=!1;this.api.ma("rootnodemousedown",this.uN)}; +g.k.d7=function(a){this.uN.HU||JMa(this,a)||(IMa(this)||!fU(this,a)||this.uF.isActive()||(g.GK(this.api.V())&&this.api.Cb().isCued()&&yT(this.api.Oh()),GMa(this),g.EO(a)),this.vB&&(this.vB=!1))}; +g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.rA("embedsRequestStorageAccessResult",{resolved:!0});qwa(!0);xD();window.location.reload()},function(){g.rA("embedsRequestStorageAccessResult",{resolved:!1}); +a.fA()})}; +g.k.nG=function(){}; +g.k.nw=function(){}; +g.k.GD=function(){}; +g.k.FD=function(){}; +g.k.fA=function(){var a=this.api.Cb();g.S(a,2)&&g.HS(this.api)||(g.RO(a)?this.api.pauseVideo():(this.Fm&&(a=this.Fm.B,document.activeElement===a.element&&this.api.ma("largeplaybuttonclicked",a.element)),this.api.GG(),this.api.playVideo(),this.Fm&&document.activeElement===this.Fm.B.element&&this.api.getRootNode().focus()))}; +g.k.e7=function(a){var b=this,c=this.api.getPresentingPlayerType();if(!HMa(this,CO(a)))if(a=this.api.V(),(this.api.V().K("player_doubletap_to_seek")||this.api.K("embeds_web_enable_mobile_dtts")&&this.api.V().T)&&this.vB)this.vB=!1;else if(a.Tb&&3!==c)try{this.api.toggleFullscreen().catch(function(d){b.lC(d)})}catch(d){this.lC(d)}}; +g.k.lC=function(a){String(a).includes("fullscreen error")?g.DD(a):g.CD(a)}; +g.k.f7=function(a){KMa(this,.3,a.scale);g.EO(a)}; +g.k.g7=function(a){KMa(this,.1,a.scale)}; +g.k.Db=function(){var a=this.api.jb().getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Ve.resize();g.Up(b,"ytp-fullscreen",this.api.isFullscreen());g.Up(b,"ytp-large-width-mode",c);g.Up(b,"ytp-small-mode",this.Wg());g.Up(b,"ytp-tiny-mode",this.xG());g.Up(b,"ytp-big-mode",this.yg());this.rg&&this.rg.resize(a)}; +g.k.Hi=function(a){this.pc(a.state);this.wp()}; +g.k.TD=aa(31);g.k.SL=function(){var a=!!this.GC&&!this.api.Af()&&!this.pO,b=2===this.api.getPresentingPlayerType(),c=this.api.V();if(b){if(S8a&&c.K("enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=MT(this.api.wb());return a&&b.qP()}return a&&(c.vl||this.api.isFullscreen()||c.ij)}; +g.k.wp=function(){var a=this.SL();this.To!==a&&(this.To=a,g.Up(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; +g.k.pc=function(a){var b=a.isCued()||this.api.Mo()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.OP&&this.Hc(this.OP),this.OP=this.S(this.api.jb(),"touchstart",this.i7,void 0,b));var c=a.bd()&&!g.S(a,32)||this.api.AC();QT(this.Ve,128,!c);c=3===this.api.getPresentingPlayerType();QT(this.Ve,256,c);c=this.api.getRootNode();if(g.S(a,2))var d=[a4.ENDED];else d=[],g.S(a,8)?d.push(a4.PLAYING):g.S(a,4)&&d.push(a4.PAUSED),g.S(a,1)&&!g.S(a,32)&&d.push(a4.BUFFERING),g.S(a,32)&& +d.push(a4.SEEKING),g.S(a,64)&&d.push(a4.UNSTARTED);g.Mb(this.jK,d)||(g.Tp(c,this.jK),this.jK=d,g.Rp(c,d));d=this.api.V();var e=g.S(a,2);a:{var f=this.api.V();var h=f.controlsType;switch(h){case "2":case "0":f=!1;break a}f="3"===h&&!g.S(a,2)||this.isCued||(2!==this.api.getPresentingPlayerType()?0:z8a(MT(this.api.wb())))||g.fK(f)&&2===this.api.getPresentingPlayerType()?!1:!0}g.Up(c,"ytp-hide-controls",!f);g.Up(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.vM);g.S(a,128)&&!g.fK(d)?(this.rg|| +(this.rg=new g.XT(this.api),g.E(this,this.rg),g.NS(this.api,this.rg.element,4)),this.rg.u(a.getData()),this.rg.show()):this.rg&&(this.rg.dispose(),this.rg=null)}; +g.k.Il=function(){return this.api.nk()&&this.api.xo()?(this.api.Rz(!1,!1),!0):this.api.Af()?(g.IS(this.api,!0),!0):!1}; +g.k.onMutedAutoplayChange=function(a){this.vM=a;this.fl()}; +g.k.yg=function(){return!1}; +g.k.Wg=function(){return!this.yg()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; +g.k.xG=function(){return this.Wg()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height)}; +g.k.Sb=function(){var a=this.api.V();if(!g.fK(a)||"EMBEDDED_PLAYER_MODE_DEFAULT"!==(a.Qa||"EMBEDDED_PLAYER_MODE_DEFAULT")||this.api.getPlaylist())return!1;a=this.qC;var b,c;return a.width<=a.height&&!!(null==(b=this.api.getVideoData())?0:null==(c=b.embeddedPlayerConfig)?0:c.isShortsExperienceEligible)}; +g.k.Ql=function(){return this.qI}; +g.k.Nm=function(){return null}; +g.k.PF=function(){return null}; +g.k.zk=function(){var a=this.api.jb().getPlayerSize();return new g.Em(0,0,a.width,a.height)}; g.k.handleGlobalKeyDown=function(){return!1}; g.k.handleGlobalKeyUp=function(){return!1}; -g.k.En=function(){}; -g.k.showControls=function(a){void 0!==a&&XH(g.pG(this.api),a)}; -g.k.Fj=function(){}; -g.k.GB=function(){return null};g.u(WX,g.V);WX.prototype.onClick=function(){this.J.va("BACK_CLICKED")};g.u(g.XX,g.V);g.XX.prototype.show=function(){g.V.prototype.show.call(this);this.u.xb()}; -g.XX.prototype.hide=function(){this.B.stop();g.V.prototype.hide.call(this)}; -g.XX.prototype.fm=function(a){a?g.T(g.lI(this.J),64)||YX(this,BN(),"Play"):(a=this.J.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?YX(this,FN(),"Stop live playback"):YX(this,zN(),"Pause"))};g.u($X,g.V);g.k=$X.prototype;g.k.sG=function(){g.XW(this.J)&&g.YW(this.J)&&this.af()&&this.fb()}; -g.k.YQ=function(){this.fb();g.Po("iv-teaser-clicked",null!=this.u);this.J.setCardsVisible(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}; -g.k.mL=function(){g.Po("iv-teaser-mouseover");this.u&&this.u.stop()}; -g.k.xP=function(a){this.u||!a||g.YW(this.J)||this.B&&this.B.isActive()||(this.tc(a),g.Po("iv-teaser-shown"))}; -g.k.tc=function(a){this.wa("text",a.teaserText);this.element.setAttribute("dir",g.Jn(a.teaserText));this.D.show();this.B=new g.H(function(){g.I(this.J.getRootNode(),"ytp-cards-teaser-shown");this.ez()},0,this); -this.B.start();aY(this.Uh,!1);this.u=new g.H(this.fb,580+a.durationMs,this);this.u.start();this.F.push(this.ua("mouseover",this.lD,this));this.F.push(this.ua("mouseout",this.kD,this))}; -g.k.ez=function(){if(g.LB(this.J.T())&&this.Wa){var a=this.Uh.element.offsetLeft,b=g.te("ytp-cards-button-icon"),c=this.J.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Uh.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; -g.k.aI=function(){g.LB(this.J.T())&&this.W.Lf()&&this.Wa&&this.P.start()}; -g.k.lD=function(){this.I.stop();this.u&&this.u.isActive()&&this.K.start()}; -g.k.kD=function(){this.K.stop();this.u&&!this.u.isActive()&&this.I.start()}; -g.k.iO=function(){this.u&&this.u.stop()}; -g.k.hO=function(){this.fb()}; -g.k.fb=function(){!this.u||this.C&&this.C.isActive()||(g.Po("iv-teaser-hidden"),this.D.hide(),g.Bn(this.J.getRootNode(),"ytp-cards-teaser-shown"),this.C=new g.H(function(){for(var a=g.q(this.F),b=a.next();!b.done;b=a.next())this.Eb(b.value);this.F=[];this.u&&(this.u.dispose(),this.u=null);aY(this.Uh,!0)},330,this),this.C.start())}; -g.k.af=function(){return this.Wa&&4!==this.D.state}; -g.k.aa=function(){var a=this.J.getRootNode();a&&g.Bn(a,"ytp-cards-teaser-shown");g.fg(this.B,this.C,this.u);g.V.prototype.aa.call(this)};g.u(bY,g.V);g.k=bY.prototype;g.k.tc=function(){this.B.show();g.Po("iv-button-shown")}; -g.k.fb=function(){g.Po("iv-button-hidden");this.B.hide()}; -g.k.af=function(){return this.Wa&&4!==this.B.state}; -g.k.aa=function(){this.u&&this.u();g.V.prototype.aa.call(this)}; -g.k.GN=function(){g.Po("iv-button-mouseover")}; -g.k.onClicked=function(a){g.XW(this.J);var b=g.zn(this.J.getRootNode(),"ytp-cards-teaser-shown");g.Po("iv-teaser-clicked",b);a=0===a.screenX&&0===a.screenY;this.J.setCardsVisible(!g.YW(this.J),a,"YOUTUBE_DRAWER_MANUAL_OPEN")};var Y1={},dY=(Y1.BUTTON="ytp-button",Y1.TITLE_NOTIFICATIONS="ytp-title-notifications",Y1.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",Y1.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",Y1.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",Y1);g.u(eY,g.V);eY.prototype.onClick=function(){g.gX(this.api,this.element);var a=!this.u;this.wa("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.wa("pressed",a);rxa(this,a)};g.u(g.gY,g.V);g.gY.prototype.B=function(){g.I(this.element,"ytp-sb-subscribed")}; -g.gY.prototype.C=function(){g.Bn(this.element,"ytp-sb-subscribed")};g.u(hY,g.V);g.k=hY.prototype;g.k.ly=function(){wxa(this);this.channel.classList.remove("ytp-title-expanded")}; +g.k.Uv=function(){}; +g.k.showControls=function(a){void 0!==a&&this.api.jb().SD(a)}; +g.k.tp=function(){}; +g.k.TL=function(){return this.qC};g.w(gU,g.dE);g.k=gU.prototype;g.k.Jl=function(){return 1E3*this.api.getDuration(this.In,!1)}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(){var a=this.api.getProgressState(this.In);this.u={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:this.api.getCurrentTime(this.In,!1)};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(LMa,g.U);LMa.prototype.onClick=function(){this.F.Na("BACK_CLICKED")};g.w(g.hU,g.U);g.hU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.j)}; +g.hU.prototype.hide=function(){this.u.stop();g.U.prototype.hide.call(this)}; +g.hU.prototype.nw=function(a){a?g.S(this.F.Cb(),64)||iU(this,pQ(),"Play"):(a=this.F.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?iU(this,VEa(),"Stop live playback"):iU(this,REa(),"Pause"))};g.w(PMa,g.U);g.k=PMa.prototype;g.k.od=function(){this.F.V().K("player_new_info_card_format")&&g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown")&&!g.fK(this.F.V())||(this.u.show(),g.rC("iv-button-shown"))}; +g.k.Fb=function(){g.rC("iv-button-hidden");this.u.hide()}; +g.k.ej=function(){return this.yb&&4!==this.u.state}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)}; +g.k.f6=function(){g.rC("iv-button-mouseover")}; +g.k.L5=function(a){this.F.nk();var b=g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown");g.rC("iv-teaser-clicked",b);var c;if(null==(c=this.F.getVideoData())?0:g.MM(c)){var d;a=null==(d=this.F.getVideoData())?void 0:g.NM(d);(null==a?0:a.onIconTapCommand)&&this.F.Na("innertubeCommand",a.onIconTapCommand)}else d=0===a.screenX&&0===a.screenY,this.F.Rz(!this.F.xo(),d,"YOUTUBE_DRAWER_MANUAL_OPEN")};g.w(QMa,g.U);g.k=QMa.prototype;g.k.CY=function(){this.F.nk()&&this.F.xo()&&this.ej()&&this.Fb()}; +g.k.DP=function(){this.Fb();!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb();g.rC("iv-teaser-clicked",null!=this.j);if(this.onClickCommand)this.F.Na("innertubeCommand",this.onClickCommand);else{var a;(null==(a=this.F.getVideoData())?0:g.MM(a))||this.F.Rz(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}}; +g.k.g0=function(){g.rC("iv-teaser-mouseover");this.j&&this.j.stop()}; +g.k.E7=function(a){this.F.V().K("player_new_info_card_format")&&!g.fK(this.F.V())?this.Wi.Fb():this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.od();this.j||!a||this.F.xo()||this.u&&this.u.isActive()||(this.od(a),g.rC("iv-teaser-shown"))}; +g.k.od=function(a){this.onClickCommand=a.onClickCommand;this.updateValue("text",a.teaserText);this.element.setAttribute("dir",g.fq(a.teaserText));this.C.show();this.u=new g.Ip(function(){g.Qp(this.F.getRootNode(),"ytp-cards-teaser-shown");this.F.K("player_new_info_card_format")&&!g.fK(this.F.V())&&this.Wi.Fb();this.aQ()},0,this); +this.u.start();OMa(this.Wi,!1);this.j=new g.Ip(this.Fb,580+a.durationMs,this);this.j.start();this.D.push(this.Ra("mouseover",this.ER,this));this.D.push(this.Ra("mouseout",this.DR,this))}; +g.k.aQ=function(){if(!this.F.V().K("player_new_info_card_format")&&g.fK(this.F.V())&&this.yb){var a=this.Wi.element.offsetLeft,b=g.kf("ytp-cards-button-icon"),c=this.F.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Wi.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; +g.k.m2=function(){g.fK(this.F.V())&&this.Z.Wg()&&this.yb&&this.T.start()}; +g.k.ER=function(){this.I.stop();this.j&&this.j.isActive()&&this.J.start()}; +g.k.DR=function(){this.J.stop();this.j&&!this.j.isActive()&&this.I.start()}; +g.k.s6=function(){this.j&&this.j.stop()}; +g.k.r6=function(){this.Fb()}; +g.k.Zo=function(){this.Fb()}; +g.k.Fb=function(){!this.j||this.B&&this.B.isActive()||(g.rC("iv-teaser-hidden"),this.C.hide(),g.Sp(this.F.getRootNode(),"ytp-cards-teaser-shown"),this.B=new g.Ip(function(){for(var a=g.t(this.D),b=a.next();!b.done;b=a.next())this.Hc(b.value);this.D=[];this.j&&(this.j.dispose(),this.j=null);OMa(this.Wi,!0);!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb()},330,this),this.B.start())}; +g.k.ej=function(){return this.yb&&4!==this.C.state}; +g.k.qa=function(){var a=this.F.getRootNode();a&&g.Sp(a,"ytp-cards-teaser-shown");g.$a(this.u,this.B,this.j);g.U.prototype.qa.call(this)};var f4={},kU=(f4.BUTTON="ytp-button",f4.TITLE_NOTIFICATIONS="ytp-title-notifications",f4.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f4.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f4.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f4);g.w(RMa,g.U);RMa.prototype.onClick=function(){this.api.qb(this.element);var a=!this.j;this.updateValue("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.updateValue("pressed",a);SMa(this,a)};g.Fa("yt.pubsub.publish",g.rC);g.w(g.nU,g.U);g.nU.prototype.C=function(){window.location.reload()}; +g.nU.prototype.j=function(){g.Qp(this.element,"ytp-sb-subscribed")}; +g.nU.prototype.u=function(){g.Sp(this.element,"ytp-sb-subscribed")};g.w(VMa,g.U);g.k=VMa.prototype;g.k.I5=function(a){this.api.qb(this.j);var b=this.api.V();b.u||b.tb?XMa(this)&&(this.isExpanded()?this.nF():this.CF()):g.gk(oU(this));a.preventDefault()}; +g.k.RO=function(){ZMa(this);this.channel.classList.remove("ytp-title-expanded")}; g.k.isExpanded=function(){return this.channel.classList.contains("ytp-title-expanded")}; -g.k.bw=function(){if(uxa(this)&&!this.isExpanded()){this.wa("flyoutUnfocusable","false");this.wa("channelTitleFocusable","0");this.C&&this.C.stop();this.subscribeButton&&(this.subscribeButton.show(),g.dN(this.api,this.subscribeButton.element,!0));var a=this.api.getVideoData();this.B&&a.On&&a.subscribed&&(this.B.show(),g.dN(this.api,this.B.element,!0));this.channel.classList.add("ytp-title-expanded");this.channel.classList.add("ytp-title-show-expanded")}}; -g.k.Gv=function(){this.wa("flyoutUnfocusable","true");this.wa("channelTitleFocusable","-1");this.C&&this.C.start()}; -g.k.na=function(){var a=this.api.getVideoData(),b=this.api.T(),c=!1;2===this.api.getPresentingPlayerType()?c=!!a.videoId&&!!a.isListed&&!!a.author&&!!a.Ui&&!!a.bf:g.LB(b)&&(c=!!a.videoId&&!!a.Ui&&!!a.bf);b=g.xC(this.api.T())+a.Ui;g.LB(this.api.T())&&(b=g.Ld(b,g.GT({},"emb_ch_name_ex")));var d=a.Ui,e=a.bf,f=a.author;d=void 0===d?"":d;e=void 0===e?"":e;f=void 0===f?"":f;c?(d=g.xC(this.api.T())+d,this.u.style.backgroundImage="url("+e+")",this.wa("channelLink",d),this.wa("channelLogoLabel",g.jJ("Photo image of $CHANNEL_NAME", -{CHANNEL_NAME:f})),g.I(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Bn(this.api.getRootNode(),"ytp-title-enable-channel-logo");g.dN(this.api,this.u,c&&this.N);this.subscribeButton&&(this.subscribeButton.channelId=a.Ng);this.wa("expandedTitle",a.Jo);this.wa("channelTitleLink",b);this.wa("expandedSubtitle",a.expandedSubtitle)};g.u(g.jY,g.XM);g.jY.prototype.wa=function(a,b){g.XM.prototype.wa.call(this,a,b);this.V("size-change")};g.u(mY,g.XM);mY.prototype.ZD=function(){this.V("size-change")}; -mY.prototype.focus=function(){this.content.focus()}; -mY.prototype.UM=function(){this.V("back")};g.u(g.nY,mY);g.nY.prototype.Nb=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{var c=g.Ab(this.items,a,xxa);if(0<=c)return;c=~c;g.xb(this.items,c,0,a);g.Ie(this.menuItems.element,a.element,c)}a.subscribe("size-change",this.Mx,this);this.menuItems.V("size-change")}; -g.nY.prototype.Wd=function(a){a.unsubscribe("size-change",this.Mx,this);this.la()||(g.rb(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.V("size-change"))}; -g.nY.prototype.Mx=function(){this.menuItems.V("size-change")}; -g.nY.prototype.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone(); -d&&(h=a,e=b,f=5,65==(f&65)&&(h.x=d.right)&&(f&=-2),132==(f&132)&&(h.y=d.bottom)&&(f&=-5),h.xd.right&&(e.width=Math.min(d.right-h.x,c+e.width-d.left),e.width=Math.max(e.width,0))),h.x+e.width>d.right&&f&1&&(h.x=Math.max(d.right-e.width,d.left)),h.yd.bottom&&(e.height=Math.min(d.bottom-h.y,c+e.height-d.top),e.height=Math.max(e.height, -0))),h.y+e.height>d.bottom&&f&4&&(h.y=Math.max(d.bottom-e.height,d.top)));d=new g.ig(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.wg(this.element,new g.fe(d.left,d.top));g.Yr(this.I);this.I.R(document,"contextmenu",this.vN);this.I.R(this.J,"fullscreentoggled",this.nL);this.I.R(this.J,"pageTransition",this.oL)}}; -g.k.vN=function(a){if(!g.jp(a)){var b=fp(a);g.Me(this.element,b)||this.fb();this.J.T().disableNativeContextMenu&&g.ip(a)}}; -g.k.nL=function(){this.fb();Dxa(this)}; -g.k.oL=function(){this.fb()};g.u(AY,g.V);AY.prototype.onClick=function(){return g.Ue(this,function b(){var c=this,d,e,f,h;return g.Aa(b,function(l){if(1==l.u)return d=c.api.T(),e=c.api.getVideoData(),f=c.api.getPlaylistId(),h=d.getVideoUrl(e.videoId,f,void 0,!0),g.ra(l,Gxa(c,h),2);l.B&&Exa(c);g.gX(c.api,c.element);l.u=0})})}; -AY.prototype.na=function(){var a=this.api.getVideoData();this.wa("icon",{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.wa("title-attr","Copy link");var b=g.pG(this.api).getPlayerSize().width;this.visible=!!a.videoId&& -240<=b&&a.oq;g.J(this.element,"ytp-copylink-button-visible",this.visible);g.WM(this,this.visible);CY(this.tooltip);g.dN(this.api,this.element,this.visible&&this.N)}; -AY.prototype.zb=function(a){g.V.prototype.zb.call(this,a);g.dN(this.api,this.element,this.visible&&a)}; -AY.prototype.aa=function(){g.V.prototype.aa.call(this);g.Bn(this.element,"ytp-copylink-button-visible")};g.u(DY,g.V);DY.prototype.show=function(){g.V.prototype.show.call(this);this.u.xb()}; -DY.prototype.hide=function(){this.B.stop();g.V.prototype.hide.call(this)}; -DY.prototype.Zp=function(a,b,c,d){var e=-1===a?this.D:this.C;e&&g.gX(this.J,e);this.u.wg();this.B.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*g.pG(this.J).getPlayerSize().height;e=g.pG(this.J).getPlayerSize();e=e.width/3-3*e.height;var h=this.ga("ytp-doubletap-static-circle");h.style.width=f+"px";h.style.height=f+"px";1===a?(h.style.left="",h.style.right=e+"px"):-1===a&&(h.style.right="",h.style.left=e+"px");var l=2.5*f;f=l/2;h=this.ga("ytp-doubletap-ripple");h.style.width= -l+"px";h.style.height=l+"px";1===a?(a=g.pG(this.J).getPlayerSize().width-b+Math.abs(e),h.style.left="",h.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,h.style.right="",h.style.left=a-f+"px");h.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.ga("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");Hxa(this,d)};var uCa={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(uCa).reduce(function(a,b){a[uCa[b]]=b;return a},{}); -var vCa={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys(vCa).reduce(function(a,b){a[vCa[b]]=b;return a},{}); -var wCa={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(wCa).reduce(function(a,b){a[wCa[b]]=b;return a},{});var Z1,xCa;Z1=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];xCa=[{option:0,text:EY(0)},{option:.25,text:EY(.25)},{option:.5,text:EY(.5)},{option:.75,text:EY(.75)},{option:1,text:EY(1)}]; -g.HY=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:Z1},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:EY(.5)},{option:-1,text:EY(.75)},{option:0,text:EY(1)},{option:1,text:EY(1.5)},{option:2,text:EY(2)}, -{option:3,text:EY(3)},{option:4,text:EY(4)}]},{option:"background",text:"Background color",options:Z1},{option:"backgroundOpacity",text:"Background opacity",options:xCa},{option:"windowColor",text:"Window color",options:Z1},{option:"windowOpacity",text:"Window opacity",options:xCa},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity",text:"Font opacity", -options:[{option:.25,text:EY(.25)},{option:.5,text:EY(.5)},{option:.75,text:EY(.75)},{option:1,text:EY(1)}]}];g.u(g.GY,g.Wr);g.k=g.GY.prototype; -g.k.SB=function(a){var b=!1,c=g.kp(a),d=fp(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey,f=!1,h=!1,l=this.api.T();g.jp(a)?(e=!1,h=!0):l.ud&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role");break;case 38:case 40:m=d.getAttribute("role"), -d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);ZX(this.Kb,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);ZX(this.Kb,f,!0);this.api.setVolume(f);h=f=!0;break;case 36:this.api.je()&&(this.api.seekTo(0), -h=f=!0);break;case 35:this.api.je()&&(this.api.seekTo(Infinity),h=f=!0)}}b&&this.vy(!0);(b||h)&&this.Ac.Fj();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.ip(a);l.C&&(a={keyCode:g.kp(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.jp(a),fullscreen:this.api.isFullscreen()},this.api.va("onKeyPress",a))}; -g.k.TB=function(a){this.handleGlobalKeyUp(g.kp(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; -g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.UW(g.NW(this.api));c&&(c=c.Nk)&&c.Wa&&(c.QB(a),b=!0);9===a&&(this.vy(!0),b=!0);return b}; -g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){e=!1;c=this.api.T();if(c.ud)return e;var h=g.UW(g.NW(this.api));if(h&&(h=h.Nk)&&h.Wa)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:e=h.PB(a)}c.I||e||(e=f||String.fromCharCode(a).toLowerCase(),this.u+=e,0==="awesome".indexOf(this.u)?(e=!0,7===this.u.length&&(f=this.api.getRootNode(),h=!g.zn(f,"ytp-color-party"),g.J(f,"ytp-color-party",h))):(this.u=e,e=0==="awesome".indexOf(this.u)));if(!e){f=(f=this.api.getVideoData())?f.Ba: -[];switch(a){case 80:b&&!c.Z&&(YX(this.Kb,CN(),"Previous"),this.api.previousVideo(),e=!0);break;case 78:b&&!c.Z&&(YX(this.Kb,xN(),"Next"),this.api.nextVideo(),e=!0);break;case 74:this.api.je()&&(YX(this.Kb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(-10*this.api.getPlaybackRate()),e=!0);break;case 76:this.api.je()&&(YX(this.Kb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(10*this.api.getPlaybackRate()),e=!0);break;case 37:this.api.je()&&(d&&c.ca("web_player_seek_chapters_by_shortcut")?(b=1E3*this.api.getCurrentTime(),b=FY(f,b)-1,-1!==b&&(this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ca("web_player_seek_chapters_by_shortcut")&&this.B?Ixa(this.B,-1):YX(this.Kb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), -this.api.seekBy(-5*this.api.getPlaybackRate()),e=!0));break;case 39:this.api.je()&&(d&&c.ca("web_player_seek_chapters_by_shortcut")?(b=1E3*this.api.getCurrentTime(),b=FY(f,b)+1,b=b=a?l=a-48:96<=a&&105>=a&&(l=a-96);null!=l&&this.api.je()&&(a=this.api.getProgressState(),this.api.seekTo(l/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),e=!0);e&&this.Ac.Fj()}return e}; -g.k.vy=function(a){g.J(this.api.getRootNode(),"ytp-probably-keyboard-focus",a);g.J(this.contextMenu.element,"ytp-probably-keyboard-focus",a)}; -g.k.aa=function(){this.C.wg();g.Wr.prototype.aa.call(this)};g.u(JY,g.V);JY.prototype.na=function(){var a=g.LB(this.J.T())&&g.SW(this.J)&&g.T(g.lI(this.J),128),b=this.J.getPlayerSize();this.visible=this.u.Lf()&&!a&&240<=b.width;g.J(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&CY(this.tooltip);g.dN(this.J,this.element,this.visible&&this.N)}; -JY.prototype.zb=function(a){g.V.prototype.zb.call(this,a);g.dN(this.J,this.element,this.visible&&a)}; -JY.prototype.aa=function(){g.V.prototype.aa.call(this);g.Bn(this.element,"ytp-overflow-button-visible")};g.u(KY,g.OX);g.k=KY.prototype;g.k.tL=function(a){a=fp(a);g.Me(this.element,a)&&(g.Me(this.B,a)||g.Me(this.closeButton,a)||PX(this))}; -g.k.fb=function(){g.OX.prototype.fb.call(this);this.tooltip.Th(this.element)}; -g.k.show=function(){this.Wa&&this.J.V("OVERFLOW_PANEL_OPENED");g.OX.prototype.show.call(this);Lxa(this,!0)}; -g.k.hide=function(){g.OX.prototype.hide.call(this);Lxa(this,!1)}; -g.k.sL=function(a){!a&&this.af()&&PX(this)}; -g.k.focus=function(){for(var a=g.q(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.Wa){b.focus();break}};g.u(MY,g.V);MY.prototype.zc=function(a){this.element.setAttribute("aria-checked",String(a))}; -MY.prototype.onClick=function(a){g.AX(a,this.api)&&this.api.playVideoAt(this.index)};g.u(NY,g.OX);g.k=NY.prototype;g.k.show=function(){g.OX.prototype.show.call(this);this.C.R(this.api,"videodatachange",this.xx);this.C.R(this.api,"onPlaylistUpdate",this.xx);this.xx()}; -g.k.hide=function(){g.OX.prototype.hide.call(this);g.Yr(this.C);this.updatePlaylist(null)}; -g.k.xx=function(){this.updatePlaylist(this.api.getPlaylist())}; -g.k.gu=function(){var a=this.playlist,b=a.Ns;if(b===this.D)this.selected.zc(!1),this.selected=this.B[a.index];else{for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.dispose();c=a.getLength();this.B=[];for(d=0;dthis.api.getPlayerSize().width));c=b.profilePicture;a=g.fK(a)?b.ph:b.author;c=void 0===c?"":c;a=void 0===a?"":a;this.C?(this.J!==c&&(this.j.style.backgroundImage="url("+c+")",this.J=c),this.api.K("web_player_ve_conversion_fixes_for_channel_info")|| +this.updateValue("channelLink",oU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,this.C&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",oU(this));this.updateValue("expandedSubtitle", +b.expandedSubtitle)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.j,this.C&&a)};g.w(pU,g.dQ);pU.prototype.cW=function(){this.ma("size-change")}; +pU.prototype.focus=function(){this.content.focus()}; +pU.prototype.WV=function(){this.ma("back")};g.w(g.qU,pU);g.k=g.qU.prototype;g.k.Zc=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{b=g.Jb(this.items,a,aNa);if(0<=b)return;b=~b;g.Gb(this.items,b,0,a);g.wf(this.menuItems.element,a.element,b)}a.subscribe("size-change",this.WN,this);this.menuItems.ma("size-change")}; +g.k.jh=function(a){a.unsubscribe("size-change",this.WN,this);this.isDisposed()||(g.wb(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.ma("size-change"))}; +g.k.WN=function(){this.menuItems.ma("size-change")}; +g.k.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone();d&&(h=b,e=5,65==(e&65)&&(a.x=d.right)&&(e&=-2),132==(e&132)&&(a.y< +d.top||a.y>=d.bottom)&&(e&=-5),a.xd.right&&(h.width=Math.min(d.right-a.x,f+h.width-d.left),h.width=Math.max(h.width,0))),a.x+h.width>d.right&&e&1&&(a.x=Math.max(d.right-h.width,d.left)),a.yd.bottom&&(h.height=Math.min(d.bottom-a.y,f+h.height-d.top),h.height=Math.max(h.height,0))),a.y+h.height>d.bottom&&e&4&&(a.y=Math.max(d.bottom-h.height,d.top))); +d=new g.Em(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Nm(this.element,new g.Fe(d.left,d.top));g.Lz(this.C);this.C.S(document,"contextmenu",this.W5);this.C.S(this.F,"fullscreentoggled",this.onFullscreenToggled);this.C.S(this.F,"pageTransition",this.l0)}; +g.k.W5=function(a){if(!g.DO(a)){var b=CO(a);g.zf(this.element,b)||this.Fb();this.F.V().disableNativeContextMenu&&g.EO(a)}}; +g.k.onFullscreenToggled=function(){this.Fb();kNa(this)}; +g.k.l0=function(){this.Fb()};g.w(g.yU,g.U);g.yU.prototype.onClick=function(){var a=this,b,c,d,e;return g.A(function(f){if(1==f.j)return b=a.api.V(),c=a.api.getVideoData(),d=a.api.getPlaylistId(),e=b.getVideoUrl(c.videoId,d,void 0,!0),g.y(f,nNa(a,e),2);f.u&&mNa(a);a.api.qb(a.element);g.oa(f)})}; +g.yU.prototype.Pa=function(){this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.updateValue("title-attr","Copy link");this.visible=lNa(this);g.Up(this.element,"ytp-copylink-button-visible", +this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,this.visible&&this.ea)}; +g.yU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.yU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-copylink-button-visible")};g.w(AU,g.U);AU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.u)}; +AU.prototype.hide=function(){this.C.stop();this.B=0;g.Sp(this.element,"ytp-chapter-seek");g.Sp(this.element,"ytp-time-seeking");g.U.prototype.hide.call(this)}; +AU.prototype.GD=function(a,b,c,d){this.B=a===this.I?this.B+d:d;this.I=a;var e=-1===a?this.T:this.J;e&&this.F.qb(e);this.D?this.u.stop():g.Lp(this.u);this.C.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*this.F.jb().getPlayerSize().height;e=this.F.jb().getPlayerSize();e=e.width/3-3*e.height;this.j.style.width=f+"px";this.j.style.height=f+"px";1===a?(this.j.style.left="",this.j.style.right=e+"px"):-1===a&&(this.j.style.right="",this.j.style.left=e+"px");var h=2.5*f;f= +h/2;var l=this.Da("ytp-doubletap-ripple");l.style.width=h+"px";l.style.height=h+"px";1===a?(a=this.F.jb().getPlayerSize().width-b+Math.abs(e),l.style.left="",l.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,l.style.right="",l.style.left=a-f+"px");l.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.Da("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");oNa(this,this.D?this.B:d)};g.w(EU,g.U);g.k=EU.prototype;g.k.YG=function(){}; +g.k.WC=function(){}; +g.k.Yz=function(){return!0}; +g.k.g9=function(){if(this.expanded){this.Ga.show();var a=this.B.element.scrollWidth}else a=this.B.element.scrollWidth,this.Ga.hide();this.fb=34+a;g.Up(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.fb)+"px";this.Aa.start()}; +g.k.S2=function(){this.badge.element.style.width=(this.expanded?this.fb:34)+"px";this.La.start()}; +g.k.K9=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!0)}; +g.k.oP=function(){return this.Z||this.C||!this.D}; +g.k.dl=function(){this.Yz()?this.I.show():this.I.hide();qNa(this)}; +g.k.n0=function(){this.enabled=!1;this.dl()}; +g.k.J9=function(){this.dl()}; +g.k.F5=function(a){this.Xa=1===a;this.dl();g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!1)}; +g.k.Z5=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-fullscreen",this.F.isFullscreen());this.dl()};g.w(sNa,EU);g.k=sNa.prototype;g.k.Yz=function(){return!!this.J}; +g.k.oP=function(){return!!this.J}; +g.k.YG=function(a){a.target===this.dismissButton.element?a.preventDefault():FU(this,!1)}; +g.k.WC=function(){FU(this,!0);this.NH()}; +g.k.W8=function(a){var b;if(a.id!==(null==(b=this.J)?void 0:b.identifier)){this.NH();b=g.t(this.T);for(var c=b.next();!c.done;c=b.next()){var d=c.value,e=void 0,f=void 0;(c=null==(e=d)?void 0:null==(f=e.bannerData)?void 0:f.itemData)&&d.identifier===a.id&&(this.J=d,cQ(this.banner,c.accessibilityLabel||""),f=d=void 0,e=null==(f=g.K(g.K(c.onTapCommand,g.gT),g.pM))?void 0:f.url,this.banner.update({url:e,thumbnail:null==(d=(c.thumbnailSources||[])[0])?void 0:d.url,title:c.productTitle,vendor:c.vendorName, +price:c.price}),c.trackingParams&&(this.j=!0,this.F.og(this.badge.element,c.trackingParams)),this.I.show(),DU(this))}}}; +g.k.NH=function(){this.J&&(this.J=void 0,this.dl())}; +g.k.onVideoDataChange=function(a,b){var c=this;"dataloaded"===a&&tNa(this);var d,e;if(null==b?0:null==(d=b.getPlayerResponse())?0:null==(e=d.videoDetails)?0:e.isLiveContent){a=b.shoppingOverlayRenderer;var f=null==a?void 0:a.featuredProductsEntityKey,h;if(b=null==a?void 0:null==(h=a.dismissButton)?void 0:h.trackingParams)this.F.og(this.dismissButton.element,b),this.u=!0;var l;(h=null==a?void 0:null==(l=a.dismissButton)?void 0:l.a11yLabel)&&cQ(this.dismissButton,g.gE(h));this.T.length||uNa(this,f); +var m;null==(m=this.Ja)||m.call(this);this.Ja=g.sM.subscribe(function(){uNa(c,f)})}else this.NH()}; +g.k.qa=function(){tNa(this);EU.prototype.qa.call(this)};g.w(xNa,g.U);xNa.prototype.onClick=function(){this.F.qb(this.element,this.u)};g.w(yNa,g.PS);g.k=yNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.F.ma("infopaneldetailvisibilitychange",!0);this.F.Ua(this.element,!0);zNa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.F.ma("infopaneldetailvisibilitychange",!1);this.F.Ua(this.element,!1);zNa(this,!1)}; +g.k.getId=function(){return this.C}; +g.k.Ho=function(){return this.itemData.length}; +g.k.onVideoDataChange=function(a,b){if(b){var c,d,e,f;this.update({title:(null==(c=b.lm)?void 0:null==(d=c.title)?void 0:d.content)||"",body:(null==(e=b.lm)?void 0:null==(f=e.bodyText)?void 0:f.content)||""});var h;a=(null==(h=b.lm)?void 0:h.trackingParams)||null;this.F.og(this.element,a);h=g.t(this.itemData);for(a=h.next();!a.done;a=h.next())a.value.dispose();this.itemData=[];var l;if(null==(l=b.lm)?0:l.ctaButtons)for(b=g.t(b.lm.ctaButtons),l=b.next();!l.done;l=b.next())if(l=g.K(l.value,dab))l=new xNa(this.F, +l,this.j),l.De&&(this.itemData.push(l),l.Ea(this.items))}}; +g.k.qa=function(){this.hide();g.PS.prototype.qa.call(this)};g.w(CNa,g.U);g.k=CNa.prototype;g.k.onVideoDataChange=function(a,b){BNa(this,b);this.Te&&ENa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&BNa(this,b);ENa(this,a.state);this.Te=a.state}; +g.k.dW=function(a){(this.C=a)?this.hide():this.j&&this.show()}; +g.k.q0=function(){this.u||this.od();this.showControls=!0}; +g.k.o0=function(){this.u||this.Fb();this.showControls=!1}; +g.k.od=function(){this.j&&!this.C&&(this.B.show(),this.F.ma("infopanelpreviewvisibilitychange",!0),this.F.Ua(this.element,!0))}; +g.k.Fb=function(){this.j&&!this.C&&(this.B.hide(),this.F.ma("infopanelpreviewvisibilitychange",!1),this.F.Ua(this.element,!1))}; +g.k.Z8=function(){this.u=!1;this.showControls||this.Fb()};var Wcb={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(Wcb).reduce(function(a,b){a[Wcb[b]]=b;return a},{}); +var Xcb={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys(Xcb).reduce(function(a,b){a[Xcb[b]]=b;return a},{}); +var Ycb={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(Ycb).reduce(function(a,b){a[Ycb[b]]=b;return a},{});var Zcb,$cb;Zcb=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];$cb=[{option:0,text:GU(0)},{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]; +g.KU=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:Zcb},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:GU(.5)},{option:-1,text:GU(.75)},{option:0,text:GU(1)},{option:1,text:GU(1.5)},{option:2, +text:GU(2)},{option:3,text:GU(3)},{option:4,text:GU(4)}]},{option:"background",text:"Background color",options:Zcb},{option:"backgroundOpacity",text:"Background opacity",options:$cb},{option:"windowColor",text:"Window color",options:Zcb},{option:"windowOpacity",text:"Window opacity",options:$cb},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity", +text:"Font opacity",options:[{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]}];var adb=[27,9,33,34,13,32,187,61,43,189,173,95,79,87,67,80,78,75,70,65,68,87,83,107,221,109,219];g.w(g.JU,g.bI);g.k=g.JU.prototype; +g.k.oU=function(a){var b=!1,c=g.zO(a),d=CO(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey&&(!g.wS(this.api.app)||adb.includes(c)),f=!1,h=!1,l=this.api.V();g.DO(a)?(e=!1,h=!0):l.aj&&!g.wS(this.api.app)&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role"); +break;case 38:case 40:m=d.getAttribute("role"),d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);jU(this.Qc,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);jU(this.Qc,f,!0);this.api.setVolume(f); +h=f=!0;break;case 36:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(0),h=f=!0);break;case 35:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(Infinity),h=f=!0)}}b&&IU(this,!0);(b||h)&&this.Ve.tp();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.EO(a);l.I&&(a={keyCode:g.zO(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.DO(a),fullscreen:this.api.isFullscreen()},this.api.Na("onKeyPress",a))}; +g.k.pU=function(a){this.handleGlobalKeyUp(g.zO(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; +g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.LS(this.api.wb());c&&(c=c.Et)&&c.yb&&(c.kU(a),b=!0);9===a&&(IU(this,!0),b=!0);return b}; +g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){var h=!1;e=this.api.V();if(e.aj&&!g.wS(this.api.app))return h;var l=g.LS(this.api.wb());if(l&&(l=l.Et)&&l.yb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:h=l.jU(a)}e.J||h||(h=f||String.fromCharCode(a).toLowerCase(),this.u+=h,0==="awesome".indexOf(this.u)?(h=!0,7===this.u.length&&jla(this.api.getRootNode(),"ytp-color-party")):(this.u=h,h=0==="awesome".indexOf(this.u)));if(!h&&(!g.wS(this.api.app)||adb.includes(a))){l=this.api.getVideoData(); +var m,n;f=null==(m=this.Kc)?void 0:null==(n=m.u)?void 0:n.isEnabled;m=l?l.Pk:[];n=ZW?d:c;switch(a){case 80:b&&!e.Xa&&(iU(this.Qc,UEa(),"Previous"),this.api.previousVideo(),h=!0);break;case 78:b&&!e.Xa&&(iU(this.Qc,mQ(),"Next"),this.api.nextVideo(),h=!0);break;case 74:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,-1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(-10*this.api.getPlaybackRate()),h=!0);break;case 76:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(10*this.api.getPlaybackRate()),h=!0);break;case 37:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=HNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,-1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(this.j?BU(this.j,-1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), +this.api.seekBy(-5*this.api.getPlaybackRate()),h=!0));break;case 39:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=GNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(null!=this.j?BU(this.j,1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), +this.api.seekBy(5*this.api.getPlaybackRate()),h=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),jU(this.Qc,this.api.getVolume(),!1)):(this.api.mute(),jU(this.Qc,0,!0));h=!0;break;case 32:case 75:e.Xa||(LNa(this)&&this.api.Na("onExpandMiniplayer"),f?this.Kc.AL():(h=!g.RO(this.api.Cb()),this.Qc.nw(h),h?this.api.playVideo():this.api.pauseVideo()),h=!0);break;case 190:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h+.25,!0),MMa(this.Qc,!1),h=!0):this.api.yh()&&(this.step(1),h= +!0);break;case 188:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h-.25,!0),MMa(this.Qc,!0),h=!0):this.api.yh()&&(this.step(-1),h=!0);break;case 70:oMa(this.api)&&(this.api.toggleFullscreen().catch(function(){}),h=!0); +break;case 27:f?(this.Kc.Vr(),h=!0):this.C()&&(h=!0)}if("3"!==e.controlsType)switch(a){case 67:g.JT(this.api.wb())&&(e=this.api.getOption("captions","track"),this.api.toggleSubtitles(),NMa(this.Qc,!e||e&&!e.displayName),h=!0);break;case 79:LU(this,"textOpacity");break;case 87:LU(this,"windowOpacity");break;case 187:case 61:LU(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LU(this,"fontSizeIncrement",!0,!0)}var p;b||c||d||(48<=a&&57>=a?p=a-48:96<=a&&105>=a&&(p=a-96));null!=p&&this.api.yh()&& +(this.api.startSeekCsiAction(),a=this.api.getProgressState(),this.api.seekTo(p/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),h=!0);h&&this.Ve.tp()}return h}; +g.k.step=function(a){this.api.yh();if(g.QO(this.api.Cb())){var b=this.api.getVideoData().u;b&&(b=b.video)&&this.api.seekBy(a/(b.fps||30))}}; +g.k.qa=function(){g.Lp(this.B);g.bI.prototype.qa.call(this)};g.w(g.MU,g.U);g.MU.prototype.Sq=aa(33); +g.MU.prototype.Pa=function(){var a=this.F.V(),b=a.B||this.F.K("web_player_hide_overflow_button_if_empty_menu")&&this.Bh.Bf(),c=g.fK(a)&&g.KS(this.F)&&g.S(this.F.Cb(),128),d=this.F.getPlayerSize(),e=a.K("shorts_mode_to_player_api")?this.F.Sb():this.j.Sb();this.visible=this.j.Wg()&&!c&&240<=d.width&&!(this.F.getVideoData().D&&a.Z)&&!b&&!this.u&&!e;g.Up(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&$S(this.tooltip);this.F.Ua(this.element,this.visible&&this.ea)}; +g.MU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.F.Ua(this.element,this.visible&&a)}; +g.MU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-overflow-button-visible")};g.w(MNa,g.PS);g.k=MNa.prototype;g.k.r0=function(a){a=CO(a);g.zf(this.element,a)&&(g.zf(this.j,a)||g.zf(this.closeButton,a)||QS(this))}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element)}; +g.k.show=function(){this.yb&&this.F.ma("OVERFLOW_PANEL_OPENED");g.PS.prototype.show.call(this);this.element.setAttribute("aria-modal","true");ONa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.element.removeAttribute("aria-modal");ONa(this,!1)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.Bf=function(){return 0===this.actionButtons.length}; +g.k.focus=function(){for(var a=g.t(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.yb){b.focus();break}};g.w(PNa,g.U);PNa.prototype.onClick=function(a){g.UT(a,this.api)&&this.api.playVideoAt(this.index)};g.w(QNa,g.PS);g.k=QNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.B.S(this.api,"videodatachange",this.GJ);this.B.S(this.api,"onPlaylistUpdate",this.GJ);this.GJ()}; +g.k.hide=function(){g.PS.prototype.hide.call(this);g.Lz(this.B);this.updatePlaylist(null)}; +g.k.GJ=function(){this.updatePlaylist(this.api.getPlaylist());this.api.V().B&&(this.Da("ytp-playlist-menu-title-name").removeAttribute("href"),this.C&&(this.Hc(this.C),this.C=null))}; +g.k.TH=function(){var a=this.playlist,b=a.author,c=b?"by $AUTHOR \u2022 $CURRENT_POSITION/$PLAYLIST_LENGTH":"$CURRENT_POSITION/$PLAYLIST_LENGTH",d={CURRENT_POSITION:String(a.index+1),PLAYLIST_LENGTH:String(a.length)};b&&(d.AUTHOR=b);this.update({title:a.title,subtitle:g.lO(c,d),playlisturl:this.api.getVideoUrl(!0)});b=a.B;if(b===this.D)this.selected.element.setAttribute("aria-checked","false"),this.selected=this.j[a.index];else{c=g.t(this.j);for(d=c.next();!d.done;d=c.next())d.value.dispose();c=a.length; +this.j=[];for(d=0;dg.pG(this.api).getPlayerSize().width&&!a);this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.jJ("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.getLength())}),title:g.jJ("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}),this.Wa||(this.show(),CY(this.tooltip)),this.visible=!0):this.Wa&& -(this.hide(),CY(this.tooltip))}; -OY.prototype.zb=function(a){g.V.prototype.zb.call(this,a);g.dN(this.api,this.element,this.visible&&a)}; -OY.prototype.u=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.na,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.na,this);this.na()};g.u(PY,g.V);g.k=PY.prototype; -g.k.Ov=function(a){if(!this.C){if(a){this.tooltipRenderer=a;var b,c,d,e,f,h,l,m;a=this.tooltipRenderer.text;var n=!1;(null===(b=null===a||void 0===a?void 0:a.runs)||void 0===b?0:b.length)&&a.runs[0].text&&(this.update({title:a.runs[0].text.toString()}),n=!0);g.Fg(this.title,n);b=this.tooltipRenderer.detailsText;a=!1;(null===(c=null===b||void 0===b?void 0:b.runs)||void 0===c?0:c.length)&&b.runs[0].text&&(this.update({details:b.runs[0].text.toString()}),a=!0);g.Fg(this.details,a);c=this.tooltipRenderer.acceptButton; -b=!1;(null===(f=null===(e=null===(d=null===c||void 0===c?void 0:c.buttonRenderer)||void 0===d?void 0:d.text)||void 0===e?void 0:e.runs)||void 0===f?0:f.length)&&c.buttonRenderer.text.runs[0].text&&(this.update({acceptButtonText:c.buttonRenderer.text.runs[0].text.toString()}),b=!0);g.Fg(this.acceptButton,b);d=this.tooltipRenderer.dismissButton;e=!1;(null===(m=null===(l=null===(h=null===d||void 0===d?void 0:d.buttonRenderer)||void 0===h?void 0:h.text)||void 0===l?void 0:l.runs)||void 0===m?0:m.length)&& -d.buttonRenderer.text.runs[0].text&&(this.update({dismissButtonText:d.buttonRenderer.text.runs[0].text.toString()}),e=!0);g.Fg(this.dismissButton,e)}this.u=Mxa(this);this.B=!1;g.WM(this,!0);(h=!this.u)||(h=this.u,l=window.getComputedStyle(h),h="none"===l.display||"hidden"===l.visibility||"true"===h.getAttribute("aria-hidden"));h||this.J.app.visibility.u?g.WM(this,!1):(h=g.Eg(this.u),h.width&&h.height?(this.F.En(this.element,this.u),l=g.pG(this.J).getPlayerSize().height-g.Eg(this.element).height-h.height- -12,this.element.style.top=l+"px",l=this.ga("ytp-promotooltip-pointer"),m=g.Cg(this.u,this.J.getRootNode()),d=Number(this.element.style.left.replace(/[^\d\.]/g,"")),e=this.J.isFullscreen()?18:12,l.style.left=m.x-d+h.width/2-e+"px"):g.WM(this,!1));this.D||(this.D=!0,QY(this,0))}}; -g.k.oN=function(){g.WM(this,!1);this.B=!0}; -g.k.rM=function(){this.C=!0;QY(this,1);g.WM(this,!1)}; -g.k.tN=function(){this.C=!0;QY(this,2);g.WM(this,!1)}; -g.k.Ra=function(){this.B||(this.u||(this.u=Mxa(this)),this.Ov())};g.u(RY,g.V);RY.prototype.u=function(a){g.WM(this,g.T(a.state,2))}; -RY.prototype.onClick=function(){g.lI(this.J);this.J.playVideo()};g.u(g.SY,g.V);g.SY.prototype.onClick=function(){var a=this.api.T(),b=this.api.getVideoData(this.api.getPresentingPlayerType()),c=this.api.getPlaylistId();a=a.getVideoUrl(b.videoId,c,void 0,!0);navigator.share?navigator.share({title:b.title,url:a}):(this.u.cj(),PX(this.C,this.element,!1));g.gX(this.api,this.element)}; -g.SY.prototype.na=function(){var a=this.api.T(),b=this.api.getVideoData();this.u.Lf();var c=g.LB(a)&&g.SW(this.api)&&g.T(g.lI(this.api),128);this.wa("icon",{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 20.20,14.19 0,-4.45 7.79,7.79 -7.79,7.79 0,-4.56 C 16.27,20.69 12.10,21.81 9.34,24.76 8.80,25.13 7.60,27.29 8.12,25.65 9.08,21.32 11.80,17.18 15.98,15.38 c 1.33,-0.60 2.76,-0.98 4.21,-1.19 z"}}]});a=a.disableSharing&&2!==this.api.getPresentingPlayerType()|| -!b.showShareButton||b.oq||c;c=g.pG(this.api).getPlayerSize().width;this.visible=!!b.videoId&&c>=this.B&&!a;g.J(this.element,"ytp-share-button-visible",this.visible);g.WM(this,this.visible);CY(this.tooltip);g.dN(this.api,this.element,this.visible&&this.N)}; -g.SY.prototype.zb=function(a){g.V.prototype.zb.call(this,a);g.dN(this.api,this.element,this.visible&&a)}; -g.SY.prototype.aa=function(){g.V.prototype.aa.call(this);g.Bn(this.element,"ytp-share-button-visible")};g.u(g.TY,g.OX);g.k=g.TY.prototype;g.k.AL=function(a){a=fp(a);g.Me(this.F,a)||g.Me(this.closeButton,a)||PX(this)}; -g.k.fb=function(){g.OX.prototype.fb.call(this);this.tooltip.Th(this.element)}; -g.k.show=function(){var a=this.Wa;g.OX.prototype.show.call(this);this.na();a||this.api.va("onSharePanelOpened")}; -g.k.na=function(){var a=this;g.I(this.element,"ytp-share-panel-loading");g.Bn(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId(),d=c&&this.D.checked,e=this.api.T();g.R(e.experiments,"web_player_innertube_share_panel")?tU(qG(this.api.app),b.getSharePanelCommand,{includeListId:d}).then(function(f){Oxa(a,f)}):(g.J(this.element,"ytp-share-panel-has-playlist",!!c),b={action_get_share_info:1, -video_id:b.videoId},e.kd&&(b.authuser=e.kd),e.pageId&&(b.pageid=e.pageId),g.LB(e)&&g.GT(b,"emb_share"),d&&(b.list=c),g.oq(e.N+"share_ajax",{method:"GET",onError:function(){Qxa(a)}, -onSuccess:function(f,h){h?Oxa(a,h):Qxa(a)}, -Og:b,withCredentials:!0}));c=this.api.getVideoUrl(!0,!0,!1,!1);this.wa("link",c);this.wa("linkText",c);this.wa("shareLinkWithUrl",g.jJ("Share link $URL",{URL:c}));DX(this.C)}; -g.k.zL=function(a){!a&&this.af()&&PX(this)}; -g.k.focus=function(){this.C.focus()}; -g.k.aa=function(){g.OX.prototype.aa.call(this);Pxa(this)};g.u(WY,g.V);g.k=WY.prototype;g.k.aa=function(){Txa(this);g.V.prototype.aa.call(this)}; -g.k.VM=function(a){a.target!==this.dismissButton.element&&(Sxa(this,!1),this.J.va("innertubeCommand",this.onClickCommand))}; -g.k.WM=function(){this.dismissed=!0;Sxa(this,!0);this.Lh()}; -g.k.EO=function(a){this.X=a;this.Lh()}; -g.k.Pa=function(a,b){var c,d=!!b.videoId&&this.videoId!==b.videoId;d&&(this.videoId=b.videoId,this.dismissed=!1,this.u=!0);if(d||!b.videoId)this.D=this.C=!1;d=b.shoppingOverlayRenderer;this.B=this.I=this.X=this.enabled=!1;if(d){this.enabled=!0;var e,f;this.C||(this.C=!!d.trackingParams)&&g.aN(this.J,this.badge.element,d.trackingParams||null);this.D||(this.D=!(null===(e=d.dismissButton)||void 0===e||!e.trackingParams))&&g.aN(this.J,this.dismissButton.element,(null===(f=d.dismissButton)||void 0===f? -void 0:f.trackingParams)||null);this.text=g.U(d.text);if(e=null===(c=d.dismissButton)||void 0===c?void 0:c.a11yLabel)this.ha=g.U(e);this.onClickCommand=d.onClickCommand;Txa(this);d.timing?(f=d.timing,d=[],e=f.visible,f=f.expanded,e&&d.push(new g.tD(1E3*e.startSec,1E3*e.endSec,{priority:7,namespace:"shopping_overlay_visible"})),f&&d.push(new g.tD(1E3*f.startSec,1E3*f.endSec,{priority:7,namespace:"shopping_overlay_expanded"})),g.GM(this.J,d)):this.I=this.B=!0}d=this.text||"";g.Ne(g.te("ytp-shopping-overlay-badge-title", -this.element),d);this.badge.element.setAttribute("aria-label",d);this.dismissButton.element.setAttribute("aria-label",this.ha?this.ha:"");VY(this);this.Lh()}; -g.k.lR=function(a){this.ra=a;this.Lh()}; -g.k.Lh=function(){XY(this)?this.K.show():this.K.hide();Rxa(this)}; -g.k.Eg=function(a){(this.B=a)?(UY(this),VY(this,!1)):this.ea.start();this.Lh()}; -g.k.QQ=function(){if(this.expanded){this.W.show();var a=this.F.element.scrollWidth}else a=this.F.element.scrollWidth,this.W.hide();this.ka=34+a;g.J(this.badge.element,"ytp-shopping-overlay-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.ka)+"px";this.P.start()}; -g.k.rI=function(){this.badge.element.style.width=(this.expanded?this.ka:34)+"px";this.Z.start()}; -g.k.BL=function(){this.enabled=!1;this.Lh()}; -g.k.aN=function(a){this.da=1===a;this.Lh()};g.u(YY,g.OX);YY.prototype.show=function(){g.OX.prototype.show.call(this);this.B.start()}; -YY.prototype.hide=function(){g.OX.prototype.hide.call(this);this.B.stop()};g.u(ZY,g.V);ZY.prototype.onClick=function(){var a=g.Z(this.J.app);a&&a.B&&a.B.nx()}; -ZY.prototype.na=function(){var a=g.Z(this.J.app);g.WM(this,!!a&&a.Ef);this.wa("icon",this.J.Ll()?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",qb:!0,U:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36", -width:"100%"},S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};new yq;g.u($Y,g.V);g.k=$Y.prototype; -g.k.Bp=function(){var a=this.J.getPresentingPlayerType();if(2!==a&&3!==a&&g.eX(this.J)&&400<=g.pG(this.J).getPlayerSize().width)this.B||(this.B=!0,g.WM(this,this.B),this.u.push(this.R(this.J,"videodatachange",this.Bp)),this.u.push(this.R(this.J,"videoplayerreset",this.Bp)),this.u.push(this.R(this.J,"onPlaylistUpdate",this.Bp)),this.u.push(this.R(this.J,"autonavchange",this.jD)),a=this.J.getVideoData(),this.jD(a.autonavState));else{this.B=!1;g.WM(this,this.B);a=g.q(this.u);for(var b=a.next();!b.done;b= -a.next())this.Eb(b.value)}}; -g.k.jD=function(a){this.isChecked=1!==a||!g.Or(g.Mr.getInstance(),140);Uxa(this)}; -g.k.onClick=function(){this.isChecked=!this.isChecked;var a=this.J,b=this.isChecked?2:1;EAa(a.app,b);b&&Q0(a.app,b);Uxa(this)}; -g.k.getValue=function(){return this.isChecked}; -g.k.setValue=function(a){this.isChecked=a;this.ga("ytp-autonav-toggle-button").setAttribute("aria-checked",String(this.isChecked))};g.u(g.bZ,g.V);g.bZ.prototype.aa=function(){this.u=null;g.V.prototype.aa.call(this)};g.u(cZ,g.V);cZ.prototype.X=function(a){var b=g.Eg(this.I).width,c=g.Eg(this.W).width,d=this.K.Hd()?3:1;a=a.width-b-c-40*d-52;0d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.Lx()}}; -g.k.disable=function(){var a=this;if(!this.message){var b=(null!=Xo(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.OX(this.J,{G:"div",ia:["ytp-popup","ytp-generic-popup"],U:{role:"alert",tabindex:"0"},S:[b[0],{G:"a",U:{href:"https://support.google.com/youtube/answer/6276924", -target:this.J.T().F},Y:b[2]},b[4]]},100,!0);this.message.hide();g.C(this,this.message);this.message.subscribe("show",function(c){a.C.Ho(a.message,c)}); -g.oP(this.J,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.u)();this.u=null}}; -g.k.na=function(){g.WM(this,dxa(this.J))}; -g.k.mD=function(a){if(a){var b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", -L:"ytp-fullscreen-button-corner-1",S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.EX(this.J,"Exit full screen","f");document.activeElement===this.element&&this.J.getRootNode().focus()}else b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-1",S:[{G:"path", -qb:!0,L:"ytp-svg-fill",U:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",qb:!0,L:"ytp-svg-fill",U:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.EX(this.J,"Full screen","f");this.wa("icon",b);this.wa("title",this.message?null:a);CY(this.C.Jb())}; -g.k.aa=function(){this.message||((0,this.u)(),this.u=null);g.V.prototype.aa.call(this)};g.u(iZ,g.V);iZ.prototype.onClick=function(){this.J.va("onCollapseMiniplayer");g.gX(this.J,this.element)}; -iZ.prototype.na=function(){this.visible=!this.J.isFullscreen();g.WM(this,this.visible);g.dN(this.J,this.element,this.visible&&this.N)}; -iZ.prototype.zb=function(a){g.V.prototype.zb.call(this,a);g.dN(this.J,this.element,this.visible&&a)};g.u(jZ,g.V);jZ.prototype.Pa=function(a){this.na("newdata"===a)}; -jZ.prototype.na=function(a){var b=this.J.getVideoData(),c=b.Tk,d=g.lI(this.J);d=(g.hL(d)||g.T(d,4))&&0a&&this.delay.start()}; -var yCa=new g.Kn(0,0,.4,0,.2,1,1,1),$xa=/[0-9.-]+|[^0-9.-]+/g;g.u(nZ,g.V);g.k=nZ.prototype;g.k.nD=function(a){this.visible=300<=a.width;g.WM(this,this.visible);g.dN(this.J,this.element,this.visible&&this.N)}; -g.k.kO=function(){this.J.T().W?this.J.isMuted()?this.J.unMute():this.J.mute():PX(this.message,this.element,!0);g.gX(this.J,this.element)}; -g.k.rL=function(a){this.setVolume(a.volume,a.muted)}; -g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.J.T(),f=0===d?1:50this.clipEnd)&&this.cu()}; -g.k.xL=function(a){if(!g.jp(a)){var b=!1;switch(g.kp(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.ip(a)}}; -g.k.oD=function(a,b){this.updateVideoData(b,"newdata"===a)}; -g.k.jJ=function(){this.oD("newdata",this.api.getVideoData())}; -g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.isValid();this.Ub=c&&a.allowLiveDvr;yya(this,this.api.je());b&&(c?(c=a.clipEnd,this.clipStart=a.clipStart,this.clipEnd=c,EZ(this),AZ(this,this.I,this.ha)):this.cu(),g.s_(this.tooltip));if(a){c=a.watchNextResponse;if(c=!a.isLivePlayback&&c){c=this.api.getVideoData().multiMarkersPlayerBarRenderer;var d=this.api.getVideoData().Av;c=null!=c||null!=d&&0a.position&&(n=1);!m&&h/2>this.C-a.position&&(n=2);Rya(this.tooltip, -c,d,b,!!f,l,e,n)}else Rya(this.tooltip,c,d,b,!!f,l);g.J(this.api.getRootNode(),"ytp-progress-bar-hover",!g.T(g.lI(this.api),64));rya(this)}; -g.k.GO=function(){g.s_(this.tooltip);g.Bn(this.api.getRootNode(),"ytp-progress-bar-hover")}; -g.k.FO=function(a,b){this.D&&(this.D.dispose(),this.D=null);this.wd=b;1e||1e&&a.D.start()}); -this.D.start()}if(g.T(g.lI(this.api),32)||3===this.api.getPresentingPlayerType())1.1*(this.B?60:40),f=xZ(this));g.J(this.element,"ytp-pull-ui",e);d&&g.I(this.element,"ytp-pulling");d=0;f.B&&0>=f.position&&1===this.Ba.length?d=-1:f.F&&f.position>=f.width&&1===this.Ba.length&&(d=1);if(this.nb!==d&&1===this.Ba.length&&(this.nb=d,this.D&&(this.D.dispose(),this.D=null),d)){var h=(0,g.N)();this.D=new g.qn(function(){var l=c.C*(c.ea-1); -c.W=g.be(c.W+c.nb*((0,g.N)()-h)*.3,0,l);BZ(c);c.api.seekTo(DZ(c,xZ(c)),!1);0this.api.jb().getPlayerSize().width&&!a);(this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb())?this.hide():this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.lO("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.length)}),title:g.lO("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}), +this.yb||(this.show(),$S(this.tooltip)),this.visible=!0,this.Zb(!0)):this.yb&&this.hide()}; +NU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +NU.prototype.j=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.Pa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.Pa,this);this.Pa()};g.w(RNa,g.U);g.k=RNa.prototype;g.k.t0=function(){this.C?VNa(this):UNa(this)}; +g.k.s0=function(){this.C?(OU(this),this.I=!0):UNa(this)}; +g.k.c5=function(){this.D=!0;this.QD(1);this.F.ma("promotooltipacceptbuttonclicked",this.acceptButton);OU(this);this.u&&this.F.qb(this.acceptButton)}; +g.k.V5=function(){this.D=!0;this.QD(2);OU(this);this.u&&this.F.qb(this.dismissButton)}; +g.k.u0=function(a){if(1===this.F.getPresentingPlayerType()||2===this.F.getPresentingPlayerType()&&this.T){var b=!0,c=g.kf("ytp-ad-overlay-ad-info-dialog-container"),d=CO(a);if(this.B&&d&&g.zf(this.B,d))this.B=null;else{1===this.F.getPresentingPlayerType()&&d&&Array.from(d.classList).forEach(function(l){l.startsWith("ytp-ad")&&(b=!1)}); +var e=WNa(this.tooltipRenderer),f;if("TOOLTIP_DISMISS_TYPE_TAP_ANYWHERE"===(null==(f=this.tooltipRenderer.dismissStrategy)?void 0:f.type))e&&(b=b&&!g.zf(this.element,d));else{var h;"TOOLTIP_DISMISS_TYPE_TAP_INTERNAL"===(null==(h=this.tooltipRenderer.dismissStrategy)?void 0:h.type)&&(b=e?!1:b&&g.zf(this.element,d))}this.j&&this.yb&&!c&&(!d||b&&g.fR(a))&&(this.D=!0,OU(this))}}}; +g.k.QD=function(a){var b=this.tooltipRenderer.promoConfig;if(b){switch(a){case 0:var c;if(null==(c=b.impressionEndpoints)?0:c.length)var d=b.impressionEndpoints[0];break;case 1:d=b.acceptCommand;break;case 2:d=b.dismissCommand}var e;a=null==(e=g.K(d,cab))?void 0:e.feedbackToken;d&&a&&(e={feedbackTokens:[a]},a=this.F.Mm(),(null==a?0:vFa(d,a.rL))&&tR(a,d,e))}}; +g.k.Db=function(){this.I||(this.j||(this.j=SNa(this)),VNa(this))}; +var TNa={"ytp-settings-button":g.rQ()};g.w(PU,g.U);PU.prototype.onStateChange=function(a){this.qc(a.state)}; +PU.prototype.qc=function(a){g.bQ(this,g.S(a,2))}; +PU.prototype.onClick=function(){this.F.Cb();this.F.playVideo()};g.w(g.QU,g.U);g.k=g.QU.prototype;g.k.Tq=aa(35);g.k.onClick=function(){var a=this,b=this.api.V(),c=this.api.getVideoData(this.api.getPresentingPlayerType()),d=this.api.getPlaylistId();b=b.getVideoUrl(c.videoId,d,void 0,!0);if(navigator.share)try{var e=navigator.share({title:c.title,url:b});e instanceof Promise&&e.catch(function(f){YNa(a,f)})}catch(f){f instanceof Error&&YNa(this,f)}else this.j.Il(),QS(this.B,this.element,!1); +this.api.qb(this.element)}; +g.k.showShareButton=function(a){var b=!0;if(this.api.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){var c,d,e=null==(c=a.kf)?void 0:null==(d=c.embedPreview)?void 0:d.thumbnailPreviewRenderer;e&&(b=!!e.shareButton);var f,h;(c=null==(f=a.jd)?void 0:null==(h=f.playerOverlays)?void 0:h.playerOverlayRenderer)&&(b=!!c.shareButton);var l,m,n,p;if(null==(p=g.K(null==(l=a.jd)?void 0:null==(m=l.contents)?void 0:null==(n=m.twoColumnWatchNextResults)?void 0:n.desktopOverlay,nM))?0:p.suppressShareButton)b= +!1}else b=a.showShareButton;return b}; +g.k.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.j.Sb();g.Up(this.element,"ytp-show-share-title",g.fK(a)&&!g.oK(a)&&!b);this.j.yg()&&b?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.element,"right",a+"px")):b&&g.Hm(this.element,"right","0px");this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20.20,14.19 0,-4.45 7.79,7.79 -7.79,7.79 0,-4.56 C 16.27,20.69 12.10,21.81 9.34,24.76 8.80,25.13 7.60,27.29 8.12,25.65 9.08,21.32 11.80,17.18 15.98,15.38 c 1.33,-0.60 2.76,-0.98 4.21,-1.19 z"}}]}); +this.visible=XNa(this);g.Up(this.element,"ytp-share-button-visible",this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,XNa(this)&&this.ea)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-share-button-visible")};g.w(g.RU,g.PS);g.k=g.RU.prototype;g.k.v0=function(a){a=CO(a);g.zf(this.D,a)||g.zf(this.closeButton,a)||QS(this)}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element);this.api.Ua(this.j,!1);for(var a=g.t(this.B),b=a.next();!b.done;b=a.next())b=b.value,this.api.Dk(b.element)&&this.api.Ua(b.element,!1)}; +g.k.show=function(){var a=this.yb;g.PS.prototype.show.call(this);this.Pa();a||this.api.Na("onSharePanelOpened")}; +g.k.B4=function(){this.yb&&this.Pa()}; +g.k.Pa=function(){var a=this;g.Qp(this.element,"ytp-share-panel-loading");g.Sp(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId()&&this.C.checked;b.getSharePanelCommand&&tR(this.api.Mm(),b.getSharePanelCommand,{includeListId:c}).then(function(d){a.isDisposed()||(g.Sp(a.element,"ytp-share-panel-loading"),aOa(a,d))}); +b=this.api.getVideoUrl(!0,!0,!1,!1);g.oK(this.api.V())&&(b=g.Zi(b,g.hS({},"emb_share")));this.updateValue("link",b);this.updateValue("linkText",b);this.updateValue("shareLinkWithUrl",g.lO("Share link $URL",{URL:b}));rMa(this.j);this.api.Ua(this.j,!0)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.focus=function(){this.j.focus()}; +g.k.qa=function(){g.PS.prototype.qa.call(this);$Na(this)};g.w(cOa,EU);g.k=cOa.prototype;g.k.qa=function(){dOa(this);EU.prototype.qa.call(this)}; +g.k.YG=function(a){a.target!==this.dismissButton.element&&(FU(this,!1),this.F.Na("innertubeCommand",this.onClickCommand))}; +g.k.WC=function(){this.ya=!0;FU(this,!0);this.dl()}; +g.k.I6=function(a){this.Ja=a;this.dl()}; +g.k.B6=function(a){var b=this.F.getVideoData();b&&b.videoId===this.videoId&&this.T&&(this.J=a,a||(a=3+this.F.getCurrentTime(),this.ye(a)))}; +g.k.onVideoDataChange=function(a,b){if(a=!!b.videoId&&this.videoId!==b.videoId)this.videoId=b.videoId,this.ya=!1,this.C=!0,this.J=this.T=this.D=this.Z=!1,dOa(this);if(a||!b.videoId)this.u=this.j=!1;var c,d;if(this.F.K("web_player_enable_featured_product_banner_on_desktop")&&(null==b?0:null==(c=b.getPlayerResponse())?0:null==(d=c.videoDetails)?0:d.isLiveContent))this.Bg(!1);else{var e,f,h;c=b.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")?g.K(null==(e=b.jd)?void 0:null==(f=e.playerOverlays)? +void 0:null==(h=f.playerOverlayRenderer)?void 0:h.productsInVideoOverlayRenderer,qza):b.shoppingOverlayRenderer;this.Ja=this.enabled=!1;if(c){this.enabled=!0;if(!this.j){var l;e=null==(l=c.badgeInteractionLogging)?void 0:l.trackingParams;(this.j=!!e)&&this.F.og(this.badge.element,e||null)}if(!this.u){var m;if(this.u=!(null==(m=c.dismissButton)||!m.trackingParams)){var n;this.F.og(this.dismissButton.element,(null==(n=c.dismissButton)?void 0:n.trackingParams)||null)}}this.text=g.gE(c.text);var p;if(l= +null==(p=c.dismissButton)?void 0:p.a11yLabel)this.Ya=g.gE(l);this.onClickCommand=c.onClickCommand;this.timing=c.timing;BM(b)?this.J=this.T=!0:this.ye()}rNa(this);DU(this);this.dl()}}; +g.k.Yz=function(){return!this.Ja&&this.enabled&&!this.ya&&!this.kb.Wg()&&!this.Xa&&!this.J&&(this.D||this.C)}; +g.k.Bg=function(a){(this.D=a)?(CU(this),DU(this,!1)):(dOa(this),this.oa.start());this.dl()}; +g.k.ye=function(a){a=void 0===a?0:a;var b=[],c=this.timing.visible,d=this.timing.expanded;c&&b.push(new g.XD(1E3*(c.startSec+a),1E3*(c.endSec+a),{priority:9,namespace:"shopping_overlay_visible"}));d&&b.push(new g.XD(1E3*(d.startSec+a),1E3*(d.endSec+a),{priority:9,namespace:"shopping_overlay_expanded"}));this.F.ye(b)};g.w(fOa,g.U); +fOa.prototype.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.bQ(this,g.fK(a)&&b);this.subscribeButton&&this.api.Ua(this.subscribeButton.element,this.yb);b=this.api.getVideoData();var c=!1;2===this.api.getPresentingPlayerType()?c=!!b.videoId&&!!b.isListed&&!!b.author&&!!b.Lc&&!!b.profilePicture:g.fK(a)&&(c=!!b.videoId&&!!b.Lc&&!!b.profilePicture&&!(b.D&&a.Z)&&!a.B&&!(a.T&&200>this.api.getPlayerSize().width));var d=b.profilePicture;a=g.fK(a)?b.ph:b.author; +d=void 0===d?"":d;a=void 0===a?"":a;c?(this.B!==d&&(this.j.style.backgroundImage="url("+d+")",this.B=d),this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelLink",SU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,c&&this.ea);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&& +this.api.Ua(this.channelName,c&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",SU(this))};g.w(TU,g.PS);TU.prototype.show=function(){g.PS.prototype.show.call(this);this.j.start()}; +TU.prototype.hide=function(){g.PS.prototype.hide.call(this);this.j.stop()}; +TU.prototype.Gs=function(a,b){"dataloaded"===a&&((this.ri=b.ri,this.vf=b.vf,isNaN(this.ri)||isNaN(this.vf))?this.B&&(this.F.Ff("intro"),this.F.removeEventListener(g.ZD("intro"),this.I),this.F.removeEventListener(g.$D("intro"),this.D),this.F.removeEventListener("onShowControls",this.C),this.hide(),this.B=!1):(this.F.addEventListener(g.ZD("intro"),this.I),this.F.addEventListener(g.$D("intro"),this.D),this.F.addEventListener("onShowControls",this.C),a=new g.XD(this.ri,this.vf,{priority:9,namespace:"intro"}), +this.F.ye([a]),this.B=!0))};g.w(UU,g.U);UU.prototype.onClick=function(){this.F.Dt()}; +UU.prototype.Pa=function(){var a=!0;g.fK(this.F.V())&&(a=a&&480<=this.F.jb().getPlayerSize().width);g.bQ(this,a);this.updateValue("icon",this.F.wh()?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}: +{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};g.w(g.WU,g.U);g.WU.prototype.qa=function(){this.j=null;g.U.prototype.qa.call(this)};g.w(XU,g.U);XU.prototype.onClick=function(){this.F.Na("innertubeCommand",this.j)}; +XU.prototype.J=function(a){a!==this.D&&(this.update({title:a}),this.D=a);a?this.show():this.hide()}; +XU.prototype.I=function(){this.B.disabled=null==this.j;g.Up(this.B,"ytp-chapter-container-disabled",this.B.disabled);this.yc()};g.w(YU,XU);YU.prototype.onClickCommand=function(a){g.K(a,rM)&&this.yc()}; +YU.prototype.updateVideoData=function(a,b){var c;if(b.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")){var d,e;a=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.decoratedPlayerBarRenderer,HL);c=g.K(null==a?void 0:a.playerBarActionButton,g.mM)}else c=b.z1;var f;this.j=null==(f=c)?void 0:f.command;XU.prototype.I.call(this)}; +YU.prototype.yc=function(){var a="",b=this.C.j,c,d="clips"===(null==(c=this.F.getLoopRange())?void 0:c.type);if(1d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.NN()}}; +g.k.disable=function(){var a=this;if(!this.message){var b=(null!=wz(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.PS(this.F,{G:"div",Ia:["ytp-popup","ytp-generic-popup"],X:{role:"alert",tabindex:"0"},W:[b[0],{G:"a",X:{href:"https://support.google.com/youtube/answer/6276924", +target:this.F.V().ea},ra:b[2]},b[4]]},100,!0);this.message.hide();g.E(this,this.message);this.message.subscribe("show",function(c){a.u.qy(a.message,c)}); +g.NS(this.F,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.j)();this.j=null}}; +g.k.Pa=function(){var a=oMa(this.F),b=this.F.V().T&&250>this.F.getPlayerSize().width;g.bQ(this,a&&!b);this.F.Ua(this.element,this.yb)}; +g.k.cm=function(a){if(a){var b={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", +N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.WT(this.F,"Exit full screen","f");this.update({"data-title-no-tooltip":"Exit full screen"});document.activeElement===this.element&&this.F.getRootNode().focus();document.u&&document.j().catch(function(c){g.DD(c)})}else b={G:"svg", +X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3", +W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.WT(this.F,"Full screen","f"),this.update({"data-title-no-tooltip":"Full screen"});a=this.message?null:a;this.update({title:a,icon:b});$S(this.u.Ic())}; +g.k.qa=function(){this.message||((0,this.j)(),this.j=null);g.U.prototype.qa.call(this)};g.w(aV,g.U);aV.prototype.onClick=function(){this.F.qb(this.element);this.F.seekBy(this.j,!0);null!=this.C.Ou&&BU(this.C.Ou,0this.j&&a.push("backwards");this.element.classList.add.apply(this.element.classList,g.u(a));g.Jp(this.u)}};g.w(bV,XU);bV.prototype.onClickCommand=function(a){g.K(a,hbb)&&this.yc()}; +bV.prototype.updateVideoData=function(){var a,b;this.j=null==(a=kOa(this))?void 0:null==(b=a.onTap)?void 0:b.innertubeCommand;XU.prototype.I.call(this)}; +bV.prototype.yc=function(){var a="",b=this.C.I,c,d=null==(c=kOa(this))?void 0:c.headerTitle;c=d?g.gE(d):"";var e;d="clips"===(null==(e=this.F.getLoopRange())?void 0:e.type);1a&&this.delay.start()}; +var bdb=new gq(0,0,.4,0,.2,1,1,1),rOa=/[0-9.-]+|[^0-9.-]+/g;g.w(g.fV,g.U);g.k=g.fV.prototype;g.k.FR=function(a){this.visible=300<=a.width||this.Ga;g.bQ(this,this.visible);this.F.Ua(this.element,this.visible&&this.ea)}; +g.k.t6=function(){this.F.V().Ya?this.F.isMuted()?this.F.unMute():this.F.mute():QS(this.message,this.element,!0);this.F.qb(this.element)}; +g.k.onVolumeChange=function(a){this.setVolume(a.volume,a.muted)}; +g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.F.V();a=0===d?1:50=HOa(this)){this.api.seekTo(a,!1);g.Hm(this.B,"transform","translateX("+this.u+"px)");var b=g.eR(a),c=g.lO("Seek to $PROGRESS",{PROGRESS:g.eR(a,!0)});this.update({ariamin:0,ariamax:Math.floor(this.api.getDuration()),arianow:Math.floor(a),arianowtext:c,seekTime:b})}else this.u=this.J}; +g.k.x0=function(){var a=300>(0,g.M)()-this.Ja;if(5>Math.abs(this.T)&&!a){this.Ja=(0,g.M)();a=this.Z+this.T;var b=this.C/2-a;this.JJ(a);this.IJ(a+b);DOa(this);this.api.qb(this.B)}DOa(this)}; +g.k.xz=function(){iV(this,this.api.getCurrentTime())}; +g.k.play=function(a){this.api.seekTo(IOa(this,this.u));this.api.playVideo();a&&this.api.qb(this.playButton)}; +g.k.Db=function(a,b){this.Ga=a;this.C=b;iV(this,this.api.getCurrentTime())}; +g.k.enable=function(){this.isEnabled||(this.isEnabled=!0,this.La=this.api.getCurrentTime(),g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled),this.Aa=this.S(this.element,"wheel",this.y0),this.Ua(this.isEnabled))}; +g.k.disable=function(){this.isEnabled=!1;this.hide();g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled);this.Aa&&this.Hc(this.Aa);this.Ua(this.isEnabled)}; +g.k.reset=function(){this.disable();this.D=[];this.ya=!1}; +g.k.Ua=function(a){this.api.Ua(this.element,a);this.api.Ua(this.B,a);this.api.Ua(this.dismissButton,a);this.api.Ua(this.playButton,a)}; +g.k.qa=function(){for(;this.j.length;){var a=void 0;null==(a=this.j.pop())||a.dispose()}g.U.prototype.qa.call(this)}; +g.w(EOa,g.U);g.w(FOa,g.U);g.w(LOa,g.U);g.w(jV,g.U);jV.prototype.ub=function(a){return"PLAY_PROGRESS"===a?this.I:"LOAD_PROGRESS"===a?this.D:"LIVE_BUFFER"===a?this.C:this.u};NOa.prototype.update=function(a,b,c,d){c=void 0===c?0:c;this.width=b;this.B=c;this.j=b-c-(void 0===d?0:d);this.position=g.ze(a,c,c+this.j);this.u=this.position-c;this.fraction=this.u/this.j};g.w(OOa,g.U);g.w(g.mV,g.dQ);g.k=g.mV.prototype; +g.k.EY=function(){var a=!1,b=this.api.getVideoData();if(!b)return a;this.api.Ff("timedMarkerCueRange");ROa(this);for(var c=g.t(b.ke),d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0,f=null==(e=this.uc[d])?void 0:e.markers;if(f){a=g.t(f);for(e=a.next();!e.done;e=a.next()){f=e.value;e=new OOa;var h=void 0;e.title=(null==(h=f.title)?void 0:h.simpleText)||"";e.timeRangeStartMillis=Number(f.startMillis);e.j=Number(f.durationMillis);var l=h=void 0;e.onActiveCommand=null!=(l=null==(h=f.onActive)?void 0: +h.innertubeCommand)?l:void 0;WOa(this,e)}XOa(this,this.I);a=this.I;e=this.Od;f=[];h=null;for(l=0;lm&&(h.end=m);m=INa(m,m+p);f.push(m);h=m;e[m.id]=a[l].onActiveCommand}}this.api.ye(f);this.vf=this.uc[d];a=!0}}b.JR=this.I;g.Up(this.element,"ytp-timed-markers-enabled",a);return a}; +g.k.Db=function(){g.nV(this);pV(this);XOa(this,this.I);if(this.u){var a=g.Pm(this.element).x||0;this.u.Db(a,this.J)}}; +g.k.onClickCommand=function(a){if(a=g.K(a,rM)){var b=a.key;a.isVisible&&b&&aPa(this,b)}}; +g.k.H7=function(a){this.api.Na("innertubeCommand",this.Od[a.id])}; +g.k.yc=function(){pV(this);var a=this.api.getCurrentTime();(athis.clipEnd)&&this.LH()}; +g.k.A0=function(a){if(!g.DO(a)){var b=!1;switch(g.zO(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.EO(a)}}; +g.k.Gs=function(a,b){this.updateVideoData(b,"newdata"===a)}; +g.k.I3=function(){this.Gs("newdata",this.api.getVideoData())}; +g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.De();c&&(aN(a)||hPa(this)?this.je=!1:this.je=a.allowLiveDvr,g.Up(this.api.getRootNode(),"ytp-enable-live-buffer",!(null==a||!aN(a))));qPa(this,this.api.yh());if(b){if(c){b=a.clipEnd;this.clipStart=a.clipStart;this.clipEnd=b;tV(this);for(qV(this,this.Z,this.ib);0m&&(c=m,a.position=jR(this.B,m)*oV(this).j),b=this.B.u;hPa(this)&& +(b=this.B.u);m=f||g.eR(this.je?c-this.B.j:c-b);b=a.position+this.Jf;c-=this.api.Jd();var n;if(null==(n=this.u)||!n.isEnabled)if(this.api.Hj()){if(1=n);d=this.tooltip.scale;l=(isNaN(l)?0:l)-45*d;this.api.K("web_key_moments_markers")?this.vf?(n=FNa(this.I,1E3*c),n=null!=n?this.I[n].title:""):(n=HU(this.j,1E3*c),n=this.j[n].title):(n=HU(this.j,1E3*c),n=this.j[n].title);n||(l+=16*d);.6===this.tooltip.scale&&(l=n?110:126);d=HU(this.j,1E3*c);this.Xa=jPa(this,c,d)?d:jPa(this,c,d+1)?d+1:-1;g.Up(this.api.getRootNode(),"ytp-progress-bar-snap",-1!==this.Xa&&1=h.visibleTimeRangeStartMillis&&p<=h.visibleTimeRangeEndMillis&&(n=h.label,m=g.eR(h.decorationTimeMillis/1E3),d=!0)}this.rd!==d&&(this.rd=d,this.api.Ua(this.Vd,this.rd));g.Up(this.api.getRootNode(),"ytp-progress-bar-decoration",d);d=320*this.tooltip.scale;e=n.length*(this.C?8.55:5.7);e=e<=d?e:d;h=e<160*this.tooltip.scale;d=3;!h&&e/2>a.position&&(d=1);!h&&e/2>this.J-a.position&&(d=2);this.api.V().T&&(l-=10); +this.D.length&&this.D[0].De&&(l-=14*(this.C?2:1),this.Ga||(this.Ga=!0,this.api.Ua(this.oa,this.Ga)));var q;if(lV(this)&&((null==(q=this.u)?0:q.isEnabled)||0=.5*a?(this.u.enable(),iV(this.u,this.api.getCurrentTime()),pPa(this,a)):zV(this)}if(g.S(this.api.Cb(),32)||3===this.api.getPresentingPlayerType()){var b;if(null==(b=this.u)?0:b.isEnabled)this.api.pauseVideo();else{this.api.startSeekCsiAction();if(1=c.visibleTimeRangeStartMillis&&1E3*a<=c.visibleTimeRangeEndMillis&&this.api.qb(this.Vd)}g.Sp(this.element,"ytp-drag");this.ke&&!g.S(this.api.Cb(),2)&&this.api.playVideo()}}}; +g.k.N6=function(a,b){a=oV(this);a=sV(this,a);this.api.seekTo(a,!1);var c;lV(this)&&(null==(c=this.u)?0:c.ya)&&(iV(this.u,a),this.u.isEnabled||(this.Qa=g.ze(this.Kf-b-10,0,vV(this)),pPa(this,this.Qa)))}; +g.k.ZV=function(){this.Bb||(this.updateValue("clipstarticon",JEa()),this.updateValue("clipendicon",JEa()),g.Qp(this.element,"ytp-clip-hover"))}; +g.k.YV=function(){this.Bb||(this.updateValue("clipstarticon",LEa()),this.updateValue("clipendicon",KEa()),g.Sp(this.element,"ytp-clip-hover"))}; +g.k.LH=function(){this.clipStart=0;this.clipEnd=Infinity;tV(this);qV(this,this.Z,this.ib)}; +g.k.GY=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.visible){var c=b.getId();if(!this.Ja[c]){var d=g.qf("DIV");b.tooltip&&d.setAttribute("data-tooltip",b.tooltip);this.Ja[c]=b;this.jc[c]=d;g.Op(d,b.style);kPa(this,c);this.api.V().K("disable_ad_markers_on_content_progress_bar")||this.j[0].B.appendChild(d)}}else oPa(this,b)}; +g.k.D8=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())oPa(this,b.value)}; +g.k.Vr=function(a){if(this.u){var b=this.u;a=null!=a;b.api.seekTo(b.La);b.api.playVideo();a&&b.api.qb(b.dismissButton);zV(this)}}; +g.k.AL=function(a){this.u&&(this.u.play(null!=a),zV(this))}; +g.k.qa=function(){qPa(this,!1);g.dQ.prototype.qa.call(this)};g.w(AV,g.U);AV.prototype.isActive=function(){return!!this.F.getOption("remote","casting")}; +AV.prototype.Pa=function(){var a=!1;this.F.getOptions().includes("remote")&&(a=1=c;g.bQ(this,a);this.F.Ua(this.element,a)}; +BV.prototype.B=function(){if(this.Eb.yb)this.Eb.Fb();else{var a=g.JT(this.F.wb());a&&!a.loaded&&(a.qh("tracklist",{includeAsr:!0}).length||a.load());this.F.qb(this.element);this.Eb.od(this.element)}}; +BV.prototype.updateBadge=function(){var a=this.F.isHdr(),b=this.F.getPresentingPlayerType(),c=2!==b&&3!==b,d=g.MS(this.F),e=c&&!!g.LS(this.F.wb());b=e&&1===d.displayMode;d=e&&2===d.displayMode;c=(e=b||d)||!c?null:this.F.getPlaybackQuality();g.Up(this.element,"ytp-hdr-quality-badge",a);g.Up(this.element,"ytp-hd-quality-badge",!a&&("hd1080"===c||"hd1440"===c));g.Up(this.element,"ytp-4k-quality-badge",!a&&"hd2160"===c);g.Up(this.element,"ytp-5k-quality-badge",!a&&"hd2880"===c);g.Up(this.element,"ytp-8k-quality-badge", +!a&&"highres"===c);g.Up(this.element,"ytp-3d-badge-grey",!a&&e&&b);g.Up(this.element,"ytp-3d-badge",!a&&e&&d)};g.w(CV,aT);CV.prototype.isLoaded=function(){var a=g.PT(this.F.wb());return void 0!==a&&a.loaded}; +CV.prototype.Pa=function(){void 0!==g.PT(this.F.wb())&&3!==this.F.getPresentingPlayerType()?this.j||(this.Eb.Zc(this),this.j=!0):this.j&&(this.Eb.jh(this),this.j=!1);bT(this,this.isLoaded())}; +CV.prototype.onSelect=function(a){this.isLoaded();a?this.F.loadModule("annotations_module"):this.F.unloadModule("annotations_module");this.F.ma("annotationvisibility",a)}; +CV.prototype.qa=function(){this.j&&this.Eb.jh(this);aT.prototype.qa.call(this)};g.w(g.DV,g.SS);g.k=g.DV.prototype;g.k.open=function(){g.tU(this.Eb,this.u)}; +g.k.yj=function(a){tPa(this);this.options[a].element.setAttribute("aria-checked","true");this.ge(this.gk(a));this.B=a}; +g.k.DK=function(a,b,c){var d=this;b=new g.SS({G:"div",Ia:["ytp-menuitem"],X:{tabindex:"0",role:"menuitemradio","aria-checked":c?"true":void 0},W:[{G:"div",Ia:["ytp-menuitem-label"],ra:"{{label}}"}]},b,this.gk(a,!0));b.Ra("click",function(){d.eh(a)}); return b}; -g.k.enable=function(a){this.F?a||(this.F=!1,this.sn(!1)):a&&(this.F=!0,this.sn(!0))}; -g.k.sn=function(a){a?this.Ta.Nb(this):this.Ta.Wd(this)}; -g.k.Be=function(a){this.V("select",a)}; -g.k.rh=function(a){return a.toString()}; -g.k.yL=function(a){g.jp(a)||39!==g.kp(a)||(this.open(),g.ip(a))}; -g.k.aa=function(){this.F&&this.Ta.Wd(this);g.jY.prototype.aa.call(this);for(var a=g.q(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.u(NZ,g.LZ);NZ.prototype.na=function(){var a=this.J.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.F:this.F;this.dm(b);g.ip(a)}; -g.k.DL=function(a){a=(a-g.yg(this.B).x)/this.K*this.range+this.minimumValue;this.dm(a)}; -g.k.dm=function(a,b){b=void 0===b?"":b;var c=g.be(a,this.minimumValue,this.maximumValue);""===b&&(b=c.toString());this.wa("valuenow",c);this.wa("valuetext",b);this.W.style.left=(c-this.minimumValue)/this.range*(this.K-this.P)+"px";this.u=c}; -g.k.focus=function(){this.Z.focus()};g.u(VZ,TZ);VZ.prototype.X=function(){this.J.setPlaybackRate(this.u,!0)}; -VZ.prototype.dm=function(a){TZ.prototype.dm.call(this,a,WZ(this,a).toString());this.C&&(UZ(this),this.ba())}; -VZ.prototype.ea=function(){var a=this.J.getPlaybackRate();WZ(this,this.u)!==a&&(this.dm(a),UZ(this))};g.u(XZ,g.XM);XZ.prototype.focus=function(){this.u.focus()};g.u(Cya,mY);g.u(YZ,g.LZ);g.k=YZ.prototype;g.k.rh=function(a){return"1"===a?"Normal":a.toLocaleString()}; -g.k.na=function(){var a=this.J.getPresentingPlayerType();this.enable(2!==a&&3!==a);Fya(this)}; -g.k.sn=function(a){g.LZ.prototype.sn.call(this,a);a?(this.K=this.R(this.J,"onPlaybackRateChange",this.FL),Fya(this),Dya(this,this.J.getPlaybackRate())):(this.Eb(this.K),this.K=null)}; -g.k.FL=function(a){var b=this.J.getPlaybackRate();this.I.includes(b)||Eya(this,b);Dya(this,a)}; -g.k.Be=function(a){g.LZ.prototype.Be.call(this,a);a===this.u?this.J.setPlaybackRate(this.D,!0):this.J.setPlaybackRate(Number(a),!0);this.Ta.Sf()};g.u($Z,g.LZ);g.k=$Z.prototype;g.k.zc=function(a){g.LZ.prototype.zc.call(this,a)}; +g.k.enable=function(a){this.I?a||(this.I=!1,this.jx(!1)):a&&(this.I=!0,this.jx(!0))}; +g.k.jx=function(a){a?this.Eb.Zc(this):this.Eb.jh(this)}; +g.k.eh=function(a){this.ma("select",a)}; +g.k.gk=function(a){return a.toString()}; +g.k.B0=function(a){g.DO(a)||39!==g.zO(a)||(this.open(),g.EO(a))}; +g.k.qa=function(){this.I&&this.Eb.jh(this);g.SS.prototype.qa.call(this);for(var a=g.t(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.w(FV,g.DV);FV.prototype.Pa=function(){var a=this.F.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.J:this.J;this.hw(b);g.EO(a)}; +g.k.D0=function(a){a=(a-g.Pm(this.B).x)/this.Z*this.range+this.u;this.hw(a)}; +g.k.hw=function(a,b){b=void 0===b?"":b;a=g.ze(a,this.u,this.C);""===b&&(b=a.toString());this.updateValue("valuenow",a);this.updateValue("valuetext",b);this.oa.style.left=(a-this.u)/this.range*(this.Z-this.Aa)+"px";this.j=a}; +g.k.focus=function(){this.Ga.focus()};g.w(IV,HV);IV.prototype.ya=function(){this.F.setPlaybackRate(this.j,!0)}; +IV.prototype.hw=function(a){HV.prototype.hw.call(this,a,APa(this,a).toString());this.D&&(zPa(this),this.Ja())}; +IV.prototype.updateValues=function(){var a=this.F.getPlaybackRate();APa(this,this.j)!==a&&(this.hw(a),zPa(this))};g.w(BPa,g.dQ);BPa.prototype.focus=function(){this.j.focus()};g.w(CPa,pU);g.w(DPa,g.DV);g.k=DPa.prototype;g.k.gk=function(a){return"1"===a?"Normal":a.toLocaleString()}; +g.k.Pa=function(){var a=this.F.getPresentingPlayerType();this.enable(2!==a&&3!==a);HPa(this)}; +g.k.jx=function(a){g.DV.prototype.jx.call(this,a);a?(this.J=this.S(this.F,"onPlaybackRateChange",this.onPlaybackRateChange),HPa(this),FPa(this,this.F.getPlaybackRate())):(this.Hc(this.J),this.J=null)}; +g.k.onPlaybackRateChange=function(a){var b=this.F.getPlaybackRate();this.D.includes(b)||GPa(this,b);FPa(this,a)}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);a===this.j?this.F.setPlaybackRate(this.C,!0):this.F.setPlaybackRate(Number(a),!0);this.Eb.nj()};g.w(JPa,g.DV);g.k=JPa.prototype;g.k.yj=function(a){g.DV.prototype.yj.call(this,a)}; g.k.getKey=function(a){return a.option.toString()}; g.k.getOption=function(a){return this.settings[a]}; -g.k.rh=function(a){return this.getOption(a).text||""}; -g.k.Be=function(a){g.LZ.prototype.Be.call(this,a);this.V("settingChange",this.setting,this.settings[a].option)};g.u(a_,g.nY);a_.prototype.Xd=function(a){for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.uk[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.zc(e),c.D.element.setAttribute("aria-checked",String(!d)),c.u.element.setAttribute("aria-checked",String(d)))}}}; -a_.prototype.Of=function(a,b){this.V("settingChange",a,b)};g.u(b_,g.LZ);b_.prototype.getKey=function(a){return a.languageCode}; -b_.prototype.rh=function(a){return this.languages[a].languageName||""}; -b_.prototype.Be=function(a){this.V("select",a);g.yY(this.Ta)};g.u(c_,g.LZ);g.k=c_.prototype;g.k.getKey=function(a){return g.Wb(a)?"__off__":a.displayName}; -g.k.rh=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":("__off__"===a?{}:this.tracks[a]).displayName}; -g.k.Be=function(a){"__translate__"===a?this.u.open():"__contribute__"===a?(this.J.pauseVideo(),this.J.isFullscreen()&&this.J.toggleFullscreen(),a=g.FT(this.J.T(),this.J.getVideoData()),g.sK(a)):(this.J.setOption("captions","track","__off__"===a?{}:this.tracks[a]),g.LZ.prototype.Be.call(this,a),this.Ta.Sf())}; -g.k.na=function(){var a=this.J.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.J.getVideoData();b=b&&b.jr;var c={};if(a||b){if(a){var d=this.J.getOption("captions","track");c=this.J.getOption("captions","tracklist",{includeAsr:!0});var e=this.J.getOption("captions","translationLanguages");this.tracks=g.Hb(c,this.getKey,this);var f=g.Pc(c,this.getKey);if(e.length&&!g.Wb(d)){var h=d.translationLanguage;if(h&&h.languageName){var l=h.languageName;h=e.findIndex(function(m){return m.languageName=== -l}); -taa(e,h)}Hya(this.u,e);f.push("__translate__")}e=this.getKey(d)}else this.tracks={},f=[],e="__off__";f.unshift("__off__");this.tracks.__off__={};b&&f.unshift("__contribute__");this.tracks[e]||(this.tracks[e]=d,f.push(e));g.MZ(this,f);this.zc(e);d&&d.translationLanguage?this.u.zc(this.u.getKey(d.translationLanguage)):Aya(this.u);a&&this.D.Xd(this.J.getSubtitlesUserSettings());this.K.pc(c&&c.length?" ("+c.length+")":"");this.V("size-change");this.enable(!0)}else this.enable(!1)}; -g.k.JL=function(a){var b=this.J.getOption("captions","track");b=g.Zb(b);b.translationLanguage=this.u.languages[a];this.J.setOption("captions","track",b)}; -g.k.Of=function(a,b){if("reset"===a)this.J.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.J.updateSubtitlesUserSettings(c)}Iya(this,!0);this.I.start();this.D.Xd(this.J.getSubtitlesUserSettings())}; -g.k.nP=function(a){a||this.I.wg()}; -g.k.aa=function(){this.I.wg();g.LZ.prototype.aa.call(this)};g.u(d_,g.vY);g.k=d_.prototype;g.k.initialize=function(){if(!this.Dd){this.Dd=!0;this.fx=new QZ(this.J,this);g.C(this,this.fx);var a=new SZ(this.J,this);g.C(this,a);a=new c_(this.J,this);g.C(this,a);a=new KZ(this.J,this);g.C(this,a);this.J.T().Rb&&(a=new YZ(this.J,this),g.C(this,a));this.J.T().ob&&!g.R(this.J.T().experiments,"web_player_move_autonav_toggle")&&(a=new OZ(this.J,this),g.C(this,a));a=new NZ(this.J,this);g.C(this,a);JZ(this.settingsButton,this.Uc.items.length)}}; -g.k.Nb=function(a){this.initialize();this.Uc.Nb(a);JZ(this.settingsButton,this.Uc.items.length)}; -g.k.Wd=function(a){this.Wa&&1>=this.Uc.items.length&&this.hide();this.Uc.Wd(a);JZ(this.settingsButton,this.Uc.items.length)}; -g.k.tc=function(a){this.initialize();0=this.K&&(!this.B||!g.T(g.lI(this.api),64));g.WM(this,b);g.J(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=g.PO(g.R(this.api.T().experiments,"halftime_ux_killswitch")?a.current:this.api.getCurrentTime(b,!1));this.C!==c&&(this.wa("currenttime",c),this.C=c);b=g.PO(g.R(this.api.T().experiments,"halftime_ux_killswitch")?a.duration:this.api.getDuration(b, -!1));this.D!==b&&(this.wa("duration",b),this.D=b)}this.B&&(a=a.isAtLiveHead,this.I!==a||this.F!==this.isPremiere)&&(this.I=a,this.F=this.isPremiere,this.Gc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.pc(this.isPremiere?"Premiere":"Live"),a?this.u&&(this.u(),this.u=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.u=g.cY(this.tooltip,this.liveBadge.element)))}; -g.k.Pa=function(a,b,c){this.updateVideoData(g.R(this.api.T().experiments,"enable_topsoil_wta_for_halftime")&&2===c?this.api.getVideoData(1):b);this.Gc()}; -g.k.updateVideoData=function(a){this.B=a.isLivePlayback&&!a.li;this.isPremiere=a.isPremiere;g.J(this.element,"ytp-live",this.B)}; +g.k.gk=function(a){return this.getOption(a).text||""}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);this.ma("settingChange",this.J,this.settings[a].option)};g.w(JV,g.qU);JV.prototype.ah=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.Vs[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.yj(e),c.C.element.setAttribute("aria-checked",String(!d)),c.j.element.setAttribute("aria-checked",String(d)))}}}; +JV.prototype.Pj=function(a,b){this.ma("settingChange",a,b)};g.w(KV,g.DV);KV.prototype.getKey=function(a){return a.languageCode}; +KV.prototype.gk=function(a){return this.languages[a].languageName||""}; +KV.prototype.eh=function(a){this.ma("select",a);this.F.qb(this.element);g.wU(this.Eb)};g.w(MPa,g.DV);g.k=MPa.prototype;g.k.getKey=function(a){return g.hd(a)?"__off__":a.displayName}; +g.k.gk=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":"__correction__"===a?"Suggest caption corrections":("__off__"===a?{}:this.tracks[a]).displayName}; +g.k.eh=function(a){if("__translate__"===a)this.j.open();else if("__contribute__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var b=g.zJa(this.F.V(),this.F.getVideoData());g.IN(b)}else if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var c=NPa(this);LV(this,c);g.DV.prototype.eh.call(this,this.getKey(c));var d,e;c=null==(b=this.F.getVideoData().getPlayerResponse())?void 0:null==(d=b.captions)?void 0:null==(e=d.playerCaptionsTracklistRenderer)? +void 0:e.openTranscriptCommand;this.F.Na("innertubeCommand",c);this.Eb.nj();this.C&&this.F.qb(this.C)}else{if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();b=NPa(this);LV(this,b);g.DV.prototype.eh.call(this,this.getKey(b));var f,h;b=null==(c=this.F.getVideoData().getPlayerResponse())?void 0:null==(f=c.captions)?void 0:null==(h=f.playerCaptionsTracklistRenderer)?void 0:h.openTranscriptCommand;this.F.Na("innertubeCommand",b)}else this.F.qb(this.element), +LV(this,"__off__"===a?{}:this.tracks[a]),g.DV.prototype.eh.call(this,a);this.Eb.nj()}}; +g.k.Pa=function(){var a=this.F.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.F.getVideoData(),c=b&&b.gF,d,e=!(null==(d=this.F.getVideoData())||!g.ZM(d));d={};if(a||c){var f;if(a){var h=this.F.getOption("captions","track");d=this.F.getOption("captions","tracklist",{includeAsr:!0});var l=e?[]:this.F.getOption("captions","translationLanguages");this.tracks=g.Pb(d,this.getKey,this);e=g.Yl(d,this.getKey);var m=NPa(this),n,p;b.K("suggest_caption_correction_menu_item")&&m&&(null==(f=b.getPlayerResponse())? +0:null==(n=f.captions)?0:null==(p=n.playerCaptionsTracklistRenderer)?0:p.openTranscriptCommand)&&e.push("__correction__");if(l.length&&!g.hd(h)){if((f=h.translationLanguage)&&f.languageName){var q=f.languageName;f=l.findIndex(function(r){return r.languageName===q}); +Daa(l,f)}KPa(this.j,l);e.push("__translate__")}f=this.getKey(h)}else this.tracks={},e=[],f="__off__";e.unshift("__off__");this.tracks.__off__={};c&&e.unshift("__contribute__");this.tracks[f]||(this.tracks[f]=h,e.push(f));g.EV(this,e);this.yj(f);h&&h.translationLanguage?this.j.yj(this.j.getKey(h.translationLanguage)):tPa(this.j);a&&this.D.ah(this.F.getSubtitlesUserSettings());this.T.ge(d&&d.length?" ("+d.length+")":"");this.ma("size-change");this.F.Ua(this.element,!0);this.enable(!0)}else this.enable(!1)}; +g.k.F0=function(a){var b=this.F.getOption("captions","track");b=g.md(b);b.translationLanguage=this.j.languages[a];LV(this,b)}; +g.k.Pj=function(a,b){if("reset"===a)this.F.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.F.updateSubtitlesUserSettings(c)}LPa(this,!0);this.J.start();this.D.ah(this.F.getSubtitlesUserSettings())}; +g.k.q7=function(a){a||g.Lp(this.J)}; +g.k.qa=function(){g.Lp(this.J);g.DV.prototype.qa.call(this)}; +g.k.open=function(){g.DV.prototype.open.call(this);this.options.__correction__&&!this.C&&(this.C=this.options.__correction__.element,this.F.sb(this.C,this,167341),this.F.Ua(this.C,!0))};g.w(OPa,g.vU);g.k=OPa.prototype; +g.k.initialize=function(){if(!this.isInitialized){var a=this.F.V();this.isInitialized=!0;var b=new vPa(this.F,this);g.E(this,b);b=new MPa(this.F,this);g.E(this,b);a.B||(b=new CV(this.F,this),g.E(this,b));a.uf&&(b=new DPa(this.F,this),g.E(this,b));this.F.K("embeds_web_enable_new_context_menu_triggering")&&(g.fK(a)||a.J)&&(a.u||a.tb)&&(b=new uPa(this.F,this),g.E(this,b));a.Od&&!a.K("web_player_move_autonav_toggle")&&(a=new GV(this.F,this),g.E(this,a));a=new FV(this.F,this);g.E(this,a);this.F.ma("settingsMenuInitialized"); +sPa(this.settingsButton,this.Of.Ho())}}; +g.k.Zc=function(a){this.initialize();this.Of.Zc(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.jh=function(a){this.yb&&1>=this.Of.Ho()&&this.hide();this.Of.jh(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.od=function(a){this.initialize();0=b;g.bQ(this,c);this.F.Ua(this.element,c);a&&this.updateValue("pressed",this.isEnabled())};g.w(g.PV,g.U);g.k=g.PV.prototype; +g.k.yc=function(){var a=this.api.jb().getPlayerSize().width,b=this.J;this.api.V().T&&(b=400);b=a>=b&&(!RV(this)||!g.S(this.api.Cb(),64));g.bQ(this,b);g.Up(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=this.api.getCurrentTime(b,!1);this.u&&(c-=a.airingStart);QV(this)&&(c-=this.Bb.startTimeMs/1E3);c=g.eR(c);this.B!==c&&(this.updateValue("currenttime",c),this.B=c);b=QV(this)?g.eR((this.Bb.endTimeMs-this.Bb.startTimeMs)/ +1E3):g.eR(this.api.getDuration(b,!1));this.C!==b&&(this.updateValue("duration",b),this.C=b)}a=a.isAtLiveHead;!RV(this)||this.I===a&&this.D===this.isPremiere||(this.I=a,this.D=this.isPremiere,this.yc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.ge(this.isPremiere?"Premiere":"Live"),a?this.j&&(this.j(),this.j=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.j=g.ZS(this.tooltip,this.liveBadge.element)));a=this.api.getLoopRange();b=this.Bb!==a;this.Bb=a;b&&OV(this)}; +g.k.onLoopRangeChange=function(a){var b=this.Bb!==a;this.Bb=a;b&&(this.yc(),OV(this))}; +g.k.V7=function(){this.api.setLoopRange(null)}; +g.k.onVideoDataChange=function(a,b,c){this.updateVideoData((this.api.V().K("enable_topsoil_wta_for_halftime")||this.api.V().K("enable_topsoil_wta_for_halftime_live_infra"))&&2===c?this.api.getVideoData(1):b);this.yc();OV(this)}; +g.k.updateVideoData=function(a){this.yC=a.isLivePlayback&&!a.Xb;this.u=aN(a);this.isPremiere=a.isPremiere;g.Up(this.element,"ytp-live",RV(this))}; g.k.onClick=function(a){a.target===this.liveBadge.element&&(this.api.seekTo(Infinity),this.api.playVideo())}; -g.k.aa=function(){this.u&&this.u();g.V.prototype.aa.call(this)};g.u(j_,g.V);g.k=j_.prototype;g.k.zj=function(){var a=this.B.Hd();this.F!==a&&(this.F=a,i_(this,this.api.getVolume(),this.api.isMuted()))}; -g.k.sD=function(a){g.WM(this,350<=a.width)}; -g.k.OL=function(a){if(!g.jp(a)){var b=g.kp(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.be(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.ip(a))}}; -g.k.ML=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.be(b/10,-10,10));g.ip(a)}; -g.k.rP=function(){h_(this,this.u,!0,this.D,this.B.kh());this.X=this.volume;this.api.isMuted()&&this.api.unMute()}; -g.k.NL=function(a){var b=this.F?78:52,c=this.F?18:12;a-=g.yg(this.W).x;this.api.setVolume(100*g.be((a-c/2)/(b-c),0,1))}; -g.k.qP=function(){h_(this,this.u,!1,this.D,this.B.kh());0===this.volume&&(this.api.mute(),this.api.setVolume(this.X))}; -g.k.PL=function(a){i_(this,a.volume,a.muted)}; -g.k.GA=function(){h_(this,this.u,this.C,this.D,this.B.kh())}; -g.k.aa=function(){g.V.prototype.aa.call(this);g.Bn(this.K,"ytp-volume-slider-active")};g.u(g.k_,g.V);g.k_.prototype.Pa=function(){var a=this.api.getVideoData(1).Kc,b=this.api.T();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.pfpChazalUi);g.WM(this,this.visible);g.dN(this.api,this.element,this.visible&&this.N);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.wa("url",a))}; -g.k_.prototype.onClick=function(a){var b=this.api.getVideoUrl(!g.QO(a),!1,!0,!0);g.LB(this.api.T())&&(b=g.Ld(b,g.GT({},"emb_logo")));g.BX(b,this.api,a);g.gX(this.api,this.element)}; -g.k_.prototype.zb=function(a){g.V.prototype.zb.call(this,a);g.dN(this.api,this.element,this.visible&&a)};g.u(m_,g.Wr);g.k=m_.prototype;g.k.Vd=function(){this.Oc.Gc();this.Ih.Gc()}; -g.k.yh=function(){this.yx();this.Ac.B?this.Vd():g.s_(this.Oc.tooltip)}; -g.k.Mp=function(){this.Vd();this.Cd.start()}; -g.k.yx=function(){var a=!this.J.T().u&&300>g.zya(this.Oc)&&g.lI(this.J).Gb()&&!!window.requestAnimationFrame,b=!a;this.Ac.B||(a=b=!1);b?this.K||(this.K=this.R(this.J,"progresssync",this.Vd)):this.K&&(this.Eb(this.K),this.K=null);a?this.Cd.isActive()||this.Cd.start():this.Cd.stop()}; -g.k.Ra=function(){var a=this.B.Hd(),b=g.pG(this.J).getPlayerSize(),c=n_(this),d=Math.max(b.width-2*c,100);if(this.ka!==b.width||this.ha!==a){this.ka=b.width;this.ha=a;var e=Mya(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";this.Oc.setPosition(c,e,a);this.B.Jb().ba=e}c=this.u;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-o_(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.Bt=e;c.Vn();this.yx();!this.J.T().ca("html5_player_bottom_linear_gradient")&&g.R(this.J.T().experiments, -"html5_player_dynamic_bottom_gradient")&&g.aZ(this.ea,b.height)}; -g.k.Pa=function(){var a=this.J.getVideoData();this.W.style.background=a.Kc?a.bj:"";g.WM(this.X,a.Cy)}; -g.k.Ma=function(){return this.C.element};var $1={},p_=($1.CHANNEL_NAME="ytp-title-channel-name",$1.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",$1.LINK="ytp-title-link",$1.SESSIONLINK="yt-uix-sessionlink",$1.SUBTEXT="ytp-title-subtext",$1.TEXT="ytp-title-text",$1.TITLE="ytp-title",$1);g.u(q_,g.V);q_.prototype.onClick=function(a){g.gX(this.api,this.element);var b=this.api.getVideoUrl(!g.QO(a),!1,!0);g.LB(this.api.T())&&(b=g.Ld(b,g.GT({},"emb_title")));g.BX(b,this.api,a)}; -q_.prototype.na=function(){var a=this.api.getVideoData(),b=this.api.T();this.wa("title",a.title);Nya(this);if(2===this.api.getPresentingPlayerType()){var c=this.api.getVideoData();c.videoId&&c.isListed&&c.author&&c.Ui&&c.bf?(this.wa("channelLink",c.Ui),this.wa("channelName",c.author)):Nya(this)}c=b.externalFullscreen||!this.api.isFullscreen()&&b.ce;g.J(this.link,p_.FULLERSCREEN_LINK,c);b.P||!a.videoId||c?this.u&&(this.wa("url",null),this.Eb(this.u),this.u=null):(this.wa("url",this.api.getVideoUrl(!0)), -this.u||(this.u=this.R(this.link,"click",this.onClick)))};g.u(g.r_,g.V);g.k=g.r_.prototype;g.k.gE=function(a,b){if(a<=this.C&&this.C<=b){var c=this.C;this.C=NaN;Pya(this,c)}}; -g.k.NJ=function(){OE(this.u,this.C,160*this.scale)}; -g.k.vi=function(){switch(this.type){case 2:var a=this.B;a.removeEventListener("mouseout",this.W);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.W);a.addEventListener("focus",this.D);Sya(this);break;case 3:Sya(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.gE,this),this.u=null),this.api.removeEventListener("videoready",this.X),this.Z.stop()}this.type=null;this.K&&this.I.hide()}; -g.k.Th=function(a){for(var b=0;b(b.height-d.height)/2?m=l.y-f.height-12:m=l.y+d.height+12);a.style.top=m+(e||0)+"px";a.style.left=c+"px"}; -g.k.yh=function(a){a&&(this.tooltip.Th(this.mg.element),this.df&&this.tooltip.Th(this.df.Ma()));g.SX.prototype.yh.call(this,a)}; -g.k.ci=function(a,b){var c=g.pG(this.api).getPlayerSize();c=new g.ig(0,0,c.width,c.height);if(a||this.Ac.B&&!this.Kk()){if(this.api.T().Ki||b){var d=this.Hd()?this.Fv:this.Ev;c.top+=d;c.height-=d}this.df&&(c.height-=o_(this.df))}return c}; -g.k.zj=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.T().externalFullscreen||(b.parentElement.insertBefore(this.Lr.element,b),b.parentElement.insertBefore(this.Kr.element,b.nextSibling))):g.M(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.Lr.detach(),this.Kr.detach());this.Ra();this.Hj()}; -g.k.Hd=function(){var a=this.api.T();a=a.ca("embeds_enable_mobile_custom_controls")&&a.u;return this.api.isFullscreen()&&!a||!1}; -g.k.showControls=function(a){this.sr=!a;this.pg()}; -g.k.Ra=function(){var a=this.Hd();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.J(this.contextMenu.element,"ytp-big-mode",a);this.pg();if(this.Lf()&&this.Qf)this.Xf&&LY(this.Qf,this.Xf),this.shareButton&&LY(this.Qf,this.shareButton),this.Yi&&LY(this.Qf,this.Yi);else{if(this.Qf){a=this.Qf;for(var b=g.q(a.actionButtons),c=b.next();!c.done;c=b.next())c.value.detach();a.actionButtons=[]}this.Xf&&!g.Me(this.yf.element,this.Xf.element)&&this.Xf.fa(this.yf.element);this.shareButton&&!g.Me(this.yf.element, -this.shareButton.element)&&this.shareButton.fa(this.yf.element);this.Yi&&!g.Me(this.yf.element,this.Yi.element)&&this.Yi.fa(this.yf.element)}this.Hj();g.SX.prototype.Ra.call(this)}; -g.k.lw=function(){if(Wya(this)&&!g.SW(this.api))return!1;var a=this.api.getVideoData();return!g.LB(this.api.T())||2===this.api.getPresentingPlayerType()||!this.ug||((a=this.ug||a.ug)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&a.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.SX.prototype.lw.call(this):!1}; -g.k.Hj=function(){g.SX.prototype.Hj.call(this);g.dN(this.api,this.title.element,!!this.hi);this.Dn&&this.Dn.zb(!!this.hi);this.channelAvatar.zb(!!this.hi);this.overflowButton&&this.overflowButton.zb(this.Lf()&&!!this.hi);this.shareButton&&this.shareButton.zb(!this.Lf()&&!!this.hi);this.Xf&&this.Xf.zb(!this.Lf()&&!!this.hi);this.Yi&&this.Yi.zb(!this.Lf()&&!!this.hi);if(!this.hi){this.tooltip.Th(this.mg.element);for(var a=0;ae?y_(this,"next_player_future"):(this.I=d,this.C=sB(a,c,d,!0),this.D=sB(a,e,f,!1),a=this.B.getVideoData().clientPlaybackNonce,this.u.sb("gaplessPrep", -"cpn."+a),rW(this.u,this.C),gW(this.u,cza(b,c,d,!this.u.getVideoData().isAd())),A_(this,2),bza(this))))}else y_(this,"no-elem")}}; -g.k.zn=function(a){var b=aza(this).PF,c=a===b;b=c?this.C.u:this.C.B;c=c?this.D.u:this.D.B;if(b.isActive()&&!c.isActive()){var d=this.I;iy(a.Ue(),d-.01)&&(A_(this,4),b.setActive(!1),this.B.sb("sbh","1"),c.setActive(!0));a=this.D.B;this.D.u.isActive()&&a.isActive()&&A_(this,5)}}; -g.k.oE=function(){4<=this.status.status&&6>this.status.status&&y_(this,"player-reload-after-handoff")}; -g.k.aa=function(){$ya(this);this.u.unsubscribe("newelementrequired",this.oE,this);if(this.C){var a=this.C.B;this.C.u.u.unsubscribe("updateend",this.zn,this);a.u.unsubscribe("updateend",this.zn,this)}g.B.prototype.aa.call(this)}; -g.k.Vb=function(a){g.xI(a,128)&&y_(this,"player-error-event")}; -(function(a,b){if(ex&&b){var c={},d;for(d in b)b.hasOwnProperty(d)&&(c.Su=a.prototype[d],c.Uu=b[d],a.prototype[d]=function(e){return function(f){for(var h=[],l=0;lb?-10:10)):this.api.setVolume(this.volume+g.ze(b/10,-10,10));g.EO(a)}; +g.k.v7=function(){SV(this,this.u,!0,this.B,this.j.Ql());this.Z=this.volume;this.api.isMuted()&&this.api.unMute()}; +g.k.H0=function(a){var b=this.C?78:52,c=this.C?18:12;a-=g.Pm(this.T).x;this.api.setVolume(100*g.ze((a-c/2)/(b-c),0,1))}; +g.k.u7=function(){SV(this,this.u,!1,this.B,this.j.Ql());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Z))}; +g.k.onVolumeChange=function(a){QPa(this,a.volume,a.muted)}; +g.k.US=function(){SV(this,this.u,this.isDragging,this.B,this.j.Ql())}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.J,"ytp-volume-slider-active")};g.w(g.TV,g.U); +g.TV.prototype.onVideoDataChange=function(){var a=this.api.getVideoData(1).D,b=this.api.V();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.Z);g.bQ(this,this.visible);this.api.Ua(this.element,this.visible&&this.ea);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.updateValue("url",a));b.B&&(this.j&&(this.Hc(this.j),this.j=null),this.element.removeAttribute("href"),this.element.removeAttribute("title"),this.element.removeAttribute("aria-label"),g.Qp(this.element,"no-link"));this.Db()}; +g.TV.prototype.onClick=function(a){this.api.K("web_player_log_click_before_generating_ve_conversion_params")&&this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0,!0);if(g.fK(b)||g.oK(b)){var d={};b.ya&&g.fK(b)&&g.iS(d,b.loaderUrl);g.fK(b)&&g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_logo"))}g.VT(c,this.api,a);this.api.K("web_player_log_click_before_generating_ve_conversion_params")||this.api.qb(this.element)}; +g.TV.prototype.Db=function(){var a={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 67 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 45.09 10 L 45.09 25.82 L 47.16 25.82 L 47.41 24.76 L 47.47 24.76 C 47.66 25.14 47.94 25.44 48.33 25.66 C 48.72 25.88 49.16 25.99 49.63 25.99 C 50.48 25.99 51.1 25.60 51.5 24.82 C 51.9 24.04 52.09 22.82 52.09 21.16 L 52.09 19.40 C 52.12 18.13 52.05 17.15 51.90 16.44 C 51.75 15.74 51.50 15.23 51.16 14.91 C 50.82 14.59 50.34 14.44 49.75 14.44 C 49.29 14.44 48.87 14.57 48.47 14.83 C 48.27 14.96 48.09 15.11 47.93 15.29 C 47.78 15.46 47.64 15.65 47.53 15.86 L 47.51 15.86 L 47.51 10 L 45.09 10 z M 8.10 10.56 L 10.96 20.86 L 10.96 25.82 L 13.42 25.82 L 13.42 20.86 L 16.32 10.56 L 13.83 10.56 L 12.78 15.25 C 12.49 16.62 12.31 17.59 12.23 18.17 L 12.16 18.17 C 12.04 17.35 11.84 16.38 11.59 15.23 L 10.59 10.56 L 8.10 10.56 z M 30.10 10.56 L 30.10 12.58 L 32.59 12.58 L 32.59 25.82 L 35.06 25.82 L 35.06 12.58 L 37.55 12.58 L 37.55 10.56 L 30.10 10.56 z M 19.21 14.46 C 18.37 14.46 17.69 14.63 17.17 14.96 C 16.65 15.29 16.27 15.82 16.03 16.55 C 15.79 17.28 15.67 18.23 15.67 19.43 L 15.67 21.06 C 15.67 22.24 15.79 23.19 16 23.91 C 16.21 24.62 16.57 25.15 17.07 25.49 C 17.58 25.83 18.27 26 19.15 26 C 20.02 26 20.69 25.83 21.19 25.5 C 21.69 25.17 22.06 24.63 22.28 23.91 C 22.51 23.19 22.63 22.25 22.63 21.06 L 22.63 19.43 C 22.63 18.23 22.50 17.28 22.27 16.56 C 22.04 15.84 21.68 15.31 21.18 14.97 C 20.68 14.63 20.03 14.46 19.21 14.46 z M 56.64 14.47 C 55.39 14.47 54.51 14.84 53.99 15.61 C 53.48 16.38 53.22 17.60 53.22 19.27 L 53.22 21.23 C 53.22 22.85 53.47 24.05 53.97 24.83 C 54.34 25.40 54.92 25.77 55.71 25.91 C 55.97 25.96 56.26 25.99 56.57 25.99 C 57.60 25.99 58.40 25.74 58.96 25.23 C 59.53 24.72 59.81 23.94 59.81 22.91 C 59.81 22.74 59.79 22.61 59.78 22.51 L 57.63 22.39 C 57.62 23.06 57.54 23.54 57.40 23.83 C 57.26 24.12 57.01 24.27 56.63 24.27 C 56.35 24.27 56.13 24.18 56.00 24.02 C 55.87 23.86 55.79 23.61 55.75 23.25 C 55.71 22.89 55.68 22.36 55.68 21.64 L 55.68 21.08 L 59.86 21.08 L 59.86 19.16 C 59.86 17.99 59.77 17.08 59.58 16.41 C 59.39 15.75 59.07 15.25 58.61 14.93 C 58.15 14.62 57.50 14.47 56.64 14.47 z M 23.92 14.67 L 23.92 23.00 C 23.92 24.03 24.11 24.79 24.46 25.27 C 24.82 25.76 25.35 26.00 26.09 26.00 C 27.16 26.00 27.97 25.49 28.5 24.46 L 28.55 24.46 L 28.76 25.82 L 30.73 25.82 L 30.73 14.67 L 28.23 14.67 L 28.23 23.52 C 28.13 23.73 27.97 23.90 27.77 24.03 C 27.57 24.16 27.37 24.24 27.15 24.24 C 26.89 24.24 26.70 24.12 26.59 23.91 C 26.48 23.70 26.43 23.35 26.43 22.85 L 26.43 14.67 L 23.92 14.67 z M 36.80 14.67 L 36.80 23.00 C 36.80 24.03 36.98 24.79 37.33 25.27 C 37.60 25.64 37.97 25.87 38.45 25.96 C 38.61 25.99 38.78 26.00 38.97 26.00 C 40.04 26.00 40.83 25.49 41.36 24.46 L 41.41 24.46 L 41.64 25.82 L 43.59 25.82 L 43.59 14.67 L 41.09 14.67 L 41.09 23.52 C 40.99 23.73 40.85 23.90 40.65 24.03 C 40.45 24.16 40.23 24.24 40.01 24.24 C 39.75 24.24 39.58 24.12 39.47 23.91 C 39.36 23.70 39.31 23.35 39.31 22.85 L 39.31 14.67 L 36.80 14.67 z M 56.61 16.15 C 56.88 16.15 57.08 16.23 57.21 16.38 C 57.33 16.53 57.42 16.79 57.47 17.16 C 57.52 17.53 57.53 18.06 57.53 18.78 L 57.53 19.58 L 55.69 19.58 L 55.69 18.78 C 55.69 18.05 55.71 17.52 55.75 17.16 C 55.79 16.81 55.87 16.55 56.00 16.39 C 56.13 16.23 56.32 16.15 56.61 16.15 z M 19.15 16.19 C 19.50 16.19 19.75 16.38 19.89 16.75 C 20.03 17.12 20.09 17.7 20.09 18.5 L 20.09 21.97 C 20.09 22.79 20.03 23.39 19.89 23.75 C 19.75 24.11 19.51 24.29 19.15 24.30 C 18.80 24.30 18.54 24.11 18.41 23.75 C 18.28 23.39 18.22 22.79 18.22 21.97 L 18.22 18.5 C 18.22 17.7 18.28 17.12 18.42 16.75 C 18.56 16.38 18.81 16.19 19.15 16.19 z M 48.63 16.22 C 48.88 16.22 49.08 16.31 49.22 16.51 C 49.36 16.71 49.45 17.05 49.50 17.52 C 49.55 17.99 49.58 18.68 49.58 19.55 L 49.58 21 L 49.59 21 C 49.59 21.81 49.57 22.45 49.5 22.91 C 49.43 23.37 49.32 23.70 49.16 23.89 C 49.00 24.08 48.78 24.17 48.51 24.17 C 48.30 24.17 48.11 24.12 47.94 24.02 C 47.76 23.92 47.62 23.78 47.51 23.58 L 47.51 17.25 C 47.59 16.95 47.75 16.70 47.96 16.50 C 48.17 16.31 48.39 16.22 48.63 16.22 z "}}]}, +b=this.api.V(),c=b.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.oK(b)?(b=this.Da("ytp-youtube-music-button"),a=(c=300>this.api.getPlayerSize().width)?{G:"svg",X:{fill:"none",height:"24",width:"24"},W:[{G:"circle",X:{cx:"12",cy:"12",fill:"red",r:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09z",fill:"#fff"}}]}:{G:"svg",X:{viewBox:"0 0 80 24"},W:[{G:"ellipse",X:{cx:"12.18", +cy:"12",fill:"red",rx:"12.18",ry:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09zM37.43 9.64c-.57 2.85-1.01 6.33-1.25 7.77h-.16c-.18-1.48-.62-4.94-1.22-7.75L33.31 2.67h-4.52v18.85h2.80V5.98l.27 1.45 2.85 14.08h2.80l2.80-14.08.3-1.45v15.54h2.80V2.67h-4.56l-1.43 6.96zM51.01 18.69c-.25.51-.81.87-1.36.87-.64 0-.90-.49-.90-1.70V7.75H45.54v10.29c0 2.54.85 3.70 2.75 3.70 1.29 0 2.33-.56 3.05-1.90h.07l.27 1.68h2.50V7.75h-3.19v10.94h.00zM60.39 13.19c-1.04-.74-1.69-1.23-1.69-2.31 0-.76.37-1.19 1.25-1.19.90 0 1.20.60 1.22 2.67l2.68-.11c.20-3.34-.92-4.74-3.87-4.74-2.73 0-4.07 1.19-4.07 3.63 0 2.22 1.11 3.23 2.92 4.56 1.55 1.16 2.45 1.82 2.45 2.76 0 .72-.46 1.21-1.27 1.21-.95 0-1.50-.87-1.36-2.40l-2.71.04c-.41 2.85.76 4.51 3.91 4.51 2.75 0 4.19-1.23 4.19-3.70-.00-2.24-1.16-3.14-3.66-4.94zM68.87 7.75h-3.05v13.77h3.06V7.75zM67.36 2.31c-1.18 0-1.73.42-1.73 1.91 0 1.52.55 1.90 1.73 1.90 1.20 0 1.73-.38 1.73-1.90 0-1.41-.53-1.91-1.73-1.91zM79.15 16.56l-2.80-.13c0 2.42-.27 3.21-1.22 3.21-.95 0-1.11-.87-1.11-3.73v-2.67c0-2.76.18-3.63 1.13-3.63.88 0 1.11.83 1.11 3.39l2.77-.17c.18-2.13-.09-3.59-.94-4.42-.62-.60-1.57-.89-2.89-.89-3.10 0-4.37 1.61-4.37 6.15v1.93c0 4.67 1.08 6.17 4.26 6.17 1.34 0 2.27-.27 2.89-.85.90-.81 1.24-2.20 1.18-4.34z", +fill:"#fff"}}]},g.Up(b,"ytp-youtube-music-logo-icon-only",c)):c&&(a={G:"svg",X:{fill:"none",height:"100%",viewBox:"-10 -8 67 36",width:"100%"},W:[{G:"path",X:{d:"m.73 13.78 2.57-.05c-.05 2.31.36 3.04 1.34 3.04.95 0 1.34-.61 1.34-1.88 0-1.88-.97-2.83-2.37-4.04C1.47 8.99.55 7.96.55 5.23c0-2.60 1.15-4.14 4.17-4.14 2.91 0 4.12 1.70 3.71 5.20l-2.57.15c.05-2.39-.20-3.22-1.26-3.22-.97 0-1.31.64-1.31 1.82 0 1.77.74 2.31 2.34 3.84 1.98 1.88 3.09 2.98 3.09 5.54 0 3.24-1.26 4.48-4.20 4.48-3.06.02-4.30-1.62-3.78-5.12ZM9.67.74h2.83V4.58c0 1.15-.05 1.95-.15 2.93h.05c.54-1.15 1.44-1.75 2.60-1.75 1.75 0 2.5 1.23 2.5 3.35v9.53h-2.83V9.32c0-1.03-.25-1.54-.90-1.54-.48 0-.92.28-1.23.79V18.65H9.70V.74h-.02ZM18.67 13.27v-1.82c0-4.07 1.18-5.64 3.99-5.64 2.80 0 3.86 1.62 3.86 5.64v1.82c0 3.96-1.00 5.59-3.94 5.59-2.98 0-3.91-1.67-3.91-5.59Zm5 1.03v-3.94c0-1.72-.25-2.60-1.08-2.60-.79 0-1.05.87-1.05 2.60v3.94c0 1.80.25 2.62 1.05 2.62.82 0 1.08-.82 1.08-2.62ZM27.66 6.03h2.19l.25 2.73h.10c.28-2.01 1.21-3.01 2.39-3.01.15 0 .30.02.51.05l-.15 3.27c-1.18-.25-2.13-.05-2.57.72V18.63h-2.73V6.03ZM34.80 15.67V8.27h-1.03V6.05h1.15l.36-3.73h2.11V6.05h1.93v2.21h-1.80v6.98c0 1.18.15 1.44.61 1.44.41 0 .77-.05 1.10-.18l.36 1.80c-.85.41-1.93.54-2.60.54-1.82-.02-2.21-.97-2.21-3.19ZM40.26 14.81l2.39-.05c-.12 1.39.36 2.19 1.21 2.19.72 0 1.13-.46 1.13-1.10 0-.87-.79-1.46-2.16-2.5-1.62-1.23-2.60-2.16-2.60-4.20 0-2.24 1.18-3.32 3.63-3.32 2.60 0 3.63 1.28 3.42 4.35l-2.39.10c-.02-1.90-.28-2.44-1.08-2.44-.77 0-1.10.38-1.10 1.08 0 .97.56 1.44 1.49 2.11 2.21 1.64 3.24 2.47 3.24 4.53 0 2.26-1.28 3.40-3.73 3.40-2.78-.02-3.81-1.54-3.45-4.14Z", +fill:"#fff"}}]});a.X=Object.assign({},a.X,{"aria-hidden":"true"});this.updateValue("logoSvg",a)}; +g.TV.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)};g.w(TPa,g.bI);g.k=TPa.prototype;g.k.Ie=function(){g.S(this.F.Cb(),2)||(this.Kc.yc(),this.tj.yc())}; +g.k.qn=function(){this.KJ();if(this.Ve.u){this.Ie();var a;null==(a=this.tb)||a.show()}else{g.XV(this.Kc.tooltip);var b;null==(b=this.tb)||b.hide()}}; +g.k.Iv=function(){this.Ie();this.lf.start()}; +g.k.KJ=function(){var a=!this.F.V().u&&300>g.rPa(this.Kc)&&this.F.Cb().bd()&&!!window.requestAnimationFrame,b=!a;this.Ve.u||(a=b=!1);b?this.ea||(this.ea=this.S(this.F,"progresssync",this.Ie)):this.ea&&(this.Hc(this.ea),this.ea=null);a?this.lf.isActive()||this.lf.start():this.lf.stop()}; +g.k.Db=function(){var a=this.u.yg(),b=this.F.jb().getPlayerSize(),c=VPa(this),d=Math.max(b.width-2*c,100);if(this.ib!==b.width||this.fb!==a){this.ib=b.width;this.fb=a;var e=WPa(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";g.yV(this.Kc,c,e,a);this.u.Ic().LJ=e}c=this.B;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-XPa(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.UE=e;c.lA();this.KJ();this.F.V().K("html5_player_dynamic_bottom_gradient")&&g.VU(this.kb,b.height)}; +g.k.onVideoDataChange=function(){var a=this.F.getVideoData(),b,c,d,e=null==(b=a.kf)?void 0:null==(c=b.embedPreview)?void 0:null==(d=c.thumbnailPreviewRenderer)?void 0:d.controlBgHtml;b=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?!!e:a.D;e=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?null!=e?e:"":a.Wc;this.Ja.style.background=b?e:"";g.bQ(this.ya,a.jQ);this.oa&&jOa(this.oa,a.showSeekingControls);this.Z&&jOa(this.Z,a.showSeekingControls)}; +g.k.ub=function(){return this.C.element};g.w(YPa,EU);g.k=YPa.prototype;g.k.YG=function(a){a.target!==this.dismissButton.element&&(this.onClickCommand&&this.F.Na("innertubeCommand",this.onClickCommand),this.WC())}; +g.k.WC=function(){this.enabled=!1;this.I.hide()}; +g.k.onVideoDataChange=function(a,b){"dataloaded"===a&&ZPa(this);if(this.F.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){a=[];var c,d,e,f;if(b=null==(f=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.suggestedActionsRenderer,mza))?void 0:f.suggestedActions)for(c=g.t(b),d=c.next();!d.done;d=c.next())(d=g.K(d.value,nza))&&g.K(d.trigger,lM)&&a.push(d)}else a=b.suggestedActions;c=a;if(0!==c.length){a=[];c=g.t(c);for(d=c.next();!d.done;d= +c.next())if(d=d.value,e=g.K(d.trigger,lM))f=(f=d.title)?g.gE(f):"View Chapters",b=e.timeRangeStartMillis,e=e.timeRangeEndMillis,null!=b&&null!=e&&d.tapCommand&&(a.push(new g.XD(b,e,{priority:9,namespace:"suggested_action_button_visible",id:f})),this.suggestedActions[f]=d.tapCommand);this.F.ye(a)}}; +g.k.Yz=function(){return this.enabled}; +g.k.Bg=function(){this.enabled?this.oa.start():CU(this);this.dl()}; +g.k.qa=function(){ZPa(this);EU.prototype.qa.call(this)};var g4={},UV=(g4.CHANNEL_NAME="ytp-title-channel-name",g4.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",g4.LINK="ytp-title-link",g4.SESSIONLINK="yt-uix-sessionlink",g4.SUBTEXT="ytp-title-subtext",g4.TEXT="ytp-title-text",g4.TITLE="ytp-title",g4);g.w(VV,g.U); +VV.prototype.onClick=function(a){this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0);if(g.fK(b)){var d={};b.ya&&g.iS(d,b.loaderUrl);g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_title"))}g.VT(c,this.api,a)}; +VV.prototype.Pa=function(){var a=this.api.getVideoData(),b=this.api.V();this.updateValue("title",a.title);var c={G:"a",N:UV.CHANNEL_NAME,X:{href:"{{channelLink}}",target:"_blank"},ra:"{{channelName}}"};this.api.V().B&&(c={G:"span",N:UV.CHANNEL_NAME,ra:"{{channelName}}",X:{tabIndex:"{{channelSubtextFocusable}}"}});this.updateValue("subtextElement",c);$Pa(this);2===this.api.getPresentingPlayerType()&&(c=this.api.getVideoData(),c.videoId&&c.isListed&&c.author&&c.Lc&&c.profilePicture?(this.updateValue("channelLink", +c.Lc),this.updateValue("channelName",c.author),this.updateValue("channelTitleFocusable","0")):$Pa(this));c=b.externalFullscreen||!this.api.isFullscreen()&&b.ij;g.Up(this.link,UV.FULLERSCREEN_LINK,c);b.oa||!a.videoId||c||a.D&&b.Z||b.B?this.j&&(this.updateValue("url",null),this.Hc(this.j),this.j=null):(this.updateValue("url",this.api.getVideoUrl(!0)),this.j||(this.j=this.S(this.link,"click",this.onClick)));b.B&&(this.element.classList.add("ytp-no-link"),this.updateValue("channelName",g.fK(b)?a.ph:a.author), +this.updateValue("channelTitleFocusable","0"),this.updateValue("channelSubtextFocusable","0"))};g.w(g.WV,g.U);g.k=g.WV.prototype;g.k.fP=function(a){if(null!=this.type)if(a)switch(this.type){case 3:case 2:eQa(this);this.I.show();break;default:this.I.show()}else this.I.hide();this.T=a}; +g.k.iW=function(a,b){a<=this.C&&this.C<=b&&(a=this.C,this.C=NaN,bQa(this,a))}; +g.k.x4=function(){Qya(this.u,this.C,this.J*this.scale)}; +g.k.Nn=function(){switch(this.type){case 2:var a=this.j;a.removeEventListener("mouseout",this.oa);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.oa);a.addEventListener("focus",this.D);fQa(this);break;case 3:fQa(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.iW,this),this.u=null),this.api.removeEventListener("videoready",this.ya),this.Aa.stop()}this.type=null;this.T&&this.I.hide()}; +g.k.rk=function(){if(this.j)for(var a=0;a(b.height-d.height)/2?l.y-f.height-12:l.y+d.height+12);a.style.top=f+(e||0)+"px";a.style.left=c+"px"}; +g.k.qn=function(a){a&&(this.tooltip.rk(this.Fh.element),this.dh&&this.tooltip.rk(this.dh.ub()));this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide",a),g.Up(this.contextMenu.element,"ytp-autohide-active",!0));g.eU.prototype.qn.call(this,a)}; +g.k.DN=function(){g.eU.prototype.DN.call(this);this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide-active",!1),this.rG&&(this.contextMenu.hide(),this.Bh&&this.Bh.hide()))}; +g.k.zk=function(a,b){var c=this.api.jb().getPlayerSize();c=new g.Em(0,0,c.width,c.height);if(a||this.Ve.u&&!this.Ct()){if(this.api.V().vl||b)a=this.yg()?this.RK:this.QK,c.top+=a,c.height-=a;this.dh&&(c.height-=XPa(this.dh))}return c}; +g.k.Hq=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.V().externalFullscreen||(b.parentElement.insertBefore(this.IF.element,b),b.parentElement.insertBefore(this.HF.element,b.nextSibling))):g.CD(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.IF.detach(),this.HF.detach());this.Db();this.wp()}; +g.k.yg=function(){var a=this.api.V();return this.api.isFullscreen()&&!a.T||!1}; +g.k.showControls=function(a){this.pF=!a;this.fl()}; +g.k.Db=function(){var a=this.yg();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.Up(this.contextMenu.element,"ytp-big-mode",a);this.fl();this.api.K("web_player_hide_overflow_button_if_empty_menu")||nQa(this);this.wp();var b=this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.Sb();b&&a?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.Fh.element,"padding-left",a+"px"),g.Hm(this.Fh.element,"padding-right",a+"px")):b&&(g.Hm(this.Fh.element,"padding-left", +""),g.Hm(this.Fh.element,"padding-right",""));g.eU.prototype.Db.call(this)}; +g.k.SL=function(){if(mQa(this)&&!g.KS(this.api))return!1;var a=this.api.getVideoData();return!g.fK(this.api.V())||2===this.api.getPresentingPlayerType()||!this.kf||((a=this.kf||a.kf)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&g.K(a.videoDetails,Nza)||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.eU.prototype.SL.call(this):!1}; +g.k.wp=function(){g.eU.prototype.wp.call(this);this.api.Ua(this.title.element,!!this.To);this.Dz&&this.Dz.Zb(!!this.To);this.channelAvatar.Zb(!!this.To);this.overflowButton&&this.overflowButton.Zb(this.Wg()&&!!this.To);this.shareButton&&this.shareButton.Zb(!this.Wg()&&!!this.To);this.Jn&&this.Jn.Zb(!this.Wg()&&!!this.To);this.Bi&&this.Bi.Zb(!this.Wg()&&!!this.To);if(!this.To){this.tooltip.rk(this.Fh.element);for(var a=0;a=b)return d.return();(c=a.j.get(0))&&uQa(a,c);g.oa(d)})}; +var rQa={qQa:0,xSa:1,pRa:2,ySa:3,Ima:4,0:"PRIMARY",1:"SECONDARY",2:"RANDOM",3:"SENSITIVE_CONTENT",4:"C_YOUTUBE"};g.eW.prototype.info=function(){}; +var CQa=new Map;fW.prototype.Vj=function(){if(!this.Le.length)return[];var a=this.Le;this.Le=[];this.B=g.jb(a).info;return a}; +fW.prototype.Rv=function(){return this.Le};g.w(hW,g.C);g.k=hW.prototype;g.k.Up=function(){return Array.from(this.Xc.keys())}; +g.k.lw=function(a){a=this.Xc.get(a);var b=a.Le;a.Qx+=b.totalLength;a.Le=new LF;return b}; +g.k.Vg=function(a){return this.Xc.get(a).Vg}; +g.k.Qh=function(a){return this.Xc.get(a).Qh}; +g.k.Kv=function(a,b,c,d){this.Xc.get(a)||this.Xc.set(a,{Le:new LF,Cq:[],Qx:0,bytesReceived:0,KU:0,CO:!1,Vg:!1,Qh:!1,Ek:b,AX:[],gb:[],OG:[]});b=this.Xc.get(a);this.Sa?(c=MQa(this,a,c,d),LQa(this,a,b,c)):(c.Xm?b.KU=c.Pq:b.OG.push(c),b.AX.push(c))}; +g.k.Om=function(a){var b;return(null==(b=this.Xc.get(a))?void 0:b.gb)||[]}; +g.k.qz=function(){for(var a=g.t(this.Xc.values()),b=a.next();!b.done;b=a.next())b=b.value,b.CO&&(b.Ie&&b.Ie(),b.CO=!1)}; +g.k.Iq=function(a){a=this.Xc.get(a);iW&&a.Cq.push({data:new LF([]),qL:!0});a&&!a.Qh&&(a.Qh=!0)}; +g.k.Vj=function(a){var b,c=null==(b=this.Xc.get(a))?void 0:b.Zd;if(!c)return[];this.Sm(a,c);return c.Vj()}; +g.k.Nk=function(a){var b,c,d;return!!(null==(c=null==(b=this.Xc.get(a))?void 0:b.Zd)?0:null==(d=c.Rv())?0:d.length)||JQa(this,a)}; +g.k.Sm=function(a,b){for(;JQa(this,a);)if(iW){var c=this.Xc.get(a),d=c.Cq.shift();c.Qx+=(null==d?void 0:d.data.totalLength)||0;c=d;gW(b,c.data,c.qL)}else c=this.lw(a),d=a,d=this.Xc.get(d).Vg&&!IQa(this,d),gW(b,c,d&&KQa(this,a))}; +g.k.qa=function(){g.C.prototype.qa.call(this);for(var a=g.t(this.Xc.keys()),b=a.next();!b.done;b=a.next())FQa(this,b.value);this.Xc.clear()}; +var iW=!1;var lW=[],m0a=!1;g.PY=Nd(function(){var a="";try{var b=g.qf("CANVAS").getContext("webgl");b&&(b.getExtension("WEBGL_debug_renderer_info"),a=b.getParameter(37446),a=a.replace(/[ :]/g,"_"))}catch(c){}return a});g.w(mW,g.C);mW.prototype.B=function(){null!=this.j&&this.app.getVideoData()!==this.j&&aM(this.j)&&R0a(this.app,this.j,void 0,void 0,this.u)}; +mW.prototype.qa=function(){this.j=null;g.C.prototype.qa.call(this)};g.w(g.nW,FO);g.k=g.nW.prototype;g.k.isView=function(){return!0}; +g.k.QO=function(){var a=this.mediaElement.getCurrentTime();if(ae?this.Eg("next_player_future"):(this.D=d,this.currentVideoDuration=d-c,this.B=Gva(a,c,d,!0),this.C=Gva(a,e,h,!1),a=this.u.getVideoData().clientPlaybackNonce,this.j.xa("gaplessPrep",{cpn:a}),ZQa(this.j,this.B),this.j.setMediaElement(VQa(b,c,d,!this.j.getVideoData().isAd())), +pW(this,2),bRa(this))))}else this.Eg("no-elem")}; +g.k.kx=function(a){var b=a===aRa(this).LX,c=b?this.B.j:this.B.u;b=b?this.C.j:this.C.u;if(c.isActive&&!b.isActive){var d=this.D;lI(a.Ig(),d-.01)&&(pW(this,4),c.isActive=!1,c.rE=c.rE||c.isActive,this.u.xa("sbh",{}),b.isActive=!0,b.rE=b.rE||b.isActive);a=this.C.u;this.C.j.isActive&&a.isActive&&(pW(this,5),0!==this.T&&(this.j.getVideoData().QR=!0,this.j.setLoopRange({startTimeMs:0,endTimeMs:1E3*this.currentVideoDuration})))}}; +g.k.nW=function(){4<=this.status.status&&6>this.status.status&&this.Eg("player-reload-after-handoff")}; +g.k.Eg=function(a,b){b=void 0===b?{}:b;if(!this.isDisposed()&&6!==this.status.status){var c=4<=this.status.status&&"player-reload-after-handoff"!==a;this.status={status:Infinity,error:a};if(this.j&&this.u){var d=this.u.getVideoData().clientPlaybackNonce;this.j.Kd(new PK("dai.transitionfailure",Object.assign(b,{cpn:d,transitionTimeMs:this.fm,msg:a})));a=this.j;a.videoData.fb=!1;c&&IY(a);a.Fa&&XWa(a.Fa)}this.rp.reject(void 0);this.dispose()}}; +g.k.qa=function(){$Qa(this);this.j.unsubscribe("newelementrequired",this.nW,this);if(this.B){var a=this.B.u;this.B.j.Ed.unsubscribe("updateend",this.kx,this);a.Ed.unsubscribe("updateend",this.kx,this)}g.C.prototype.qa.call(this)}; +g.k.yd=function(a){g.YN(a,128)&&this.Eg("player-error-event")};g.w(rW,g.C);rW.prototype.clearQueue=function(){this.C&&this.C.reject("Queue cleared");sW(this)}; +rW.prototype.vv=function(){return!this.j}; +rW.prototype.qa=function(){sW(this);g.C.prototype.qa.call(this)};g.w(lRa,g.dE);g.k=lRa.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:hRa()?3:b?2:c?1:d?5:e?7:f?8:0}; +g.k.cm=function(a){this.fullscreen!==a&&(this.fullscreen=a,this.Bg())}; +g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.Bg())}; +g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.Bg())}; +g.k.Uz=function(a){this.pictureInPicture!==a&&(this.pictureInPicture=a,this.Bg())}; +g.k.wh=function(){return this.j}; +g.k.isFullscreen=function(){return 0!==this.fullscreen}; +g.k.Ay=function(){return this.fullscreen}; +g.k.zg=function(){return this.u}; +g.k.isInline=function(){return this.inline}; +g.k.isBackground=function(){return hRa()}; +g.k.Ty=function(){return this.pictureInPicture}; +g.k.Ry=function(){return!1}; +g.k.Bg=function(){this.ma("visibilitychange");var a=this.getVisibilityState(this.wh(),this.isFullscreen(),this.zg(),this.isInline(),this.Ty(),this.Ry());a!==this.C&&this.ma("visibilitystatechange");this.C=a}; +g.k.qa=function(){kRa(this.B);g.dE.prototype.qa.call(this)};g.w(xW,g.C);g.k=xW.prototype;g.k.yy=function(){return this.Ec||0}; +g.k.QL=function(){return this.C||0}; +g.k.getCpnByClipId=function(a){if(this.B.has(a))return this.B.get(a);for(var b=g.t(this.segments),c=b.next();!c.done;c=b.next()){c=g.t(c.value.j.values());for(var d=c.next();!d.done;d=c.next())if(d=d.value.getCpnByClipId(a))return d}}; +g.k.Ef=function(){for(;this.segments.length;){var a=void 0;null==(a=this.segments.pop())||a.dispose()}this.B.clear();this.u.clear()}; +g.k.qa=function(){this.Ef()}; +g.w(nRa,g.C);g.k=nRa.prototype;g.k.yy=function(){return this.Ec}; +g.k.QL=function(){return this.u}; +g.k.getType=function(){return this.type}; +g.k.OB=function(){var a;return(null==(a=this.videoData)?void 0:a.clientPlaybackNonce)||""}; +g.k.getVideoData=function(){return this.videoData}; +g.k.hs=function(){return this.clipId};g.w(g.zW,g.C);g.k=g.zW.prototype; +g.k.onCueRangeEnter=function(a){this.La.push(a);var b=a.getId(),c=""===b;this.Pb.add(a.B);c||this.va.xa("sdai",{enterAdCueRange:1});if(this.fb&&!this.j){this.fb=!1;if(!c){var d=this.D.get(b);d&&(c=this.va.getCurrentTime(),FW(this,{me:a,isAd:!0,qq:!0,nh:c,adCpn:b},{isAd:!1,qq:!1,nh:c}),this.api.ma("serverstitchedvideochange",d.Nc,d.Cr),this.va.xa("sdai",CW("midab",d)),this.El=1)}this.I=!1}else if(this.j){if(this.j.qq)this.va.xa("sdai",{a_pair_of_same_transition_occurs_enter:1,acpn:this.j.adCpn,transitionTime:this.j.nh, +cpn:b,currentTime:this.va.getCurrentTime()}),d=this.va.getCurrentTime(),a={me:a,isAd:!c,qq:!0,nh:d,adCpn:b},b={me:this.j.me,isAd:this.j.isAd,qq:!1,nh:d,adCpn:this.j.adCpn},this.j.me&&this.Pb.delete(this.j.me.B),FW(this,a,b);else{if(this.j.me===a){this.va.xa("sdai",{same_cue_range_pair_enter:1,acpn:this.j.adCpn,transitionTime:this.j.nh,cpn:b,currentTime:this.va.getCurrentTime(),cueRangeStartTime:a.start,cueRangeEndTime:a.end});this.j=void 0;return}if(this.j.adCpn===b){b&&this.va.xa("sdai",{dchtsc:b}); +this.j=void 0;return}a={me:a,isAd:!c,qq:!0,nh:this.va.getCurrentTime(),adCpn:b};FW(this,a,this.j)}this.j=void 0;this.I=!1}else this.j={me:a,isAd:!c,qq:!0,nh:this.va.getCurrentTime(),adCpn:b}}; +g.k.onCueRangeExit=function(a){if(this.Pb.has(a.B)){this.Pb.delete(a.B);this.La=this.La.filter(function(d){return d!==a}); +this.fb&&(this.I=this.fb=!1,this.va.xa("sdai",{cref:1}));var b=a.getId(),c=""===b;if(this.j){if(this.j.qq){if(this.j.me===a){this.va.xa("sdai",{same_cue_range_pair_exit:1,acpn:this.j.adCpn,transitionTime:this.j.nh,cpn:b,currentTime:this.va.getCurrentTime(),cueRangeStartTime:a.start,cueRangeEndTime:a.end});this.j=void 0;return}if(this.j.adCpn===b){b&&this.va.xa("sdai",{dchtsc:b});this.j=void 0;return}b={me:a,isAd:!c,qq:!1,nh:this.va.getCurrentTime(),adCpn:b};FW(this,this.j,b)}else this.va.xa("sdai", +{a_pair_of_same_transition_occurs_exit:1,pendingCpn:this.j.adCpn,transitionTime:this.j.nh,upcomingCpn:b,contentCpn:this.va.getVideoData().clientPlaybackNonce,currentTime:this.va.getCurrentTime()});this.j=void 0;this.I=!1}else this.j={me:a,isAd:!c,qq:!1,nh:this.va.getCurrentTime(),adCpn:b}}else this.va.xa("sdai",{ignore_single_exit:1})}; +g.k.seekTo=function(a,b,c){a=void 0===a?0:a;c=void 0===c?null:c;this.I=!0;if(void 0===b?0:b)qRa(this,a);else{b=this.api.Rc();var d=b===this.tb?this.Tb:null;HW(this,!1);this.Dc=a;null!=c&&this.uc.start(c);b&&(this.Tb=d||b.getPlayerState(),V_a(b),this.tb=b)}}; +g.k.qa=function(){HW(this,!1);DRa(this);ERa(this);g.C.prototype.qa.call(this)}; +g.k.kP=function(a){this.Wc=a;this.va.xa("sdai",{swebm:a})}; +g.k.Bk=function(a,b,c){if(c&&b){var d=this.Ya.get(a);if(d){d.locations||(d.locations=new Map);var e=Number(b.split(";")[0]);c=new g.DF(c);this.Qa&&this.va.xa("sdai",{hdlredir:1,itag:b,seg:a,hostport:FF(c)});d.locations.set(e,c)}}}; +g.k.Ds=function(a,b,c,d,e){var f=3===d;a=GRa(this,a,b,d,c);if(!a)return KW(this,b,f),this.va.xa("sdai",{gvprp:"ncp",seg:b}),null;f=a.Am;var h;d=(null==(h=JW(this,b-1,d,e))?void 0:h.Qr)||"";""===d&&this.va.xa("sdai",{eds:1});h=RJ(a.ssdaiAdsConfig||"")||void 0;e=this.va.getVideoData();var l;c=(null==(l=e.u)?void 0:l.containerType)||0;l=e.hS[c];b=a.pw&&b>=a.pw?a.pw:void 0;return{Pz:{lK:f?KRa(this,f):[],S1:h,Qr:d,RX:b,T9:Se(l.split(";")[0]),U9:l.split(";")[1]||""}}}; +g.k.Im=function(a,b,c,d,e){var f=Number(c.split(";")[0]),h=3===d;a=GRa(this,a,b,d,c);this.Qa&&this.va.xa("sdai",{gdu:1,seg:b,itag:f,pb:""+!!a});if(!a)return KW(this,b,h),null;a.locations||(a.locations=new Map);if(!a.locations.has(f)){var l,m,n=null==(l=a.videoData.getPlayerResponse())?void 0:null==(m=l.streamingData)?void 0:m.adaptiveFormats;if(!n)return this.va.xa("sdai",{gdu:"noadpfmts",seg:b,itag:f}),KW(this,b,h),null;l=n.find(function(z){return z.itag===f}); +if(!l||!l.url){var p=a.videoData.videoId;a=[];d=g.t(n);for(var q=d.next();!q.done;q=d.next())a.push(q.value.itag);this.va.xa("sdai",{gdu:"nofmt",seg:b,vid:p,itag:f,fullitag:c,itags:a.join(",")});KW(this,b,h);return null}a.locations.set(f,new g.DF(l.url,!0))}n=a.locations.get(f);if(!n)return this.va.xa("sdai",{gdu:"nourl",seg:b,itag:f}),KW(this,b,h),null;n=new IG(n);this.Wc&&(n.get("dvc")?this.va.xa("sdai",{dvc:n.get("dvc")||""}):n.set("dvc","webm"));var r;(e=null==(r=JW(this,b-1,d,e))?void 0:r.Qr)&& +n.set("daistate",e);a.pw&&b>=a.pw&&n.set("skipsq",""+a.pw);(e=this.va.getVideoData().clientPlaybackNonce)&&n.set("cpn",e);r=[];a.Am&&(r=KRa(this,a.Am),0d?(this.kI(a,c,!0),this.va.seekTo(d),!0):!1}; +g.k.kI=function(a,b,c){c=void 0===c?!1:c;if(a=IW(this,a,b)){var d=a.Am;if(d){this.va.xa("sdai",{skipadonsq:b,sts:c,abid:d,acpn:a.cpn,avid:a.videoData.videoId});c=this.ea.get(d);if(!c)return;c=g.t(c);for(d=c.next();!d.done;d=c.next())d.value.pw=b}this.u=a.cpn;HRa(this)}}; +g.k.TO=function(){for(var a=g.t(this.T),b=a.next();!b.done;b=a.next())b.value.pw=NaN;HRa(this);this.va.xa("sdai",{rsac:"resetSkipAd",sac:this.u});this.u=""}; +g.k.kE=aa(38); +g.k.fO=function(a,b,c,d,e,f,h,l,m){m&&(h?this.Xa.set(a,{Qr:m,YA:l}):this.Aa.set(a,{Qr:m,YA:l}));if(h){if(d.length&&e.length)for(this.u&&this.u===d[0]&&this.va.xa("sdai",{skipfail:1,sq:a,acpn:this.u}),a=b+this.aq(),h=0;h=b+a)b=h.end;else{if(l=!1,h?bthis.C;)(c=this.data.shift())&&W_(this,c,!0);U_(this)}; -V_.prototype.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); -c&&(W_(this,c,b),g.sb(this.data,function(d){return d.key===a}),U_(this))}; -V_.prototype.aa=function(){var a=this;g.B.prototype.aa.call(this);this.data.forEach(function(b){W_(a,b,!0)}); -this.data=[]};g.u(X_,g.B);X_.prototype.aa=function(){g.B.prototype.aa.call(this);this.B=null;this.u&&this.u.disconnect()};var Dza=eb(function(){var a=window.AudioContext||window.webkitAudioContext;try{return new a}catch(b){return b.name}}),Y_=!1;var a2;a2={};g.Z_=(a2.STOP_EVENT_PROPAGATION="html5-stop-propagation",a2.IV_DRAWER_ENABLED="ytp-iv-drawer-enabled",a2.IV_DRAWER_OPEN="ytp-iv-drawer-open",a2.MAIN_VIDEO="html5-main-video",a2.VIDEO_CONTAINER="html5-video-container",a2.HOUSE_BRAND="house-brand",a2);g.u($_,g.V);g.k=$_.prototype;g.k.Cp=function(a){for(var b=[],c=0;c=c,b.dis=this.F.Uo("display"));(a=a?(0,g.wT)():null)&&(b.gpu=a);b.cgr=!0;b.debug_playbackQuality=this.B.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;(a=ZW(this.D))&&(b=IAa(b,a.jb(),"fresca"));return JSON.stringify(b,null,2)}; -g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.T().experiments.experimentIds.join(", ")},b=g.Z(this).jb(!0).debug_error;b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; -g.k.getPresentingPlayerType=function(){return 1===this.ea?1:j0(this)?3:g.Z(this).getPlayerType()}; -g.k.getAppState=function(){return this.ea}; -g.k.NP=function(a){switch(a.type){case "loadedmetadata":JA("fvb",this.N.timerName)||this.N.tick("fvb");MA("fvb","video_to_ad");this.Rb.start();break;case "loadstart":JA("gv",this.N.timerName)||this.N.tick("gv");MA("gv","video_to_ad");break;case "progress":case "timeupdate":!JA("l2s",this.N.timerName)&&2<=ky(a.target.kf())&&this.N.tick("l2s");break;case "playing":g.rC&&this.Rb.start();if(g.$B(this.u))a=!1;else{var b=g.UW(this.D);a="none"===this.F.Uo("display")||0===je(this.F.nn());var c=b0(this.template), -d=this.I.getVideoData(),e=nC(this.u)||g.UB(this.u);d=cF(d);b=!c||b||e||d||this.u.xc;a=a&&!b}a&&(this.I.sb("hidden","1",!0),this.getVideoData().Ci||(this.ca("html5_new_elem_on_hidden")?(this.getVideoData().Ci=1,this.pE(null),this.I.playVideo()):DAa(this,"hidden",!0)))}}; -g.k.ON=function(a,b){this.B.va("onLoadProgress",b)}; -g.k.vP=function(){this.B.V("playbackstalledatstart")}; -g.k.Qp=function(a,b){var c=r0(this,a);b=F0(this,c.getCurrentTime(),c);this.B.va("onVideoProgress",b)}; -g.k.wN=function(){this.B.va("onDompaused")}; -g.k.KO=function(){this.B.V("progresssync")}; -g.k.OM=function(a){if(1===this.getPresentingPlayerType()){g.xI(a,1)&&!g.T(a.state,64)&&s0(this).isLivePlayback&&this.C.isAtLiveHead()&&1this.B;)(c=this.data.shift())&&TW(this,c,!0);RW(this)}; +g.k.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); +c&&(TW(this,c,b),g.yb(this.data,function(d){return d.key===a}),RW(this))}; +g.k.Ef=function(){var a;if(a=void 0===a?!1:a)for(var b=g.t(this.data),c=b.next();!c.done;c=b.next())TW(this,c.value,a);this.data=[];RW(this)}; +g.k.qa=function(){var a=this;g.C.prototype.qa.call(this);this.data.forEach(function(b){TW(a,b,!0)}); +this.data=[]};g.w(UW,g.C);UW.prototype.QF=function(a){if(a)return this.u.get(a)}; +UW.prototype.qa=function(){this.j.Ef();this.u.Ef();g.C.prototype.qa.call(this)};g.w(VW,g.lq);VW.prototype.ma=function(a){var b=g.ya.apply(1,arguments);if(this.D.has(a))return this.D.get(a).push(b),!0;var c=!1;try{for(b=[b],this.D.set(a,b);b.length;)c=g.lq.prototype.ma.call.apply(g.lq.prototype.ma,[this,a].concat(g.u(b.shift())))}finally{this.D.delete(a)}return c};g.w(jSa,g.C);jSa.prototype.qa=function(){g.C.prototype.qa.call(this);this.j=null;this.u&&this.u.disconnect()};g.cdb=Nd(function(){var a=window.AudioContext||window.webkitAudioContext;try{return new a}catch(b){return b.name}});var h4;h4={};g.WW=(h4.STOP_EVENT_PROPAGATION="html5-stop-propagation",h4.IV_DRAWER_ENABLED="ytp-iv-drawer-enabled",h4.IV_DRAWER_OPEN="ytp-iv-drawer-open",h4.MAIN_VIDEO="html5-main-video",h4.VIDEO_CONTAINER="html5-video-container",h4.VIDEO_CONTAINER_TRANSITIONING="html5-video-container-transitioning",h4.HOUSE_BRAND="house-brand",h4);g.w(mSa,g.U);g.k=mSa.prototype;g.k.Dr=function(){g.Rp(this.element,g.ya.apply(0,arguments))}; +g.k.rj=function(){this.kc&&(this.kc.removeEventListener("focus",this.MN),g.xf(this.kc),this.kc=null)}; +g.k.jL=function(){this.isDisposed();var a=this.app.V();a.wm||this.Dr("tag-pool-enabled");a.J&&this.Dr(g.WW.HOUSE_BRAND);"gvn"===a.playerStyle&&(this.Dr("ytp-gvn"),this.element.style.backgroundColor="transparent");a.Dc&&(this.YK=g.pC("yt-dom-content-change",this.resize,this));this.S(window,"orientationchange",this.resize,this);this.S(window,"resize",this.resize,this)}; +g.k.SD=function(a){g.kK(this.app.V());this.mG=!a;XW(this)}; +g.k.resize=function(){if(this.kc){var a=this.Ij();if(!a.Bf()){var b=!g.Ie(a,this.Ez.getSize()),c=rSa(this);b&&(this.Ez.width=a.width,this.Ez.height=a.height);a=this.app.V();(c||b||a.Dc)&&this.app.Ta.ma("resize",this.getPlayerSize())}}}; +g.k.Gs=function(a,b){this.updateVideoData(b)}; +g.k.updateVideoData=function(a){if(this.kc){var b=this.app.V();nB&&(this.kc.setAttribute("x-webkit-airplay","allow"),a.title?this.kc.setAttribute("title",a.title):this.kc.removeAttribute("title"));Cza(a)?this.kc.setAttribute("disableremoteplayback",""):this.kc.removeAttribute("disableremoteplayback");this.kc.setAttribute("controlslist","nodownload");b.Xo&&a.videoId&&(this.kc.poster=a.wg("default.jpg"))}b=g.DM(a,"yt:bgcolor");this.kB.style.backgroundColor=b?b:"";this.qN=nz(g.DM(a,"yt:stretch"));this.rN= +nz(g.DM(a,"yt:crop"),!0);g.Up(this.element,"ytp-dni",a.D);this.resize()}; +g.k.setGlobalCrop=function(a){this.gM=nz(a,!0);this.resize()}; +g.k.setCenterCrop=function(a){this.QS=a;this.resize()}; +g.k.cm=function(){}; +g.k.getPlayerSize=function(){var a=this.app.V(),b=this.app.Ta.isFullscreen();if(b&&Xy())return new g.He(window.outerWidth,window.outerHeight);if(b||a.Vn){if(window.matchMedia){a="(width: "+window.innerWidth+"px) and (height: "+window.innerHeight+"px)";this.LC&&this.LC.media===a||(this.LC=window.matchMedia(a));var c=this.LC&&this.LC.matches}if(c)return new g.He(window.innerWidth,window.innerHeight)}else if(!isNaN(this.FB.width)&&!isNaN(this.FB.height))return this.FB.clone();return new g.He(this.element.clientWidth, +this.element.clientHeight)}; +g.k.Ij=function(){var a=this.app.V().K("enable_desktop_player_underlay"),b=this.getPlayerSize(),c=g.gJ(this.app.V().experiments,"player_underlay_min_player_width");return a&&this.zO&&b.width>c?new g.He(b.width*g.gJ(this.app.V().experiments,"player_underlay_video_width_fraction"),b.height):b}; +g.k.getVideoAspectRatio=function(){return isNaN(this.qN)?oSa(this):this.qN}; +g.k.getVideoContentRect=function(a){var b=this.Ij();a=pSa(this,b,this.getVideoAspectRatio(),a);return new g.Em((b.width-a.width)/2,(b.height-a.height)/2,a.width,a.height)}; +g.k.Wz=function(a){this.zO=a;this.resize()}; +g.k.uG=function(){return this.vH}; +g.k.onMutedAutoplayChange=function(){XW(this)}; +g.k.setInternalSize=function(a){g.Ie(this.FB,a)||(this.FB=a,this.resize())}; +g.k.qa=function(){this.YK&&g.qC(this.YK);this.rj();g.U.prototype.qa.call(this)};g.k=sSa.prototype;g.k.click=function(a,b){this.elements.has(a);this.j.has(a);var c=g.FE();c&&a.visualElement&&g.kP(c,a.visualElement,b)}; +g.k.sb=function(a,b,c,d){var e=this;d=void 0===d?!1:d;this.elements.has(a);this.elements.add(a);c=fta(c);a.visualElement=c;var f=g.FE(),h=g.EE();f&&h&&g.my(g.bP)(void 0,f,h,c);g.bb(b,function(){tSa(e,a)}); +d&&this.u.add(a)}; +g.k.Zf=function(a,b,c){var d=this;c=void 0===c?!1:c;this.elements.has(a);this.elements.add(a);g.bb(b,function(){tSa(d,a)}); +c&&this.u.add(a)}; +g.k.fL=function(a,b){this.clientPlaybackNonce!==b&&(this.clientPlaybackNonce=b,pP().wk(a),uSa(this))}; +g.k.og=function(a,b){this.elements.has(a);b&&(a.visualElement=g.BE(b))}; +g.k.Dk=function(a){return this.elements.has(a)};vSa.prototype.setPlaybackRate=function(a){this.playbackRate=Math.max(1,a)}; +vSa.prototype.getPlaybackRate=function(){return this.playbackRate};zSa.prototype.seek=function(a,b){a!==this.j&&(this.seekCount=0);this.j=a;var c=this.videoTrack.u,d=this.audioTrack.u,e=this.audioTrack.Vb,f=CSa(this,this.videoTrack,a,this.videoTrack.Vb,b);b=CSa(this,this.audioTrack,this.policy.uf?a:f,e,b);a=Math.max(a,f,b);this.C=!0;this.Sa.isManifestless&&(ASa(this.videoTrack,c),ASa(this.audioTrack,d));return a}; +zSa.prototype.hh=function(){return this.C}; +var BSa=2/24;HSa.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.M)()};g.w(JSa,g.dE);g.k=JSa.prototype; +g.k.VN=function(a,b,c,d){if(this.C&&d){d=[];var e=[],f=[],h=void 0,l=0;b&&(d=b.j,e=b.u,f=b.C,h=b.B,l=b.YA);this.C.fO(a.Ma,a.startTime,this.u,d,e,f,c,l,h)}if(c){if(b&&!this.ya.has(a.Ma)){c=a.startTime;d=[];for(e=0;ethis.policy.ya&&(null==(c=this.j)?0:KH(c.info))&&(null==(d=this.nextVideo)||!KH(d.info))&&(this.T=!0)}};$Sa.prototype.Vq=function(a){this.timestampOffset=a};lTa.prototype.dispose=function(){this.oa=!0}; +lTa.prototype.isDisposed=function(){return this.oa}; +g.w(xX,Error);ATa.prototype.skip=function(a){this.offset+=a}; +ATa.prototype.Yp=function(){return this.offset};g.k=ETa.prototype;g.k.bU=function(){return this.u}; +g.k.vk=function(){this.u=[];BX(this);DTa(this)}; +g.k.lw=function(a){this.Qa=this.u.shift().info;a.info.equals(this.Qa)}; +g.k.Om=function(){return g.Yl(this.u,function(a){return a.info})}; +g.k.Ek=function(){return!!this.I.info.audio}; +g.k.getDuration=function(){return this.I.index.ys()};var WTa=0;g.k=EX.prototype;g.k.gs=function(){this.oa||(this.oa=this.callbacks.gs?this.callbacks.gs():1);return this.oa}; +g.k.wG=function(){return this.Hk?1!==this.gs():!1}; +g.k.Mv=function(){this.Qa=this.now();this.callbacks.Mv()}; +g.k.nt=function(a,b){$Ta(this,a,b);50>a-this.C&&HX(this)||aUa(this,a,b);this.callbacks.nt(a,b)}; +g.k.Jq=function(){this.callbacks.Jq()}; +g.k.qv=function(){return this.u>this.kH&&cUa(this,this.u)}; +g.k.now=function(){return(0,g.M)()};KX.prototype.feed=function(a){MF(this.j,a);this.gf()}; +KX.prototype.gf=function(){if(this.C){if(!this.j.totalLength)return;var a=this.j.split(this.B-this.u),b=a.oC;a=a.Wk;this.callbacks.aO(this.C,b,this.u,this.B);this.u+=b.totalLength;this.j=a;this.u===this.B&&(this.C=this.B=this.u=void 0)}for(;;){var c=0;a=g.t(jUa(this.j,c));b=a.next().value;c=a.next().value;c=g.t(jUa(this.j,c));a=c.next().value;c=c.next().value;if(0>b||0>a)break;if(!(c+a<=this.j.totalLength)){if(!(this.callbacks.aO&&c+1<=this.j.totalLength))break;c=this.j.split(c).Wk;this.callbacks.aO(b, +c,0,a)&&(this.C=b,this.u=c.totalLength,this.B=a,this.j=new LF([]));break}a=this.j.split(c).Wk.split(a);c=a.Wk;this.callbacks.yz(b,a.oC);this.j=c}}; +KX.prototype.dispose=function(){this.j=new LF};g.k=LX.prototype;g.k.JL=function(){return 0}; +g.k.RF=function(){return null}; +g.k.OT=function(){return null}; +g.k.Os=function(){return 1<=this.state}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.onStateChange=function(){}; +g.k.qc=function(a){var b=this.state;this.state=a;this.onStateChange(b);this.callback&&this.callback(this,b)}; +g.k.qz=function(a){a&&this.state=this.xhr.HEADERS_RECEIVED}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.B}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&!!this.B}; +g.k.nq=function(){return 0this.status&&!!this.u}; +g.k.nq=function(){return!!this.j.totalLength}; +g.k.jw=function(){var a=this.j;this.j=new LF;return a}; +g.k.pH=function(){return this.j}; +g.k.isDisposed=function(){return this.I}; +g.k.abort=function(){this.hp&&this.hp.cancel().catch(function(){}); +this.B&&this.B.abort();this.I=!0}; +g.k.Jt=function(){return!0}; +g.k.GH=function(){return this.J}; +g.k.zf=function(){return this.errorMessage};g.k=qUa.prototype;g.k.onDone=function(){if(!this.isDisposed){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.j=!0;this.callbacks.Jq()}}; +g.k.wz=function(){2===this.xhr.readyState&&this.callbacks.Mv()}; +g.k.Ie=function(a){this.isDisposed||(this.status=this.xhr.status,this.j||(this.u=a.loaded),this.callbacks.nt((0,g.M)(),a.loaded))}; +g.k.Zu=function(){return 2<=this.xhr.readyState}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.DD(Error("Could not read XHR header "+a)),""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.u}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&this.j&&!!this.u}; +g.k.nq=function(){return this.j&&!!this.response&&!!this.response.byteLength}; +g.k.jw=function(){var a=this.response;this.response=void 0;return new LF([new Uint8Array(a)])}; +g.k.pH=function(){return new LF([new Uint8Array(this.response)])}; +g.k.abort=function(){this.isDisposed=!0;this.xhr.abort()}; +g.k.Jt=function(){return!1}; +g.k.GH=function(){return!1}; +g.k.zf=function(){return""};g.w(MX,g.C);g.k=MX.prototype;g.k.G8=function(){if(!this.isDisposed()&&!this.D){var a=(0,g.M)(),b=!1;HX(this.timing)?(a=this.timing.ea,YTa(this.timing),this.timing.ea-a>=.8*this.policy.Nd?(this.u++,b=this.u>=this.policy.wm):this.u=0):(b=this.timing,b.Hk&&iUa(b,b.now()),a-=b.T,this.policy.zm&&01E3*b);0this.state)return!1;if(this.Zd&&this.Zd.Le.length)return!0;var a;return(null==(a=this.xhr)?0:a.nq())?!0:!1}; +g.k.Rv=function(){this.Sm(!1);return this.Zd?this.Zd.Rv():[]}; +g.k.Sm=function(a){try{if(a||this.xhr.Zu()&&this.xhr.nq()&&!yUa(this)&&!this.Bz){if(!this.Zd){var b;this.xhr.Jt()||this.uj?b=this.info.C:b=this.xhr.Kl();this.Zd=new fW(this.policy,this.info.gb,b)}this.xhr.nq()&&(this.uj?this.uj.feed(this.xhr.jw()):gW(this.Zd,this.xhr.jw(),a&&!this.xhr.nq()))}}catch(c){this.uj?xUa(this,c):g.DD(c)}}; +g.k.yz=function(a,b){switch(a){case 21:a=b.split(1).Wk;gW(this.Zd,a,!1);break;case 22:this.xY=!0;gW(this.Zd,new LF([]),!0);break;case 43:if(a=nL(new hL(b),1))this.info.Bk(this.Me,a),this.yY=!0;break;case 45:this.policy.Rk&&(b=KLa(new hL(b)),a=b.XH,b=b.YH,a&&b&&(this.FK=a/b))}}; +g.k.aO=function(a,b,c){if(21!==a)return!1;if(!c){if(1===b.totalLength)return!0;b=b.split(1).Wk}gW(this.Zd,b,!1);return!0}; +g.k.Kl=function(){return this.xhr.Kl()}; +g.k.JL=function(){return this.Wx}; +g.k.gs=function(){return this.wG()?2:1}; +g.k.wG=function(){if(!this.policy.I.dk||!isNaN(this.info.Tg)&&0this.info.gb[0].Ma?!1:!0}; +g.k.bM=function(){return+this.xhr.getResponseHeader("X-Segment-Lmt")||0}; +g.k.RF=function(){this.xhr&&(this.Po=Number(this.xhr.getResponseHeader("X-Head-Seqnum")));return this.Po}; +g.k.OT=function(){this.xhr&&(this.kq=Number(this.xhr.getResponseHeader("X-Head-Time-Millis")));return this.kq}; +g.k.Ye=function(){return this.Bd.Ye()};g.w(bX,LX);g.k=bX.prototype;g.k.onStateChange=function(){this.isDisposed()&&(jW(this.eg,this.formatId),this.j.dispose())}; +g.k.Vp=function(){var a=HQa(this.eg,this.formatId),b;var c=(null==(b=this.eg.Xc.get(this.formatId))?void 0:b.bytesReceived)||0;var d;b=(null==(d=this.eg.Xc.get(this.formatId))?void 0:d.Qx)||0;return{expected:a,received:c,bytesShifted:b,sliceLength:IQa(this.eg,this.formatId),isEnded:this.eg.Qh(this.formatId)}}; +g.k.JT=function(){return 0}; +g.k.qv=function(){return!0}; +g.k.Vj=function(){return this.eg.Vj(this.formatId)}; +g.k.Rv=function(){return[]}; +g.k.Nk=function(){return this.eg.Nk(this.formatId)}; +g.k.Ye=function(){return this.lastError}; +g.k.As=function(){return 0};g.k=zUa.prototype;g.k.lw=function(a){this.C.lw(a);var b;null!=(b=this.T)&&(b.j=fTa(b,b.ze,b.Az,b.j,a));this.dc=Math.max(this.dc,a.info.j.info.dc||0)}; +g.k.getDuration=function(){return this.j.index.ys()}; +g.k.vk=function(){dX(this);this.C.vk()}; +g.k.VL=function(){return this.C}; +g.k.isRequestPending=function(a){return this.B.length?a===this.B[this.B.length-1].info.gb[0].Ma:!1}; +g.k.Vq=function(a){var b;null==(b=this.T)||b.Vq(a)};g.w($X,g.C); +$X.prototype.Fs=function(a){var b=a.info.gb[0].j,c=a.Ye();if(GF(b.u.j)){var d=g.hg(a.zf(),3);this.Fa.xa("dldbrerr",{em:d||"none"})}d=a.info.gb[0].Ma;var e=LSa(this.j,a.info.gb[0].C,d);"net.badstatus"===c&&(this.I+=1);if(a.canRetry()){if(!(3<=a.info.j.u&&this.u&&a.info.Im()&&"net.badstatus"===a.Ye()&&this.u.Fs(e,d))){d=(b.info.video&&1b.SG||0b.tN)){this.Bd.iE(!1);this.NO=(0,g.M)();var c;null==(c=this.ID)||c.stop()}}}; +g.k.eD=function(a){this.callbacks.eD(a)}; +g.k.dO=function(a){this.yX=!0;this.info.j.Bk(this.Me,a.redirectUrl)}; +g.k.hD=function(a){this.callbacks.hD(a)}; +g.k.ZC=function(a){if(this.policy.C){var b=a.videoId,c=a.formatId,d=iVa({videoId:b,itag:c.itag,jj:c.jj,xtags:c.xtags}),e=a.mimeType||"",f,h,l=new TG((null==(f=a.LU)?void 0:f.first)||0,(null==(h=a.LU)?void 0:h.eV)||0),m,n;f=new TG((null==(m=a.indexRange)?void 0:m.first)||0,(null==(n=a.indexRange)?void 0:n.eV)||0);this.Sa.I.get(d)||(a=this.Sa,d=a.j[c.itag],c=JI({lmt:""+c.jj,itag:""+c.itag,xtags:c.xtags,type:e},null),EI(a,new BH(d.T,c,l,f),b));this.policy.C&&this.callbacks.ZC(b)}}; +g.k.fD=function(a){a.XH&&a.YH&&this.callbacks.fD(a)}; +g.k.canRetry=function(){this.isDisposed();return this.Bd.canRetry(!1)}; +g.k.dispose=function(){if(!this.isDisposed()){g.C.prototype.dispose.call(this);this.Bd.dispose();var a;null==(a=this.ID)||a.dispose();this.qc(-1)}}; +g.k.qc=function(a){this.state=a;qY(this.callbacks,this)}; +g.k.uv=function(){return this.info.uv()}; +g.k.Kv=function(a,b,c,d){d&&(this.clipId=d);this.eg.Kv(a,b,c,d)}; +g.k.Iq=function(a){this.eg.Iq(a);qY(this.callbacks,this)}; +g.k.Vj=function(a){return this.eg.Vj(a)}; +g.k.Om=function(a){return this.eg.Om(a)}; +g.k.Nk=function(a){return this.eg.Nk(a)}; +g.k.Up=function(){return this.eg.Up()}; +g.k.gs=function(){return 1}; +g.k.aG=function(){return this.Dh.requestNumber}; +g.k.hs=function(){return this.clipId}; +g.k.UV=function(){this.WA()}; +g.k.WA=function(){var a;null==(a=this.xhr)||a.abort();IX(this.Dh)}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.YU=function(){return 3===this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.ZU=function(){return 4===this.state}; +g.k.Os=function(){return 1<=this.state}; +g.k.As=function(){return this.Bd.As()}; +g.k.IT=function(){return this.info.data.EK}; +g.k.rU=function(){}; +g.k.Ye=function(){return this.Bd.Ye()}; +g.k.Vp=function(){var a=uUa(this.Bd);Object.assign(a,PVa(this.info));a.req="sabr";a.rn=this.aG();var b;if(null==(b=this.xhr)?0:b.status)a.rc=this.policy.Eq?this.xhr.status:this.xhr.status.toString();var c;(b=null==(c=this.xhr)?void 0:c.zf())&&(a.msg=b);this.NO&&(c=OVa(this,this.NO-this.Dh.j),a.letm=c.u4,a.mrbps=c.SG,a.mram=c.tN);return a};gY.prototype.uv=function(){return 1===this.requestType}; +gY.prototype.ML=function(){var a;return(null==(a=this.callbacks)?void 0:a.ML())||0};g.w(hY,g.C);hY.prototype.encrypt=function(a){(0,g.M)();if(this.u)var b=this.u;else this.B?(b=new QJ(this.B,this.j.j),g.E(this,b),this.u=b):this.u=new PJ(this.j.j),b=this.u;return b.encrypt(a,this.iv)}; +hY.prototype.decrypt=function(a,b){(0,g.M)();return(new PJ(this.j.j)).decrypt(a,b)};bWa.prototype.decrypt=function(a){var b=this,c,d,e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(b.j.length&&!b.j[0].isEncrypted)return m.return();b.u=!0;b.Mk.Vc("omd_s");c=new Uint8Array(16);HJ()?d=new OJ(a):e=new PJ(a);case 2:if(!b.j.length||!b.j[0].isEncrypted){m.Ka(3);break}f=b.j.shift();if(!d){h=e.decrypt(QF(f.buffer),c);m.Ka(4);break}return g.y(m,d.decrypt(QF(f.buffer),c),5);case 5:h=m.u;case 4:l=h;for(var n=0;nc&&d.u.pop();EUa(b);b.u&&cf||f!==h)&&b.xa("sbu_mismatch",{b:jI(e),c:b.currentTime,s:dH(d)})},0))}this.gf()}; +g.k.v5=function(a){if(this.Wa){var b=RX(a===this.Wa.j?this.audioTrack:this.videoTrack);if(a=a.ZL())for(var c=0;c=c||cthis.B&&(this.B=c,g.hd(this.j)||(this.j={},this.C.stop(),this.u.stop())),this.j[b]=a,g.Jp(this.u))}}; +AY.prototype.D=function(){for(var a=g.t(Object.keys(this.j)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.ma;for(var d=this.B,e=this.j[c].match(Si),f=[],h=g.t(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+g.Ke(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}}c=!1}c?(c=a.j,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30))):c=0;this.ma("log_qoe",{wvagt:"delay."+c,cpi:a.cryptoPeriodIndex,reqlen:this.j.length}); +0>=c?nXa(this,a):(this.j.push({time:b+c,info:a}),g.Jp(this.u,c))}}; +BY.prototype.qa=function(){this.j=[];zY.prototype.qa.call(this)};var q4={},uXa=(q4.DRM_TRACK_TYPE_AUDIO="AUDIO",q4.DRM_TRACK_TYPE_SD="SD",q4.DRM_TRACK_TYPE_HD="HD",q4.DRM_TRACK_TYPE_UHD1="UHD1",q4);g.w(rXa,g.C);rXa.prototype.RD=function(a,b){this.onSuccess=a;this.onError=b};g.w(wXa,g.dE);g.k=wXa.prototype;g.k.ep=function(a){var b=this;this.isDisposed()||0>=a.size||(a.forEach(function(c,d){var e=aJ(b.u)?d:c;d=new Uint8Array(aJ(b.u)?c:d);aJ(b.u)&&MXa(d);c=g.gg(d,4);MXa(d);d=g.gg(d,4);b.j[c]?b.j[c].status=e:b.j[d]?b.j[d].status=e:b.j[c]={type:"",status:e}}),HXa(this,","),CY(this,{onkeystatuschange:1}),this.status="kc",this.ma("keystatuseschange",this))}; +g.k.error=function(a,b,c,d){this.isDisposed()||(this.ma("licenseerror",a,b,c,d),"drm.provision"===a&&(a=(Date.now()-this.I)/1E3,this.I=NaN,this.ma("ctmp","provf",{et:a.toFixed(3)})));QK(b)&&this.dispose()}; +g.k.shouldRetry=function(a,b){return this.Ga&&this.J?!1:!a&&this.requestNumber===b.requestNumber}; +g.k.qa=function(){this.j={};g.dE.prototype.qa.call(this)}; +g.k.lc=function(){var a={ctype:this.ea.contentType||"",length:this.ea.initData.length,requestedKeyIds:this.Aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.B&&(a.keyStatuses=this.j);return a}; +g.k.rh=function(){var a=this.C.join();if(DY(this)){var b=new Set,c;for(c in this.j)"usable"!==this.j[c].status&&b.add(this.j[c].type);a+="/UKS."+Array.from(b)}return a+="/"+this.cryptoPeriodIndex}; +g.k.Ze=function(){return this.url};g.w(EY,g.C);g.k=EY.prototype;g.k.RD=function(a,b,c,d){this.D=a;this.B=b;this.I=c;this.J=d}; +g.k.K0=function(a){if(this.D){var b=a.messageType||"license-request";this.D(new Uint8Array(a.message),b)}}; +g.k.ep=function(){this.J&&this.J(this.j.keyStatuses)}; +g.k.vW=function(a){this.D&&this.D(a.message,"license-request")}; +g.k.uW=function(a){if(this.B){if(this.u){var b=this.u.error.code;a=this.u.error.systemCode}else b=a.errorCode,a=a.systemCode;this.B("t.prefixedKeyError;c."+b+";sc."+a,b,a)}}; +g.k.tW=function(){this.I&&this.I()}; +g.k.update=function(a){var b=this;if(this.j)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emeupd",this.j.update).call(this.j,a):this.j.update(a)).then(null,XI(function(c){OXa(b,"t.update",c)})); +this.u?this.u.update(a):this.element.addKey?this.element.addKey(this.T.keySystem,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.T.keySystem,a,this.initData,this.sessionId);return Oy()}; +g.k.qa=function(){this.j&&this.j.close();this.element=null;g.C.prototype.qa.call(this)};g.w(FY,g.C);g.k=FY.prototype;g.k.attach=function(){var a=this;if(this.j.keySystemAccess)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emenew",this.j.keySystemAccess.createMediaKeys).call(this.j.keySystemAccess):this.j.keySystemAccess.createMediaKeys()).then(function(b){a.isDisposed()||(a.u=b,qJ.isActive()&&qJ.ww()?qJ.Dw("emeset",a.element.setMediaKeys).call(a.element,b):a.element.setMediaKeys(b))}); +$I(this.j)?this.B=new (ZI())(this.j.keySystem):bJ(this.j)?(this.B=new (ZI())(this.j.keySystem),this.element.webkitSetMediaKeys(this.B)):(Kz(this.D,this.element,["keymessage","webkitkeymessage"],this.N0),Kz(this.D,this.element,["keyerror","webkitkeyerror"],this.M0),Kz(this.D,this.element,["keyadded","webkitkeyadded"],this.L0));return null}; +g.k.setServerCertificate=function(){return this.u.setServerCertificate?"widevine"===this.j.flavor&&this.j.rl?this.u.setServerCertificate(this.j.rl):dJ(this.j)&&this.j.Ya?this.u.setServerCertificate(this.j.Ya):null:null}; +g.k.createSession=function(a,b){var c=a.initData;if(this.j.keySystemAccess){b&&b("createsession");var d=this.u.createSession();cJ(this.j)?c=PXa(c,this.j.Ya):dJ(this.j)&&(c=mXa(c)||new Uint8Array(0));b&&b("genreq");a=qJ.isActive()&&qJ.ww()?qJ.Dw("emegen",d.generateRequest).call(d,a.contentType,c):d.generateRequest(a.contentType,c);var e=new EY(null,null,null,d,null);a.then(function(){b&&b("genreqsuccess")},XI(function(f){OXa(e,"t.generateRequest",f)})); +return e}if($I(this.j))return RXa(this,c);if(bJ(this.j))return QXa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.j.keySystem,c):this.element.webkitGenerateKeyRequest(this.j.keySystem,c);return this.C=new EY(this.element,this.j,c,null,null)}; +g.k.N0=function(a){var b=SXa(this,a);b&&b.vW(a)}; +g.k.M0=function(a){var b=SXa(this,a);b&&b.uW(a)}; +g.k.L0=function(a){var b=SXa(this,a);b&&b.tW(a)}; +g.k.getMetrics=function(){if(this.u&&this.u.getMetrics)try{var a=this.u.getMetrics()}catch(b){}return a}; +g.k.qa=function(){this.B=this.u=null;var a;null==(a=this.C)||a.dispose();a=g.t(Object.values(this.I));for(var b=a.next();!b.done;b=a.next())b.value.dispose();this.I={};g.C.prototype.qa.call(this);delete this.element};g.k=GY.prototype;g.k.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; +g.k.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; +g.k.Ef=function(){this.keys=[];this.values=[]}; +g.k.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; +g.k.findIndex=function(a){return g.ob(this.keys,function(b){return g.Mb(a,b)})};g.w(VXa,g.dE);g.k=VXa.prototype;g.k.Y5=function(a){this.Ri({onecpt:1});a.initData&&YXa(this,new Uint8Array(a.initData),a.initDataType)}; +g.k.v6=function(a){this.Ri({onndky:1});YXa(this,a.initData,a.contentType)}; +g.k.vz=function(a){this.Ri({onneedkeyinfo:1});this.Y.K("html5_eme_loader_sync")&&(this.J.get(a.initData)||this.J.set(a.initData,a));XXa(this,a)}; +g.k.wS=function(a){this.B.push(a);HY(this)}; +g.k.createSession=function(a){var b=$Xa(this)?yTa(a):g.gg(a.initData);this.u.get(b);this.ya=!0;a=new wXa(this.videoData,this.Y,a,this.drmSessionId);this.u.set(b,a);a.subscribe("ctmp",this.XV,this);a.subscribe("keystatuseschange",this.ep,this);a.subscribe("licenseerror",this.bH,this);a.subscribe("newlicense",this.pW,this);a.subscribe("newsession",this.qW,this);a.subscribe("sessionready",this.EW,this);a.subscribe("fairplay_next_need_key_info",this.hW,this);this.Y.K("html5_enable_vp9_fairplay")&&a.subscribe("qualitychange", +this.bQ,this);zXa(a,this.C)}; +g.k.pW=function(a){this.isDisposed()||(this.Ri({onnelcswhb:1}),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.ma("heartbeatparams",a)))}; +g.k.qW=function(){this.isDisposed()||(this.Ri({newlcssn:1}),this.B.shift(),this.ya=!1,HY(this))}; +g.k.EW=function(){if($I(this.j)&&(this.Ri({onsnrdy:1}),this.Ja--,0===this.Ja)){var a=this.Z;a.element.msSetMediaKeys(a.B)}}; +g.k.ep=function(a){if(!this.isDisposed()){!this.Ga&&this.videoData.K("html5_log_drm_metrics_on_key_statuses")&&(aYa(this),this.Ga=!0);this.Ri({onksch:1});var b=this.bQ;if(!DY(a)&&g.oB&&"com.microsoft.playready"===a.u.keySystem&&navigator.requestMediaKeySystemAccess)var c="large";else{c=[];var d=!0;if(DY(a))for(var e=g.t(Object.keys(a.j)),f=e.next();!f.done;f=e.next())f=f.value,"usable"===a.j[f].status&&c.push(a.j[f].type),"unknown"!==a.j[f].status&&(d=!1);if(!DY(a)||d)c=a.C;c=GXa(c)}b.call(this,c); +this.ma("keystatuseschange",a)}}; +g.k.XV=function(a,b){this.isDisposed()||this.ma("ctmp",a,b)}; +g.k.hW=function(a,b){this.isDisposed()||this.ma("fairplay_next_need_key_info",a,b)}; +g.k.bH=function(a,b,c,d){this.isDisposed()||(this.videoData.K("html5_log_drm_metrics_on_error")&&aYa(this),this.ma("licenseerror",a,b,c,d))}; +g.k.Su=function(){return this.T}; +g.k.bQ=function(a){var b=g.kF("auto",a,!1,"l");if(this.videoData.hm){if(this.T.equals(b))return}else if(Jta(this.T,a))return;this.T=b;this.ma("qualitychange");this.Ri({updtlq:a})}; +g.k.qa=function(){this.j.keySystemAccess&&this.element&&this.element.setMediaKeys(null);this.element=null;this.B=[];for(var a=g.t(this.u.values()),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.XV,this),b.unsubscribe("keystatuseschange",this.ep,this),b.unsubscribe("licenseerror",this.bH,this),b.unsubscribe("newlicense",this.pW,this),b.unsubscribe("newsession",this.qW,this),b.unsubscribe("sessionready",this.EW,this),b.unsubscribe("fairplay_next_need_key_info",this.hW,this),this.Y.K("html5_enable_vp9_fairplay")&& +b.unsubscribe("qualitychange",this.bQ,this),b.dispose();this.u.clear();this.I.Ef();this.J.Ef();this.heartbeatParams=null;g.dE.prototype.qa.call(this)}; +g.k.lc=function(){for(var a={systemInfo:this.j.lc(),sessions:[]},b=g.t(this.u.values()),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.lc());return a}; +g.k.rh=function(){return 0>=this.u.size?"no session":""+this.u.values().next().value.rh()+(this.D?"/KR":"")}; +g.k.Ri=function(a,b){b=void 0===b?!1:b;this.isDisposed()||(OK(a),(this.Y.Rd()||b)&&this.ma("ctmp","drmlog",a))};g.w(JY,g.C);JY.prototype.yG=function(){return this.B}; +JY.prototype.handleError=function(a){var b=this;fYa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!eYa(this,a.errorCode,a.details))&&!jYa(this,a)){if(this.J&&"yt"!==this.j.Ja&&hYa(this,a)&&this.videoData.jo&&(0,g.M)()/1E3>this.videoData.jo&&"hm"===this.j.Ja){var c=Object.assign({e:a.errorCode},a.details);c.stalesigexp="1";c.expire=this.videoData.jo;c.init=this.videoData.uY/1E3;c.now=(0,g.M)()/1E3;c.systelapsed=((0,g.M)()-this.videoData.uY)/ +1E3;a=new PK(a.errorCode,c,2);this.va.Ng(a.errorCode,2,"SIGNATURE_EXPIRED",OK(a.details))}if(QK(a.severity)){var d;c=null==(d=this.va.Fa)?void 0:d.ue.B;if(this.j.K("html5_use_network_error_code_enums"))if(gYa(a)&&c&&c.isLocked())var e="FORMAT_UNAVAILABLE";else{if(!this.j.J&&"auth"===a.errorCode&&429===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}}else gYa(a)&&c&&c.isLocked()?e="FORMAT_UNAVAILABLE":this.j.J||"auth"!==a.errorCode||"429"!==a.details.rc||(e="TOO_MANY_REQUESTS",f="6");this.va.Ng(a.errorCode, +a.severity,e,OK(a.details),f)}else this.va.ma("nonfatalerror",a),d=/^pp/.test(this.videoData.clientPlaybackNonce),this.Kd(a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(a="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+"&t="+(0,g.M)(),$V(a,"manifest",function(h){b.I=!0;b.xa("pathprobe",h)},function(h){b.Kd(h.errorCode,h.details)}))}}; +JY.prototype.xa=function(a,b){this.va.zc.xa(a,b)}; +JY.prototype.Kd=function(a,b){b=OK(b);this.va.zc.Kd(a,b)};mYa.prototype.K=function(a){return this.Y.K(a)};g.w(LY,g.C);LY.prototype.yd=function(a){EYa(this);this.playerState=a.state;0<=this.u&&g.YN(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; +LY.prototype.onError=function(a){if("player.fatalexception"!==a||this.provider.K("html5_exception_to_health"))a.match(edb)?this.networkErrorCount++:this.nonNetworkErrorCount++}; +LY.prototype.send=function(){if(!(this.B||0>this.j)){EYa(this);var a=g.uW(this.provider)-this.j,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.S(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.S(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.S(this.playerState,16)||g.S(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.S(this.playerState,1)&& +g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.S(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.S(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");c=$_a[CM(this.provider.videoData)];a:switch(this.provider.Y.playerCanaryState){case "canary":var d="HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";break a;case "holdback":d="HTML5_PLAYER_CANARY_TYPE_CONTROL";break a;default:d="HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}var e= +0>this.u?a:this.u-this.j;a=this.provider.Y.Jf+36E5<(0,g.M)();b={started:0<=this.u,stateAtSend:b,joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.AM(this.provider.videoData),isGapless:this.provider.videoData.fb,isServerStitchedDai:this.provider.videoData.enableServerStitchedDai}; +a||g.rA("html5PlayerHealthEvent",b);this.B=!0;this.dispose()}}; +LY.prototype.qa=function(){this.B||this.send();g.C.prototype.qa.call(this)}; +var edb=/\bnet\b/;var HYa=window;var FYa=/[?&]cpn=/;g.w(g.NY,g.C);g.k=g.NY.prototype;g.k.K3=function(){var a=g.uW(this.provider);LYa(this,a)}; +g.k.VB=function(){return this.ya}; +g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.isDisposed()&&(a=0<=a?a:g.uW(this.provider),-1<["PL","B","S"].indexOf(this.Te)&&(!g.hd(this.j)||a>=this.C+30)&&(g.MY(this,a,"vps",[this.Te]),this.C=a),!g.hd(this.j))){7E3===this.sequenceNumber&&g.DD(Error("Sent over 7000 pings"));if(!(7E3<=this.sequenceNumber)){OYa(this,a);var b=a,c=this.provider.va.hC(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Pb,h=e&&!this.jc;d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.va.YC(),this.j.qoealert=["1"],this.Ya=!0)),"B"!==a||"PL"!==this.Te&&"PB"!==this.Te||(this.Z=!0),this.C=c),"PL"===this.Te&&("B"===a||"S"===a)||this.provider.Y.Rd()?OYa(this,c):(this.fb||"PL"!==a||(this.fb= +!0,NYa(this,c,this.provider.va.eC())),LYa(this,c)),"PL"===a&&g.Jp(this.Oc),g.MY(this,c,"vps",[a]),this.Te=a,this.C=this.ib=c,this.D=!0);a=b.getData();g.S(b,128)&&a&&(a.EH=a.EH||"",SYa(this,c,a.errorCode,a.AF,a.EH));(g.S(b,2)||g.S(b,128))&&this.reportStats(c);b.bd()&&!this.I&&(0<=this.u&&(this.j.user_intent=[this.u.toString()]),this.I=!0);QYa(this)}; +g.k.iD=function(a){var b=g.uW(this.provider);g.MY(this,b,"vfs",[a.j.id,a.u,this.uc,a.reason]);this.uc=a.j.id;var c=this.provider.va.getPlayerSize();if(0b-this.Wo+2||aZa(this,a,b))){c=this.provider.va.getVolume();var d=c!==this.ea,e=this.provider.va.isMuted()?1:0;e!==this.T?(this.T=e,c=!0):(!d||0<=this.C||(this.ea=c,this.C=b),c=b-this.C,0<=this.C&&2=this.provider.videoData.Pb;a&&(this.u&&this.provider.videoData.Pb&&(a=UY(this,"delayplay"),a.vf=!0,a.send(),this.oa=!0),jZa(this))}; +g.k.yd=function(a){if(!this.isDisposed())if(g.S(a.state,2)||g.S(a.state,512))this.I="paused",(g.YN(a,2)||g.YN(a,512))&&this.u&&(XY(this),YY(this).send(),this.D=NaN);else if(g.S(a.state,8)){this.I="playing";var b=this.u&&isNaN(this.C)?VY(this):NaN;!isNaN(b)&&(0>XN(a,64)||0>XN(a,512))&&(a=oZa(this,!1),a.D=b,a.send())}else this.I="paused"}; +g.k.qa=function(){g.C.prototype.qa.call(this);XY(this);ZYa(this.j)}; +g.k.lc=function(){return dZa(UY(this,"playback"))}; +g.k.kA=function(){this.provider.videoData.ea.eventLabel=PM(this.provider.videoData);this.provider.videoData.ea.playerStyle=this.provider.Y.playerStyle;this.provider.videoData.Ui&&(this.provider.videoData.ea.feature="pyv");this.provider.videoData.ea.vid=this.provider.videoData.videoId;var a=this.provider.videoData.ea;var b=this.provider.videoData;b=b.isAd()||!!b.Ui;a.isAd=b}; +g.k.Gj=function(a){var b=UY(this,"engage");b.T=a;return eZa(b,tZa(this.provider))};rZa.prototype.Bf=function(){return this.endTime===this.startTime};sZa.prototype.K=function(a){return this.Y.K(a)}; +var uZa={other:1,none:2,wifi:3,cellular:7};g.w(g.ZY,g.C);g.k=g.ZY.prototype;g.k.yd=function(a){if(g.YN(a,1024)||g.YN(a,512)||g.YN(a,4)){var b=this.B;0<=b.u||(b.j=-1,b.delay.stop());this.qoe&&(b=this.qoe,b.I||(b.u=-1))}if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var c;null==(c=this.u.get(this.Ci))||c.yd(a)}else this.j&&this.j.yd(a);this.qoe&&this.qoe.yd(a);this.B.yd(a)}; +g.k.Ie=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.Ie()}else this.j&&this.j.Ie()}; +g.k.Kd=function(a,b){this.qoe&&TYa(this.qoe,a,b);this.B.onError(a)}; +g.k.iD=function(a){this.qoe&&this.qoe.iD(a)}; +g.k.VC=function(a){this.qoe&&this.qoe.VC(a)}; +g.k.onPlaybackRateChange=function(a){if(this.qoe)this.qoe.onPlaybackRateChange(a)}; +g.k.jt=aa(42);g.k.xa=function(a,b,c){this.qoe&&this.qoe.xa(a,b,c)}; +g.k.CD=function(a,b,c){this.qoe&&this.qoe.CD(a,b,c)}; +g.k.Hz=function(a,b,c){this.qoe&&this.qoe.Hz(a,b,c)}; +g.k.vn=aa(15);g.k.VB=function(){if(this.qoe)return this.qoe.VB()}; +g.k.lc=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.lc()}else if(this.j)return this.j.lc();return{}}; +g.k.Gj=function(a){return this.j?this.j.Gj(a):function(){}}; +g.k.kA=function(){this.j&&this.j.kA()};g.w($Y,g.C);g.k=$Y.prototype;g.k.ye=function(a,b){this.On();b&&2E3<=this.j.array.length&&this.CB("captions",1E4);b=this.j;if(1b.array.length)b.array=b.array.concat(a),b.array.sort(b.j);else{a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,!b.array.length||0a&&this.C.start()))}; +g.k.tL=function(a){var b=[];if(!a.length)return b;for(var c=0;ca&&(a=(a-this.u)/this.oa(),this.C.start(a)))}}; +g.k.RU=function(){if(this.started&&!this.isDisposed()){this.C.stop();var a=this.D();g.S(a,32)&&this.Z.start();for(var b=g.S(this.D(),2)?0x8000000000000:1E3*this.T(),c=g.S(a,2),d=[],e=[],f=g.t(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(this.wL(e));f=e=null;c?(a=FZa(this.j,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=GZa(this.j)):a=this.u<=b&&SO(a)?EZa(this.j,this.u,b):FZa(this.j,b); +d=d.concat(this.tL(a));e&&(d=d.concat(this.wL(e)));f&&(d=d.concat(this.tL(f)));this.u=b;JZa(this,d)}}; +g.k.qa=function(){this.B=[];this.j.array=[];g.C.prototype.qa.call(this)}; +g.oW.ev($Y,{ye:"crmacr",tL:"crmncr",wL:"crmxcr",RU:"crmis",Ch:"crmrcr"});g.w(cZ,g.dE);cZ.prototype.uq=function(){return this.J}; +cZ.prototype.Wp=function(){return Math.max(this.T()-QZa(this,!0),this.videoData.Id())};g.w(hZ,g.C);hZ.prototype.yd=function(){g.Jp(this.B)}; +hZ.prototype.gf=function(){var a=this,b=this.va.qe(),c=this.va.getPlayerState();if(b&&!c.isError()){var d=b.getCurrentTime(),e=8===c.state&&d>this.j,f=g.S(c,8)&&g.S(c,16),h=this.va.Es().isBackground()||c.isSuspended();iZ(this,this.Ja,f&&!h,e,"qoe.slowseek",function(){},"timeout"); +var l=isFinite(this.j);l=f&&l&&BCa(b,this.j);var m=!d||10d+5,z=q&&n&&x;x=this.va.getVideoData();var B=.002>d&&.002>this.j,F=0<=v,G=1===b.xj();iZ(this,this.ya,B&&f&&g.QM(x)&&!h,e,"qoe.slowseek",m,"slow_seek_shorts");iZ(this,this.Aa,B&&f&&g.QM(x)&&!h&&G,e,"qoe.slowseek",m,"slow_seek_shorts_vrs");iZ(this,this.oa,B&&f&&g.QM(x)&&!h&&F,e,"qoe.slowseek",m,"slow_seek_shorts_buffer_range");iZ(this,this.I,z&&!h,q&&!n,"qoe.longrebuffer",p,"jiggle_cmt"); +iZ(this,this.J,z&&!h,q&&!n,"qoe.longrebuffer",m,"new_elem_nnr");if(l){var D=l.getCurrentTime();f=b.Vu();f=Bva(f,D);f=!l.hh()&&d===f;iZ(this,this.fb,q&&n&&f&&!h,q&&!n&&!f,"qoe.longrebuffer",function(){b.seekTo(D)},"seek_to_loader")}f={}; +p=kI(r,Math.max(d-3.5,0));z=0<=p&&d>r.end(p)-1.1;B=0<=p&&p+1B;f.close2edge=z;f.gapsize=B;f.buflen=r.length;iZ(this,this.T,q&&n&&!h,q&&!n,"qoe.longrebuffer",function(){},"timeout",f); +r=c.isSuspended();r=g.rb(this.va.zn,"ad")&&!r;iZ(this,this.D,r,!r,"qoe.start15s",function(){a.va.jg("ad")},"ads_preroll_timeout"); +r=.5>d-this.C;v=x.isAd()&&q&&!n&&r;q=function(){var L=a.va,P=L.Nf.Rc();(!P||!L.videoData.isAd()||P.getVideoData().Nc!==L.getVideoData().Nc)&&L.videoData.mf||L.Ng("ad.rebuftimeout",2,"RETRYABLE_ERROR","skipslad.vid."+L.videoData.videoId)}; +iZ(this,this.Qa,v,!v,"ad.rebuftimeout",q,"skip_slow_ad");n=x.isAd()&&n&&lI(b.Nh(),d+5)&&r;iZ(this,this.Xa,n,!n,"ad.rebuftimeout",q,"skip_slow_ad_buf");iZ(this,this.Ya,g.RO(c)&&g.S(c,64)&&!h,e,"qoe.start15s",function(){},"timeout"); +iZ(this,this.ea,!!l&&!l.Wa&&g.RO(c),e,"qoe.start15s",m,"newElemMse");this.C=d;this.B.start()}}; +hZ.prototype.Kd=function(a,b,c){b=this.lc(b);b.wn=c;b.wdup=this.u[a]?"1":"0";this.va.Kd(new PK(a,b));this.u[a]=!0}; +hZ.prototype.lc=function(a){a=Object.assign(this.va.lc(!0),a.lc());this.j&&(a.stt=this.j.toFixed(3));delete a.uga;delete a.euri;delete a.referrer;delete a.fexp;delete a.vm;return a}; +fZ.prototype.reset=function(){this.j=this.u=this.B=this.startTimestamp=0;this.C=!1}; +fZ.prototype.lc=function(){var a={},b=(0,g.M)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.u&&(a.wtd=(b-this.u).toFixed());this.j&&(a.wssd=(b-this.j).toFixed());return a};g.w(XZa,g.C);g.k=XZa.prototype;g.k.setMediaElement=function(a){g.Lz(this.Qa);(this.mediaElement=a)?(i_a(this),jZ(this)):kZ(this)}; +g.k.yd=function(a){this.Z.yd(a);this.K("html5_exponential_memory_for_sticky")&&(a.state.bd()?g.Jp(this.oa):this.oa.stop());if(this.mediaElement)if(8===a.Hv.state&&SO(a.state)&&g.TO(a.state)){a=this.mediaElement.getCurrentTime();var b=this.mediaElement.Nh();var c=this.K("manifestless_post_live_ufph")||this.K("manifestless_post_live")?kI(b,Math.max(a-3.5,0)):kI(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.fb-c)||(this.va.xa("seekover",{b:jI(b, +"_"),cmt:a}),this.fb=c,this.seekTo(c,{bv:!0,Je:"seektimeline_postLiveDisc"})))}else(null==(b=a.state)?0:8===b.state)&&this.Y.K("embeds_enable_muted_autoplay")&&!this.Ya&&0=this.pe())||!g.GM(this.videoData))||this.va.xa("seeknotallowed",{st:v,mst:this.pe()});if(!m)return this.B&&(this.B=null,e_a(this)),Qf(this.getCurrentTime());if(.005>Math.abs(a-this.u)&&this.T)return this.D;h&&(v=a,(this.Y.Rd()||this.K("html5_log_seek_reasons"))&& +this.va.xa("seekreason",{reason:h,tgt:v}));this.T&&kZ(this);this.D||(this.D=new aK);a&&!isFinite(a)&&$Za(this,!1);if(h=!c)h=a,h=this.videoData.isLivePlayback&&this.videoData.C&&!this.videoData.C.j&&!(this.mediaElement&&0e.videoData.endSeconds&&isFinite(f)&&J_a(e);fb.start&&J_a(this.va);return this.D}; +g.k.pe=function(a){if(!this.videoData.isLivePlayback)return j0a(this.va);var b;if(aN(this.videoData)&&(null==(b=this.mediaElement)?0:b.Ip())&&this.videoData.j)return a=this.getCurrentTime(),Yza(1E3*this.Pf(a))+a;if(jM(this.videoData)&&this.videoData.rd&&this.videoData.j)return this.videoData.j.pe()+this.timestampOffset;if(this.videoData.C&&this.videoData.C.j){if(!a&&this.j)return this.j.Wp();a=j0a(this.va);this.policy.j&&this.mediaElement&&(a=Math.max(a,DCa(this.mediaElement)));return a+this.timestampOffset}return this.mediaElement? +Zy()?Yza(this.mediaElement.RE().getTime()):GO(this.mediaElement)+this.timestampOffset||this.timestampOffset:this.timestampOffset}; +g.k.Id=function(){var a=this.videoData?this.videoData.Id()+this.timestampOffset:this.timestampOffset;if(aN(this.videoData)&&this.videoData.j){var b,c=Number(null==(b=this.videoData.progressBarStartPosition)?void 0:b.utcTimeMillis)/1E3;b=this.getCurrentTime();b=this.Pf(b)-b;if(!isNaN(c)&&!isNaN(b))return Math.max(a,c-b)}return a}; +g.k.CL=function(){this.D||this.seekTo(this.C,{Je:"seektimeline_forceResumeTime_singleMediaSourceTransition"})}; +g.k.vG=function(){return this.T&&!isFinite(this.u)}; +g.k.qa=function(){a_a(this,null);this.Z.dispose();g.C.prototype.qa.call(this)}; +g.k.lc=function(){var a={};this.Fa&&Object.assign(a,this.Fa.lc());this.mediaElement&&Object.assign(a,this.mediaElement.lc());return a}; +g.k.gO=function(a){this.timestampOffset=a}; +g.k.getStreamTimeOffset=function(){return jM(this.videoData)?0:this.videoData.j?this.videoData.j.getStreamTimeOffset():0}; +g.k.Jd=function(){return this.timestampOffset}; +g.k.Pf=function(a){return this.videoData.j.Pf(a-this.timestampOffset)}; +g.k.Tu=function(){if(!this.mediaElement)return 0;if(HM(this.videoData)){var a=DCa(this.mediaElement)+this.timestampOffset-this.Id(),b=this.pe()-this.Id();return Math.max(0,Math.min(1,a/b))}return this.mediaElement.Tu()}; +g.k.bD=function(a){this.I&&(this.I.j=a.audio.index)}; +g.k.K=function(a){return this.Y&&this.Y.K(a)};lZ.prototype.Os=function(){return this.started}; +lZ.prototype.start=function(){this.started=!0}; +lZ.prototype.reset=function(){this.finished=this.started=!1};var o_a=!1;g.w(g.pZ,g.dE);g.k=g.pZ.prototype;g.k.qa=function(){this.oX();this.BH.stop();window.clearInterval(this.rH);kRa(this.Bg);this.visibility.unsubscribe("visibilitystatechange",this.Bg);xZa(this.zc);g.Za(this.zc);uZ(this);g.Ap.Em(this.Wv);this.rj();this.Df=null;g.Za(this.videoData);g.Za(this.Gl);g.$a(this.a5);this.Pp=null;g.dE.prototype.qa.call(this)}; +g.k.Hz=function(a,b,c,d){this.zc.Hz(a,b,c);this.K("html5_log_media_perf_info")&&this.xa("adloudness",{ld:d.toFixed(3),cpn:a})}; +g.k.KL=function(){var a;return null==(a=this.Fa)?void 0:a.KL()}; +g.k.NL=function(){var a;return null==(a=this.Fa)?void 0:a.NL()}; +g.k.OL=function(){var a;return null==(a=this.Fa)?void 0:a.OL()}; +g.k.LL=function(){var a;return null==(a=this.Fa)?void 0:a.LL()}; +g.k.Pl=function(){return this.videoData.Pl()}; +g.k.getVideoData=function(){return this.videoData}; +g.k.V=function(){return this.Y}; +g.k.Es=function(){return this.visibility}; +g.k.qe=function(){return this.mediaElement}; +g.k.PK=function(){if(this.videoData.isLoaded()){var a=this.Gl;0=a.start);return a}; +g.k.uq=function(){return this.xd.uq()}; +g.k.bd=function(){return this.playerState.bd()}; +g.k.BC=function(){return this.playerState.BC()&&this.videoData.Tn}; +g.k.getPlayerState=function(){return this.playerState}; +g.k.getPlayerType=function(){return this.playerType}; +g.k.getPreferredQuality=function(){if(this.Df){var a=this.Df;a=a.videoData.Nx.compose(a.videoData.cS);a=nF(a)}else a="auto";return a}; +g.k.YB=aa(10);g.k.isGapless=function(){return!!this.mediaElement&&this.mediaElement.isView()}; +g.k.setMediaElement=function(a){if(this.mediaElement&&a.ub()===this.mediaElement.ub()&&(a.isView()||this.mediaElement.isView())){if(a.isView()||!this.mediaElement.isView())g.Lz(this.oA),this.mediaElement=a,this.mediaElement.va=this,W_a(this),this.xd.setMediaElement(this.mediaElement)}else{this.mediaElement&&this.rj();if(!this.playerState.isError()){var b=NO(this.playerState,512);g.S(b,8)&&!g.S(b,2)&&(b=MO(b,1));a.isView()&&(b=NO(b,64));this.pc(b)}this.mediaElement=a;this.mediaElement.va=this;JK(this.Y)&& +this.mediaElement.setLoop(this.loop);this.mediaElement.setPlaybackRate(this.playbackRate);W_a(this);this.xd.setMediaElement(this.mediaElement);this.K("html5_prewarm_media_source")&&!this.Gl.HC&&xCa(this.mediaElement)}}; +g.k.rj=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;if(this.mediaElement){var c=this.getCurrentTime();0this.mediaElement.getCurrentTime()&&this.Fa)return;break;case "resize":i0a(this);this.videoData.u&&"auto"===this.videoData.u.video.quality&&this.ma("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.DS&&g.S(this.playerState,8)&&!g.S(this.playerState,1024)&&0===this.getCurrentTime()&&g.BA){vZ(this,"safari_autoplay_disabled");return}}if(this.mediaElement&&this.mediaElement.Qf()===b){this.ma("videoelementevent",a);b=this.playerState;c=this.videoData.clientPlaybackNonce; +if(!g.S(b,128)){d=this.gB;var e=this.mediaElement,f=this.Y.experiments,h=b.state;e=e?e:a.target;var l=e.getCurrentTime();if(!g.S(b,64)||"ended"!==a.type&&"pause"!==a.type){var m=e.Qh()||1Math.abs(l-e.getDuration()),n="pause"===a.type&&e.Qh();l="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.S(b,4)&&!aZ(d,l);if(n||m&&l)0a-this.AG||(this.AG=a,b!==this.wh()&&(a=this.visibility,a.j!==b&&(a.j=b,a.Bg()),this.xa("airplay",{rbld:b}),KY(this)),this.ma("airplayactivechange"))}; +g.k.kC=function(a){if(this.Fa){var b=this.Fa,c=b.B,d=b.currentTime,e=Date.now()-c.ea;c.ea=NaN;c.xa("sdai",{adfetchdone:a,d:e});a&&!isNaN(c.D)&&3!==c.u&&VWa(c.Fa,d,c.D,c.B);c.J=NaN;iX(c,4,3===c.u?"adfps":"adf");xY(b)}}; +g.k.yc=function(a){var b=this;a=void 0===a?!1:a;if(this.mediaElement&&this.videoData){b_a(this.xd,this.bd());var c=this.getCurrentTime();this.Fa&&(g.S(this.playerState,4)&&g.GM(this.videoData)||iXa(this.Fa,c));5Math.abs(m-h)?(b.xa("setended",{ct:h,bh:l,dur:m,live:n}),b.mediaElement.xs()?b.seekTo(0,{Je:"videoplayer_loop"}):vW(b)):(g.TO(b.playerState)||f0a(b,"progress_fix"),b.pc(MO(b.playerState,1)))):(m&&!n&&!p&&0n-1&&b.xa("misspg",{t:h.toFixed(2),d:n.toFixed(2), +r:m.toFixed(2),bh:l.toFixed(2)})),g.QO(b.playerState)&&g.TO(b.playerState)&&5XN(b,8)||g.YN(b,1024))&&this.Bv.stop();!g.YN(b,8)||this.videoData.kb||g.S(b.state,1024)||this.Bv.start();g.S(b.state,8)&&0>XN(b,16)&&!g.S(b.state,32)&&!g.S(b.state,2)&&this.playVideo();g.S(b.state,2)&&HM(this.videoData)&&(this.Sk(this.getCurrentTime()),this.yc(!0));g.YN(b,2)&&this.aP(!0);g.YN(b,128)&&this.Dn();this.videoData.j&&this.videoData.isLivePlayback&&!this.FY&&(0>XN(b,8)?(a=this.videoData.j,a.C&&a.C.stop()): +g.YN(b,8)&&this.videoData.j.resume());this.xd.yd(b);this.zc.yd(b);if(c&&!this.isDisposed())try{for(var e=g.t(this.uH),f=e.next();!f.done;f=e.next()){var h=f.value;this.Xi.yd(h);this.ma("statechange",h)}}finally{this.uH.length=0}}}; +g.k.YC=function(){this.videoData.isLivePlayback||this.K("html5_disable_connection_issue_event")||this.ma("connectionissue")}; +g.k.cO=function(){this.vb.tick("qoes")}; +g.k.CL=function(){this.xd.CL()}; +g.k.bH=function(a,b,c,d){a:{var e=this.Gl;d=void 0===d?"LICENSE":d;c=c.substr(0,256);var f=QK(b);"drm.keyerror"===a&&this.oe&&1e.D&&(a="drm.sessionlimitexhausted",f=!1);if(f)if(e.videoData.u&&e.videoData.u.video.isHdr())kYa(e,a);else{if(e.va.Ng(a,b,d,c),bYa(e,{detail:c}))break a}else e.Kd(a,{detail:c});"drm.sessionlimitexhausted"===a&&(e.xa("retrydrm",{sessionLimitExhausted:1}),e.D++,e0a(e.va))}}; +g.k.h6=function(){var a=this,b=g.gJ(this.Y.experiments,"html5_license_constraint_delay"),c=hz();b&&c?(b=new g.Ip(function(){wZ(a);tZ(a)},b),g.E(this,b),b.start()):(wZ(this),tZ(this))}; +g.k.aD=function(a){this.ma("heartbeatparams",a)}; +g.k.ep=function(a){this.xa("keystatuses",IXa(a));var b="auto",c=!1;this.videoData.u&&(b=this.videoData.u.video.quality,c=this.videoData.u.video.isHdr());if(this.K("html5_drm_check_all_key_error_states")){var d=JXa(b,c);d=DY(a)?KXa(a,d):a.C.includes(d)}else{a:{b=JXa(b,c);for(d in a.j)if("output-restricted"===a.j[d].status){var e=a.j[d].type;if(""===b||"AUDIO"===e||b===e){d=!0;break a}}d=!1}d=!d}if(this.K("html5_enable_vp9_fairplay")){if(c)if(a.T){var f;if(null==(f=this.oe)?0:dJ(f.j))if(null==(c=this.oe))c= +0;else{b=f=void 0;e=g.t(c.u.values());for(var h=e.next();!h.done;h=e.next())h=h.value,f||(f=LXa(h,"SD")),b||(b=LXa(h,"AUDIO"));c.Ri({sd:f,audio:b});c="output-restricted"===f||"output-restricted"===b}else c=!d;if(c){this.xa("drm",{dshdr:1});kYa(this.Gl);return}}else{this.videoData.WI||(this.videoData.WI=!0,this.xa("drm",{dphdr:1}),IY(this,!0));return}var l;if(null==(l=this.oe)?0:dJ(l.j))return}else if(l=a.T&&d,c&&!l){kYa(this.Gl);return}d||KXa(a,"AUDIO")&&KXa(a,"SD")||(a=IXa(a),this.UO?(this.ma("drmoutputrestricted"), +this.K("html5_report_fatal_drm_restricted_error_killswitch")||this.Ng("drm.keyerror",2,void 0,"info."+a)):(this.UO=!0,this.Kd(new PK("qoe.restart",Object.assign({},{retrydrm:1},a))),nZ(this),e0a(this)))}; +g.k.j6=function(){if(!this.videoData.kb&&this.mediaElement&&!this.isBackground()){var a="0";0=b.u.size){var c="ns;";b.ea||(c+="nr;");b=c+="ql."+b.B.length}else b=IXa(b.u.values().next().value),b=OK(b);a.drmp=b}var d;Object.assign(a,(null==(d=this.Fa)?void 0:d.lc())||{});var e;Object.assign(a,(null==(e=this.mediaElement)?void 0:e.lc())||{});this.zc.Kd("qoe.start15s",OK(a));this.ma("loadsofttimeout")}}; +g.k.Sk=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,tZ(this))}; +g.k.aP=function(a){var b=this;a=void 0===a?!1:a;if(!this.ZE){aF("att_s","player_att")||fF("att_s",void 0,"player_att");var c=new g.AJa(this.videoData);if("c1a"in c.j&&!g.fS.isInitialized()&&(fF("att_wb",void 0,"player_att"),2===this.xK&&.01>Math.random()&&g.DD(Error("Botguard not available after 2 attempts")),!a&&5>this.xK)){g.Jp(this.yK);this.xK++;return}if("c1b"in c.j){var d=zZa(this.zc);d&&DJa(c).then(function(e){e&&!b.ZE&&d?(fF("att_f",void 0,"player_att"),d(e),b.ZE=!0):fF("att_e",void 0,"player_att")}, +function(){fF("att_e",void 0,"player_att")})}else(a=g.BJa(c))?(fF("att_f",void 0,"player_att"),yZa(this.zc,a),this.ZE=!0):fF("att_e",void 0,"player_att")}}; +g.k.pe=function(a){return this.xd.pe(void 0===a?!1:a)}; +g.k.Id=function(){return this.xd.Id()}; +g.k.Jd=function(){return this.xd?this.xd.Jd():0}; +g.k.getStreamTimeOffset=function(){return this.xd?this.xd.getStreamTimeOffset():0}; +g.k.aq=function(){var a=0;this.Y.K("web_player_ss_media_time_offset")&&(a=0===this.getStreamTimeOffset()?this.Jd():this.getStreamTimeOffset());return a}; +g.k.setPlaybackRate=function(a){var b;this.playbackRate!==a&&pYa(this.Ji,null==(b=this.videoData.C)?void 0:b.videoInfos)&&nZ(this);this.playbackRate=a;this.mediaElement&&this.mediaElement.setPlaybackRate(a)}; +g.k.getPlaybackRate=function(){return this.playbackRate}; +g.k.getPlaybackQuality=function(){var a="unknown";if(this.videoData.u&&(a=this.videoData.u.video.quality,"auto"===a&&this.mediaElement)){var b=TN(this);b&&0=+c),b.dis=this.mediaElement.getStyle("display"));(a=a?(0,g.PY)():null)&&(b.gpu=a);b.debug_playbackQuality=this.Ta.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; +g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.V().experiments.experimentIds.join(", ")},b=this.Cb().getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; +g.k.getPresentingPlayerType=function(a){if(1===this.appState)return 1;if(HZ(this))return 3;var b;return a&&(null==(b=this.Ke)?0:zRa(b,this.getCurrentTime()))?2:g.qS(this).getPlayerType()}; +g.k.Cb=function(a){return 3===this.getPresentingPlayerType()?JS(this.hd).Te:g.qS(this,a).getPlayerState()}; +g.k.getAppState=function(){return this.appState}; +g.k.iO=function(a){switch(a.type){case "loadedmetadata":this.UH.start();a=g.t(this.Mz);for(var b=a.next();!b.done;b=a.next())b=b.value,V0a(this,b.id,b.R9,b.Q9,void 0,!1);this.Mz=[];break;case "loadstart":this.vb.Mt("gv");break;case "progress":case "timeupdate":2<=nI(a.target.Nh())&&this.vb.Mt("l2s");break;case "playing":g.HK&&this.UH.start();if(g.tK(this.Y))a=!1;else{b=g.LS(this.wb());a="none"===this.mediaElement.getStyle("display")||0===Je(this.mediaElement.getSize());var c=YW(this.template),d=this.Kb.getVideoData(), +e=g.nK(this.Y)||g.oK(this.Y);d=uM(d);b=!c||b||e||d||this.Y.Ld;a=a&&!b}a&&(this.Kb.xa("hidden",{},!0),this.getVideoData().Dc||(this.getVideoData().Dc=1,this.oW(),this.Kb.playVideo()))}}; +g.k.onLoadProgress=function(a,b){this.Ta.Na("onLoadProgress",b)}; +g.k.y7=function(){this.Ta.ma("playbackstalledatstart")}; +g.k.onVideoProgress=function(a,b){a=GZ(this,a);b=QZ(this,a.getCurrentTime(),a);this.Ta.Na("onVideoProgress",b)}; +g.k.onAutoplayBlocked=function(){this.Ta.Na("onAutoplayBlocked")}; +g.k.P6=function(){this.Ta.ma("progresssync")}; +g.k.y5=function(a){if(1===this.getPresentingPlayerType()){g.YN(a,1)&&!g.S(a.state,64)&&this.Hd().isLivePlayback&&this.zb.isAtLiveHead()&&1=1E3*(this.getDuration()-1)){J0a(this);return}A0a(this)}if(g.S(a.state,128)){var b=a.state;this.cancelPlayback(5);b=b.getData();JSON.stringify({errorData:b,debugInfo:this.getDebugText(!0)});this.Ta.Na("onError",TJa(b.errorCode));this.Ta.Na("onDetailedError",{errorCode:b.errorCode, +errorDetail:b.errorDetail,message:b.errorMessage,messageKey:b.uL,cpn:b.cpn});6048E5<(0,g.M)()-this.Y.Jf&&this.Ta.Na("onReloadRequired")}b={};if(a.state.bd()&&!g.TO(a.state)&&!aF("pbresume","ad_to_video")&&aF("_start","ad_to_video")){var c=this.getVideoData();b.clientPlaybackNonce=c.clientPlaybackNonce;c.videoId&&(b.videoId=c.videoId);bF(b,"ad_to_video");eF("pbresume",void 0,"ad_to_video");eMa(this.hd)}this.Ta.ma("applicationplayerstatechange",a)}}; +g.k.JW=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("presentingplayerstatechange",a)}; +g.k.Hi=function(a){EZ(this,UO(a.state));g.S(a.state,1024)&&this.Ta.isMutedByMutedAutoplay()&&(tS(this,{muted:!1,volume:this.ji.volume},!1),OZ(this,!1))}; +g.k.u5=function(a,b,c){"newdata"===a&&t0a(this);b=c.clipConfig;"dataloaded"===a&&b&&null!=b.startTimeMs&&null!=b.endTimeMs&&this.setLoopRange({startTimeMs:Math.floor(Number(b.startTimeMs)),endTimeMs:Math.floor(Number(b.endTimeMs)),postId:b.postId,type:"clips"})}; +g.k.VC=function(){this.Ta.Na("onPlaybackAudioChange",this.Ta.getAudioTrack().Jc.name)}; +g.k.iD=function(a){var b=this.Kb.getVideoData();a===b&&this.Ta.Na("onPlaybackQualityChange",a.u.video.quality)}; +g.k.onVideoDataChange=function(a,b,c){b===this.zb&&(this.Y.Zi=c.oauthToken);if(b===this.zb&&(this.getVideoData().enableServerStitchedDai&&!this.Ke?this.Ke=new g.zW(this.Ta,this.Y,this.zb):!this.getVideoData().enableServerStitchedDai&&this.Ke&&(this.Ke.dispose(),this.Ke=null),YM(this.getVideoData())&&"newdata"===a)){this.Sv.Ef();var d=oRa(this.Sv,1,0,this.getDuration(1),void 0,{video_id:this.getVideoData().videoId});var e=this.Sv;d.B===e&&(0===e.segments.length&&(e.j=d),e.segments.push(d));this.Og= +new LW(this.Ta,this.Sv,this.zb)}if("newdata"===a)LT(this.hd,2),this.Ta.ma("videoplayerreset",b);else{if(!this.mediaElement)return;"dataloaded"===a&&(this.Kb===this.zb?(rK(c.B,c.RY),this.zb.getPlayerState().isError()||(d=HZ(this),this.Hd().isLoaded(),d&&this.mp(6),E0a(this),cMa(this.hd)||D0a(this))):E0a(this));if(1===b.getPlayerType()&&(this.Y.Ya&&c1a(this),this.getVideoData().isLivePlayback&&!this.Y.Eo&&this.Eg("html5.unsupportedlive",2,"DEVICE_FALLBACK"),c.isLoaded())){if(Lza(c)||this.getVideoData().uA){d= +this.Lx;var f=this.getVideoData();e=this.zb;kS(d,"part2viewed",1,0x8000000000000,e);kS(d,"engagedview",Math.max(1,1E3*f.Pb),0x8000000000000,e);f.isLivePlayback||(f=1E3*f.lengthSeconds,kS(d,"videoplaytime25",.25*f,f,e),kS(d,"videoplaytime50",.5*f,f,e),kS(d,"videoplaytime75",.75*f,f,e),kS(d,"videoplaytime100",f,0x8000000000000,e),kS(d,"conversionview",f,0x8000000000000,e),kS(d,"videoplaybackstart",1,f,e),kS(d,"videoplayback2s",2E3,f,e),kS(d,"videoplayback10s",1E4,f,e))}if(c.hasProgressBarBoundaries()){var h; +d=Number(null==(h=this.getVideoData().progressBarEndPosition)?void 0:h.utcTimeMillis)/1E3;!isNaN(d)&&(h=this.Pf())&&(h-=this.getCurrentTime(),h=1E3*(d-h),d=this.CH.progressEndBoundary,(null==d?void 0:d.start)!==h&&(d&&this.MH([d]),h=new g.XD(h,0x7ffffffffffff,{id:"progressEndBoundary",namespace:"appprogressboundary"}),this.zb.addCueRange(h),this.CH.progressEndBoundary=h))}}this.Ta.ma("videodatachange",a,c,b.getPlayerType())}this.Ta.Na("onVideoDataChange",{type:a,playertype:b.getPlayerType()});this.ZH(); +(a=c.Nz)?this.Ls.fL(a,c.clientPlaybackNonce):uSa(this.Ls)}; +g.k.iF=function(){JZ(this,null);this.Ta.Na("onPlaylistUpdate")}; +g.k.TV=function(a){var b=a.getId(),c=this.Hd(),d=!this.isInline();if(!c.inlineMetricEnabled&&!this.Y.experiments.ob("enable_player_logging_lr_home_infeed_ads")||d){if("part2viewed"===b){if(c.pQ&&g.ZB(c.pQ),c.cN&&WZ(this,c.cN),c.zx)for(var e={CPN:this.getVideoData().clientPlaybackNonce},f=g.t(c.zx),h=f.next();!h.done;h=f.next())WZ(this,g.xp(h.value,e))}else"conversionview"===b?this.zb.kA():"engagedview"===b&&c.Ui&&(e={CPN:this.getVideoData().clientPlaybackNonce},g.ZB(g.xp(c.Ui,e)));c.qQ&&(e=a.getId(), +e=ty(c.qQ,{label:e}),g.ZB(e));switch(b){case "videoplaytime25":c.bZ&&WZ(this,c.bZ);c.yN&&XZ(this,c.yN);c.sQ&&g.ZB(c.sQ);break;case "videoplaytime50":c.cZ&&WZ(this,c.cZ);c.vO&&XZ(this,c.vO);c.xQ&&g.ZB(c.xQ);break;case "videoplaytime75":c.oQ&&WZ(this,c.oQ);c.FO&&XZ(this,c.FO);c.yQ&&g.ZB(c.yQ);break;case "videoplaytime100":c.aZ&&WZ(this,c.aZ),c.jN&&XZ(this,c.jN),c.rQ&&g.ZB(c.rQ)}(e=this.getVideoData().uA)&&Q0a(this,e,a.getId())&&Q0a(this,e,a.getId()+"gaia")}if(c.inlineMetricEnabled&&!d)switch(b){case "videoplaybackstart":var l, +m=null==(l=c.Ax)?void 0:l.j;m&&WZ(this,m);break;case "videoplayback2s":(l=null==(m=c.Ax)?void 0:m.B)&&WZ(this,l);break;case "videoplayback10s":var n;(l=null==(n=c.Ax)?void 0:n.u)&&WZ(this,l)}this.zb.removeCueRange(a)}; +g.k.O6=function(a){delete this.CH[a.getId()];this.zb.removeCueRange(a);a:{a=this.getVideoData();var b,c,d,e,f,h,l,m,n,p,q=(null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:null==(d=c.singleColumnWatchNextResults)?void 0:null==(e=d.autoplay)?void 0:null==(f=e.autoplay)?void 0:f.sets)||(null==(h=a.jd)?void 0:null==(l=h.contents)?void 0:null==(m=l.twoColumnWatchNextResults)?void 0:null==(n=m.autoplay)?void 0:null==(p=n.autoplay)?void 0:p.sets);if(q)for(b=g.t(q),c=b.next();!c.done;c=b.next())if(c=c.value, +e=d=void 0,c=c.autoplayVideo||(null==(d=c.autoplayVideoRenderer)?void 0:null==(e=d.autoplayEndpointRenderer)?void 0:e.endpoint),d=g.K(c,g.oM),f=e=void 0,null!=c&&(null==(e=d)?void 0:e.videoId)===a.videoId&&(null==(f=d)?0:f.continuePlayback)){a=c;break a}a=null}(b=g.K(a,g.oM))&&this.Ta.Na("onPlayVideo",{sessionData:{autonav:"1",itct:null==a?void 0:a.clickTrackingParams},videoId:b.videoId,watchEndpoint:b})}; +g.k.mp=function(a){a!==this.appState&&(2===a&&1===this.getPresentingPlayerType()&&(EZ(this,-1),EZ(this,5)),this.appState=a,this.Ta.ma("appstatechange",a))}; +g.k.Eg=function(a,b,c,d,e){this.zb.Ng(a,b,c,d,e)}; +g.k.Uq=function(a,b){this.zb.handleError(new PK(a,b))}; +g.k.isAtLiveHead=function(a,b){b=void 0===b?!1:b;var c=g.qS(this,a);if(!c)return!1;a=FZ(this,c);c=GZ(this,c);return a!==c?a.isAtLiveHead(QZ(this,c.getCurrentTime(),c),!0):a.isAtLiveHead(void 0,b)}; +g.k.us=function(){var a=g.qS(this);return a?FZ(this,a).us():0}; +g.k.seekTo=function(a,b,c,d){b=!1!==b;if(d=g.qS(this,d))2===this.appState&&MZ(this),this.mf(d)?PZ(this)?this.Ke.seekTo(a,b,c):this.kd.seekTo(a,b,c):d.seekTo(a,{vY:!b,wY:c,Je:"application"})}; g.k.seekBy=function(a,b,c,d){this.seekTo(this.getCurrentTime()+a,b,c,d)}; -g.k.hK=function(){this.B.va("SEEK_COMPLETE")}; -g.k.lP=function(a,b){var c=a.getVideoData();if(1===this.ea||2===this.ea)c.startSeconds=b;2===this.ea?z0(this):(this.B.va("SEEK_TO",b),!this.ca("hoffle_api")&&this.K&&EW(this.K,c.videoId))}; -g.k.DM=function(){this.B.V("airplayactivechange")}; -g.k.EM=function(){this.B.V("airplayavailabilitychange")}; -g.k.YM=function(){this.B.V("beginseeking")}; -g.k.zN=function(){this.B.V("endseeking")}; -g.k.getStoryboardFormat=function(a){return(a=g.Z(this,a))?kX(this,a).getVideoData().getStoryboardFormat():null}; -g.k.eg=function(a){return(a=g.Z(this,a))?kX(this,a).getVideoData().eg():null}; -g.k.Jc=function(a){if(a=a||this.I){a=a.getVideoData();if(this.W)a:{var b=this.W;if(a===b.u.getVideoData()&&b.B.length)a=!0;else{b=g.q(b.B);for(var c=b.next();!c.done;c=b.next())if(a.Yb===c.value.Yb){a=!0;break a}a=!1}}else a:if(b=this.ka,a===b.B.getVideoData()&&b.u.length)a=!0;else{b=g.q(b.u);for(c=b.next();!c.done;c=b.next())if(a.Yb===c.value.Yb){a=!0;break a}a=!1}if(a)return!0}return!1}; -g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.Jc();a=new g.UE(this.u,a);d&&(a.Yb=d);!g.R(this.u.experiments,"html5_report_dai_ad_playback_killswitch")&&2===b&&this.C&&jua(this.C.I,a.clientPlaybackNonce,a.Up||"",a.breakType||0);tAa(this,a,b,c)}; -g.k.clearQueue=function(){this.Qa.clearQueue()}; -g.k.loadVideoByPlayerVars=function(a,b,c,d,e){var f=new g.UE(this.u,a);if(!this.ca("web_player_load_video_context_killswitch")&&e){for(;f.sj.length&&f.sj[0].isExpired();)delete f.sj[0];for(var h=g.q(f.sj),l=h.next();!l.done;l=h.next())e.B(l.value)&&g.Eo(new Iq("Recursive call to loadVideo detected with contexts: ",f.sj.join(", ")));f.sj.push(e)}c||(a&&aG(a)?(iC(this.u)&&!this.X&&(a.fetch=0),v0(this,a)):this.playlist&&v0(this,null),a&&this.setIsExternalPlaylist(a.external_list),iC(this.u)&&!this.X&& -w0(this));return S_(this,f,b,d)}; -g.k.preloadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;c=void 0===c?NaN:c;e=void 0===e?"":e;d=FB(a);d=J0(b,d,e);this.yb.get(d)||this.I&&this.I.ka.started&&d===J0(this.I.getPlayerType(),this.I.getVideoData().videoId,this.I.getVideoData().Yb)||(a=new g.UE(this.u,a),e&&(a.Yb=e),vAa(this,a,b,c))}; -g.k.setMinimized=function(a){this.visibility.setMinimized(a);a=this.D;a=a.J.T().showMiniplayerUiWhenMinimized?a.Ec.get("miniplayer"):void 0;a&&(this.visibility.u?a.load():a.unload());this.B.V("minimized")}; +g.k.xz=function(){this.Ta.Na("SEEK_COMPLETE")}; +g.k.n7=function(a,b){var c=a.getVideoData();if(1===this.appState||2===this.appState)c.startSeconds=b;2===this.appState?g.S(a.getPlayerState(),512)||MZ(this):this.Ta.Na("SEEK_TO",b)}; +g.k.onAirPlayActiveChange=function(){this.Ta.ma("airplayactivechange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayActiveChange",this.Ta.wh())}; +g.k.onAirPlayAvailabilityChange=function(){this.Ta.ma("airplayavailabilitychange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayAvailabilityChange",this.Ta.vC())}; +g.k.showAirplayPicker=function(){var a;null==(a=this.Kb)||a.Dt()}; +g.k.EN=function(){this.Ta.ma("beginseeking")}; +g.k.JN=function(){this.Ta.ma("endseeking")}; +g.k.getStoryboardFormat=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().getStoryboardFormat():null}; +g.k.Hj=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().Hj():null}; +g.k.mf=function(a){a=a||this.Kb;var b=!1;if(a){a=a.getVideoData();if(PZ(this))a=a===this.Ke.va.getVideoData();else a:if(b=this.kd,a===b.j.getVideoData()&&b.u.length)a=!0;else{b=g.t(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Nc===c.value.Nc){a=!0;break a}a=!1}b=a}return b}; +g.k.Kx=function(a,b,c,d,e,f,h){var l=PZ(this),m;null==(m=g.qS(this))||m.xa("appattl",{sstm:this.Ke?1:0,ssenable:this.getVideoData().enableServerStitchedDai,susstm:l});return l?wRa(this.Ke,a,b,c,d,e,f,h):WRa(this.kd,a,c,d,e,f)}; +g.k.rC=function(a,b,c,d,e,f,h){PZ(this)&&wRa(this.Ke,a,b,c,d,e,f,h);return""}; +g.k.kt=function(a){var b;null==(b=this.Ke)||b.kt(a)}; +g.k.Fu=function(a,b){a=void 0===a?-1:a;b=void 0===b?Infinity:b;PZ(this)||eSa(this.kd,a,b)}; +g.k.jA=function(a,b,c){if(PZ(this)){var d=this.Ke,e=d.Oc.get(a);e?(void 0===c&&(c=e.Dd),e.durationMs=b,e.Dd=c):d.KC("Invalid_timelinePlaybackId_"+a+"_specified")}else{d=this.kd;e=null;for(var f=g.t(d.u),h=f.next();!h.done;h=f.next())if(h=h.value,h.Nc===a){e=h;break}e?(void 0===c&&(c=e.Dd),dSa(d,e,b,c)):MW(d,"InvalidTimelinePlaybackId timelinePlaybackId="+a)}}; +g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.mf();a=new g.$L(this.Y,a);d&&(a.Nc=d);R0a(this,a,b,c)}; +g.k.queueNextVideo=function(a,b,c,d,e){c=void 0===c?NaN:c;a.prefer_gapless=!0;if((a=this.preloadVideoByPlayerVars(a,void 0===b?1:b,c,void 0===d?"":d,void 0===e?"":e))&&g.QM(a)&&!a.Xl){var f;null==(f=g.qS(this))||f.xa("sgap",{pcpn:a.clientPlaybackNonce});f=this.SY;f.j!==a&&(f.j=a,f.u=1,a.isLoaded()?f.B():f.j.subscribe("dataloaded",f.B,f))}}; +g.k.yF=function(a,b,c,d){var e=this;c=void 0===c?0:c;d=void 0===d?0:d;var f=g.qS(this);f&&(FZ(this,f).FY=!0);dRa(this.ir,a,b,c,d).then(function(){e.Ta.Na("onQueuedVideoLoaded")},function(){})}; +g.k.vv=function(){return this.ir.vv()}; +g.k.clearQueue=function(){this.ir.clearQueue()}; +g.k.loadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;var f=!1,h=new g.$L(this.Y,a);g.GK(this.Y)&&!h.Xl&&yT(this.vb);var l,m=null!=(l=h.Qa)?l:"";this.vb.timerName=m;this.vb.di("pl_i");this.K("web_player_early_cpn")&&h.clientPlaybackNonce&&this.vb.info("cpn",h.clientPlaybackNonce);if(this.K("html5_enable_short_gapless")){l=gRa(this.ir,h,b);if(null==l){EZ(this,-1);h=this.ir;h.app.setLoopRange(null);h.app.getVideoData().ZI=!0;var n;null==(n=h.j)||vZa(n.zc);h.app.seekTo(fRa(h));if(!h.app.Cb(b).bd()){var p; +null==(p=g.qS(h.app))||p.playVideo(!0)}h.I();return!0}this.ir.clearQueue();var q;null==(q=g.qS(this))||q.xa("sgap",{f:l})}if(e){for(;h.Sl.length&&h.Sl[0].isExpired();)h.Sl.shift();n=h.Sl.length-1;f=0Math.random()&&g.Lq("autoplayTriggered",{intentional:this.pe});this.Bf=!1;g.R(this.u.experiments,"screen_manager_wait_for_csn")?Pna(a):a();FA("player_att",["att_f","att_e"]);if(this.ca("web_player_inline_botguard")){var c=this.getVideoData().botguardData;c&&(this.ca("web_player_botguard_inline_skip_config_killswitch")&& -(ro("BG_I",c.interpreterScript),ro("BG_IU",c.interpreterUrl),ro("BG_P",c.program)),g.kC(this.u)?pp(function(){A0(b)}):A0(this))}}; -g.k.fK=function(){this.B.V("internalAbandon");this.ca("html5_ad_module_cleanup_killswitch")||G0(this)}; -g.k.aE=function(a){a=a.u;if(!isNaN(a)&&0Math.random()&&g.rA("autoplayTriggered",{intentional:this.QU});this.pV=!1;eMa(this.hd);this.K("web_player_defer_ad")&&D0a(this);this.Ta.Na("onPlaybackStartExternal");(this.Y.K("mweb_client_log_screen_associated"),this.Y.K("kids_web_client_log_screen_associated")&&uK(this.Y))||a();var c={};this.getVideoData().T&&(c.cttAuthInfo={token:this.getVideoData().T, +videoId:this.getVideoData().videoId});cF("player_att",c);if(this.getVideoData().botguardData||this.K("fetch_att_independently"))g.DK(this.Y)||"MWEB"===g.rJ(this.Y)?g.gA(g.iA(),function(){NZ(b)}):NZ(this); +this.ZH()}; +g.k.PN=function(){this.Ta.ma("internalAbandon");RZ(this)}; +g.k.onApiChange=function(){this.Y.I&&this.Kb?this.Ta.Na("onApiChange",this.Kb.getPlayerType()):this.Ta.Na("onApiChange")}; +g.k.q6=function(){var a=this.mediaElement;a={volume:g.ze(Math.floor(100*a.getVolume()),0,100),muted:a.VF()};a.muted||OZ(this,!1);this.ji=g.md(a);this.Ta.Na("onVolumeChange",a)}; +g.k.mutedAutoplay=function(){var a=this.getVideoData().videoId;isNaN(this.xN)&&(this.xN=this.getVideoData().startSeconds);a&&(this.loadVideoByPlayerVars({video_id:a,playmuted:!0,start:this.xN}),this.Ta.Na("onMutedAutoplayStarts"))}; +g.k.onFullscreenChange=function(){var a=Z0a(this);this.cm(a?1:0);a1a(this,!!a)}; +g.k.cm=function(a){var b=!!a,c=!!this.Ay()!==b;this.visibility.cm(a);this.template.cm(b);this.K("html5_media_fullscreen")&&!b&&this.mediaElement&&Z0a(this)===this.mediaElement.ub()&&this.mediaElement.AB();this.template.resize();c&&this.vb.tick("fsc");c&&(this.Ta.ma("fullscreentoggled",b),a=this.Hd(),b={fullscreen:b,videoId:a.eJ||a.videoId,time:this.getCurrentTime()},this.Ta.getPlaylistId()&&(b.listId=this.Ta.getPlaylistId()),this.Ta.Na("onFullscreenChange",b))}; g.k.isFullscreen=function(){return this.visibility.isFullscreen()}; -g.k.aP=function(){0!==this.visibility.fullscreen&&1!==this.visibility.fullscreen||q0(this,O0(this)?1:0);this.u.Oh&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.F&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.F.Io()}; -g.k.NN=function(a){3!==this.getPresentingPlayerType()&&this.B.V("liveviewshift",a)}; -g.k.playVideo=function(a){if(a=g.Z(this,a))2===this.ea?z0(this):(null!=this.ba&&this.ba.Wa&&this.ba.start(),g.T(a.getPlayerState(),2)?this.seekTo(0):a.playVideo())}; -g.k.pauseVideo=function(a){(a=g.Z(this,a))&&a.pauseVideo()}; -g.k.stopVideo=function(){var a=this.C.getVideoData(),b=new g.UE(this.u,{video_id:a.lz||a.videoId,oauth_token:a.oauthToken});b.Hh=g.Zb(a.Hh);this.cancelPlayback(6);L0(this,b,1);null!=this.ba&&this.ba.stop()}; -g.k.cancelPlayback=function(a,b){Es(this.Ga);this.Ga=0;var c=g.Z(this,b);if(c&&1!==this.ea&&2!==this.ea){c===this.I&&rX(this.D,a);var d=c.getVideoData();if(this.K&&SF(d)&&d.videoId)if(this.ca("hoffle_api")){var e=this.K;d=d.videoId;if(2===jw(d)){var f=BW(e,d);f&&f!==e.player&&SF(f.getVideoData())&&(f.D&&kE(f.D),sF(f.getVideoData(),!1),mw(d,3),CW(e))}}else EW(this.K,d.videoId);1===b&&(g.R(this.u.experiments,"html5_stop_video_in_cancel_playback")&&c.stopVideo(),G0(this));c.Ch();bX(this,"cuerangesremoved", -ED(c.ea)||[]);c.ea.reset();this.Qa&&c.isGapless()&&(fW(c,!0),gW(c,this.F))}}; -g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.Z(this,b))&&this.u.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; -g.k.updatePlaylist=function(){iC(this.u)?w0(this):g.R(this.u.experiments,"embeds_wexit_list_ajax_migration")&&g.RB(this.u)&&x0(this);this.B.va("onPlaylistUpdate")}; -g.k.setSizeStyle=function(a,b){this.Ef=a;this.td=b;this.B.V("sizestylechange",a,b);this.template.resize()}; -g.k.isWidescreen=function(){return this.td}; +g.k.Ay=function(){return this.visibility.Ay()}; +g.k.b7=function(){this.Kb&&(0!==this.Ay()&&1!==this.Ay()||this.cm(Z0a(this)?1:0),this.Y.lm&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.mediaElement&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.mediaElement.AB())}; +g.k.i6=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("liveviewshift",a)}; +g.k.playVideo=function(a){if(a=g.qS(this,a))2===this.appState?(g.GK(this.Y)&&yT(this.vb),MZ(this)):g.S(a.getPlayerState(),2)?this.seekTo(0):a.playVideo()}; +g.k.pauseVideo=function(a){(a=g.qS(this,a))&&a.pauseVideo()}; +g.k.stopVideo=function(){var a=this.zb.getVideoData(),b=new g.$L(this.Y,{video_id:a.eJ||a.videoId,oauth_token:a.oauthToken});b.Z=g.md(a.Z);this.cancelPlayback(6);UZ(this,b,1)}; +g.k.cancelPlayback=function(a,b){var c=g.qS(this,b);c&&(2===b&&1===c.getPlayerType()&&Zza(this.Hd())?c.xa("canclpb",{r:"no_adpb_ssdai"}):(this.Y.Rd()&&c.xa("canclpb",{r:a}),1!==this.appState&&2!==this.appState&&(c===this.Kb&<(this.hd,a),1===b&&(c.stopVideo(),RZ(this)),c.Dn(void 0,6!==a),DZ(this,"cuerangesremoved",c.Hm()),c.Xi.reset(),this.ir&&c.isGapless()&&(c.rj(!0),c.setMediaElement(this.mediaElement)))))}; +g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.qS(this,b))&&this.Y.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; +g.k.Gj=function(a){var b=g.qS(this);return b&&this.Y.enabledEngageTypes.has(a.toString())?b.Gj(a):null}; +g.k.updatePlaylist=function(){BK(this.Y)?KZ(this):g.fK(this.Y)&&F0a(this);this.Ta.Na("onPlaylistUpdate")}; +g.k.setSizeStyle=function(a,b){this.QX=a;this.RM=b;this.Ta.ma("sizestylechange",a,b);this.template.resize()}; +g.k.wv=function(){return this.RM}; +g.k.zg=function(){return this.visibility.zg()}; g.k.isInline=function(){return this.visibility.isInline()}; -g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return g.RW(this.D).getAdState();if(!this.Jc()){var a=sX(this.D);if(a)return a.getAdState()}return-1}; -g.k.ZO=function(a){var b=this.template.getVideoContentRect();jg(this.Af,b)||(this.Af=b,this.I&&lW(this.I),this.C&&this.C!==this.I&&lW(this.C),1===this.visibility.fullscreen&&this.ob&&CAa(this,!0));this.ud&&g.ie(this.ud,a)||(this.B.V("appresize",a),this.ud=a)}; -g.k.je=function(){return this.B.je()}; -g.k.pP=function(){2===this.getPresentingPlayerType()&&this.ka.isManifestless()&&!this.ca("web_player_manifestless_ad_signature_expiration_killswitch")?yza(this.ka):DAa(this,"signature",void 0,!0)}; -g.k.pE=function(){m0(this);l0(this)}; -g.k.YO=function(a){rW(a,this.F.qt())}; -g.k.gK=function(a){this.K&&this.K.u(a)}; -g.k.lN=function(){this.B.va("CONNECTION_ISSUE")}; -g.k.eK=function(a){this.B.V("heartbeatparams",a)}; -g.k.setBlackout=function(a){this.u.xc=a;this.I&&(g.OT(this.I.I),this.u.W&&FAa(this))}; -g.k.setAccountLinkState=function(a){var b=g.Z(this);b&&(b.getVideoData().sm=a,g.OT(b.I))}; -g.k.updateAccountLinkingConfig=function(a){var b=g.Z(this);if(b){var c=b.getVideoData();c.accountLinkingConfig&&(c.accountLinkingConfig.linked=a);this.B.V("videodatachange","dataupdated",c,b.getPlayerType())}}; -g.k.qO=function(){var a=g.Z(this);if(a){var b=!aX(this.B);g.iwa(a,b)}}; -g.k.QN=function(){this.B.va("onLoadedMetadata")}; -g.k.yN=function(){this.B.va("onDrmOutputRestricted")}; -g.k.aa=function(){this.D.dispose();this.ka.dispose();this.W&&this.W.dispose();this.C.dispose();m0(this);g.fg(g.Pb(this.ae),this.playlist);Es(this.Ga);this.Ga=0;g.B.prototype.aa.call(this)}; -g.k.ca=function(a){return g.R(this.u.experiments,a)}; +g.k.Ty=function(){return this.visibility.Ty()}; +g.k.Ry=function(){return this.visibility.Ry()}; +g.k.PM=function(){return this.QX}; +g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return JS(this.hd).getAdState();if(!this.mf()){var a=MT(this.wb());if(a)return a.getAdState()}return-1}; +g.k.a7=function(a){var b=this.template.getVideoContentRect();Fm(this.iV,b)||(this.iV=b,this.Kb&&wZ(this.Kb),this.zb&&this.zb!==this.Kb&&wZ(this.zb),1===this.Ay()&&this.kD&&a1a(this,!0));this.YM&&g.Ie(this.YM,a)||(this.Ta.ma("appresize",a),this.YM=a)}; +g.k.yh=function(){return this.Ta.yh()}; +g.k.t7=function(){2===this.getPresentingPlayerType()&&this.kd.isManifestless()?cSa(this.kd):(this.Ke&&(DRa(this.Ke),RZ(this)),z0a(this,"signature"))}; +g.k.oW=function(){this.rj();CZ(this)}; +g.k.w6=function(a){"manifest.net.badstatus"===a.errorCode&&a.details.rc===(this.Y.experiments.ob("html5_use_network_error_code_enums")?401:"401")&&this.Ta.Na("onPlayerRequestAuthFailed")}; +g.k.YC=function(){this.Ta.Na("CONNECTION_ISSUE")}; +g.k.aD=function(a){this.Ta.ma("heartbeatparams",a)}; +g.k.RH=function(a){this.Ta.Na("onAutonavChangeRequest",1!==a)}; +g.k.qe=function(){return this.mediaElement}; +g.k.setBlackout=function(a){this.Y.Ld=a;this.Kb&&(this.Kb.jr(),this.Y.Ya&&c1a(this))}; +g.k.y6=function(){var a=g.qS(this);if(a){var b=!this.Ta.AC();(a.uU=b)||a.Bv.stop();if(a.videoData.j)if(b)a.videoData.j.resume();else{var c=a.videoData.j;c.C&&c.C.stop()}a.Fa&&(b?a.Fa.resume():zZ(a,!0));g.S(a.playerState,2)||b?g.S(a.playerState,512)&&b&&a.pc(NO(a.playerState,512)):a.pc(MO(a.playerState,512));a=a.zc;a.qoe&&(a=a.qoe,g.MY(a,g.uW(a.provider),"stream",[b?"A":"I"]))}}; +g.k.onLoadedMetadata=function(){this.Ta.Na("onLoadedMetadata")}; +g.k.onDrmOutputRestricted=function(){this.Ta.Na("onDrmOutputRestricted")}; +g.k.wK=function(){Lcb=this.K("html5_use_async_stopVideo");Mcb=this.K("html5_pause_for_async_stopVideo");Kcb=this.K("html5_not_reset_media_source");CCa=this.K("html5_rebase_video_to_ad_timeline");xI=this.K("html5_not_reset_media_source");fcb=this.K("html5_not_reset_media_source");rI=this.K("html5_retain_source_buffer_appends_for_debugging");ecb=this.K("html5_source_buffer_wrapper_reorder");this.K("html5_mediastream_applies_timestamp_offset")&&(CX=!0);var a=g.gJ(this.Y.experiments,"html5_cobalt_override_quic"); +a&&kW("QUIC",+(0F;F++)if(y=(y<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(w.charAt(F)),4==F%5){for(var G="",O=0;6>O;O++)G="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(y&31)+G,y>>=5;D+=G}w=D.substr(0,4)+" "+ -D.substr(4,4)+" "+D.substr(8,4)}else w="";l={video_id_and_cpn:c.videoId+" / "+w,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",drm_style:p?"":"display:none",drm:p,debug_info:x,bandwidth_style:t,network_activity_style:t,network_activity_bytes:m.toFixed(0)+" KB",shader_info:r,shader_info_style:r?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1a)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":f="Optimized for Normal Latency";break;case "LOW":f="Optimized for Low Latency";break;case "ULTRALOW":f="Optimized for Ultra Low Latency";break;default:f="Unknown Latency Setting"}else f=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=f;(a=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+=", seq "+a.sequence);l.live_mode= -e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=oU(h,"bandwidth");l.network_activity_samples=oU(h,"networkactivity");l.live_latency_samples=oU(h,"livelatency");l.buffer_health_samples=oU(h,"bufferhealth");gF(c,"web_player_release_debug")?(l.release_name="youtube.player.web_20201028_1_RC0",l.release_style=""):l.release_style="display:none";return l}; -g.k.getVideoUrl=function(a,b,c,d,e){return this.P&&this.P.postId?(a=this.u.getVideoUrl(a),a=Qd(a,"v"),a.replace("/watch","/clip/"+this.P.postId)):this.u.getVideoUrl(a,b,c,d,e)}; -var b2={};g.Ia("yt.player.Application.create",i0.create,void 0);g.Ia("yt.player.Application.createAlternate",i0.create,void 0);var zCa=g.Na("ytcsi.tick");zCa&&zCa("pe");g.qX.ad=qS;var KAa=/#(.)(.)(.)/,JAa=/^#(?:[0-9a-f]{3}){1,2}$/i;var MAa=g.ye&&LAa();g.Ya(g.V0,g.B);var ACa=[];g.k=g.V0.prototype;g.k.ua=function(a,b,c,d){Array.isArray(b)||(b&&(ACa[0]=b.toString()),b=ACa);for(var e=0;ethis.u.length)throw new N("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=this);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,b.init(),P1a(this.B,this.slot,b.Hb()),Q1a(this.B,this.slot,b.Hb())}; +g.k.wt=function(){var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=null);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,pO(this.B,this.slot,b.Hb()),b.release()}; +g.k.Qv=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("pauseLayout for a PlayerBytes layout that is not currently active",a,b):c.Qv()}; +g.k.ew=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("resumeLayout for a PlayerBytes layout that is not currently active",a,b):c.ew()}; +g.k.gD=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("onSkipRequested for a PlayerBytes layout that is not currently active",c.pd(),c.Hb(),{requestingSlot:a,requestingLayout:b}):Q5a(this,c.pd(),c.Hb(),"skipped")}; +g.k.Ft=function(){-1===this.j&&P5a(this,this.j+1)}; +g.k.A7=function(a,b){j0(this.B,a,b)}; +g.k.It=function(a,b){var c=this;this.j!==this.u.length?(a=this.u[this.j],a.Pg(a.Hb(),b),this.D=function(){c.callback.wd(c.slot,c.layout,b)}):this.callback.wd(this.slot,this.layout,b)}; +g.k.Tc=function(a,b){var c=this.u[this.j];c&&c.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);var d=this.u[this.j];d&&d.wd(a,b,c)}; +g.k.yV=function(){var a=this.u[this.j];a&&a.gG()}; +g.k.Mj=function(a){var b=this.u[this.j];b&&b.Mj(a)}; +g.k.wW=function(a){var b=this.u[this.j];b&&b.Jk(a)}; +g.k.fg=function(a,b,c){-1===this.j&&(this.callback.Tc(this.slot,this.layout),this.j++);var d=this.u[this.j];d?d.OC(a,b,c):GD("No active adapter found onLayoutError in PlayerBytesVodCompositeLayoutRenderingAdapter",void 0,void 0,{activeSubLayoutIndex:String(this.j),layoutId:this.Hb().layoutId})}; +g.k.onFullscreenToggled=function(a){var b=this.u[this.j];if(b)b.onFullscreenToggled(a)}; +g.k.Uh=function(a){var b=this.u[this.j];b&&b.Uh(a)}; +g.k.Ik=function(a){var b=this.u[this.j];b&&b.Ik(a)}; +g.k.onVolumeChange=function(){var a=this.u[this.j];if(a)a.onVolumeChange()}; +g.k.C7=function(a,b,c){Q5a(this,a,b,c)}; +g.k.B7=function(a,b){Q5a(this,a,b,"error")};g.w(a2,g.C);g.k=a2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){var a=ZZ(this.layout.Ba,"metadata_type_video_length_seconds"),b=ZZ(this.layout.Ba,"metadata_type_active_view_traffic_type");mN(this.layout.Rb)&&V4a(this.Mb.get(),this.layout.layoutId,b,a,this);Z4a(this.Oa.get(),this);this.Ks()}; +g.k.release=function(){mN(this.layout.Rb)&&W4a(this.Mb.get(),this.layout.layoutId);$4a(this.Oa.get(),this);this.wt()}; +g.k.Qv=function(){}; +g.k.ew=function(){}; +g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.fg(this.slot,a,new b0("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"):(this.Fc="rendering_start_requested",cAa(this.Xf.get(),1)?(this.vD(-1),this.Ft(a),this.Px(!1)):this.OC("ui_unstable",new b0("Failed to render media layout because ad ui unstable.", +void 0,"ADS_CLIENT_ERROR_MESSAGE_AD_UI_UNSTABLE"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"))}; +g.k.Tc=function(a,b){if(b.layoutId===this.layout.layoutId){this.Fc="rendering";this.CC=this.Ha.get().isMuted()||0===this.Ha.get().getVolume();this.md("impression");this.md("start");if(this.Ha.get().isMuted()){this.zw("mute");var c;a=(null==(c=$1(this))?void 0:c.muteCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId)}if(this.Ha.get().isFullscreen()){this.lh("fullscreen");var d;c=(null==(d=$1(this))?void 0:d.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}this.Mc.get().bP();this.vD(1); +this.kW();var e;d=(null==(e=$1(this))?void 0:e.impressionCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.OC=function(a,b,c){this.nu={AI:3,mE:"load_timeout"===a?402:400,errorMessage:b.message};this.md("error");var d;a=(null==(d=$1(this))?void 0:d.errorCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId);this.callback.fg(this.slot,this.layout,b,c)}; +g.k.gG=function(){this.XK()}; +g.k.lU=function(){if("rendering"===this.Fc){this.zw("pause");var a,b=(null==(a=$1(this))?void 0:a.pauseCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId);this.vD(2)}}; +g.k.mU=function(){if("rendering"===this.Fc){this.zw("resume");var a,b=(null==(a=$1(this))?void 0:a.resumeCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Pg=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.fg(this.slot,a,new b0("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_EXIT_LAYOUT_FAILED");else if("rendering_stop_requested"!==this.Fc){this.Fc="rendering_stop_requested";this.layoutExitReason=b;switch(b){case "normal":this.md("complete");break;case "skipped":this.md("skip"); +break;case "abandoned":N1(this.Za,"impression")&&this.md("abandon")}this.It(a,b)}}; +g.k.wd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.Fc="not_rendering",this.layoutExitReason=void 0,(a="normal"!==c||this.position+1===this.nY)&&this.Px(a),this.lW(c),this.vD(0),c){case "abandoned":if(N1(this.Za,"impression")){var d,e=(null==(d=$1(this))?void 0:d.abandonCommands)||[];this.Nb.get().Hg(e,this.layout.layoutId)}break;case "normal":d=(null==(e=$1(this))?void 0:e.completeCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId);break;case "skipped":var f;d=(null==(f=$1(this))? +void 0:f.skipCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.Cy=function(){return this.layout.layoutId}; +g.k.GL=function(){return this.nu}; +g.k.Jk=function(a){if("not_rendering"!==this.Fc){this.zX||(a=new g.WN(a.state,new g.KO),this.zX=!0);var b=2===this.Ha.get().getPresentingPlayerType();"rendering_start_requested"===this.Fc?b&&R5a(a)&&this.ZS():b?g.YN(a,2)?this.Ei():(R5a(a)?this.vD(1):g.YN(a,4)&&!g.YN(a,2)&&this.lU(),0>XN(a,4)&&!(0>XN(a,2))&&this.mU()):this.gG()}}; +g.k.TC=function(){if("rendering"===this.Fc){this.Za.md("active_view_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.SC=function(){if("rendering"===this.Fc){this.Za.md("active_view_fully_viewable_audible_half_duration");var a,b=(null==(a=$1(this))?void 0:a.activeViewFullyViewableAudibleHalfDurationCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.UC=function(){if("rendering"===this.Fc){this.Za.md("active_view_viewable");var a,b=(null==(a=$1(this))?void 0:a.activeViewViewableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.QC=function(){if("rendering"===this.Fc){this.Za.md("audio_audible");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioAudibleCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.RC=function(){if("rendering"===this.Fc){this.Za.md("audio_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Px=function(a){this.Mc.get().Px(ZZ(this.layout.Ba,"metadata_type_ad_placement_config").kind,a,this.position,this.nY,!1)}; +g.k.onFullscreenToggled=function(a){if("rendering"===this.Fc)if(a){this.lh("fullscreen");var b,c=(null==(b=$1(this))?void 0:b.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}else this.lh("end_fullscreen"),b=(null==(c=$1(this))?void 0:c.endFullscreenCommands)||[],this.Nb.get().Hg(b,this.layout.layoutId)}; +g.k.onVolumeChange=function(){if("rendering"===this.Fc)if(this.Ha.get().isMuted()){this.zw("mute");var a,b=(null==(a=$1(this))?void 0:a.muteCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}else this.zw("unmute"),a=(null==(b=$1(this))?void 0:b.unmuteCommands)||[],this.Nb.get().Hg(a,this.layout.layoutId)}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.Ul=function(){}; +g.k.lh=function(a){this.Za.lh(a,!this.CC)}; +g.k.md=function(a){this.Za.md(a,!this.CC)}; +g.k.zw=function(a){this.Za.zw(a,!this.CC)};g.w(W5a,a2);g.k=W5a.prototype;g.k.Ks=function(){}; +g.k.wt=function(){var a=this.Oa.get();a.nI===this&&(a.nI=null);this.timer.stop()}; +g.k.Ft=function(){V5a(this);j5a(this.Ha.get());this.Oa.get().nI=this;aF("pbp")||aF("pbs")||fF("pbp");aF("pbp","watch")||aF("pbs","watch")||fF("pbp",void 0,"watch");this.ZS()}; +g.k.kW=function(){Z5a(this)}; +g.k.Ei=function(){}; +g.k.Qv=function(){this.timer.stop();a2.prototype.lU.call(this)}; +g.k.ew=function(){Z5a(this);a2.prototype.mU.call(this)}; +g.k.By=function(){return ZZ(this.Hb().Ba,"METADATA_TYPE_MEDIA_BREAK_LAYOUT_DURATION_MILLISECONDS")}; +g.k.It=function(){this.timer.stop()}; +g.k.yc=function(){var a=Date.now(),b=a-this.aN;this.aN=a;this.Mi+=b;this.Mi>=this.By()?(this.Mi=this.By(),b2(this,this.Mi/1E3,!0),Y5a(this,this.Mi),this.XK()):(b2(this,this.Mi/1E3),Y5a(this,this.Mi))}; +g.k.lW=function(){}; +g.k.Mj=function(){};g.w(c2,a2);g.k=c2.prototype;g.k.Ks=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=this;this.shrunkenPlayerBytesConfig=ZZ(this.Hb().Ba,"metadata_type_shrunken_player_bytes_config")}; +g.k.wt=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=null;this.Iu&&this.wc.get().removeCueRange(this.Iu);this.Iu=void 0;this.NG.dispose();this.lz&&this.lz.dispose()}; +g.k.Ft=function(a){var b=P0(this.Ca.get()),c=Q0(this.Ca.get());if(b&&c){c=ZZ(a.Ba,"metadata_type_preload_player_vars");var d=g.gJ(this.Ca.get().F.V().experiments,"html5_preload_wait_time_secs");c&&this.lz&&this.lz.start(1E3*d)}c=ZZ(a.Ba,"metadata_type_ad_video_id");d=ZZ(a.Ba,"metadata_type_legacy_info_card_vast_extension");c&&d&&this.dg.get().F.V().Aa.add(c,{jB:d});(c=ZZ(a.Ba,"metadata_type_sodar_extension_data"))&&m5a(this.hf.get(),c);k5a(this.Ha.get(),!1);V5a(this);b?(c=this.Pe.get(),a=ZZ(a.Ba, +"metadata_type_player_vars"),c.F.loadVideoByPlayerVars(a,!1,2)):(c=this.Pe.get(),a=ZZ(a.Ba,"metadata_type_player_vars"),c.F.cueVideoByPlayerVars(a,2));this.NG.start();b||this.Pe.get().F.playVideo(2)}; +g.k.kW=function(){this.NG.stop();this.Iu="adcompletioncuerange:"+this.Hb().layoutId;this.wc.get().addCueRange(this.Iu,0x7ffffffffffff,0x8000000000000,!1,this,2,2);var a;(this.adCpn=(null==(a=this.Va.get().vg(2))?void 0:a.clientPlaybackNonce)||"")||GD("Media layout confirmed started, but ad CPN not set.");this.zd.get().Na("onAdStart",this.adCpn)}; +g.k.Ei=function(){this.XK()}; +g.k.By=function(){var a;return null==(a=this.Va.get().vg(2))?void 0:a.h8}; +g.k.PH=function(){this.Za.lh("clickthrough")}; +g.k.It=function(){this.NG.stop();this.lz&&this.lz.stop();k5a(this.Ha.get(),!0);var a;(null==(a=this.shrunkenPlayerBytesConfig)?0:a.shouldRequestShrunkenPlayerBytes)&&this.Ha.get().Wz(!1)}; +g.k.onCueRangeEnter=function(a){a!==this.Iu?GD("Received CueRangeEnter signal for unknown layout.",this.pd(),this.Hb(),{cueRangeId:a}):(this.wc.get().removeCueRange(this.Iu),this.Iu=void 0,a=ZZ(this.Hb().Ba,"metadata_type_video_length_seconds"),b2(this,a,!0),this.md("complete"))}; +g.k.lW=function(a){"abandoned"!==a&&this.zd.get().Na("onAdComplete");this.zd.get().Na("onAdEnd",this.adCpn)}; +g.k.onCueRangeExit=function(){}; +g.k.Mj=function(a){"rendering"===this.Fc&&(this.shrunkenPlayerBytesConfig&&this.shrunkenPlayerBytesConfig.shouldRequestShrunkenPlayerBytes&&a>=(this.shrunkenPlayerBytesConfig.playerProgressOffsetSeconds||0)&&this.Ha.get().Wz(!0),b2(this,a))};g.w(a6a,W1);g.k=a6a.prototype;g.k.pd=function(){return this.j.pd()}; +g.k.Hb=function(){return this.j.Hb()}; +g.k.Ks=function(){this.j.init()}; +g.k.wt=function(){this.j.release()}; +g.k.Qv=function(){this.j.Qv()}; +g.k.ew=function(){this.j.ew()}; +g.k.gD=function(a,b){GD("Unexpected onSkipRequested from PlayerBytesVodSingleLayoutRenderingAdapter. Skip should be handled by Triggers",this.pd(),this.Hb(),{requestingSlot:a,requestingLayout:b})}; +g.k.Ft=function(a){this.j.startRendering(a)}; +g.k.It=function(a,b){this.j.Pg(a,b)}; +g.k.Tc=function(a,b){this.j.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);this.j.wd(a,b,c);b.layoutId===this.Hb().layoutId&&this.Mc.get().aA()}; +g.k.yV=function(){this.j.gG()}; +g.k.Mj=function(a){this.j.Mj(a)}; +g.k.wW=function(a){this.j.Jk(a)}; +g.k.fg=function(a,b,c){this.j.OC(a,b,c)}; +g.k.onFullscreenToggled=function(a){this.j.onFullscreenToggled(a)}; +g.k.Uh=function(a){this.j.Uh(a)}; +g.k.Ik=function(a){this.j.Ik(a)}; +g.k.onVolumeChange=function(){this.j.onVolumeChange()};d2.prototype.wf=function(a,b,c,d){if(a=c6a(a,b,c,d,this.Ue,this.j,this.Oa,this.Mb,this.hf,this.Pe,this.Va,this.Ha,this.wc,this.Mc,this.zd,this.Xf,this.Nb,this.dg,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.w(e2,g.C);g.k=e2.prototype;g.k.mW=function(a){if(!this.j){var b;null==(b=this.qf)||b.get().kt(a.identifier);return!1}d6a(this,this.j,a);return!0}; +g.k.eW=function(){}; +g.k.Nj=function(a){this.j&&this.j.contentCpn!==a&&(GD("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn}),this.j=null)}; +g.k.un=function(a){this.j&&this.j.contentCpn!==a&&GD("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn},!0);this.j=null}; +g.k.qa=function(){g.C.prototype.qa.call(this);this.j=null};g.w(f2,g.C);g.k=f2.prototype;g.k.Tc=function(a,b){var c=this;if("LAYOUT_TYPE_MEDIA"===b.layoutType&&fO(b,this.B)){var d=this.Va.get().vg(2),e=this.j(b,d||void 0,this.Ca.get().F.V().experiments.ob("enable_post_ad_perception_survey_in_tvhtml5"));e?zC(this.ac.get(),"OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",function(){var f=[T2a(c.Ib.get(),e.contentCpn,e.vp,function(h){return c.u(h.slotId,"core",e,c_(c.Jb.get(),h))},e.inPlayerSlotId)]; +e.instreamAdPlayerUnderlayRenderer&&U2a(c.Ca.get())&&f.push(e6a(c,e,e.instreamAdPlayerUnderlayRenderer));return f}):GD("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Lg=function(){}; +g.k.Qj=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.wd=function(){};var M2=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=i6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot)}; +g.k.release=function(){};h2.prototype.wf=function(a,b){return new i6a(a,b)};g.k=j6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot);C1(this.Ha.get(),"ad-showing")}; +g.k.release=function(){};g.k=k6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.u=this.Ha.get().isAtLiveHead();this.j=Math.ceil(Date.now()/1E3);this.callback.Lg(this.slot)}; +g.k.BF=function(){C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");var a=this.u?Infinity:this.Ha.get().getCurrentTimeSec(1,!0)+Math.floor(Date.now()/1E3)-this.j;this.Ha.get().F.seekTo(a,void 0,void 0,1);this.callback.Mg(this.slot)}; +g.k.release=function(){};g.k=l6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.callback.Lg(this.slot)}; +g.k.BF=function(){VP(this.Ha.get());C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");this.callback.Mg(this.slot)}; +g.k.release=function(){VP(this.Ha.get())};i2.prototype.wf=function(a,b){if(BC(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new j6a(a,b,this.Ha);if(b.slotEntryTrigger instanceof Z0&&BC(b,["metadata_type_served_from_live_infra"],"SLOT_TYPE_PLAYER_BYTES"))return new k6a(a,b,this.Ha);if(BC(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new l6a(a,b,this.Ha);throw new N("Unsupported slot with type "+b.slotType+" and client metadata: "+($Z(b.Ba)+" in PlayerBytesSlotAdapterFactory."));};g.w(k2,g.C);k2.prototype.j=function(a){for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"===d.category&&e.triggeringLayoutId===a&&b.push(d)}b.length?k0(this.gJ(),b):GD("Mute requested but no registered triggers can be activated.")};g.w(l2,k2);g.k=l2.prototype;g.k.gh=function(a,b){if(b)if("skip-button"===a){a=[];for(var c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"===d.category&&e.triggeringLayoutId===b&&a.push(d)}a.length&&k0(this.gJ(),a)}else V0(this.Ca.get(),"supports_multi_step_on_desktop")?"ad-action-submit-survey"===a&&m6a(this,b):"survey-submit"===a?m6a(this,b):"survey-single-select-answer-button"===a&&m6a(this,b)}; +g.k.nM=function(a){k2.prototype.j.call(this,a)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof I0||b instanceof H0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.lM=function(){}; +g.k.kM=function(){}; +g.k.hG=function(){};g.w(m2,g.C);g.k=m2.prototype; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof C0||b instanceof D0||b instanceof f1||b instanceof g1||b instanceof y0||b instanceof h1||b instanceof v4a||b instanceof A0||b instanceof B0||b instanceof F0||b instanceof u4a||b instanceof d1))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new j2(a,b,c,d);this.Wb.set(b.triggerId,a);b instanceof +y0&&this.D.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof C0&&this.B.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof A0&&this.u.has(b.triggeringLayoutId)&&k0(this.j(),[a])}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(a){this.D.add(a.slotId);for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof y0&&a.slotId===d.trigger.triggeringSlotId&&b.push(d);0XN(a,16)){a=g.t(this.j);for(var b=a.next();!b.done;b=a.next())this.onCueRangeEnter(b.value,!0);this.j.clear()}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(a,b){a=g.t(this.Wb.values());for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.Cu.trigger;c=c.Lu;if(o6a(d)&&d.layoutId===b.layoutId){var e=1E3*this.Ha.get().getCurrentTimeSec(1,!1);d instanceof b1?d=0:(d=e+d.offsetMs,e=0x7ffffffffffff);this.wc.get().addCueRange(c,d,e,!1,this)}}}; +g.k.wd=function(a,b,c){var d=this;a={};for(var e=g.t(this.Wb.values()),f=e.next();!f.done;a={xA:a.xA,Bp:a.Bp},f=e.next())f=f.value,a.Bp=f.Cu.trigger,a.xA=f.Lu,o6a(a.Bp)&&a.Bp.layoutId===b.layoutId?P4a(this.wc.get(),a.xA):a.Bp instanceof e1&&a.Bp.layoutId===b.layoutId&&"user_cancelled"===c&&(this.wc.get().removeCueRange(a.xA),g.gA(g.iA(),function(h){return function(){d.wc.get().addCueRange(h.xA,h.Bp.j.start,h.Bp.j.end,h.Bp.visible,d)}}(a)))}; +g.k.lj=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.onVolumeChange=function(){}; +g.k.Ul=function(){};g.w(p2,g.C);g.k=p2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof G0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.sy=function(){}; +g.k.Sr=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){};g.w(q2,g.C);g.k=q2.prototype;g.k.lj=function(a,b){for(var c=[],d=g.t(this.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&k0(this.j(),c)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof w4a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){};g.w(r2,g.C);r2.prototype.qa=function(){this.hn.isDisposed()||this.hn.get().removeListener(this);g.C.prototype.qa.call(this)};g.w(s2,g.C);s2.prototype.qa=function(){this.cf.isDisposed()||this.cf.get().removeListener(this);g.C.prototype.qa.call(this)};t2.prototype.fetch=function(a){var b=a.gT;return this.fu.fetch(a.MY,{nB:void 0===a.nB?void 0:a.nB,me:b}).then(function(c){return r6a(c,b)})};g.w(u2,g.C);g.k=u2.prototype;g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.iI=function(a){s6a(this,a,1)}; +g.k.onAdUxClicked=function(a,b){v2(this,function(c){c.gh(a,b)})}; +g.k.CN=function(a){v2(this,function(b){b.lM(a)})}; +g.k.BN=function(a){v2(this,function(b){b.kM(a)})}; +g.k.o5=function(a){v2(this,function(b){b.hG(a)})};g.w(w2,g.C);g.k=w2.prototype; +g.k.Nj=function(){this.D=new sO(this,S4a(this.Ca.get()));this.B=new tO;var a=this.F.getVideoData(1);if(!a.enableServerStitchedDai){var b=this.F.getVideoData(1),c;(null==(c=this.j)?void 0:c.clientPlaybackNonce)!==b.clientPlaybackNonce&&(null!=this.j&&this.j.unsubscribe("cuepointupdated",this.HN,this),b.subscribe("cuepointupdated",this.HN,this),this.j=b)}this.sI.length=0;var d;b=(null==(d=a.j)?void 0:Xva(d,0))||[];d=g.t(b);for(b=d.next();!b.done;b=d.next())b=b.value,this.gt(b)&&GD("Unexpected a GetAdBreak to go out without player waiting", +void 0,void 0,{cuePointId:b.identifier,cuePointEvent:b.event,contentCpn:a.clientPlaybackNonce})}; +g.k.un=function(){}; +g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.YN=function(a){this.sI.push(a);for(var b=!1,c=g.t(this.listeners),d=c.next();!d.done;d=c.next())b=d.value.mW(a)||b;this.C=b}; +g.k.fW=function(a){g.Nb(this.B.j,1E3*a);for(var b=g.t(this.listeners),c=b.next();!c.done;c=b.next())c.value.eW(a)}; +g.k.gt=function(a){u6a(this,a);this.D.reduce(a);a=this.C;this.C=!1;return a}; +g.k.HN=function(a){var b=this.F.getVideoData(1).isDaiEnabled();if(b||!g.FK(this.F.V())){a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,u6a(this,c),b?this.D.reduce(c):0!==this.F.getCurrentTime(1)&&"start"===c.event&&(this.Ca.get().F.V().experiments.ob("ignore_overlapping_cue_points_on_endemic_live_html5")&&(null==this.u?0:c.startSecs+c.Sg>=this.u.startSecs&&c.startSecs<=this.u.startSecs+this.u.Sg)?GD("Latest Endemic Live Web cue point overlaps with previous cue point"):(this.u=c,this.YN(c)))}}; +g.k.qa=function(){null!=this.j&&(this.j.unsubscribe("cuepointupdated",this.HN,this),this.j=null);this.listeners.length=0;this.sI.length=0;g.C.prototype.qa.call(this)};z2.prototype.addListener=function(a){this.listeners.push(a)}; +z2.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})};g.k=w6a.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.Ha.get().addListener(this);this.Ha.get().oF.push(this)}; +g.k.release=function(){this.Ha.get().removeListener(this);g5a(this.Ha.get(),this)}; +g.k.startRendering=function(a){this.callback.Tc(this.slot,a)}; +g.k.Pg=function(a,b){this.callback.wd(this.slot,a,b)}; +g.k.Ul=function(a){switch(a.id){case "part2viewed":this.Za.md("start");break;case "videoplaytime25":this.Za.md("first_quartile");break;case "videoplaytime50":this.Za.md("midpoint");break;case "videoplaytime75":this.Za.md("third_quartile");break;case "videoplaytime100":this.Za.md("complete");break;case "engagedview":if(!T4a(this.Ca.get())){this.Za.md("progress");break}y5a(this.Za)||this.Za.md("progress");break;case "conversionview":case "videoplaybackstart":case "videoplayback2s":case "videoplayback10s":break; +default:GD("Cue Range ID unknown in DiscoveryLayoutRenderingAdapter",this.slot,this.layout)}}; +g.k.onVolumeChange=function(){}; +g.k.Ik=function(){}; +g.k.Uh=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Jk=function(){}; +g.k.Mj=function(){}; +g.k.bW=function(a){T4a(this.Ca.get())&&y5a(this.Za)&&M1(this.Za,1E3*a,!1)};x6a.prototype.wf=function(a,b,c,d){b=["metadata_type_ad_placement_config"];for(var e=g.t(K1()),f=e.next();!f.done;f=e.next())b.push(f.value);if(H1(d,{Ae:b,Rf:["LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER"]}))return new w6a(a,c,d,this.Ha,this.Oa,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlaybackTrackingLayoutRenderingAdapterFactory.");};g.k=A2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.xf.get().addListener(this);this.Ha.get().addListener(this);this.Ks();var a=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),b=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms"),c,d=null==(c=this.Va.get().Nu)?void 0:c.clientPlaybackNonce;c=this.layout.Ac.adClientDataEntry;y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:b-a,contentCpn:d,adClientData:c}});var e=this.xf.get();e=uO(e.B,a,b);null!==e&&(y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:e-a,contentCpn:d, +cueDurationChange:"DAI_CUE_DURATION_CHANGE_SHORTER",adClientData:c}}),this.qf.get().Fu(e,b))}; +g.k.release=function(){this.wt();this.xf.get().removeListener(this);this.Ha.get().removeListener(this)}; +g.k.startRendering=function(){this.Ft();this.callback.Tc(this.slot,this.layout)}; +g.k.Pg=function(a,b){this.It(b);null!==this.driftRecoveryMs&&(z6a(this,{driftRecoveryMs:this.driftRecoveryMs.toString(),breakDurationMs:Math.round(y6a(this)-ZZ(this.layout.Ba,"metadata_type_layout_enter_ms")).toString(),driftFromHeadMs:Math.round(1E3*this.Ha.get().F.us()).toString()}),this.driftRecoveryMs=null);this.callback.wd(this.slot,this.layout,b)}; +g.k.mW=function(){return!1}; +g.k.eW=function(a){var b=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),c=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms");a*=1E3;if(b<=a&&aa.width&&C2(this.C,this.layout)}; +g.k.onVolumeChange=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Jk=function(){}; +g.k.Ul=function(){}; +g.k.qa=function(){P1.prototype.qa.call(this)}; +g.k.release=function(){P1.prototype.release.call(this);this.Ha.get().removeListener(this)};w7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,{Ae:["METADATA_TYPE_VALID_INSTREAM_SURVEY_AD_RENDERER_FOR_VOD"],Rf:["LAYOUT_TYPE_SURVEY"]}))return new v7a(c,d,a,this.vc,this.u,this.Ha,this.Ca);if(H1(d, +{Ae:["metadata_type_player_bytes_layout_controls_callback_ref","metadata_type_valid_survey_text_interstitial_renderer","metadata_type_ad_placement_config"],Rf:["LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT"]}))return new F2(c,d,a,this.vc,this.Oa);if(H1(d,J5a()))return new U1(c,d,a,this.vc,this.Ha,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebDesktopMainInPlayerLayoutRenderingAdapterFactory.");};g.w(L2,g.C);g.k=L2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof O3a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d));a=this.j.has(b.triggeringLayoutId)?this.j.get(b.triggeringLayoutId):new Set;a.add(b);this.j.set(b.triggeringLayoutId,a)}; +g.k.gm=function(a){this.Wb.delete(a.triggerId);if(!(a instanceof O3a))throw new N("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.u.get(a.triggerId);b&&(b.dispose(),this.u.delete(a.triggerId));if(b=this.j.get(a.triggeringLayoutId))b.delete(a),0===b.size&&this.j.delete(a.triggeringLayoutId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.Tc=function(a,b){var c=this;if(this.j.has(b.layoutId)){b=this.j.get(b.layoutId);a={};b=g.t(b);for(var d=b.next();!d.done;a={AA:a.AA},d=b.next())a.AA=d.value,d=new g.Ip(function(e){return function(){var f=c.Wb.get(e.AA.triggerId);k0(c.B(),[f])}}(a),a.AA.durationMs),d.start(),this.u.set(a.AA.triggerId,d)}}; +g.k.wd=function(){};g.w(y7a,g.C);z7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.w(A7a,g.C);g.w(B7a,g.C);g.w(C7a,g.C);g.w(N2,T1);N2.prototype.startRendering=function(a){T1.prototype.startRendering.call(this,a);ZZ(this.layout.Ba,"metadata_ad_video_is_listed")&&(a=ZZ(this.layout.Ba,"metadata_type_ad_info_ad_metadata"),this.Bm.get().F.Na("onAdMetadataAvailable",a))};E7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.w(F7a,g.C);G7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);if(a=V1(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.j,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.w(H7a,g.C);g.w(J7a,g.C);J7a.prototype.B=function(){return this.u};g.w(K7a,FQ); +K7a.prototype.C=function(a){var b=a.content;if("shopping-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,shoppingCompanionCarouselRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:this.j.Na("updateKevlarOrC3Companion",{})}else if("action-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1); +this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,actionCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b.renderer&&(b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})),this.j.Na("updateKevlarOrC3Companion",{})}else if("image-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion", +{contentVideoId:a&&a.videoId,imageCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId}),this.j.Na("updateKevlarOrC3Companion",{})}else if("ads-engagement-panel"===b.componentType)switch(b=b.renderer,a.actionType){case 1:case 2:this.j.Na("updateEngagementPanelAction",b.addAction);this.j.Na("changeEngagementPanelVisibility", +b.expandAction);break;case 3:this.j.Na("changeEngagementPanelVisibility",b.hideAction),this.j.Na("updateEngagementPanelAction",b.removeAction)}};g.w(L7a,NQ);g.k=L7a.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);g.Hm(this.B,"stroke-dasharray","0 "+this.u);this.api.V().K("enable_dark_mode_style_endcap_timed_pie_countdown")&&(this.B.classList.add("ytp-ad-timed-pie-countdown-inner-light"),this.C.classList.add("ytp-ad-timed-pie-countdown-outer-light"));this.show()}; +g.k.clear=function(){this.hide()}; +g.k.hide=function(){PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&g.Hm(this.B,"stroke-dasharray",a.current/a.seekableEnd*this.u+" "+this.u)}};g.w(M7a,eQ);g.k=M7a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&g.K(b.actionButton,g.mM))if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)g.CD(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!=e&& +0=this.B?(this.C.hide(),this.J=!0):this.messageText&&this.messageText.isTemplated()&&(a=Math.max(0,Math.ceil((this.B-a)/1E3)),a!==this.Z&&(MQ(this.messageText,{TIME_REMAINING:String(a)}),this.Z=a)))}};g.w(a8a,eQ);g.k=a8a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,{});b.image&&b.image.thumbnail?b.headline?b.description?b.actionButton&&g.K(b.actionButton,g.mM)?(this.B.init(fN("ad-image"),b.image,c),this.u.init(fN("ad-text"),b.headline,c),this.C.init(fN("ad-text"),b.description,c),a=["ytp-ad-underlay-action-button"],this.api.V().K("use_blue_buttons_for_desktop_player_underlay")&&a.push("ytp-ad-underlay-action-button-blue"),this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb, +a),b.backgroundColor&&g.Hm(this.element,"background-color",g.nR(b.backgroundColor)),g.E(this,this.actionButton),this.actionButton.Ea(this.D),this.actionButton.init(fN("button"),g.K(b.actionButton,g.mM),c),b=g.gJ(this.api.V().experiments,"player_underlay_video_width_fraction"),this.api.V().K("place_shrunken_video_on_left_of_player")?(c=this.j,g.Sp(c,"ytp-ad-underlay-left-container"),g.Qp(c,"ytp-ad-underlay-right-container"),g.Hm(this.j,"margin-left",Math.round(100*(b+.02))+"%")):(c=this.j,g.Sp(c,"ytp-ad-underlay-right-container"), +g.Qp(c,"ytp-ad-underlay-left-container")),g.Hm(this.j,"width",Math.round(100*(1-b-.04))+"%"),this.api.uG()&&this.show(),this.api.addEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this)),this.api.addEventListener("resize",this.qU.bind(this))):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no button.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no description AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no headline AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no image."))}; +g.k.show=function(){b8a(!0);this.actionButton&&this.actionButton.show();eQ.prototype.show.call(this)}; +g.k.hide=function(){b8a(!1);this.actionButton&&this.actionButton.hide();eQ.prototype.hide.call(this)}; +g.k.clear=function(){this.api.removeEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this));this.api.removeEventListener("resize",this.qU.bind(this));this.hide()}; +g.k.onClick=function(a){eQ.prototype.onClick.call(this,a);this.actionButton&&g.zf(this.actionButton.element,a.target)&&this.api.pauseVideo()}; +g.k.CQ=function(a){"transitioning"===a?(this.j.classList.remove("ytp-ad-underlay-clickable"),this.show()):"visible"===a?this.j.classList.add("ytp-ad-underlay-clickable"):"hidden"===a&&(this.hide(),this.j.classList.remove("ytp-ad-underlay-clickable"))}; +g.k.qU=function(a){1200a)g.CD(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&g.K(b.ctaButton,g.mM))if(b.brandImage)if(b.backgroundImage&&g.K(b.backgroundImage,U0)&&g.K(b.backgroundImage,U0).landscape){this.layoutId||g.CD(Error("Missing layoutId for survey interstitial."));p8a(this.interstitial,g.K(b.backgroundImage, +U0).landscape);p8a(this.logoImage,b.brandImage);g.Af(this.text,g.gE(b.text));var e=["ytp-ad-survey-interstitial-action-button"];this.api.V().K("web_modern_buttons_bl_survey")&&e.push("ytp-ad-survey-interstitial-action-button-rounded");this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,e);g.E(this,this.actionButton);this.actionButton.Ea(this.u);this.actionButton.init(fN("button"),g.K(b.ctaButton,g.mM),c);this.actionButton.show();this.j=new cR(this.api,1E3*a); +this.j.subscribe("g",function(){d.transition.hide()}); +g.E(this,this.j);this.S(this.element,"click",function(f){var h=f.target===d.interstitial;f=d.actionButton.element.contains(f.target);if(h||f)if(d.transition.hide(),h)d.api.onAdUxClicked(d.componentType,d.layoutId)}); +this.transition.show(100)}else g.CD(Error("SurveyTextInterstitialRenderer has no landscape background image."));else g.CD(Error("SurveyTextInterstitialRenderer has no brandImage."));else g.CD(Error("SurveyTextInterstitialRenderer has no button."));else g.CD(Error("SurveyTextInterstitialRenderer has no text."));else g.CD(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; +X2.prototype.clear=function(){this.hide()}; +X2.prototype.show=function(){q8a(!0);eQ.prototype.show.call(this)}; +X2.prototype.hide=function(){q8a(!1);eQ.prototype.hide.call(this)};var idb="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.w(Y2,FQ); +Y2.prototype.C=function(a){var b=a.id,c=a.content,d=c.componentType;if(!idb.includes(d))switch(a.actionType){case 1:a=this.api;var e=this.rb,f=c.layoutId,h=c.interactionLoggingClientData,l=c instanceof aO?c.pP:!1,m=c instanceof aO||c instanceof bR?c.gI:!1;h=void 0===h?{}:h;l=void 0===l?!1:l;m=void 0===m?!1:m;switch(d){case "invideo-overlay":a=new R7a(a,f,h,e);break;case "player-overlay":a=new lR(a,f,h,e,new gU(a),m);break;case "survey":a=new W2(a,f,h,e);break;case "ad-action-interstitial":a=new M7a(a, +f,h,e,l,m);break;case "survey-interstitial":a=new X2(a,f,h,e);break;case "ad-message":a=new Z7a(a,f,h,e,new gU(a,1));break;case "player-underlay":a=new a8a(a,f,h,e);break;default:a=null}if(!a){g.DD(Error("No UI component returned from ComponentFactory for type: "+d));break}g.$c(this.u,b)?g.DD(Error("Ad UI component already registered: "+b)):this.u[b]=a;a.bind(c);c instanceof l7a?this.B?this.B.append(a.VO):g.CD(Error("Underlay view was not created but UnderlayRenderer was created")):this.D.append(a.VO); +break;case 2:b=r8a(this,a);if(null==b)break;b.bind(c);break;case 3:c=r8a(this,a),null!=c&&(g.Za(c),g.$c(this.u,b)?g.id(this.u,b):g.DD(Error("Ad UI component does not exist: "+b)))}}; +Y2.prototype.qa=function(){g.$a(Object.values(this.u));this.u={};FQ.prototype.qa.call(this)};g.w(s8a,g.CT);g.k=s8a.prototype;g.k.create=function(){try{t8a(this),this.load(),this.created=!0,t8a(this)}catch(a){GD(a instanceof Error?a:String(a))}}; +g.k.load=function(){try{v8a(this)}finally{k1(O2(this.j).Di)&&this.player.jg("ad",1)}}; +g.k.destroy=function(){var a=this.player.getVideoData(1);this.j.j.Zs.un(a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; +g.k.unload=function(){g.CT.prototype.unload.call(this);zsa(!1);try{this.player.getRootNode().classList.remove("ad-created")}catch(b){GD(b instanceof Error?b:String(b))}if(null!==this.xe){var a=this.xe;this.xe=null;a.dispose()}null!=this.u&&(a=this.u,this.u=null,a.dispose());this.fu.reset()}; +g.k.Tk=function(){return!1}; +g.k.qP=function(){return null===this.xe?!1:this.xe.qP()}; +g.k.bp=function(a){null!==this.xe&&this.xe.bp(a)}; +g.k.getAdState=function(){return this.xe?this.xe.qG:-1}; +g.k.getOptions=function(){return Object.values(hdb)}; +g.k.qh=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":return a=b,a.url?(b=BN(this.player),Object.assign(b,a.s6a),this.xe&&!b.AD_CPN&&(b.AD_CPN=this.xe.GB()),a=g.xp(a.url,b)):a=null,a;case "onAboutThisAdPopupClosed":this.Ys(b);break;case "executeCommand":a=b;a.command&&a.layoutId&&this.executeCommand(a);break;default:return null}}; +g.k.gt=function(a){var b;return!(null==(b=this.j.j.xf)||!b.get().gt(a))}; +g.k.Ys=function(a){a.isMuted&&hEa(this.xe,O2(this.j).Kj,O2(this.j).Tl,a.layoutId);this.Gx&&this.Gx.Ys()}; +g.k.executeCommand=function(a){O2(this.j).rb.executeCommand(a.command,a.layoutId)};g.BT("ad",s8a);var B8a=g.mf&&A8a();g.w(g.Z2,g.C);g.Z2.prototype.start=function(a,b,c){this.config={from:a,to:b,duration:c,startTime:(0,g.M)()};this.next()}; +g.Z2.prototype.stop=function(){this.delay.stop();this.config=void 0}; +g.Z2.prototype.next=function(){if(this.config){var a=this.config,b=a.from,c=a.to,d=a.duration;a=a.startTime;var e=(0,g.M)()-a;a=this.j;d=Ala(a,e/d);if(0==d)a=a.J;else if(1==d)a=a.T;else{e=De(a.J,a.D,d);var f=De(a.D,a.I,d);a=De(a.I,a.T,d);e=De(e,f,d);f=De(f,a,d);a=De(e,f,d)}a=g.ze(a,0,1);this.callback(b+(c-b)*a);1>a&&this.delay.start()}};g.w(g.$2,g.U);g.k=g.$2.prototype;g.k.JZ=function(){this.B&&this.scrollTo(this.j-this.containerWidth)}; +g.k.show=function(){g.U.prototype.show.call(this);F8a(this)}; +g.k.KZ=function(){this.B&&this.scrollTo(this.j+this.containerWidth)}; +g.k.Hq=function(){this.Db(this.api.jb().getPlayerSize())}; +g.k.isShortsModeEnabled=function(){return this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.I.Sb()}; +g.k.Db=function(a){var b=this.isShortsModeEnabled()?.5625:16/9,c=this.I.yg();a=a.width-(c?112:58);c=Math.ceil(a/(c?320:192));var d=(a-8*c)/c;b=Math.floor(d/b);for(var e=g.t(this.u),f=e.next();!f.done;f=e.next())f=f.value.Da("ytp-suggestion-image"),f.style.width=d+"px",f.style.height=b+"px";this.suggestions.element.style.height=b+"px";this.D=d;this.Z=b;this.containerWidth=a;this.columns=c;this.j=0;this.suggestions.element.scrollLeft=-0;g.a3(this)}; +g.k.onVideoDataChange=function(){var a=this.api.V(),b=this.api.getVideoData();this.J=b.D?!1:a.C;this.suggestionData=b.suggestions?g.Rn(b.suggestions,function(c){return c&&!c.playlistId}):[]; +H8a(this);b.D?this.title.update({title:g.lO("More videos from $DNI_RELATED_CHANNEL",{DNI_RELATED_CHANNEL:b.author})}):this.title.update({title:this.isShortsModeEnabled()?"More shorts":"More videos"})}; +g.k.scrollTo=function(a){a=g.ze(a,this.containerWidth-this.suggestionData.length*(this.D+8),0);this.T.start(this.j,a,1E3);this.j=a;g.a3(this);F8a(this)};})(_yt_player); diff --git a/test/files/videos/related-topics/expected-info.json b/test/files/videos/related-topics/expected-info.json index d3b84416..6d27526c 100644 --- a/test/files/videos/related-topics/expected-info.json +++ b/test/files/videos/related-topics/expected-info.json @@ -11211,16 +11211,16 @@ }, { "compactVideoRenderer": { - "videoId": "5qap5aO4i9A", + "videoId": "jfKfPfyJRdk", "thumbnail": { "thumbnails": [ { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=-oaymwEYCKgBEF5IVfKriqkDCwgBFQAAiEIYAXAB&rs=AOn4CLCFCJQchCnUPIKD_R9SXv1_N75JKQ", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=-oaymwEYCKgBEF5IVfKriqkDCwgBFQAAiEIYAXAB&rs=AOn4CLCFCJQchCnUPIKD_R9SXv1_N75JKQ", "width": 168, "height": 94 }, { - "url": "https://i.ytimg.com/vi/5qap5aO4i9A/hqdefault_live.jpg?sqp=-oaymwEZCNACELwBSFXyq4qpAwsIARUAAIhCGAFwAQ==&rs=AOn4CLBmBdHg7yVILELBl9RL_IUp5d2bwg", + "url": "https://i.ytimg.com/vi/jfKfPfyJRdk/hqdefault_live.jpg?sqp=-oaymwEZCNACELwBSFXyq4qpAwsIARUAAIhCGAFwAQ==&rs=AOn4CLBmBdHg7yVILELBl9RL_IUp5d2bwg", "width": 336, "height": 188 } @@ -11270,13 +11270,13 @@ "clickTrackingParams": "CEsQpDAYDyITCJSWo9vZkO4CFUwRWAodN_0NO0iCwtXA6tKsuvwBmgEFCAEQ-B0=", "commandMetadata": { "webCommandMetadata": { - "url": "/watch?v=5qap5aO4i9A", + "url": "/watch?v=jfKfPfyJRdk", "webPageType": "WEB_PAGE_TYPE_WATCH", "rootVe": 3832 } }, "watchEndpoint": { - "videoId": "5qap5aO4i9A", + "videoId": "jfKfPfyJRdk", "nofollow": true } }, @@ -11373,7 +11373,7 @@ "addToPlaylistCommand": { "openMiniplayer": false, "openListPanel": true, - "videoId": "5qap5aO4i9A", + "videoId": "jfKfPfyJRdk", "listType": "PLAYLIST_EDIT_LIST_TYPE_QUEUE", "onCreateListCommand": { "clickTrackingParams": "CFEQ_pgEGAUiEwiUlqPb2ZDuAhVMEVgKHTf9DTs=", @@ -11385,13 +11385,13 @@ }, "createPlaylistServiceEndpoint": { "videoIds": [ - "5qap5aO4i9A" + "jfKfPfyJRdk" ], "params": "CAQ%3D" } }, "videoIds": [ - "5qap5aO4i9A" + "jfKfPfyJRdk" ] } }, @@ -11439,7 +11439,7 @@ "playlistId": "WL", "actions": [ { - "addedVideoId": "5qap5aO4i9A", + "addedVideoId": "jfKfPfyJRdk", "action": "ACTION_ADD_VIDEO" } ] @@ -11469,7 +11469,7 @@ } }, "addToPlaylistServiceEndpoint": { - "videoId": "5qap5aO4i9A" + "videoId": "jfKfPfyJRdk" } }, "trackingParams": "CEsQpDAYDyITCJSWo9vZkO4CFUwRWAodN_0NOw==", @@ -11653,7 +11653,7 @@ "playlistId": "WL", "actions": [ { - "addedVideoId": "5qap5aO4i9A", + "addedVideoId": "jfKfPfyJRdk", "action": "ACTION_ADD_VIDEO" } ] @@ -11672,7 +11672,7 @@ "actions": [ { "action": "ACTION_REMOVE_VIDEO_BY_VIDEO_ID", - "removedVideoId": "5qap5aO4i9A" + "removedVideoId": "jfKfPfyJRdk" } ] } @@ -11715,7 +11715,7 @@ "addToPlaylistCommand": { "openMiniplayer": false, "openListPanel": true, - "videoId": "5qap5aO4i9A", + "videoId": "jfKfPfyJRdk", "listType": "PLAYLIST_EDIT_LIST_TYPE_QUEUE", "onCreateListCommand": { "clickTrackingParams": "CEwQx-wEGAMiEwiUlqPb2ZDuAhVMEVgKHTf9DTs=", @@ -11727,13 +11727,13 @@ }, "createPlaylistServiceEndpoint": { "videoIds": [ - "5qap5aO4i9A" + "jfKfPfyJRdk" ], "params": "CAQ%3D" } }, "videoIds": [ - "5qap5aO4i9A" + "jfKfPfyJRdk" ] } } diff --git a/test/files/videos/related-topics/watch.html b/test/files/videos/related-topics/watch.html index 378078df..9994b7db 100644 --- a/test/files/videos/related-topics/watch.html +++ b/test/files/videos/related-topics/watch.html @@ -61,7 +61,7 @@
AboutPressCopyrightContact usCreatorsAdvertiseDevelopersTermsPrivacyPolicy & SafetyHow YouTube worksTest new features
\ No newline at end of file diff --git a/test/files/videos/use-backups/player_ias.vflset.js b/test/files/videos/use-backups/player_ias.vflset.js index 8e63698b..aab05559 100644 --- a/test/files/videos/use-backups/player_ias.vflset.js +++ b/test/files/videos/use-backups/player_ias.vflset.js @@ -1,8750 +1,12277 @@ var _yt_player={};(function(g){var window=this;/* + (The MIT License) + + Copyright (C) 2014 by Vitaly Puzrin + + 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. + + ----------------------------------------------------------------------------- + Ported from zlib, which is under the following license + https://github.com/madler/zlib/blob/master/zlib.h + + zlib.h -- interface of the 'zlib' general purpose compression library + version 1.2.8, April 28th, 2013 + Copyright (C) 1995-2013 Jean-loup Gailly and Mark Adler + This software is provided 'as-is', without any express or implied + warranty. In no event will the authors be held liable for any damages + arising from the use of this software. + Permission is granted to anyone to use this software for any purpose, + including commercial applications, and to alter it and redistribute it + freely, subject to the following restrictions: + 1. The origin of this software must not be misrepresented; you must not + claim that you wrote the original software. If you use this software + in a product, an acknowledgment in the product documentation would be + appreciated but is not required. + 2. Altered source versions must be plainly marked as such, and must not be + misrepresented as being the original software. + 3. This notice may not be removed or altered from any source distribution. + Jean-loup Gailly Mark Adler + jloup@gzip.org madler@alumni.caltech.edu + The data format used by the zlib library is described by RFCs (Request for + Comments) 1950 to 1952 in the files http://tools.ietf.org/html/rfc1950 + (zlib format), rfc1951 (deflate format) and rfc1952 (gzip format). +*/ +/* + + + The MIT License (MIT) + + Copyright (c) 2015-present Dan Abramov + + 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. +*/ +/* + Copyright The Closure Library Authors. SPDX-License-Identifier: Apache-2.0 */ -var ba,da,aaa,ha,ka,la,pa,qa,ra,sa,ta,ua,baa,caa,va,wa,daa,xa,za,Aa,Ba,Ca,Da,Ea,Ia,Ga,La,Ma,gaa,haa,Xa,Ya,Za,iaa,jaa,$a,kaa,bb,cb,laa,maa,eb,lb,naa,sb,tb,oaa,yb,vb,paa,wb,qaa,raa,saa,Hb,Jb,Kb,Ob,Qb,Rb,$b,bc,ec,fc,ic,jc,vaa,lc,nc,oc,xc,yc,Bc,Gc,Mc,Nc,Sc,Pc,zaa,Caa,Daa,Eaa,Wc,Xc,Zc,Yc,ad,dd,Faa,Gaa,cd,Haa,ld,md,nd,qd,sd,td,Jaa,ud,vd,zd,Ad,Bd,Cd,Dd,Ed,Fd,Gd,Ld,Nd,Od,Qd,Sd,Td,Laa,Ud,Vd,Wd,Xd,Yd,Zd,fe,he,ke,oe,pe,ve,we,ze,xe,Be,Ee,De,Ce,Qaa,me,Se,Oe,Pe,Ue,Te,le,Ve,We,Saa,$e,bf,Ze,df,ef,ff,gf,hf,jf,kf, -nf,Taa,uf,qf,Hf,Uaa,Lf,Nf,Pf,Vaa,Qf,Sf,Tf,Vf,Wf,Xf,Yf,Zf,ag,$f,bg,cg,Yaa,$aa,aba,cba,hg,ig,kg,mg,ng,dba,og,eba,pg,fba,qg,tg,zg,Ag,Dg,gba,Gg,Fg,Hg,hba,Qg,Rg,Sg,iba,Tg,Ug,Vg,Wg,Xg,Yg,Zg,jba,$g,ah,bh,kba,lba,ch,eh,dh,gh,hh,kh,ih,nba,jh,lh,mh,oh,nh,oba,ph,qba,pba,rba,sh,sba,uh,vh,wh,th,yh,tba,zh,uba,vba,Ch,xba,Dh,Eh,Fh,yba,Hh,Jh,Mh,Qh,Sh,Ph,Oh,Th,zba,Uh,Vh,Wh,Xh,Bba,bi,ci,di,ei,Dba,fi,gi,hi,ii,ji,Eba,li,mi,ni,oi,pi,qi,si,ti,ui,xi,yi,ri,zi,Ai,Bi,Fba,Ci,Di,Gba,Ei,Fi,Hba,Hi,Iba,Ii,Ji,Ki,Jba,Li,Mi,Oi,Si, -Ti,Ui,Vi,Wi,Ni,Pi,Lba,Xi,Yi,$i,Zi,Mba,Nba,Oba,aj,bj,cj,dj,Sba,Tba,Uba,ej,gj,Vba,Wba,Xba,ij,jj,Yba,kj,Zba,$ba,lj,mj,nj,aca,pj,qj,rj,sj,tj,uj,vj,wj,xj,yj,zj,bca,cca,Aj,dca,Cj,Bj,Fj,Gj,Ej,eca,ica,hca,Ij,jca,kca,lca,nca,mca,oca,Jj,Oj,Qj,Rj,Sj,qca,Uj,Vj,rca,sca,Wj,Xj,Yj,Zj,tca,ak,bk,vca,ck,wca,dk,fk,ek,gk,hk,jk,yca,kk,xca,lk,zca,nk,Aca,Bca,pk,rk,sk,tk,uk,qk,xk,yk,vk,Cca,Eca,Fca,Ak,Bk,Ck,Dk,Gca,Ek,Fk,Gk,Hk,Ik,Jk,Kk,Lk,Ok,Nk,Ica,Jca,Pk,Rk,Mk,Qk,Hca,Sk,Tk,Lca,Mca,Nca,Oca,Xk,Yk,Zk,Pca,Uk,$k,al,Kca,Qca,Rca, -Sca,dl,bl,el,gl,Xca,Tca,kl,ll,pl,ql,rl,sl,oj,Yca,tl,ul,Zca,$ca,ada,bda,cda,wl,xl,yl,zl,Al,Bl,fda,gda,Cl,Dl,Fl,Hl,ida,Il,Jl,Kl,Ll,Nl,Pl,jda,Ml,Vl,Wl,Sl,Zl,Yl,lda,Ql,Ol,bm,cm,dm,em,gm,nda,hm,im,oda,nm,pm,rm,sm,um,vm,wm,ym,pda,qda,Am,Cm,Dm,zm,Bm,qm,xm,sda,Gm,Em,Fm,Im,rda,Hm,Mm,Pm,Om,Um,Vm,Xm,vda,Wm,Zm,an,$m,tda,dn,fn,yda,hn,jn,ln,mn,nn,on,un,zda,wn,xn,Bda,yn,zn,Gda,Cda,Gn,Lda,Hn,In,Nda,Ln,Mn,Nn,On,Oda,$n,ao,bo,co,fo,go,ho,io,ko,lo,oo,po,qo,Rda,Sda,so,to,xo,uo,yo,Ao,Bo,zo,Tda,Eo,M,Ho,Ro,Qo,Wda,Xda,To, -Wo,Xo,Yo,Zo,Zda,$da,fp,gp,hp,aea,np,op,pp,rp,tp,qp,wp,zp,yp,xp,Bp,Hp,Gp,bea,eea,dea,Sp,Tp,Up,Vp,Wp,Xp,Yp,bq,$p,cq,dq,eq,hq,gq,hea,jq,iea,nq,mq,kea,oq,pq,lea,tq,mea,nea,rq,uq,oea,zq,Aq,Bq,Dq,pea,Iq,Hq,Cq,Jq,Kq,qea,rea,Rq,sea,tea,Sq,Uq,Vq,Tq,Wq,Xq,Yq,Zq,$q,ar,br,cr,er,fr,hr,ir,jr,lr,mr,nr,pr,rr,sr,dr,vr,wr,xr,Tr,yr,vea,Vr,Wr,wea,yea,xea,Rr,Xr,zea,Zr,uea,Aea,Sr,$r,Bea,as,Yr,Cea,bs,cs,ds,fs,gs,Dea,js,ks,ls,ms,os,ns,Eea,Fea,Gea,Hea,ps,qs,ts,vs,us,Jea,Iea,ws,ys,xs,As,Bs,Kea,Lea,Es,Gs,Fs,Mea,Pea,Ns,Os,Qea, -Qs,Ss,Us,Ts,Ws,Xs,Ys,$s,Zs,Sea,ct,dt,et,ft,kt,lt,it,Vea,Tea,mt,pt,qt,Xea,nt,ot,rt,tt,vt,wt,At,xt,Ct,Bt,Dt,Yea,Ht,It,Kt,$ea,Mt,Nt,Ot,Qt,afa,St,Ut,Vt,Zt,$t,bfa,Wt,cfa,hu,qu,ou,dfa,vu,uu,xu,tu,wu,yu,Au,Bu,zu,Cu,Du,Eu,Fu,Iu,Gu,ffa,Ju,Ku,Lu,Mu,Nu,gfa,Hu,Ou,Pu,Qu,Ru,Su,Tu,Uu,Vu,Wu,Xu,Yu,Zu,hfa,$u,ifa,av,bv,dv,fv,jfa,gv,kv,iv,ev,lv,hv,jv,mv,nv,ov,kfa,qv,rv,yv,lfa,uv,Av,Cv,Fv,Ev,wv,Bv,zv,mfa,Gv,Iv,Jv,nfa,Kv,Lv,tv,vv,xv,Dv,Mv,Nv,Ov,Pv,Qv,Rv,Sv,Tv,Uv,Vv,Wv,Xv,Yv,Zv,$v,bw,dw,cw,ew,fw,gw,iw,jw,lw,nw,ow,qw,ufa, -rw,tw,uw,vw,xw,yw,zw,Aw,ww,xfa,Bw,Cw,Dw,Ew,Fw,yfa,Gw,Hw,Iw,zfa,Afa,Bfa,Kw,Lw,Cfa,Nw,Dfa,Mw,Ow,Qw,Rw,Sw,Uw,Vw,Ww,Zw,$w,Xw,dx,ex,fx,gx,hx,ix,jx,bx,Mx,Nx,Px,Qx,Sx,Tx,Ux,Wx,Xx,Yx,Zx,$x,ay,by,Efa,cy,Ffa,hy,iy,Gfa,jy,Ifa,Jfa,Kfa,Lfa,my,Mfa,Nfa,Ofa,Pfa,ny,Qfa,Rfa,oy,Sfa,fy,ky,ly,Hfa,py,Tfa,Ufa,sy,uy,ty,Vfa,qy,ry,Wfa,Xfa,vy,wy,yy,Yfa,Zfa,$fa,aga,zy,Ay,By,Cy,Dy,Ey,Fy,Gy,Ny,Jy,cga,Py,Ky,Ly,Iy,My,Hy,Oy,Ty,Sy,Ry,Vy,Wy,ega,fga,Yy,Zy,gga,bz,hz,fz,kz,cz,lz,$y,nz,dz,az,jz,oz,pz,qz,sz,rz,tz,vz,wz,xz,Az,Bz,Cz,zz,Ez, -Hz,Iz,lga,Fz,oga,Gz,Qz,Sz,Rz,Lz,mga,pga,Tz,Uz,Mz,jga,Vz,Wz,Xz,cA,qga,dA,eA,fA,gA,hA,iA,jA,lA,kA,mA,nA,rA,tA,uA,vA,wA,yA,zA,CA,sA,pA,oA,qA,DA,EA,FA,GA,BA,xA,AA,HA,IA,JA,KA,MA,LA,NA,tga,ez,Oz,Nz,PA,gz,QA,RA,Xy,OA,SA,TA,VA,UA,vga,WA,XA,YA,ZA,$A,bB,aB,cB,wga,dB,eB,fB,gB,hB,xga,yga,Cga,Dga,zga,Aga,Bga,iB,jB,Ega,Fga,Gga,lB,mB,nB,Hga,oB,qB,rB,sB,tB,uB,wB,xB,yB,zB,AB,Iga,CB,BB,EB,DB,FB,GB,Jga,HB,JB,Lga,KB,Mga,Nga,LB,MB,Oga,Pga,Qga,NB,Rga,RB,OB,UB,Sga,Tga,VB,Uga,WB,XB,Vga,YB,ZB,Wga,Xga,Yga,SB,Zga,$B,aC,bC, -cC,dC,eC,bha,aha,gC,hC,fC,cha,dha,eha,mC,nC,pC,qC,rC,sC,tC,uC,oC,wC,fha,yC,zC,AC,iC,gha,CC,DC,EC,FC,GC,HC,IC,JC,LC,MC,KC,kha,lha,PC,OC,jha,iha,NC,QC,rga,RC,mha,SC,nha,oha,UC,WC,VC,TC,R,YC,ZC,$C,aD,bD,AD,BD,ED,FD,mD,rD,cD,vD,uD,yD,ID,KD,MD,QD,jD,RD,iD,SD,tD,xha,Aha,Bha,Cha,$D,aE,bE,cE,Dha,WD,dE,eE,VD,yha,gE,XD,YD,zha,hE,ZD,Eha,Fha,iE,Gha,jE,Hha,nE,kE,mE,lE,Iha,mz,hga,oE,pE,Jha,rE,sE,tE,yE,zE,qE,AE,xE,CE,DE,FE,EE,GE,HE,JE,KE,LE,ME,SE,OE,VE,PE,YE,WE,ZE,RE,Oha,$E,NE,bF,cF,Pha,fF,Rha,Sha,Tha,kF,Uha,jF, -lF,mF,nF,oF,pF,qF,Vha,rF,uF,Xha,vF,wF,xF,zF,BF,DF,FF,Zha,aia,bia,cia,EF,HF,JF,eia,KF,NF,fia,MF,QF,RF,LF,OF,sF,Wha,CF,Yha,gia,hia,tF,IF,AF,yF,PF,iia,jia,TF,SF,VF,WF,UF,XF,$F,kia,lia,aG,bG,gG,oia,pia,eG,mia,mG,yia,zia,rG,sG,tG,uG,vG,wG,xG,yG,zG,AG,BG,CG,DG,EG,FG,GG,HG,IG,JG,KG,LG,MG,NG,OG,PG,QG,RG,SG,TG,UG,VG,WG,XG,YG,ZG,$G,aH,bH,cH,dH,eH,fH,gH,Aia,jH,kH,lH,mH,nH,oH,pH,S,hH,qH,Bia,rH,sH,tH,uH,Cia,vH,wH,yH,Eia,zH,AH,Fia,Dia,Gia,BH,CH,Hia,DH,EH,Iia,Jia,FH,GH,Kia,Oia,HH,Lia,Nia,Mia,IH,Pia,JH,Qia,Ria,Sia, -YH,ZH,bI,aI,cI,dI,eI,fI,Uia,Via,Wia,hI,iI,lI,kI,Cla,nI,oI,jI,pI,qI,Dla,uI,yI,zI,BI,Gla,HI,JI,EI,KI,Fla,Hla,LI,NI,OI,MI,PI,Ila,DI,II,TI,Jla,Kla,Lla,Nla,UI,VI,Mla,XI,YI,ZI,aJ,bJ,GI,vI,dJ,xI,wI,fJ,SI,Ola,kJ,lJ,mJ,nJ,oJ,AI,qJ,pJ,RI,QI,rJ,cJ,CI,FI,Pla,tI,uJ,sI,gI,Qla,vJ,wJ,xJ,Rla,yJ,Sla,zJ,BJ,Tla,Ula,Wla,Vla,CJ,DJ,Xla,EJ,FJ,GJ,HJ,IJ,JJ,KJ,LJ,MJ,NJ,Yla,OJ,PJ,QJ,RJ,TJ,ama,SJ,bma,Zla,UJ,$la,VJ,cma,WJ,XJ,YJ,ZJ,$J,aK,bK,dK,cK,eK,gK,hK,ema,iK,oK,qK,kK,nK,tK,mK,vK,pK,wK,sK,rK,yK,lK,jK,zK,BK,AK,CK,DK,FK,HK,JK, -LK,MK,KK,IK,NK,PK,QK,RK,SK,TK,UK,VK,WK,XK,YK,ZK,$K,aL,bL,cL,dL,eL,fL,gL,hL,iL,jL,lL,mL,nL,oL,pL,qL,rL,sL,uL,vL,fma,wL,ima,gma,hma,jma,xL,yL,AL,BL,zL,CL,DL,kma,lma,EL,FL,mma,oma,pma,nma,HL,GL,IL,JL,KL,LL,ML,NL,OL,SL,TL,UL,VL,WL,XL,YL,qma,aM,bM,ZL,eM,cM,dM,rma,fM,sma,gM,hM,tma,iM,jM,kM,lM,nM,uma,wma,xma,qM,yma,pM,oM,vma,rM,tM,sM,uM,wM,vM,xM,zma,yM,BM,CM,DM,EM,HM,Bma,JM,LM,MM,NM,OM,PM,RM,Cma,TM,SM,Dma,Ema,UM,VM,WM,Fma,YM,XM,Gma,ZM,$M,Kma,Jma,bN,cN,aN,dN,Mma,eN,Nma,Oma,Qma,Pma,Rma,Sma,Tma,Uma,Vma,Wma, -Xma,Yma,fN,gN,Zma,$ma,ana,cna,dna,ena,fna,gna,oN,hna,ina,lN,mN,nN,pN,lna,jna,rN,qna,nna,ona,pna,rna,sN,sna,una,vna,tna,wna,tN,OK,zna,xna,vN,yna,Ana,wN,Cna,Dna,QM,mM,Bna,AN,BN,Fna,CN,DN,EN,Gna,Hna,Ina,FN,HN,Kna,IN,W,Lna,LN,Mna,Nna,ON,RN,SN,TN,UN,Pna,Qna,Rna,Sna,Tna,Una,Vna,ZN,Wna,$N,Xna,Yna,Zna,$na,aoa,dO,eO,fO,boa,gO,hO,iO,jO,kO,lO,nO,oO,pO,qO,rO,coa,sO,tO,doa,uO,eoa,foa,goa,ioa,hoa,joa,koa,loa,vO,moa,wO,noa,yO,poa,ooa,zO,AO,toa,qoa,soa,roa,BO,CO,uoa,DO,EO,voa,woa,xoa,yoa,FO,zoa,Aoa,GO,HO,JO,KO,LO, -Boa,NO,PO,Eoa,QO,RO,SO,Foa,Goa,Hoa,VO,Ioa,Joa,Koa,Loa,WO,UO,Moa,YO,Noa,ZO,$O,aP,dP,eP,fP,gP,hP,Ooa,iP,Poa,jP,kP,lP,mP,nP,oP,pP,Qoa,qP,rP,sP,tP,uP,Roa,Toa,Soa,Uoa,vP,Voa,Woa,wP,Xoa,xP,yP,zP,Yoa,Zoa,$oa,AP,CP,bpa,DP,EP,FP,GP,dpa,cpa,HP,IP,JP,KP,LP,MP,fpa,epa,NP,OP,X,PP,hpa,QP,lpa,kpa,opa,SP,ppa,TP,RP,UP,VP,XP,rpa,eQ,spa,fQ,$L,dQ,gQ,vpa,wpa,xpa,ypa,qpa,zpa,WP,Bpa,oQ,iQ,aQ,pQ,jQ,ZP,Cpa,Apa,YP,hQ,lQ,qQ,bQ,cQ,nQ,mQ,Epa,rQ,Gpa,Fpa,sQ,Y,Kpa,tQ,Lpa,Hpa,Mpa,uQ,Ppa,Npa,Upa,Rpa,Qpa,Xpa,Wpa,Ypa,aqa,$pa,dqa,fqa, -gqa,kqa,EQ,hqa,mqa,lqa,FQ,qG,nqa,HQ,nG,LQ,xia,MQ,MO,NQ,OQ,vQ,PQ,pqa,DQ,wQ,qqa,QQ,RQ,zQ,rqa,Tpa,xQ,yQ,CQ,sqa,tqa,SQ,TQ,GQ,BQ,AQ,iqa,Zpa,bqa,UQ,VQ,uqa,WQ,XQ,YQ,ZQ,$Q,aR,bR,cR,dR,iH,wqa,vqa,xqa,eqa,Spa,Opa,Jpa,Ipa,Vpa,jqa,cqa,eR,yqa,fR,kL,$P,tpa,IQ,gR,hR,zqa,Aqa,iR,Bqa,jR,kR,lR,qN,uN,Cqa,mR,Dqa,Eqa,Coa,oR,pR,Gqa,Fqa,qR,rR,sR,Doa,IO,Hqa,Iqa,uR,pG,vR,kQ,nR,Kqa,Lqa,Mqa,wR,xR,Nqa,Oqa,Pqa,Qqa,yR,zR,KQ,JQ,Rqa,AR,BR,Sqa,CR,DR,Tqa,Uqa,ER,FR,GR,HR,IR,Vqa,JR,Wqa,KR,LR,MR,NR,PR,QR,RR,TR,Xqa,SR,Yqa,Zqa,UR,ara,$qa, -VR,WR,bra,YR,cra,dra,ZR,era,fra,gra,$R,aS,bS,cS,dS,eS,hra,fS,gS,ira,hS,OR,iS,jS,kS,jra,lS,kra,mS,nS,oS,pS,qS,lra,mra,ora,qra,nra,rS,rra,sra,tra,sS,tS,uS,oqa,ura,vS,vra,wS,pra,wra,xra,yra,Ara,xS,yS,Bra,zS,Cra,Dra,AS,Era,BS,CS,DS,ES,FS,Fra,GS,Gra,Hra,Ira,Jra,IS,Kra,Lra,Mra,Nra,Pra,Ora,Qra,KS,Rra,Sra,oG,Tra,QS,Ura,Vra,SS,Wra,TS,Xra,Yra,US,VS,WS,$ra,XS,$S,asa,bsa,aT,cT,fG,csa,fsa,esa,dsa,gsa,isa,bT,dT,eT,fT,gT,hT,iT,jsa,ksa,kT,lsa,nsa,osa,msa,psa,lT,mT,ssa,rsa,Mq,Pq,usa,tsa,vsa,wsa,xsa,ysa,zsa,Bsa,oT, -Asa,Csa,pT,Dsa,Fsa,Gsa,Hsa,sT,tT,Isa,Lsa,uT,Msa,qT,Ksa,Nsa,Psa,rT,Osa,Jsa,Rsa,yT,wT,zT,xT,mna,Ssa,Tsa,Usa,Vsa,DT,CT,JT,Ena,UT,zra,gta,dU,hta,$sa,gU,kta,lta,hU,ita,jta,iU,jU,kU,qta,sta,mU,xta,pU,zta,wta,Ata,Bta,oU,yta,rU,sU,tU,uU,Wsa,vU,Cta,xU,Dta,wU,zU,Eta,CU,DU,IU,Gta,Hta,KU,JU,LU,Ita,Jta,NU,MU,Kta,PU,QU,Mta,Lta,TU,Ota,VU,RU,Pta,Qta,Rta,Nta,WU,ZU,Sta,YU,$U,bV,aV,Uta,Vta,gV,Wta,Xta,jV,Yta,aua,Zta,nV,oV,bua,rV,sV,uV,wV,cua,dua,zV,fua,yV,eua,gua,hua,CV,iua,jua,FV,GV,lua,kua,HV,IV,mua,nua,LV,pua,oua, -MV,NV,OV,qua,PV,QV,RV,SV,rua,TV,sua,UV,uua,tua,wua,vua,ZV,XV,YV,xua,yua,$V,zua,aW,bW,cW,dW,Aua,gW,Bua,iW,jW,kW,Cua,mW,nW,oW,pW,Dua,Gua,qW,Eua,Fua,rW,Kua,Lua,sW,Nua,Mua,Oua,Pua,Qua,vW,xW,yW,gX,Rua,Sua,Tua,Uua,Wua,Xua,Yua,kX,oX,$ua,ava,mX,iX,lX,qX,dva,rX,nX,Vua,cva,pX,Zua,bva,eva,fva,sX,tX,uX,vX,hva,yX,zX,AX,BX,CX,DX,iva,EX,GX,FX,HX,IX,jva,JX,kva,mva,lva,KX,LX,nva,MX,NX,ova,OX,pva,PX,qva,QX,RX,VX,UX,rva,TX,YX,sva,tva,ZX,$X,bY,uva,hV,yva,DV,vva,XX,xva,EV,wva,zva,Dva,Cva,fY,Eva,gY,Fva,hY,Gva,Hva,Iva, -Jva,kY,Ova,Rva,Pva,Lva,lY,jY,Kva,Qva,pY,Tva,Sva,qY,Wva,Yva,Zva,Xva,tY,$va,vY,fwa,yY,ewa,dwa,zY,uY,AY,bU,gwa,xY,$ha,jwa,hwa,wY,iwa,bwa,dia,CY,owa,EY,qwa,rwa,mwa,GY,swa,HY,kwa,JY,nwa,twa,IY,FY,uwa,cU,vwa,DY,xwa,NY,LY,OY,MY,PY,ywa,QY,RY,SY,TY,zwa,UY,VY,Bwa,$Y,Dwa,fK,Ewa,Fwa,cZ,bZ,aZ,Gwa,Hwa,dta,eta,Iwa,Jwa,eZ,fZ,gZ,Kwa,hZ,iZ,Lwa,Mwa,Nwa,Pwa,Owa,jZ,Qwa,Swa,Rwa,Uwa,lZ,Ywa,Vwa,Zwa,$wa,Xwa,axa,mZ,exa,cxa,dxa,hxa,ixa,jxa,kxa,lxa,kZ,mxa,gxa,bxa,nxa,oZ,oxa,Wwa,pxa,pZ,qZ,qxa,rxa,txa,uxa,rZ,sxa,sZ,tZ,uZ,wZ,wxa, -yxa,zxa,Bxa,Axa,xZ,xxa,zZ,yZ,Cxa,vZ,Dxa,AZ,DZ,Exa,Gxa,Fxa,CZ,Hxa,Ixa,Kxa,Jxa,Lxa,EZ,BZ,Mxa,Nxa,FZ,GZ,Pxa,Qxa,Rxa,Oxa,Sxa,Txa,Vxa,Xxa,Yxa,Uxa,$xa,aya,Wxa,JZ,bya,cya,dya,eya,KZ,LZ,OZ,PZ,gya,QZ,hya,iya,RZ,jya,UZ,kya,lya,nya,mya,oya,VZ,WZ,pya,XZ,YZ,ZZ,tya,a_,$Z,uya,d_,sya,vya,rya,c_,wya,b_,xya,e_,yya,fya,TZ,Aya,Bya,Cya,Dya,Eya,g_,h_,Fya,Gya,Hya,j_,Jya,l_,Kya,Lya,k_,i_,Iya,o_,n_,p_,m_,Mya,r_,Qya,u_,Rya,Oya,s_,v_,Pya,Sya,Tya,Vya,q_,Wya,Xya,Uya,t_,Yya,Nya,w_,x_,y_,$ya,bza,aza,cza,eza,dza,z_,A_,fza,B_,C_, -D_,E_,F_,G_,gza,hza,jza,kza,lza,mza,nza,oza,pza,H_,qza,rza,I_,J_,K_,L_,M_,N_,sza,O_,tza,uza,vza,wza,xza,zza,P_,Aza,Q_,Bza,Dza,Cza,Eza,Kza,Fza,Iza,Jza,Gza,Lza,Hza,Nza,R_,Pza,Qza,Rza,$_,xK,a0,vT,Uza,awa,Wza,b0,Z_,Xza,Yza,h0,d0,sY,Vza,j0,$za,k0,Qsa,g0,l0,U_,Zza,Sza,X_,o0,p0,eAa,mY,fAa,nY,Vva,n0,BY,c0,gAa,iAa,hAa,jAa,q0,Nva,Zsa,kAa,cAa,T_,lAa,r0,e0,V_,Y_,oY,Tza,s0,mAa,nAa,f0,oAa,Mva,m0,dAa,u0,wAa,rAa,dG,qAa,zAa,AAa,x0,aU,CAa,BAa,y0,fta,t0,C0,D0,EAa,E0,G0,uAa,vAa,M0,IAa,L0,v0,Q0,xAa,R0,FAa,LT,JAa,KAa, -I0,J0,H0,U0,PAa,z0,QAa,RAa,SAa,pwa,UAa,V0,P0,Uva,A0,KY,W0,X0,VAa,K0,DAa,T0,LAa,XAa,ata,AT,ZAa,O0,Z0,aBa,B0,VT,$0,bBa,cBa,a1,eBa,tAa,S0,fBa,sAa,b1,c1,Cwa,gBa,jBa,lBa,g1,h1,aa,fa,ea,eaa,Ha,Qa,faa;ba=function(a){return function(){return aa[a].apply(this,arguments)}}; -g.ca=function(a,b){return aa[a]=b}; -da=function(a){var b=0;return function(){return bb?null:"string"===typeof a?a.charAt(b):a[b]}; -eb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; -oaa=function(a){for(var b={},c=0,d=0;d>>1),n;c?n=b.call(e,a[m],m,a):n=b(d,a[m]);0b?1:ac&&g.ub(a,-(c+1),0,b)}; -g.Db=function(a,b,c){var d={};(0,g.Cb)(a,function(e,f){d[b.call(c,e,f,a)]=e}); +naa=function(a,b,c){a instanceof String&&(a=String(a));for(var d=a.length,e=0;eb?null:"string"===typeof a?a.charAt(b):a[b]}; +kb=function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f=arguments.length?Array.prototype.slice.call(a,b):Array.prototype.slice.call(a,b,c)}; +yaa=function(a){for(var b=0,c=0,d={};c>>1),m=void 0;c?m=b.call(void 0,a[l],l,a):m=b(d,a[l]);0b?1:ac&&g.Gb(a,-(c+1),0,b)}; +g.Pb=function(a,b,c){var d={};(0,g.Ob)(a,function(e,f){d[b.call(c,e,f,a)]=e}); return d}; -raa=function(a){for(var b=[],c=0;c")&&(a=a.replace(sc,">"));-1!=a.indexOf('"')&&(a=a.replace(tc,"""));-1!=a.indexOf("'")&&(a=a.replace(uc,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(vc,"�"))}return a}; -yc=function(a,b){return-1!=a.toLowerCase().indexOf(b.toLowerCase())}; -g.Cc=function(a,b){for(var c=0,d=Ac(String(a)).split("."),e=Ac(String(b)).split("."),f=Math.max(d.length,e.length),h=0;0==c&&hb?1:0}; -g.Ec=function(a,b){this.C=b===Dc?a:""}; -g.Fc=function(a){return a instanceof g.Ec&&a.constructor===g.Ec?a.C:"type_error:SafeUrl"}; -Gc=function(a){a=String(a);a=a.replace(/(%0A|%0D)/g,"");var b=a.match(xaa);return b&&yaa.test(b[1])?new g.Ec(a,Dc):null}; -g.Jc=function(a){a instanceof g.Ec||(a="object"==typeof a&&a.Rj?a.Tg():String(a),a=Hc.test(a)?new g.Ec(a,Dc):Gc(a));return a||Ic}; -g.Kc=function(a,b){if(a instanceof g.Ec)return a;a="object"==typeof a&&a.Rj?a.Tg():String(a);if(b&&/^data:/i.test(a)){var c=Gc(a)||Ic;if(c.Tg()==a)return c}Hc.test(a)||(a="about:invalid#zClosurez");return new g.Ec(a,Dc)}; -Mc=function(a,b){this.u=b===Lc?a:""}; -Nc=function(a){return a instanceof Mc&&a.constructor===Mc?a.u:"type_error:SafeStyle"}; -Sc=function(a){var b="",c;for(c in a)if(Object.prototype.hasOwnProperty.call(a,c)){if(!/^[-_a-zA-Z0-9]+$/.test(c))throw Error("Name allows only [-_a-zA-Z0-9], got: "+c);var d=a[c];null!=d&&(d=Array.isArray(d)?g.Oc(d,Pc).join(" "):Pc(d),b+=c+":"+d+";")}return b?new Mc(b,Lc):Rc}; -Pc=function(a){if(a instanceof g.Ec)return'url("'+g.Fc(a).replace(/>>0;return b}; -g.rd=function(a){var b=Number(a);return 0==b&&g.pc(a)?NaN:b}; -sd=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; -td=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; -Jaa=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; -ud=function(a,b,c,d,e,f,h){var l="";a&&(l+=a+":");c&&(l+="//",b&&(l+=b+"@"),l+=c,d&&(l+=":"+d));e&&(l+=e);f&&(l+="?"+f);h&&(l+="#"+h);return l}; -vd=function(a){return a?decodeURI(a):a}; -g.xd=function(a,b){return b.match(wd)[a]||null}; -g.yd=function(a){return vd(g.xd(3,a))}; -zd=function(a){a=a.match(wd);return ud(a[1],null,a[3],a[4])}; -Ad=function(a){a=a.match(wd);return ud(null,null,null,null,a[5],a[6],a[7])}; -Bd=function(a,b){if(a)for(var c=a.split("&"),d=0;db&&(b=a.length);var c=a.indexOf("?");if(0>c||c>b){c=b;var d=""}else d=a.substring(c+1,b);return[a.substr(0,c),d,a.substr(b)]}; -Dd=function(a,b){return b?a?a+"&"+b:b:a}; -Ed=function(a,b){if(!b)return a;var c=Cd(a);c[1]=Dd(c[1],b);return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Fd=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return nd(a.substr(d,e-d))}; -Sd=function(a,b){for(var c=a.search(Pd),d=0,e,f=[];0<=(e=Od(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.substr(d));return f.join("").replace(Kaa,"$1")}; -Td=function(a,b,c){return Nd(Sd(a,b),b,c)}; -Laa=function(a,b){var c=Cd(a),d=c[1],e=[];d&&d.split("&").forEach(function(f){var h=f.indexOf("=");b.hasOwnProperty(0<=h?f.substr(0,h):f)||e.push(f)}); -c[1]=Dd(e.join("&"),g.Kd(b));return c[0]+(c[1]?"?"+c[1]:"")+c[2]}; -Ud=function(){return Wc("iPhone")&&!Wc("iPod")&&!Wc("iPad")}; -Vd=function(){return Ud()||Wc("iPad")||Wc("iPod")}; -Wd=function(a){Wd[" "](a);return a}; -Xd=function(a,b){try{return Wd(a[b]),!0}catch(c){}return!1}; -Yd=function(a,b,c,d){d=d?d(b):b;return Object.prototype.hasOwnProperty.call(a,d)?a[d]:a[d]=c(b)}; -Zd=function(){var a=g.v.document;return a?a.documentMode:void 0}; -g.ae=function(a){return Yd(Maa,a,function(){return 0<=g.Cc($d,a)})}; -g.be=function(a){return Number(Naa)>=a}; -g.ce=function(a,b,c){return Math.min(Math.max(a,b),c)}; -g.de=function(a,b){var c=a%b;return 0>c*b?c+b:c}; -g.ee=function(a,b,c){return a+c*(b-a)}; -fe=function(a,b){return 1E-6>=Math.abs(a-b)}; -g.ge=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; -he=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; -g.ie=function(a,b){this.width=a;this.height=b}; -g.je=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; -ke=function(a){return a.width*a.height}; -oe=function(a){return a?new le(me(a)):ne||(ne=new le)}; -pe=function(a,b){return"string"===typeof b?a.getElementById(b):b}; -g.re=function(a,b){var c=b||document;return c.querySelectorAll&&c.querySelector?c.querySelectorAll("."+a):g.qe(document,"*",a,b)}; -g.se=function(a,b){var c=b||document;if(c.getElementsByClassName)c=c.getElementsByClassName(a)[0];else{c=document;var d=b||c;c=d.querySelectorAll&&d.querySelector&&a?d.querySelector(a?"."+a:""):g.qe(c,"*",a,b)[0]||null}return c||null}; -g.qe=function(a,b,c,d){a=d||a;b=b&&"*"!=b?String(b).toUpperCase():"";if(a.querySelectorAll&&a.querySelector&&(b||c))return a.querySelectorAll(b+(c?"."+c:""));if(c&&a.getElementsByClassName){a=a.getElementsByClassName(c);if(b){d={};for(var e=0,f=0,h;h=a[f];f++)b==h.nodeName&&(d[e++]=h);d.length=e;return d}return a}a=a.getElementsByTagName(b||"*");if(c){d={};for(f=e=0;h=a[f];f++)b=h.className,"function"==typeof b.split&&g.jb(b.split(/\s+/),c)&&(d[e++]=h);d.length=e;return d}return a}; -ve=function(a,b){g.Eb(b,function(c,d){c&&"object"==typeof c&&c.Rj&&(c=c.Tg());"style"==d?a.style.cssText=c:"class"==d?a.className=c:"for"==d?a.htmlFor=c:te.hasOwnProperty(d)?a.setAttribute(te[d],c):nc(d,"aria-")||nc(d,"data-")?a.setAttribute(d,c):a[d]=c})}; -we=function(a){a=a.document;a="CSS1Compat"==a.compatMode?a.documentElement:a.body;return new g.ie(a.clientWidth,a.clientHeight)}; -ze=function(a){var b=xe(a);a=a.parentWindow||a.defaultView;return g.ye&&g.ae("10")&&a.pageYOffset!=b.scrollTop?new g.ge(b.scrollLeft,b.scrollTop):new g.ge(a.pageXOffset||b.scrollLeft,a.pageYOffset||b.scrollTop)}; -xe=function(a){return a.scrollingElement?a.scrollingElement:g.Ae||"CSS1Compat"!=a.compatMode?a.body||a.documentElement:a.documentElement}; -Be=function(a){return a?a.parentWindow||a.defaultView:window}; -Ee=function(a,b,c){var d=arguments,e=document,f=String(d[0]),h=d[1];if(!Oaa&&h&&(h.name||h.type)){f=["<",f];h.name&&f.push(' name="',g.od(h.name),'"');if(h.type){f.push(' type="',g.od(h.type),'"');var l={};g.Zb(l,h);delete l.type;h=l}f.push(">");f=f.join("")}f=Ce(e,f);h&&("string"===typeof h?f.className=h:Array.isArray(h)?f.className=h.join(" "):ve(f,h));2a}; -Ue=function(a,b,c,d){if(!b&&!c)return null;var e=b?String(b).toUpperCase():null;return Te(a,function(f){return(!e||f.nodeName==e)&&(!c||"string"===typeof f.className&&g.jb(f.className.split(/\s+/),c))},!0,d)}; -Te=function(a,b,c,d){a&&!c&&(a=a.parentNode);for(c=0;a&&(null==d||c<=d);){if(b(a))return a;a=a.parentNode;c++}return null}; -le=function(a){this.u=a||g.v.document||document}; -Ve=function(a,b,c,d){var e=window,f="//pagead2.googlesyndication.com/bg/"+g.od(c)+".js";c=e.document;var h={};b&&(h._scs_=b);h._bgu_=f;h._bgp_=d;h._li_="v_h.3.0.0.0";(b=e.GoogleTyFxhY)&&"function"==typeof b.push||(b=e.GoogleTyFxhY=[]);b.push(h);e=oe(c).createElement("SCRIPT");e.type="text/javascript";e.async=!0;a=vaa(g.gc("//tpc.googlesyndication.com/sodar/%{path}"),{path:g.od(a)+".js"});g.kd(e,a);c.getElementsByTagName("head")[0].appendChild(e)}; -We=function(a,b){var c=void 0;return new (c||(c=Promise))(function(d,e){function f(m){try{l(b.next(m))}catch(n){e(n)}} -function h(m){try{l(b["throw"](m))}catch(n){e(n)}} -function l(m){m.done?d(m.value):(new c(function(n){n(m.value)})).then(f,h)} -l((b=b.apply(a,void 0)).next())})}; -Saa=function(a){return g.Oc(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; -g.Ye=function(a){for(var b=[],c=0,d=0;ce)b[d++]=String.fromCharCode(e);else if(191e){var f=a[c++];b[d++]=String.fromCharCode((e&31)<<6|f&63)}else if(239e){f=a[c++];var h=a[c++],l=a[c++];e=((e&7)<<18|(f&63)<<12|(h&63)<<6|l&63)-65536;b[d++]=String.fromCharCode(55296+(e>>10));b[d++]=String.fromCharCode(56320+(e&1023))}else f=a[c++],h=a[c++],b[d++]=String.fromCharCode((e&15)<<12|(f&63)<<6|h&63)}return b.join("")}; -$e=function(a,b,c){this.B=null;this.u=this.C=this.D=0;this.F=!1;a&&Ze(this,a,b,c)}; -bf=function(a,b,c){if(af.length){var d=af.pop();a&&Ze(d,a,b,c);return d}return new $e(a,b,c)}; -Ze=function(a,b,c,d){b=b.constructor===Uint8Array?b:b.constructor===ArrayBuffer?new Uint8Array(b):b.constructor===Array?new Uint8Array(b):b.constructor===String?g.cf(b):new Uint8Array(0);a.B=b;a.D=void 0!==c?c:0;a.C=void 0!==d?a.D+d:a.B.length;a.u=a.D}; -df=function(a){for(var b=128,c=0,d=0,e=0;4>e&&128<=b;e++)b=a.B[a.u++],c|=(b&127)<<7*e;128<=b&&(b=a.B[a.u++],c|=(b&127)<<28,d|=(b&127)>>4);if(128<=b)for(e=0;5>e&&128<=b;e++)b=a.B[a.u++],d|=(b&127)<<7*e+3;if(128>b){a=c>>>0;b=d>>>0;if(d=b&2147483648)a=~a+1>>>0,b=~b>>>0,0==a&&(b=b+1>>>0);a=4294967296*b+(a>>>0);return d?-a:a}a.F=!0}; -ef=function(a){var b=a.B;var c=b[a.u+0];var d=c&127;if(128>c)return a.u+=1,d;c=b[a.u+1];d|=(c&127)<<7;if(128>c)return a.u+=2,d;c=b[a.u+2];d|=(c&127)<<14;if(128>c)return a.u+=3,d;c=b[a.u+3];d|=(c&127)<<21;if(128>c)return a.u+=4,d;c=b[a.u+4];d|=(c&15)<<28;if(128>c)return a.u+=5,d>>>0;a.u+=5;128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&128<=b[a.u++]&&a.u++;return d}; -ff=function(a){this.u=bf(a,void 0,void 0);this.F=this.u.u;this.B=this.C=-1;this.D=!1}; -gf=function(a){var b=a.u;(b=b.u==b.C)||(b=a.D)||(b=a.u,b=b.F||0>b.u||b.u>b.C);if(b)return!1;a.F=a.u.u;b=ef(a.u);var c=b&7;if(0!=c&&5!=c&&1!=c&&2!=c&&3!=c&&4!=c)return a.D=!0,!1;a.C=b>>>3;a.B=c;return!0}; -hf=function(a){switch(a.B){case 0:if(0!=a.B)hf(a);else{for(a=a.u;a.B[a.u]&128;)a.u++;a.u++}break;case 1:1!=a.B?hf(a):a.u.advance(8);break;case 2:if(2!=a.B)hf(a);else{var b=ef(a.u);a.u.advance(b)}break;case 5:5!=a.B?hf(a):a.u.advance(4);break;case 3:b=a.C;do{if(!gf(a)){a.D=!0;break}if(4==a.B){a.C!=b&&(a.D=!0);break}hf(a)}while(1);break;default:a.D=!0}}; -jf=function(a){var b=ef(a.u);a=a.u;var c=a.B,d=a.u,e=d+b;b=[];for(var f="";dh)b.push(h);else if(192>h)continue;else if(224>h){var l=c[d++];b.push((h&31)<<6|l&63)}else if(240>h){l=c[d++];var m=c[d++];b.push((h&15)<<12|(l&63)<<6|m&63)}else if(248>h){l=c[d++];m=c[d++];var n=c[d++];h=(h&7)<<18|(l&63)<<12|(m&63)<<6|n&63;h-=65536;b.push((h>>10&1023)+55296,(h&1023)+56320)}8192<=b.length&&(f+=String.fromCharCode.apply(null,b),b.length=0)}c=f;if(8192>=b.length)b=String.fromCharCode.apply(null, -b);else{e="";for(f=0;fb||a.u+b>a.B.length)a.F=!0,b=new Uint8Array(0);else{var c=a.B.subarray(a.u,a.u+b);a.u+=b;b=c}return b}; -nf=function(){this.u=[]}; -g.of=function(a,b){for(;127>>=7;a.u.push(b)}; -g.pf=function(a,b){a.u.push(b>>>0&255);a.u.push(b>>>8&255);a.u.push(b>>>16&255);a.u.push(b>>>24&255)}; -g.sf=function(a,b){void 0===b&&(b=0);qf();for(var c=rf[b],d=[],e=0;e>2;f=(f&3)<<4|l>>4;l=(l&15)<<2|n>>6;n&=63;m||(n=64,h||(l=64));d.push(c[p],c[f],c[l]||"",c[n]||"")}return d.join("")}; -g.tf=function(a){for(var b=[],c=0,d=0;d>=8);b[c++]=e}return g.sf(b,3)}; -Taa=function(a){var b=[];uf(a,function(c){b.push(c)}); +Caa=function(a){for(var b=[],c=0;c")&&(a=a.replace(Laa,">"));-1!=a.indexOf('"')&&(a=a.replace(Maa,"""));-1!=a.indexOf("'")&&(a=a.replace(Naa,"'"));-1!=a.indexOf("\x00")&&(a=a.replace(Oaa,"�"));return a}; +g.Vb=function(a,b){return-1!=a.indexOf(b)}; +ac=function(a,b){return g.Vb(a.toLowerCase(),b.toLowerCase())}; +g.ec=function(a,b){var c=0;a=cc(String(a)).split(".");b=cc(String(b)).split(".");for(var d=Math.max(a.length,b.length),e=0;0==c&&eb?1:0}; +g.hc=function(){var a=g.Ea.navigator;return a&&(a=a.userAgent)?a:""}; +mc=function(a){return ic||jc?kc?kc.brands.some(function(b){return(b=b.brand)&&g.Vb(b,a)}):!1:!1}; +nc=function(a){return g.Vb(g.hc(),a)}; +oc=function(){return ic||jc?!!kc&&0=a}; +$aa=function(a){return g.Pc?"webkit"+a:a.toLowerCase()}; +Qc=function(a,b){g.ib.call(this,a?a.type:"");this.relatedTarget=this.currentTarget=this.target=null;this.button=this.screenY=this.screenX=this.clientY=this.clientX=0;this.key="";this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.altKey=this.ctrlKey=!1;this.state=null;this.pointerId=0;this.pointerType="";this.j=null;a&&this.init(a,b)}; +Rc=function(a){return!(!a||!a[aba])}; +cba=function(a,b,c,d,e){this.listener=a;this.proxy=null;this.src=b;this.type=c;this.capture=!!d;this.ud=e;this.key=++bba;this.removed=this.cF=!1}; +Sc=function(a){a.removed=!0;a.listener=null;a.proxy=null;a.src=null;a.ud=null}; +g.Tc=function(a,b,c){for(var d in a)b.call(c,a[d],d,a)}; +g.Uc=function(a,b,c){var d={},e;for(e in a)b.call(c,a[e],e,a)&&(d[e]=a[e]);return d}; +Vc=function(a,b){var c={},d;for(d in a)c[d]=b.call(void 0,a[d],d,a);return c}; +g.Wc=function(a,b,c){for(var d in a)if(b.call(c,a[d],d,a))return!0;return!1}; +dba=function(a,b){for(var c in a)if(!b.call(void 0,a[c],c,a))return!1;return!0}; +g.Xc=function(a){for(var b in a)return b}; +eba=function(a){for(var b in a)return a[b]}; +Yc=function(a){var b=[],c=0,d;for(d in a)b[c++]=a[d];return b}; +g.Zc=function(a){var b=[],c=0,d;for(d in a)b[c++]=d;return b}; +g.$c=function(a,b){return null!==a&&b in a}; +g.ad=function(a,b){for(var c in a)if(a[c]==b)return!0;return!1}; +gd=function(a,b){for(var c in a)if(b.call(void 0,a[c],c,a))return c}; +fba=function(a,b){return(b=gd(a,b))&&a[b]}; +g.hd=function(a){for(var b in a)return!1;return!0}; +g.gba=function(a){for(var b in a)delete a[b]}; +g.id=function(a,b){b in a&&delete a[b]}; +g.jd=function(a,b,c){return null!==a&&b in a?a[b]:c}; +g.kd=function(a,b){for(var c in a)if(!(c in b)||a[c]!==b[c])return!1;for(var d in b)if(!(d in a))return!1;return!0}; +g.md=function(a){var b={},c;for(c in a)b[c]=a[c];return b}; +g.nd=function(a){if(!a||"object"!==typeof a)return a;if("function"===typeof a.clone)return a.clone();if("undefined"!==typeof Map&&a instanceof Map)return new Map(a);if("undefined"!==typeof Set&&a instanceof Set)return new Set(a);if(a instanceof Date)return new Date(a.getTime());var b=Array.isArray(a)?[]:"function"!==typeof ArrayBuffer||"function"!==typeof ArrayBuffer.isView||!ArrayBuffer.isView(a)||a instanceof DataView?{}:new a.constructor(a.length),c;for(c in a)b[c]=g.nd(a[c]);return b}; +g.od=function(a,b){for(var c,d,e=1;ea.u&&(a.u++,b.next=a.j,a.j=b)}; +Ld=function(a){return function(){return a}}; +g.Md=function(){}; +rba=function(a){var b=b||0;return function(){return a.apply(this,Array.prototype.slice.call(arguments,0,b))}}; +Nd=function(a){var b=!1,c;return function(){b||(c=a(),b=!0);return c}}; +Od=function(a){var b=a;return function(){if(b){var c=b;b=null;c()}}}; +sba=function(a,b){var c=0;return function(d){g.Ea.clearTimeout(c);var e=arguments;c=g.Ea.setTimeout(function(){a.apply(b,e)},50)}}; +Ud=function(){if(void 0===Td){var a=null,b=g.Ea.trustedTypes;if(b&&b.createPolicy){try{a=b.createPolicy("goog#html",{createHTML:Ua,createScript:Ua,createScriptURL:Ua})}catch(c){g.Ea.console&&g.Ea.console.error(c.message)}Td=a}else Td=a}return Td}; +Vd=function(a,b){this.j=a===tba&&b||"";this.u=uba}; +Wd=function(a){return a instanceof Vd&&a.constructor===Vd&&a.u===uba?a.j:"type_error:Const"}; +g.Xd=function(a){return new Vd(tba,a)}; +Yd=function(a,b){this.j=b===vba?a:"";this.Qo=!0}; +wba=function(a){return a instanceof Yd&&a.constructor===Yd?a.j:"type_error:SafeScript"}; +xba=function(a){var b=Ud();a=b?b.createScript(a):a;return new Yd(a,vba)}; +Zd=function(a,b){this.j=b===yba?a:""}; +zba=function(a){return a instanceof Zd&&a.constructor===Zd?a.j:"type_error:TrustedResourceUrl"}; +Cba=function(a,b){var c=Wd(a);if(!Aba.test(c))throw Error("Invalid TrustedResourceUrl format: "+c);a=c.replace(Bba,function(d,e){if(!Object.prototype.hasOwnProperty.call(b,e))throw Error('Found marker, "'+e+'", in format string, "'+c+'", but no valid label mapping found in args: '+JSON.stringify(b));d=b[e];return d instanceof Vd?Wd(d):encodeURIComponent(String(d))}); +return $d(a)}; +$d=function(a){var b=Ud();a=b?b.createScriptURL(a):a;return new Zd(a,yba)}; +ae=function(a,b){this.j=b===Dba?a:""}; +g.be=function(a){return a instanceof ae&&a.constructor===ae?a.j:"type_error:SafeUrl"}; +Eba=function(a){var b=a.indexOf("#");0a*b?a+b:a}; +De=function(a,b,c){return a+c*(b-a)}; +Ee=function(a,b){return 1E-6>=Math.abs(a-b)}; +g.Fe=function(a,b){this.x=void 0!==a?a:0;this.y=void 0!==b?b:0}; +Ge=function(a,b){return a==b?!0:a&&b?a.x==b.x&&a.y==b.y:!1}; +g.He=function(a,b){this.width=a;this.height=b}; +g.Ie=function(a,b){return a==b?!0:a&&b?a.width==b.width&&a.height==b.height:!1}; +Je=function(a){return a.width*a.height}; +g.Ke=function(a){return encodeURIComponent(String(a))}; +Le=function(a){return decodeURIComponent(a.replace(/\+/g," "))}; +g.Me=function(a){return a=Ub(a)}; +g.Qe=function(a){return null==a?"":String(a)}; +Re=function(a){for(var b=0,c=0;c>>0;return b}; +Se=function(a){var b=Number(a);return 0==b&&g.Tb(a)?NaN:b}; +bca=function(a){return String(a).replace(/\-([a-z])/g,function(b,c){return c.toUpperCase()})}; +cca=function(){return"googleAvInapp".replace(/([A-Z])/g,"-$1").toLowerCase()}; +dca=function(a){return a.replace(RegExp("(^|[\\s]+)([a-z])","g"),function(b,c,d){return c+d.toUpperCase()})}; +eca=function(a){var b=1;a=a.split(":");for(var c=[];0a}; +Df=function(a,b,c){if(!b&&!c)return null;var d=b?String(b).toUpperCase():null;return Cf(a,function(e){return(!d||e.nodeName==d)&&(!c||"string"===typeof e.className&&g.rb(e.className.split(/\s+/),c))},!0)}; +Cf=function(a,b,c){a&&!c&&(a=a.parentNode);for(c=0;a;){if(b(a))return a;a=a.parentNode;c++}return null}; +Te=function(a){this.j=a||g.Ea.document||document}; +Ff=function(a){"function"!==typeof g.Ea.setImmediate||g.Ea.Window&&g.Ea.Window.prototype&&!tc()&&g.Ea.Window.prototype.setImmediate==g.Ea.setImmediate?(Ef||(Ef=nca()),Ef(a)):g.Ea.setImmediate(a)}; +nca=function(){var a=g.Ea.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!nc("Presto")&&(a=function(){var e=g.qf("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.Oa)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()}, +this); +f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); +if("undefined"!==typeof a&&!qc()){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.MS;c.MS=null;e()}}; +return function(e){d.next={MS:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.Ea.setTimeout(e,0)}}; +oca=function(a){g.Ea.setTimeout(function(){throw a;},0)}; +Gf=function(){this.u=this.j=null}; +Hf=function(){this.next=this.scope=this.fn=null}; +g.Mf=function(a,b){If||pca();Lf||(If(),Lf=!0);qca.add(a,b)}; +pca=function(){if(g.Ea.Promise&&g.Ea.Promise.resolve){var a=g.Ea.Promise.resolve(void 0);If=function(){a.then(rca)}}else If=function(){Ff(rca)}}; +rca=function(){for(var a;a=qca.remove();){try{a.fn.call(a.scope)}catch(b){oca(b)}qba(sca,a)}Lf=!1}; +g.Of=function(a){this.j=0;this.J=void 0;this.C=this.u=this.B=null;this.D=this.I=!1;if(a!=g.Md)try{var b=this;a.call(void 0,function(c){Nf(b,2,c)},function(c){Nf(b,3,c)})}catch(c){Nf(this,3,c)}}; +tca=function(){this.next=this.context=this.u=this.B=this.j=null;this.C=!1}; +Pf=function(a,b,c){var d=uca.get();d.B=a;d.u=b;d.context=c;return d}; +Qf=function(a){if(a instanceof g.Of)return a;var b=new g.Of(g.Md);Nf(b,2,a);return b}; +Rf=function(a){return new g.Of(function(b,c){c(a)})}; +g.wca=function(a,b,c){vca(a,b,c,null)||g.Mf(g.Pa(b,a))}; +xca=function(a){return new g.Of(function(b,c){a.length||b(void 0);for(var d=0,e;d=a.C&&a.gx()}; +Ica=function(a,b){return a.I.has(b)?void 0:a.u.get(b)}; +Jca=function(a){for(var b=0;b "+a)}; +eg=function(){throw Error("Invalid UTF8");}; +Vca=function(a,b){b=String.fromCharCode.apply(null,b);return null==a?b:a+b}; +Yca=function(a){var b=!1;b=void 0===b?!1:b;if(Wca){if(b&&/(?:[^\uD800-\uDBFF]|^)[\uDC00-\uDFFF]|[\uD800-\uDBFF](?![\uDC00-\uDFFF])/.test(a))throw Error("Found an unpaired surrogate");a=(Xca||(Xca=new TextEncoder)).encode(a)}else{for(var c=0,d=new Uint8Array(3*a.length),e=0;ef)d[c++]=f;else{if(2048>f)d[c++]=f>>6|192;else{if(55296<=f&&57343>=f){if(56319>=f&&e=h){f=1024*(f-55296)+h-56320+65536;d[c++]=f>> +18|240;d[c++]=f>>12&63|128;d[c++]=f>>6&63|128;d[c++]=f&63|128;continue}else e--}if(b)throw Error("Found an unpaired surrogate");f=65533}d[c++]=f>>12|224;d[c++]=f>>6&63|128}d[c++]=f&63|128}}a=c===d.length?d:d.subarray(0,c)}return a}; +Zca=function(a){return Array.prototype.map.call(a,function(b){b=b.toString(16);return 1e?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296==(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return b}; +g.gg=function(a,b){void 0===b&&(b=0);ada();b=bda[b];for(var c=Array(Math.floor(a.length/3)),d=b[64]||"",e=0,f=0;e>2];h=b[(h&3)<<4|l>>4];l=b[(l&15)<<2|m>>6];m=b[m&63];c[f++]=""+n+h+l+m}n=0;m=d;switch(a.length-e){case 2:n=a[e+1],m=b[(n&15)<<2]||d;case 1:a=a[e],c[f]=""+b[a>>2]+b[(a&3)<<4|n>>4]+m+d}return c.join("")}; +g.hg=function(a,b){if(cda&&!b)a=g.Ea.btoa(a);else{for(var c=[],d=0,e=0;e>=8);c[d++]=f}a=g.gg(c,b)}return a}; +eda=function(a){var b=[];dda(a,function(c){b.push(c)}); return b}; -g.cf=function(a){!g.ye||g.ae("10");var b=a.length,c=3*b/4;c%3?c=Math.floor(c):-1!="=.".indexOf(a[b-1])&&(c=-1!="=.".indexOf(a[b-2])?c-2:c-1);var d=new Uint8Array(c),e=0;uf(a,function(f){d[e++]=f}); -return d.subarray(0,e)}; -uf=function(a,b){function c(m){for(;d>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; -qf=function(){if(!vf){vf={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));rf[c]=d;for(var e=0;eb;b++)a.u.push(c&127|128),c>>=7;a.u.push(1)}}; -g.Cf=function(a,b,c){if(null!=c&&null!=c){g.of(a.u,8*b);a=a.u;var d=c;c=0>d;d=Math.abs(d);b=d>>>0;d=Math.floor((d-b)/4294967296);d>>>=0;c&&(d=~d>>>0,b=(~b>>>0)+1,4294967295>>7|b<<25)>>>0,b>>>=7;a.u.push(c)}}; -g.Df=function(a,b,c){if(null!=c){g.of(a.u,8*b+1);a=a.u;var d=c;d=(c=0>d?1:0)?-d:d;if(0===d)g.Bf=0<1/d?0:2147483648,g.Af=0;else if(isNaN(d))g.Bf=2147483647,g.Af=4294967295;else if(1.7976931348623157E308>>0,g.Af=0;else if(2.2250738585072014E-308>d)d/=Math.pow(2,-1074),g.Bf=(c<<31|d/4294967296)>>>0,g.Af=d>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;g.Af=4503599627370496* -d>>>0}g.pf(a,g.Af);g.pf(a,g.Bf)}}; -g.Ef=function(){}; -g.Jf=function(a,b,c,d){a.u=null;b||(b=[]);a.I=void 0;a.C=-1;a.Mf=b;a:{if(b=a.Mf.length){--b;var e=a.Mf[b];if(!(null===e||"object"!=typeof e||Array.isArray(e)||Ff&&e instanceof Uint8Array)){a.D=b-a.C;a.B=e;break a}}a.D=Number.MAX_VALUE}a.F={};if(c)for(b=0;b>4);64!=h&&(b(f<<4&240|h>>2),64!=l&&b(h<<6&192|l))}}; +ada=function(){if(!rg){rg={};for(var a="ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789".split(""),b=["+/=","+/","-_=","-_.","-_"],c=0;5>c;c++){var d=a.concat(b[c].split(""));bda[c]=d;for(var e=0;ea;a=Math.abs(a);var c=a>>>0;a=Math.floor((a-c)/4294967296);b&&(c=g.t(qda(c,a)),b=c.next().value,a=c.next().value,c=b);Ag=c>>>0;Bg=a>>>0}; +tda=function(a){if(16>a.length)rda(Number(a));else if(sda)a=BigInt(a),Ag=Number(a&BigInt(4294967295))>>>0,Bg=Number(a>>BigInt(32)&BigInt(4294967295));else{var b=+("-"===a[0]);Bg=Ag=0;for(var c=a.length,d=0+b,e=(c-b)%6+b;e<=c;d=e,e+=6)d=Number(a.slice(d,e)),Bg*=1E6,Ag=1E6*Ag+d,4294967296<=Ag&&(Bg+=Ag/4294967296|0,Ag%=4294967296);b&&(b=g.t(qda(Ag,Bg)),a=b.next().value,b=b.next().value,Ag=a,Bg=b)}}; +qda=function(a,b){b=~b;a?a=~a+1:b+=1;return[a,b]}; +Cg=function(a,b){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.init(a,void 0,void 0,b)}; +Eg=function(a){var b=0,c=0,d=0,e=a.u,f=a.j;do{var h=e[f++];b|=(h&127)<d&&h&128);32>4);for(d=3;32>d&&h&128;d+=7)h=e[f++],c|=(h&127)<h){a=b>>>0;h=c>>>0;if(c=h&2147483648)a=~a+1>>>0,h=~h>>>0,0==a&&(h=h+1>>>0);a=4294967296*h+(a>>>0);return c?-a:a}throw dg();}; +Dg=function(a,b){a.j=b;if(b>a.B)throw Uca(a.B,b);}; +Fg=function(a){var b=a.u,c=a.j,d=b[c++],e=d&127;if(d&128&&(d=b[c++],e|=(d&127)<<7,d&128&&(d=b[c++],e|=(d&127)<<14,d&128&&(d=b[c++],e|=(d&127)<<21,d&128&&(d=b[c++],e|=d<<28,d&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128&&b[c++]&128)))))throw dg();Dg(a,c);return e}; +Gg=function(a){var b=a.u,c=a.j,d=b[c+0],e=b[c+1],f=b[c+2];b=b[c+3];a.advance(4);return(d<<0|e<<8|f<<16|b<<24)>>>0}; +Hg=function(a){var b=Gg(a),c=Gg(a);a=2*(c>>31)+1;var d=c>>>20&2047;b=4294967296*(c&1048575)+b;return 2047==d?b?NaN:Infinity*a:0==d?a*Math.pow(2,-1074)*b:a*Math.pow(2,d-1075)*(b+4503599627370496)}; +Ig=function(a){for(var b=0,c=a.j,d=c+10,e=a.u;cb)throw Error("Tried to read a negative byte length: "+b);var c=a.j,d=c+b;if(d>a.B)throw Uca(b,a.B-c);a.j=d;return c}; +wda=function(a,b){if(0==b)return wg();var c=uda(a,b);a.XE&&a.D?c=a.u.subarray(c,c+b):(a=a.u,b=c+b,c=c===b?tg():vda?a.slice(c,b):new Uint8Array(a.subarray(c,b)));return pda(c)}; +Kg=function(a,b){if(Jg.length){var c=Jg.pop();c.init(a,void 0,void 0,b);a=c}else a=new Cg(a,b);this.j=a;this.B=this.j.j;this.u=this.C=-1;xda(this,b)}; +xda=function(a,b){b=void 0===b?{}:b;a.mL=void 0===b.mL?!1:b.mL}; +yda=function(a){var b=a.j;if(b.j==b.B)return!1;a.B=a.j.j;var c=Fg(a.j)>>>0;b=c>>>3;c&=7;if(!(0<=c&&5>=c))throw Tca(c,a.B);if(1>b)throw Error("Invalid field number: "+b+" (at position "+a.B+")");a.C=b;a.u=c;return!0}; +Lg=function(a){switch(a.u){case 0:0!=a.u?Lg(a):Ig(a.j);break;case 1:a.j.advance(8);break;case 2:if(2!=a.u)Lg(a);else{var b=Fg(a.j)>>>0;a.j.advance(b)}break;case 5:a.j.advance(4);break;case 3:b=a.C;do{if(!yda(a))throw Error("Unmatched start-group tag: stream EOF");if(4==a.u){if(a.C!=b)throw Error("Unmatched end-group tag");break}Lg(a)}while(1);break;default:throw Tca(a.u,a.B);}}; +Mg=function(a,b,c){var d=a.j.B,e=Fg(a.j)>>>0,f=a.j.j+e,h=f-d;0>=h&&(a.j.B=f,c(b,a,void 0,void 0,void 0),h=f-a.j.j);if(h)throw Error("Message parsing ended unexpectedly. Expected to read "+(e+" bytes, instead read "+(e-h)+" bytes, either the data ended unexpectedly or the message misreported its own length"));a.j.j=f;a.j.B=d}; +Pg=function(a){var b=Fg(a.j)>>>0;a=a.j;var c=uda(a,b);a=a.u;if(zda){var d=a,e;(e=Ng)||(e=Ng=new TextDecoder("utf-8",{fatal:!0}));a=c+b;d=0===c&&a===d.length?d:d.subarray(c,a);try{var f=e.decode(d)}catch(n){if(void 0===Og){try{e.decode(new Uint8Array([128]))}catch(p){}try{e.decode(new Uint8Array([97])),Og=!0}catch(p){Og=!1}}!Og&&(Ng=void 0);throw n;}}else{f=c;b=f+b;c=[];for(var h=null,l,m;fl?c.push(l):224>l?f>=b?eg():(m=a[f++],194>l||128!==(m&192)?(f--,eg()):c.push((l&31)<<6|m&63)): +240>l?f>=b-1?eg():(m=a[f++],128!==(m&192)||224===l&&160>m||237===l&&160<=m||128!==((d=a[f++])&192)?(f--,eg()):c.push((l&15)<<12|(m&63)<<6|d&63)):244>=l?f>=b-2?eg():(m=a[f++],128!==(m&192)||0!==(l<<28)+(m-144)>>30||128!==((d=a[f++])&192)||128!==((e=a[f++])&192)?(f--,eg()):(l=(l&7)<<18|(m&63)<<12|(d&63)<<6|e&63,l-=65536,c.push((l>>10&1023)+55296,(l&1023)+56320))):eg(),8192<=c.length&&(h=Vca(h,c),c.length=0);f=Vca(h,c)}return f}; +Ada=function(a){var b=Fg(a.j)>>>0;return wda(a.j,b)}; +Bda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Dda=function(a){if(!a)return Cda||(Cda=new Bda(0,0));if(!/^\d+$/.test(a))return null;tda(a);return new Bda(Ag,Bg)}; +Eda=function(a,b){this.u=a>>>0;this.j=b>>>0}; +Gda=function(a){if(!a)return Fda||(Fda=new Eda(0,0));if(!/^-?\d+$/.test(a))return null;tda(a);return new Eda(Ag,Bg)}; +Zg=function(){this.j=[]}; +Hda=function(a,b,c){for(;0>>7|c<<25)>>>0,c>>>=7;a.j.push(b)}; +$g=function(a,b){for(;127>>=7;a.j.push(b)}; +Ida=function(a,b){if(0<=b)$g(a,b);else{for(var c=0;9>c;c++)a.j.push(b&127|128),b>>=7;a.j.push(1)}}; +ah=function(a,b){a.j.push(b>>>0&255);a.j.push(b>>>8&255);a.j.push(b>>>16&255);a.j.push(b>>>24&255)}; +Jda=function(){this.B=[];this.u=0;this.j=new Zg}; +bh=function(a,b){0!==b.length&&(a.B.push(b),a.u+=b.length)}; +Kda=function(a,b){ch(a,b,2);b=a.j.end();bh(a,b);b.push(a.u);return b}; +Lda=function(a,b){var c=b.pop();for(c=a.u+a.j.length()-c;127>>=7,a.u++;b.push(c);a.u++}; +Mda=function(a,b){if(b=b.uC){bh(a,a.j.end());for(var c=0;c>>0,c=Math.floor((c-b)/4294967296)>>>0,Ag=b,Bg=c,ah(a,Ag),ah(a,Bg)):(c=Dda(c),a=a.j,b=c.j,ah(a,c.u),ah(a,b)))}; +dh=function(a,b,c){ch(a,b,2);$g(a.j,c.length);bh(a,a.j.end());bh(a,c)}; +fh=function(a,b){if(eh)return a[eh]|=b;if(void 0!==a.So)return a.So|=b;Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return b}; +Oda=function(a,b){var c=gh(a);(c&b)!==b&&(Object.isFrozen(a)&&(a=Array.prototype.slice.call(a)),hh(a,c|b));return a}; +Pda=function(a,b){eh?a[eh]&&(a[eh]&=~b):void 0!==a.So&&(a.So&=~b)}; +gh=function(a){var b;eh?b=a[eh]:b=a.So;return null==b?0:b}; +hh=function(a,b){eh?a[eh]=b:void 0!==a.So?a.So=b:Object.defineProperties(a,{So:{value:b,configurable:!0,writable:!0,enumerable:!1}});return a}; +ih=function(a){fh(a,1);return a}; +jh=function(a){return!!(gh(a)&2)}; +Qda=function(a){fh(a,16);return a}; +Rda=function(a,b){hh(b,(a|0)&-51)}; +kh=function(a,b){hh(b,(a|18)&-41)}; +Sda=function(a){return null!==a&&"object"===typeof a&&!Array.isArray(a)&&a.constructor===Object}; +lh=function(a,b,c,d){if(null==a){if(!c)throw Error();}else if("string"===typeof a)a=a?new vg(a,ug):wg();else if(a.constructor!==vg)if(sg(a))a=d?pda(a):a.length?new vg(new Uint8Array(a),ug):wg();else{if(!b)throw Error();a=void 0}return a}; +nh=function(a){mh(gh(a.Re))}; +mh=function(a){if(a&2)throw Error();}; +oh=function(a){if(null!=a&&"number"!==typeof a)throw Error("Value of float/double field must be a number|null|undefined, found "+typeof a+": "+a);return a}; +Tda=function(a){return a.displayName||a.name||"unknown type name"}; +Uda=function(a){return null==a?a:!!a}; +Vda=function(a){return a}; +Wda=function(a){return a}; +Xda=function(a){return a}; +Yda=function(a){return a}; +ph=function(a,b){if(!(a instanceof b))throw Error("Expected instanceof "+Tda(b)+" but got "+(a&&Tda(a.constructor)));return a}; +rh=function(a,b,c,d){var e=!1;if(null!=a&&"object"===typeof a&&!(e=Array.isArray(a))&&a.pN===qh)return a;if(!e)return c?d&2?(a=b[Zda])?b=a:(a=new b,fh(a.Re,18),b=b[Zda]=a):b=new b:b=void 0,b;e=c=gh(a);0===e&&(e|=d&16);e|=d&2;e!==c&&hh(a,e);return new b(a)}; +$da=function(a){var b=a.u+a.vu;0<=b&&Number.isInteger(b);return a.mq||(a.mq=a.Re[b]={})}; +Ah=function(a,b,c){return-1===b?null:b>=a.u?a.mq?a.mq[b]:void 0:c&&a.mq&&(c=a.mq[b],null!=c)?c:a.Re[b+a.vu]}; +H=function(a,b,c,d){nh(a);return Bh(a,b,c,d)}; +Bh=function(a,b,c,d){a.C&&(a.C=void 0);if(b>=a.u||d)return $da(a)[b]=c,a;a.Re[b+a.vu]=c;(c=a.mq)&&b in c&&delete c[b];return a}; +Ch=function(a,b,c){return void 0!==aea(a,b,c,!1)}; +Eh=function(a,b,c,d,e){var f=Ah(a,b,d);Array.isArray(f)||(f=Dh);var h=gh(f);h&1||ih(f);if(e)h&2||fh(f,18),c&1||Object.freeze(f);else{e=!(c&2);var l=h&2;c&1||!l?e&&h&16&&!l&&Pda(f,16):(f=ih(Array.prototype.slice.call(f)),Bh(a,b,f,d))}return f}; +bea=function(a,b){var c=Ah(a,b);var d=null==c?c:"number"===typeof c||"NaN"===c||"Infinity"===c||"-Infinity"===c?Number(c):void 0;null!=d&&d!==c&&Bh(a,b,d);return d}; +cea=function(a,b){var c=Ah(a,b),d=lh(c,!0,!0,!!(gh(a.Re)&18));null!=d&&d!==c&&Bh(a,b,d);return d}; +Fh=function(a,b,c,d,e){var f=jh(a.Re),h=Eh(a,b,e||1,d,f),l=gh(h);if(!(l&4)){Object.isFrozen(h)&&(h=ih(h.slice()),Bh(a,b,h,d));for(var m=0,n=0;mc||c>=a.length)throw Error();return a[c]}; +mea=function(a,b){ci=b;a=new a(b);ci=void 0;return a}; +oea=function(a,b){return nea(b)}; +nea=function(a){switch(typeof a){case "number":return isFinite(a)?a:String(a);case "object":if(a&&!Array.isArray(a)){if(sg(a))return gda(a);if(a instanceof vg){var b=a.j;return null==b?"":"string"===typeof b?b:a.j=gda(b)}}}return a}; +pea=function(a,b,c,d,e,f){if(null!=a){if(Array.isArray(a))a=e&&0==a.length&&gh(a)&1?void 0:f&&gh(a)&2?a:di(a,b,c,void 0!==d,e,f);else if(Sda(a)){var h={},l;for(l in a)h[l]=pea(a[l],b,c,d,e,f);a=h}else a=b(a,d);return a}}; +di=function(a,b,c,d,e,f){var h=gh(a);d=d?!!(h&16):void 0;a=Array.prototype.slice.call(a);for(var l=0;lh&&"number"!==typeof a[h]){var l=a[h++];c(b,l)}for(;hd?-2147483648:0)?-d:d,1.7976931348623157E308>>0,Ag=0;else if(2.2250738585072014E-308>d)b=d/Math.pow(2,-1074),Bg=(c|b/4294967296)>>>0,Ag=b>>>0;else{var e=d;b=0;if(2<=e)for(;2<=e&&1023>b;)b++,e/=2;else for(;1>e&&-1022>>0;Ag=4503599627370496*d>>>0}ah(a, +Ag);ah(a,Bg)}}; +oi=function(a,b,c){b=Ah(b,c);null!=b&&("string"===typeof b&&Gda(b),null!=b&&(ch(a,c,0),"number"===typeof b?(a=a.j,rda(b),Hda(a,Ag,Bg)):(c=Gda(b),Hda(a.j,c.u,c.j))))}; +pi=function(a,b,c){a:if(b=Ah(b,c),null!=b){switch(typeof b){case "string":b=+b;break a;case "number":break a}b=void 0}null!=b&&null!=b&&(ch(a,c,0),Ida(a.j,b))}; +Lea=function(a,b,c){b=Uda(Ah(b,c));null!=b&&(ch(a,c,0),a.j.j.push(b?1:0))}; +Mea=function(a,b,c){b=Ah(b,c);null!=b&&dh(a,c,Yca(b))}; +Nea=function(a,b,c,d,e){b=Mh(b,d,c);null!=b&&(c=Kda(a,c),e(b,a),Lda(a,c))}; +Oea=function(a){return function(){var b=new Jda;Cea(this,b,li(a));bh(b,b.j.end());for(var c=new Uint8Array(b.u),d=b.B,e=d.length,f=0,h=0;hv;v+=4)r[v/4]=q[v]<<24|q[v+1]<<16|q[v+2]<<8|q[v+3];for(v=16;80>v;v++)q=r[v-3]^r[v-8]^r[v-14]^r[v-16],r[v]=(q<<1|q>>>31)&4294967295;q=e[0];var x=e[1],z=e[2],B=e[3],F=e[4];for(v=0;80>v;v++){if(40>v)if(20>v){var G=B^x&(z^B);var D=1518500249}else G=x^z^B,D=1859775393;else 60>v?(G=x&z|B&(x|z),D=2400959708):(G=x^z^B,D=3395469782);G=((q<<5|q>>>27)&4294967295)+G+F+D+r[v]&4294967295;F=B;B=z;z=(x<<30|x>>>2)&4294967295;x=q;q=G}e[0]=e[0]+q&4294967295;e[1]=e[1]+x&4294967295;e[2]= +e[2]+z&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+F&4294967295} +function c(q,r){if("string"===typeof q){q=unescape(encodeURIComponent(q));for(var v=[],x=0,z=q.length;xn?c(l,56-n):c(l,64-(n-56));for(var v=63;56<=v;v--)f[v]=r&255,r>>>=8;b(f);for(v=r=0;5>v;v++)for(var x=24;0<=x;x-=8)q[r++]=e[v]>>x&255;return q} +for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,I2:function(){for(var q=d(),r="",v=0;vc&&(c=a.length);var d=a.indexOf("?");if(0>d||d>c){d=c;var e=""}else e=a.substring(d+1,c);a=[a.slice(0,d),e,a.slice(c)];c=a[1];a[1]=b?c?c+"&"+b:b:c;return a[0]+(a[1]?"?"+a[1]:"")+a[2]}; +Xi=function(a,b,c){if(Array.isArray(b))for(var d=0;dd)return null;var e=a.indexOf("&",d);if(0>e||e>c)e=c;d+=b.length+1;return Le(a.slice(d,-1!==e?e:0))}; +mj=function(a,b){for(var c=a.search(xfa),d=0,e,f=[];0<=(e=wfa(a,d,b,c));)f.push(a.substring(d,e)),d=Math.min(a.indexOf("&",e)+1||c,c);f.push(a.slice(d));return f.join("").replace(yfa,"$1")}; +zfa=function(a,b,c){return $i(mj(a,b),b,c)}; +g.nj=function(a){g.Fd.call(this);this.headers=new Map;this.T=a||null;this.B=!1;this.ya=this.j=null;this.Z="";this.u=0;this.C="";this.D=this.Ga=this.ea=this.Aa=!1;this.J=0;this.oa=null;this.Ja="";this.La=this.I=!1}; +Bfa=function(a,b,c,d,e,f,h){var l=new g.nj;Afa.push(l);b&&l.Ra("complete",b);l.CG("ready",l.j2);f&&(l.J=Math.max(0,f));h&&(l.I=h);l.send(a,c,d,e)}; +Cfa=function(a){return g.mf&&"number"===typeof a.timeout&&void 0!==a.ontimeout}; +Efa=function(a,b){a.B=!1;a.j&&(a.D=!0,a.j.abort(),a.D=!1);a.C=b;a.u=5;Dfa(a);oj(a)}; +Dfa=function(a){a.Aa||(a.Aa=!0,a.dispatchEvent("complete"),a.dispatchEvent("error"))}; +Ffa=function(a){if(a.B&&"undefined"!=typeof pj)if(a.ya[1]&&4==g.qj(a)&&2==a.getStatus())a.getStatus();else if(a.ea&&4==g.qj(a))g.ag(a.yW,0,a);else if(a.dispatchEvent("readystatechange"),a.isComplete()){a.getStatus();a.B=!1;try{if(rj(a))a.dispatchEvent("complete"),a.dispatchEvent("success");else{a.u=6;try{var b=2a.ib()?"https://www.google.com/log?format=json&hasfast=true":"https://play.google.com/log?format=json&hasfast=true");return a.Z}; +Vfa=function(a,b){a.D=new g.Ki(1>b?1:b,3E5,.1);a.j.setInterval(a.D.getValue())}; +Xfa=function(a){Wfa(a,function(b,c){b=$i(b,"format","json");var d=!1;try{d=nf().navigator.sendBeacon(b,c.jp())}catch(e){}a.ya&&!d&&(a.ya=!1);return d})}; +Wfa=function(a,b){if(0!==a.u.length){var c=mj(Ufa(a),"format");c=vfa(c,"auth",a.La(),"authuser",a.sessionIndex||"0");for(var d=0;10>d&&a.u.length;++d){var e=a.u.slice(0,32),f=a.C.wf(e,a.J,a.I);if(!b(c,f)){++a.I;break}a.J=0;a.I=0;a.u=a.u.slice(e.length)}a.j.enabled&&a.j.stop()}}; +Yfa=function(a){g.ib.call(this,"event-logged",void 0);this.j=a}; +Sfa=function(a,b){this.B=b=void 0===b?!1:b;this.u=this.locale=null;this.j=new Ofa;H(this.j,2,a);b||(this.locale=document.documentElement.getAttribute("lang"));zj(this,new $h)}; +zj=function(a,b){I(a.j,$h,1,b);Ah(b,1)||H(b,1,1);a.B||(b=Bj(a),Ah(b,5)||H(b,5,a.locale));a.u&&(b=Bj(a),Mh(b,wj,9)||I(b,wj,9,a.u))}; +Zfa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,1,b))}; +$fa=function(a,b){Ch(Mh(a.j,$h,1),xj,11)&&(a=Cj(a),H(a,2,b))}; +cga=function(a,b){var c=void 0===c?aga:c;b(nf(),c).then(function(d){a.u=d;d=Bj(a);I(d,wj,9,a.u);return!0}).catch(function(){return!1})}; +Bj=function(a){a=Mh(a.j,$h,1);var b=Mh(a,xj,11);b||(b=new xj,I(a,xj,11,b));return b}; +Cj=function(a){a=Bj(a);var b=Mh(a,vj,10);b||(b=new vj,H(b,2,!1),I(a,vj,10,b));return b}; +dga=function(a,b,c){Bfa(a.url,function(d){d=d.target;rj(d)?b(g.sj(d)):c(d.getStatus())},a.requestType,a.body,a.dw,a.timeoutMillis,a.withCredentials)}; +Dj=function(a,b){g.C.call(this);this.I=a;this.Ga=b;this.C="https://play.google.com/log?format=json&hasfast=true";this.D=!1;this.oa=dga;this.j=""}; +Ej=function(a,b,c,d,e,f){a=void 0===a?-1:a;b=void 0===b?"":b;c=void 0===c?"":c;d=void 0===d?!1:d;e=void 0===e?"":e;g.C.call(this);f?b=f:(a=new Dj(a,"0"),a.j=b,g.E(this,a),""!=c&&(a.C=c),d&&(a.D=!0),e&&(a.u=e),b=a.wf());this.j=b}; +ega=function(a){switch(a){case 200:return 0;case 400:return 3;case 401:return 16;case 403:return 7;case 404:return 5;case 409:return 10;case 412:return 9;case 429:return 8;case 499:return 1;case 500:return 2;case 501:return 12;case 503:return 14;case 504:return 4;default:return 2}}; +fga=function(a){switch(a){case 0:return"OK";case 1:return"CANCELLED";case 2:return"UNKNOWN";case 3:return"INVALID_ARGUMENT";case 4:return"DEADLINE_EXCEEDED";case 5:return"NOT_FOUND";case 6:return"ALREADY_EXISTS";case 7:return"PERMISSION_DENIED";case 16:return"UNAUTHENTICATED";case 8:return"RESOURCE_EXHAUSTED";case 9:return"FAILED_PRECONDITION";case 10:return"ABORTED";case 11:return"OUT_OF_RANGE";case 12:return"UNIMPLEMENTED";case 13:return"INTERNAL";case 14:return"UNAVAILABLE";case 15:return"DATA_LOSS"; +default:return""}}; +Fj=function(a,b,c){c=void 0===c?{}:c;b=Error.call(this,b);this.message=b.message;"stack"in b&&(this.stack=b.stack);this.code=a;this.metadata=c}; +Gj=function(){var a,b,c;return null!=(c=null==(a=globalThis.performance)?void 0:null==(b=a.now)?void 0:b.call(a))?c:Date.now()}; +Hj=function(a,b){this.logger=a;this.j=b;this.startMillis=Gj()}; +Ij=function(a,b){this.logger=a;this.operation=b;this.startMillis=Gj()}; +gga=function(a,b){var c=Gj()-a.startMillis;a.logger.fN(b?"h":"m",c)}; +hga=function(){}; +iga=function(a,b){this.sf=a;a=new Dj(1654,"0");a.u="10";if(b){var c=new Qea;b=fea(c,b,Vda);a.B=b}b=new Ej(1654,"","",!1,"",a.wf());b=new g.cg(b);this.clientError=new Mca(b);this.J=new Lca(b);this.T=new Kca(b);this.I=new Nca(b);this.B=new Oca(b);this.C=new Pca(b);this.j=new Qca(b);this.D=new Rca(b);this.u=new Sca(b)}; +jga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fiec",{Xe:3,We:"rk"},{Xe:2,We:"ec"})}; +Jj=function(a,b,c){a.j.yl("/client_streamz/bg/fiec",b,c)}; +kga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fil",{Xe:3,We:"rk"})}; +lga=function(a){this.j=a;this.j.jk("/client_streamz/bg/fsc",{Xe:3,We:"rk"})}; +mga=function(a){this.j=a;this.j.Jx("/client_streamz/bg/fsl",{Xe:3,We:"rk"})}; +pga=function(a){function b(){c-=d;c-=e;c^=e>>>13;d-=e;d-=c;d^=c<<8;e-=c;e-=d;e^=d>>>13;c-=d;c-=e;c^=e>>>12;d-=e;d-=c;d^=c<<16;e-=c;e-=d;e^=d>>>5;c-=d;c-=e;c^=e>>>3;d-=e;d-=c;d^=c<<10;e-=c;e-=d;e^=d>>>15} +a=nga(a);for(var c=2654435769,d=2654435769,e=314159265,f=a.length,h=f,l=0;12<=h;h-=12,l+=12)c+=Kj(a,l),d+=Kj(a,l+4),e+=Kj(a,l+8),b();e+=f;switch(h){case 11:e+=a[l+10]<<24;case 10:e+=a[l+9]<<16;case 9:e+=a[l+8]<<8;case 8:d+=a[l+7]<<24;case 7:d+=a[l+6]<<16;case 6:d+=a[l+5]<<8;case 5:d+=a[l+4];case 4:c+=a[l+3]<<24;case 3:c+=a[l+2]<<16;case 2:c+=a[l+1]<<8;case 1:c+=a[l+0]}b();return oga.toString(e)}; +nga=function(a){for(var b=[],c=0;ca.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; -g.Eg=function(a){var b=me(a),c=new g.ge(0,0);var d=b?me(b):document;d=!g.ye||g.be(9)||"CSS1Compat"==oe(d).u.compatMode?d.documentElement:d.body;if(a==d)return c;a=Dg(a);b=ze(oe(b).u);c.x=a.left+b.x;c.y=a.top+b.y;return c}; -Gg=function(a,b){var c=new g.ge(0,0),d=Be(me(a));if(!Xd(d,"parent"))return c;var e=a;do{var f=d==b?g.Eg(e):Fg(e);c.x+=f.x;c.y+=f.y}while(d&&d!=b&&d!=d.parent&&(e=d.frameElement)&&(d=d.parent));return c}; -g.Jg=function(a,b){var c=Hg(a),d=Hg(b);return new g.ge(c.x-d.x,c.y-d.y)}; -Fg=function(a){a=Dg(a);return new g.ge(a.left,a.top)}; -Hg=function(a){if(1==a.nodeType)return Fg(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.ge(a.clientX,a.clientY)}; -g.Kg=function(a,b,c){if(b instanceof g.ie)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Bg(b,!0);a.style.height=g.Bg(c,!0)}; -g.Bg=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; -g.Lg=function(a){var b=hba;if("none"!=Ag(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; -hba=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Ae&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Dg(a),new g.ie(a.right-a.left,a.bottom-a.top)):new g.ie(b,c)}; -g.Mg=function(a,b){a.style.display=b?"":"none"}; -Qg=function(){if(Ng&&!bg(Og)){var a="."+Pg.domain;try{for(;2b)throw Error("Bad port number "+b);a.C=b}else a.C=null}; +Fk=function(a,b,c){b instanceof Hk?(a.u=b,Uga(a.u,a.J)):(c||(b=Ik(b,Vga)),a.u=new Hk(b,a.J))}; +g.Jk=function(a,b,c){a.u.set(b,c)}; +g.Kk=function(a){return a instanceof g.Bk?a.clone():new g.Bk(a)}; +Gk=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; +Ik=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,Wga),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; +Wga=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; +Hk=function(a,b){this.u=this.j=null;this.B=a||null;this.C=!!b}; +Ok=function(a){a.j||(a.j=new Map,a.u=0,a.B&&Vi(a.B,function(b,c){a.add(Le(b),c)}))}; +Xga=function(a,b){Ok(a);b=Pk(a,b);return a.j.has(b)}; +g.Yga=function(a,b,c){a.remove(b);0>7,a.error.code].concat(g.fg(b)))}; +kl=function(a,b,c){dl.call(this,a);this.I=b;this.clientState=c;this.B="S";this.u="q"}; +el=function(a){return new Promise(function(b){return void setTimeout(b,a)})}; +ll=function(a,b){return Promise.race([a,el(12E4).then(b)])}; +ml=function(a){this.j=void 0;this.C=new g.Wj;this.state=1;this.B=0;this.u=void 0;this.Qu=a.Qu;this.jW=a.jW;this.onError=a.onError;this.logger=a.k8a?new hga:new iga(a.sf,a.WS);this.DH=!!a.DH}; +qha=function(a,b){var c=oha(a);return new ml({sf:a,Qu:c,onError:b,WS:void 0})}; +rha=function(a,b,c){var d=window.webpocb;if(!d)throw new cl(4,Error("PMD:Undefined"));d=d(yg(Gh(b,1)));if(!(d instanceof Function))throw new cl(16,Error("APF:Failed"));return new gl(a.logger,c,d,Th(Zh(b,3),0),1E3*Th(Zh(b,2),0))}; +sha=function(a){var b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B;return g.A(function(F){switch(F.j){case 1:b=void 0,c=a.isReady()?6E4:1E3,d=new g.Ki(c,6E5,.25,2),e=1;case 2:if(!(2>=e)){F.Ka(4);break}g.pa(F,5);a.state=3;a.B=e-1;return g.y(F,a.u&&1===e?a.u:a.EF(e),7);case 7:return f=F.u,a.u=void 0,a.state=4,h=new Hj(a.logger,"b"),g.y(F,Cga(f),8);case 8:return l=new Xj({challenge:f}),a.state=5,g.y(F,ll(l.snapshot({}),function(){return Promise.reject(new cl(15,"MDA:Timeout"))}),9); +case 9:return m=F.u,h.done(),a.state=6,g.y(F,ll(a.logger.gN("g",e,Jga(a.Qu,m)),function(){return Promise.reject(new cl(10,"BWB:Timeout"))}),10); +case 10:n=F.u;a.state=7;p=new Hj(a.logger,"i");if(g.ai(n,4)){l.dispose();var G=new il(a.logger,g.ai(n,4),1E3*Th(Zh(n,2),0))}else Th(Zh(n,3),0)?G=rha(a,n,l):(l.dispose(),G=new hl(a.logger,yg(Gh(n,1)),1E3*Th(Zh(n,2),0)));q=G;p.done();v=r=void 0;null==(v=(r=a).jW)||v.call(r,yg(Gh(n,1)));a.state=8;return F.return(q);case 5:x=g.sa(F);b=x instanceof cl?x:x instanceof Fj?new cl(11,x):new cl(12,x);a.logger.JC(b.code);B=z=void 0;null==(B=(z=a).onError)||B.call(z,b);a:{if(x instanceof Fj)switch(x.code){case 2:case 13:case 14:case 4:break; +default:G=!1;break a}G=!0}if(!G)throw b;return g.y(F,el(d.getValue()),11);case 11:g.Li(d);case 3:e++;F.Ka(2);break;case 4:throw b;}})}; +tha=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:return b=void 0,g.pa(e,4),g.y(e,sha(a),6);case 6:b=e.u;g.ra(e,5);break;case 4:c=g.sa(e);if(a.j){a.logger.JC(13);e.Ka(0);break}a.logger.JC(14);c instanceof cl||(c=new cl(14,c instanceof Error?c:Error(String(c))));b=new jl(a.logger,c,!a.DH);case 5:return d=void 0,null==(d=a.j)||d.dispose(),a.j=b,a.C.resolve(),g.y(e,a.j.D.promise,1)}})}; +uha=function(a){try{var b=!0;if(globalThis.sessionStorage){var c;null!=(c=globalThis.sessionStorage.getItem)&&c.call||(a.logger.ez("r"),b=!1);var d;null!=(d=globalThis.sessionStorage.setItem)&&d.call||(a.logger.ez("w"),b=!1);var e;null!=(e=globalThis.sessionStorage.removeItem)&&e.call||(a.logger.ez("d"),b=!1)}else a.logger.ez("n"),b=!1;if(b){a.logger.ez("a");var f=Array.from({length:83}).map(function(){return 9*Math.random()|0}).join(""),h=new Ij(a.logger,"m"),l=globalThis.sessionStorage.getItem("nWC1Uzs7EI"); +b=!!l;gga(h,b);var m=Date.now();if(l){var n=Number(l.substring(0,l.indexOf("l")));n?(a.logger.DG("a"),a.logger.rV(m-n)):a.logger.DG("c")}else a.logger.DG("n");f=m+"l"+f;if(b&&.5>Math.random()){var p=new Ij(a.logger,"d");globalThis.sessionStorage.removeItem("nWC1Uzs7EI");p.done();var q=new Ij(a.logger,"a");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);q.done()}else{var r=new Ij(a.logger,b?"w":"i");globalThis.sessionStorage.setItem("nWC1Uzs7EI",f);r.done()}}}catch(v){a.logger.qV()}}; +vha=function(a){var b={};g.Ob(a,function(c){var d=c.event,e=b[d];b.hasOwnProperty(d)?null!==e&&(c.equals(e)||(b[d]=null)):b[d]=c}); +xaa(a,function(c){return null===b[c.event]})}; +nl=function(){this.Xd=0;this.j=!1;this.u=-1;this.hv=!1;this.Tj=0}; +ol=function(){this.u=null;this.j=!1}; +pl=function(a){ol.call(this);this.C=a}; +ql=function(){ol.call(this)}; +rl=function(){ol.call(this)}; +sl=function(){this.j={};this.u=!0;this.B={}}; +tl=function(a,b,c){a.j[b]||(a.j[b]=new pl(c));return a.j[b]}; +wha=function(a){a.j.queryid||(a.j.queryid=new rl)}; +ul=function(a,b,c){(a=a.j[b])&&a.B(c)}; +vl=function(a,b){if(g.$c(a.B,b))return a.B[b];if(a=a.j[b])return a.getValue()}; +wl=function(a){var b={},c=g.Uc(a.j,function(d){return d.j}); +g.Tc(c,function(d,e){d=void 0!==a.B[e]?String(a.B[e]):d.j&&null!==d.u?String(d.u):"";0e?encodeURIComponent(oh(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; -oba=function(a){var b=1,c;for(c in a.B)b=c.length>b?c.length:b;return 3997-b-a.C.length-1}; -ph=function(a,b){this.u=a;this.depth=b}; -qba=function(){function a(l,m){return null==l?m:l} -var b=ih(),c=Math.max(b.length-1,0),d=kh(b);b=d.u;var e=d.B,f=d.C,h=[];f&&h.push(new ph([f.url,f.Sy?2:0],a(f.depth,1)));e&&e!=f&&h.push(new ph([e.url,2],0));b.url&&b!=f&&h.push(new ph([b.url,0],a(b.depth,c)));d=g.Oc(h,function(l,m){return h.slice(0,h.length-m)}); -!b.url||(f||e)&&b!=f||(e=$aa(b.url))&&d.push([new ph([e,1],a(b.depth,c))]);d.push([]);return g.Oc(d,function(l){return pba(c,l)})}; -pba=function(a,b){g.qh(b,function(e){return 0<=e.depth}); -var c=g.rh(b,function(e,f){return Math.max(e,f.depth)},-1),d=raa(c+2); -d[0]=a;g.Cb(b,function(e){return d[e.depth+1]=e.u}); +Wl=function(a,b,c,d,e){if(null==a)return"";b=b||"&";c=c||",$";"string"==typeof c&&(c=c.split(""));if(a instanceof Array){if(d=d||0,de?encodeURIComponent(Pha(a,b,c,d,e+1)):"...";return encodeURIComponent(String(a))}; +Qha=function(a){var b=1,c;for(c in a.u)b=c.length>b?c.length:b;return 3997-b-a.B.length-1}; +Xl=function(a,b){this.j=a;this.depth=b}; +Sha=function(){function a(l,m){return null==l?m:l} +var b=Tl(),c=Math.max(b.length-1,0),d=Oha(b);b=d.j;var e=d.u,f=d.B,h=[];f&&h.push(new Xl([f.url,f.MM?2:0],a(f.depth,1)));e&&e!=f&&h.push(new Xl([e.url,2],0));b.url&&b!=f&&h.push(new Xl([b.url,0],a(b.depth,c)));d=g.Yl(h,function(l,m){return h.slice(0,h.length-m)}); +!b.url||(f||e)&&b!=f||(e=Gha(b.url))&&d.push([new Xl([e,1],a(b.depth,c))]);d.push([]);return g.Yl(d,function(l){return Rha(c,l)})}; +Rha=function(a,b){g.Zl(b,function(e){return 0<=e.depth}); +var c=$l(b,function(e,f){return Math.max(e,f.depth)},-1),d=Caa(c+2); +d[0]=a;g.Ob(b,function(e){return d[e.depth+1]=e.j}); return d}; -rba=function(){var a=qba();return g.Oc(a,function(b){return nh(b)})}; -sh=function(){this.B=new hh;this.u=dh()?new eh:new ch}; -sba=function(){th();var a=fh.document;return!!(a&&a.body&&a.body.getBoundingClientRect&&"function"===typeof fh.setInterval&&"function"===typeof fh.clearInterval&&"function"===typeof fh.setTimeout&&"function"===typeof fh.clearTimeout)}; -uh=function(a){th();var b=Qg()||fh;b.google_image_requests||(b.google_image_requests=[]);var c=b.document.createElement("img");c.src=a;b.google_image_requests.push(c)}; -vh=function(){th();return rba()}; -wh=function(){}; -th=function(){return wh.getInstance().getContext()}; -yh=function(a){g.Jf(this,a,null,null)}; -tba=function(a){this.D=a;this.u=-1;this.B=this.C=0}; -zh=function(a,b){return function(c){for(var d=[],e=0;eMath.random())}; -Jh=function(a){a&&Ih&&Gh()&&(Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),Ih.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; -Mh=function(){var a=Kh;this.F=Lh;this.D="jserror";this.C=!0;this.u=null;this.I=this.B;this.Za=void 0===a?null:a}; -Qh=function(a,b,c,d){return zh(Ch.getInstance().u.u,function(){try{if(a.Za&&a.Za.u){var e=a.Za.start(b.toString(),3);var f=c();a.Za.end(e)}else f=c()}catch(m){var h=a.C;try{Jh(e);var l=new Oh(Ph(m));h=a.I(b,l,void 0,d)}catch(n){a.B(217,n)}if(!h)throw m;}return f})()}; -Sh=function(a,b,c){var d=Rh;return zh(Ch.getInstance().u.u,function(e){for(var f=[],h=0;hd?500:h}; -bi=function(a,b,c){var d=new hg(0,0,0,0);this.time=a;this.volume=null;this.C=b;this.u=d;this.B=c}; -ci=function(a,b,c,d,e,f,h,l){this.D=a;this.K=b;this.C=c;this.I=d;this.u=e;this.F=f;this.B=h;this.R=l}; -di=function(a){for(var b=0,c=a,d=0;a&&a!=a.parent;)a=a.parent,d++,bg(a)&&(c=a,b=d);return{Df:c,level:b}}; -ei=function(a){var b=a!==a.top,c=a.top===di(a).Df,d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),Jb(Cba,function(h){return"function"===typeof f[h]})||(e=1)); -return{Vh:f,compatibility:e,YR:d}}; -Dba=function(a){return(a=a.document)&&"function"===typeof a.elementFromPoint}; -fi=function(a,b,c,d){var e=void 0===e?!1:e;c=Sh(d,c,void 0);Yf(a,b,c,{capture:e})}; -gi=function(a,b){var c=Math.pow(10,b);return Math.floor(a*c)/c}; -hi=function(a){return new hg(a.top,a.right,a.bottom,a.left)}; -ii=function(a){var b=a.top||0,c=a.left||0;return new hg(b,c+(a.width||0),b+(a.height||0),c)}; -ji=function(a){return null!=a&&0<=a&&1>=a}; -Eba=function(){var a=g.Vc;return a?ki("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return yc(a,b)})||yc(a,"OMI/")&&!yc(a,"XiaoMi/")?!0:yc(a,"Presto")&&yc(a,"Linux")&&!yc(a,"X11")&&!yc(a,"Android")&&!yc(a,"Mobi"):!1}; -li=function(){this.C=!bg(fh.top);this.isMobileDevice=$f()||ag();var a=ih();this.domain=0c.height?n>r?(e=n,f=p):(e=r,f=t):nb.C?!1:a.Bb.B?!1:typeof a.utypeof b.u?!1:a.uMath.random())}; +lia=function(a){a&&jm&&hm()&&(jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_start"),jm.clearMarks("goog_"+a.label+"_"+a.uniqueId+"_end"))}; +mia=function(){var a=km;this.j=lm;this.tT="jserror";this.sP=!0;this.sK=null;this.u=this.iN;this.Gc=void 0===a?null:a}; +nia=function(a,b,c){var d=mm;return em(fm().j.j,function(){try{if(d.Gc&&d.Gc.j){var e=d.Gc.start(a.toString(),3);var f=b();d.Gc.end(e)}else f=b()}catch(l){var h=d.sP;try{lia(e),h=d.u(a,new nm(om(l)),void 0,c)}catch(m){d.iN(217,m)}if(!h)throw l;}return f})()}; +pm=function(a,b,c,d){return em(fm().j.j,function(){var e=g.ya.apply(0,arguments);return nia(a,function(){return b.apply(c,e)},d)})}; +om=function(a){var b=a.toString();a.name&&-1==b.indexOf(a.name)&&(b+=": "+a.name);a.message&&-1==b.indexOf(a.message)&&(b+=": "+a.message);if(a.stack){a=a.stack;var c=b;try{-1==a.indexOf(c)&&(a=c+"\n"+a);for(var d;a!=d;)d=a,a=a.replace(/((https?:\/..*\/)[^\/:]*:\d+(?:.|\n)*)\2/,"$1");b=a.replace(/\n */g,"\n")}catch(e){b=c}}return b}; +nm=function(a){hia.call(this,Error(a),{message:a})}; +oia=function(){Bl&&"undefined"!=typeof Bl.google_measure_js_timing&&(Bl.google_measure_js_timing||km.disable())}; +pia=function(a){mm.sK=function(b){g.Ob(a,function(c){c(b)})}}; +qia=function(a,b){return nia(a,b)}; +qm=function(a,b){return pm(a,b)}; +rm=function(a,b,c,d){mm.iN(a,b,c,d)}; +sm=function(){return Date.now()-ria}; +sia=function(){var a=fm().B,b=0<=tm?sm()-tm:-1,c=um?sm()-vm:-1,d=0<=wm?sm()-wm:-1;if(947190542==a)return 100;if(79463069==a)return 200;a=[2E3,4E3];var e=[250,500,1E3];rm(637,Error(),.001);var f=b;-1!=c&&cd?500:h}; +xm=function(a,b,c,d){this.top=a;this.right=b;this.bottom=c;this.left=d}; +ym=function(a){return a.right-a.left}; +zm=function(a,b){return a==b?!0:a&&b?a.top==b.top&&a.right==b.right&&a.bottom==b.bottom&&a.left==b.left:!1}; +Am=function(a,b,c){b instanceof g.Fe?(a.left+=b.x,a.right+=b.x,a.top+=b.y,a.bottom+=b.y):(a.left+=b,a.right+=b,"number"===typeof c&&(a.top+=c,a.bottom+=c));return a}; +Bm=function(a,b,c){var d=new xm(0,0,0,0);this.time=a;this.volume=null;this.B=b;this.j=d;this.u=c}; +Cm=function(a,b,c,d,e,f,h,l){this.C=a;this.J=b;this.B=c;this.I=d;this.j=e;this.D=f;this.u=h;this.T=l}; +uia=function(a){var b=a!==a.top,c=a.top===Kha(a),d=-1,e=0;if(b&&c&&a.top.mraid){d=3;var f=a.top.mraid}else d=(f=a.mraid)?b?c?2:1:0:-1;f&&(f.IS_GMA_SDK||(e=2),dba(tia,function(h){return"function"===typeof f[h]})||(e=1)); +return{jn:f,compatibility:e,f9:d}}; +via=function(){var a=window.document;return a&&"function"===typeof a.elementFromPoint}; +wia=function(a,b,c){a&&null!==b&&b!=b.top&&(b=b.top);try{return(void 0===c?0:c)?(new g.He(b.innerWidth,b.innerHeight)).round():hca(b||window).round()}catch(d){return new g.He(-12245933,-12245933)}}; +Dm=function(a,b,c){try{a&&(b=b.top);var d=wia(a,b,c),e=d.height,f=d.width;if(-12245933===f)return new xm(f,f,f,f);var h=jca(Ve(b.document).j),l=h.x,m=h.y;return new xm(m,l+f,m+e,l)}catch(n){return new xm(-12245933,-12245933,-12245933,-12245933)}}; +g.Em=function(a,b,c,d){this.left=a;this.top=b;this.width=c;this.height=d}; +Fm=function(a,b){return a==b?!0:a&&b?a.left==b.left&&a.width==b.width&&a.top==b.top&&a.height==b.height:!1}; +g.Hm=function(a,b,c){if("string"===typeof b)(b=Gm(a,b))&&(a.style[b]=c);else for(var d in b){c=a;var e=b[d],f=Gm(c,d);f&&(c.style[f]=e)}}; +Gm=function(a,b){var c=xia[b];if(!c){var d=bca(b);c=d;void 0===a.style[d]&&(d=(g.Pc?"Webkit":Im?"Moz":g.mf?"ms":null)+dca(d),void 0!==a.style[d]&&(c=d));xia[b]=c}return c}; +g.Jm=function(a,b){var c=a.style[bca(b)];return"undefined"!==typeof c?c:a.style[Gm(a,b)]||""}; +Km=function(a,b){var c=Ue(a);return c.defaultView&&c.defaultView.getComputedStyle&&(a=c.defaultView.getComputedStyle(a,null))?a[b]||a.getPropertyValue(b)||"":""}; +Lm=function(a,b){return Km(a,b)||(a.currentStyle?a.currentStyle[b]:null)||a.style&&a.style[b]}; +g.Nm=function(a,b,c){if(b instanceof g.Fe){var d=b.x;b=b.y}else d=b,b=c;a.style.left=g.Mm(d,!1);a.style.top=g.Mm(b,!1)}; +Om=function(a){try{return a.getBoundingClientRect()}catch(b){return{left:0,top:0,right:0,bottom:0}}}; +yia=function(a){if(g.mf&&!g.Oc(8))return a.offsetParent;var b=Ue(a),c=Lm(a,"position"),d="fixed"==c||"absolute"==c;for(a=a.parentNode;a&&a!=b;a=a.parentNode)if(11==a.nodeType&&a.host&&(a=a.host),c=Lm(a,"position"),d=d&&"static"==c&&a!=b.documentElement&&a!=b.body,!d&&(a.scrollWidth>a.clientWidth||a.scrollHeight>a.clientHeight||"fixed"==c||"absolute"==c||"relative"==c))return a;return null}; +g.Pm=function(a){var b=Ue(a),c=new g.Fe(0,0);var d=b?Ue(b):document;d=!g.mf||g.Oc(9)||"CSS1Compat"==Ve(d).j.compatMode?d.documentElement:d.body;if(a==d)return c;a=Om(a);b=jca(Ve(b).j);c.x=a.left+b.x;c.y=a.top+b.y;return c}; +Aia=function(a,b){var c=new g.Fe(0,0),d=nf(Ue(a));if(!Hc(d,"parent"))return c;do{var e=d==b?g.Pm(a):zia(a);c.x+=e.x;c.y+=e.y}while(d&&d!=b&&d!=d.parent&&(a=d.frameElement)&&(d=d.parent));return c}; +g.Qm=function(a,b){a=Bia(a);b=Bia(b);return new g.Fe(a.x-b.x,a.y-b.y)}; +zia=function(a){a=Om(a);return new g.Fe(a.left,a.top)}; +Bia=function(a){if(1==a.nodeType)return zia(a);a=a.changedTouches?a.changedTouches[0]:a;return new g.Fe(a.clientX,a.clientY)}; +g.Rm=function(a,b,c){if(b instanceof g.He)c=b.height,b=b.width;else if(void 0==c)throw Error("missing height argument");a.style.width=g.Mm(b,!0);a.style.height=g.Mm(c,!0)}; +g.Mm=function(a,b){"number"==typeof a&&(a=(b?Math.round(a):a)+"px");return a}; +g.Sm=function(a){var b=Cia;if("none"!=Lm(a,"display"))return b(a);var c=a.style,d=c.display,e=c.visibility,f=c.position;c.visibility="hidden";c.position="absolute";c.display="inline";a=b(a);c.display=d;c.position=f;c.visibility=e;return a}; +Cia=function(a){var b=a.offsetWidth,c=a.offsetHeight,d=g.Pc&&!b&&!c;return(void 0===b||d)&&a.getBoundingClientRect?(a=Om(a),new g.He(a.right-a.left,a.bottom-a.top)):new g.He(b,c)}; +g.Tm=function(a,b){a.style.display=b?"":"none"}; +Um=function(a,b){b=Math.pow(10,b);return Math.floor(a*b)/b}; +Dia=function(a){return new xm(a.top,a.right,a.bottom,a.left)}; +Eia=function(a){var b=a.top||0,c=a.left||0;return new xm(b,c+(a.width||0),b+(a.height||0),c)}; +Vm=function(a){return null!=a&&0<=a&&1>=a}; +Fia=function(){var a=g.hc();return a?Wm("Android TV;AppleTV;Apple TV;GoogleTV;HbbTV;NetCast.TV;Opera TV;POV_TV;SMART-TV;SmartTV;TV Store;AmazonWebAppPlatform;MiBOX".split(";"),function(b){return ac(a,b)})||ac(a,"OMI/")&&!ac(a,"XiaoMi/")?!0:ac(a,"Presto")&&ac(a,"Linux")&&!ac(a,"X11")&&!ac(a,"Android")&&!ac(a,"Mobi"):!1}; +Gia=function(){this.B=!Rl(Bl.top);this.isMobileDevice=Ql()||Dha();var a=Tl();this.domain=0c.height?m>p?(d=m,e=n):(d=p,e=q):mb.B?!1:a.ub.u?!1:typeof a.jtypeof b.j?!1:a.jc++;){if(a===b)return!0;try{if(a=g.Le(a)||a){var d=me(a),e=d&&Be(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; -Nba=function(a,b,c){if(!a||!b)return!1;b=ig(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;var d=Qg();bg(d.top)&&d.top&&d.top.document&&(d=d.top);if(!Dba(d))return!1;a=d.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=me(c))&&b.defaultView&&b.defaultView.frameElement)&&Mba(b,a);d=a===c;a=!d&&a&&Te(a,function(e){return e===c}); +Tia=function(){if(xn&&"unreleased"!==xn)return xn}; +Uia=function(a){var b=void 0===b?4E3:b;a=a.toString();if(!/&v=[^&]+/.test(a)){var c=Tia();a=c?a+"&v="+encodeURIComponent(c):a}b=a=a.substring(0,b);cm();Uha(b)}; +Via=function(){this.j=0}; +Wia=function(a,b,c){(0,g.Ob)(a.B,function(d){var e=a.j;if(!d.j&&(d.B(b,c),d.C())){d.j=!0;var f=d.u(),h=new un;h.add("id","av-js");h.add("type","verif");h.add("vtype",d.D);d=am(Via);h.add("i",d.j++);h.add("adk",e);vn(h,f);e=new Ria(h);Uia(e)}})}; +yn=function(){this.u=this.B=this.C=this.j=0}; +zn=function(a){this.u=a=void 0===a?Xia:a;this.j=g.Yl(this.u,function(){return new yn})}; +An=function(a,b){return Yia(a,function(c){return c.j},void 0===b?!0:b)}; +Cn=function(a,b){return Bn(a,b,function(c){return c.j})}; +Zia=function(a,b){return Yia(a,function(c){return c.B},void 0===b?!0:b)}; +Dn=function(a,b){return Bn(a,b,function(c){return c.B})}; +En=function(a,b){return Bn(a,b,function(c){return c.u})}; +$ia=function(a){g.Ob(a.j,function(b){b.u=0})}; +Yia=function(a,b,c){a=g.Yl(a.j,function(d){return b(d)}); +return c?a:aja(a)}; +Bn=function(a,b,c){var d=g.ob(a.u,function(e){return b<=e}); +return-1==d?0:c(a.j[d])}; +aja=function(a){return g.Yl(a,function(b,c,d){return 0c++;){if(a===b)return!0;try{if(a=g.yf(a)||a){var d=Ue(a),e=d&&nf(d),f=e&&e.frameElement;f&&(a=f)}}catch(h){break}}return!1}; +cja=function(a,b,c){if(!a||!b)return!1;b=Am(a.clone(),-b.left,-b.top);a=(b.left+b.right)/2;b=(b.top+b.bottom)/2;Rl(window.top)&&window.top&&window.top.document&&(window=window.top);if(!via())return!1;a=window.document.elementFromPoint(a,b);if(!a)return!1;b=(b=(b=Ue(c))&&b.defaultView&&b.defaultView.frameElement)&&bja(b,a);var d=a===c;a=!d&&a&&Cf(a,function(e){return e===c}); return!(b||d||a)}; -Oba=function(a,b,c,d){return li.getInstance().C?!1:0>=a.Ee()||0>=a.getHeight()?!0:c&&d?Uh(208,function(){return Nba(a,b,c)}):!1}; -aj=function(a,b,c){g.C.call(this);this.position=Pba.clone();this.Nu=this.Tt();this.ez=-2;this.oS=Date.now();this.RH=-1;this.lastUpdateTime=b;this.zu=null;this.vt=!1;this.vv=null;this.opacity=-1;this.requestSource=c;this.dI=this.fz=g.Ka;this.Uf=new lba;this.Uf.jl=a;this.Uf.u=a;this.qo=!1;this.jm={Az:null,yz:null};this.BH=!0;this.Zr=null;this.ko=this.nL=!1;Ch.getInstance().I++;this.Je=this.iy();this.QH=-1;this.Ec=null;this.jL=!1;a=this.xb=new Yg;Zg(a,"od",Qba);Zg(a,"opac",Bh).u=!0;Zg(a,"sbeos",Bh).u= -!0;Zg(a,"prf",Bh).u=!0;Zg(a,"mwt",Bh).u=!0;Zg(a,"iogeo",Bh);(a=this.Uf.jl)&&a.getAttribute&&!/-[a-z]/.test("googleAvInapp")&&(Rba&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+td()):a.getAttribute("data-"+td()))&&(li.getInstance().B=!0);1==this.requestSource?$g(this.xb,"od",1):$g(this.xb,"od",0)}; -bj=function(a,b){if(b!=a.ko){a.ko=b;var c=li.getInstance();b?c.I++:0c?0:a}; -Sba=function(a,b,c){if(a.Ec){a.Ec.Ck();var d=a.Ec.K,e=d.D,f=e.u;if(null!=d.I){var h=d.C;a.vv=new g.ge(h.left-f.left,h.top-f.top)}f=a.dw()?Math.max(d.u,d.F):d.u;h={};null!==e.volume&&(h.volume=e.volume);e=a.lD(d);a.zu=d;a.oa(f,b,c,!1,h,e,d.R)}}; -Tba=function(a){if(a.vt&&a.Zr){var b=1==ah(a.xb,"od"),c=li.getInstance().u,d=a.Zr,e=a.Ec?a.Ec.getName():"ns",f=new g.ie(c.Ee(),c.getHeight());c=a.dw();a={dS:e,vv:a.vv,HS:f,dw:c,xc:a.Je.xc,FS:b};if(b=d.B){b.Ck();e=b.K;f=e.D.u;var h=null,l=null;null!=e.I&&f&&(h=e.C,h=new g.ge(h.left-f.left,h.top-f.top),l=new g.ie(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.u,e.F):e.u;c={dS:b.getName(),vv:h,HS:l,dw:c,FS:!1,xc:e}}else c=null;c&&Jba(d,a,c)}}; -Uba=function(a,b,c){b&&(a.fz=b);c&&(a.dI=c)}; -ej=function(){}; -gj=function(a){if(a instanceof ej)return a;if("function"==typeof a.wj)return a.wj(!1);if(g.Na(a)){var b=0,c=new ej;c.next=function(){for(;;){if(b>=a.length)throw fj;if(b in a)return a[b++];b++}}; -return c}throw Error("Not implemented");}; -g.hj=function(a,b,c){if(g.Na(a))try{g.Cb(a,b,c)}catch(d){if(d!==fj)throw d;}else{a=gj(a);try{for(;;)b.call(c,a.next(),void 0,a)}catch(d){if(d!==fj)throw d;}}}; -Vba=function(a){if(g.Na(a))return g.rb(a);a=gj(a);var b=[];g.hj(a,function(c){b.push(c)}); -return b}; -Wba=function(){this.D=this.u=this.C=this.B=this.F=0}; -Xba=function(a){var b={};b=(b.ptlt=g.A()-a.F,b);var c=a.B;c&&(b.pnk=c);(c=a.C)&&(b.pnc=c);(c=a.D)&&(b.pnmm=c);(a=a.u)&&(b.pns=a);return b}; -ij=function(){Tg.call(this);this.fullscreen=!1;this.volume=void 0;this.paused=!1;this.mediaTime=-1}; -jj=function(a){return ji(a.volume)&&.1<=a.volume}; -Yba=function(){var a={};this.B=(a.vs=[1,0],a.vw=[0,1],a.am=[2,2],a.a=[4,4],a.f=[8,8],a.bm=[16,16],a.b=[32,32],a.avw=[0,64],a.avs=[64,0],a.pv=[256,256],a.gdr=[0,512],a.p=[0,1024],a.r=[0,2048],a.m=[0,4096],a.um=[0,8192],a.ef=[0,16384],a.s=[0,32768],a.pmx=[0,16777216],a);this.u={};for(var b in this.B)0Math.max(1E4,a.D/3)?0:c);var d=a.aa(a)||{};d=void 0!==d.currentTime?d.currentTime:a.X;var e=d-a.X,f=0;0<=e?(a.Y+=c,a.ma+=Math.max(c-e,0),f=Math.min(e,a.Y)):a.Aa+=Math.abs(e);0!=e&&(a.Y=0);-1==a.Ja&&0=a.D/2:0=a.ia:!1:!1}; -dca=function(a){var b=gi(a.Je.xc,2),c=a.ze.C,d=a.Je,e=yj(a),f=xj(e.D),h=xj(e.I),l=xj(d.volume),m=gi(e.K,2),n=gi(e.Y,2),p=gi(d.xc,2),r=gi(e.aa,2),t=gi(e.ha,2);d=gi(d.jg,2);a=a.Pk().clone();a.round();e=Yi(e,!1);return{GS:b,Hq:c,Ou:f,Ku:h,Op:l,Pu:m,Lu:n,xc:p,Qu:r,Mu:t,jg:d,position:a,ov:e}}; -Cj=function(a,b){Bj(a.u,b,function(){return{GS:0,Hq:void 0,Ou:-1,Ku:-1,Op:-1,Pu:-1,Lu:-1,xc:-1,Qu:-1,Mu:-1,jg:-1,position:void 0,ov:[]}}); -a.u[b]=dca(a)}; -Bj=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; -dk=function(a){a=void 0===a?fh:a;Ai.call(this,new qi(a,2))}; -fk=function(){var a=ek();qi.call(this,fh.top,a,"geo")}; -ek=function(){Ch.getInstance();var a=li.getInstance();return a.C||a.B?0:2}; -gk=function(){}; -hk=function(){this.done=!1;this.u={qJ:0,OB:0,s5:0,KC:0,Ey:-1,NJ:0,MJ:0,OJ:0};this.F=null;this.I=!1;this.B=null;this.K=0;this.C=new pi(this)}; -jk=function(){var a=ik;a.I||(a.I=!0,xca(a,function(b){for(var c=[],d=0;dg.Mb(Dca).length?null:(0,g.rh)(b,function(c,d){var e=d.toLowerCase().split("=");if(2!=e.length||void 0===zk[e[0]]||!zk[e[0]](e[1]))throw Error("Entry ("+e[0]+", "+e[1]+") is invalid.");c[e[0]]=e[1];return c},{})}catch(c){return null}}; -Fca=function(a,b){if(void 0==a.u)return 0;switch(a.F){case "mtos":return a.B?Ui(b.u,a.u):Ui(b.B,a.u);case "tos":return a.B?Si(b.u,a.u):Si(b.B,a.u)}return 0}; -Ak=function(a,b,c,d){qj.call(this,b,d);this.K=a;this.I=c}; -Bk=function(a){qj.call(this,"fully_viewable_audible_half_duration_impression",a)}; -Ck=function(a,b){qj.call(this,a,b)}; -Dk=function(){this.B=this.D=this.I=this.F=this.C=this.u=""}; -Gca=function(){}; -Ek=function(a,b,c,d,e){var f={};if(void 0!==a)if(null!=b)for(var h in b){var l=b[h];h in Object.prototype||null!=l&&(f[h]="function"===typeof l?l(a):a[l])}else g.Zb(f,a);void 0!==c&&g.Zb(f,c);a=Fi(Ei(new Di,f));0String(Function.prototype.toString).indexOf("[native code]")?!1:0<=String(a).indexOf("[native code]")&&!0||!1}; -gl=function(a){return!!(1<>>0]|=f<>>0).toString(16)+"&"}); -c=105;g.Cb(Vca,function(d){var e="false";try{e=d(fh)}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -g.Cb(Wca,function(d){var e="";try{e=g.tf(d(fh))}catch(f){}a+=String.fromCharCode(c++)+"="+e+"&"}); -return a.slice(0,-1)}; -Tca=function(){if(!hl){var a=function(){il=!0;fh.document.removeEventListener("webdriver-evaluate",a,!0)}; -fh.document.addEventListener("webdriver-evaluate",a,!0);var b=function(){jl=!0;fh.document.removeEventListener("webdriver-evaluate-response",b,!0)}; -fh.document.addEventListener("webdriver-evaluate-response",b,!0);hl=!0}}; -kl=function(){this.B=-1}; -ll=function(){this.B=64;this.u=Array(4);this.F=Array(this.B);this.D=this.C=0;this.reset()}; -pl=function(a,b,c){c||(c=0);var d=Array(16);if("string"===typeof b)for(var e=0;16>e;++e)d[e]=b.charCodeAt(c++)|b.charCodeAt(c++)<<8|b.charCodeAt(c++)<<16|b.charCodeAt(c++)<<24;else for(e=0;16>e;++e)d[e]=b[c++]|b[c++]<<8|b[c++]<<16|b[c++]<<24;b=a.u[0];c=a.u[1];e=a.u[2];var f=a.u[3];var h=b+(f^c&(e^f))+d[0]+3614090360&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[1]+3905402710&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[2]+606105819&4294967295;e=f+(h<<17&4294967295|h>>>15); -h=c+(b^e&(f^b))+d[3]+3250441966&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[4]+4118548399&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[5]+1200080426&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[6]+2821735955&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[7]+4249261313&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[8]+1770035416&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[9]+2336552879&4294967295;f=b+(h<<12&4294967295| -h>>>20);h=e+(c^f&(b^c))+d[10]+4294925233&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[11]+2304563134&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(f^c&(e^f))+d[12]+1804603682&4294967295;b=c+(h<<7&4294967295|h>>>25);h=f+(e^b&(c^e))+d[13]+4254626195&4294967295;f=b+(h<<12&4294967295|h>>>20);h=e+(c^f&(b^c))+d[14]+2792965006&4294967295;e=f+(h<<17&4294967295|h>>>15);h=c+(b^e&(f^b))+d[15]+1236535329&4294967295;c=e+(h<<22&4294967295|h>>>10);h=b+(e^f&(c^e))+d[1]+4129170786&4294967295;b=c+(h<< -5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[6]+3225465664&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[11]+643717713&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[0]+3921069994&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[5]+3593408605&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[10]+38016083&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[15]+3634488961&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[4]+3889429448&4294967295;c= -e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[9]+568446438&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[14]+3275163606&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[3]+4107603335&4294967295;e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[8]+1163531501&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(e^f&(c^e))+d[13]+2850285829&4294967295;b=c+(h<<5&4294967295|h>>>27);h=f+(c^e&(b^c))+d[2]+4243563512&4294967295;f=b+(h<<9&4294967295|h>>>23);h=e+(b^c&(f^b))+d[7]+1735328473&4294967295; -e=f+(h<<14&4294967295|h>>>18);h=c+(f^b&(e^f))+d[12]+2368359562&4294967295;c=e+(h<<20&4294967295|h>>>12);h=b+(c^e^f)+d[5]+4294588738&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[8]+2272392833&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[11]+1839030562&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[14]+4259657740&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[1]+2763975236&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[4]+1272893353&4294967295;f=b+(h<<11&4294967295| -h>>>21);h=e+(f^b^c)+d[7]+4139469664&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[10]+3200236656&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[13]+681279174&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[0]+3936430074&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[3]+3572445317&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[6]+76029189&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(c^e^f)+d[9]+3654602809&4294967295;b=c+(h<<4&4294967295|h>>>28);h=f+(b^c^e)+d[12]+ -3873151461&4294967295;f=b+(h<<11&4294967295|h>>>21);h=e+(f^b^c)+d[15]+530742520&4294967295;e=f+(h<<16&4294967295|h>>>16);h=c+(e^f^b)+d[2]+3299628645&4294967295;c=e+(h<<23&4294967295|h>>>9);h=b+(e^(c|~f))+d[0]+4096336452&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[7]+1126891415&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[14]+2878612391&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[5]+4237533241&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[12]+1700485571& -4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[3]+2399980690&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[10]+4293915773&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[1]+2240044497&4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[8]+1873313359&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[15]+4264355552&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[6]+2734768916&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[13]+1309151649& -4294967295;c=e+(h<<21&4294967295|h>>>11);h=b+(e^(c|~f))+d[4]+4149444226&4294967295;b=c+(h<<6&4294967295|h>>>26);h=f+(c^(b|~e))+d[11]+3174756917&4294967295;f=b+(h<<10&4294967295|h>>>22);h=e+(b^(f|~c))+d[2]+718787259&4294967295;e=f+(h<<15&4294967295|h>>>17);h=c+(f^(e|~b))+d[9]+3951481745&4294967295;a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+(e+(h<<21&4294967295|h>>>11))&4294967295;a.u[2]=a.u[2]+e&4294967295;a.u[3]=a.u[3]+f&4294967295}; -ql=function(){this.B=null}; -rl=function(a){return function(b){var c=new ll;c.update(b+a);return Saa(c.digest()).slice(-8)}}; -sl=function(a,b){this.B=a;this.C=b}; -oj=function(a,b,c){var d=a.u(c);if("function"===typeof d){var e={};e=(e.sv="884",e.cb="j",e.e=Yca(b),e);var f=Fj(c,b,oi());g.Zb(e,f);c.tI[b]=f;a=2==c.Oi()?Iba(e).join("&"):a.C.u(e).u;try{return d(c.mf,a,b),0}catch(h){return 2}}else return 1}; -Yca=function(a){var b=yk(a)?"custom_metric_viewable":a;a=Qb(Dj,function(c){return c==b}); -return wk[a]}; -tl=function(a,b,c){sl.call(this,a,b);this.D=c}; -ul=function(){Sk.call(this);this.I=null;this.F=!1;this.R={};this.C=new ql}; -Zca=function(a,b,c){c=c.opt_configurable_tracking_events;null!=a.B&&Array.isArray(c)&&Lca(a,c,b)}; -$ca=function(a,b,c){var d=Rj(Tj,b);d||(d=c.opt_nativeTime||-1,d=Tk(a,b,Yk(a),d),c.opt_osdId&&(d.Qo=c.opt_osdId));return d}; -ada=function(a,b,c){var d=Rj(Tj,b);d||(d=Tk(a,b,"n",c.opt_nativeTime||-1));return d}; -bda=function(a,b){var c=Rj(Tj,b);c||(c=Tk(a,b,"h",-1));return c}; -cda=function(a){Ch.getInstance();switch(Yk(a)){case "b":return"ytads.bulleit.triggerExternalActivityEvent";case "n":return"ima.bridge.triggerExternalActivityEvent";case "h":case "m":case "ml":return"ima.common.triggerExternalActivityEvent"}return null}; -wl=function(a,b,c,d){c=void 0===c?{}:c;var e={};g.Zb(e,{opt_adElement:void 0,opt_fullscreen:void 0},c);if(e.opt_bounds)return a.C.u(xk("ol",d));if(void 0!==d)if(void 0!==vk(d))if(Vk)b=xk("ue",d);else if(Oca(a),"i"==Wk)b=xk("i",d),b["if"]=0;else if(b=a.Xt(b,e))if(a.D&&3==b.pe)b="stopped";else{b:{"i"==Wk&&(b.qo=!0,a.pA());c=e.opt_fullscreen;void 0!==c&&bj(b,!!c);var f;if(c=!li.getInstance().B)(c=yc(g.Vc,"CrKey")||yc(g.Vc,"PlayStation")||yc(g.Vc,"Roku")||Eba()||yc(g.Vc,"Xbox"))||(c=g.Vc,c=yc(c,"AppleTV")|| -yc(c,"Apple TV")||yc(c,"CFNetwork")||yc(c,"tvOS")),c||(c=g.Vc,c=yc(c,"sdk_google_atv_x86")||yc(c,"Android TV")),c=!c;c&&(th(),c=0===gh(Pg));if(f=c){switch(b.Oi()){case 1:$k(a,b,"pv");break;case 2:a.fA(b)}Xk("pv")}c=d.toLowerCase();if(f=!f)f=ah(Ch.getInstance().xb,"ssmol")&&"loaded"===c?!1:g.jb(dda,c);if(f&&0==b.pe){"i"!=Wk&&(ik.done=!1);f=void 0!==e?e.opt_nativeTime:void 0;ai=f="number"===typeof f?f:Xh();b.vt=!0;var h=oi();b.pe=1;b.Le={};b.Le.start=!1;b.Le.firstquartile=!1;b.Le.midpoint=!1;b.Le.thirdquartile= -!1;b.Le.complete=!1;b.Le.resume=!1;b.Le.pause=!1;b.Le.skip=!1;b.Le.mute=!1;b.Le.unmute=!1;b.Le.viewable_impression=!1;b.Le.measurable_impression=!1;b.Le.fully_viewable_audible_half_duration_impression=!1;b.Le.fullscreen=!1;b.Le.exitfullscreen=!1;b.Dx=0;h||(b.Xf().R=f);kk(ik,[b],!h)}(f=b.qn[c])&&kj(b.ze,f);g.jb(eda,c)&&(b.hH=!0,wj(b));switch(b.Oi()){case 1:var l=yk(c)?a.K.custom_metric_viewable:a.K[c];break;case 2:l=a.X[c]}if(l&&(d=l.call(a,b,e,d),void 0!==d)){e=xk(void 0,c);g.Zb(e,d);d=e;break b}d= -void 0}3==b.pe&&(a.D?b.Ec&&b.Ec.Xq():a.cq(b));b=d}else b=xk("nf",d);else b=void 0;else Vk?b=xk("ue"):(b=a.Xt(b,e))?(d=xk(),g.Zb(d,Ej(b,!0,!1,!1)),b=d):b=xk("nf");return"string"===typeof b?a.D&&"stopped"===b?vl:a.C.u(void 0):a.C.u(b)}; -xl=function(a){return Ch.getInstance(),"h"!=Yk(a)&&Yk(a),!1}; -yl=function(a){var b={};return b.viewability=a.u,b.googleViewability=a.C,b.moatInit=a.F,b.moatViewability=a.I,b.integralAdsViewability=a.D,b.doubleVerifyViewability=a.B,b}; -zl=function(a,b,c){c=void 0===c?{}:c;a=wl(ul.getInstance(),b,c,a);return yl(a)}; -Al=function(a,b){b=void 0===b?!1:b;var c=ul.getInstance().Xt(a,{});c?vj(c):b&&(c=ul.getInstance().Hr(null,Xh(),!1,a),c.pe=3,Wj([c]))}; -Bl=function(a){if(!a)return"";a=a.split("#")[0].split("?")[0];a=a.toLowerCase();0==a.indexOf("//")&&(a=window.location.protocol+a);/^[\w\-]*:\/\//.test(a)||(a=window.location.href);var b=a.substring(a.indexOf("://")+3),c=b.indexOf("/");-1!=c&&(b=b.substring(0,c));c=a.substring(0,a.indexOf("://"));if(!c)throw Error("URI is missing protocol: "+a);if("http"!==c&&"https"!==c&&"chrome-extension"!==c&&"moz-extension"!==c&&"file"!==c&&"android-app"!==c&&"chrome-search"!==c&&"chrome-untrusted"!==c&&"chrome"!== -c&&"app"!==c&&"devtools"!==c)throw Error("Invalid URI scheme in origin: "+c);a="";var d=b.indexOf(":");if(-1!=d){var e=b.substring(d+1);b=b.substring(0,d);if("http"===c&&"80"!==e||"https"===c&&"443"!==e)a=":"+e}return c+"://"+b+a}; -fda=function(){function a(){e[0]=1732584193;e[1]=4023233417;e[2]=2562383102;e[3]=271733878;e[4]=3285377520;p=n=0} -function b(r){for(var t=h,w=0;64>w;w+=4)t[w/4]=r[w]<<24|r[w+1]<<16|r[w+2]<<8|r[w+3];for(w=16;80>w;w++)r=t[w-3]^t[w-8]^t[w-14]^t[w-16],t[w]=(r<<1|r>>>31)&4294967295;r=e[0];var y=e[1],x=e[2],B=e[3],E=e[4];for(w=0;80>w;w++){if(40>w)if(20>w){var G=B^y&(x^B);var K=1518500249}else G=y^x^B,K=1859775393;else 60>w?(G=y&x|B&(y|x),K=2400959708):(G=y^x^B,K=3395469782);G=((r<<5|r>>>27)&4294967295)+G+E+K+t[w]&4294967295;E=B;B=x;x=(y<<30|y>>>2)&4294967295;y=r;r=G}e[0]=e[0]+r&4294967295;e[1]=e[1]+y&4294967295;e[2]= -e[2]+x&4294967295;e[3]=e[3]+B&4294967295;e[4]=e[4]+E&4294967295} -function c(r,t){if("string"===typeof r){r=unescape(encodeURIComponent(r));for(var w=[],y=0,x=r.length;yn?c(l,56-n):c(l,64-(n-56));for(var w=63;56<=w;w--)f[w]=t&255,t>>>=8;b(f);for(w=t=0;5>w;w++)for(var y=24;0<=y;y-=8)r[t++]=e[w]>>y&255;return r} -for(var e=[],f=[],h=[],l=[128],m=1;64>m;++m)l[m]=0;var n,p;a();return{reset:a,update:c,digest:d,UJ:function(){for(var r=d(),t="",w=0;wc.keyCode||void 0!=c.returnValue)){a:{var f=!1;if(0==c.keyCode)try{c.keyCode=-1;break a}catch(m){f=!0}if(f||void 0==c.returnValue)c.returnValue=!0}c=[];for(f=d.currentTarget;f;f=f.parentNode)c.push(f);f=a.type;for(var h=c.length-1;!d.u&&0<=h;h--){d.currentTarget=c[h];var l=Zl(c[h],f,!0,d);e=e&&l}for(h=0;!d.u&&ha.B&&(a.B++,b.next=a.u,a.u=b)}; -em=function(a){g.v.setTimeout(function(){throw a;},0)}; -gm=function(a){a=mda(a);"function"!==typeof g.v.setImmediate||g.v.Window&&g.v.Window.prototype&&!Wc("Edge")&&g.v.Window.prototype.setImmediate==g.v.setImmediate?(fm||(fm=nda()),fm(a)):g.v.setImmediate(a)}; -nda=function(){var a=g.v.MessageChannel;"undefined"===typeof a&&"undefined"!==typeof window&&window.postMessage&&window.addEventListener&&!Wc("Presto")&&(a=function(){var e=g.Fe("IFRAME");e.style.display="none";document.documentElement.appendChild(e);var f=e.contentWindow;e=f.document;e.open();e.close();var h="callImmediate"+Math.random(),l="file:"==f.location.protocol?"*":f.location.protocol+"//"+f.location.host;e=(0,g.z)(function(m){if(("*"==l||m.origin==l)&&m.data==h)this.port1.onmessage()},this); -f.addEventListener("message",e,!1);this.port1={};this.port2={postMessage:function(){f.postMessage(h,l)}}}); -if("undefined"!==typeof a&&!Wc("Trident")&&!Wc("MSIE")){var b=new a,c={},d=c;b.port1.onmessage=function(){if(void 0!==c.next){c=c.next;var e=c.hC;c.hC=null;e()}}; -return function(e){d.next={hC:e};d=d.next;b.port2.postMessage(0)}}return function(e){g.v.setTimeout(e,0)}}; -hm=function(){this.B=this.u=null}; -im=function(){this.next=this.scope=this.u=null}; -g.mm=function(a,b){jm||oda();km||(jm(),km=!0);lm.add(a,b)}; -oda=function(){if(g.v.Promise&&g.v.Promise.resolve){var a=g.v.Promise.resolve(void 0);jm=function(){a.then(nm)}}else jm=function(){gm(nm)}}; -nm=function(){for(var a;a=lm.remove();){try{a.u.call(a.scope)}catch(b){em(b)}dm(om,a)}km=!1}; -pm=function(a){if(!a)return!1;try{return!!a.$goog_Thenable}catch(b){return!1}}; -rm=function(a){this.Ka=0;this.Fl=void 0;this.On=this.Dk=this.Wm=null;this.cu=this.Px=!1;if(a!=g.Ka)try{var b=this;a.call(void 0,function(c){qm(b,2,c)},function(c){qm(b,3,c)})}catch(c){qm(this,3,c)}}; -sm=function(){this.next=this.context=this.onRejected=this.C=this.u=null;this.B=!1}; -um=function(a,b,c){var d=tm.get();d.C=a;d.onRejected=b;d.context=c;return d}; -vm=function(a){if(a instanceof rm)return a;var b=new rm(g.Ka);qm(b,2,a);return b}; -wm=function(a){return new rm(function(b,c){c(a)})}; -ym=function(a,b,c){xm(a,b,c,null)||g.mm(g.Ta(b,a))}; -pda=function(a){return new rm(function(b,c){a.length||b(void 0);for(var d=0,e;db)throw Error("Bad port number "+b);a.D=b}else a.D=null}; -Um=function(a,b,c){b instanceof Wm?(a.C=b,tda(a.C,a.K)):(c||(b=Xm(b,uda)),a.C=new Wm(b,a.K))}; -g.Ym=function(a){return a instanceof g.Qm?a.clone():new g.Qm(a,void 0)}; -Vm=function(a,b){return a?b?decodeURI(a.replace(/%25/g,"%2525")):decodeURIComponent(a):""}; -Xm=function(a,b,c){return"string"===typeof a?(a=encodeURI(a).replace(b,vda),c&&(a=a.replace(/%25([0-9a-fA-F]{2})/g,"%$1")),a):null}; -vda=function(a){a=a.charCodeAt(0);return"%"+(a>>4&15).toString(16)+(a&15).toString(16)}; -Wm=function(a,b){this.B=this.u=null;this.C=a||null;this.D=!!b}; -Zm=function(a){a.u||(a.u=new g.Nm,a.B=0,a.C&&Bd(a.C,function(b,c){a.add(nd(b),c)}))}; -an=function(a,b){Zm(a);b=$m(a,b);return Om(a.u.B,b)}; -g.bn=function(a,b,c){a.remove(b);0e;e++)d[e]=b.charCodeAt(c)<<24|b.charCodeAt(c+1)<<16|b.charCodeAt(c+2)<<8|b.charCodeAt(c+3),c+=4;else for(e=0;16>e;e++)d[e]=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4;for(e=16;80>e;e++){var f=d[e-3]^d[e-8]^d[e-14]^d[e-16];d[e]=(f<<1|f>>>31)&4294967295}b=a.u[0];c=a.u[1];var h=a.u[2],l=a.u[3],m=a.u[4];for(e=0;80>e;e++){if(40>e)if(20>e){f=l^c&(h^l);var n=1518500249}else f=c^h^l,n=1859775393;else 60>e?(f=c&h|l&(c|h),n=2400959708): -(f=c^h^l,n=3395469782);f=(b<<5|b>>>27)+f+m+n+d[e]&4294967295;m=l;l=h;h=(c<<30|c>>>2)&4294967295;c=b;b=f}a.u[0]=a.u[0]+b&4294967295;a.u[1]=a.u[1]+c&4294967295;a.u[2]=a.u[2]+h&4294967295;a.u[3]=a.u[3]+l&4294967295;a.u[4]=a.u[4]+m&4294967295}; -nn=function(a){return"string"==typeof a.className?a.className:a.getAttribute&&a.getAttribute("class")||""}; -on=function(a){return a.classList?a.classList:nn(a).match(/\S+/g)||[]}; -g.pn=function(a,b){"string"==typeof a.className?a.className=b:a.setAttribute&&a.setAttribute("class",b)}; -g.qn=function(a,b){return a.classList?a.classList.contains(b):g.jb(on(a),b)}; -g.I=function(a,b){if(a.classList)a.classList.add(b);else if(!g.qn(a,b)){var c=nn(a);g.pn(a,c+(0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; -Gda=function(a){if(!a)return Rc;var b=document.createElement("div").style,c=Cda(a);g.Cb(c,function(d){var e=g.Ae&&d in Dda?d:d.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");nc(e,"--")||nc(e,"var")||(d=zn(Eda,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[d])||"",d=Bda(d),null!=d&&zn(Fda,b,b.setProperty?"setProperty":"setAttribute",[e,d]))}); -return Haa(b.cssText||"")}; -Cda=function(a){g.Na(a)?a=g.rb(a):(a=g.Mb(a),g.ob(a,"cssText"));return a}; -g.Bn=function(a){var b,c=b=0,d=!1;a=a.split(Hda);for(var e=0;eg.A()}; -g.Zn=function(a){this.u=a}; -Oda=function(){}; +dja=function(a,b,c,d){return Xm().B?!1:0>=ym(a)||0>=a.getHeight()?!0:c&&d?qia(208,function(){return cja(a,b,c)}):!1}; +Kn=function(a,b,c){g.C.call(this);this.position=eja.clone();this.LG=this.XF();this.eN=-2;this.u9=Date.now();this.lY=-1;this.Wo=b;this.BG=null;this.wB=!1;this.XG=null;this.opacity=-1;this.requestSource=c;this.A9=!1;this.kN=function(){}; +this.BY=function(){}; +this.Cj=new Aha;this.Cj.Ss=a;this.Cj.j=a;this.Ms=!1;this.Ju={wN:null,vN:null};this.PX=!0;this.ZD=null;this.Oy=this.r4=!1;fm().I++;this.Ah=this.XL();this.hY=-1;this.nf=null;this.hasCompleted=this.o4=!1;this.Cc=new sl;zha(this.Cc);fja(this);1==this.requestSource?ul(this.Cc,"od",1):ul(this.Cc,"od",0)}; +fja=function(a){a=a.Cj.Ss;var b;if(b=a&&a.getAttribute)b=/-[a-z]/.test("googleAvInapp")?!1:gja&&a.dataset?"googleAvInapp"in a.dataset:a.hasAttribute?a.hasAttribute("data-"+cca()):!!a.getAttribute("data-"+cca());b&&(Xm().u=!0)}; +Ln=function(a,b){b!=a.Oy&&(a.Oy=b,a=Xm(),b?a.I++:0c?0:a}; +jja=function(a,b,c){if(a.nf){a.nf.Hr();var d=a.nf.J,e=d.C,f=e.j;if(null!=d.I){var h=d.B;a.XG=new g.Fe(h.left-f.left,h.top-f.top)}f=a.hI()?Math.max(d.j,d.D):d.j;h={};null!==e.volume&&(h.volume=e.volume);e=a.VT(d);a.BG=d;a.Pa(f,b,c,!1,h,e,d.T)}}; +kja=function(a){if(a.wB&&a.ZD){var b=1==vl(a.Cc,"od"),c=Xm().j,d=a.ZD,e=a.nf?a.nf.getName():"ns",f=new g.He(ym(c),c.getHeight());c=a.hI();a={j9:e,XG:a.XG,W9:f,hI:c,Xd:a.Ah.Xd,P9:b};if(b=d.u){b.Hr();e=b.J;f=e.C.j;var h=null,l=null;null!=e.I&&f&&(h=e.B,h=new g.Fe(h.left-f.left,h.top-f.top),l=new g.He(f.right-f.left,f.bottom-f.top));e=c?Math.max(e.j,e.D):e.j;c={j9:b.getName(),XG:h,W9:l,hI:c,P9:!1,Xd:e}}else c=null;c&&Wia(d,a,c)}}; +lja=function(a,b,c){b&&(a.kN=b);c&&(a.BY=c)}; +g.Mn=function(){}; +g.Nn=function(a){return{value:a,done:!1}}; +mja=function(){this.C=this.j=this.B=this.u=this.D=0}; +nja=function(a){var b={};var c=g.Ra()-a.D;b=(b.ptlt=c,b);(c=a.u)&&(b.pnk=c);(c=a.B)&&(b.pnc=c);(c=a.C)&&(b.pnmm=c);(a=a.j)&&(b.pns=a);return b}; +oja=function(){nl.call(this);this.fullscreen=!1;this.volume=void 0;this.B=!1;this.mediaTime=-1}; +On=function(a){return Vm(a.volume)&&0=this.u.length){for(var c=this.u,d=0;d>1,a[d].getKey()>c.getKey())a[b]=a[d],b=d;else break;a[b]=c}; -g.no=function(){lo.call(this)}; -oo=function(){}; -po=function(a){g.Jf(this,a,Qda,null)}; -qo=function(a){g.Jf(this,a,null,null)}; -Rda=function(a,b){for(;gf(b)&&4!=b.B;)switch(b.C){case 1:var c=kf(b);g.Mf(a,1,c);break;case 2:c=kf(b);g.Mf(a,2,c);break;case 3:c=kf(b);g.Mf(a,3,c);break;case 4:c=kf(b);g.Mf(a,4,c);break;case 5:c=ef(b.u);g.Mf(a,5,c);break;default:hf(b)}return a}; -Sda=function(a){a=a.split("");var b=[a,"continue",function(c,d){for(var e=64,f=[];++e-f.length-32;)switch(e){case 58:e=96;continue;case 91:e=44;break;case 65:e=47;continue;case 46:e=153;case 123:e-=58;default:f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}, -a,-1200248212,262068875,404102954,-460285145,null,179465532,-1669371385,a,-490898646,function(c,d){for(d=(d%c.length+c.length)%c.length;d--;)c.unshift(c.pop())}, -628191186,null,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(d,1)}, --824641148,2119880155,function(c){c.reverse()}, -1440092226,1303924481,-197075122,1501939637,865495029,-1026578168,function(c){for(var d=c.length;d;)c.push(c.splice(--d,1)[0])}, --1683749005,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(0,1,c.splice(d,1,c[0])[0])}, --191802705,-870332615,-1920825481,-327446973,1960953908,function(c,d){c.push(d)}, -791473723,-802486607,283062326,-134195793,function(c,d){d=(d%c.length+c.length)%c.length;c.splice(-d).reverse().forEach(function(e){c.unshift(e)})}, --1264016128,function(c,d){d=(d%c.length+c.length)%c.length;var e=c[0];c[0]=c[d];c[d]=e}, --80833027,-1733582932,1879123177,null,"unRRLXb",-197075122,function(c,d){for(var e=64,f=[];++e-f.length-32;){switch(e){case 58:e-=14;case 91:case 92:case 93:continue;case 123:e=47;case 94:case 95:case 96:continue;case 46:e=95}f.push(String.fromCharCode(e))}c.forEach(function(h,l,m){this.push(m[l]=f[(f.indexOf(h)-f.indexOf(this[l])+l-32+e--)%f.length])},d.split(""))}]; -b[8]=b;b[15]=b;b[45]=b;b[41](b[45],b[21]);b[28](b[34],b[43]);b[39](b[3],b[47]);b[39](b[15],b[44]);b[21](b[44],b[0]);b[19](b[25],b[16]);b[34](b[40],b[9]);b[9](b[5],b[48]);b[28](b[12]);b[1](b[5],b[39]);b[1](b[12],b[32]);b[1](b[12],b[40]);b[37](b[20],b[27]);b[0](b[43]);b[1](b[17],b[2]);b[1](b[12],b[34]);b[1](b[12],b[36]);b[23](b[12]);b[1](b[5],b[33]);b[22](b[24],b[35]);b[44](b[39],b[16]);b[20](b[15],b[8]);b[32](b[0],b[14]);b[46](b[19],b[36]);b[17](b[19],b[9]);b[45](b[32],b[41]);b[29](b[44],b[14]);b[48](b[2]); -b[7](b[37],b[16]);b[21](b[44],b[38]);b[31](b[32],b[30]);b[42](b[13],b[20]);b[19](b[2],b[8]);b[45](b[13],b[0]);b[28](b[2],b[26]);b[43](b[37]);b[43](b[18],b[14]);b[43](b[37],b[4]);b[43](b[6],b[33]);return a.join("")}; -so=function(a){var b=arguments;1f&&(c=a.substring(f,e),c=c.replace(Uda,""),c=c.replace(Vda,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else Wda(a,b,c)}; -Wda=function(a,b,c){c=void 0===c?null:c;var d=To(a),e=document.getElementById(d),f=e&&Bo(e),h=e&&!f;f?b&&b():(b&&(f=g.No(d,b),b=""+g.Sa(b),Uo[b]=f),h||(e=Xda(a,d,function(){Bo(e)||(Ao(e,"loaded","true"),g.Po(d),g.Go(g.Ta(Ro,d),0))},c)))}; -Xda=function(a,b,c,d){d=void 0===d?null:d;var e=g.Fe("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; -e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; -d&&e.setAttribute("nonce",d);g.kd(e,g.sg(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; -To=function(a){var b=document.createElement("a");g.jd(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+qd(a)}; -Wo=function(){var a=document;if("visibilityState"in a)return a.visibilityState;var b=Vo+"VisibilityState";if(b in a)return a[b]}; -Xo=function(a,b){var c;ki(a,function(d){c=b[d];return!!c}); -return c}; -Yo=function(a){this.type="";this.state=this.source=this.data=this.currentTarget=this.relatedTarget=this.target=null;this.charCode=this.keyCode=0;this.metaKey=this.shiftKey=this.ctrlKey=this.altKey=!1;this.rotation=this.clientY=this.clientX=0;this.scale=1;this.changedTouches=this.touches=null;try{if(a=a||window.event){this.event=a;for(var b in a)b in Yda||(this[b]=a[b]);this.scale=a.scale;this.rotation=a.rotation;var c=a.target||a.srcElement;c&&3==c.nodeType&&(c=c.parentNode);this.target=c;var d=a.relatedTarget; -if(d)try{d=d.nodeName?d:null}catch(e){d=null}else"mouseover"==this.type?d=a.fromElement:"mouseout"==this.type&&(d=a.toElement);this.relatedTarget=d;this.clientX=void 0!=a.clientX?a.clientX:a.pageX;this.clientY=void 0!=a.clientY?a.clientY:a.pageY;this.keyCode=a.keyCode?a.keyCode:a.which;this.charCode=a.charCode||("keypress"==this.type?this.keyCode:0);this.altKey=a.altKey;this.ctrlKey=a.ctrlKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.u=a.pageX;this.B=a.pageY}}catch(e){}}; -Zo=function(a){if(document.body&&document.documentElement){var b=document.body.scrollTop+document.documentElement.scrollTop;a.u=a.clientX+(document.body.scrollLeft+document.documentElement.scrollLeft);a.B=a.clientY+b}}; -Zda=function(a,b,c,d){d=void 0===d?{}:d;a.addEventListener&&("mouseenter"!=b||"onmouseenter"in document?"mouseleave"!=b||"onmouseenter"in document?"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"):b="mouseout":b="mouseover");return Qb($o,function(e){var f="boolean"===typeof e[4]&&e[4]==!!d,h=g.Pa(e[4])&&g.Pa(d)&&g.Ub(e[4],d);return!!e.length&&e[0]==a&&e[1]==b&&e[2]==c&&(f||h)})}; -g.cp=function(a,b,c,d){d=void 0===d?{}:d;if(!a||!a.addEventListener&&!a.attachEvent)return"";var e=Zda(a,b,c,d);if(e)return e;e=++ap.count+"";var f=!("mouseenter"!=b&&"mouseleave"!=b||!a.addEventListener||"onmouseenter"in document);var h=f?function(l){l=new Yo(l);if(!Te(l.relatedTarget,function(m){return m==a},!0))return l.currentTarget=a,l.type=b,c.call(a,l)}:function(l){l=new Yo(l); -l.currentTarget=a;return c.call(a,l)}; -h=Eo(h);a.addEventListener?("mouseenter"==b&&f?b="mouseover":"mouseleave"==b&&f?b="mouseout":"mousewheel"==b&&"MozBoxSizing"in document.documentElement.style&&(b="MozMousePixelScroll"),bp()||"boolean"===typeof d?a.addEventListener(b,h,d):a.addEventListener(b,h,!!d.capture)):a.attachEvent("on"+b,h);$o[e]=[a,b,c,h,d];return e}; -$da=function(a,b){var c=document.body||document;return g.cp(c,"click",function(d){var e=Te(d.target,function(f){return f===c||b(f)},!0); -e&&e!==c&&!e.disabled&&(d.currentTarget=e,a.call(e,d))})}; -g.dp=function(a){a&&("string"==typeof a&&(a=[a]),g.Cb(a,function(b){if(b in $o){var c=$o[b],d=c[0],e=c[1],f=c[3];c=c[4];d.removeEventListener?bp()||"boolean"===typeof c?d.removeEventListener(e,f,c):d.removeEventListener(e,f,!!c.capture):d.detachEvent&&d.detachEvent("on"+e,f);delete $o[b]}}))}; -g.ep=function(a){a=a||window.event;a=a.target||a.srcElement;3==a.nodeType&&(a=a.parentNode);return a}; -fp=function(a){a=a||window.event;var b;a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path;return b&&b.length?b[0]:g.ep(a)}; -gp=function(a){a=a||window.event;var b=a.relatedTarget;b||("mouseover"==a.type?b=a.fromElement:"mouseout"==a.type&&(b=a.toElement));return b}; -hp=function(a){a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));return new g.ge(b,c)}; -g.ip=function(a){a=a||window.event;a.returnValue=!1;a.preventDefault&&a.preventDefault()}; -g.kp=function(a){a=a||window.event;return!1===a.returnValue||a.WD&&a.WD()}; -g.lp=function(a){a=a||window.event;return a.keyCode?a.keyCode:a.which}; -aea=function(a){return $da(a,function(b){return g.qn(b,"ytp-ad-has-logging-urls")})}; -g.mp=function(a,b,c){var d=void 0===d?{}:d;var e;return e=g.cp(a,b,function(){g.dp(e);c.apply(a,arguments)},d)}; -np=function(a){for(var b in $o)$o[b][0]==a&&g.dp(b)}; -op=function(a){this.P=a;this.u=null;this.D=0;this.I=null;this.F=0;this.B=[];for(a=0;4>a;a++)this.B.push(0);this.C=0;this.R=g.cp(window,"mousemove",(0,g.z)(this.Y,this));this.X=Ho((0,g.z)(this.K,this),25)}; -pp=function(){}; -rp=function(a,b){return qp(a,0,b)}; -g.sp=function(a,b){return qp(a,1,b)}; -tp=function(){pp.apply(this,arguments)}; -g.up=function(){return!!g.Ja("yt.scheduler.instance")}; -qp=function(a,b,c){isNaN(c)&&(c=void 0);var d=g.Ja("yt.scheduler.instance.addJob");return d?d(a,b,c):void 0===c?(a(),NaN):g.Go(a,c||0)}; -g.vp=function(a){if(!isNaN(a)){var b=g.Ja("yt.scheduler.instance.cancelJob");b?b(a):g.Io(a)}}; -wp=function(a){var b=g.Ja("yt.scheduler.instance.setPriorityThreshold");b&&b(a)}; -zp=function(){var a={},b=void 0===a.eL?!0:a.eL;a=void 0===a.yR?!1:a.yR;if(null==g.Ja("_lact",window)){var c=parseInt(g.L("LACT"),10);c=isFinite(c)?g.A()-Math.max(c,0):-1;g.Fa("_lact",c,window);g.Fa("_fact",c,window);-1==c&&xp();g.cp(document,"keydown",xp);g.cp(document,"keyup",xp);g.cp(document,"mousedown",xp);g.cp(document,"mouseup",xp);b&&(a?g.cp(window,"touchmove",function(){yp("touchmove",200)},{passive:!0}):(g.cp(window,"resize",function(){yp("resize",200)}),g.cp(window,"scroll",function(){yp("scroll", -200)}))); -new op(function(){yp("mouse",100)}); -g.cp(document,"touchstart",xp,{passive:!0});g.cp(document,"touchend",xp,{passive:!0})}}; -yp=function(a,b){Ap[a]||(Ap[a]=!0,g.sp(function(){xp();Ap[a]=!1},b))}; -xp=function(){null==g.Ja("_lact",window)&&(zp(),g.Ja("_lact",window));var a=g.A();g.Fa("_lact",a,window);-1==g.Ja("_fact",window)&&g.Fa("_fact",a,window);(a=g.Ja("ytglobal.ytUtilActivityCallback_"))&&a()}; -Bp=function(){var a=g.Ja("_lact",window),b;null==a?b=-1:b=Math.max(g.A()-a,0);return b}; -Hp=function(a){a=void 0===a?!1:a;return new rm(function(b){g.Io(Cp);g.Io(Dp);Dp=0;Ep&&Ep.isReady()?(bea(b,a),Fp.clear()):(Gp(),b())})}; -Gp=function(){g.vo("web_gel_timeout_cap")&&!Dp&&(Dp=g.Go(Hp,6E4));g.Io(Cp);var a=g.L("LOGGING_BATCH_TIMEOUT",g.wo("web_gel_debounce_ms",1E4));g.vo("shorten_initial_gel_batch_timeout")&&Ip&&(a=cea);Cp=g.Go(Hp,a)}; -bea=function(a,b){var c=Ep;b=void 0===b?!1:b;for(var d=Math.round((0,g.N)()),e=Fp.size,f=g.q(Fp),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;var m=l.next().value;l=g.Wb(g.Jp(c.Tf||g.Kp()));l.events=m;(m=Lp[h])&&dea(l,h,m);delete Lp[h];eea(l,d);g.Mp(c,"log_event",l,{retry:!0,onSuccess:function(){e--;e||a();Np=Math.round((0,g.N)()-d)}, -onError:function(){e--;e||a()}, -JS:b});Ip=!1}}; -eea=function(a,b){a.requestTimeMs=String(b);g.vo("unsplit_gel_payloads_in_logs")&&(a.unsplitGelPayloadsInLogs=!0);var c=g.L("EVENT_ID",void 0);if(c){var d=g.L("BATCH_CLIENT_COUNTER",void 0)||0;!d&&g.vo("web_client_counter_random_seed")&&(d=Math.floor(Math.random()*Op/2));d++;d>Op&&(d=1);so("BATCH_CLIENT_COUNTER",d);c={serializedEventId:c,clientCounter:String(d)};a.serializedClientEventId=c;Pp&&Np&&g.vo("log_gel_rtt_web")&&(a.previousBatchInfo={serializedClientEventId:Pp,roundtripMs:String(Np)});Pp= -c;Np=0}}; -dea=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; -Sp=function(a,b,c,d){d=void 0===d?{}:d;var e={};e.eventTimeMs=Math.round(d.timestamp||(0,g.N)());e[a]=b;a=Bp();e.context={lastActivityMs:String(d.timestamp||!isFinite(a)?-1:a)};g.vo("log_sequence_info_on_gel_web")&&d.pk&&(a=e.context,b=d.pk,Qp[b]=b in Qp?Qp[b]+1:0,a.sequence={index:Qp[b],groupKey:b},d.YJ&&delete Qp[d.pk]);d=d.Fi;a="";d&&(a={},d.videoId?a.videoId=d.videoId:d.playlistId&&(a.playlistId=d.playlistId),Lp[d.token]=a,a=d.token);d=Fp.get(a)||[];Fp.set(a,d);d.push(e);c&&(Ep=new c);c=g.wo("web_logging_max_batch")|| -100;e=(0,g.N)();d.length>=c?Hp(!0):10<=e-Rp&&(Gp(),Rp=e)}; -Tp=function(){return g.Ja("yt.ads.biscotti.lastId_")||""}; -Up=function(a){g.Fa("yt.ads.biscotti.lastId_",a,void 0)}; -Vp=function(a){for(var b=a.split("&"),c={},d=0,e=b.length;dMath.max(1E4,a.B/3)?0:b);var c=a.J(a)||{};c=void 0!==c.currentTime?c.currentTime:a.Z;var d=c-a.Z,e=0;0<=d?(a.oa+=b,a.Ja+=Math.max(b-d,0),e=Math.min(d,a.oa)):a.Qa+=Math.abs(d);0!=d&&(a.oa=0);-1==a.Xa&&0=a.B/2:0=a.Ga:!1:!1}; +Bja=function(a){var b=Um(a.Ah.Xd,2),c=a.Rg.B,d=a.Ah,e=ho(a),f=go(e.C),h=go(e.I),l=go(d.volume),m=Um(e.J,2),n=Um(e.oa,2),p=Um(d.Xd,2),q=Um(e.ya,2),r=Um(e.Ga,2);d=Um(d.Tj,2);a=a.Bs().clone();a.round();e=Gn(e,!1);return{V9:b,sC:c,PG:f,IG:h,cB:l,QG:m,JG:n,Xd:p,TG:q,KG:r,Tj:d,position:a,VG:e}}; +Dja=function(a,b){Cja(a.j,b,function(){return{V9:0,sC:void 0,PG:-1,IG:-1,cB:-1,QG:-1,JG:-1,Xd:-1,TG:-1,KG:-1,Tj:-1,position:void 0,VG:[]}}); +a.j[b]=Bja(a)}; +Cja=function(a,b,c){for(var d=a.length;dc.time?b:c},a[0])}; +vo=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +wo=function(){var a=bka();an.call(this,Bl.top,a,"geo")}; +bka=function(){fm();var a=Xm();return a.B||a.u?0:2}; +cka=function(){}; +xo=function(){this.done=!1;this.j={E1:0,tS:0,n8a:0,mT:0,AM:-1,w2:0,v2:0,z2:0,i9:0};this.D=null;this.I=!1;this.B=null;this.J=0;this.u=new $m(this)}; +zo=function(){var a=yo;a.I||(a.I=!0,dka(a,function(){return a.C.apply(a,g.u(g.ya.apply(0,arguments)))}),a.C())}; +eka=function(){am(cka);var a=am(qo);null!=a.j&&a.j.j?Jia(a.j.j):Xm().update(Bl)}; +Ao=function(a,b,c){if(!a.done&&(a.u.cancel(),0!=b.length)){a.B=null;try{eka();var d=sm();fm().D=d;if(null!=am(qo).j)for(var e=0;eg.Zc(oka).length?null:$l(b,function(c,d){d=d.toLowerCase().split("=");if(2!=d.length||void 0===pka[d[0]]||!pka[d[0]](d[1]))throw Error("Entry ("+d[0]+", "+d[1]+") is invalid.");c[d[0]]=d[1];return c},{})}catch(c){return null}}; +rka=function(a,b){if(void 0==a.j)return 0;switch(a.D){case "mtos":return a.u?Dn(b.j,a.j):Dn(b.u,a.j);case "tos":return a.u?Cn(b.j,a.j):Cn(b.u,a.j)}return 0}; +Uo=function(a,b,c,d){Yn.call(this,b,d);this.J=a;this.T=c}; +Vo=function(){}; +Wo=function(a){Yn.call(this,"fully_viewable_audible_half_duration_impression",a)}; +Xo=function(a){this.j=a}; +Yo=function(a,b){Yn.call(this,a,b)}; +Zo=function(a){Zn.call(this,"measurable_impression",a)}; +$o=function(){Xo.apply(this,arguments)}; +ap=function(a,b,c){bo.call(this,a,b,c)}; +bp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +cp=function(a,b,c){bo.call(this,a,b,c)}; +dp=function(a){a=void 0===a?Bl:a;tn.call(this,new an(a,2))}; +ep=function(){an.call(this,Bl,2,"mraid");this.Ja=0;this.oa=this.ya=!1;this.J=null;this.u=uia(this.B);this.C.j=new xm(0,0,0,0);this.La=!1}; +fp=function(a,b,c){a.zt("addEventListener",b,c)}; +vka=function(a){fm().C=!!a.zt("isViewable");fp(a,"viewableChange",ska);"loading"===a.zt("getState")?fp(a,"ready",tka):uka(a)}; +uka=function(a){"string"===typeof a.u.jn.AFMA_LIDAR?(a.ya=!0,wka(a)):(a.u.compatibility=3,a.J="nc",a.fail("w"))}; +wka=function(a){a.oa=!1;var b=1==vl(fm().Cc,"rmmt"),c=!!a.zt("isViewable");(b?!c:1)&&cm().setTimeout(qm(524,function(){a.oa||(xka(a),rm(540,Error()),a.J="mt",a.fail("w"))}),500); +yka(a);fp(a,a.u.jn.AFMA_LIDAR,zka)}; +yka=function(a){var b=1==vl(fm().Cc,"sneio"),c=void 0!==a.u.jn.AFMA_LIDAR_EXP_1,d=void 0!==a.u.jn.AFMA_LIDAR_EXP_2;(b=b&&d)&&(a.u.jn.AFMA_LIDAR_EXP_2=!0);c&&(a.u.jn.AFMA_LIDAR_EXP_1=!b)}; +xka=function(a){a.zt("removeEventListener",a.u.jn.AFMA_LIDAR,zka);a.ya=!1}; +Aka=function(a,b){if("loading"===a.zt("getState"))return new g.He(-1,-1);b=a.zt(b);if(!b)return new g.He(-1,-1);a=parseInt(b.width,10);b=parseInt(b.height,10);return isNaN(a)||isNaN(b)?new g.He(-1,-1):new g.He(a,b)}; +tka=function(){try{var a=am(ep);a.zt("removeEventListener","ready",tka);uka(a)}catch(b){rm(541,b)}}; +zka=function(a,b){try{var c=am(ep);c.oa=!0;var d=a?new xm(a.y,a.x+a.width,a.y+a.height,a.x):new xm(0,0,0,0);var e=sm(),f=Zm();var h=new Bm(e,f,c);h.j=d;h.volume=b;c.Hs(h)}catch(l){rm(542,l)}}; +ska=function(a){var b=fm(),c=am(ep);a&&!b.C&&(b.C=!0,c.La=!0,c.J&&c.fail("w",!0))}; +gp=function(){this.isInitialized=!1;this.j=this.u=null;var a={};this.J=(a.start=this.Y3,a.firstquartile=this.T3,a.midpoint=this.V3,a.thirdquartile=this.Z3,a.complete=this.Q3,a.error=this.R3,a.pause=this.tO,a.resume=this.tX,a.skip=this.X3,a.viewable_impression=this.Jo,a.mute=this.hA,a.unmute=this.hA,a.fullscreen=this.U3,a.exitfullscreen=this.S3,a.fully_viewable_audible_half_duration_impression=this.Jo,a.measurable_impression=this.Jo,a.abandon=this.tO,a.engagedview=this.Jo,a.impression=this.Jo,a.creativeview= +this.Jo,a.progress=this.hA,a.custom_metric_viewable=this.Jo,a.bufferstart=this.tO,a.bufferfinish=this.tX,a.audio_measurable=this.Jo,a.audio_audible=this.Jo,a);a={};this.T=(a.overlay_resize=this.W3,a.abandon=this.pM,a.close=this.pM,a.collapse=this.pM,a.overlay_unmeasurable_impression=function(b){return ko(b,"overlay_unmeasurable_impression",Zm())},a.overlay_viewable_immediate_impression=function(b){return ko(b,"overlay_viewable_immediate_impression",Zm())},a.overlay_unviewable_impression=function(b){return ko(b, +"overlay_unviewable_impression",Zm())},a.overlay_viewable_end_of_session_impression=function(b){return ko(b,"overlay_viewable_end_of_session_impression",Zm())},a); +fm().u=3;Bka(this);this.B=!1}; +hp=function(a,b,c,d){b=a.ED(null,d,!0,b);b.C=c;Vja([b],a.B);return b}; +Cka=function(a,b,c){vha(b);var d=a.j;g.Ob(b,function(e){var f=g.Yl(e.criteria,function(h){var l=qka(h);if(null==l)h=null;else if(h=new nka,null!=l.visible&&(h.j=l.visible/100),null!=l.audible&&(h.u=1==l.audible),null!=l.time){var m="mtos"==l.timetype?"mtos":"tos",n=Haa(l.time,"%")?"%":"ms";l=parseInt(l.time,10);"%"==n&&(l/=100);h.setTime(l,n,m)}return h}); +Wm(f,function(h){return null==h})||zja(c,new Uo(e.id,e.event,f,d))})}; +Dka=function(){var a=[],b=fm();a.push(am(wo));vl(b.Cc,"mvp_lv")&&a.push(am(ep));b=[new bp,new dp];b.push(new ro(a));b.push(new vo(Bl));return b}; +Eka=function(a){if(!a.isInitialized){a.isInitialized=!0;try{var b=sm(),c=fm(),d=Xm();tm=b;c.B=79463069;"o"!==a.u&&(ika=Kha(Bl));if(Vha()){yo.j.tS=0;yo.j.AM=sm()-b;var e=Dka(),f=am(qo);f.u=e;Xja(f,function(){ip()})?yo.done||(fka(),bn(f.j.j,a),zo()):d.B?ip():zo()}else jp=!0}catch(h){throw oo.reset(),h; +}}}; +lp=function(a){yo.u.cancel();kp=a;yo.done=!0}; +mp=function(a){if(a.u)return a.u;var b=am(qo).j;if(b)switch(b.getName()){case "nis":a.u="n";break;case "gsv":a.u="m"}a.u||(a.u="h");return a.u}; +np=function(a,b,c){if(null==a.j)return b.nA|=4,!1;a=Fka(a.j,c,b);b.nA|=a;return 0==a}; +ip=function(){var a=[new vo(Bl)],b=am(qo);b.u=a;Xja(b,function(){lp("i")})?yo.done||(fka(),zo()):lp("i")}; +Gka=function(a,b){if(!a.Pb){var c=ko(a,"start",Zm());c=a.uO.j(c).j;var d={id:"lidarv"};d.r=b;d.sv="951";null!==Co&&(d.v=Co);Vi(c,function(e,f){return d[e]="mtos"==e||"tos"==e?f:encodeURIComponent(f)}); +b=jka();Vi(b,function(e,f){return d[e]=encodeURIComponent(f)}); +b="//pagead2.googlesyndication.com/pagead/gen_204?"+wn(vn(new un,d));Uia(b);a.Pb=!0}}; +op=function(a,b,c){Ao(yo,[a],!Zm());Dja(a,c);4!=c&&Cja(a.ya,c,a.XF);return ko(a,b,Zm())}; +Bka=function(a){hka(function(){var b=Hka();null!=a.u&&(b.sdk=a.u);var c=am(qo);null!=c.j&&(b.avms=c.j.getName());return b})}; +Ika=function(a,b,c,d){if(a.B)var e=no(oo,b);else e=Rja(oo,c),null!==e&&e.Zh!==b&&(a.rB(e),e=null);e||(b=a.ED(c,sm(),!1,b),0==oo.u.length&&(fm().B=79463069),Wja([b]),e=b,e.C=mp(a),d&&(e.Ya=d));return e}; +Jka=function(a){g.Ob(oo.j,function(b){3==b.Gi&&a.rB(b)})}; +Kka=function(a,b){var c=a[b];void 0!==c&&0document.documentMode){if(!b[c].call)throw Error("IE Clobbering detected");}else if("function"!=typeof b[c])throw Error("Clobbering detected");return b[c].apply(b,d)}; +vla=function(a){if(!a)return le;var b=document.createElement("div").style;rla(a).forEach(function(c){var d=g.Pc&&c in sla?c:c.replace(/^-(?:apple|css|epub|khtml|moz|mso?|o|rim|wap|webkit|xv)-(?=[a-z])/i,"");Rb(d,"--")||Rb(d,"var")||(c=qla(tla,a,a.getPropertyValue?"getPropertyValue":"getAttribute",[c])||"",c=ola(c),null!=c&&qla(ula,b,b.setProperty?"setProperty":"setAttribute",[d,c]))}); +return Wba(g.Xd("Output of CSS sanitizer"),b.cssText||"")}; +rla=function(a){g.Ia(a)?a=g.Bb(a):(a=g.Zc(a),g.wb(a,"cssText"));return a}; +g.fq=function(a){var b,c=b=0,d=!1;a=a.split(wla);for(var e=0;e=c)return 0;if(1<=c)return 1;for(var d=0,e=1,f=0,h=0;8>h;h++){f=hq(a,c);var l=(hq(a,c+1E-6)-f)/1E-6;if(1E-6>Math.abs(f-b))return c;if(1E-6>Math.abs(l))break;else fh;h++)fg.Ra()}; +g.pq=function(a){this.j=a}; +Gla=function(){}; +qq=function(){}; +rq=function(a){this.j=a}; +sq=function(){var a=null;try{a=window.localStorage||null}catch(b){}this.j=a}; +Hla=function(){var a=null;try{a=window.sessionStorage||null}catch(b){}this.j=a}; +uq=function(a,b){this.u=a;this.j=null;if(g.mf&&!g.Oc(9)){tq||(tq=new g.Zp);this.j=tq.get(a);this.j||(b?this.j=document.getElementById(b):(this.j=document.createElement("userdata"),this.j.addBehavior("#default#userData"),document.body.appendChild(this.j)),tq.set(a,this.j));try{this.j.load(this.u)}catch(c){this.j=null}}}; +vq=function(a){return"_"+encodeURIComponent(a).replace(/[.!~*'()%]/g,function(b){return Ila[b]})}; +wq=function(a){try{a.j.save(a.u)}catch(b){throw"Storage mechanism: Quota exceeded";}}; +xq=function(a,b){this.u=a;this.j=b+"::"}; +g.yq=function(a){var b=new sq;return b.isAvailable()?a?new xq(b,a):b:null}; +Lq=function(a,b){this.j=a;this.u=b}; +Mq=function(a){this.j=[];if(a)a:{if(a instanceof Mq){var b=a.Xp();a=a.Ml();if(0>=this.j.length){for(var c=this.j,d=0;df?1:2048>f?2:65536>f?3:4}var l=new Oq.Nw(e);for(b=c=0;cf?l[c++]=f:(2048>f?l[c++]=192|f>>>6:(65536>f?l[c++]=224|f>>>12:(l[c++]=240|f>>>18,l[c++]=128|f>>>12&63),l[c++]=128|f>>> +6&63),l[c++]=128|f&63);return l}; +Pq=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +Qq=function(a,b,c,d,e){this.XX=a;this.b3=b;this.Z2=c;this.O2=d;this.J4=e;this.BU=a&&a.length}; +Rq=function(a,b){this.nT=a;this.jz=0;this.Ht=b}; +Sq=function(a,b){a.hg[a.pending++]=b&255;a.hg[a.pending++]=b>>>8&255}; +Tq=function(a,b,c){a.Kh>16-c?(a.Vi|=b<>16-a.Kh,a.Kh+=c-16):(a.Vi|=b<>>=1,c<<=1;while(0<--b);return c>>>1}; +Mla=function(a,b,c){var d=Array(16),e=0,f;for(f=1;15>=f;f++)d[f]=e=e+c[f-1]<<1;for(c=0;c<=b;c++)e=a[2*c+1],0!==e&&(a[2*c]=Lla(d[e]++,e))}; +Nla=function(a){var b;for(b=0;286>b;b++)a.Ej[2*b]=0;for(b=0;30>b;b++)a.Pu[2*b]=0;for(b=0;19>b;b++)a.Ai[2*b]=0;a.Ej[512]=1;a.Kq=a.cA=0;a.Rl=a.matches=0}; +Ola=function(a){8e?Zq[e]:Zq[256+(e>>>7)];Uq(a,h,c);l=$q[h];0!==l&&(e-=ar[h],Tq(a,e,l))}}while(da.lq;){var m=a.xg[++a.lq]=2>l?++l:0;c[2*m]=1;a.depth[m]=0;a.Kq--;e&&(a.cA-=d[2*m+1])}b.jz=l;for(h=a.lq>>1;1<=h;h--)Vq(a,c,h);m=f;do h=a.xg[1],a.xg[1]=a.xg[a.lq--],Vq(a,c,1),d=a.xg[1],a.xg[--a.Ky]=h,a.xg[--a.Ky]=d,c[2*m]=c[2*h]+c[2*d],a.depth[m]=(a.depth[h]>=a.depth[d]?a.depth[h]:a.depth[d])+1,c[2*h+1]=c[2*d+1]=m,a.xg[1]=m++,Vq(a,c,1);while(2<= +a.lq);a.xg[--a.Ky]=a.xg[1];h=b.nT;m=b.jz;d=b.Ht.XX;e=b.Ht.BU;f=b.Ht.b3;var n=b.Ht.Z2,p=b.Ht.J4,q,r=0;for(q=0;15>=q;q++)a.Jp[q]=0;h[2*a.xg[a.Ky]+1]=0;for(b=a.Ky+1;573>b;b++){var v=a.xg[b];q=h[2*h[2*v+1]+1]+1;q>p&&(q=p,r++);h[2*v+1]=q;if(!(v>m)){a.Jp[q]++;var x=0;v>=n&&(x=f[v-n]);var z=h[2*v];a.Kq+=z*(q+x);e&&(a.cA+=z*(d[2*v+1]+x))}}if(0!==r){do{for(q=p-1;0===a.Jp[q];)q--;a.Jp[q]--;a.Jp[q+1]+=2;a.Jp[p]--;r-=2}while(0m||(h[2*d+1]!==q&&(a.Kq+=(q- +h[2*d+1])*h[2*d],h[2*d+1]=q),v--)}Mla(c,l,a.Jp)}; +Sla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);b[2*(c+1)+1]=65535;for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];++h=h?a.Ai[34]++:a.Ai[36]++,h=0,e=n,0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4))}}; +Tla=function(a,b,c){var d,e=-1,f=b[1],h=0,l=7,m=4;0===f&&(l=138,m=3);for(d=0;d<=c;d++){var n=f;f=b[2*(d+1)+1];if(!(++h=h?(Uq(a,17,a.Ai),Tq(a,h-3,3)):(Uq(a,18,a.Ai),Tq(a,h-11,7));h=0;e=n;0===f?(l=138,m=3):n===f?(l=6,m=3):(l=7,m=4)}}}; +Ula=function(a){var b=4093624447,c;for(c=0;31>=c;c++,b>>>=1)if(b&1&&0!==a.Ej[2*c])return 0;if(0!==a.Ej[18]||0!==a.Ej[20]||0!==a.Ej[26])return 1;for(c=32;256>c;c++)if(0!==a.Ej[2*c])return 1;return 0}; +cr=function(a,b,c){a.hg[a.pB+2*a.Rl]=b>>>8&255;a.hg[a.pB+2*a.Rl+1]=b&255;a.hg[a.UM+a.Rl]=c&255;a.Rl++;0===b?a.Ej[2*c]++:(a.matches++,b--,a.Ej[2*(Wq[c]+256+1)]++,a.Pu[2*(256>b?Zq[b]:Zq[256+(b>>>7)])]++);return a.Rl===a.IC-1}; +er=function(a,b){a.msg=dr[b];return b}; +fr=function(a){for(var b=a.length;0<=--b;)a[b]=0}; +gr=function(a){var b=a.state,c=b.pending;c>a.le&&(c=a.le);0!==c&&(Oq.Mx(a.Sj,b.hg,b.oD,c,a.pz),a.pz+=c,b.oD+=c,a.LP+=c,a.le-=c,b.pending-=c,0===b.pending&&(b.oD=0))}; +jr=function(a,b){var c=0<=a.qk?a.qk:-1,d=a.xb-a.qk,e=0;if(0>>3;var h=a.cA+3+7>>>3;h<=f&&(f=h)}else f=h=d+5;if(d+4<=f&&-1!==c)Tq(a,b?1:0,3),Pla(a,c,d);else if(4===a.strategy||h===f)Tq(a,2+(b?1:0),3),Rla(a,hr,ir);else{Tq(a,4+(b?1:0),3);c=a.zG.jz+1;d=a.rF.jz+1;e+=1;Tq(a,c-257,5);Tq(a,d-1,5);Tq(a,e-4,4);for(f=0;f>>8&255;a.hg[a.pending++]=b&255}; +Wla=function(a,b){var c=a.zV,d=a.xb,e=a.Ok,f=a.PV,h=a.xb>a.Oi-262?a.xb-(a.Oi-262):0,l=a.window,m=a.Qt,n=a.gp,p=a.xb+258,q=l[d+e-1],r=l[d+e];a.Ok>=a.hU&&(c>>=2);f>a.Yb&&(f=a.Yb);do{var v=b;if(l[v+e]===r&&l[v+e-1]===q&&l[v]===l[d]&&l[++v]===l[d+1]){d+=2;for(v++;l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&l[++d]===l[++v]&&de){a.gz=b;e=v;if(v>=f)break;q=l[d+e-1];r=l[d+e]}}}while((b=n[b&m])>h&&0!== +--c);return e<=a.Yb?e:a.Yb}; +or=function(a){var b=a.Oi,c;do{var d=a.YY-a.Yb-a.xb;if(a.xb>=b+(b-262)){Oq.Mx(a.window,a.window,b,b,0);a.gz-=b;a.xb-=b;a.qk-=b;var e=c=a.lG;do{var f=a.head[--e];a.head[e]=f>=b?f-b:0}while(--c);e=c=b;do f=a.gp[--e],a.gp[e]=f>=b?f-b:0;while(--c);d+=b}if(0===a.Sd.Ti)break;e=a.Sd;c=a.window;f=a.xb+a.Yb;var h=e.Ti;h>d&&(h=d);0===h?c=0:(e.Ti-=h,Oq.Mx(c,e.input,e.Gv,h,f),1===e.state.wrap?e.Cd=mr(e.Cd,c,h,f):2===e.state.wrap&&(e.Cd=nr(e.Cd,c,h,f)),e.Gv+=h,e.yw+=h,c=h);a.Yb+=c;if(3<=a.Yb+a.Ph)for(d=a.xb-a.Ph, +a.Yd=a.window[d],a.Yd=(a.Yd<a.Yb+a.Ph););}while(262>a.Yb&&0!==a.Sd.Ti)}; +pr=function(a,b){for(var c;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +qr=function(a,b){for(var c,d;;){if(262>a.Yb){or(a);if(262>a.Yb&&0===b)return 1;if(0===a.Yb)break}c=0;3<=a.Yb&&(a.Yd=(a.Yd<=a.Fe&&(1===a.strategy||3===a.Fe&&4096a.xb?a.xb:2;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Xla=function(a,b){for(var c,d,e,f=a.window;;){if(258>=a.Yb){or(a);if(258>=a.Yb&&0===b)return 1;if(0===a.Yb)break}a.Fe=0;if(3<=a.Yb&&0a.Yb&&(a.Fe=a.Yb)}3<=a.Fe?(c=cr(a,1,a.Fe-3),a.Yb-=a.Fe,a.xb+=a.Fe,a.Fe=0):(c=cr(a,0,a.window[a.xb]),a.Yb--,a.xb++);if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4=== +b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +Yla=function(a,b){for(var c;;){if(0===a.Yb&&(or(a),0===a.Yb)){if(0===b)return 1;break}a.Fe=0;c=cr(a,0,a.window[a.xb]);a.Yb--;a.xb++;if(c&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;return 4===b?(jr(a,!0),0===a.Sd.le?3:4):a.Rl&&(jr(a,!1),0===a.Sd.le)?1:2}; +rr=function(a,b,c,d,e){this.y3=a;this.I4=b;this.X4=c;this.H4=d;this.func=e}; +Zla=function(){this.Sd=null;this.status=0;this.hg=null;this.wrap=this.pending=this.oD=this.Vl=0;this.Ad=null;this.Qm=0;this.method=8;this.Zy=-1;this.Qt=this.gQ=this.Oi=0;this.window=null;this.YY=0;this.head=this.gp=null;this.PV=this.hU=this.strategy=this.level=this.hN=this.zV=this.Ok=this.Yb=this.gz=this.xb=this.Cv=this.ZW=this.Fe=this.qk=this.jq=this.iq=this.uM=this.lG=this.Yd=0;this.Ej=new Oq.Cp(1146);this.Pu=new Oq.Cp(122);this.Ai=new Oq.Cp(78);fr(this.Ej);fr(this.Pu);fr(this.Ai);this.GS=this.rF= +this.zG=null;this.Jp=new Oq.Cp(16);this.xg=new Oq.Cp(573);fr(this.xg);this.Ky=this.lq=0;this.depth=new Oq.Cp(573);fr(this.depth);this.Kh=this.Vi=this.Ph=this.matches=this.cA=this.Kq=this.pB=this.Rl=this.IC=this.UM=0}; +$la=function(a,b){if(!a||!a.state||5b)return a?er(a,-2):-2;var c=a.state;if(!a.Sj||!a.input&&0!==a.Ti||666===c.status&&4!==b)return er(a,0===a.le?-5:-2);c.Sd=a;var d=c.Zy;c.Zy=b;if(42===c.status)if(2===c.wrap)a.Cd=0,kr(c,31),kr(c,139),kr(c,8),c.Ad?(kr(c,(c.Ad.text?1:0)+(c.Ad.Is?2:0)+(c.Ad.Ur?4:0)+(c.Ad.name?8:0)+(c.Ad.comment?16:0)),kr(c,c.Ad.time&255),kr(c,c.Ad.time>>8&255),kr(c,c.Ad.time>>16&255),kr(c,c.Ad.time>>24&255),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,c.Ad.os&255),c.Ad.Ur&& +c.Ad.Ur.length&&(kr(c,c.Ad.Ur.length&255),kr(c,c.Ad.Ur.length>>8&255)),c.Ad.Is&&(a.Cd=nr(a.Cd,c.hg,c.pending,0)),c.Qm=0,c.status=69):(kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,0),kr(c,9===c.level?2:2<=c.strategy||2>c.level?4:0),kr(c,3),c.status=113);else{var e=8+(c.gQ-8<<4)<<8;e|=(2<=c.strategy||2>c.level?0:6>c.level?1:6===c.level?2:3)<<6;0!==c.xb&&(e|=32);c.status=113;lr(c,e+(31-e%31));0!==c.xb&&(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));a.Cd=1}if(69===c.status)if(c.Ad.Ur){for(e=c.pending;c.Qm<(c.Ad.Ur.length& +65535)&&(c.pending!==c.Vl||(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending!==c.Vl));)kr(c,c.Ad.Ur[c.Qm]&255),c.Qm++;c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));c.Qm===c.Ad.Ur.length&&(c.Qm=0,c.status=73)}else c.status=73;if(73===c.status)if(c.Ad.name){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){var f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.Qm=0,c.status=91)}else c.status=91;if(91===c.status)if(c.Ad.comment){e=c.pending;do{if(c.pending===c.Vl&&(c.Ad.Is&&c.pending>e&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e)),gr(a),e=c.pending,c.pending===c.Vl)){f=1;break}f=c.Qme&&(a.Cd=nr(a.Cd,c.hg,c.pending-e,e));0===f&&(c.status=103)}else c.status=103;103===c.status&& +(c.Ad.Is?(c.pending+2>c.Vl&&gr(a),c.pending+2<=c.Vl&&(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),a.Cd=0,c.status=113)):c.status=113);if(0!==c.pending){if(gr(a),0===a.le)return c.Zy=-1,0}else if(0===a.Ti&&(b<<1)-(4>=8,c.Kh-=8)):5!==b&&(Tq(c,0,3),Pla(c,0,0),3===b&&(fr(c.head),0===c.Yb&&(c.xb=0,c.qk=0,c.Ph=0))),gr(a),0===a.le))return c.Zy=-1,0}if(4!==b)return 0;if(0>=c.wrap)return 1;2===c.wrap?(kr(c,a.Cd&255),kr(c,a.Cd>>8&255),kr(c,a.Cd>>16&255),kr(c,a.Cd>>24&255),kr(c,a.yw&255),kr(c,a.yw>>8&255),kr(c,a.yw>>16&255),kr(c,a.yw>>24&255)):(lr(c,a.Cd>>>16),lr(c,a.Cd&65535));gr(a);0a.Rt&&(a.Rt+=16);this.err=0;this.msg="";this.ended=!1;this.chunks=[];this.Sd=new ama;this.Sd.le=0;var b=this.Sd;var c=a.level,d=a.method,e=a.Rt,f=a.O4,h=a.strategy;if(b){var l=1;-1===c&&(c=6);0>e?(l=0,e=-e):15f||9e||15c||9h||4c.wrap&&(c.wrap=-c.wrap);c.status=c.wrap?42:113;b.Cd=2===c.wrap?0:1;c.Zy=0;if(!bma){d=Array(16);for(f=h=0;28>f;f++)for(Yq[f]=h,e=0;e< +1<f;f++)for(ar[f]=h,e=0;e<1<<$q[f];e++)Zq[h++]=f;for(h>>=7;30>f;f++)for(ar[f]=h<<7,e=0;e<1<<$q[f]-7;e++)Zq[256+h++]=f;for(e=0;15>=e;e++)d[e]=0;for(e=0;143>=e;)hr[2*e+1]=8,e++,d[8]++;for(;255>=e;)hr[2*e+1]=9,e++,d[9]++;for(;279>=e;)hr[2*e+1]=7,e++,d[7]++;for(;287>=e;)hr[2*e+1]=8,e++,d[8]++;Mla(hr,287,d);for(e=0;30>e;e++)ir[2*e+1]=5,ir[2*e]=Lla(e,5);cma=new Qq(hr,Xq,257,286,15);dma=new Qq(ir,$q,0,30,15);ema=new Qq([],fma,0,19,7);bma=!0}c.zG=new Rq(c.Ej,cma); +c.rF=new Rq(c.Pu,dma);c.GS=new Rq(c.Ai,ema);c.Vi=0;c.Kh=0;Nla(c);c=0}else c=er(b,-2);0===c&&(b=b.state,b.YY=2*b.Oi,fr(b.head),b.hN=sr[b.level].I4,b.hU=sr[b.level].y3,b.PV=sr[b.level].X4,b.zV=sr[b.level].H4,b.xb=0,b.qk=0,b.Yb=0,b.Ph=0,b.Fe=b.Ok=2,b.Cv=0,b.Yd=0);b=c}}else b=-2;if(0!==b)throw Error(dr[b]);a.header&&(b=this.Sd)&&b.state&&2===b.state.wrap&&(b.state.Ad=a.header);if(a.sB){var n;"string"===typeof a.sB?n=Kla(a.sB):"[object ArrayBuffer]"===gma.call(a.sB)?n=new Uint8Array(a.sB):n=a.sB;a=this.Sd; +f=n;h=f.length;if(a&&a.state)if(n=a.state,b=n.wrap,2===b||1===b&&42!==n.status||n.Yb)b=-2;else{1===b&&(a.Cd=mr(a.Cd,f,h,0));n.wrap=0;h>=n.Oi&&(0===b&&(fr(n.head),n.xb=0,n.qk=0,n.Ph=0),c=new Oq.Nw(n.Oi),Oq.Mx(c,f,h-n.Oi,n.Oi,0),f=c,h=n.Oi);c=a.Ti;d=a.Gv;e=a.input;a.Ti=h;a.Gv=0;a.input=f;for(or(n);3<=n.Yb;){f=n.xb;h=n.Yb-2;do n.Yd=(n.Yd<=c[19]?(0,c[87])(c[Math.pow(2,2)-138- -218],c[79]):(0,c[76])(c[29],c[28]),c[26]!==14763-Math.pow(1,1)-14772&&(6>=c[24]&&((0,c[48])((0,c[184-108*Math.pow(1,4)])(c[70],c[24]),c[32],c[68],c[84]),1)||((0,c[47])((0,c[43])(),c[49],c[745+-27*Math.pow(5,2)]),c[47])((0,c[69])(),c[9],c[84])),-3>c[27]&&(0>=c[83]||((0,c[32])(c[46],c[82]),null))&&(0,c[1])(c[88]),-2!==c[50]&&(-6 +c[74]?((0,c[16+Math.pow(8,3)-513])((0,c[81])(c[69],c[34]),c[54],c[24],c[91]),c[64])((0,c[25])(c[42],c[22]),c[54],c[30],c[34]):(0,c[10])((0,c[54])(c[85],c[12]),(0,c[25])(c[42],c[8]),c[new Date("1969-12-31T18:46:04.000-05:15")/1E3],(0,c[82])(c[49],c[30]),c[82],c[20],c[28])),3=c[92]&&(0,c[15])((0,c[35])(c[36],c[20]),c[11],c[29])}catch(d){(0,c[60])(c[92],c[93])}try{1>c[45]?((0,c[60])(c[2],c[93]),c[60])(c[91],c[93]):((0,c[88])(c[93],c[86]),c[11])(c[57])}catch(d){(0,c[85])((0,c[80])(),c[56],c[0])}}catch(d){return"enhanced_except_j5gB8Of-_w8_"+a}return b.join("")}; +g.zr=function(a){this.name=a}; +Ar=function(a){J.call(this,a)}; +Br=function(a){J.call(this,a)}; +Cr=function(a){J.call(this,a)}; +Dr=function(a){J.call(this,a)}; +Er=function(a){J.call(this,a)}; +Fr=function(a){J.call(this,a)}; +Gr=function(a){J.call(this,a)}; +Hr=function(a){J.call(this,a)}; +Ir=function(a){J.call(this,a,-1,rma)}; +Jr=function(a){J.call(this,a,-1,sma)}; +Kr=function(a){J.call(this,a)}; +Lr=function(a){J.call(this,a)}; +Mr=function(a){J.call(this,a)}; +Nr=function(a){J.call(this,a)}; +Or=function(a){J.call(this,a)}; +Pr=function(a){J.call(this,a)}; +Qr=function(a){J.call(this,a)}; +Rr=function(a){J.call(this,a)}; +Sr=function(a){J.call(this,a)}; +Tr=function(a){J.call(this,a,-1,tma)}; +Ur=function(a){J.call(this,a,-1,uma)}; +Vr=function(a){J.call(this,a)}; +Wr=function(a){J.call(this,a)}; +Xr=function(a){J.call(this,a)}; +Yr=function(a){J.call(this,a)}; +Zr=function(a){J.call(this,a)}; +$r=function(a){J.call(this,a)}; +as=function(a){J.call(this,a,-1,vma)}; +bs=function(a){J.call(this,a)}; +cs=function(a){J.call(this,a,-1,wma)}; +ds=function(a){J.call(this,a)}; +es=function(a){J.call(this,a)}; +fs=function(a){J.call(this,a)}; +gs=function(a){J.call(this,a)}; +hs=function(a){J.call(this,a)}; +is=function(a){J.call(this,a)}; +js=function(a){J.call(this,a)}; +ks=function(a){J.call(this,a)}; +ls=function(a){J.call(this,a)}; +ms=function(a){J.call(this,a)}; +ns=function(a){J.call(this,a)}; +os=function(a){J.call(this,a)}; +ps=function(a){J.call(this,a)}; +qs=function(a){J.call(this,a)}; +rs=function(a){J.call(this,a)}; +ts=function(a){J.call(this,a,-1,xma)}; +us=function(a){J.call(this,a)}; +vs=function(a){J.call(this,a)}; +ws=function(a){J.call(this,a)}; +xs=function(a){J.call(this,a)}; +ys=function(a){J.call(this,a)}; +zs=function(a){J.call(this,a)}; +As=function(a){J.call(this,a,-1,yma)}; +Bs=function(a){J.call(this,a)}; +Cs=function(a){J.call(this,a)}; +Ds=function(a){J.call(this,a)}; +Es=function(a){J.call(this,a,-1,zma)}; +Fs=function(a){J.call(this,a)}; +Gs=function(a){J.call(this,a)}; +Hs=function(a){J.call(this,a)}; +Is=function(a){J.call(this,a,-1,Ama)}; +Js=function(a){J.call(this,a)}; +Ks=function(a){J.call(this,a)}; +Bma=function(a,b){return H(a,1,b)}; +Ls=function(a){J.call(this,a,-1,Cma)}; +Ms=function(a){J.call(this,a,-1,Dma)}; +Ns=function(a){J.call(this,a)}; +Os=function(a){J.call(this,a)}; +Ps=function(a){J.call(this,a)}; +Qs=function(a){J.call(this,a)}; +Rs=function(a){J.call(this,a)}; +Ss=function(a){J.call(this,a)}; +Ts=function(a){J.call(this,a)}; +Fma=function(a){J.call(this,a,-1,Ema)}; +g.Us=function(a){J.call(this,a,-1,Gma)}; +Vs=function(a){J.call(this,a)}; +Ws=function(a){J.call(this,a,-1,Hma)}; +Xs=function(a){J.call(this,a,-1,Ima)}; +Ys=function(a){J.call(this,a)}; +pt=function(a){J.call(this,a,-1,Jma)}; +rt=function(a){J.call(this,a,-1,Kma)}; +tt=function(a){J.call(this,a)}; +ut=function(a){J.call(this,a)}; +vt=function(a){J.call(this,a)}; +wt=function(a){J.call(this,a)}; +xt=function(a){J.call(this,a)}; +zt=function(a){J.call(this,a)}; +At=function(a){J.call(this,a,-1,Lma)}; +Bt=function(a){J.call(this,a)}; +Ct=function(a){J.call(this,a)}; +Dt=function(a){J.call(this,a)}; +Et=function(a){J.call(this,a)}; +Ft=function(a){J.call(this,a)}; +Gt=function(a){J.call(this,a)}; +Ht=function(a){J.call(this,a)}; +It=function(a){J.call(this,a)}; +Jt=function(a){J.call(this,a)}; +Kt=function(a){J.call(this,a,-1,Mma)}; +Lt=function(a){J.call(this,a,-1,Nma)}; +Mt=function(a){J.call(this,a,-1,Oma)}; +Nt=function(a){J.call(this,a)}; +Ot=function(a){J.call(this,a,-1,Pma)}; +Pt=function(a){J.call(this,a)}; +Qt=function(a){J.call(this,a,-1,Qma)}; +Rt=function(a){J.call(this,a,-1,Rma)}; +St=function(a){J.call(this,a,-1,Sma)}; +Tt=function(a){J.call(this,a)}; +Ut=function(a){J.call(this,a)}; +Vt=function(a){J.call(this,a,-1,Tma)}; +Wt=function(a){J.call(this,a)}; +Xt=function(a){J.call(this,a)}; +Yt=function(a){J.call(this,a)}; +Zt=function(a){J.call(this,a)}; +$t=function(a){J.call(this,a)}; +au=function(a){J.call(this,a)}; +bu=function(a){J.call(this,a)}; +cu=function(a){J.call(this,a)}; +du=function(a){J.call(this,a)}; +eu=function(a){J.call(this,a)}; +fu=function(a){J.call(this,a)}; +gu=function(a){J.call(this,a)}; +hu=function(a){J.call(this,a)}; +iu=function(a){J.call(this,a)}; +ju=function(a){J.call(this,a)}; +ku=function(a){J.call(this,a)}; +lu=function(a){J.call(this,a)}; +mu=function(a){J.call(this,a)}; +nu=function(a){J.call(this,a)}; +ou=function(a){J.call(this,a)}; +pu=function(a){J.call(this,a)}; +qu=function(a){J.call(this,a)}; +ru=function(a){J.call(this,a)}; +tu=function(a){J.call(this,a,-1,Uma)}; +uu=function(a){J.call(this,a,-1,Vma)}; +vu=function(a){J.call(this,a,-1,Wma)}; +wu=function(a){J.call(this,a)}; +xu=function(a){J.call(this,a)}; +yu=function(a){J.call(this,a)}; +zu=function(a){J.call(this,a)}; +Au=function(a){J.call(this,a)}; +Bu=function(a){J.call(this,a)}; +Cu=function(a){J.call(this,a)}; +Du=function(a){J.call(this,a)}; +Eu=function(a){J.call(this,a)}; +Fu=function(a){J.call(this,a)}; +Gu=function(a){J.call(this,a)}; +Hu=function(a){J.call(this,a)}; +Iu=function(a){J.call(this,a)}; +Ju=function(a){J.call(this,a)}; +Ku=function(a){J.call(this,a,-1,Xma)}; +Lu=function(a){J.call(this,a)}; +Mu=function(a){J.call(this,a,-1,Yma)}; +Nu=function(a){J.call(this,a)}; +Ou=function(a){J.call(this,a,-1,Zma)}; +Pu=function(a){J.call(this,a,-1,$ma)}; +Qu=function(a){J.call(this,a,-1,ana)}; +Ru=function(a){J.call(this,a)}; +Su=function(a){J.call(this,a)}; +Tu=function(a){J.call(this,a)}; +Uu=function(a){J.call(this,a)}; +Vu=function(a){J.call(this,a,-1,bna)}; +Wu=function(a){J.call(this,a)}; +Xu=function(a){J.call(this,a)}; +Yu=function(a){J.call(this,a,-1,cna)}; +Zu=function(a){J.call(this,a)}; +$u=function(a){J.call(this,a,-1,dna)}; +av=function(a){J.call(this,a)}; +bv=function(a){J.call(this,a)}; +cv=function(a){J.call(this,a)}; +dv=function(a){J.call(this,a)}; +ev=function(a){J.call(this,a)}; +fv=function(a){J.call(this,a,-1,ena)}; +gv=function(a){J.call(this,a)}; +hv=function(a){J.call(this,a,-1,fna)}; +iv=function(a){J.call(this,a)}; +jv=function(a){J.call(this,a,-1,gna)}; +kv=function(a){J.call(this,a)}; +lv=function(a){J.call(this,a)}; +mv=function(a){J.call(this,a,-1,hna)}; +nv=function(a){J.call(this,a)}; +ov=function(a){J.call(this,a,-1,ina)}; +pv=function(a){J.call(this,a)}; +qv=function(a){J.call(this,a)}; +rv=function(a){J.call(this,a)}; +tv=function(a){J.call(this,a)}; +uv=function(a){J.call(this,a,-1,jna)}; +vv=function(a){J.call(this,a,-1,kna)}; +wv=function(a){J.call(this,a)}; +xv=function(a){J.call(this,a)}; +yv=function(a){J.call(this,a)}; +zv=function(a){J.call(this,a)}; +Av=function(a){J.call(this,a)}; +Bv=function(a){J.call(this,a)}; +Cv=function(a){J.call(this,a)}; +Dv=function(a){J.call(this,a)}; +Ev=function(a){J.call(this,a)}; +Fv=function(a){J.call(this,a)}; +Gv=function(a){J.call(this,a)}; +Hv=function(a){J.call(this,a)}; +Iv=function(a){J.call(this,a,-1,lna)}; +Jv=function(a){J.call(this,a)}; +Kv=function(a){J.call(this,a,-1,mna)}; +Lv=function(a){J.call(this,a)}; +Mv=function(a){J.call(this,a)}; +Nv=function(a){J.call(this,a)}; +Ov=function(a){J.call(this,a)}; +Pv=function(a){J.call(this,a)}; +Qv=function(a){J.call(this,a)}; +Rv=function(a){J.call(this,a)}; +Sv=function(a){J.call(this,a)}; +Tv=function(a){J.call(this,a)}; +Uv=function(a){J.call(this,a)}; +Vv=function(a){J.call(this,a)}; +Wv=function(a){J.call(this,a)}; +Xv=function(a){J.call(this,a)}; +Yv=function(a){J.call(this,a)}; +Zv=function(a){J.call(this,a)}; +$v=function(a){J.call(this,a)}; +aw=function(a){J.call(this,a)}; +bw=function(a){J.call(this,a)}; +cw=function(a){J.call(this,a)}; +dw=function(a){J.call(this,a)}; +ew=function(a){J.call(this,a)}; +fw=function(a){J.call(this,a)}; +gw=function(a){J.call(this,a)}; +hw=function(a){J.call(this,a)}; +iw=function(a){J.call(this,a)}; +jw=function(a){J.call(this,a)}; +kw=function(a){J.call(this,a)}; +lw=function(a){J.call(this,a)}; +mw=function(a){J.call(this,a)}; +nw=function(a){J.call(this,a)}; +ow=function(a){J.call(this,a)}; +pw=function(a){J.call(this,a,-1,nna)}; +qw=function(a){J.call(this,a)}; +rw=function(a){J.call(this,a)}; +tw=function(a){J.call(this,a,-1,ona)}; +uw=function(a){J.call(this,a)}; +vw=function(a){J.call(this,a)}; +ww=function(a){J.call(this,a)}; +xw=function(a){J.call(this,a)}; +yw=function(a){J.call(this,a)}; +Aw=function(a){J.call(this,a)}; +Fw=function(a){J.call(this,a)}; +Gw=function(a){J.call(this,a)}; +Hw=function(a){J.call(this,a)}; +Iw=function(a){J.call(this,a)}; +Jw=function(a){J.call(this,a)}; +Kw=function(a){J.call(this,a)}; +Lw=function(a){J.call(this,a)}; +Mw=function(a){J.call(this,a)}; +Nw=function(a){J.call(this,a)}; +Ow=function(a){J.call(this,a,-1,pna)}; +Pw=function(a){J.call(this,a)}; +Qw=function(a){J.call(this,a)}; +Rw=function(a){J.call(this,a)}; +Sw=function(a){J.call(this,a)}; +Tw=function(a){J.call(this,a)}; +Uw=function(a){J.call(this,a)}; +Vw=function(a){J.call(this,a)}; +Ww=function(a){J.call(this,a)}; +Xw=function(a){J.call(this,a)}; +Yw=function(a){J.call(this,a)}; +Zw=function(a){J.call(this,a)}; +$w=function(a){J.call(this,a)}; +ax=function(a){J.call(this,a)}; +bx=function(a){J.call(this,a)}; +cx=function(a){J.call(this,a)}; +dx=function(a){J.call(this,a)}; +ex=function(a){J.call(this,a)}; +fx=function(a){J.call(this,a)}; +gx=function(a){J.call(this,a)}; +hx=function(a){J.call(this,a)}; +ix=function(a){J.call(this,a)}; +jx=function(a){J.call(this,a)}; +kx=function(a){J.call(this,a)}; +lx=function(a){J.call(this,a)}; +mx=function(a){J.call(this,a)}; +nx=function(a){J.call(this,a)}; +ox=function(a){J.call(this,a)}; +px=function(a){J.call(this,a,-1,qna)}; +qx=function(a){J.call(this,a)}; +rna=function(a,b){I(a,Tv,1,b)}; +rx=function(a){J.call(this,a)}; +sna=function(a,b){return I(a,Tv,1,b)}; +sx=function(a){J.call(this,a,-1,tna)}; +una=function(a,b){return I(a,Tv,2,b)}; +tx=function(a){J.call(this,a)}; +ux=function(a){J.call(this,a)}; +vx=function(a){J.call(this,a)}; +wx=function(a){J.call(this,a)}; +xx=function(a){J.call(this,a)}; +yx=function(a){J.call(this,a)}; +zx=function(a){var b=new yx;return H(b,1,a)}; +Ax=function(a,b){return H(a,2,b)}; +Bx=function(a){J.call(this,a,-1,vna)}; +Cx=function(a){J.call(this,a)}; +Dx=function(a){J.call(this,a,-1,wna)}; +Ex=function(a,b){Sh(a,68,yx,b)}; +Fx=function(a){J.call(this,a)}; +Gx=function(a){J.call(this,a)}; +Hx=function(a){J.call(this,a,-1,xna)}; +Ix=function(a){J.call(this,a,-1,yna)}; +Jx=function(a){J.call(this,a)}; +Kx=function(a){J.call(this,a)}; +Lx=function(a){J.call(this,a,-1,zna)}; +Mx=function(a){J.call(this,a)}; +Nx=function(a){J.call(this,a,-1,Ana)}; +Ox=function(a){J.call(this,a)}; +Px=function(a){J.call(this,a)}; +Qx=function(a){J.call(this,a,-1,Bna)}; +Rx=function(a){J.call(this,a)}; +Sx=function(a){J.call(this,a)}; +Tx=function(a){J.call(this,a,-1,Cna)}; +Ux=function(a){J.call(this,a,-1,Dna)}; +Vx=function(a){J.call(this,a)}; +Wx=function(a){J.call(this,a)}; +Xx=function(a){J.call(this,a)}; +Yx=function(a){J.call(this,a)}; +Zx=function(a){J.call(this,a,475)}; +$x=function(a){J.call(this,a)}; +ay=function(a){J.call(this,a)}; +by=function(a){J.call(this,a,-1,Ena)}; +Fna=function(){return g.Ga("yt.ads.biscotti.lastId_")||""}; +Gna=function(a){g.Fa("yt.ads.biscotti.lastId_",a)}; +dy=function(){var a=arguments;1h.status)?h.json().then(m,function(){m(null)}):m(null)}}); -b.PF&&0m.status,t=500<=m.status&&600>m.status;if(n||r||t)p=lea(a,c,m,b.U4);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};r=b.context||g.v;n?b.onSuccess&&b.onSuccess.call(r,m,p):b.onError&&b.onError.call(r,m,p);b.Zf&&b.Zf.call(r,m,p)}},b.method,d,b.headers,b.responseType, -b.withCredentials); -if(b.Bg&&0m.status,r=500<=m.status&&600>m.status;if(n||q||r)p=Zna(a,c,m,b.convertToSafeHtml);if(n)a:if(m&&204==m.status)n=!0;else{switch(c){case "XML":n=0==parseInt(p&&p.return_code,10);break a;case "RAW":n=!0;break a}n=!!p}p=p||{};q=b.context||g.Ea;n?b.onSuccess&&b.onSuccess.call(q,m,p):b.onError&&b.onError.call(q,m,p);b.onFinish&&b.onFinish.call(q,m, +p)}},b.method,d,b.headers,b.responseType,b.withCredentials); +d=b.timeout||0;if(b.onTimeout&&0=m||403===Ay(p.xhr))return Rf(new Jy("Request retried too many times","net.retryexhausted",p.xhr,p));p=Math.pow(2,c-m+1)*n;var q=0a;a++)this.u.push(0);this.B=0;this.oa=g.Ez(window,"mousemove",(0,g.Oa)(this.ea,this));this.T=g.Dy((0,g.Oa)(this.Z,this),25)}; +Jz=function(a){g.C.call(this);this.T=[];this.Pb=a||this}; +Kz=function(a,b,c,d){for(var e=0;eMath.random()&&g.Fo(new g.tr("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.tr("innertube xhrclient not ready",b,c,d),M(a),a.sampleWeight=0,a;var e={headers:{"Content-Type":"application/json"},method:"POST",tc:c,HG:"JSON",Bg:function(){d.Bg()}, -PF:d.Bg,onSuccess:function(l,m){if(d.onSuccess)d.onSuccess(m)}, -k5:function(l){if(d.onSuccess)d.onSuccess(l)}, -onError:function(l,m){if(d.onError)d.onError(m)}, -j5:function(l){if(d.onError)d.onError(l)}, -timeout:d.timeout,withCredentials:!0};c="";var f=a.Tf.RD;f&&(c=f);f=oea(a.Tf.TD||!1,c,d);Object.assign(e.headers,f);e.headers.Authorization&&!c&&(e.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.Tf.innertubeApiVersion+"/"+b;f={alt:"json"};a.Tf.SD&&e.headers.Authorization||(f.key=a.Tf.innertubeApiKey);var h=g.aq(""+c+b,f);js().then(function(){try{g.vo("use_fetch_for_op_xhr")?kea(h,e):g.vo("networkless_gel")&&d.retry?(e.method="POST",!d.JS&&g.vo("nwl_send_fast_on_unload")?Kea(h,e):As(h, -e)):(e.method="POST",e.tc||(e.tc={}),g.qq(h,e))}catch(l){if("InvalidAccessError"==l.name)g.Fo(Error("An extension is blocking network request."));else throw l;}})}; -g.Nq=function(a,b,c){c=void 0===c?{}:c;var d=g.Cs;g.L("ytLoggingEventsDefaultDisabled",!1)&&g.Cs==g.Cs&&(d=null);Sp(a,b,d,c)}; -Lea=function(){this.Pn=[];this.Om=[]}; -Es=function(){Ds||(Ds=new Lea);return Ds}; -Gs=function(a,b,c,d){c+="."+a;a=Fs(b);d[c]=a;return c.length+a.length}; -Fs=function(a){return("string"===typeof a?a:String(JSON.stringify(a))).substr(0,500)}; -Mea=function(a){g.Hs(a)}; -g.Is=function(a){g.Hs(a,"WARNING")}; -g.Hs=function(a,b){var c=void 0===c?{}:c;c.name=g.L("INNERTUBE_CONTEXT_CLIENT_NAME",1);c.version=g.L("INNERTUBE_CONTEXT_CLIENT_VERSION",void 0);var d=c||{};c=void 0===b?"ERROR":b;c=void 0===c?"ERROR":c;var e=void 0===e?!1:e;if(a){if(g.vo("console_log_js_exceptions")){var f=[];f.push("Name: "+a.name);f.push("Message: "+a.message);a.hasOwnProperty("params")&&f.push("Error Params: "+JSON.stringify(a.params));f.push("File name: "+a.fileName);f.push("Stacktrace: "+a.stack);window.console.log(f.join("\n"), -a)}if((!g.vo("web_yterr_killswitch")||window&&window.yterr||e)&&!(5<=Js)&&0!==a.sampleWeight){var h=Vaa(a);e=h.message||"Unknown Error";f=h.name||"UnknownError";var l=h.stack||a.u||"Not available";if(l.startsWith(f+": "+e)){var m=l.split("\n");m.shift();l=m.join("\n")}m=h.lineNumber||"Not available";h=h.fileName||"Not available";if(a.hasOwnProperty("args")&&a.args&&a.args.length)for(var n=0,p=0;p=l||403===jq(n.xhr)?wm(new Ts("Request retried too many times","net.retryexhausted",n.xhr)):f(m).then(function(){return e(Us(a,b),l-1,Math.pow(2,c-l+1)*m)})})} -function f(h){return new rm(function(l){setTimeout(l,h)})} -return e(Us(a,b),c-1,d)}; -Ts=function(a,b,c){Ya.call(this,a+", errorCode="+b);this.errorCode=b;this.xhr=c;this.name="PromiseAjaxError"}; -Ws=function(){this.Ka=0;this.u=null}; -Xs=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=2;b.u=void 0===a?null:a;return b}; -Ys=function(a){var b=new Ws;a=void 0===a?null:a;b.Ka=1;b.u=void 0===a?null:a;return b}; -$s=function(a){Ya.call(this,a.message||a.description||a.name);this.isMissing=a instanceof Zs;this.isTimeout=a instanceof Ts&&"net.timeout"==a.errorCode;this.isCanceled=a instanceof Hm}; -Zs=function(){Ya.call(this,"Biscotti ID is missing from server")}; -Sea=function(){if(g.vo("disable_biscotti_fetch_on_html5_clients"))return wm(Error("Fetching biscotti ID is disabled."));if(g.vo("condition_biscotti_fetch_on_consent_cookie_html5_clients")&&!Qs())return wm(Error("User has not consented - not fetching biscotti id."));if("1"===g.Nb(g.L("PLAYER_CONFIG",{}),"args","privembed"))return wm(Error("Biscotti ID is not available in private embed mode"));at||(at=Cm(Us("//googleads.g.doubleclick.net/pagead/id",bt).then(ct),function(a){return dt(2,a)})); -return at}; -ct=function(a){a=a.responseText;if(!nc(a,")]}'"))throw new Zs;a=JSON.parse(a.substr(4));if(1<(a.type||1))throw new Zs;a=a.id;Up(a);at=Ys(a);et(18E5,2);return a}; -dt=function(a,b){var c=new $s(b);Up("");at=Xs(c);0b;b++){c=g.A();for(var d=0;d"',style:"display:none"}),me(a).body.appendChild(a)));else if(e)rq(a,b,"POST",e,d);else if(g.L("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)rq(a,b,"GET","",d);else{b:{try{var f=new jaa({url:a});if(f.C&&f.B||f.D){var h=vd(g.xd(5,a));var l=!(!h||!h.endsWith("/aclk")|| -"1"!==Qd(a,"ri"));break b}}catch(m){}l=!1}l?ou(a)?(b&&b(),c=!0):c=!1:c=!1;c||dfa(a,b)}}; -qu=function(a,b,c){c=void 0===c?"":c;ou(a,c)?b&&b():g.pu(a,b,void 0,void 0,c)}; -ou=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; -dfa=function(a,b){var c=new Image,d=""+efa++;ru[d]=c;c.onload=c.onerror=function(){b&&ru[d]&&b();delete ru[d]}; -c.src=a}; -vu=function(a,b){for(var c=[],d=1;da.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(97>d||122=a.B.byteLength}; -yv=function(a,b,c){var d=new qv(c);if(!tv(d,a))return!1;d=uv(d);if(!vv(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.u;var e=wv(d,!0);d=a+(d.start+d.u-b)+e;d=9d;d++)c=256*c+Ev(a);return c}d=128;for(var e=0;6>e&&d>c;e++)c=256*c+Ev(a),d*=128;return b?c-d:c}; -Bv=function(a){var b=wv(a,!0);a.u+=b}; -zv=function(a){var b=a.u;a.u=0;var c=!1;try{vv(a,440786851)&&(a.u=0,vv(a,408125543)&&(c=!0))}catch(d){if(d instanceof RangeError)a.u=0,c=!1,g.Fo(d);else throw d;}a.u=b;return c}; -mfa=function(a){if(!vv(a,440786851,!0))return null;var b=a.u;wv(a,!1);var c=wv(a,!0)+a.u-b;a.u=b+c;if(!vv(a,408125543,!1))return null;wv(a,!0);if(!vv(a,357149030,!0))return null;var d=a.u;wv(a,!1);var e=wv(a,!0)+a.u-d;a.u=d+e;if(!vv(a,374648427,!0))return null;var f=a.u;wv(a,!1);var h=wv(a,!0)+a.u-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295);l.set(new Uint8Array(a.B.buffer, -a.B.byteOffset+d,e),c+12);l.set(new Uint8Array(a.B.buffer,a.B.byteOffset+f,h),c+12+e);return l}; -Gv=function(a){var b=a.u,c={HA:1E6,IA:1E9,duration:0,mA:0,Pr:0};if(!vv(a,408125543))return a.u=b,null;c.mA=wv(a,!0);c.Pr=a.start+a.u;if(vv(a,357149030))for(var d=uv(a);!rv(d);){var e=wv(d,!1);2807729===e?c.HA=Av(d):2807730===e?c.IA=Av(d):17545===e?c.duration=Cv(d):Bv(d)}else return a.u=b,null;a.u=b;return c}; -Iv=function(a,b,c){var d=a.u,e=[];if(!vv(a,475249515))return a.u=d,null;for(var f=uv(a);vv(f,187);){var h=uv(f);if(vv(h,179)){var l=Av(h);if(vv(h,183)){h=uv(h);for(var m=b;vv(h,241);)m=Av(h)+b;e.push({im:m,nt:l})}}}if(0c&&(c=a.totalLength-b);a.focus(b);if(!Qv(a,b,c)){var d=a.B,e=a.C;a.focus(b+c-1);e=new Uint8Array(a.C+a.u[a.B].length-e);for(var f=0,h=d;h<=a.B;h++)e.set(a.u[h],f),f+=a.u[h].length;a.u.splice(d,a.B-d+1,e);Pv(a);a.focus(b)}d=a.u[a.B];return new DataView(d.buffer,d.byteOffset+b-a.C,c)}; -Tv=function(a,b,c){a=Sv(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; -Uv=function(a){a=Tv(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ch)c=!1;else{for(f=h-1;0<=f;f--)c.B.setUint8(c.u+f,d&255),d>>>=8;c.u=e;c=!0}else c=!1;return c}; -ew=function(a){g.aw(a.info.u.info)||a.info.u.info.Zd();if(a.B&&6==a.info.type)return a.B.kh;if(g.aw(a.info.u.info)){var b=Yv(a);var c=0;b=ov(b,1936286840);b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=lv(d.value),c+=d.lw[0]/d.ow;c=c||NaN;if(!(0<=c))a:{c=Yv(a);b=a.info.u.u;for(var e=d=0,f=0;hv(c,d);){var h=iv(c,d);if(1836476516===h.type)e=ev(h);else if(1836019558===h.type){!e&&b&&(e=fv(b));if(!e){c=NaN;break a}var l=gv(h.data,h.dataOffset,1953653094),m=e,n=gv(l.data,l.dataOffset,1952868452);l=gv(l.data, -l.dataOffset,1953658222);var p=Wu(n);Wu(n);p&2&&Wu(n);n=p&8?Wu(n):0;var r=Wu(l),t=r&1;p=r&4;var w=r&256,y=r&512,x=r&1024;r&=2048;var B=Xu(l);t&&Wu(l);p&&Wu(l);for(var E=t=0;E=b.NB||1<=d.u)if(a=Mw(a),c=Lw(c,xw(a)),c.B+c.u<=d.B+d.u)return!0;return!1}; -Dfa=function(a,b){var c=b?Mw(a):a.u;return new Ew(c)}; -Mw=function(a){a.C||(a.C=Aw(a.D));return a.C}; -Ow=function(a){return 1=1.3*Math.floor(16*l/9)||d>=1.3*l)return e;e=h}return"tiny"}; -dx=function(a,b,c,d,e,f,h,l,m){this.id=a;this.mimeType=b;this.audio=void 0===c?null:c;this.video=void 0===d?null:d;this.u=void 0===e?null:e;this.Ud=void 0===f?null:f;this.captionTrack=void 0===m?null:m;this.D=!0;this.B=null;this.containerType=bx(b);this.zb=h||0;this.C=l||0;this.Db=cx[this.Yb()]||""}; -ex=function(a){return 0a.Xb())a.segments=[];else{var c=eb(a.segments,function(d){return d.qb>=b},a); -0=c+d)break}return new Qw(e)}; -Wx=function(){void 0===Vx&&(Vx=g.jo());return Vx}; -Xx=function(){var a=Wx();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; -Yx=function(a){var b=Wx();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; -Zx=function(a){return Xx()[a]||0}; -$x=function(){var a=Xx();return Object.keys(a)}; -ay=function(a){var b=Xx();return Object.keys(b).filter(function(c){return b[c]===a})}; -by=function(a,b,c){c=void 0===c?!1:c;var d=Xx();if(c&&Object.keys(d).pop()!==a)delete d[a];else if(b===d[a])return;0!==b?d[a]=b:delete d[a];Yx(d)}; -Efa=function(a){var b=Xx();b=Object.assign({},b);a=Object.assign({},a);for(var c in b)a[c]?(4!==b[c]&&(b[c]=a[c]),delete a[c]):3!==b[c]&&2!==b[c]&&(b[c]=4);Object.assign(b,a);Yx(b);JSON.stringify(b);return b}; -cy=function(a){return!!a&&1===Zx(a)}; -Ffa=function(){var a=Wx();if(!a)return!1;try{return null!==a.get("yt-player-lv-id")}catch(b){return!1}}; -hy=function(){return We(this,function b(){var c,d,e,f;return xa(b,function(h){if(1==h.u){c=Wx();if(!c)return h["return"](Promise.reject("No LocalStorage"));if(dy){h.u=2;return}d=Kq().u(ey);var l=Object.assign({},d);delete l.Authorization;var m=Dl();if(m){var n=new ln;n.update(g.L("INNERTUBE_API_KEY",void 0));n.update(m);l.hash=g.sf(n.digest(),3)}m=new ln;m.update(JSON.stringify(l,Object.keys(l).sort()));l=m.digest();m="";for(n=0;nc;){var t=p.shift(); -if(t!==a){n-=m[t]||0;delete m[t];var w=IDBKeyRange.bound(t+"|",t+"~");r.push(Sr(l,"index")["delete"](w));r.push(Sr(l,"media")["delete"](w));by(t,0)}}return qs.all(r).then(function(){})})}))})})}; -Kfa=function(a,b){return We(this,function d(){var e,f;return xa(d,function(h){if(1==h.u)return sa(h,hy(),2);e=h.B;f={offlineVideoData:b};return sa(h,Tr(e,"metadata",f,a),0)})})}; -Lfa=function(a,b){var c=Math.floor(Date.now()/1E3);We(this,function e(){var f,h;return xa(e,function(l){if(1==l.u)return JSON.stringify(b.offlineState),f={timestampSecs:c,player:b},sa(l,hy(),2);h=l.B;return sa(l,Tr(h,"playerdata",f,a),0)})})}; -my=function(a,b,c,d,e){return We(this,function h(){var l,m,n,p;return xa(h,function(r){switch(r.u){case 1:return l=Zx(a),4===l?r["return"](Promise.resolve(4)):sa(r,hy(),2);case 2:return m=r.B,r.C=3,sa(r,yr(m,["index","media"],"readwrite",function(t){if(void 0!==d&&void 0!==e){var w=""+a+"|"+b.id+"|"+d;w=Rr(Sr(t,"media"),e,w)}else w=qs.resolve(void 0);var y=ly(a,b.isVideo()),x=ly(a,!b.isVideo()),B={fmts:c};y=Rr(Sr(t,"index"),B,y);var E=ky(c);t=E?Sr(t,"index").get(x):qs.resolve(void 0);return qs.all([t, -w,y]).then(function(G){G=g.q(G).next().value;var K=Zx(a);4!==K&&E&&void 0!==G&&ky(G.fmts)&&(K=1,by(a,K));return K})}),5); -case 5:return r["return"](r.B);case 3:n=ua(r);p=Zx(a);if(4===p)return r["return"](p);by(a,4);throw n;}})})}; -Mfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index"],"readonly",function(f){return iy(f,a)}))})})}; -Nfa=function(a,b,c){return We(this,function e(){var f;return xa(e,function(h){if(1==h.u)return sa(h,hy(),2);f=h.B;return h["return"](yr(f,["media"],"readonly",function(l){var m=""+a+"|"+b+"|"+c;return Sr(l,"media").get(m)}))})})}; -Ofa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](d.get("playerdata",a))})})}; -Pfa=function(a){return We(this,function c(){var d,e,f,h;return xa(c,function(l){return 1==l.u?sa(l,hy(),2):3!=l.u?(d=l.B,e=[],f=[],h=[],sa(l,yr(d,["metadata"],"readonly",function(m){return Xr(Sr(m,"metadata"),{},function(n){var p,r,t=n.getKey(),w=null===(p=n.getValue())||void 0===p?void 0:p.offlineVideoData;if(!w)return n["continue"]();if(t===a){if(t=null===(r=w.thumbnail)||void 0===r?void 0:r.thumbnails){t=g.q(t);for(var y=t.next();!y.done;y=t.next())y=y.value,y.url&&e.push(y.url)}f.push.apply(f, -g.ma(ny(w)))}else h.push.apply(h,g.ma(ny(w)));return n["continue"]()})}),3)):l["return"](e.concat(f.filter(function(m){return!h.includes(m)})))})})}; -ny=function(a){var b,c,d,e=null===(d=null===(c=null===(b=a.channel)||void 0===b?void 0:b.offlineChannelData)||void 0===c?void 0:c.thumbnail)||void 0===d?void 0:d.thumbnails;if(!e)return[];a=[];e=g.q(e);for(var f=e.next();!f.done;f=e.next())f=f.value,f.url&&a.push(f.url);return a}; -Qfa=function(a){return We(this,function c(){var d;return xa(c,function(e){if(1==e.u)return sa(e,hy(),2);d=e.B;return e["return"](yr(d,["index","metadata"],"readonly",function(f){return oy(f,a)}))})})}; -Rfa=function(){return We(this,function b(){var c;return xa(b,function(d){if(1==d.u)return sa(d,hy(),2);c=d.B;return d["return"](yr(c,["index","metadata"],"readonly",function(e){return qs.all($x().map(function(f){return oy(e,f)}))}))})})}; -oy=function(a,b){var c=Sr(a,"metadata").get(b);return iy(a,b).then(function(d){var e={videoId:b,totalSize:0,downloadedSize:0,status:Zx(b),videoData:null};if(d.length){d=Yp(d);d=g.q(d);for(var f=d.next();!f.done;f=d.next())f=f.value,e.totalSize+=+f.mket*+f.avbr,e.downloadedSize+=f.hasOwnProperty("dlt")?(+f.dlt||0)*+f.avbr:+f.mket*+f.avbr}return c.then(function(h){e.videoData=(null===h||void 0===h?void 0:h.offlineVideoData)||null;return e})})}; -Sfa=function(a){return We(this,function c(){return xa(c,function(d){by(a,0);return d["return"](jy(a,!0))})})}; -fy=function(){return We(this,function b(){var c;return xa(b,function(d){c=Wx();if(!c)return d["return"](Promise.reject("No LocalStorage"));c.remove("yt-player-lv-id");var e=Wx();e&&e.remove("yt-player-lv");return sa(d,Gfa(),0)})})}; -ky=function(a){return!!a&&-1===a.indexOf("dlt")}; -ly=function(a,b){return""+a+"|"+(b?"v":"a")}; -Hfa=function(){}; -py=function(){var a=this;this.u=this.B=iaa;this.promise=new rm(function(b,c){a.B=b;a.u=c})}; -Tfa=function(a,b){this.K=a;this.u=b;this.F=a.qL;this.I=new Uint8Array(this.F);this.D=this.C=0;this.B=null;this.R=[];this.X=this.Y=null;this.P=new py}; -Ufa=function(a){var b=qy(a);b=my(a.K.C,a.u.info,b);ry(a,b)}; -sy=function(a){return!!a.B&&a.B.F}; -uy=function(a,b){if(!sy(a)){if(1==b.info.type)a.Y=Fu(0,b.u.getLength());else if(2==b.info.type){if(!a.B||1!=a.B.type)return;a.X=Fu(a.D*a.F+a.C,b.u.getLength())}else if(3==b.info.type){if(3==a.B.type&&!Lu(a.B,b.info)&&(a.R=[],b.info.B!=Nu(a.B)||0!=b.info.C))return;if(b.info.D)a.R.map(function(c){return ty(a,c)}),a.R=[]; -else{a.R.push(b);a.B=b.info;return}}a.B=b.info;ty(a,b);Vfa(a)}}; -ty=function(a,b){for(var c=0,d=Tv(b.u);c=e)break;var f=c.getUint32(d+4);if(1836019574===f)d+=8;else{if(1886614376===f){f=a.subarray(d,d+e);var h=new Uint8Array(b.length+f.length);h.set(b);h.set(f,b.length);b=h}d+=e}}return b}; -Zfa=function(a){a=ov(a,1886614376);g.Cb(a,function(b){return!b.B}); -return g.Oc(a,function(b){return new Uint8Array(b.data.buffer,b.offset+b.data.byteOffset,b.size)})}; -$fa=function(a){var b=g.rh(a,function(e,f){return e+f.length},0),c=new Uint8Array(b),d=0; -g.Cb(a,function(e){c.set(e,d);d+=e.length}); +hpa=function(a){return new Promise(function(b,c){gpa(a,b,c)})}; +HA=function(a){return new g.FA(new EA(function(b,c){gpa(a,b,c)}))}; +IA=function(a,b){return new g.FA(new EA(function(c,d){function e(){var f=a?b(a):null;f?f.then(function(h){a=h;e()},d):c()} +e()}))}; +ipa=function(a,b){this.request=a;this.cursor=b}; +JA=function(a){return HA(a).then(function(b){return b?new ipa(a,b):null})}; +jpa=function(a,b){this.j=a;this.options=b;this.transactionCount=0;this.B=Math.round((0,g.M)());this.u=!1}; +g.LA=function(a,b,c){a=a.j.createObjectStore(b,c);return new KA(a)}; +MA=function(a,b){a.j.objectStoreNames.contains(b)&&a.j.deleteObjectStore(b)}; +g.PA=function(a,b,c){return g.NA(a,[b],{mode:"readwrite",Ub:!0},function(d){return g.OA(d.objectStore(b),c)})}; +g.NA=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x,z;return g.A(function(B){switch(B.j){case 1:var F={mode:"readonly",Ub:!1,tag:"IDB_TRANSACTION_TAG_UNKNOWN"};"string"===typeof c?F.mode=c:Object.assign(F,c);e=F;a.transactionCount++;f=e.Ub?3:1;h=0;case 2:if(l){B.Ka(3);break}h++;m=Math.round((0,g.M)());g.pa(B,4);n=a.j.transaction(b,e.mode);F=new QA(n);F=kpa(F,d);return g.y(B,F,6);case 6:return p=B.u,q=Math.round((0,g.M)()),lpa(a,m,q,h,void 0,b.join(),e),B.return(p);case 4:r=g.sa(B);v=Math.round((0,g.M)()); +x=CA(r,a.j.name,b.join(),a.j.version);if((z=x instanceof g.yA&&!x.j)||h>=f)lpa(a,m,v,h,x,b.join(),e),l=x;B.Ka(2);break;case 3:return B.return(Promise.reject(l))}})}; +lpa=function(a,b,c,d,e,f,h){b=c-b;e?(e instanceof g.yA&&("QUOTA_EXCEEDED"===e.type||"QUOTA_MAYBE_EXCEEDED"===e.type)&&vA("QUOTA_EXCEEDED",{dbName:xA(a.j.name),objectStoreNames:f,transactionCount:a.transactionCount,transactionMode:h.mode}),e instanceof g.yA&&"UNKNOWN_ABORT"===e.type&&(c-=a.B,0>c&&c>=Math.pow(2,31)&&(c=0),vA("TRANSACTION_UNEXPECTEDLY_ABORTED",{objectStoreNames:f,transactionDuration:b,transactionCount:a.transactionCount,dbDuration:c}),a.u=!0),mpa(a,!1,d,f,b,h.tag),uA(e)):mpa(a,!0,d, +f,b,h.tag)}; +mpa=function(a,b,c,d,e,f){vA("TRANSACTION_ENDED",{objectStoreNames:d,connectionHasUnknownAbortedTransaction:a.u,duration:e,isSuccessful:b,tryCount:c,tag:void 0===f?"IDB_TRANSACTION_TAG_UNKNOWN":f})}; +KA=function(a){this.j=a}; +g.RA=function(a,b,c){a.j.createIndex(b,c,{unique:!1})}; +npa=function(a,b){return g.fB(a,{query:b},function(c){return c.delete().then(function(){return c.continue()})}).then(function(){})}; +opa=function(a,b,c){var d=[];return g.fB(a,{query:b},function(e){if(!(void 0!==c&&d.length>=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +qpa=function(a){return"getAllKeys"in IDBObjectStore.prototype?HA(a.j.getAllKeys(void 0,void 0)):ppa(a)}; +ppa=function(a){var b=[];return g.rpa(a,{query:void 0},function(c){b.push(c.ZF());return c.continue()}).then(function(){return b})}; +g.OA=function(a,b,c){return HA(a.j.put(b,c))}; +g.fB=function(a,b,c){a=a.j.openCursor(b.query,b.direction);return gB(a).then(function(d){return IA(d,c)})}; +g.rpa=function(a,b,c){var d=b.query;b=b.direction;a="openKeyCursor"in IDBObjectStore.prototype?a.j.openKeyCursor(d,b):a.j.openCursor(d,b);return JA(a).then(function(e){return IA(e,c)})}; +QA=function(a){var b=this;this.j=a;this.B=new Map;this.u=!1;this.done=new Promise(function(c,d){b.j.addEventListener("complete",function(){c()}); +b.j.addEventListener("error",function(e){e.currentTarget===e.target&&d(b.j.error)}); +b.j.addEventListener("abort",function(){var e=b.j.error;if(e)d(e);else if(!b.u){e=g.yA;for(var f=b.j.objectStoreNames,h=[],l=0;l=c))return d.push(e.getValue()),e.continue()}).then(function(){return d})}; +g.hB=function(a,b,c){a=a.j.openCursor(void 0===b.query?null:b.query,void 0===b.direction?"next":b.direction);return gB(a).then(function(d){return IA(d,c)})}; +upa=function(a,b){this.request=a;this.cursor=b}; +gB=function(a){return HA(a).then(function(b){return b?new upa(a,b):null})}; +vpa=function(a,b,c){return new Promise(function(d,e){function f(){r||(r=new jpa(h.result,{closed:q}));return r} +var h=void 0!==b?self.indexedDB.open(a,b):self.indexedDB.open(a);var l=c.blocked,m=c.blocking,n=c.q9,p=c.upgrade,q=c.closed,r;h.addEventListener("upgradeneeded",function(v){try{if(null===v.newVersion)throw Error("Invariant: newVersion on IDbVersionChangeEvent is null");if(null===h.transaction)throw Error("Invariant: transaction on IDbOpenDbRequest is null");v.dataLoss&&"none"!==v.dataLoss&&vA("IDB_DATA_CORRUPTED",{reason:v.dataLossMessage||"unknown reason",dbName:xA(a)});var x=f(),z=new QA(h.transaction); +p&&p(x,function(B){return v.oldVersion=B},z); +z.done.catch(function(B){e(B)})}catch(B){e(B)}}); +h.addEventListener("success",function(){var v=h.result;m&&v.addEventListener("versionchange",function(){m(f())}); +v.addEventListener("close",function(){vA("IDB_UNEXPECTEDLY_CLOSED",{dbName:xA(a),dbVersion:v.version});n&&n()}); +d(f())}); +h.addEventListener("error",function(){e(h.error)}); +l&&h.addEventListener("blocked",function(){l()})})}; +wpa=function(a,b,c){c=void 0===c?{}:c;return vpa(a,b,c)}; +iB=function(a,b){b=void 0===b?{}:b;var c,d,e,f;return g.A(function(h){if(1==h.j)return g.pa(h,2),c=self.indexedDB.deleteDatabase(a),d=b,(e=d.blocked)&&c.addEventListener("blocked",function(){e()}),g.y(h,hpa(c),4); +if(2!=h.j)return g.ra(h,0);f=g.sa(h);throw CA(f,a,"",-1);})}; +jB=function(a,b){this.name=a;this.options=b;this.B=!0;this.D=this.C=0}; +xpa=function(a,b){return new g.yA("INCOMPATIBLE_DB_VERSION",{dbName:a.name,oldVersion:a.options.version,newVersion:b})}; +g.kB=function(a,b){if(!b)throw g.DA("openWithToken",xA(a.name));return a.open()}; +ypa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,g.kB(lB,b),2);c=d.u;return d.return(g.NA(c,["databases"],{Ub:!0,mode:"readwrite"},function(e){var f=e.objectStore("databases");return f.get(a.actualName).then(function(h){if(h?a.actualName!==h.actualName||a.publicName!==h.publicName||a.userIdentifier!==h.userIdentifier:1)return g.OA(f,a).then(function(){})})}))})}; +mB=function(a,b){var c;return g.A(function(d){if(1==d.j)return a?g.y(d,g.kB(lB,b),2):d.return();c=d.u;return d.return(c.delete("databases",a))})}; +zpa=function(a,b){var c,d;return g.A(function(e){return 1==e.j?(c=[],g.y(e,g.kB(lB,b),2)):3!=e.j?(d=e.u,g.y(e,g.NA(d,["databases"],{Ub:!0,mode:"readonly"},function(f){c.length=0;return g.fB(f.objectStore("databases"),{},function(h){a(h.getValue())&&c.push(h.getValue());return h.continue()})}),3)):e.return(c)})}; +Apa=function(a,b){return zpa(function(c){return c.publicName===a&&void 0!==c.userIdentifier},b)}; +Bpa=function(){var a,b,c,d;return g.A(function(e){switch(e.j){case 1:a=nA();if(null==(b=a)?0:b.hasSucceededOnce)return e.return(!0);if(nB&&az()&&!bz()||g.oB)return e.return(!1);try{if(c=self,!(c.indexedDB&&c.IDBIndex&&c.IDBKeyRange&&c.IDBObjectStore))return e.return(!1)}catch(f){return e.return(!1)}if(!("IDBTransaction"in self&&"objectStoreNames"in IDBTransaction.prototype))return e.return(!1);g.pa(e,2);d={actualName:"yt-idb-test-do-not-use",publicName:"yt-idb-test-do-not-use",userIdentifier:void 0}; +return g.y(e,ypa(d,pB),4);case 4:return g.y(e,mB("yt-idb-test-do-not-use",pB),5);case 5:return e.return(!0);case 2:return g.sa(e),e.return(!1)}})}; +Cpa=function(){if(void 0!==qB)return qB;tA=!0;return qB=Bpa().then(function(a){tA=!1;var b;if(null!=(b=mA())&&b.j){var c;b={hasSucceededOnce:(null==(c=nA())?void 0:c.hasSucceededOnce)||a};var d;null==(d=mA())||d.set("LAST_RESULT_ENTRY_KEY",b,2592E3,!0)}return a})}; +rB=function(){return g.Ga("ytglobal.idbToken_")||void 0}; +g.sB=function(){var a=rB();return a?Promise.resolve(a):Cpa().then(function(b){(b=b?pB:void 0)&&g.Fa("ytglobal.idbToken_",b);return b})}; +Dpa=function(a){if(!g.dA())throw a=new g.yA("AUTH_INVALID",{dbName:a}),uA(a),a;var b=g.cA();return{actualName:a+":"+b,publicName:a,userIdentifier:b}}; +Epa=function(a,b,c,d){var e,f,h,l,m,n;return g.A(function(p){switch(p.j){case 1:return f=null!=(e=Error().stack)?e:"",g.y(p,g.sB(),2);case 2:h=p.u;if(!h)throw l=g.DA("openDbImpl",a,b),g.gy("ytidb_async_stack_killswitch")||(l.stack=l.stack+"\n"+f.substring(f.indexOf("\n")+1)),uA(l),l;wA(a);m=c?{actualName:a,publicName:a,userIdentifier:void 0}:Dpa(a);g.pa(p,3);return g.y(p,ypa(m,h),5);case 5:return g.y(p,wpa(m.actualName,b,d),6);case 6:return p.return(p.u);case 3:return n=g.sa(p),g.pa(p,7),g.y(p,mB(m.actualName, +h),9);case 9:g.ra(p,8);break;case 7:g.sa(p);case 8:throw n;}})}; +Fpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!1,c)}; +Gpa=function(a,b,c){c=void 0===c?{}:c;return Epa(a,b,!0,c)}; +Hpa=function(a,b){b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);d=Dpa(a);return g.y(e,iB(d.actualName,b),3)}return g.y(e,mB(d.actualName,c),0)})}; +Ipa=function(a,b,c){a=a.map(function(d){return g.A(function(e){return 1==e.j?g.y(e,iB(d.actualName,b),2):g.y(e,mB(d.actualName,c),0)})}); +return Promise.all(a).then(function(){})}; +Jpa=function(a){var b=void 0===b?{}:b;var c,d;return g.A(function(e){if(1==e.j)return g.y(e,g.sB(),2);if(3!=e.j){c=e.u;if(!c)return e.return();wA(a);return g.y(e,Apa(a,c),3)}d=e.u;return g.y(e,Ipa(d,b,c),0)})}; +Kpa=function(a,b){b=void 0===b?{}:b;var c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){c=d.u;if(!c)return d.return();wA(a);return g.y(d,iB(a,b),3)}return g.y(d,mB(a,c),0)})}; +tB=function(a,b){jB.call(this,a,b);this.options=b;wA(a)}; +Lpa=function(a,b){var c;return function(){c||(c=new tB(a,b));return c}}; +g.uB=function(a,b){return Lpa(a,b)}; +vB=function(a){return g.kB(Mpa(),a)}; +Npa=function(a,b,c,d){var e,f,h;return g.A(function(l){switch(l.j){case 1:return e={config:a,hashData:b,timestamp:void 0!==d?d:(0,g.M)()},g.y(l,vB(c),2);case 2:return f=l.u,g.y(l,f.clear("hotConfigStore"),3);case 3:return g.y(l,g.PA(f,"hotConfigStore",e),4);case 4:return h=l.u,l.return(h)}})}; +Opa=function(a,b,c,d,e){var f,h,l;return g.A(function(m){switch(m.j){case 1:return f={config:a,hashData:b,configData:c,timestamp:void 0!==e?e:(0,g.M)()},g.y(m,vB(d),2);case 2:return h=m.u,g.y(m,h.clear("coldConfigStore"),3);case 3:return g.y(m,g.PA(h,"coldConfigStore",f),4);case 4:return l=m.u,m.return(l)}})}; +Ppa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["coldConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("coldConfigStore").index("coldTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Qpa=function(a){var b,c;return g.A(function(d){return 1==d.j?g.y(d,vB(a),2):3!=d.j?(b=d.u,c=void 0,g.y(d,g.NA(b,["hotConfigStore"],{mode:"readwrite",Ub:!0},function(e){return g.hB(e.objectStore("hotConfigStore").index("hotTimestampIndex"),{direction:"prev"},function(f){c=f.getValue()})}),3)):d.return(c)})}; +Rpa=function(){return g.A(function(a){return g.y(a,Jpa("ytGcfConfig"),0)})}; +CB=function(){var a=this;this.D=!1;this.B=this.C=0;this.Ne={F7a:function(){a.D=!0}, +Y6a:function(){return a.j}, +u8a:function(b){wB(a,b)}, +q8a:function(b){xB(a,b)}, +q3:function(){return a.coldHashData}, +r3:function(){return a.hotHashData}, +j7a:function(){return a.u}, +d7a:function(){return yB()}, +f7a:function(){return zB()}, +e7a:function(){return g.Ga("yt.gcf.config.coldHashData")}, +g7a:function(){return g.Ga("yt.gcf.config.hotHashData")}, +J8a:function(){Spa(a)}, +l8a:function(){AB(a,"hotHash");BB(a,"coldHash");delete CB.instance}, +s8a:function(b){a.B=b}, +a7a:function(){return a.B}}}; +Tpa=function(){CB.instance||(CB.instance=new CB);return CB.instance}; +Upa=function(a){var b;g.A(function(c){if(1==c.j)return g.gy("gcf_config_store_enabled")||g.gy("delete_gcf_config_db")?g.gy("gcf_config_store_enabled")?g.y(c,g.sB(),3):c.Ka(2):c.return();2!=c.j&&((b=c.u)&&g.dA()&&!g.gy("delete_gcf_config_db")?(a.D=!0,Spa(a)):(xB(a,g.ey("RAW_COLD_CONFIG_GROUP")),BB(a,g.ey("SERIALIZED_COLD_HASH_DATA")),DB(a,a.j.configData),wB(a,g.ey("RAW_HOT_CONFIG_GROUP")),AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"))));return g.gy("delete_gcf_config_db")?g.y(c,Rpa(),0):c.Ka(0)})}; +Vpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.u)return l.return(zB());if(!a.D)return b=g.DA("getHotConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getHotConfig token error");ny(e);l.Ka(2);break}return g.y(l,Qpa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return wB(a,f.config),AB(a,f.hashData),l.return(zB());case 2:wB(a,g.ey("RAW_HOT_CONFIG_GROUP"));AB(a,g.ey("SERIALIZED_HOT_HASH_DATA"));if(!(c&&a.u&&a.hotHashData)){l.Ka(4); +break}return g.y(l,Npa(a.u,a.hotHashData,c,d),4);case 4:return a.u?l.return(zB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Wpa=function(a){var b,c,d,e,f,h;return g.A(function(l){switch(l.j){case 1:if(a.j)return l.return(yB());if(!a.D)return b=g.DA("getColdConfig IDB not initialized"),ny(b),l.return(Promise.reject(b));c=rB();d=g.ey("TIME_CREATED_MS");if(!c){e=g.DA("getColdConfig");ny(e);l.Ka(2);break}return g.y(l,Ppa(c),3);case 3:if((f=l.u)&&f.timestamp>d)return xB(a,f.config),DB(a,f.configData),BB(a,f.hashData),l.return(yB());case 2:xB(a,g.ey("RAW_COLD_CONFIG_GROUP"));BB(a,g.ey("SERIALIZED_COLD_HASH_DATA"));DB(a,a.j.configData); +if(!(c&&a.j&&a.coldHashData&&a.configData)){l.Ka(4);break}return g.y(l,Opa(a.j,a.coldHashData,a.configData,c,d),4);case 4:return a.j?l.return(yB()):(h=new g.bA("Config not available in ytConfig"),ny(h),l.return(Promise.reject(h)))}})}; +Spa=function(a){if(!a.u||!a.j){if(!rB()){var b=g.DA("scheduleGetConfigs");ny(b)}a.C||(a.C=g.Ap.xi(function(){return g.A(function(c){if(1==c.j)return g.y(c,Vpa(a),2);if(3!=c.j)return g.y(c,Wpa(a),3);a.C&&(a.C=0);g.oa(c)})},100))}}; +Xpa=function(a,b,c){var d,e,f;return g.A(function(h){if(1==h.j){if(!g.gy("update_log_event_config"))return h.Ka(0);c&&wB(a,c);AB(a,b);return(d=rB())?c?h.Ka(4):g.y(h,Qpa(d),5):h.Ka(0)}4!=h.j&&(e=h.u,c=null==(f=e)?void 0:f.config);return g.y(h,Npa(c,b,d),0)})}; +Ypa=function(a,b,c){var d,e,f,h;return g.A(function(l){if(1==l.j){if(!g.gy("update_log_event_config"))return l.Ka(0);BB(a,b);return(d=rB())?c?l.Ka(4):g.y(l,Ppa(d),5):l.Ka(0)}4!=l.j&&(e=l.u,c=null==(f=e)?void 0:f.config);if(!c)return l.Ka(0);h=c.configData;return g.y(l,Opa(c,b,h,d),0)})}; +wB=function(a,b){a.u=b;g.Fa("yt.gcf.config.hotConfigGroup",a.u)}; +xB=function(a,b){a.j=b;g.Fa("yt.gcf.config.coldConfigGroup",a.j)}; +AB=function(a,b){a.hotHashData=b;g.Fa("yt.gcf.config.hotHashData",a.hotHashData)}; +BB=function(a,b){a.coldHashData=b;g.Fa("yt.gcf.config.coldHashData",a.coldHashData)}; +DB=function(a,b){a.configData=b;g.Fa("yt.gcf.config.coldConfigData",a.configData)}; +zB=function(){return g.Ga("yt.gcf.config.hotConfigGroup")}; +yB=function(){return g.Ga("yt.gcf.config.coldConfigGroup")}; +Zpa=function(){return"INNERTUBE_API_KEY"in cy&&"INNERTUBE_API_VERSION"in cy}; +g.EB=function(){return{innertubeApiKey:g.ey("INNERTUBE_API_KEY"),innertubeApiVersion:g.ey("INNERTUBE_API_VERSION"),pG:g.ey("INNERTUBE_CONTEXT_CLIENT_CONFIG_INFO"),CM:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME","WEB"),NU:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",1),innertubeContextClientVersion:g.ey("INNERTUBE_CONTEXT_CLIENT_VERSION"),EM:g.ey("INNERTUBE_CONTEXT_HL"),DM:g.ey("INNERTUBE_CONTEXT_GL"),OU:g.ey("INNERTUBE_HOST_OVERRIDE")||"",PU:!!g.ey("INNERTUBE_USE_THIRD_PARTY_AUTH",!1),FM:!!g.ey("INNERTUBE_OMIT_API_KEY_WHEN_AUTH_HEADER_IS_PRESENT", +!1),appInstallData:g.ey("SERIALIZED_CLIENT_CONFIG_DATA")}}; +g.FB=function(a){var b={client:{hl:a.EM,gl:a.DM,clientName:a.CM,clientVersion:a.innertubeContextClientVersion,configInfo:a.pG}};navigator.userAgent&&(b.client.userAgent=String(navigator.userAgent));var c=g.Ea.devicePixelRatio;c&&1!=c&&(b.client.screenDensityFloat=String(c));c=iy();""!==c&&(b.client.experimentsToken=c);c=jy();0=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.u.getLength())throw Error();return Vv(a.u,a.offset++)}; -Dy=function(a,b){b=void 0===b?!1:b;var c=Cy(a);if(1===c){c=-1;for(var d=0;7>d;d++){var e=Cy(a);-1===c&&255!==e&&(c=0);-1e&&d>c;e++)c=256*c+Cy(a),d*=128;return b?c:c-d}; -Ey=function(a,b,c){g.O.call(this);var d=this;this.D=a;this.B=[];this.u=null;this.Y=-1;this.R=0;this.ia=NaN;this.P=0;this.C=b;this.Ta=c;this.F=NaN;this.Aa=0;this.Ja=-1;this.I=this.X=this.Ga=this.aa=this.ha=this.K=this.fa=null;this.D.C&&(this.I=new Tfa(this.D,this.C),this.I.P.promise.then(function(e){d.I=null;1==e&&d.V("localmediachange",e)},function(){d.I=null; -d.V("localmediachange",4)}),Ufa(this.I)); -this.Qa=!1;this.ma=0}; -Fy=function(a){return a.B.length?a.B[0]:null}; -Gy=function(a){return a.B.length?a.B[a.B.length-1]:null}; -Ny=function(a,b,c){if(a.ha){if(a.D.Ms){var d=a.ha;var e=c.info;d=d.B!=e.B&&e.B!=d.B+1||d.type!=e.type||fe(d.K,e.K)&&d.B===e.B?!1:Mu(d,e)}else d=Mu(a.ha,c.info);d||(a.F=NaN,a.Aa=0,a.Ja=-1)}a.ha=c.info;a.C=c.info.u;0==c.info.C?Hy(a):!a.C.tf()&&a.K&&Pu(c.info,a.K);a.u?(c=$v(a.u,c),a.u=c):a.u=c;a:{c=g.aw(a.u.info.u.info);if(3!=a.u.info.type){if(!a.u.info.D)break a;6==a.u.info.type?Iy(a,b,a.u):Jy(a,a.u);a.u=null}for(;a.u;){d=a.u.u.getLength();if(0>=a.Y&&0==a.R){var f=a.u.u,h=-1;e=-1;if(c){for(var l=0;l+ -8e&&(h=-1)}else{f=new By(f);for(m=l=!1;;){n=f.offset;var p=f;try{var r=Dy(p,!0),t=Dy(p,!1);var w=r;var y=t}catch(B){y=w=-1}p=w;var x=y;if(0>p)break;if(408125543!==p)if(524531317===p)l=!0,0<=x&&(e=f.offset+x,m=!0);else{if(l&&(160===p||163===p)&&(0>h&&(h=n),m))break;163===p&&(h=Math.max(0,h),e=f.offset+x);if(160===p){0>h&&(e=h=f.offset+x);break}f.skip(x)}}0>h&&(e=-1)}if(0>h)break;a.Y=h;a.R= -e-h}if(a.Y>d)break;a.Y?(d=Ky(a,a.Y),d.C&&!a.C.tf()&&Ly(a,d),Iy(a,b,d),My(a,d),a.Y=0):a.R&&(d=Ky(a,0>a.R?Infinity:a.R),a.R-=d.u.getLength(),My(a,d))}}a.u&&a.u.info.D&&(My(a,a.u),a.u=null)}; -Jy=function(a,b){!a.C.tf()&&0==b.info.C&&(g.aw(b.info.u.info)||b.info.u.info.Zd())&&gw(b);if(1==b.info.type)try{Ly(a,b),Oy(a,b)}catch(d){M(d);var c=Ou(b.info);c.hms="1";a.V("error",c||{})}b.info.u.gu(b);a.I&&uy(a.I,b)}; -cga=function(a){var b=a.B.reduce(function(c,d){return c+d.u.getLength()},0); -a.u&&(b+=a.u.u.getLength());return b}; -Py=function(a){return g.Oc(a.B,function(b){return b.info})}; -Ky=function(a,b){var c=a.u,d=Math.min(b,c.u.getLength());if(d==c.u.getLength())return a.u=null,c;c.u.getLength();d=Math.min(d,c.info.rb);var e=c.u.split(d),f=e.iu;e=e.ln;var h=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C,d,!1,!1);f=new Xv(h,f,c.C);c=new Iu(c.info.type,c.info.u,c.info.range,c.info.R,c.info.B,c.info.startTime,c.info.duration,c.info.C+d,c.info.rb-d,c.info.F,c.info.D);c=new Xv(c,e,!1);c=[f,c];a.u=c[1];return c[0]}; -Ly=function(a,b){b.u.getLength();var c=Yv(b);if(!a.D.sB&&gx(b.info.u.info)&&"bt2020"===b.info.u.info.Ma().primaries){var d=new qv(c);tv(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.u,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.u.info;fx(d)&&!gx(d)&&(d=Yv(b),zv(new qv(d)),yv([408125543,374648427,174,224],21936,d));b.info.u.info.isVideo()&&(d=b.info.u,d.info&&d.info.video&&4==d.info.video.projectionType&&!d.C&&(g.aw(d.info)?d.C=jfa(c):d.info.Zd()&&(d.C=lfa(c)))); -b.info.u.info.Zd()&&b.info.isVideo()&&(c=Yv(b),zv(new qv(c)),yv([408125543,374648427,174,224],30320,c)&&yv([408125543,374648427,174,224],21432,c));if(a.D.Cn&&b.info.u.info.Zd()){c=Yv(b);var e=new qv(c);if(tv(e,[408125543,374648427,174,29637])){d=wv(e,!0);e=e.start+e.u;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=Xu(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.u,e))}}if(b=a.fa&&!!a.fa.C.K)if(b=c.info.isVideo())b=fw(c),h=a.fa,Qy?(l=1/b,b=Ry(a,b)>=Ry(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&a.C.tf()&&c.info.B==c.info.u.index.Xb()&& -(b=a.fa,Qy?(l=fw(c),h=1/l,l=Ry(a,l),b=Ry(b)+h-l):b=b.getDuration()-a.getDuration(),b=1+b/c.info.duration,dv(Yv(c),b))}else{h=!1;a.K||(gw(c),c.B&&(a.K=c.B,h=!0,Pu(c.info,c.B),e=c.info.u.info,d=Yv(c),g.aw(e)?nv(d,1701671783):e.Zd()&&yv([408125543],307544935,d)));if(d=e=ew(c))d=c.info.u.info.Zd()&&160==Vv(c.u,0);if(d)a.P+=e,a.F=l+e;else{if(a.D.DB){if(l=f=a.Ta(bw(c),1),0<=a.F&&6!=c.info.type){f-=a.F;var n=f-a.Aa;d=c.info.B;var p=c.info.K,r=a.aa?a.aa.B:-1,t=a.aa?a.aa.K:-1,w=a.aa?a.aa.duration:-1;m=a.D.Hg&& -f>a.D.Hg;var y=a.D.sf&&n>a.D.sf;1E-4m&&d>a.Ja)&&p&&(d=Math.max(.95,Math.min(1.05,(e-(y-f))/e)),dv(Yv(c),d),d=ew(c),n=e-d,e=d))); -a.Aa=f+n}}else isNaN(a.F)?f=c.info.startTime:f=a.F,l=f;cw(c,l)?(isNaN(a.ia)&&(a.ia=l),a.P+=e,a.F=l+e):(l=Ou(c.info),l.smst="1",a.V("error",l||{}))}if(h&&a.K){h=Sy(a,!0);Qu(c.info,h);a.u&&Qu(a.u.info,h);b=g.q(b.info.u);for(l=b.next();!l.done;l=b.next())Qu(l.value,h);(c.info.D||a.u&&a.u.info.D)&&6!=c.info.type||(a.X=h,a.V("placeholderinfo",h),Ty(a))}}Oy(a,c);a.ma&&dw(c,a.ma);a.aa=c.info}; -My=function(a,b){if(b.info.D){a.Ga=b.info;if(a.K){var c=Sy(a,!1);a.V("segmentinfo",c);a.X||Ty(a);a.X=null}Hy(a)}a.I&&uy(a.I,b);if(c=Gy(a))if(c=$v(c,b,a.D.Ls)){a.B.pop();a.B.push(c);return}a.B.push(b)}; -Hy=function(a){a.u=null;a.Y=-1;a.R=0;a.K=null;a.ia=NaN;a.P=0;a.X=null}; -Oy=function(a,b){if(a.C.info.Ud){if(b.info.u.info.Zd()){var c=new qv(Yv(b));if(tv(c,[408125543,374648427,174,28032,25152,20533,18402])){var d=wv(c,!0);c=16!==d?null:Dv(c,d)}else c=null;d="webm"}else b.info.X=Zfa(Yv(b)),c=$fa(b.info.X),d="cenc";c&&c.length&&(c=new zy(c,d),c.Zd=b.info.u.info.Zd(),b.B&&b.B.cryptoPeriodIndex&&(c.cryptoPeriodIndex=b.B.cryptoPeriodIndex),a.D.Ps&&b.B&&b.B.D&&(c.u=b.B.D),a.V("needkeyinfo",c))}}; -Ty=function(a){var b=a.K,c;b.data["Cuepoint-Type"]?c=new yu(Uy?Number(b.data["Cuepoint-Playhead-Time-Sec"])||0:-(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0),Number(b.data["Cuepoint-Total-Duration-Sec"])||0,b.data["Cuepoint-Context"],b.data["Cuepoint-Identifier"]||"",dga[b.data["Cuepoint-Event"]||""]||"unknown",1E3*(Number(b.data["Cuepoint-Playhead-Time-Sec"])||0)):c=null;c&&(c.startSecs+=a.ia,a.V("cuepoint",c,b.u))}; -Sy=function(a,b){var c=a.K;if(c.data["Stitched-Video-Id"]||c.data["Stitched-Video-Duration-Us"]||c.data["Stitched-Video-Start-Frame-Index"]||c.data["Serialized-State"]){var d=c.data["Stitched-Video-Id"]?c.data["Stitched-Video-Id"].split(",").slice(0,-1):[];var e=[];if(c.data["Stitched-Video-Duration-Us"])for(var f=g.q(c.data["Stitched-Video-Duration-Us"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push((Number(h.value)||0)/1E6);e=[];if(c.data["Stitched-Video-Start-Frame-Index"])for(f= -g.q(c.data["Stitched-Video-Start-Frame-Index"].split(",").slice(0,-1)),h=f.next();!h.done;h=f.next())e.push(Number(h.value)||0);d=new aga(d,c.data["Serialized-State"]?c.data["Serialized-State"]:"")}return new Cu(c.u,a.ia,b?c.kh:a.P,c.ingestionTime,"sq/"+c.u,void 0,void 0,b,d)}; -Ry=function(a,b){b=void 0===b?0:b;var c=b?Math.round(a.ma*b)/b:a.ma;a.C.K&&c&&(c+=a.C.K.u);return c+a.getDuration()}; -Vy=function(a,b){0>b||(a.B.forEach(function(c){return dw(c,b)}),a.ma=b)}; -Wy=function(a,b,c){var d=this;this.fl=a;this.ie=b;this.loaded=this.status=0;this.error="";a=Eu(this.fl.get("range")||"");if(!a)throw Error("bad range");this.range=a;this.u=new Mv;ega(this).then(c,function(e){d.error=""+e||"unknown_err";c()})}; -ega=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w,y,x,B;return xa(c,function(E){if(1==E.u){d.status=200;e=d.fl.get("docid");f=nd(d.fl.get("fmtid")||"");h=+(d.fl.get("csz")||0);if(!e||!f||!h)throw Error("Invalid local URL");l=d.range;m=Math.floor(l.start/h);n=Math.floor(l.end/h);p=m}if(5!=E.u)return p<=n?E=sa(E,Nfa(e,f,p),5):(E.u=0,E=void 0),E;r=E.B;if(void 0===r)throw Error("invariant: data is undefined");t=p*h;w=(p+1)*h;y=Math.max(0,l.start-t);x=Math.min(l.end+1,w)-(y+t);B= -new Uint8Array(r.buffer,y,x);d.u.append(B);d.loaded+=x;d.loadedf?(a.C+=e,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=lz(a)?d+b:d+Math.max(b,c);a.P=d}; -jz=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; -oz=function(){return!("function"!==typeof window.fetch||!window.ReadableStream)}; -pz=function(a){if(a.nq())return!1;a=a.qe("content-type");return"audio/mp4"===a||"video/mp4"===a||"video/webm"===a}; -qz=function(a,b,c,d,e,f){var h=void 0===f?{}:f;f=void 0===h.method?"GET":h.method;var l=h.headers,m=h.body;h=void 0===h.credentials?"include":h.credentials;this.aa=b;this.Y=c;this.fa=d;this.policy=e;this.status=0;this.response=void 0;this.X=!1;this.B=0;this.R=NaN;this.aborted=this.I=this.P=!1;this.errorMessage="";this.method=f;this.headers=l;this.body=m;this.credentials=h;this.u=new Mv;this.id=iga++;this.D=window.AbortController?new AbortController:void 0;this.start(a);this.startTime=Date.now()}; -sz=function(a){a.C.read().then(function(b){if(!a.na()){var c;window.performance&&window.performance.now&&(c=window.performance.now());var d=Date.now(),e=b.value?b.value:void 0;a.F&&(a.u.append(a.F),a.F=void 0);b.done?(a.C=void 0,a.onDone()):(a.B+=e.length,rz(a)?a.u.append(e):a.F=e,a.aa(d,a.B,c),sz(a))}},function(b){a.onError(b)}).then(void 0,M)}; -rz=function(a){var b=a.qe("content-type");b="audio/mp4"===b||"video/mp4"===b;return a.policy.B&&a.policy.rf&&pz(a)&&b}; -tz=function(a,b,c,d){var e=this;this.status=0;this.na=this.B=!1;this.u=NaN;this.xhr=new XMLHttpRequest;this.xhr.open("GET",a);this.xhr.responseType="arraybuffer";this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){2===e.xhr.readyState&&e.F()}; -this.C=c;this.D=b;this.F=d;a=Eo(function(f){e.onDone(f)}); -this.xhr.addEventListener("load",a,!1);this.xhr.addEventListener("error",a,!1);this.xhr.send();this.xhr.addEventListener("progress",Eo(function(f){e.ie(f)}),!1)}; -vz=function(){this.C=this.u=0;this.B=Array.from({length:uz.length}).fill(0)}; -wz=function(){}; -xz=function(a){this.name=a;this.startTimeMs=(0,g.N)();this.u=!1}; -Az=function(a,b){var c=this;return yz?function(d){for(var e=[],f=0;fb||(a in Dz||(Dz[a]=new vz),Dz[a].iH(b,c))}; -Ez=function(a,b){var c="";49=d.getLength()&&(c=Tv(d),c=Su(c),c=ow(c)?c:"")}if(c){d=Fz(a);(0,g.N)();d.started=0;d.B=0;d.u=0;d=a.info;var e=a.B;g.Pw(d.B,e,c);d.requestId=e.get("req_id");return 4}c=b.Uu();if((d=!!a.info.range&&a.info.range.length)&&d!==c||b.bA())return a.Yg="net.closed",6;Mz(a,!0);if(a.u.FD&&!d&&a.le&&(d=a.le.u,d.length&&!Zv(d[0])))return a.Yg= -"net.closed",6;e=wy(a)?b.qe("X-Bandwidth-Est"):0;if(d=wy(a)?b.qe("X-Bandwidth-Est3"):0)a.vH=!0,a.u.rB&&(e=d);d=a.timing;var f=e?parseInt(e,10):0;e=g.A();if(!d.ma){d.ma=!0;if(!d.aj){e=e>d.u&&4E12>e?e:g.A();kz(d,e,c);hz(d,e,c);var h=bz(d);if(2===h&&f)fz(d,d.B/f,d.B);else if(2===h||1===h)f=(e-d.u)/1E3,(f<=d.schedule.P.u||!d.schedule.P.u)&&!d.Aa&&lz(d)&&fz(d,f,c),lz(d)&&Nz(d.schedule,c,d.C);Oz(d.schedule,(e-d.u)/1E3||.05,d.B,d.aa,d.Ng,d.Fm)}d.deactivate()}c=Fz(a);(0,g.N)();c.started=0;c.B=0;c.u=0;a.info.B.B= -0;(0,g.N)()c.indexOf("googlevideo.com")||(nga({primary:c}),Pz=(0,g.N)());return 5}; -Gz=function(a){if("net.timeout"===a.Yg){var b=a.timing,c=g.A();if(!b.aj){c=c>b.u&&4E12>c?c:g.A();kz(b,c,1024*b.Y);var d=(c-b.u)/1E3;2!==bz(b)&&(lz(b)?(b.C+=(c-b.D)/1E3,Nz(b.schedule,b.B,b.C)):(dz(b)||b.aj||ez(b.schedule,d),b.fa=c));Oz(b.schedule,d,b.B,b.aa,b.Ng,b.Fm);gz(b.schedule,(c-b.D)/1E3,0)}}"net.nocontent"!=a.Yg&&("net.timeout"===a.Yg||"net.connect"===a.Yg?(b=Fz(a),b.B+=1):(b=Fz(a),b.u+=1),a.info.B.B++);yy(a,6)}; -Qz=function(a){a.na();var b=Fz(a);return 100>b.B&&b.u=c)}; -mga=function(a){var b=(0,g.z)(a.hR,a),c=(0,g.z)(a.jR,a),d=(0,g.z)(a.iR,a);if(yw(a.B.og))return new Wy(a.B,c,b);var e=a.B.Ld();return a.u.fa&&(a.u.yB&&!isNaN(a.info.wf)&&a.info.wf>a.u.yI?0:oz())?new qz(e,c,b,d,a.u.D):new tz(e,c,b,d)}; -pga=function(a){a.le&&a.le.F?(a=a.le.F,a=new Iu(a.type,a.u,a.range,"getEmptyStubAfter_"+a.R,a.B,a.startTime+a.duration,0,a.C+a.rb,0,!1)):(a=a.info.u[0],a=new Iu(a.type,a.u,a.range,"getEmptyStubBefore_"+a.R,a.B,a.startTime,0,a.C,0,!1));return a}; -Tz=function(a){return 1>a.state?!1:a.le&&a.le.u.length||a.Ab.Mh()?!0:!1}; -Uz=function(a){Mz(a,!1);return a.le?a.le.u:[]}; -Mz=function(a,b){if(b||a.Ab.Dm()&&a.Ab.Mh()&&!Lz(a)&&!a.Oo){if(!a.le){if(a.Ab.tj())a.info.range&&(c=a.info.range.length);else var c=a.Ab.Uu();a.le=new Wfa(a.info.u,c)}for(;a.Ab.Mh();)a:{c=a.le;var d=a.Ab.Vu(),e=b&&!a.Ab.Mh();c.D&&(Ov(c.D,d),d=c.D,c.D=null);for(var f=0,h=0,l=g.q(c.B),m=l.next();!m.done;m=l.next())if(m=m.value,m.range&&f+m.rb<=c.C)f+=m.rb;else{d.getLength();if(Ju(m)&&!e&&c.C+d.getLength()-ha.info.u[0].B)return!1}return!0}; -Vz=function(a,b){return{start:function(c){return a[c]}, -end:function(c){return b[c]}, -length:a.length}}; -Wz=function(a,b,c){b=void 0===b?",":b;c=void 0===c?a?a.length:0:c;var d=[];if(a)for(c=Math.max(a.length-c,0);c=b)return c}catch(d){}return-1}; -cA=function(a,b){return 0<=Xz(a,b)}; -qga=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.start(c):NaN}; -dA=function(a,b){if(!a)return NaN;var c=Xz(a,b);return 0<=c?a.end(c):NaN}; -eA=function(a){return a&&a.length?a.end(a.length-1):NaN}; -fA=function(a,b){var c=dA(a,b);return 0<=c?c-b:0}; -gA=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return Vz(d,e)}; -hA=function(a,b,c){this.aa=a;this.u=b;this.D=[];this.C=new Ey(a,b,c);this.B=this.K=null;this.ma=0;this.zb=b.info.zb;this.ia=0;this.R=b.po();this.I=-1;this.za=b.po();this.F=this.R;this.P=!1;this.Y=-1;this.ha=null;this.fa=0;this.X=!1}; -iA=function(a,b){b&&Qy&&Vy(a.C,b.ly());a.K=b}; -jA=function(a){return a.K&&a.K.Pt()}; -lA=function(a){for(;a.D.length&&5==a.D[0].state;){var b=a.D.shift();kA(a,b);b=b.timing;a.ma=(b.D-b.u)/1E3}a.D.length&&Tz(a.D[0])&&!a.D[0].info.Ng()&&kA(a,a.D[0])}; -kA=function(a,b){if(Tz(b)){if(Uz(b).length){b.I=!0;var c=b.le;var d=c.u;c.u=[];c.F=g.db(d).info;c=d}else c=[];c=g.q(c);for(d=c.next();!d.done;d=c.next())mA(a,b,d.value)}}; -mA=function(a,b,c){switch(c.info.type){case 1:case 2:Jy(a.C,c);break;case 4:var d=c.info.u.HE(c);c=c.info;var e=a.B;e&&e.u==c.u&&e.type==c.type&&(c.range&&e.range?e.range.start==c.range.start&&e.range.end==c.range.end:e.range==c.range)&&e.B==c.B&&e.C==c.C&&e.rb==c.rb&&(a.B=g.db(d).info);d=g.q(d);for(c=d.next();!c.done;c=d.next())mA(a,b,c.value);break;case 3:Ny(a.C,b,c);break;case 6:Ny(a.C,b,c),a.B=c.info}}; -nA=function(a,b){var c=b.info;c.u.info.zb>=a.zb&&(a.zb=c.u.info.zb)}; -rA=function(a,b,c){c=void 0===c?!1:c;if(a.K){var d=a.K.Se(),e=dA(d,b),f=NaN,h=jA(a);h&&(f=dA(d,h.u.index.Xe(h.B)));if(e==f&&a.B&&a.B.rb&&oA(pA(a),0))return b}a=qA(a,b,c);return 0<=a?a:NaN}; -tA=function(a,b){a.u.Fe();var c=qA(a,b);if(0<=c)return c;c=a.C;c.I?(c=c.I,c=c.B&&3==c.B.type?c.B.startTime:0):c=Infinity;b=Math.min(b,c);a.B=a.u.Kj(b).u[0];sA(a)&&a.K&&a.K.abort();a.ia=0;return a.B.startTime}; -uA=function(a){a.R=!0;a.F=!0;a.I=-1;tA(a,Infinity)}; -vA=function(a){var b=0;g.Cb(a.D,function(c){var d=b;c=c.le&&c.le.length?Xfa(c.le):Uw(c.info);b=d+c},a); -return b+=cga(a.C)}; -wA=function(a,b){if(!a.K)return 0;var c=jA(a);if(c&&c.F)return c.I;c=a.K.Se(!0);return fA(c,b)}; -yA=function(a){xA(a);a=a.C;a.B=[];Hy(a)}; -zA=function(a,b,c,d){xA(a);for(var e=a.C,f=!1,h=e.B.length-1;0<=h;h--){var l=e.B[h];l.info.B>=b&&(e.B.pop(),e.F-=ew(l),f=!0)}f&&(e.ha=0c?tA(a,d):a.B=a.u.ql(b-1,!1).u[0]}; -CA=function(a,b){var c;for(c=0;ce.C&&d.C+d.rb<=e.C+e.rb})?a.B=d:Ku(b.info.u[0])?a.B=pga(b):a.B=null}}; -sA=function(a){var b;!(b=!a.aa.Js&&"f"===a.u.info.Db)&&(b=a.aa.zh)&&(b=a.C,b=!!b.I&&sy(b.I));if(b)return!0;b=jA(a);if(!b)return!1;var c=b.F&&b.D;return a.za&&0=a.Y:c}; -pA=function(a){var b=[],c=jA(a);c&&b.push(c);b=g.qb(b,Py(a.C));g.Cb(a.D,function(d){g.Cb(d.info.u,function(e){d.I&&(b=g.Ke(b,function(f){return!(f.u!=e.u?0:f.range&&e.range?f.range.start+f.C>=e.range.start+e.C&&f.range.start+f.C+f.rb<=e.range.start+e.C+e.rb:f.B==e.B&&f.C>=e.C&&(f.C+f.rb<=e.C+e.rb||e.D))})); -(Ku(e)||4==e.type)&&b.push(e)})}); -a.B&&!ffa(a.B,g.db(b),a.B.u.tf())&&b.push(a.B);return b}; -oA=function(a,b){if(!a.length)return!1;for(var c=b+1;c=b){b=f;break a}}b=e}return 0>b?NaN:oA(a,c?b:0)?a[b].startTime:NaN}; -DA=function(a){return ki(a.D,function(b){return 3<=b.state})}; -EA=function(a){return!(!a.B||a.B.u==a.u)}; -FA=function(a){return EA(a)&&a.u.Fe()&&a.B.u.info.zbb&&a.I=l)if(l=e.shift(),h=(h=m.exec(l))?+h[1]/1E3:0)l=(l=n.exec(l))?+l[1]:0,l+=1; -else return;c.push(new Cu(p,f,h,NaN,"sq/"+(p+1)));f+=h;l--}a.index.append(c)}}; -Fga=function(a,b){this.experimentIds=a?a.split(","):[];this.flags=Vp(b||"");var c={};g.Cb(this.experimentIds,function(d){c[d]=!0}); -this.experiments=c}; -g.Q=function(a,b){return"true"===a.flags[b]}; -g.P=function(a,b){return Number(a.flags[b])||0}; -g.kB=function(a,b){var c=a.flags[b];return c?c.toString():""}; -Gga=function(a,b,c,d){this.displayName=a;this.vssId=b;this.languageCode=c;this.kind=void 0===d?"":d}; -lB=function(a,b,c){this.name=a;this.id=b;this.isDefault=c}; -mB=function(){var a=g.Ja("yt.player.utils.videoElement_");a||(a=g.Fe("VIDEO"),g.Fa("yt.player.utils.videoElement_",a,void 0));return a}; -nB=function(a){var b=mB();return!!(b&&b.canPlayType&&b.canPlayType(a))}; -Hga=function(a){try{var b=oB('video/mp4; codecs="avc1.42001E"')||oB('video/webm; codecs="vp9"');return(oB('audio/mp4; codecs="mp4a.40.2"')||oB('audio/webm; codecs="opus"'))&&(b||!a)||nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')?null:"fmt.noneavailable"}catch(c){return"html5.missingapi"}}; -oB=function(a){if(/opus/.test(a)&&(g.pB&&!In("38")||g.pB&&dr("crkey")))return!1;if(window.MediaSource&&window.MediaSource.isTypeSupported)return window.MediaSource.isTypeSupported(a);if(/webm/.test(a)&&!jr())return!1;'audio/mp4; codecs="mp4a.40.2"'===a&&(a='video/mp4; codecs="avc1.4d401f"');return!!nB(a)}; -qB=function(){return"pictureInPictureEnabled"in window.document&&!!window.document.pictureInPictureEnabled}; -rB=function(){var a=mB();return!!a.webkitSupportsPresentationMode&&"function"===typeof a.webkitSetPresentationMode}; -sB=function(){var a=mB();try{var b=a.muted;a.muted=!b;return a.muted!==b}catch(c){}return!1}; -tB=function(a,b,c,d){g.O.call(this);var e=this;this.Rc=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.CD={error:function(){!e.na()&&e.isActive&&e.V("error",e)}, -updateend:function(){!e.na()&&e.isActive&&e.V("updateend",e)}}; -vt(this.Rc,this.CD);this.zs=this.isActive}; -uB=function(a,b,c){this.errorCode=a;this.u=b;this.details=c||{}}; -g.vB=function(a){var b;for(b in a)if(a.hasOwnProperty(b)){var c=(""+a[b]).replace(/[:,=]/g,"_");var d=(d?d+";":"")+b+"."+c}return d||""}; -wB=function(a){var b=void 0===b?!1:b;if(a instanceof uB)return a;a=a&&a instanceof Error?a:Error(""+a);b?g.Hs(a):g.Is(a);return new uB(b?"player.fatalexception":"player.exception",b,{name:""+a.name,message:""+a.message})}; -xB=function(a,b,c,d,e){var f;g.O.call(this);var h=this;this.jc=a;this.de=b;this.id=c;this.containerType=d;this.isVideo=e;this.iE=this.yu=this.Zy=null;this.appendWindowStart=this.timestampOffset=0;this.cC=Vz([],[]);this.Xs=!1;this.Oj=function(l){return h.V(l.type,h)}; -if(null===(f=this.jc)||void 0===f?0:f.addEventListener)this.jc.addEventListener("updateend",this.Oj),this.jc.addEventListener("error",this.Oj)}; -yB=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; -zB=function(a,b){this.u=a;this.B=void 0===b?!1:b;this.C=!1}; -AB=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaSource=a;this.de=b;this.isView=c;this.C=0;this.callback=null;this.events=new rt(this);g.D(this,this.events);this.Tq=new zB(this.mediaSource?window.URL.createObjectURL(this.mediaSource):this.de.webkitMediaSourceURL,!0);a=this.mediaSource||this.de;tt(this.events,a,["sourceopen","webkitsourceopen"],this.FQ);tt(this.events,a,["sourceclose","webkitsourceclose"],this.EQ)}; -Iga=function(a,b){BB(a)?g.mm(function(){return b(a)}):a.callback=b}; -CB=function(a){return!!a.u||!!a.B}; -BB=function(a){try{return"open"===DB(a)}catch(b){return!1}}; -EB=function(a){try{return"closed"===DB(a)}catch(b){return!0}}; -DB=function(a){if(a.mediaSource)return a.mediaSource.readyState;switch(a.de.webkitSourceState){case a.de.SOURCE_OPEN:return"open";case a.de.SOURCE_ENDED:return"ended";default:return"closed"}}; -FB=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; -GB=function(a,b,c,d){if(!a.u||!a.B)return null;var e=a.u.isView()?a.u.Rc:a.u,f=a.B.isView()?a.B.Rc:a.B,h=new AB(a.mediaSource,a.de,!0);h.Tq=a.Tq;e=new tB(e,b,c,d);b=new tB(f,b,c,d);h.u=e;h.B=b;g.D(h,e);g.D(h,b);BB(a)||a.u.ip(a.u.yc());return h}; -Jga=function(a,b){return HB(function(c,d){return g.Vs(c,d,4,1E3)},a,b)}; -g.IB=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=Su(new Uint8Array(a.response))):b=a.responseText;return!b||2048=a.K}; -XB=function(a){var b=a.K;isFinite(b)&&(WB(a)?a.refresh():(b=Math.max(0,a.Y+b-(0,g.N)()),a.D||(a.D=new g.F(a.refresh,b,a),g.D(a,a.D)),a.D.start(b)))}; -Vga=function(a){a=a.u;for(var b in a){var c=a[b].index;if(c.Uc())return c.Xb()+1}return 0}; -YB=function(a){return a.Nm&&a.B?a.Nm-a.B:0}; -ZB=function(a){if(!isNaN(a.X))return a.X;var b=a.u,c;for(c in b){var d=b[c].index;if(d.Uc()){b=0;for(c=d.Eh();c<=d.Xb();c++)b+=d.getDuration(c);b/=d.fo();b=.5*Math.round(b/.5);d.fo()>a.ma&&(a.X=b);return b}if(a.isLive&&(d=b[c],d.kh))return d.kh}return NaN}; -Wga=function(a,b){var c=Rb(a.u,function(e){return e.index.Uc()}); -if(!c)return NaN;c=c.index;var d=c.Gh(b);return c.Xe(d)==b?b:d=c||(c=new yu(a.u.Ce.startSecs-(a.R.Dc&&!isNaN(a.I)?a.I:0),c,a.u.Ce.context,a.u.Ce.identifier,"stop",a.u.Ce.u+1E3*b.duration),a.V("ctmp","cuepointdiscontinuity","segNum."+b.qb,!1),a.Y(c,b.qb))}}; -bC=function(a,b){a.C=null;a.K=!1;0=f&&a.Da.I?(a.I++,fC(a,"iterativeSeeking","inprogress;count."+a.I+";target."+ -a.D+";actual."+f+";duration."+h+";isVideo."+c,!1),a.seek(a.D)):(fC(a,"iterativeSeeking","incomplete;count."+a.I+";target."+a.D+";actual."+f,!1),a.I=0,a.B.F=!1,a.u.F=!1,a.V("seekplayerrequired",f+.1,!0)))}})}; -aha=function(a,b,c){if(!a.C)return-1;c=(c?a.B:a.u).u.index;var d=c.Gh(a.D);return(bB(c,a.F.Hd)||b.qb==a.F.Hd)&&d=navigator.hardwareConcurrency&&(d=e);(e=g.P(a.experiments,"html5_av1_thresh_hcc"))&&4=c)}; -JC=function(a,b,c){this.videoInfos=a;this.audioTracks=[];this.u=b||null;this.B=c||null;if(this.u)for(a=new Set,b=g.q(this.u),c=b.next();!c.done;c=b.next())if(c=c.value,c.u&&!a.has(c.u.id)){var d=new CC(c.id,c.u);a.add(c.u.id);this.audioTracks.push(d)}}; -LC=function(a,b,c,d){var e=[],f={};if(LB(c)){for(var h in c.u)d=c.u[h],f[d.info.Db]=[d.info];return f}for(var l in c.u){h=c.u[l];var m=h.info.Yb();if(""==h.info.Db)e.push(m),e.push("unkn");else if("304"!=m&&"266"!=m||!a.fa)if(a.ia&&"h"==h.info.Db&&h.info.video&&1080y}; -a.u&&e("lth."+w+".uth."+y);n=n.filter(function(B){return x(B.Ma().Fc)}); -p=p.filter(function(B){return!x(B.Ma().Fc)})}t=["1", -m];r=[].concat(n,p).filter(function(B){return B})}if(r.length&&!a.C){OC(r,d,t); -if(a.u){a=[];m=g.q(r);for(c=m.next();!c.done;c=m.next())a.push(c.value.Yb());e("hbdfmt."+a.join("."))}return Ys(new JC(r,d,PC(l,"",b)))}r=dha(a);r=g.fb(r,h);if(!r)return a.u&&e("novideo"),Xs();a.Ub&&"1"==r&&l[m]&&(c=NC(l["1"]),NC(l[m])>c&&(r=m));"9"==r&&l.h&&(m=NC(l["9"]),NC(l.h)>1.5*m&&(r="h"));a.u&&e("vfmly."+MC(r));m=l[r];if(!m.length)return a.u&&e("novfmly."+MC(r)),Xs();OC(m,d);return Ys(new JC(m,d,PC(l,r,b)))}; -PC=function(a,b,c){var d=a.h;"f"==b&&(d=a[b]);var e=a.a;b=a[b]!=d;a=a[c]!=e;return d&&e&&(b||a)?(OC(d,e),new JC(d,e)):null}; -OC=function(a,b,c){c=void 0===c?[]:c;g.zb(a,function(d,e){var f=e.Ma().height*e.Ma().width-d.Ma().height*d.Ma().width;if(!f&&c&&0c&&(b=a.I&&(a.X||iC(a,jC.FRAMERATE))?g.Ke(b,function(d){return 32oqa||h=rqa&&(SB++,g.gy("abandon_compression_after_N_slow_zips")?RB===g.hy("compression_disable_point")&&SB>sqa&&(PB=!1):PB=!1);tqa(f);if(uqa(l,b)||!g.gy("only_compress_gel_if_smaller"))c.headers||(c.headers={}),c.headers["Content-Encoding"]="gzip",c.postBody=l,c.postParams=void 0}d(a, +c)}catch(n){ny(n),d(a,c)}else d(a,c)}; +vqa=function(a){var b=void 0===b?!1:b;var c=(0,g.M)(),d={startTime:c,ticks:{},infos:{}};if(PB){if(!a.body)return a;try{var e="string"===typeof a.body?a.body:JSON.stringify(a.body),f=QB(e);if(f>oqa||f=rqa)if(SB++,g.gy("abandon_compression_after_N_slow_zips")){b=SB/RB;var m=sqa/g.hy("compression_disable_point"); +0=m&&(PB=!1)}else PB=!1;tqa(d)}a.headers=Object.assign({},{"Content-Encoding":"gzip"},a.headers||{});a.body=h;return a}catch(n){return ny(n),a}}else return a}; +uqa=function(a,b){if(!window.Blob)return!0;var c=a.lengtha.xH)return p.return();a.potentialEsfErrorCounter++;if(void 0===(null==(n=b)?void 0:n.id)){p.Ka(8);break}return b.sendCountNumber(f.get("dhmu",h.toString())));this.Ns=h;this.Ya="3"===this.controlsType||this.u||R(!1,a.use_media_volume); -this.X=sB();this.tu=g.gD;this.An=R(!1,b&&e?b.embedOptOutDeprecation:a.opt_out_deprecation);this.pfpChazalUi=R(!1,(b&&e?b.pfpChazalUi:a.pfp_chazal_ui)&&!this.ba("embeds_pfp_chazal_ui_killswitch"));var m;b?void 0!==b.hideInfo&&(m=!b.hideInfo):m=a.showinfo;this.En=g.hD(this)&&!this.An||R(!iD(this)&&!jD(this)&&!this.I,m);this.Bn=b?!!b.mobileIphoneSupportsInlinePlayback:R(!1,a.playsinline);m=this.u&&kD&&null!=lD&&0=lD;h=b?b.useNativeControls:a.use_native_controls;f=this.u&&!this.ba("embeds_enable_mobile_custom_controls"); -h=mD(this)||!m&&R(f,h)?"3":"1";f=b?b.controlsType:a.controls;this.controlsType="0"!==f&&0!==f?h:"0";this.Oe=this.u;this.color=YC("red",b&&e?b.progressBarColor:a.color,vha);this.Bt="3"===this.controlsType||R(!1,b&&e?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Ga=!this.B;this.Fn=(h=!this.Ga&&!jD(this)&&!this.R&&!this.I&&!iD(this))&&!this.Bt&&"1"===this.controlsType;this.Nb=g.nD(this)&&h&&"0"===this.controlsType&&!this.Fn;this.tv=this.Mt=m;this.Gn=oD&&!g.ae(601)?!1:!0;this.Ms= -this.B||!1;this.Qa=jD(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=$C("",b&&e?b.widgetReferrer:a.widget_referrer);var n;b&&e?b.disableCastApi&&(n=!1):n=a.enablecastapi;n=!this.C||R(!0,n);m=!0;b&&b.disableMdxCast&&(m=!1);this.Ig=n&&m&&"1"===this.controlsType&&!this.u&&(jD(this)||g.nD(this)||g.pD(this))&&!g.qD(this)&&!rD(this);this.qv=qB()||rB();n=b?!!b.supportsAutoplayOverride:R(!1,a.autoplayoverride);this.Sl=!this.u&&!dr("nintendo wiiu")&&!dr("nintendo 3ds")|| -n;n=b?!!b.enableMutedAutoplay:R(!1,a.mutedautoplay);m=this.ba("embeds_enable_muted_autoplay")&&g.hD(this);this.Tl=n&&m&&this.X&&!mD(this);n=(jD(this)||iD(this))&&"blazer"===this.playerStyle;this.Jg=b?!!b.disableFullscreen:!R(!0,a.fs);this.za=!this.Jg&&(n||nt());this.yn=this.ba("uniplayer_block_pip")&&(er()&&In(58)&&!rr()||or);n=g.hD(this)&&!this.An;var p;b?void 0!==b.disableRelatedVideos&&(p=!b.disableRelatedVideos):p=a.rel;this.ub=n||R(!this.I,p);this.Dn=R(!1,b&&e?b.enableContentOwnerRelatedVideos: -a.co_rel);this.F=rr()&&0=lD?"_top":"_blank";this.Ne=g.pD(this);this.Ql=R("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":p="bl";break;case "gmail":p="gm";break;case "books":p="gb";break;case "docs":p="gd";break;case "duo":p="gu";break;case "google-live":p="gl";break;case "google-one":p="go";break;case "play":p="gp";break;case "chat":p="hc";break;case "hangouts-meet":p="hm";break;case "photos-edu":case "picasaweb":p="pw";break;default:p= -"yt"}this.Y=p;this.ye=$C("",b&&e?b.authorizedUserIndex:a.authuser);var r;b?void 0!==b.disableWatchLater&&(r=!b.disableWatchLater):r=a.showwatchlater;this.Ll=(this.B&&!this.ma||!!this.ye)&&R(!this.R,this.C?r:void 0);this.Hg=b?!!b.disableKeyboardControls:R(!1,a.disablekb);this.loop=R(!1,a.loop);this.pageId=$C("",a.pageid);this.uu=R(!0,a.canplaylive);this.Zi=R(!1,a.livemonitor);this.disableSharing=R(this.I,b?b.disableSharing:a.ss);(r=a.video_container_override)?(p=r.split("x"),2!==p.length?r=null:(r= -Number(p[0]),p=Number(p[1]),r=isNaN(r)||isNaN(p)||0>=r*p?null:new g.ie(r,p))):r=null;this.Hn=r;this.mute=b?!!b.startMuted:R(!1,a.mute);this.Rl=!this.mute&&R("0"!==this.controlsType,a.store_user_volume);r=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:YC(void 0,r,sD);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":$C("",a.cc_lang_pref);r=YC(2,b&&e?b.captionsLanguageLoadPolicy:a.cc_load_policy,sD);"3"===this.controlsType&&2===r&&(r= -3);this.zj=r;this.Lg=b?b.hl||"en_US":$C("en_US",a.hl);this.region=b?b.contentRegion||"US":$C("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":$C("en",a.host_language);this.Is=!this.ma&&Math.random()Math.random();this.xi=a.onesie_hot_config?new nha(a.onesie_hot_config):void 0;this.isTectonic=!!a.isTectonic;this.lu=c;this.fd=new UC;g.D(this,this.fd)}; -BD=function(a,b){return!a.I&&er()&&In(55)&&"3"===a.controlsType&&!b}; -g.CD=function(a){a=tD(a.P);return"www.youtube-nocookie.com"===a?"www.youtube.com":a}; -g.DD=function(a){return g.qD(a)?"music.youtube.com":g.CD(a)}; -ED=function(a,b,c){return a.protocol+"://i1.ytimg.com/vi/"+b+"/"+(c||"hqdefault.jpg")}; -FD=function(a){return jD(a)&&!g.xD(a)}; -mD=function(a){return oD&&!a.Bn||dr("nintendo wiiu")||dr("nintendo 3ds")?!0:!1}; -rD=function(a){return"area120-boutique"===a.playerStyle}; -g.qD=function(a){return"music-embed"===a.playerStyle}; -g.wD=function(a){return/^TVHTML5/.test(a.deviceParams.c)?!0:"TV"===a.deviceParams.cplatform}; -cD=function(a){return"TVHTML5_SIMPLY_EMBEDDED_PLAYER"===a.deviceParams.c}; -vD=function(a){return"CHROMECAST ULTRA/STEAK"===a.deviceParams.cmodel||"CHROMECAST/STEAK"===a.deviceParams.cmodel}; -g.GD=function(){return 1b)return!0;return!1}; -bE=function(a,b){return new QC(a.X,a.B,b||a.F.reason)}; -cE=function(a){return a.F.isLocked()}; -Dha=function(a){return 0(0,g.N)()-a.aa,c=a.D&&3*ZD(a,a.D.info)a.u.Ga,m=f<=a.u.Ga?hx(e):fx(e);if(!h||l||m)c[f]=e}return c}; -VD=function(a,b){a.F=b;var c=a.R.videoInfos;if(!cE(a)){var d=(0,g.N)()-6E4;c=g.Ke(c,function(p){if(p.zb>this.u.zb)return!1;p=this.K.u[p.id];var r=p.info.Db;return this.u.Us&&this.Aa.has(r)||p.X>d?!1:4b.u)&&(e=e.filter(function(p){return!!p&&!!p.video&&!!p.B})); -if(!yB()&&0n.video.width?(g.nb(e,c),c--):ZD(a,f)*a.u.u>ZD(a,n)&&(g.nb(e,c-1),c--)}c=e[e.length-1];a.Ub=!!a.B&&!!a.B.info&&a.B.info.Db!=c.Db;a.C=e;zfa(a.u,c)}; -yha=function(a,b){if(b)a.I=a.K.u[b];else{var c=g.fb(a.R.u,function(d){return!!d.u&&d.u.isDefault}); -c=c||a.R.u[0];a.I=a.K.u[c.id]}XD(a)}; -gE=function(a,b){for(var c=0;c+1d}; -XD=function(a){if(!a.I||!a.u.C&&!a.u.Dn)if(!a.I||!a.I.info.u)if(a.I=a.K.u[a.R.u[0].id],1a.F.u:gE(a,a.I);b&&(a.I=a.K.u[g.db(a.R.u).id])}}; -YD=function(a){a.u.Tl&&(a.za=a.za||new g.F(function(){a.u.Tl&&a.B&&!aE(a)&&1===Math.floor(10*Math.random())?$D(a,a.B):a.za.start()},6E4),a.za.Sb()); -if(!a.D||!a.u.C&&!a.u.Dn)if(cE(a))a.D=360>=a.F.u?a.K.u[a.C[0].id]:a.K.u[g.db(a.C).id];else{for(var b=Math.min(a.P,a.C.length-1),c=XA(a.ma),d=ZD(a,a.I.info),e=c/a.u.B-d;0=c);b++);a.D=a.K.u[a.C[b].id];a.P=b}}; -zha=function(a){var b=a.u.B,c=XA(a.ma)/b-ZD(a,a.I.info);b=g.gb(a.C,function(d){return ZD(this,d)b&&(b=0);a.P=b;a.D=a.K.u[a.C[b].id]}; -hE=function(a,b){a.u.Ga=mC(b,{},a.R);VD(a,a.F);dE(a);a.Y=a.D!=a.B}; -ZD=function(a,b){if(!a.ia[b.id]){var c=a.K.u[b.id].index.kD(a.ha,15);c=b.C&&a.B&&a.B.index.Uc()?c||b.C:c||b.zb;a.ia[b.id]=c}c=a.ia[b.id];a.u.Nb&&b.video&&b.video.Fc>a.u.Nb&&(c*=1.5);return c}; -Eha=function(a,b){var c=Rb(a.K.u,function(d){return d.info.Yb()==b}); -if(!c)throw Error("Itag "+b+" from server not known.");return c}; -Fha=function(a){var b=[];if("m"==a.F.reason||"s"==a.F.reason)return b;var c=!1;if(Nga(a.K)){for(var d=Math.max(0,a.P-2);d=c)a.X=NaN;else{var d=RA(a.ha),e=b.index.Qf;c=Math.max(1,d/c);a.X=Math.round(1E3*Math.max(((c-1)*e+a.u.R)/c,e-a.u.Cc))}}}; -Hha=function(a,b){var c=g.A()/1E3,d=c-a.I,e=c-a.R,f=e>=a.u.En,h=!1;if(f){var l=0;!isNaN(b)&&b>a.K&&(l=b-a.K,a.K=b);l/e=a.u.Cc&&!a.D;if(!f&&!c&&kE(a,b))return NaN;c&&(a.D=!0);a:{d=h;c=g.A()/1E3-(a.fa.u()||0)-a.P.B-a.u.R;f=a.C.startTime;c=f+c;if(d){if(isNaN(b)){lE(a,NaN,"n",b);f=NaN;break a}d=b-a.u.kc;db)return!0;var c=a.Xb();return bb)return 1;c=a.Xb();return b=a?!1:!0}; +yqa=function(a){var b;a=null==a?void 0:null==(b=a.error)?void 0:b.code;return!(400!==a&&415!==a)}; +Aqa=function(){if(XB)return XB();var a={};XB=g.uB("LogsDatabaseV2",{Fq:(a.LogsRequestsStore={Cm:2},a),shared:!1,upgrade:function(b,c,d){c(2)&&g.LA(b,"LogsRequestsStore",{keyPath:"id",autoIncrement:!0});c(3);c(5)&&(d=d.objectStore("LogsRequestsStore"),d.j.indexNames.contains("newRequest")&&d.j.deleteIndex("newRequest"),g.RA(d,"newRequestV2",["status","interface","timestamp"]));c(7)&&MA(b,"sapisid");c(9)&&MA(b,"SWHealthLog")}, +version:9});return XB()}; +YB=function(a){return g.kB(Aqa(),a)}; +Cqa=function(a,b){var c,d,e,f;return g.A(function(h){if(1==h.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_WRITE"},ticks:{}},g.y(h,YB(b),2);if(3!=h.j)return d=h.u,e=Object.assign({},a,{options:JSON.parse(JSON.stringify(a.options)),interface:g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0)}),g.y(h,g.PA(d,"LogsRequestsStore",e),3);f=h.u;c.ticks.tc=(0,g.M)();Bqa(c);return h.return(f)})}; +Dqa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j)return c={startTime:(0,g.M)(),infos:{transactionType:"YT_IDB_TRANSACTION_TYPE_READ"},ticks:{}},g.y(n,YB(b),2);if(3!=n.j)return d=n.u,e=g.ey("INNERTUBE_CONTEXT_CLIENT_NAME",0),f=[a,e,0],h=[a,e,(0,g.M)()],l=IDBKeyRange.bound(f,h),m=void 0,g.y(n,g.NA(d,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(p){return g.hB(p.objectStore("LogsRequestsStore").index("newRequestV2"),{query:l,direction:"prev"},function(q){q.getValue()&&(m= +q.getValue(),"NEW"===a&&(m.status="QUEUED",q.update(m)))})}),3); +c.ticks.tc=(0,g.M)();Bqa(c);return n.return(m)})}; +Eqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(g.NA(c,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){var f=e.objectStore("LogsRequestsStore");return f.get(a).then(function(h){if(h)return h.status="QUEUED",g.OA(f,h).then(function(){return h})})}))})}; +Fqa=function(a,b,c,d){c=void 0===c?!0:c;var e;return g.A(function(f){if(1==f.j)return g.y(f,YB(b),2);e=f.u;return f.return(g.NA(e,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(h){var l=h.objectStore("LogsRequestsStore");return l.get(a).then(function(m){return m?(m.status="NEW",c&&(m.sendCount+=1),void 0!==d&&(m.options.compress=d),g.OA(l,m).then(function(){return m})):g.FA.resolve(void 0)})}))})}; +Gqa=function(a,b){var c;return g.A(function(d){if(1==d.j)return g.y(d,YB(b),2);c=d.u;return d.return(c.delete("LogsRequestsStore",a))})}; +Hqa=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,YB(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["LogsRequestsStore"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("LogsRequestsStore"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Iqa=function(){g.A(function(a){return g.y(a,Jpa("LogsDatabaseV2"),0)})}; +Bqa=function(a){g.gy("nwl_csi_killswitch")||OB("networkless_performance",a,{sampleRate:1})}; +Kqa=function(a){return g.kB(Jqa(),a)}; +Lqa=function(a){var b,c;g.A(function(d){if(1==d.j)return g.y(d,Kqa(a),2);b=d.u;c=(0,g.M)()-2592E6;return g.y(d,g.NA(b,["SWHealthLog"],{mode:"readwrite",Ub:!0},function(e){return g.fB(e.objectStore("SWHealthLog"),{},function(f){if(f.getValue().timestamp<=c)return f.delete().then(function(){return f.continue()})})}),0)})}; +Mqa=function(a){var b;return g.A(function(c){if(1==c.j)return g.y(c,Kqa(a),2);b=c.u;return g.y(c,b.clear("SWHealthLog"),0)})}; +g.ZB=function(a,b,c,d,e,f){e=void 0===e?"":e;f=void 0===f?!1:f;if(a)if(c&&!g.Yy()){if(a){a=g.be(g.he(a));if("about:invalid#zClosurez"===a||a.startsWith("data"))a="";else{var h=void 0===h?{}:h;a=a.replace(/&/g,"&").replace(//g,">").replace(/"/g,""").replace(/'/g,"'");h.g8a&&(a=a.replace(/(^|[\r\n\t ]) /g,"$1 "));h.f8a&&(a=a.replace(/(\r\n|\n|\r)/g,"
"));h.h8a&&(a=a.replace(/(\t+)/g,'$1'));h=g.we(a);a=g.Ke(g.Mi(g.ve(h).toString()))}g.Tb(a)|| +(h=pf("IFRAME",{src:'javascript:""',style:"display:none"}),Ue(h).body.appendChild(h))}}else if(e)Gy(a,b,"POST",e,d);else if(g.ey("USE_NET_AJAX_FOR_PING_TRANSPORT",!1)||d)Gy(a,b,"GET","",d,void 0,f);else{b:{try{var l=new Xka({url:a});if(l.B&&l.u||l.C){var m=Ri(g.Ti(5,a));var n=!(!m||!m.endsWith("/aclk")||"1"!==lj(a,"ri"));break b}}catch(p){}n=!1}n?Nqa(a)?(b&&b(),h=!0):h=!1:h=!1;h||Oqa(a,b)}}; +Nqa=function(a,b){try{if(window.navigator&&window.navigator.sendBeacon&&window.navigator.sendBeacon(a,void 0===b?"":b))return!0}catch(c){}return!1}; +Oqa=function(a,b){var c=new Image,d=""+Pqa++;$B[d]=c;c.onload=c.onerror=function(){b&&$B[d]&&b();delete $B[d]}; +c.src=a}; +aC=function(){this.j=new Map;this.u=!1}; +bC=function(){if(!aC.instance){var a=g.Ga("yt.networkRequestMonitor.instance")||new aC;g.Fa("yt.networkRequestMonitor.instance",a);aC.instance=a}return aC.instance}; +dC=function(){cC||(cC=new lA("yt.offline"));return cC}; +Qqa=function(a){if(g.gy("offline_error_handling")){var b=dC().get("errors",!0)||{};b[a.message]={name:a.name,stack:a.stack};a.level&&(b[a.message].level=a.level);dC().set("errors",b,2592E3,!0)}}; +eC=function(){g.Fd.call(this);var a=this;this.u=!1;this.j=dla();this.j.Ra("networkstatus-online",function(){if(a.u&&g.gy("offline_error_handling")){var b=dC().get("errors",!0);if(b){for(var c in b)if(b[c]){var d=new g.bA(c,"sent via offline_errors");d.name=b[c].name;d.stack=b[c].stack;d.level=b[c].level;g.ly(d)}dC().set("errors",{},2592E3,!0)}}})}; +Rqa=function(){if(!eC.instance){var a=g.Ga("yt.networkStatusManager.instance")||new eC;g.Fa("yt.networkStatusManager.instance",a);eC.instance=a}return eC.instance}; +g.fC=function(a){a=void 0===a?{}:a;g.Fd.call(this);var b=this;this.j=this.C=0;this.u=Rqa();var c=g.Ga("yt.networkStatusManager.instance.listen").bind(this.u);c&&(a.FH?(this.FH=a.FH,c("networkstatus-online",function(){Sqa(b,"publicytnetworkstatus-online")}),c("networkstatus-offline",function(){Sqa(b,"publicytnetworkstatus-offline")})):(c("networkstatus-online",function(){b.dispatchEvent("publicytnetworkstatus-online")}),c("networkstatus-offline",function(){b.dispatchEvent("publicytnetworkstatus-offline")})))}; +Sqa=function(a,b){a.FH?a.j?(g.Ap.Em(a.C),a.C=g.Ap.xi(function(){a.B!==b&&(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)())},a.FH-((0,g.M)()-a.j))):(a.dispatchEvent(b),a.B=b,a.j=(0,g.M)()):a.dispatchEvent(b)}; +hC=function(){var a=VB.call;gC||(gC=new g.fC({R7a:!0,H6a:!0}));a.call(VB,this,{ih:{h2:Hqa,ly:Gqa,XT:Dqa,C4:Eqa,SO:Fqa,set:Cqa},Zg:gC,handleError:function(b,c,d){var e,f=null==d?void 0:null==(e=d.error)?void 0:e.code;if(400===f||415===f){var h;ny(new g.bA(b.message,c,null==d?void 0:null==(h=d.error)?void 0:h.code),void 0,void 0,void 0,!0)}else g.ly(b)}, +Iy:ny,Qq:Tqa,now:g.M,ZY:Qqa,cn:g.iA(),lO:"publicytnetworkstatus-online",zN:"publicytnetworkstatus-offline",wF:!0,hF:.1,xH:g.hy("potential_esf_error_limit",10),ob:g.gy,uB:!(g.dA()&&"www.youtube-nocookie.com"!==g.Ui(document.location.toString()))});this.u=new g.Wj;g.gy("networkless_immediately_drop_all_requests")&&Iqa();Kpa("LogsDatabaseV2")}; +iC=function(){var a=g.Ga("yt.networklessRequestController.instance");a||(a=new hC,g.Fa("yt.networklessRequestController.instance",a),g.gy("networkless_logging")&&g.sB().then(function(b){a.yf=b;wqa(a);a.u.resolve();a.wF&&Math.random()<=a.hF&&a.yf&&Lqa(a.yf);g.gy("networkless_immediately_drop_sw_health_store")&&Uqa(a)})); +return a}; +Uqa=function(a){var b;g.A(function(c){if(!a.yf)throw b=g.DA("clearSWHealthLogsDb"),b;return c.return(Mqa(a.yf).catch(function(d){a.handleError(d)}))})}; +Tqa=function(a,b,c){g.gy("use_cfr_monitor")&&Vqa(a,b);if(g.gy("use_request_time_ms_header"))b.headers&&(b.headers["X-Goog-Request-Time"]=JSON.stringify(Math.round((0,g.M)())));else{var d;if(null==(d=b.postParams)?0:d.requestTimeMs)b.postParams.requestTimeMs=Math.round((0,g.M)())}c&&0===Object.keys(b).length?g.ZB(a):b.compress?b.postBody?("string"!==typeof b.postBody&&(b.postBody=JSON.stringify(b.postBody)),TB(a,b.postBody,b,g.Hy)):TB(a,JSON.stringify(b.postParams),b,Iy):g.Hy(a,b)}; +Vqa=function(a,b){var c=b.onError?b.onError:function(){}; +b.onError=function(e,f){bC().requestComplete(a,!1);c(e,f)}; +var d=b.onSuccess?b.onSuccess:function(){}; +b.onSuccess=function(e,f){bC().requestComplete(a,!0);d(e,f)}}; +g.jC=function(a){this.config_=null;a?this.config_=a:Zpa()&&(this.config_=g.EB())}; +g.kC=function(a,b,c,d){function e(p){try{if((void 0===p?0:p)&&d.retry&&!d.KV.bypassNetworkless)f.method="POST",d.KV.writeThenSend?iC().writeThenSend(n,f):iC().sendAndWrite(n,f);else if(d.compress)if(f.postBody){var q=f.postBody;"string"!==typeof q&&(q=JSON.stringify(f.postBody));TB(n,q,f,g.Hy)}else TB(n,JSON.stringify(f.postParams),f,Iy);else g.gy("web_all_payloads_via_jspb")?g.Hy(n,f):Iy(n,f)}catch(r){if("InvalidAccessError"==r.name)ny(Error("An extension is blocking network request."));else throw r; +}} +!g.ey("VISITOR_DATA")&&"visitor_id"!==b&&.01>Math.random()&&ny(new g.bA("Missing VISITOR_DATA when sending innertube request.",b,c,d));if(!a.isReady())throw a=new g.bA("innertube xhrclient not ready",b,c,d),g.ly(a),a;var f={headers:d.headers||{},method:"POST",postParams:c,postBody:d.postBody,postBodyFormat:d.postBodyFormat||"JSON",onTimeout:function(){d.onTimeout()}, +onFetchTimeout:d.onTimeout,onSuccess:function(p,q){if(d.onSuccess)d.onSuccess(q)}, +onFetchSuccess:function(p){if(d.onSuccess)d.onSuccess(p)}, +onError:function(p,q){if(d.onError)d.onError(q)}, +onFetchError:function(p){if(d.onError)d.onError(p)}, +timeout:d.timeout,withCredentials:!0,compress:d.compress};f.headers["Content-Type"]||(f.headers["Content-Type"]="application/json");c="";var h=a.config_.OU;h&&(c=h);var l=a.config_.PU||!1;h=kqa(l,c,d);Object.assign(f.headers,h);(h=f.headers.Authorization)&&!c&&l&&(f.headers["x-origin"]=window.location.origin);b="/youtubei/"+a.config_.innertubeApiVersion+"/"+b;l={alt:"json"};var m=a.config_.FM&&h;m=m&&h.startsWith("Bearer");m||(l.key=a.config_.innertubeApiKey);var n=ty(""+c+b,l);g.Ga("ytNetworklessLoggingInitializationOptions")&& +Wqa.isNwlInitialized?Cpa().then(function(p){e(p)}):e(!1)}; +g.pC=function(a,b,c){var d=g.lC();if(d&&b){var e=d.subscribe(a,function(){var f=arguments;var h=function(){mC[e]&&b.apply&&"function"==typeof b.apply&&b.apply(c||window,f)}; +try{g.nC[a]?h():g.Cy(h,0)}catch(l){g.ly(l)}},c); +mC[e]=!0;oC[a]||(oC[a]=[]);oC[a].push(e);return e}return 0}; +Xqa=function(a){var b=g.pC("LOGGED_IN",function(c){a.apply(void 0,arguments);g.qC(b)})}; +g.qC=function(a){var b=g.lC();b&&("number"===typeof a?a=[a]:"string"===typeof a&&(a=[parseInt(a,10)]),g.Ob(a,function(c){b.unsubscribeByKey(c);delete mC[c]}))}; +g.rC=function(a,b){var c=g.lC();return c?c.publish.apply(c,arguments):!1}; +Zqa=function(a){var b=g.lC();if(b)if(b.clear(a),a)Yqa(a);else for(var c in oC)Yqa(c)}; +g.lC=function(){return g.Ea.ytPubsubPubsubInstance}; +Yqa=function(a){oC[a]&&(a=oC[a],g.Ob(a,function(b){mC[b]&&delete mC[b]}),a.length=0)}; +g.sC=function(a,b,c){c=void 0===c?null:c;if(window.spf&&spf.script){c="";if(a){var d=a.indexOf("jsbin/"),e=a.lastIndexOf(".js"),f=d+6;-1f&&(c=a.substring(f,e),c=c.replace($qa,""),c=c.replace(ara,""),c=c.replace("debug-",""),c=c.replace("tracing-",""))}spf.script.load(a,c,b)}else bra(a,b,c)}; +bra=function(a,b,c){c=void 0===c?null:c;var d=cra(a),e=document.getElementById(d),f=e&&yoa(e),h=e&&!f;f?b&&b():(b&&(f=g.pC(d,b),b=""+g.Na(b),dra[b]=f),h||(e=era(a,d,function(){yoa(e)||(xoa(e,"loaded","true"),g.rC(d),g.Cy(g.Pa(Zqa,d),0))},c)))}; +era=function(a,b,c,d){d=void 0===d?null:d;var e=g.qf("SCRIPT");e.id=b;e.onload=function(){c&&setTimeout(c,0)}; +e.onreadystatechange=function(){switch(e.readyState){case "loaded":case "complete":e.onload()}}; +d&&e.setAttribute("nonce",d);g.fk(e,g.wr(a));a=document.getElementsByTagName("head")[0]||document.body;a.insertBefore(e,a.firstChild);return e}; +cra=function(a){var b=document.createElement("a");g.xe(b,a);a=b.href.replace(/^[a-zA-Z]+:\/\//,"//");return"js-"+Re(a)}; +vC=function(a){var b=g.ya.apply(1,arguments);if(!tC(a)||b.some(function(d){return!tC(d)}))throw Error("Only objects may be merged."); +b=g.t(b);for(var c=b.next();!c.done;c=b.next())uC(a,c.value);return a}; +uC=function(a,b){for(var c in b)if(tC(b[c])){if(c in a&&!tC(a[c]))throw Error("Cannot merge an object into a non-object.");c in a||(a[c]={});uC(a[c],b[c])}else if(wC(b[c])){if(c in a&&!wC(a[c]))throw Error("Cannot merge an array into a non-array.");c in a||(a[c]=[]);fra(a[c],b[c])}else a[c]=b[c];return a}; +fra=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next())c=c.value,tC(c)?a.push(uC({},c)):wC(c)?a.push(fra([],c)):a.push(c);return a}; +tC=function(a){return"object"===typeof a&&!Array.isArray(a)}; +wC=function(a){return"object"===typeof a&&Array.isArray(a)}; +xC=function(a,b,c,d,e,f,h){g.C.call(this);this.Ca=a;this.ac=b;this.Ib=c;this.Wd=d;this.Va=e;this.u=f;this.j=h}; +ira=function(a,b,c){var d,e=(null!=(d=c.adSlots)?d:[]).map(function(f){return g.K(f,gra)}); +c.dA?(a.Ca.get().F.V().K("h5_check_forecasting_renderer_for_throttled_midroll")?(d=c.qo.filter(function(f){var h;return null!=(null==(h=f.renderer)?void 0:h.clientForecastingAdRenderer)}),0!==d.length?yC(a.j,d,e,b.slotId,c.ssdaiAdsConfig):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId)):zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return[]},b.slotId),hra(a.u,b)):yC(a.j,c.qo,e,b.slotId,c.ssdaiAdsConfig)}; +kra=function(a,b,c,d,e,f){var h=a.Va.get().vg(1);zC(a.ac.get(),"OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",function(){return jra(a.Wd.get(),c,d,e,h.clientPlaybackNonce,h.bT,h.daiEnabled,h,f)},b)}; +BC=function(a,b,c){if(c&&c!==a.slotType)return!1;b=g.t(b);for(c=b.next();!c.done;c=b.next())if(!AC(a.Ba,c.value))return!1;return!0}; +CC=function(){return""}; +lra=function(a,b){switch(a){case "TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL":return 0;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED":return 1;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED":return 2;case "TRIGGER_CATEGORY_SLOT_EXPIRATION":return 3;case "TRIGGER_CATEGORY_SLOT_FULFILLMENT":return 4;case "TRIGGER_CATEGORY_SLOT_ENTRY":return 5;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED":return 6;case "TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED":return 7;default:return b(a),8}}; +N=function(a,b,c,d){d=void 0===d?!1:d;cb.call(this,a);this.lk=c;this.pu=d;this.args=[];b&&this.args.push(b)}; +DC=function(a,b,c){this.er=b;this.triggerType="TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED";this.triggerId=c||a(this.triggerType)}; +mra=function(a){if("JavaException"===a.name)return!0;a=a.stack;return a.includes("chrome://")||a.includes("chrome-extension://")||a.includes("moz-extension://")}; +nra=function(){this.Ir=[];this.Dq=[]}; +FC=function(){if(!EC){var a=EC=new nra;a.Dq.length=0;a.Ir.length=0;ora(a,pra)}return EC}; +ora=function(a,b){b.Dq&&a.Dq.push.apply(a.Dq,b.Dq);b.Ir&&a.Ir.push.apply(a.Ir,b.Ir)}; +qra=function(a){function b(){return a.charCodeAt(d++)} +var c=a.length,d=0;do{var e=GC(b);if(Infinity===e)break;var f=e>>3;switch(e&7){case 0:e=GC(b);if(2===f)return e;break;case 1:if(2===f)return;d+=8;break;case 2:e=GC(b);if(2===f)return a.substr(d,e);d+=e;break;case 5:if(2===f)return;d+=4;break;default:return}}while(db)return c;b=a();c|=(b&127)<<7;if(128>b)return c;b=a();c|=(b&127)<<14;if(128>b)return c;b=a();return 128>b?c|(b&127)<<21:Infinity}; +rra=function(a,b,c,d){if(a)if(Array.isArray(a)){var e=d;for(d=0;d=d.length&&WC(b)===d[0])return d;for(var e=[],f=0;f=a?fD||(fD=gD(function(){hD({writeThenSend:!0},g.gy("flush_only_full_queue")?b:void 0,c);fD=void 0},0)):10<=e-f&&(zra(c),c?dD.B=e:eD.B=e)}; +Ara=function(a,b){if("log_event"===a.endpoint){$C(a);var c=aD(a),d=new Map;d.set(c,[a.payload]);b&&(cD=new b);return new g.Of(function(e,f){cD&&cD.isReady()?iD(d,cD,e,f,{bypassNetworkless:!0},!0):e()})}}; +Bra=function(a,b){if("log_event"===a.endpoint){$C(void 0,a);var c=aD(a,!0),d=new Map;d.set(c,[a.payload.toJSON()]);b&&(cD=new b);return new g.Of(function(e){cD&&cD.isReady()?jD(d,cD,e,{bypassNetworkless:!0},!0):e()})}}; +aD=function(a,b){var c="";if(a.dangerousLogToVisitorSession)c="visitorOnlyApprovedKey";else if(a.cttAuthInfo){if(void 0===b?0:b){b=a.cttAuthInfo.token;c=a.cttAuthInfo;var d=new ay;c.videoId?d.setVideoId(c.videoId):c.playlistId&&Kh(d,2,kD,c.playlistId);lD[b]=d}else b=a.cttAuthInfo,c={},b.videoId?c.videoId=b.videoId:b.playlistId&&(c.playlistId=b.playlistId),mD[a.cttAuthInfo.token]=c;c=a.cttAuthInfo.token}return c}; +hD=function(a,b,c){a=void 0===a?{}:a;c=void 0===c?!1:c;new g.Of(function(d,e){c?(nD(dD.u),nD(dD.j),dD.j=0):(nD(eD.u),nD(eD.j),eD.j=0);if(cD&&cD.isReady()){var f=a,h=c,l=cD;f=void 0===f?{}:f;h=void 0===h?!1:h;var m=new Map,n=new Map;if(void 0!==b)h?(e=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),m.set(b,e),jD(m,l,d,f)):(m=ZC().extractMatchingEntries({isJspb:h,cttAuthInfo:b}),n.set(b,m),iD(n,l,d,e,f));else if(h){e=g.t(Object.keys(bD));for(h=e.next();!h.done;h=e.next())n=h.value,h=ZC().extractMatchingEntries({isJspb:!0, +cttAuthInfo:n}),0Mra&&(a=1);dy("BATCH_CLIENT_COUNTER",a);return a}; +Era=function(a,b,c){if(c.videoId)var d="VIDEO";else if(c.playlistId)d="PLAYLIST";else return;a.credentialTransferTokenTargetId=c;a.context=a.context||{};a.context.user=a.context.user||{};a.context.user.credentialTransferTokens=[{token:b,scope:d}]}; +Jra=function(a,b,c){if(c.Ce())var d=1;else if(c.getPlaylistId())d=2;else return;I(a,ay,4,c);a=a.getContext()||new rt;c=Mh(a,pt,3)||new pt;var e=new Ys;e.setToken(b);H(e,1,d);Sh(c,12,Ys,e);I(a,pt,3,c)}; +Ira=function(a){for(var b=[],c=0;cMath.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.bA(a);if(a.args)for(var f=g.t(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign({},h,d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.slotType:"");c&&(d.layout=c?"layout: "+c.layoutType:"");e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.DD(a)}}; +HD=function(a,b,c,d,e,f,h,l){g.C.call(this);this.ac=a;this.Wd=b;this.mK=c;this.Ca=d;this.j=e;this.Va=f;this.Ha=h;this.Mc=l}; +Asa=function(a){for(var b=Array(a),c=0;ce)return new N("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},"ADS_CLIENT_ERROR_MESSAGE_AD_PLACEMENT_END_SHOULD_GREATER_THAN_START",e===b&&a-500<=e);d={Cn:new iq(a,e),zD:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Rp=new iq(a,e)}return d; +default:return new N("AdPlacementKind not supported in convertToRange.",{kind:e,adPlacementConfig:a})}}; +Tsa=function(a){var b=1E3*a.startSecs;return new iq(b,b+1E3*a.Sg)}; +iE=function(a){return g.Ga("ytcsi."+(a||"")+"data_")||Usa(a)}; +jE=function(){var a=iE();a.info||(a.info={});return a.info}; +kE=function(a){a=iE(a);a.metadata||(a.metadata={});return a.metadata}; +lE=function(a){a=iE(a);a.tick||(a.tick={});return a.tick}; +mE=function(a){a=iE(a);if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}else a.gel={gelTicks:{},gelInfos:{}};return a.gel}; +nE=function(a){a=mE(a);a.gelInfos||(a.gelInfos={});return a.gelInfos}; +oE=function(a){var b=iE(a).nonce;b||(b=g.KD(16),iE(a).nonce=b);return b}; +Usa=function(a){var b={tick:{},info:{}};g.Fa("ytcsi."+(a||"")+"data_",b);return b}; +pE=function(){var a=g.Ga("ytcsi.debug");a||(a=[],g.Fa("ytcsi.debug",a),g.Fa("ytcsi.reference",{}));return a}; +qE=function(a){a=a||"";var b=Vsa();if(b[a])return b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);return b[a]=d}; +Wsa=function(a){a=a||"";var b=Vsa();b[a]&&delete b[a];var c=pE(),d={timerName:a,info:{},tick:{},span:{},jspbInfo:[]};c.push(d);b[a]=d}; +Vsa=function(){var a=g.Ga("ytcsi.reference");if(a)return a;pE();return g.Ga("ytcsi.reference")}; +rE=function(a){return Xsa[a]||"LATENCY_ACTION_UNKNOWN"}; +bta=function(a,b,c){c=mE(c);if(c.gelInfos)c.gelInfos[a]=!0;else{var d={};c.gelInfos=(d[a]=!0,d)}if(a.match("_rid")){var e=a.split("_rid")[0];a="REQUEST_ID"}if(a in Ysa){c=Ysa[a];g.rb(Zsa,c)&&(b=!!b);a in $sa&&"string"===typeof b&&(b=$sa[a]+b.toUpperCase());a=b;b=c.split(".");for(var f=d={},h=0;h1E5*Math.random()&&(c=new g.bA("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.DD(c)),!0):!1}; +cta=function(){this.timing={};this.clearResourceTimings=function(){}; this.webkitClearResourceTimings=function(){}; this.mozClearResourceTimings=function(){}; this.msClearResourceTimings=function(){}; this.oClearResourceTimings=function(){}}; -rE=function(a){var b=qE(a);if(b.aft)return b.aft;a=g.L((a||"")+"TIMING_AFT_KEYS",["ol"]);for(var c=a.length,d=0;d1E5*Math.random()&&(c=new g.tr("CSI data exceeded logging limit with key",b.split("_")),0<=b.indexOf("plev")||g.Is(c)),!0):!1}; -KE=function(a){return!!g.L("FORCE_CSI_ON_GEL",!1)||g.vo("csi_on_gel")||!!yE(a).useGel}; -LE=function(a){a=yE(a);if(!("gel"in a))a.gel={gelTicks:{},gelInfos:{}};else if(a.gel){var b=a.gel;b.gelInfos||(b.gelInfos={});b.gelTicks||(b.gelTicks={})}return a.gel}; -ME=function(a){xE(a);Lha();tE(!1,a);a||(g.L("TIMING_ACTION")&&so("PREVIOUS_ACTION",g.L("TIMING_ACTION")),so("TIMING_ACTION",""))}; -SE=function(a,b,c,d){d=d?d:a;NE(d);var e=d||"",f=EE();f[e]&&delete f[e];var h=DE(),l={timerName:e,info:{},tick:{},span:{}};h.push(l);f[e]=l;FE(d||"").info.actionType=a;ME(d);yE(d).useGel=!0;so(d+"TIMING_AFT_KEYS",b);so(d+"TIMING_ACTION",a);OE("yt_sts","c",d);PE("_start",c,d);if(KE(d)){a={actionType:QE[to((d||"")+"TIMING_ACTION")]||"LATENCY_ACTION_UNKNOWN",previousAction:QE[to("PREVIOUS_ACTION")]||"LATENCY_ACTION_UNKNOWN"};if(b=g.Rt())a.clientScreenNonce=b;b=AE(d);HE().info(a,b)}g.Fa("ytglobal.timing"+ -(d||"")+"ready_",!0,void 0);RE(d)}; -OE=function(a,b,c){if(null!==b)if(zE(c)[a]=b,KE(c)){var d=b;b=LE(c);if(b.gelInfos)b.gelInfos["info_"+a]=!0;else{var e={};b.gelInfos=(e["info_"+a]=!0,e)}if(a.match("_rid")){var f=a.split("_rid")[0];a="REQUEST_ID"}if(a in TE){b=TE[a];g.jb(Mha,b)&&(d=!!d);a in UE&&"string"===typeof d&&(d=UE[a]+d.toUpperCase());a=d;d=b.split(".");for(var h=e={},l=0;lc)break}return d}; -kF=function(a,b){for(var c=[],d=g.q(a.u),e=d.next();!e.done&&!(e=e.value,e.contains(b)&&c.push(e),e.start>b);e=d.next());return c}; -Uha=function(a){return a.u.slice(jF(a,0x7ffffffffffff),a.u.length)}; -jF=function(a,b){var c=yb(a.u,function(d){return b-d.start||1}); -return 0>c?-(c+1):c}; -lF=function(a,b){for(var c=NaN,d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,e.contains(b)&&(isNaN(c)||e.endb&&(isNaN(c)||e.start=a.u.sI&&!a.u.Zb||!a.u.nB&&0=a.u.AI)return!1;d=b.B;if(!d)return!0;if(!Ow(d.u.B))return!1; -4==d.type&&d.u.Fe()&&(b.B=g.db(d.u.Yv(d)),d=b.B);if(!d.F&&!d.u.ek(d))return!1;var e=a.F.he||a.F.I;if(a.F.isManifestless&&e){e=b.u.index.Xb();var f=c.u.index.Xb();e=Math.min(e,f);if(0=e)return b.Y=e,c.Y=e,!1}if(d.u.info.audio&&4==d.type)return!1;if(FA(b)&&!a.u.ma)return!0;if(d.F||vA(b)&&vA(b)+vA(c)>a.u.Ob)return!1;e=!b.F&&!c.F;f=b==a.B&&a.ha;if(!(c=!!(c.B&&!c.B.F&&c.B.Ia}return c?!1:(b=b.K)&&b.isLocked()?!1:!0}; -FF=function(a,b,c){if(DF(a,b,c))if(c=Zha(a,b,c),a.u.EB&&a.F.isManifestless&&!b.R&&0>c.u[0].B)a.dd("invalidsq",Hu(c.u[0]));else{if(a.ub){var d=a.R;var e=c.u[0].B;d=0>e&&!isNaN(d.D)?d.D:e;e=a.R;var f=0>d&&!isNaN(e.F)?e.F:c.u[0].K;if(e=$ha(a.ub.te,f,d,c.u[0].u.info.id))d="decurl_itag_"+c.u[0].u.info.Yb()+"_sg_"+d+"_st_"+f.toFixed(3)+".",a.dd("sdai",d),c.F=e}a.u.Ns&&-1!=c.u[0].B&&c.u[0].Bd.B&&(c=Ou(d),c.pr=""+b.D.length,a.X.C&&(c.sk="1"),a.dd("nosq",d.R+";"+g.vB(c))),d=h.Ok(d));a.ha&&d.u.forEach(function(l){l.type=6}); -return d}; -aia=function(a,b,c){if(!EA(b)||!b.u.Fe())return!1;var d=Math.min(15,.5*CF(a,b,!0));return FA(b)||c<=d||a.K.Y}; -bia=function(a,b,c){b=a.u.Sm(a,b);if(b.range&&1d&&(b=a.u.Sm(a,b.range.length-c.rb))}return b}; -cia=function(a,b){var c=Uw(b),d=a.aa,e=Math.min(2.5,PA(d.B));d=WA(d);var f=Ju(b.u[0]),h=yw(b.B.u),l=a.u.zh,m;a.Qc?m={Ng:f,aj:h,Fm:l,dj:a.Qc,qb:b.u[0].B,wf:b.wf}:m={Ng:f,aj:h,Fm:l};return new Yy(a.fa,c,c-e*d,m)}; -EF=function(a,b){Ku(b.u[b.u.length-1])&&HF(a,Cha(a.K,b.u[0].u));var c=cia(a,b);a.u.sH&&(c.F=[]);var d={dm:Math.max(0,b.u[0].K-a.I)};a.u.wi&&Sw(b)&&b.u[0].u.info.video&&(d.BG=Fha(a.K));a.ha&&(d.ds=!0);return new Hz(a.u,b,c,a.Qa,function(e){a:{var f=e.info.u[0].u,h=f.info.video?a.B:a.D;if(!(2<=e.state)||4<=e.state||!e.Ab.tj()||e.mk||!(!a.C||a.ma||3f.D&&(f.D=NaN,f.F=NaN),f.u&&f.u.qb===h.u[0].B)if(m=f.u.Ce.event,"start"===m||"continue"===m){if(1===f.B||5===f.B)f.D=h.u[0].B,f.F=h.u[0].K,f.B=2,f.V("ctmp","sdai", -"joinad_sg_"+f.D+"_st_"+f.F.toFixed(3),!1),dia(l.te,f.u.Ce)}else f.B=5;else 1===f.B&&(f.B=5)}else if(a.u.fa&&Tz(e)&&!(4<=e.state)&&!JF(a,e)&&!e.isFailed()){e=void 0;break a}e.isFailed()&&(f=e.info.u[0].u,h=e.Yg,yw(f.B.u)&&(l=g.tf(e.Ab.Qm()||""),a.dd("dldbrerr",l||"none")),Qz(e)?(l=(f.info.video&&1(0,g.N)()||(e=Vw(e.info,!1,a.u.Rl))&&EF(a,e))}}}e=void 0}return e},d)}; -HF=function(a,b){b&&a.V("videoformatchange",b);a.u.NH&&a.K.Ob&&a.V("audioformatchange",bE(a.K,"a"))}; -JF=function(a,b){var c=b.info.u[0].u,d=c.info.video?a.B:a.D;eia(a,d,b);b.info.Ng()&&!Rw(b.info)&&(g.Cb(Uz(b),function(e){Jy(d.C,e)}),a.V("metadata",c)); -lA(d);return!!Fy(d.C)}; -eia=function(a,b,c){if(a.F.isManifestless&&b){b.R&&(c.na(),4<=c.state||c.Ab.tj()||Tz(c),b.R=!1);c.ay()&&a.Ya.C(1,c.ay());b=c.eF();c=c.gD();a=a.F;for(var d in a.u){var e=a.u[d].index;e.Ai&&(b&&(e.D=Math.max(e.D,b)),c&&(e.u=Math.max(e.u||0,c)))}}}; -KF=function(a){a.Oe.Sb()}; -NF=function(a){var b=a.C.u,c=a.C.B;if(fia(a)){if(a.u.Is){if(!b.qm()){var d=Fy(a.D.C);d&&LF(a,b,d)}c.qm()||(b=Fy(a.B.C))&&LF(a,c,b)}a.Ga||(a.Ga=(0,g.N)())}else{if(a.Ga){d=(0,g.N)()-a.Ga;var e=wA(a.D,a.I),f=wA(a.B,a.I);a.dd("appendpause","dur."+d.toFixed()+";abuf."+((1E3*e).toFixed()+";vbuf.")+(1E3*f).toFixed());a.Ga=0}if(a.P){d=a.P;e=a.D;f=eA(a.C.B.Se());if(d.F)d=Hha(d,f);else{if(f=Fy(e.C)){var h=f.B;h&&h.C&&h.B&&(e=e.D.length?e.D[0]:null)&&2<=e.state&&!e.isFailed()&&0==e.info.wf&&e.Ab.tj()&&(d.F= -e,d.P=h,d.C=f.info,d.I=g.A()/1E3,d.R=d.I,d.K=d.C.startTime)}d=NaN}d&&a.V("seekplayerrequired",d,!0)}d=!1;MF(a,a.B,c)&&(d=!0,e=a.Ja,e.D||(e.D=g.A(),e.tick("vda"),ZE("vda","video_to_ad"),e.C&&wp(4)));if(a.C&&!EB(a.C)&&(MF(a,a.D,b)&&(d=a.Ja,d.C||(d.C=g.A(),d.tick("ada"),ZE("ada","video_to_ad"),d.D&&wp(4)),d=!0),!a.na()&&a.C)){!a.u.aa&&sA(a.B)&&sA(a.D)&&BB(a.C)&&!a.C.Kf()&&(e=jA(a.D).u,e==a.F.u[e.info.id]&&(e=a.C,BB(e)&&(e.mediaSource?e.mediaSource.endOfStream():e.de.webkitSourceEndOfStream(e.de.EOS_NO_ERROR)), -OA(a.fa)));e=a.u.KI;f=a.u.GC;d||!(0c*(10-e)/XA(b)}(b=!b)||(b=a.B,b=0a.I||360(e?e.B:-1);e=!!f}if(e)return!1;e=d.info;f=jA(b);!f||f.D||Lu(f,e)||c.abort();!c.qq()||yB()?c.WA(e.u.info.containerType,e.u.info.mimeType):e.u.info.containerType!=c.qq()&&a.dd("ctu","ct."+yB()+";prev_c."+c.qq()+";curr_c."+e.u.info.containerType);f=e.u.K;a.u.Mt&&f&&(e=0+f.duration,f=-f.u,0==c.Nt()&&e==c.Yx()||c.qA(0,e),f!=c.yc()&&(c.ip(f), -Qy&&Vy(a.D.C,c.ly())));if(a.F.C&&0==d.info.C&&(g.aw(d.info.u.info)||a.u.gE)){if(null==c.qm()){e=jA(b);if(!(f=!e||e.u!=d.info.u)){b:if(e=e.X,f=d.info.X,e.length!==f.length)e=!1;else{for(var h=0;he)){a:if(a.u.Oe&&(!d.info.C||d.info.D)&&a.dd("sba",c.sb({as:Hu(d.info)})),e=d.C?d.info.u.u:null,f=Tv(d.u),d.C&&(f=new Uint8Array(f.buffer,0,f.byteOffset+f.length)),e=OF(a,c,f,d.info,e),"s"==e)a.kc=0,a=!0;else{a.u.ut||(PF(a,b),c.abort(),yA(b));if("i"==e||"x"==e)QF(a,"checked",e,d.info);else{if("q"== -e&&(d.info.isVideo()?(e=a.u,e.I=Math.floor(.8*e.I),e.X=Math.floor(.8*e.X),e.F=Math.floor(.8*e.F)):(e=a.u,e.K=Math.floor(.8*e.K),e.Ub=Math.floor(.8*e.Ub),e.F=Math.floor(.8*e.F)),!c.Kf()&&!a.C.isView&&c.us(Math.min(a.I,d.info.startTime),!0,5))){a=!1;break a}a.V("reattachrequired")}a=!1}e=!a}if(e)return!1;b.C.B.shift();nA(b,d);return!0}; -QF=function(a,b,c,d){var e="fmt.unplayable",f=!0;"x"==c||"m"==c?(e="fmt.unparseable",d.u.F=e,d.u.info.video&&!aE(a.K)&&$D(a.K,d.u)):"i"==c&&(15>a.kc?(a.kc++,e="html5.invalidstate",f=!1):e="fmt.unplayable");d=Ou(d);d.mrs=DB(a.C);d.origin=b;d.reason=c;AF(a,f,e,d)}; -RF=function(a,b,c){var d=a.F,e=!1,f;for(f in d.u){var h=jx(d.u[f].info.mimeType)||d.u[f].info.isVideo();c==h&&(h=d.u[f].index,bB(h,b.qb)||(h.ME(b),e=!0))}bha(a.X,b,c,e);c&&(a=a.R,a.R.Ya&&(c=a.u&&a.C&&a.u.qb==a.C.qb-1,c=a.u&&c&&"stop"!=a.u.Ce.event&&"predictStart"!=a.u.Ce.event,a.C&&a.C.qbc&&a.dd("bwcapped","1",!0), -c=Math.max(c,15),d=Math.min(d,c));return d}; -Yha=function(a){if(!a.ce)return Infinity;var b=g.Ke(a.ce.Lk(),function(d){return"ad"==d.namespace}); -b=g.q(b);for(var c=b.next();!c.done;c=b.next())if(c=c.value,c.start/1E3>a.I)return c.start/1E3;return Infinity}; -gia=function(a,b){if(a.C&&a.C.B){b-=!isNaN(a.ia)&&a.u.Dc?a.ia:0;a.I!=b&&a.resume();if(a.X.C&&!EB(a.C)){var c=a.I<=b&&b=b&&tF(a,d.startTime,!1)}); -return c&&c.startTime=zE()&&0c.duration?d:c},{duration:0}))&&0=b)}; +oF=function(a,b,c){this.videoInfos=a;this.j=b;this.audioTracks=[];if(this.j){a=new Set;null==c||c({ainfolen:this.j.length});b=g.t(this.j);for(var d=b.next();!d.done;d=b.next())if(d=d.value,!d.Jc||a.has(d.Jc.id)){var e=void 0,f=void 0,h=void 0;null==(h=c)||h({atkerr:!!d.Jc,itag:d.itag,xtag:d.u,lang:(null==(e=d.Jc)?void 0:e.name)||"",langid:(null==(f=d.Jc)?void 0:f.id)||""})}else e=new g.hF(d.id,d.Jc),a.add(d.Jc.id),this.audioTracks.push(e);null==c||c({atklen:this.audioTracks.length})}}; +pF=function(){g.C.apply(this,arguments);this.j=null}; +Nta=function(a,b,c,d,e,f){if(a.j)return a.j;var h={},l=new Set,m={};if(qF(d)){for(var n in d.j)d.j.hasOwnProperty(n)&&(a=d.j[n],m[a.info.Lb]=[a.info]);return m}n=Kta(b,d,h);f&&e({aftsrt:rF(n)});for(var p={},q=g.t(Object.keys(n)),r=q.next();!r.done;r=q.next()){r=r.value;for(var v=g.t(n[r]),x=v.next();!x.done;x=v.next()){x=x.value;var z=x.itag,B=void 0,F=r+"_"+((null==(B=x.video)?void 0:B.fps)||0);p.hasOwnProperty(F)?!0===p[F]?m[r].push(x):h[z]=p[F]:(B=sF(b,x,c,d.isLive,l),!0!==B?(h[z]=B,"disablevp9hfr"=== +B&&(p[F]="disablevp9hfr")):(m[r]=m[r]||[],m[r].push(x),p[F]=!0))}}f&&e({bfflt:rF(m)});for(var G in m)m.hasOwnProperty(G)&&(d=G,m[d]&&m[d][0].Xg()&&(m[d]=m[d],m[d]=Lta(b,m[d],h),m[d]=Mta(m[d],h)));f&&e(h);b=g.t(l.values());for(d=b.next();!d.done;d=b.next())(d=c.u.get(d.value))&&--d.uX;f&&e({aftflt:rF(m)});a.j=g.Uc(m,function(D){return!!D.length}); +return a.j}; +Pta=function(a,b,c,d,e,f,h){if(b.Vd&&h&&1p&&(e=c));"9"===e&&n.h&&vF(n.h)>vF(n["9"])&&(e="h");b.jc&&d.isLive&&"("===e&&n.H&&1440>vF(n["("])&&(e="H");l&&f({vfmly:wF(e)});b=n[e];if(!b.length)return l&&f({novfmly:wF(e)}),Ny();uF(b);return Oy(new oF(b, +a,m))}; +Rta=function(a,b){var c=b.J&&!(!a.mac3&&!a.MAC3),d=b.T&&!(!a.meac3&&!a.MEAC3);return b.Aa&&!(!a.m&&!a.M)||c||d}; +wF=function(a){switch(a){case "*":return"v8e";case "(":return"v9e";case "(h":return"v9he";default:return a}}; +rF=function(a){var b=[],c;for(c in a)if(a.hasOwnProperty(c)){var d=c;b.push(wF(d));d=g.t(a[d]);for(var e=d.next();!e.done;e=d.next())b.push(e.value.itag)}return b.join(".")}; +Qta=function(a,b,c,d,e,f){var h={},l={};g.Tc(b,function(m,n){m=m.filter(function(p){var q=p.itag;if(!p.Pd)return l[q]="noenc",!1;if(f.uc&&"(h"===p.Lb&&f.Tb)return l[q]="lichdr",!1;if("("===p.Lb||"(h"===p.Lb){if(a.B&&c&&"widevine"===c.flavor){var r=p.mimeType+"; experimental=allowed";(r=!!p.Pd[c.flavor]&&!!c.j[r])||(l[q]=p.Pd[c.flavor]?"unspt":"noflv");return r}if(!xF(a,yF.CRYPTOBLOCKFORMAT)&&!a.ya||a.Z)return l[q]=a.Z?"disvp":"vpsub",!1}return c&&p.Pd[c.flavor]&&c.j[p.mimeType]?!0:(l[q]=c?p.Pd[c.flavor]? +"unspt":"noflv":"nosys",!1)}); +m.length&&(h[n]=m)}); +d&&Object.entries(l).length&&e(l);return h}; +Mta=function(a,b){var c=$l(a,function(d,e){return 32c&&(a=a.filter(function(d){if(32e.length||(e[0]in iG&&(h.clientName=iG[e[0]]),e[1]in jG&&(h.platform=jG[e[1]]),h.applicationState=l,h.clientVersion=2a.ea)return"max"+a.ea;if(a.Pb&&"h"===b.Lb&&b.video&&1080a.td())a.segments=[];else{var c=kb(a.segments,function(d){return d.Ma>=b},a); +0c&&(c=a.totalLength-b);a.focus(b);if(!PF(a,b,c)){var d=a.u,e=a.B;a.focus(b+c-1);e=new Uint8Array(a.B+a.j[a.u].length-e);for(var f=0,h=d;h<=a.u;h++)e.set(a.j[h],f),f+=a.j[h].length;a.j.splice(d,a.u-d+1,e);OF(a);a.focus(b)}d=a.j[a.u];return new DataView(d.buffer,d.byteOffset+b-a.B,c)}; +QF=function(a,b,c){a=hua(a,void 0===b?0:b,void 0===c?-1:c);return new Uint8Array(a.buffer,a.byteOffset,a.byteLength)}; +iua=function(a){a=QF(a,0,-1);var b=new Uint8Array(a.length);try{b.set(a)}catch(d){for(var c=0;ce&&bf)VF[e++]=f;else{if(224>f)f=(f&31)<<6|a[b++]&63;else if(240>f)f=(f&15)<<12|(a[b++]&63)<<6|a[b++]&63;else{if(1024===e+1){--b;break}f=(f&7)<<18|(a[b++]&63)<<12|(a[b++]&63)<<6|a[b++]&63;f-=65536;VF[e++]=55296|f>>10;f=56320|f&1023}VF[e++]=f}}f=String.fromCharCode.apply(String,VF); +1024>e&&(f=f.substr(0,e));c.push(f)}return c.join("")}; +YF=function(a,b){var c;if(null==(c=XF)?0:c.encodeInto)return b=XF.encodeInto(a,b),b.reade?b[c++]=e:(2048>e?b[c++]=e>>6|192:(55296===(e&64512)&&d+1>18|240,b[c++]=e>>12&63|128):b[c++]=e>>12|224,b[c++]=e>>6&63|128),b[c++]=e&63|128)}return c}; +lua=function(a){if(XF)return XF.encode(a);var b=new Uint8Array(Math.ceil(1.2*a.length)),c=YF(a,b);b.lengthc&&(b=b.subarray(0,c));return b}; +ZF=function(a,b,c,d,e){e=void 0===e?!1:e;this.data=a;this.offset=b;this.size=c;this.type=d;this.j=(this.u=e)?0:8;this.dataOffset=this.offset+this.j}; +$F=function(a){var b=a.data.getUint8(a.offset+a.j);a.j+=1;return b}; +aG=function(a){var b=a.data.getUint16(a.offset+a.j);a.j+=2;return b}; +bG=function(a){var b=a.data.getInt32(a.offset+a.j);a.j+=4;return b}; +cG=function(a){var b=a.data.getUint32(a.offset+a.j);a.j+=4;return b}; +dG=function(a){var b=a.data;var c=a.offset+a.j;b=4294967296*b.getUint32(c)+b.getUint32(c+4);a.j+=8;return b}; +eG=function(a,b){b=void 0===b?NaN:b;if(isNaN(b))var c=a.size;else for(c=a.j;ca.byteLength-b)return!1;var c=a.getUint32(b);if(8>c||a.byteLength-bc;c++){var d=a.getInt8(b+c);if(48>d||122d;d++)c[d]=a.getInt8(b.offset+16+d);return c}; +uG=function(a,b){this.j=a;this.pos=0;this.start=b||0}; +vG=function(a){return a.pos>=a.j.byteLength}; +AG=function(a,b,c){var d=new uG(c);if(!wG(d,a))return!1;d=xG(d);if(!yG(d,b))return!1;for(a=0;b;)b>>>=8,a++;b=d.start+d.pos;var e=zG(d,!0);d=a+(d.start+d.pos-b)+e;d=9b;b++)c=256*c+FG(a);return c}for(var d=128,e=0;6>e&&d>c;e++)c=256*c+FG(a),d*=128;return b?c-d:c}; +CG=function(a){var b=zG(a,!0);a.pos+=b}; +Eua=function(a){if(!yG(a,440786851,!0))return null;var b=a.pos;zG(a,!1);var c=zG(a,!0)+a.pos-b;a.pos=b+c;if(!yG(a,408125543,!1))return null;zG(a,!0);if(!yG(a,357149030,!0))return null;var d=a.pos;zG(a,!1);var e=zG(a,!0)+a.pos-d;a.pos=d+e;if(!yG(a,374648427,!0))return null;var f=a.pos;zG(a,!1);var h=zG(a,!0)+a.pos-f,l=new Uint8Array(c+12+e+h),m=new DataView(l.buffer);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+b,c));m.setUint32(c,408125543);m.setUint32(c+4,33554431);m.setUint32(c+8,4294967295); +l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+d,e),c+12);l.set(new Uint8Array(a.j.buffer,a.j.byteOffset+f,h),c+12+e);return l}; +GG=function(a){var b=a.pos;a.pos=0;var c=1E6;wG(a,[408125543,357149030,2807729])&&(c=BG(a));a.pos=b;return c}; +Fua=function(a,b){var c=a.pos;a.pos=0;if(160!==a.j.getUint8(a.pos)&&!HG(a)||!yG(a,160))return a.pos=c,NaN;zG(a,!0);var d=a.pos;if(!yG(a,161))return a.pos=c,NaN;zG(a,!0);FG(a);var e=FG(a)<<8|FG(a);a.pos=d;if(!yG(a,155))return a.pos=c,NaN;d=BG(a);a.pos=c;return(e+d)*b/1E9}; +HG=function(a){if(!Gua(a)||!yG(a,524531317))return!1;zG(a,!0);return!0}; +Gua=function(a){if(a.Xm()){if(!yG(a,408125543))return!1;zG(a,!0)}return!0}; +wG=function(a,b){for(var c=0;cd.timedOut&&1>d.j)return!1;d=d.timedOut+d.j;a=NG(a,b);c=LG(c,FF(a));return c.timedOut+c.j+ +(b.Sn&&!c.C)b.Qg?1E3*Math.pow(b.Yi,c-b.Qg):0;return 0===b?!0:a.J+b<(0,g.M)()}; +Mua=function(a,b,c){a.j.set(b,c);a.B.set(b,c);a.C&&a.C.set(b,c)}; +RG=function(a,b,c,d){this.T=a;this.initRange=c;this.indexRange=d;this.j=null;this.C=!1;this.J=0;this.D=this.B=null;this.info=b;this.u=new MG(a)}; +SG=function(a,b,c){return Nua(a.info,b,c)}; +TG=function(a,b){this.start=a;this.end=b;this.length=b-a+1}; +UG=function(a){a=a.split("-");var b=Number(a[0]),c=Number(a[1]);if(!isNaN(b)&&!isNaN(c)&&2===a.length&&(a=new TG(b,c),!isNaN(a.start)&&!isNaN(a.end)&&!isNaN(a.length)&&0=b.range.start+b.Ob&&a.range.start+a.Ob+a.u<=b.range.start+b.Ob+b.u:a.Ma===b.Ma&&a.Ob>=b.Ob&&(a.Ob+a.u<=b.Ob+b.u||b.bf)}; +Yua=function(a,b){return a.j!==b.j?!1:4===a.type&&3===b.type&&a.j.Jg()?(a=a.j.Jz(a),Wm(a,function(c){return Yua(c,b)})):a.Ma===b.Ma&&!!b.u&&b.Ob+b.u>a.Ob&&b.Ob+b.u<=a.Ob+a.u}; +eH=function(a,b){var c=b.Ma;a.D="updateWithSegmentInfo";a.Ma=c;if(a.startTime!==b.startTime||a.duration!==b.duration)a.startTime=b.startTime,a.duration=b.duration,Pua(a)}; +fH=function(a,b){var c=this;this.gb=a;this.J=this.u=null;this.D=this.Tg=NaN;this.I=this.requestId=null;this.Ne={v7a:function(){return c.range}}; +this.j=a[0].j.u;this.B=b||"";this.gb[0].range&&0Math.random()){b=b||null;c=c||null;a=a instanceof Error?a:new g.tr(a);if(a.args)for(var f=g.q(a.args),h=f.next();!h.done;h=f.next())h=h.value,h instanceof Object&&(d=Object.assign(Object.assign({},h),d));d.category="H5 Ads Control Flow";b&&(d.slot=b?"slot: "+b.ab:"");c&&(d.layout=oH(c));e&&(d.known_error_aggressively_sampled=!0);a.args=[d];g.Is(a)}}; -hH=function(a,b,c,d){var e=a.kind;d=d?!1:!a.hideCueRangeMarker;switch(e){case "AD_PLACEMENT_KIND_START":return d={gh:new Gn(-0x8000000000000,-0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(-0x8000000000000,-0x8000000000000)),d;case "AD_PLACEMENT_KIND_END":return d={gh:new Gn(0x7ffffffffffff,0x8000000000000),Ov:d},null!=c&&(d.Wn=new Gn(Math.max(0,b-c),0x8000000000000)),d;case "AD_PLACEMENT_KIND_MILLISECONDS":e=a.adTimeOffset;e.offsetStartMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing start milliseconds."); -e.offsetEndMilliseconds||S("AD_PLACEMENT_KIND_MILLISECONDS missing end milliseconds.");a=Number(e.offsetStartMilliseconds);e=Number(e.offsetEndMilliseconds);-1===e&&(e=b);if(Number.isNaN(a)||Number.isNaN(e)||a>e)return new gH("AD_PLACEMENT_KIND_MILLISECONDS endMs needs to be >= startMs.",{offsetStartMs:a,offsetEndMs:e},e===b&&a-500<=e);d={gh:new Gn(a,e),Ov:d};if(null!=c){a=Math.max(0,a-c);if(a===e)return d;d.Wn=new Gn(a,e)}return d;default:return new gH("AdPlacementKind not supported in convertToRange.", -{kind:e,adPlacementConfig:a})}}; -qH=function(a,b,c,d,e,f){g.C.call(this);this.tb=a;this.uc=b;this.Tw=c;this.Ca=d;this.u=e;this.Da=f}; -Bia=function(a,b,c){var d=[];a=g.q(a);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.renderer.invideoOverlayAdRenderer||e.renderer.adBreakServiceRenderer&&jH(e);"AD_PLACEMENT_KIND_MILLISECONDS"===e.config.adPlacementConfig.kind&&f&&(f=hH(e.config.adPlacementConfig,0x7ffffffffffff),f instanceof gH||d.push({range:f.gh,renderer:e.renderer.invideoOverlayAdRenderer?"overlay":"ABSR"}))}d.sort(function(h,l){return h.range.start-l.range.start}); -a=!1;for(e=0;ed[e+1].range.start){a=!0;break}a&&(d=d.map(function(h){return h.renderer+"|s:"+h.range.start+("|e:"+h.range.end)}).join(","),S("Conflicting renderers.",void 0,void 0,{detail:d, -cpn:b,videoId:c}))}; -rH=function(a,b,c,d){this.C=a;this.Ce=null;this.B=b;this.u=0;this.daiEnabled=void 0===c?!1:c;this.visible=!0;this.D=void 0===d?!1:d}; -sH=function(a,b,c,d,e){g.eF.call(this,b.start,b.end,{id:d,namespace:"ad",priority:e,visible:c});this.u=a.kind||"AD_PLACEMENT_KIND_UNKNOWN";this.B=!1;this.C=null}; -tH=function(a){return"AD_PLACEMENT_KIND_START"==a.u}; -uH=function(a){return"AD_PLACEMENT_KIND_MILLISECONDS"==a.u}; -Cia=function(a){return a.end-a.start}; -vH=function(a,b,c){c=void 0===c?!1:c;switch(a.kind){case "AD_PLACEMENT_KIND_START":return new Gn(-0x8000000000000,-0x8000000000000);case "AD_PLACEMENT_KIND_END":return c?new Gn(Math.max(0,b.C-b.u),0x7ffffffffffff):new Gn(0x7ffffffffffff,0x8000000000000);case "AD_PLACEMENT_KIND_MILLISECONDS":var d=a.adTimeOffset;a=parseInt(d.offsetStartMilliseconds,10);d=parseInt(d.offsetEndMilliseconds,10);-1===d&&(d=b.C);if(c&&(d=a,a=Math.max(0,a-b.u),a==d))break;return new Gn(a,d);case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":d= -b.Ce;a=1E3*d.startSecs;if(c){if(a=h)if(h=b.shift(),f=(f=l.exec(h))?+f[1]/1E3:0)h=(h=m.exec(h))?+h[1]:0,h+=1;else return;c.push(new JF(n,e,f,NaN,"sq/"+(n+1)));e+=f;h--}a.index.append(c)}}; +sH=function(a,b,c){this.info=a;this.j=b;this.B=c;this.u=null;this.D=-1;this.timestampOffset=0;this.I=!1;this.C=this.info.j.Vy()&&!this.info.Ob}; +tH=function(a){return hua(a.j)}; +mva=function(a,b){if(1!==a.info.j.info.containerType||a.info.Ob||!a.info.bf)return!0;a=tH(a);for(var c=0,d=0;c+4e)b=!1;else{for(d=e-1;0<=d;d--)c.j.setUint8(c.pos+d,b&255),b>>>=8;c.pos=a;b=!0}else b=!1;return b}; +xH=function(a,b){b=void 0===b?!1:b;var c=qva(a);a=b?0:a.info.I;return c||a}; +qva=function(a){g.vH(a.info.j.info)||a.info.j.info.Ee();if(a.u&&6===a.info.type)return a.u.Xj;if(g.vH(a.info.j.info)){var b=tH(a);var c=0;b=g.tG(b,1936286840);b=g.t(b);for(var d=b.next();!d.done;d=b.next())d=wua(d.value),c+=d.CP[0]/d.Nt;c=c||NaN;if(!(0<=c))a:{c=tH(a);b=a.info.j.j;for(var e=d=0,f=0;oG(c,d);){var h=pG(c,d);if(1836476516===h.type)e=g.lG(h);else if(1836019558===h.type){!e&&b&&(e=mG(b));if(!e){c=NaN;break a}var l=nG(h.data,h.dataOffset,1953653094),m=e,n=nG(l.data,l.dataOffset,1952868452); +l=nG(l.data,l.dataOffset,1953658222);var p=bG(n);bG(n);p&2&&bG(n);n=p&8?bG(n):0;var q=bG(l),r=q&1;p=q&4;var v=q&256,x=q&512,z=q&1024;q&=2048;var B=cG(l);r&&bG(l);p&&bG(l);for(var F=r=0;F=1.3*Math.floor(16*f/9)||a>=1.3*f)return b;b=e}return"tiny"}; +IH=function(a,b,c){c=void 0===c?{}:c;this.id=a;this.mimeType=b;0=b)return c}catch(d){}return-1}; +lI=function(a,b){return 0<=kI(a,b)}; +Bva=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.start(b):NaN}; +mI=function(a,b){if(!a)return NaN;b=kI(a,b);return 0<=b?a.end(b):NaN}; +nI=function(a){return a&&a.length?a.end(a.length-1):NaN}; +oI=function(a,b){a=mI(a,b);return 0<=a?a-b:0}; +pI=function(a,b,c){for(var d=[],e=[],f=0;fc||(d.push(Math.max(b,a.start(f))-b),e.push(Math.min(c,a.end(f))-b));return iI(d,e)}; +qI=function(a,b,c,d){g.dE.call(this);var e=this;this.Ed=a;this.start=b;this.end=c;this.isActive=d;this.appendWindowStart=0;this.appendWindowEnd=Infinity;this.timestampOffset=0;this.tU={error:function(){!e.isDisposed()&&e.isActive&&e.ma("error",e)}, +updateend:function(){!e.isDisposed()&&e.isActive&&e.ma("updateend",e)}}; +g.eE(this.Ed,this.tU);this.rE=this.isActive}; +sI=function(a,b,c,d,e,f){g.dE.call(this);var h=this;this.Vb=a;this.Dg=b;this.id=c;this.containerType=d;this.Lb=e;this.Xg=f;this.XM=this.FC=this.Cf=null;this.jF=!1;this.appendWindowStart=this.timestampOffset=0;this.GK=iI([],[]);this.iB=!1;this.Kz=rI?[]:void 0;this.ud=function(m){return h.ma(m.type,h)}; +var l;if(null==(l=this.Vb)?0:l.addEventListener)this.Vb.addEventListener("updateend",this.ud),this.Vb.addEventListener("error",this.ud)}; +Cva=function(a,b){b.isEncrypted()&&(a.XM=a.FC);3===b.type&&(a.Cf=b)}; +tI=function(){return window.SourceBuffer?!!SourceBuffer.prototype.changeType:!1}; +uI=function(a,b){this.j=a;this.u=void 0===b?!1:b;this.B=!1}; +vI=function(a,b,c){c=void 0===c?!1:c;g.C.call(this);this.mediaElement=a;this.Wa=b;this.isView=c;this.I=0;this.C=!1;this.D=!0;this.T=0;this.callback=null;this.Wa||(this.Dg=this.mediaElement.ub());this.events=new g.bI(this);g.E(this,this.events);this.B=new uI(this.Wa?window.URL.createObjectURL(this.Wa):this.Dg.webkitMediaSourceURL,!0);a=this.Wa||this.Dg;Kz(this.events,a,["sourceopen","webkitsourceopen"],this.x7);Kz(this.events,a,["sourceclose","webkitsourceclose"],this.w7);this.J={updateend:this.O_}}; +Dva=function(){return!!(window.MediaSource||window.WebKitMediaSource||window.HTMLMediaElement&&HTMLMediaElement.prototype.webkitSourceAddId)}; +Eva=function(a,b){wI(a)?g.Mf(function(){b(a)}):a.callback=b}; +Fva=function(a,b,c){if(xI){var d;yI(a.mediaElement,{l:"mswssb",sr:null==(d=a.mediaElement.va)?void 0:zI(d)},!1);g.eE(b,a.J,a);g.eE(c,a.J,a)}a.j=b;a.u=c;g.E(a,b);g.E(a,c)}; +AI=function(a){return!!a.j||!!a.u}; +wI=function(a){try{return"open"===BI(a)}catch(b){return!1}}; +BI=function(a){if(a.Wa)return a.Wa.readyState;switch(a.Dg.webkitSourceState){case a.Dg.SOURCE_OPEN:return"open";case a.Dg.SOURCE_ENDED:return"ended";default:return"closed"}}; +CI=function(){return!(!window.MediaSource||!window.MediaSource.isTypeSupported)}; +Gva=function(a,b,c,d){if(!a.j||!a.u)return null;var e=a.j.isView()?a.j.Ed:a.j,f=a.u.isView()?a.u.Ed:a.u,h=new vI(a.mediaElement,a.Wa,!0);h.B=a.B;Fva(h,new qI(e,b,c,d),new qI(f,b,c,d));wI(a)||a.j.Vq(a.j.Jd());return h}; +Hva=function(a){var b;null==(b=a.j)||b.Tx();var c;null==(c=a.u)||c.Tx();a.D=!1}; +Iva=function(a){return DI(function(b,c){return g.Ly(b,c,4,1E3)},a,{format:"RAW", +method:"GET",withCredentials:!0})}; +g.Jva=function(a){var b;a.responseType&&"text"!==a.responseType?"arraybuffer"===a.responseType&&(b=UF(new Uint8Array(a.response))):b=a.responseText;return!b||2048a.T&&a.isLivePlayback;a.Ja=Number(kH(c,a.D+":earliestMediaSequence"))||0;if(d=Date.parse(cva(kH(c,a.D+":mpdResponseTime"))))a.Z=(Date.now()-d)/1E3;a.isLive&&0>=c.getElementsByTagName("SegmentTimeline").length||g.Zl(c.getElementsByTagName("Period"),a.c8,a);a.state=2;a.ma("loaded");bwa(a)}return a}).Zj(function(c){if(c instanceof Jy){var d=c.xhr; +a.Kg=d.status}a.state=3;a.ma("loaderror");return Rf(d)})}; +dwa=function(a,b,c){return cwa(new FI(a,b,c),a)}; +LI=function(a){return a.isLive&&(0,g.M)()-a.Aa>=a.T}; +bwa=function(a){var b=a.T;isFinite(b)&&(LI(a)?a.refresh():(b=Math.max(0,a.Aa+b-(0,g.M)()),a.C||(a.C=new g.Ip(a.refresh,b,a),g.E(a,a.C)),a.C.start(b)))}; +ewa=function(a){a=a.j;for(var b in a){var c=a[b].index;if(c.isLoaded())return c.td()+1}return 0}; +MI=function(a){return a.Ld?a.Ld-(a.J||a.timestampOffset):0}; +NI=function(a){return a.jc?a.jc-(a.J||a.timestampOffset):0}; +OI=function(a){if(!isNaN(a.ya))return a.ya;var b=a.j,c;for(c in b){var d=b[c].index;if(d.isLoaded()){b=0;for(c=d.Lm();c<=d.td();c++)b+=d.getDuration(c);b/=d.Fy();b=.5*Math.round(b/.5);10(0,g.M)()-1E3*a))return 0;a=g.Qz("yt-player-quality");if("string"===typeof a){if(a=g.jF[a],0a.previousQuality)return 1;if(a.quality=navigator.hardwareConcurrency&&(a=480);b.coreCount=navigator.hardwareConcurrency;hoa()&&(b.isArm=1,a=240);if(c){var e,f;if(d=null==(e=c.videoInfos.find(function(h){return KH(h)}))?void 0:null==(f=e.j)?void 0:f.powerEfficient)a=8192,b.isEfficient=1; +c=c.videoInfos[0].video;e=Math.min(UI("1",c.fps),UI("1",30));b.perfCap=e;a=Math.min(a,e);c.isHdr()&&!d&&(b.hdr=1,a*=.75)}else c=UI("1",30),b.perfCap30=c,a=Math.min(a,c),c=UI("1",60),b.perfCap60=c,a=Math.min(a,c);return b.av1Threshold=a}; +XI=function(a){return a?function(){try{return a.apply(this,arguments)}catch(b){g.CD(b)}}:a}; +YI=function(a,b,c,d){this.flavor=a;this.keySystem=b;this.u=c;this.experiments=d;this.j={};this.Ya=this.keySystemAccess=null;this.nx=this.ox=-1;this.rl=null;this.B=!!d&&d.ob("edge_nonprefixed_eme")}; +$I=function(a){return a.B?!1:!a.keySystemAccess&&!!ZI()&&"com.microsoft.playready"===a.keySystem}; +aJ=function(a){return"com.microsoft.playready"===a.keySystem}; +bJ=function(a){return!a.keySystemAccess&&!!ZI()&&"com.apple.fps.1_0"===a.keySystem}; +cJ=function(a){return"com.youtube.fairplay"===a.keySystem}; +dJ=function(a){return"com.youtube.fairplay.sbdl"===a.keySystem}; +g.eJ=function(a){return"fairplay"===a.flavor}; +ZI=function(){var a=window,b=a.MSMediaKeys;az()&&!b&&(b=a.WebKitMediaKeys);return b&&b.isTypeSupported?b:null}; +hJ=function(a){if(!navigator.requestMediaKeySystemAccess)return!1;if(g.eI&&!g.Yy())return kq("45");if(g.oB||g.mf)return a.ob("edge_nonprefixed_eme");if(g.fJ)return kq("47");if(g.BA){if(a.ob("html5_enable_safari_fairplay"))return!1;if(a=g.gJ(a,"html5_safari_desktop_eme_min_version"))return kq(a)}return!0}; +uwa=function(a,b,c,d){var e=Zy(),f=(c=e||c&&az())?["com.youtube.fairplay"]:["com.widevine.alpha"];b&&f.unshift("com.youtube.widevine.l3");e&&d&&f.unshift("com.youtube.fairplay.sbdl");return c?f:a?[].concat(g.u(f),g.u(iJ.playready)):[].concat(g.u(iJ.playready),g.u(f))}; +kJ=function(){this.B=this.j=0;this.u=Array.from({length:jJ.length}).fill(0)}; +vwa=function(a){if(0===a.j)return null;for(var b=a.j.toString()+"."+Math.round(a.B).toString(),c=0;c=f&&f>d&&!0===Vta(a,e,c)&&(d=f)}return d}; +g.vJ=function(a,b){b=void 0===b?!1:b;return uJ()&&a.isTypeSupported('audio/mp4; codecs="mp4a.40.2"')||!b&&a.canPlayType(cI(),"application/x-mpegURL")?!0:!1}; +Qwa=function(a){Pwa(function(){for(var b=g.t(Object.keys(yF)),c=b.next();!c.done;c=b.next())xF(a,yF[c.value])})}; +xF=function(a,b){b.name in a.I||(a.I[b.name]=Rwa(a,b));return a.I[b.name]}; +Rwa=function(a,b){if(a.C)return!!a.C[b.name];if(b===yF.BITRATE&&a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=2000000')&&!a.isTypeSupported('video/webm; codecs="vp9"; width=3840; height=2160; bitrate=20000000'))return!1;if(b===yF.AV1_CODECS)return a.isTypeSupported("video/mp4; codecs="+b.valid)&&!a.isTypeSupported("video/mp4; codecs="+b.Vm);if(b.video){var c='video/webm; codecs="vp9"';a.isTypeSupported(c)||(c='video/mp4; codecs="avc1.4d401e"')}else c='audio/webm; codecs="opus"', +a.isTypeSupported(c)||(c='audio/mp4; codecs="mp4a.40.2"');return a.isTypeSupported(c+"; "+b.name+"="+b.valid)&&!a.isTypeSupported(c+"; "+b.name+"="+b.Vm)}; +Swa=function(a){a.T=!1;a.j=!0}; +Twa=function(a){a.B||(a.B=!0,a.j=!0)}; +Uwa=function(a,b){var c=0;a.u.has(b)&&(c=a.u.get(b).d3);a.u.set(b,{d3:c+1,uX:Math.pow(2,c+1)});a.j=!0}; +wJ=function(){var a=this;this.queue=[];this.C=0;this.j=this.u=!1;this.B=function(){a.u=!1;a.gf()}}; +Vwa=function(a){a.j||(Pwa(function(){a.gf()}),a.j=!0)}; +xJ=function(){g.dE.call(this);this.items={}}; +yJ=function(a){return window.Int32Array?new Int32Array(a):Array(a)}; +EJ=function(a){this.counter=[0,0,0,0];this.u=new Uint8Array(16);this.j=16;if(!Wwa){var b,c=new Uint8Array(256),d=new Uint8Array(256);var e=1;for(b=0;256>b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);zJ=new Uint8Array(256);AJ=yJ(256);BJ=yJ(256);CJ=yJ(256);DJ=yJ(256);for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;zJ[f]=e;b=e<<1^(e>>7&&283);var h=b^e;AJ[f]=b<<24|e<<16|e<<8|h;BJ[f]=h<<24|AJ[f]>>>8;CJ[f]=e<<24|BJ[f]>>>8;DJ[f]=e<<24|CJ[f]>>>8}Wwa=!0}e=yJ(44);for(c=0;4>c;c++)e[c]= +a[4*c]<<24|a[4*c+1]<<16|a[4*c+2]<<8|a[4*c+3];for(d=1;44>c;c++)a=e[c-1],c%4||(a=(zJ[a>>16&255]^d)<<24|zJ[a>>8&255]<<16|zJ[a&255]<<8|zJ[a>>>24],d=d<<1^(d>>7&&283)),e[c]=e[c-4]^a;this.key=e}; +Xwa=function(a){for(var b=a.key,c=a.counter[0]^b[0],d=a.counter[1]^b[1],e=a.counter[2]^b[2],f=a.counter[3]^b[3],h=3;0<=h&&!(a.counter[h]=-~a.counter[h]);h--);for(var l,m,n=4;40>n;)h=AJ[c>>>24]^BJ[d>>16&255]^CJ[e>>8&255]^DJ[f&255]^b[n++],l=AJ[d>>>24]^BJ[e>>16&255]^CJ[f>>8&255]^DJ[c&255]^b[n++],m=AJ[e>>>24]^BJ[f>>16&255]^CJ[c>>8&255]^DJ[d&255]^b[n++],f=AJ[f>>>24]^BJ[c>>16&255]^CJ[d>>8&255]^DJ[e&255]^b[n++],c=h,d=l,e=m;a=a.u;h=b[40];a[0]=zJ[c>>>24]^h>>>24;a[1]=zJ[d>>16&255]^h>>16&255;a[2]=zJ[e>>8&255]^ +h>>8&255;a[3]=zJ[f&255]^h&255;h=b[41];a[4]=zJ[d>>>24]^h>>>24;a[5]=zJ[e>>16&255]^h>>16&255;a[6]=zJ[f>>8&255]^h>>8&255;a[7]=zJ[c&255]^h&255;h=b[42];a[8]=zJ[e>>>24]^h>>>24;a[9]=zJ[f>>16&255]^h>>16&255;a[10]=zJ[c>>8&255]^h>>8&255;a[11]=zJ[d&255]^h&255;h=b[43];a[12]=zJ[f>>>24]^h>>>24;a[13]=zJ[c>>16&255]^h>>16&255;a[14]=zJ[d>>8&255]^h>>8&255;a[15]=zJ[e&255]^h&255}; +HJ=function(){if(!FJ&&!g.oB){if(GJ)return GJ;var a;GJ=null==(a=window.crypto)?void 0:a.subtle;var b,c,d;if((null==(b=GJ)?0:b.importKey)&&(null==(c=GJ)?0:c.sign)&&(null==(d=GJ)?0:d.encrypt))return GJ;GJ=void 0}}; +IJ=function(a,b){g.C.call(this);var c=this;this.j=a;this.cipher=this.j.AES128CTRCipher_create(b.byteOffset);g.bb(this,function(){c.j.AES128CTRCipher_release(c.cipher)})}; +g.JJ=function(a){this.C=a}; +g.KJ=function(a){this.u=a}; +LJ=function(a,b){this.j=a;this.D=b}; +MJ=function(a){this.D=new Uint8Array(64);this.B=new Uint8Array(64);this.C=0;this.I=new Uint8Array(64);this.u=0;this.D.set(a);this.B.set(a);for(a=0;64>a;a++)this.D[a]^=92,this.B[a]^=54;this.reset()}; +Ywa=function(a,b,c){for(var d=a.J,e=a.j[0],f=a.j[1],h=a.j[2],l=a.j[3],m=a.j[4],n=a.j[5],p=a.j[6],q=a.j[7],r,v,x,z=0;64>z;)16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=q+NJ[z]+x+((m>>>6|m<<26)^(m>>>11|m<<21)^(m>>>25|m<<7))+(m&n^~m&p),v=((e>>>2|e<<30)^(e>>>13|e<<19)^(e>>>22|e<<10))+(e&f^e&h^f&h),q=r+v,l+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r= +d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=p+NJ[z]+x+((l>>>6|l<<26)^(l>>>11|l<<21)^(l>>>25|l<<7))+(l&m^~l&n),v=((q>>>2|q<<30)^(q>>>13|q<<19)^(q>>>22|q<<10))+(q&e^q&f^e&f),p=r+v,h+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=n+NJ[z]+x+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^ +~h&m),v=((p>>>2|p<<30)^(p>>>13|p<<19)^(p>>>22|p<<10))+(p&q^p&e^q&e),n=r+v,f+=r,z++,16>z?(d[z]=x=b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3],c+=4):(r=d[z-2],v=d[z-15],x=d[z-7]+d[z-16]+((r>>>17|r<<15)^(r>>>19|r<<13)^r>>>10)+((v>>>7|v<<25)^(v>>>18|v<<14)^v>>>3),d[z]=x),r=m+NJ[z]+x+((f>>>6|f<<26)^(f>>>11|f<<21)^(f>>>25|f<<7))+(f&h^~f&l),v=((n>>>2|n<<30)^(n>>>13|n<<19)^(n>>>22|n<<10))+(n&p^n&q^p&q),x=q,q=l,l=x,x=p,p=h,h=x,x=n,n=f,f=x,m=e+r,e=r+v,z++;a.j[0]=e+a.j[0]|0;a.j[1]=f+a.j[1]|0;a.j[2]=h+a.j[2]|0;a.j[3]= +l+a.j[3]|0;a.j[4]=m+a.j[4]|0;a.j[5]=n+a.j[5]|0;a.j[6]=p+a.j[6]|0;a.j[7]=q+a.j[7]|0}; +$wa=function(a){var b=new Uint8Array(32),c=64-a.u;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.j[c]>>>24,b[4*c+1]=a.j[c]>>>16&255,b[4*c+2]=a.j[c]>>>8&255,b[4*c+3]=a.j[c]&255;Zwa(a);return b}; +Zwa=function(a){a.j=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.J=[];a.J.length=64;a.C=0;a.u=0}; +axa=function(a){this.j=a}; +bxa=function(a,b,c){a=new MJ(a.j);a.update(b);a.update(c);b=$wa(a);a.update(a.D);a.update(b);b=$wa(a);a.reset();return b}; +cxa=function(a){this.u=a}; +dxa=function(a,b,c,d){var e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(a.j){m.Ka(2);break}e=a;return g.y(m,d.importKey("raw",a.u,{name:"HMAC",hash:"SHA-256"},!1,["sign"]),3);case 3:e.j=m.u;case 2:return f=new Uint8Array(b.length+c.length),f.set(b),f.set(c,b.length),h={name:"HMAC",hash:"SHA-256"},g.y(m,d.sign(h,a.j,f),4);case 4:return l=m.u,m.return(new Uint8Array(l))}})}; +exa=function(a,b,c){a.B||(a.B=new axa(a.u));return bxa(a.B,b,c)}; +fxa=function(a,b,c){var d,e;return g.A(function(f){if(1==f.j){d=HJ();if(!d)return f.return(exa(a,b,c));g.pa(f,3);return g.y(f,dxa(a,b,c,d),5)}if(3!=f.j)return f.return(f.u);e=g.sa(f);g.DD(e);FJ=!0;return f.return(exa(a,b,c))})}; +OJ=function(){g.JJ.apply(this,arguments)}; +PJ=function(){g.KJ.apply(this,arguments)}; +QJ=function(a,b){if(b.buffer!==a.memory.buffer){var c=new Uint8Array(a.memory.buffer,a.malloc(b.byteLength),b.byteLength);c.set(b)}LJ.call(this,a,c||b);this.u=new Set;this.C=!1;c&&this.u.add(c.byteOffset)}; +gxa=function(a,b,c){this.encryptedClientKey=b;this.D=c;this.j=new Uint8Array(a.buffer,0,16);this.B=new Uint8Array(a.buffer,16)}; +hxa=function(a){a.u||(a.u=new OJ(a.j));return a.u}; +RJ=function(a){try{return ig(a)}catch(b){return null}}; +ixa=function(a,b){if(!b&&a)try{b=JSON.parse(a)}catch(e){}if(b){a=b.clientKey?RJ(b.clientKey):null;var c=b.encryptedClientKey?RJ(b.encryptedClientKey):null,d=b.keyExpiresInSeconds?1E3*Number(b.keyExpiresInSeconds)+(0,g.M)():null;a&&c&&d&&(this.j=new gxa(a,c,d));b.onesieUstreamerConfig&&(this.onesieUstreamerConfig=RJ(b.onesieUstreamerConfig)||void 0);this.baseUrl=b.baseUrl}}; +SJ=function(a){this.j=this.u=0;this.alpha=Math.exp(Math.log(.5)/a)}; +TJ=function(a,b,c,d){c=void 0===c?.5:c;d=void 0===d?0:d;this.resolution=b;this.u=0;this.B=!1;this.D=!0;this.j=Math.round(a*this.resolution);this.values=Array(this.j);for(a=0;a=jK;f=b?b.useNativeControls:a.use_native_controls;this.T=g.fK(this)&&this.u;d=this.u&&!this.T;f=g.kK(this)|| +!h&&jz(d,f)?"3":"1";d=b?b.controlsType:a.controls;this.controlsType="0"!==d&&0!==d?f:"0";this.ph=this.u;this.color=kz("red",b?b.progressBarColor:a.color,wxa);this.jo="3"===this.controlsType||jz(!1,b?b.embedsShowModestBranding:a.modestbranding)&&"red"===this.color;this.Dc=!this.C;this.qm=(f=!this.Dc&&!hK(this)&&!this.oa&&!this.J&&!gK(this))&&!this.jo&&"1"===this.controlsType;this.rd=g.lK(this)&&f&&"0"===this.controlsType&&!this.qm;this.Xo=this.oo=h;this.Lc=("3"===this.controlsType||this.u||jz(!1,a.use_media_volume))&& +!this.T;this.wm=cz&&!g.Nc(601)?!1:!0;this.Vn=this.C||!1;this.Oc=hK(this)?"":(this.loaderUrl||a.post_message_origin||"").substring(0,128);this.widgetReferrer=mz("",b?b.widgetReferrer:a.widget_referrer);var l;b?b.disableCastApi&&(l=!1):l=a.enablecastapi;l=!this.I||jz(!0,l);h=!0;b&&b.disableMdxCast&&(h=!1);this.dj=this.K("enable_cast_for_web_unplugged")&&g.mK(this)&&h||this.K("enable_cast_on_music_web")&&g.nK(this)&&h||l&&h&&"1"===this.controlsType&&!this.u&&(hK(this)||g.lK(this)||"profilepage"===this.Ga)&& +!g.oK(this);this.Vo=!!window.document.pictureInPictureEnabled||gI();l=b?!!b.supportsAutoplayOverride:jz(!1,a.autoplayoverride);this.bl=!(this.u&&(!g.fK(this)||!this.K("embeds_web_enable_mobile_autoplay")))&&!Wy("nintendo wiiu")||l;l=b?!!b.enableMutedAutoplay:jz(!1,a.mutedautoplay);this.Uo=this.K("embeds_enable_muted_autoplay")&&g.fK(this);this.Qg=l&&!1;l=(hK(this)||gK(this))&&"blazer"===this.playerStyle;this.hj=b?!!b.disableFullscreen:!jz(!0,a.fs);this.Tb=!this.hj&&(l||g.yz());this.lm=this.K("uniplayer_block_pip")&& +(Xy()&&kq(58)&&!gz()||nB);l=g.fK(this)&&!this.ll;var m;b?void 0!==b.disableRelatedVideos&&(m=!b.disableRelatedVideos):m=a.rel;this.Wc=l||jz(!this.J,m);this.ul=jz(!1,b?b.enableContentOwnerRelatedVideos:a.co_rel);this.ea=gz()&&0=jK?"_top":"_blank";this.Wf="profilepage"===this.Ga;this.Xk=jz("blazer"===this.playerStyle,b?b.enableCsiLogging:a.enablecsi);switch(this.playerStyle){case "blogger":m="bl";break;case "gmail":m="gm";break;case "gac":m="ga";break;case "books":m="gb";break;case "docs":m= +"gd";break;case "duo":m="gu";break;case "google-live":m="gl";break;case "google-one":m="go";break;case "play":m="gp";break;case "chat":m="hc";break;case "hangouts-meet":m="hm";break;case "photos-edu":case "picasaweb":m="pw";break;default:m="yt"}this.Ja=m;this.authUser=mz("",b?b.authorizedUserIndex:a.authuser);this.uc=g.fK(this)&&(this.fb||!eoa()||this.tb);var n;b?void 0!==b.disableWatchLater&&(n=!b.disableWatchLater):n=a.showwatchlater;this.hm=((m=!this.uc)||!!this.authUser&&m)&&jz(!this.oa,this.I? +n:void 0);this.aj=b?b.isMobileDevice||!!b.disableKeyboardControls:jz(!1,a.disablekb);this.loop=jz(!1,a.loop);this.pageId=mz("",b?b.initialDelegatedSessionId:a.pageid);this.Eo=jz(!0,a.canplaylive);this.Xb=jz(!1,a.livemonitor);this.disableSharing=jz(this.J,b?b.disableSharing:a.ss);(n=b&&this.K("fill_video_container_size_override_from_wpcc")?b.videoContainerOverride:a.video_container_override)?(m=n.split("x"),2!==m.length?n=null:(n=Number(m[0]),m=Number(m[1]),n=isNaN(n)||isNaN(m)||0>=n*m?null:new g.He(n, +m))):n=null;this.xm=n;this.mute=b?!!b.startMuted:jz(!1,a.mute);this.storeUserVolume=!this.mute&&jz("0"!==this.controlsType,b?b.storeUserVolume:a.store_user_volume);n=b?b.annotationsLoadPolicy:a.iv_load_policy;this.annotationsLoadPolicy="3"===this.controlsType?3:kz(void 0,n,pK);this.captionsLanguagePreference=b?b.captionsLanguagePreference||"":mz("",a.cc_lang_pref);n=kz(2,b?b.captionsLanguageLoadPolicy:a.cc_load_policy,pK);"3"===this.controlsType&&2===n&&(n=3);this.Pb=n;this.Si=b?b.hl||"en_US":mz("en_US", +a.hl);this.region=b?b.contentRegion||"US":mz("US",a.cr);this.hostLanguage=b?b.hostLanguage||"en":mz("en",a.host_language);this.Qn=!this.fb&&Math.random()Math.random();this.Qk=a.onesie_hot_config||(null==b?0:b.onesieHotConfig)?new ixa(a.onesie_hot_config,null==b?void 0:b.onesieHotConfig):void 0;this.isTectonic=b?!!b.isTectonic:!!a.isTectonic;this.playerCanaryState=c;this.vf=new pxa;g.E(this,this.vf);this.mm=jz(!1,a.force_gvi);this.datasyncId=(null==b?void 0:b.datasyncId)||g.ey("DATASYNC_ID");this.Zn=g.ey("LOGGED_IN",!1);this.Yi=(null==b?void 0:b.allowWoffleManagement)|| +!1;this.jm=0;this.livingRoomPoTokenId=null==b?void 0:b.livingRoomPoTokenId;this.K("html5_high_res_logging_always")?this.If=!0:this.If=100*Math.random()<(g.gJ(this.experiments,"html5_unrestricted_layer_high_res_logging_percent")||g.gJ(this.experiments,"html5_high_res_logging_percent"));this.K("html5_ping_queue")&&(this.Rk=new wJ)}; +g.wK=function(a){var b;if(null==(b=a.webPlayerContextConfig)||!b.embedsEnableLiteUx||a.fb||a.J)return"EMBEDDED_PLAYER_LITE_MODE_NONE";a=g.gJ(a.experiments,"embeds_web_lite_mode");return void 0===a?"EMBEDDED_PLAYER_LITE_MODE_UNKNOWN":0<=a&&ar.width*r.height*r.fps)r=x}}}else m.push(x)}B=n.reduce(function(K,H){return H.Te().isEncrypted()&& -K},!0)?l:null; -d=Math.max(d,g.P(a.experiments,"html5_hls_initial_bitrate"));h=r||{};n.push(HH(m,c,e,"93",void 0===h.width?0:h.width,void 0===h.height?0:h.height,void 0===h.fps?0:h.fps,f,"auto",d,B,t));return CH(a.D,n,BD(a,b))}; -HH=function(a,b,c,d,e,f,h,l,m,n,p,r){for(var t=0,w="",y=g.q(a),x=y.next();!x.done;x=y.next())x=x.value,w||(w=x.itag),x.audioChannels&&x.audioChannels>t&&(t=x.audioChannels,w=x.itag);d=new dx(d,"application/x-mpegURL",new Ww(0,t,null,w),new Zw(e,f,h,null,void 0,m,void 0,r),void 0,p);a=new Hia(a,b,c);a.D=n?n:1369843;return new GH(d,a,l)}; -Lia=function(a){a=g.q(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; -Nia=function(a,b){for(var c=g.q(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Ud===b.Ud&&!e.audioChannels)return d}return""}; -Mia=function(a){for(var b=new Set,c=g.q(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.q(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.q(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; -IH=function(a,b){this.Oa=a;this.u=b}; -Pia=function(a,b,c,d){var e=[];c=g.q(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new vw(h.url,!0);if(h.s){var l=h.sp,m=iw(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.q(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=Mx(h.type,h.quality,h.itag,h.width,h.height);e.push(new IH(h,f))}}return CH(a.D,e,BD(a,b))}; -JH=function(a,b){this.Oa=a;this.u=b}; -Qia=function(a){var b=[];g.Cb(a,function(c){if(c&&c.url){var d=Mx(c.type,"medium","0");b.push(new JH(d,c.url))}}); -return b}; -Ria=function(a,b,c){c=Qia(c);return CH(a.D,c,BD(a,b))}; -Sia=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.ustreamerConfig=SC(a.ustreamerConfig))}; -g.KH=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.u=a.is_servable||!1;this.isTranslateable=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null}; -g.LH=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; -YH=function(a){for(var b={},c=g.q(Object.keys(XH)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[XH[d]];e&&(b[d]=e)}return b}; -ZH=function(a,b){for(var c={},d=g.q(Object.keys(XH)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.pw(f)&&(c[XH[e]]=f)}return c}; -bI=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); +a.u=b.concat(c)}; +Ixa=function(a){this.itag=a.itag;this.url=a.url;this.codecs=a.codecs;this.width=a.width;this.height=a.height;this.fps=a.fps;this.bitrate=a.bitrate;var b;this.u=(null==(b=a.audioItag)?void 0:b.split(","))||[];this.pA=a.pA;this.Pd=a.Pd||"";this.Jc=a.Jc;this.audioChannels=a.audioChannels;this.j=""}; +Jxa=function(a,b,c,d){b=void 0===b?!1:b;c=void 0===c?!0:c;d=void 0===d?{}:d;var e={};a=g.t(a);for(var f=a.next();!f.done;f=a.next()){f=f.value;if(b&&MediaSource&&MediaSource.isTypeSupported){var h=f.type;f.audio_channels&&(h=h+"; channels="+f.audio_channels);if(!MediaSource.isTypeSupported(h)){d[f.itag]="tpus";continue}}if(c||!f.drm_families||"smpte2084"!==f.eotf&&"arib-std-b67"!==f.eotf){h=void 0;var l={bt709:"SDR",bt2020:"SDR",smpte2084:"PQ","arib-std-b67":"HLG"},m=f.type.match(/codecs="([^"]*)"/); +m=m?m[1]:"";f.audio_track_id&&(h=new g.aI(f.name,f.audio_track_id,!!f.is_default));var n=f.eotf;f=new Ixa({itag:f.itag,url:f.url,codecs:m,width:Number(f.width),height:Number(f.height),fps:Number(f.fps),bitrate:Number(f.bitrate),audioItag:f.audio_itag,pA:n?l[n]:void 0,Pd:f.drm_families,Jc:h,audioChannels:Number(f.audio_channels)});e[f.itag]=e[f.itag]||[];e[f.itag].push(f)}else d[f.itag]="enchdr"}return e}; +VK=function(a,b,c){this.j=a;this.B=b;this.expiration=c;this.u=null}; +Kxa=function(a,b){if(!(nB||az()||Zy()))return null;a=Jxa(b,a.K("html5_filter_fmp4_in_hls"));if(!a)return null;b=[];for(var c={},d=g.t(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.t(a[e.value]);for(var f=e.next();!f.done;f=e.next()){var h=f.value;h.Jc&&(f=h.Jc.getId(),c[f]||(h=new g.hF(f,h.Jc),c[f]=h,b.push(h)))}}return 0x.width*x.height*x.fps)x=G}else r.push(G)}else l[F]="disdrmhfr";v.reduce(function(P, +T){return T.rh().isEncrypted()&&P},!0)&&(q=p); +e=Math.max(e,0);p=x||{};n=void 0===p.fps?0:p.fps;x=void 0===p.width?0:p.width;p=void 0===p.height?0:p.height;B=a.K("html5_native_audio_track_switching");v.push(Oxa(r,c,d,f,"93",x,p,n,m,"auto",e,q,z,B));Object.entries(l).length&&h(l);return TK(a.D,v,xK(a,b))}; +Oxa=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){for(var x=0,z="",B=g.t(a),F=B.next();!F.done;F=B.next())F=F.value,z||(z=F.itag),F.audioChannels&&F.audioChannels>x&&(x=F.audioChannels,z=F.itag);e=new IH(e,"application/x-mpegURL",{audio:new CH(0,x),video:new EH(f,h,l,null,void 0,n,void 0,r),Pd:q,JV:z});a=new Exa(a,b,c?[c]:[],d,!!v);a.C=p?p:1369843;return new VK(e,a,m)}; +Lxa=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.url&&(b=b.url.split("expire/"),!(1>=b.length)))return+b[1].split("/")[0];return NaN}; +Nxa=function(a,b){for(var c=g.t(Object.keys(a)),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d][0];if(!e.width&&e.Pd===b.Pd&&!e.audioChannels)return d}return""}; +Mxa=function(a){for(var b=new Set,c=g.t(Object.values(a)),d=c.next();!d.done;d=c.next())d=d.value,d.length&&(d=d[0],d.height&&d.codecs.startsWith("vp09")&&b.add(d.height));c=[];if(b.size){d=g.t(Object.keys(a));for(var e=d.next();!e.done;e=d.next())if(e=e.value,a[e].length){var f=a[e][0];f.height&&b.has(f.height)&&!f.codecs.startsWith("vp09")&&c.push(e)}}b=g.t(c);for(e=b.next();!e.done;e=b.next())delete a[e.value]}; +WK=function(a,b){this.j=a;this.u=b}; +Qxa=function(a,b,c,d){var e=[];c=g.t(c);for(var f=c.next();!f.done;f=c.next()){var h=f.value;if(h.url){f=new g.DF(h.url,!0);if(h.s){var l=h.sp,m=Yta(decodeURIComponent(h.s));f.set(l,encodeURIComponent(m))}l=g.t(Object.keys(d));for(m=l.next();!m.done;m=l.next())m=m.value,f.set(m,d[m]);h=$H(h.type,h.quality,h.itag,h.width,h.height);e.push(new WK(h,f))}}return TK(a.D,e,xK(a,b))}; +XK=function(a,b){this.j=a;this.u=b}; +Rxa=function(a,b,c){var d=[];c=g.t(c);for(var e=c.next();!e.done;e=c.next())if((e=e.value)&&e.url){var f=$H(e.type,"medium","0");d.push(new XK(f,e.url))}return TK(a.D,d,xK(a,b))}; +Sxa=function(a,b){var c=[],d=$H(b.type,"auto",b.itag);c.push(new XK(d,b.url));return TK(a.D,c,!1)}; +Uxa=function(a){return a&&Txa[a]?Txa[a]:null}; +Vxa=function(a){if(a=a.commonConfig)this.url=a.url,this.urlQueryOverride=a.urlQueryOverride,a.ustreamerConfig&&(this.sE=RJ(a.ustreamerConfig)||void 0)}; +Wxa=function(a,b){var c;if(b=null==b?void 0:null==(c=b.watchEndpointSupportedOnesieConfig)?void 0:c.html5PlaybackOnesieConfig)a.LW=new Vxa(b)}; +g.YK=function(a){a=void 0===a?{}:a;this.languageCode=a.languageCode||"";this.languageName=a.languageName||null;this.kind=a.kind||"";this.name=a.name||null;this.id=a.id||null;this.j=a.is_servable||!1;this.u=a.is_translateable||!1;this.url=a.url||null;this.vssId=a.vss_id||"";this.isDefault=a.is_default||!1;this.translationLanguage=a.translationLanguage||null;this.xtags=a.xtags||"";this.captionId=a.captionId||""}; +g.$K=function(a){var b={languageCode:a.languageCode,languageName:a.languageName,displayName:g.ZK(a),kind:a.kind,name:a.name,id:a.id,is_servable:a.j,is_default:a.isDefault,is_translateable:a.u,vss_id:a.vssId};a.xtags&&(b.xtags=a.xtags);a.captionId&&(b.captionId=a.captionId);a.translationLanguage&&(b.translationLanguage=a.translationLanguage);return b}; +g.aL=function(a){return a.translationLanguage?a.translationLanguage.languageCode:a.languageCode}; +g.ZK=function(a){var b=a.languageName||"",c=[b];"asr"===a.kind&&-1===b.indexOf("(")&&c.push(" (Automatic Captions)");a.name&&c.push(" - "+a.name);a.translationLanguage&&c.push(" >> "+a.translationLanguage.languageName);return c.join("")}; +$xa=function(a,b,c,d){a||(a=b&&Xxa.hasOwnProperty(b)&&Yxa.hasOwnProperty(b)?Yxa[b]+"_"+Xxa[b]:void 0);b=a;if(!b)return null;a=b.match(Zxa);if(!a||5!==a.length)return null;if(a=b.match(Zxa)){var e=Number(a[3]),f=[7,8,10,5,6];a=!(1===Number(a[1])&&8===e)&&0<=f.indexOf(e)}else a=!1;return c||d||a?b:null}; +bL=function(a,b){for(var c={},d=g.t(Object.keys(aya)),e=d.next();!e.done;e=d.next()){e=e.value;var f=b?b+e:e;f=a[f+"_webp"]||a[f];g.UD(f)&&(c[aya[e]]=f)}return c}; +cL=function(a){var b={};if(!a||!a.thumbnails)return b;a=a.thumbnails.filter(function(l){return!!l.url}); a.sort(function(l,m){return l.width-m.width||l.height-m.height}); -for(var c=g.q(Object.keys($H)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=$H[e];for(var f=g.q(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=aI(h.url);g.pw(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=aI(a.url),g.pw(a)&&(b["maxresdefault.jpg"]=a));return b}; -aI=function(a){return a.startsWith("//")?"https:"+a:a}; -cI=function(a){if(a=a.colorInfo)if(a=a.transferCharacteristics)return Tia[a];return null}; -dI=function(a){return a&&a.baseUrl||""}; -eI=function(a){a=g.Zp(a);for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; -fI=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;var c=b.playerAttestationRenderer.challenge;null!=c&&(a.rh=c)}; -Uia=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.q(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=gI(d.baseUrl);if(!e)return;d=new g.KH({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.T(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.nx=b.audioTracks||[];a.fC=b.defaultAudioTrackIndex||0;a.gC=b.translationLanguages?g.Oc(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.T(f.languageName)}}): +for(var c=g.t(Object.keys(bya)),d=c.next();!d.done;d=c.next()){var e=Number(d.value);d=bya[e];for(var f=g.t(a),h=f.next();!h.done;h=f.next())if(h=h.value,h.width>=e){e=cya(h.url);g.UD(e)&&(b[d]=e);break}}(a=a.pop())&&1280<=a.width&&(a=cya(a.url),g.UD(a)&&(b["maxresdefault.jpg"]=a));return b}; +cya=function(a){return a.startsWith("//")?"https:"+a:a}; +dL=function(a){return a&&a.baseUrl||""}; +eL=function(a){a=g.sy(a);for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){c=c.value;var d=a[c];a[c]=Array.isArray(d)?d[0]:d}return a}; +dya=function(a,b){a.botguardData=b.playerAttestationRenderer.botguardData;b=b.playerAttestationRenderer.challenge;null!=b&&(a.pk=b)}; +fya=function(a,b){a.captionTracks=[];if(b.captionTracks)for(var c=g.t(b.captionTracks),d=c.next();!d.done;d=c.next()){d=d.value;var e=eya(d.baseUrl);if(!e)return;d=new g.YK({is_translateable:!!d.isTranslatable,languageCode:d.languageCode,languageName:d.name&&g.gE(d.name),url:e,vss_id:d.vssId,kind:d.kind});a.captionTracks.push(d)}a.KK=b.audioTracks||[];a.LS=b.defaultAudioTrackIndex||0;a.LK=b.translationLanguages?g.Yl(b.translationLanguages,function(f){return{languageCode:f.languageCode,languageName:g.gE(f.languageName)}}): []; -a.gt=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; -Via=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.interstitials.map(function(l){var m=l.unserializedPlayerResponse;if(m)return{is_yto_interstitial:!0,raw_player_response:m};if(l=l.playerVars)return Object.assign({is_yto_interstitial:!0},Xp(l))}); -e=g.q(e);for(var f=e.next();!f.done;f=e.next())switch(f=f.value,d.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:f,yp:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:f,yp:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var h=Number(d.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:h,playerVars:f, -yp:0===h?5:7})}}}; -Wia=function(a,b){var c=b.find(function(d){return!(!d||!d.tooltipRenderer)}); -c&&(a.tooltipRenderer=c.tooltipRenderer)}; -hI=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; -iI=function(a){g.O.call(this);this.u=null;this.C=new g.no;this.u=null;this.I=new Set;this.crossOrigin=a||""}; -lI=function(a,b,c){c=jI(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=Math.floor(b/(d.columns*d.rows)),!d.Uc(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),g.mo(d.C,f,{oE:f,mF:e}))}kI(a)}; -kI=function(a){if(!a.u&&!a.C.isEmpty()){var b=a.C.remove();a.u=Cla(a,b)}}; -Cla=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.oE].Ld(b.mF);c.onload=function(){var d=b.oE,e=b.mF;null!==a.u&&(a.u.onload=null,a.u=null);d=a.levels[d];d.loaded.add(e);kI(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.fy()-1);e=[e,d];a.V("l",e[0],e[1])}; +a.lX=[];if(b.recommendedTranslationTargetIndices)for(c=g.t(b.recommendedTranslationTargetIndices),d=c.next();!d.done;d=c.next())a.lX.push(d.value);a.gF=!!b.contribute&&!!b.contribute.captionsMetadataRenderer}; +iya=function(a,b){b=g.t(b);for(var c=b.next();!c.done;c=b.next()){c=c.value;var d=c.interstitials.map(function(h){var l=g.K(h,gya);if(l)return{is_yto_interstitial:!0,raw_player_response:l};if(h=g.K(h,hya))return Object.assign({is_yto_interstitial:!0},qy(h))}); +d=g.t(d);for(var e=d.next();!e.done;e=d.next())switch(e=e.value,c.podConfig.playbackPlacement){case "INTERSTITIAL_PLAYBACK_PLACEMENT_PRE":a.interstitials=a.interstitials.concat({time:0,playerVars:e,In:5});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_POST":a.interstitials=a.interstitials.concat({time:0x7ffffffffffff,playerVars:e,In:6});break;case "INTERSTITIAL_PLAYBACK_PLACEMENT_INSERT_AT_VIDEO_TIME":var f=Number(c.podConfig.timeToInsertAtMillis);a.interstitials=a.interstitials.concat({time:f,playerVars:e, +In:0===f?5:7})}}}; +jya=function(a,b){if(b=b.find(function(c){return!(!c||!c.tooltipRenderer)}))a.tooltipRenderer=b.tooltipRenderer}; +kya=function(a,b){b.subscribeCommand&&(a.subscribeCommand=b.subscribeCommand);b.unsubscribeCommand&&(a.unsubscribeCommand=b.unsubscribeCommand);b.addToWatchLaterCommand&&(a.addToWatchLaterCommand=b.addToWatchLaterCommand);b.removeFromWatchLaterCommand&&(a.removeFromWatchLaterCommand=b.removeFromWatchLaterCommand);b.getSharePanelCommand&&(a.getSharePanelCommand=b.getSharePanelCommand)}; +fL=function(){var a=lya;var b=void 0===b?[]:b;var c=void 0===c?[]:c;b=ima.apply(null,[jma.apply(null,g.u(b))].concat(g.u(c)));this.store=lma(a,void 0,b)}; +g.gL=function(a,b,c){for(var d=Object.assign({},a),e=g.t(Object.keys(b)),f=e.next();!f.done;f=e.next()){f=f.value;var h=a[f],l=b[f];if(void 0===l)delete d[f];else if(void 0===h)d[f]=l;else if(Array.isArray(l)&&Array.isArray(h))d[f]=c?[].concat(g.u(h),g.u(l)):l;else if(!Array.isArray(l)&&g.Ja(l)&&!Array.isArray(h)&&g.Ja(h))d[f]=g.gL(h,l,c);else if(typeof l===typeof h)d[f]=l;else return b=new g.bA("Attempted to merge fields of differing types.",{name:"DeepMergeError",key:f,Y7a:h,updateValue:l}),g.CD(b), +a}return d}; +hL=function(a){this.j=a;this.pos=0;this.u=-1}; +iL=function(a){var b=RF(a.j,a.pos);++a.pos;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=RF(a.j,a.pos),++a.pos,d*=128,c+=(b&127)*d;return c}; +jL=function(a,b){var c=a.u;for(a.u=-1;a.pos+1<=a.j.totalLength;){0>c&&(c=iL(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.u=c;break}c=-1;switch(e){case 0:iL(a);break;case 1:a.pos+=8;break;case 2:d=iL(a);a.pos+=d;break;case 5:a.pos+=4}}return!1}; +kL=function(a,b){if(jL(a,b))return iL(a)}; +lL=function(a,b){if(jL(a,b))return!!iL(a)}; +mL=function(a,b){if(jL(a,b)){b=iL(a);var c=QF(a.j,a.pos,b);a.pos+=b;return c}}; +nL=function(a,b){if(a=mL(a,b))return g.WF(a)}; +oL=function(a,b,c){if(a=mL(a,b))return c(new hL(new LF([a])))}; +mya=function(a,b,c){for(var d=[],e;e=mL(a,b);)d.push(c(new hL(new LF([e]))));return d.length?d:void 0}; +pL=function(a,b){a=a instanceof Uint8Array?new LF([a]):a;return b(new hL(a))}; +nya=function(a,b){a=void 0===a?4096:a;this.u=b;this.pos=0;this.B=[];b=void 0;if(this.u)try{var c=this.u.exports.malloc(a);b=new Uint8Array(this.u.exports.memory.buffer,c,a)}catch(d){}b||(b=new Uint8Array(a));this.j=b;this.view=new DataView(this.j.buffer,this.j.byteOffset,this.j.byteLength)}; +qL=function(a,b){var c=a.pos+b;if(!(a.j.length>=c)){for(b=2*a.j.length;bd;d++)a.view.setUint8(a.pos,c&127|128),c>>=7,a.pos+=1;b=Math.floor(b/268435456)}for(qL(a,4);127>=7,a.pos+=1;a.view.setUint8(a.pos,b);a.pos+=1}; +sL=function(a,b,c){oya?rL(a,8*b+c):rL(a,b<<3|c)}; +tL=function(a,b,c){void 0!==c&&(sL(a,b,0),rL(a,c))}; +uL=function(a,b,c){void 0!==c&&tL(a,b,c?1:0)}; +vL=function(a,b,c){void 0!==c&&(sL(a,b,2),b=c.length,rL(a,b),qL(a,b),a.j.set(c,a.pos),a.pos+=b)}; +wL=function(a,b,c){void 0!==c&&(pya(a,b,Math.ceil(Math.log2(4*c.length+2)/7)),qL(a,1.2*c.length),b=YF(c,a.j.subarray(a.pos)),a.pos+b>a.j.length&&(qL(a,b),b=YF(c,a.j.subarray(a.pos))),a.pos+=b,qya(a))}; +pya=function(a,b,c){c=void 0===c?2:c;sL(a,b,2);a.B.push(a.pos);a.B.push(c);a.pos+=c}; +qya=function(a){for(var b=a.B.pop(),c=a.B.pop(),d=a.pos-c-b;b--;){var e=b?128:0;a.view.setUint8(c++,d&127|e);d>>=7}}; +xL=function(a,b,c,d,e){c&&(pya(a,b,void 0===e?3:e),d(a,c),qya(a))}; +rya=function(a){a.u&&a.j.buffer!==a.u.exports.memory.buffer&&(a.j=new Uint8Array(a.u.exports.memory.buffer,a.j.byteOffset,a.j.byteLength),a.view=new DataView(a.j.buffer,a.j.byteOffset,a.j.byteLength));return new Uint8Array(a.j.buffer,a.j.byteOffset,a.pos)}; +g.yL=function(a,b,c){c=new nya(4096,c);b(c,a);return rya(c)}; +g.zL=function(a){var b=new hL(new LF([ig(decodeURIComponent(a))]));a=nL(b,2);b=kL(b,4);var c=sya[b];if("undefined"===typeof c)throw a=new g.bA("Failed to recognize field number",{name:"EntityKeyHelperError",T6a:b}),g.CD(a),a;return{U2:b,entityType:c,entityId:a}}; +g.AL=function(a,b){var c=new nya;vL(c,2,lua(a));a=tya[b];if("undefined"===typeof a)throw b=new g.bA("Failed to recognize entity type",{name:"EntityKeyHelperError",entityType:b}),g.CD(b),b;tL(c,4,a);tL(c,5,1);b=rya(c);return encodeURIComponent(g.gg(b))}; +BL=function(a,b,c,d){if(void 0===d)return d=Object.assign({},a[b]||{}),c=(delete d[c],d),d={},Object.assign({},a,(d[b]=c,d));var e={},f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +uya=function(a,b,c,d,e){var f=a[b];if(null==f||!f[c])return a;d=g.gL(f[c],d,"REPEATED_FIELDS_MERGE_OPTION_APPEND"===e);e={};f={};return Object.assign({},a,(f[b]=Object.assign({},a[b],(e[c]=d,e)),f))}; +vya=function(a,b){a=void 0===a?{}:a;switch(b.type){case "ENTITY_LOADED":return b.payload.reduce(function(d,e){var f,h=null==(f=e.options)?void 0:f.persistenceOption;if(h&&"ENTITY_PERSISTENCE_OPTION_UNKNOWN"!==h&&"ENTITY_PERSISTENCE_OPTION_INMEMORY_AND_PERSIST"!==h)return d;if(!e.entityKey)return g.CD(Error("Missing entity key")),d;if("ENTITY_MUTATION_TYPE_REPLACE"===e.type){if(!e.payload)return g.CD(new g.bA("REPLACE entity mutation is missing a payload",{entityKey:e.entityKey})),d;var l=g.Xc(e.payload); +return BL(d,l,e.entityKey,e.payload[l])}if("ENTITY_MUTATION_TYPE_DELETE"===e.type){e=e.entityKey;try{var m=g.zL(e).entityType;l=BL(d,m,e)}catch(q){if(q instanceof Error)g.CD(new g.bA("Failed to deserialize entity key",{entityKey:e,mO:q.message})),l=d;else throw q;}return l}if("ENTITY_MUTATION_TYPE_UPDATE"===e.type){if(!e.payload)return g.CD(new g.bA("UPDATE entity mutation is missing a payload",{entityKey:e.entityKey})),d;l=g.Xc(e.payload);var n,p;return uya(d,l,e.entityKey,e.payload[l],null==(n= +e.fieldMask)?void 0:null==(p=n.mergeOptions)?void 0:p.repeatedFieldsMergeOption)}return d},a); +case "REPLACE_ENTITY":var c=b.payload;return BL(a,c.entityType,c.key,c.T2);case "REPLACE_ENTITIES":return Object.keys(b.payload).reduce(function(d,e){var f=b.payload[e];return Object.keys(f).reduce(function(h,l){return BL(h,e,l,f[l])},d)},a); +case "UPDATE_ENTITY":return c=b.payload,uya(a,c.entityType,c.key,c.T2,c.T7a);default:return a}}; +CL=function(a,b,c){return a[b]?a[b][c]||null:null}; +DL=function(a,b){this.type=a||"";this.id=b||""}; +g.EL=function(a){return new DL(a.substr(0,2),a.substr(2))}; +g.FL=function(a,b){this.u=a;this.author="";this.yB=null;this.playlistLength=0;this.j=this.sessionData=null;this.Z={};this.title="";if(b){this.author=b.author||b.playlist_author||"";this.title=b.playlist_title||"";if(a=b.session_data)this.sessionData=oy(a,"&");var c;this.j=(null==(c=b.thumbnail_ids)?void 0:c.split(",")[0])||null;this.Z=bL(b,"playlist_");this.videoId=b.video_id||void 0;if(c=b.list)switch(b.listType){case "user_uploads":this.playlistId=(new DL("UU","PLAYER_"+c)).toString();break;default:if(a= +b.playlist_length)this.playlistLength=Number(a)||0;this.playlistId=g.EL(c).toString();if(b=b.video)this.videoId=(b[0]||null).video_id||void 0}else b.playlist&&(this.playlistLength=b.playlist.toString().split(",").length)}}; +g.GL=function(a,b){this.j=a;this.Fr=this.author="";this.yB=null;this.isUpcoming=this.isLivePlayback=!1;this.lengthSeconds=0;this.zv=this.lengthText="";this.sessionData=null;this.Z={};this.title="";if(b){this.ariaLabel=b.aria_label||void 0;this.author=b.author||"";this.Fr=b.Fr||"";if(a=b.endscreen_autoplay_session_data)this.yB=oy(a,"&");this.zB=b.zB;this.isLivePlayback="1"===b.live_playback;this.isUpcoming=!!b.isUpcoming;if(a=b.length_seconds)this.lengthSeconds="string"===typeof a?Number(a):a;this.lengthText= +b.lengthText||"";this.zv=b.zv||"";this.publishedTimeText=b.publishedTimeText||void 0;if(a=b.session_data)this.sessionData=oy(a,"&");this.shortViewCount=b.short_view_count_text||void 0;this.Z=bL(b);this.title=b.title||"";this.videoId=b.docid||b.video_id||b.videoId||b.id||void 0;this.watchUrl=b.watchUrl||void 0}}; +wya=function(a){var b,c,d=null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:c.twoColumnWatchNextResults,e,f,h,l,m;a=null==(e=a.jd)?void 0:null==(f=e.playerOverlays)?void 0:null==(h=f.playerOverlayRenderer)?void 0:null==(l=h.endScreen)?void 0:null==(m=l.watchNextEndScreenRenderer)?void 0:m.results;if(!a){var n,p;a=null==d?void 0:null==(n=d.endScreen)?void 0:null==(p=n.endScreen)?void 0:p.results}return a}; +g.IL=function(a){var b,c,d;a=g.K(null==(b=a.jd)?void 0:null==(c=b.playerOverlays)?void 0:null==(d=c.playerOverlayRenderer)?void 0:d.decoratedPlayerBarRenderer,HL);return g.K(null==a?void 0:a.playerBar,xya)}; +yya=function(a){this.j=a.playback_progress_0s_url;this.B=a.playback_progress_2s_url;this.u=a.playback_progress_10s_url}; +Aya=function(a,b){var c=g.Ga("ytDebugData.callbacks");c||(c={},g.Fa("ytDebugData.callbacks",c));if(g.gy("web_dd_iu")||zya.includes(a))c[a]=b}; +JL=function(a){this.j=new oq(a)}; +Bya=function(){if(void 0===KL){try{window.localStorage.removeItem("yt-player-lv")}catch(b){}a:{try{var a=!!self.localStorage}catch(b){a=!1}if(a&&(a=g.yq(g.cA()+"::yt-player"))){KL=new JL(a);break a}KL=void 0}}return KL}; +g.LL=function(){var a=Bya();if(!a)return{};try{var b=a.get("yt-player-lv");return JSON.parse(b||"{}")}catch(c){return{}}}; +g.Cya=function(a){var b=Bya();b&&(a=JSON.stringify(a),b.set("yt-player-lv",a))}; +g.ML=function(a){return g.LL()[a]||0}; +g.NL=function(a,b){var c=g.LL();b!==c[a]&&(0!==b?c[a]=b:delete c[a],g.Cya(c))}; +g.OL=function(a){return g.A(function(b){return b.return(g.kB(Dya(),a))})}; +QL=function(a,b,c,d,e,f,h,l){var m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:return m=g.ML(a),4===m?x.return(4):g.y(x,g.sB(),2);case 2:n=x.u;if(!n)throw g.DA("wiac");if(!l||void 0===h){x.Ka(3);break}return g.y(x,Eya(l,h),4);case 4:h=x.u;case 3:return p=c.lastModified||"0",g.y(x,g.OL(n),5);case 5:return q=x.u,g.pa(x,6),PL++,g.y(x,g.NA(q,["index","media"],{mode:"readwrite",tag:"IDB_TRANSACTION_TAG_WIAC",Ub:!0},function(z){if(void 0!==f&&void 0!==h){var B=""+a+"|"+b.id+"|"+p+"|"+String(f).padStart(10, +"0");B=g.OA(z.objectStore("media"),h,B)}else B=g.FA.resolve(void 0);var F=Fya(a,b.Xg()),G=Fya(a,!b.Xg()),D={fmts:Gya(d),format:c||{}};F=g.OA(z.objectStore("index"),D,F);var L=-1===d.downloadedEndTime;D=L?z.objectStore("index").get(G):g.FA.resolve(void 0);var P={fmts:"music",format:{}};z=L&&e&&!b.Xg()?g.OA(z.objectStore("index"),P,G):g.FA.resolve(void 0);return g.FA.all([z,D,B,F]).then(function(T){T=g.t(T);T.next();T=T.next().value;PL--;var fa=g.ML(a);if(4!==fa&&L&&e||void 0!==T&&g.Hya(T.fmts))fa= +1,g.NL(a,fa);return fa})}),8); +case 8:return x.return(x.u);case 6:r=g.sa(x);PL--;v=g.ML(a);if(4===v)return x.return(v);g.NL(a,4);throw r;}})}; +g.Iya=function(a){var b,c;return g.A(function(d){if(1==d.j)return g.y(d,g.sB(),2);if(3!=d.j){b=d.u;if(!b)throw g.DA("ri");return g.y(d,g.OL(b),3)}c=d.u;return d.return(g.NA(c,["index"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRI"},function(e){var f=IDBKeyRange.bound(a+"|",a+"~");return e.objectStore("index").getAll(f).then(function(h){return h.map(function(l){return l?l.format:{}})})}))})}; +Lya=function(a,b,c,d,e){var f,h,l;return g.A(function(m){if(1==m.j)return g.y(m,g.sB(),2);if(3!=m.j){f=m.u;if(!f)throw g.DA("rc");return g.y(m,g.OL(f),3)}h=m.u;l=g.NA(h,["media"],{mode:"readonly",tag:"IDB_TRANSACTION_TAG_LMRM",Ub:Jya},function(n){var p=""+a+"|"+b+"|"+c+"|"+String(d).padStart(10,"0");return n.objectStore("media").get(p)}); +return e?m.return(l.then(function(n){if(void 0===n)throw Error("No data from indexDb");return Kya(e,n)}).catch(function(n){throw new g.bA("Error while reading chunk: "+n.name+", "+n.message); +})):m.return(l)})}; +g.Hya=function(a){return a?"music"===a?!0:a.includes("dlt=-1")||!a.includes("dlt="):!1}; +Fya=function(a,b){return""+a+"|"+(b?"v":"a")}; +Gya=function(a){var b={};return py((b.dlt=a.downloadedEndTime.toString(),b.mket=a.maxKnownEndTime.toString(),b.avbr=a.averageByteRate.toString(),b))}; +Nya=function(a){var b={},c={};a=g.t(a);for(var d=a.next();!d.done;d=a.next()){var e=d.value,f=e.split("|");e.match(g.Mya)?(d=Number(f.pop()),isNaN(d)?c[e]="?":(f=f.join("|"),(e=b[f])?(f=e[e.length-1],d===f.end+1?f.end=d:e.push({start:d,end:d})):b[f]=[{start:d,end:d}])):c[e]="?"}a=g.t(Object.keys(b));for(d=a.next();!d.done;d=a.next())d=d.value,c[d]=b[d].map(function(h){return h.start+"-"+h.end}).join(","); +return c}; +RL=function(a){g.dE.call(this);this.j=null;this.B=new Jla;this.j=null;this.I=new Set;this.crossOrigin=a||""}; +Oya=function(a,b,c){for(c=SL(a,c);0<=c;){var d=a.levels[c];if(d.isLoaded(TL(d,b))&&(d=g.UL(d,b)))return d;c--}return g.UL(a.levels[0],b)}; +Qya=function(a,b,c){c=SL(a,c);for(var d,e;0<=c;c--)if(d=a.levels[c],e=TL(d,b),!d.isLoaded(e)){d=a;var f=c,h=f+"-"+e;d.I.has(h)||(d.I.add(h),d.B.Ph(f,{mV:f,HV:e}))}Pya(a)}; +Pya=function(a){if(!a.j&&!a.B.Bf()){var b=a.B.remove();a.j=Rya(a,b)}}; +Rya=function(a,b){var c=document.createElement("img");a.crossOrigin&&(c.crossOrigin=a.crossOrigin);c.src=a.levels[b.mV].Ze(b.HV);c.onload=function(){var d=b.mV,e=b.HV;null!==a.j&&(a.j.onload=null,a.j=null);d=a.levels[d];d.loaded.add(e);Pya(a);var f=d.columns*d.rows;e*=f;d=Math.min(e+f-1,d.NE()-1);e=[e,d];a.ma("l",e[0],e[1])}; return c}; -g.mI=function(a,b,c,d){this.level=a;this.F=b;this.loaded=new Set;this.level=a;this.F=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.C=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.u=Math.floor(Number(a[5]));this.D=a[6];this.signature=a[7];this.videoLength=d}; -nI=function(a,b,c,d,e){d=void 0===d?!1:d;e=void 0===e?!1:e;iI.call(this,c);this.isLive=d;this.K=!!e;this.levels=this.B(a,b);this.D=new Map;1=b)return a.D.set(b,d),d;a.D.set(b,c-1);return c-1}; -pI=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.mI.call(this,a,b,c,0);this.B=null;this.I=d?3:0}; -qI=function(a,b,c,d){nI.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;ab&&(yB()||g.Q(d.experiments,"html5_format_hybridization"))&&(n.B.supportsChangeType=+yB(),n.I=b);2160<=b&&(n.Aa=!0);kC()&&(n.B.serveVp9OverAv1IfHigherRes= -0,n.Ub=!1);n.ax=m;m=g.hs||sr()&&!m?!1:!0;n.X=m;n.za=g.Q(d.experiments,"html5_format_hybridization");hr()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(n.D=!0,n.F=!0);a.mn&&(n.mn=a.mn);a.Nl&&(n.Nl=a.Nl);a.isLivePlayback&&(d=a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_dai"),m=!a.cd&&a.Sa.ba("html5_enable_audio_51_for_live_non_dai"),n.P=d||m);return a.mq=n}; -Gla=function(a){a.Bh||a.ra&&KB(a.ra);var b={};a.ra&&(b=LC(BI(a),a.Sa.D,a.ra,function(c){return a.V("ctmp","fmtflt",c)})); -b=new yH(b,a.Sa.experiments,a.CH,Fla(a));g.D(a,b);a.Mq=!1;a.Pd=!0;Eia(b,function(c){for(var d=g.q(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Bh=a.Bh;e.At=a.At;e.zt=a.zt;break;case "widevine":e.Ap=a.Ap}a.Vo=c;if(0b)return!1}return!LI(a)||"ULTRALOW"!=a.latencyClass&&21530001!=MI(a)?window.AbortController?a.ba("html5_streaming_xhr")||a.ba("html5_streaming_xhr_manifestless")&&LI(a)?!0:!1:!1:!0}; -OI=function(a){return YA({hasSubfragmentedFmp4:a.hasSubfragmentedFmp4,Ui:a.Ui,defraggedFromSubfragments:a.defraggedFromSubfragments,isManifestless:LI(a),DA:NI(a)})}; -MI=function(a){return a.isLowLatencyLiveStream&&void 0!=a.ra&&5<=ZB(a.ra)?21530001:a.liveExperimentalContentId}; -PI=function(a){return hr()&&KI(a)?!1:!AC()||a.HC?!0:!1}; -Ila=function(a){a.Pd=!0;a.Xl=!1;if(!a.Og&&QI(a))Mfa(a.videoId).then(function(d){a:{var e=HI(a,a.adaptiveFormats);if(e)if(d=HI(a,d)){if(0l&&(l=n.Te().audio.u);2=a.La.videoInfos.length)&&(c=ix(a.La.videoInfos[0]),c!=("fairplay"==a.md.flavor)))for(d=g.q(a.Vo),e=d.next();!e.done;e=d.next())if(e=e.value,c==("fairplay"==e.flavor)){a.md=e;break}}; -VI=function(a,b){a.lk=b;UI(a,new JC(g.Oc(a.lk,function(c){return c.Te()})))}; -Mla=function(a){var b={cpn:a.clientPlaybackNonce,c:a.Sa.deviceParams.c,cver:a.Sa.deviceParams.cver};a.Ev&&(b.ptk=a.Ev,b.oid=a.zG,b.ptchn=a.yG,b.pltype=a.AG);return b}; -g.WI=function(a){return EI(a)&&a.Bh?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.Oa&&a.Oa.Ud||null}; -XI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.T(b.text):a.paidContentOverlayText}; -YI=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?g.rd(b.durationMs):a.paidContentOverlayDurationMs}; -ZI=function(a){var b="";if(a.dz)return a.dz;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":"live");return b}; -g.$I=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; -aJ=function(a){return!!(a.Og||a.adaptiveFormats||a.xs||a.mp||a.hlsvp)}; -bJ=function(a){var b=g.jb(a.Of,"ypc");a.ypcPreview&&(b=!1);return a.isValid()&&!a.Pd&&(aJ(a)||g.jb(a.Of,"heartbeat")||b)}; -GI=function(a,b){var c=Yp(a),d={};if(b)for(var e=g.q(b.split(",")),f=e.next();!f.done;f=e.next())(f=f.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(d[f[1]]={width:f[2],height:f[3]});e=g.q(c);for(f=e.next();!f.done;f=e.next()){f=f.value;var h=d[f.itag];h&&(f.width=h.width,f.height=h.height)}return c}; -vI=function(a,b){a.showShareButton=!!b;if(b){var c=b.buttonRenderer&&b.buttonRenderer.navigationEndpoint;c&&(a.Xr=!!c.copyTextEndpoint)}}; -dJ=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.Qg=c);if(a.Qg){if(c=a.Qg.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.Qg.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;null!=d?(a.Gj=d,a.qc=!0):(a.Gj="",a.qc=!1);if(d=c.defaultThumbnail)a.li=bI(d);(d=c.videoDetails&& -c.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer)&&wI(a,b,d);if(d=c.videoDetails&&c.videoDetails.musicEmbeddedPlayerOverlayVideoDetailsRenderer)a.Ux=d.title,a.Tx=d.byline,d.musicVideoType&&(a.musicVideoType=d.musicVideoType);a.Ll=!!c.addToWatchLaterButton;vI(a,c.shareButton);c.playButton&&c.playButton.buttonRenderer&&c.playButton.buttonRenderer.navigationEndpoint&&(d=c.playButton.buttonRenderer.navigationEndpoint,d.watchEndpoint&&(d=d.watchEndpoint,d.watchEndpointSupportedOnesieConfig&&d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig&& -(a.Cv=new Sia(d.watchEndpointSupportedOnesieConfig.html5PlaybackOnesieConfig))));c.videoDurationSeconds&&(a.lengthSeconds=g.rd(c.videoDurationSeconds));a.ba("web_player_include_innertube_commands")&&c.webPlayerActionsPorting&&hI(a,c.webPlayerActionsPorting);if(a.ba("embeds_wexit_list_ajax_migration")&&c.playlist&&c.playlist.playlistPanelRenderer){c=c.playlist.playlistPanelRenderer;d=[];var e=Number(c.currentIndex);if(c.contents)for(var f=0,h=c.contents.length;f(b?parseInt(b[1],10):NaN);c=a.Sa;c=("TVHTML5_CAST"===c.deviceParams.c||"TVHTML5"===c.deviceParams.c&&(c.deviceParams.cver.startsWith("6.20130725")||c.deviceParams.cver.startsWith("6.20130726")))&&"MUSIC"===a.Sa.deviceParams.ctheme; -var d;if(d=!a.tn)c||(c=a.Sa,c="TVHTML5"===c.deviceParams.c&&c.deviceParams.cver.startsWith("7")),d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.ba("cast_prefer_audio_only_for_atv_and_uploads")||a.ba("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.tn=!0);return!a.Sa.deviceHasDisplay||a.tn&&a.Sa.C}; -qJ=function(a){return pJ(a)&&!!a.adaptiveFormats}; -pJ=function(a){return!!(a.ba("hoffle_save")&&a.Vn&&a.Sa.C)}; -RI=function(a,b){if(a.Vn!=b&&(a.Vn=b)&&a.ra){var c=a.ra,d;for(d in c.u){var e=c.u[d];e.D=!1;e.u=null}}}; -QI=function(a){return!(!(a.ba("hoffle_load")&&a.adaptiveFormats&&cy(a.videoId))||a.Vn)}; -rJ=function(a){if(!a.ra||!a.Oa||!a.pd)return!1;var b=a.ra.u;return!!b[a.Oa.id]&&yw(b[a.Oa.id].B.u)&&!!b[a.pd.id]&&yw(b[a.pd.id].B.u)}; -cJ=function(a){return(a=a.fq)&&a.showError?a.showError:!1}; -CI=function(a){return a.ba("disable_rqs")?!1:FI(a,"html5_high_res_logging")}; -FI=function(a,b){return a.ba(b)?!0:(a.fflags||"").includes(b+"=true")}; -Pla=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; -tI=function(a,b){var c=b.video_masthead_ad_quartile_urls;c&&(a.Mv=c.quartile_0_url,a.Vz=c.quartile_25_url,a.Xz=c.quartile_50_url,a.Zz=c.quartile_75_url,a.Tz=c.quartile_100_url,a.Nv=c.quartile_0_urls,a.Wz=c.quartile_25_urls,a.Yz=c.quartile_50_urls,a.aA=c.quartile_75_urls,a.Uz=c.quartile_100_urls)}; -uJ=function(a){return a?AC()?!0:sJ&&5>tJ?!1:!0:!1}; -sI=function(a){var b={};a=g.q(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; -gI=function(a){if(a){if(rw(a))return a;a=tw(a);if(rw(a,!0))return a}return""}; -Qla=function(){this.url=null;this.height=this.width=0;this.adInfoRenderer=this.impressionTrackingUrls=this.clickTrackingUrls=null}; -vJ=function(){this.contentVideoId=null;this.macros={};this.imageCompanionAdRenderer=this.iframeCompanionRenderer=null}; -wJ=function(a){this.u=a}; -xJ=function(a){var b=a.u.getVideoData(1);a.u.xa("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})}; -Rla=function(a){var b=new wJ(a.J);return{nK:function(){return b}}}; -yJ=function(a,b){this.u=a;this.Ob=b||{};this.K=String(Math.floor(1E9*Math.random()));this.R={};this.P=0}; -Sla=function(a){switch(a){case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression";case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression"; -case "viewable_impression":return"adviewableimpression";default:return null}}; -zJ=function(){g.O.call(this);var a=this;this.u={};g.eg(this,function(){return Object.keys(a.u).forEach(function(b){return delete a.u[b]})})}; -BJ=function(){if(null===AJ){AJ=new zJ;ul.getInstance().u="b";var a=ul.getInstance(),b="h"==Yk(a)||"b"==Yk(a),c=!(Ch.getInstance(),!1);b&&c&&(a.F=!0,a.I=new ica)}return AJ}; -Tla=function(a,b,c){a.u[b]=c}; -Ula=function(a){this.C=a;this.B={};this.u=ag()?500:g.wD(a.T())?1E3:2500}; -Wla=function(a,b){if(!b.length)return null;var c=b.filter(function(d){if(!d.mimeType)return!1;d.mimeType in a.B||(a.B[d.mimeType]=a.C.canPlayType(d.mimeType));return a.B[d.mimeType]?!!d.mimeType&&"application/x-mpegurl"==d.mimeType.toLowerCase()||!!d.mimeType&&"application/dash+xml"==d.mimeType.toLowerCase()||"PROGRESSIVE"==d.delivery:!1}); -return Vla(a,c)}; -Vla=function(a,b){for(var c=null,d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.minBitrate,h=e.maxBitrate;f>a.u||ha.u||(!c||f>c.maxBitrate?c=e:c&&f==c.maxBitrate&&hc.maxBitrate&&(c=e));return c}; -CJ=function(a,b){this.u=a;this.F=b;this.B=b.length;this.adBreakLengthSeconds=b.reduce(function(e,f){return e+f},0); -for(var c=0,d=a+1;d=a.B}; -HJ=function(){yJ.apply(this,arguments)}; -IJ=function(){this.B=[];this.D=null;this.C=0}; -JJ=function(a,b){b&&a.B.push(b)}; -KJ=function(a){if(!a)return[];var b=[];a=g.q(a);for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.loggingUrls){c=g.q(c.loggingUrls);for(var d=c.next();!d.done;d=c.next())b.push({baseUrl:d.value.baseUrl})}return b}; -LJ=function(a){if(!a)return[];var b=[];a.forEach(function(c){c.command.loggingUrls.forEach(function(d){b.push({baseUrl:d.baseUrl,offsetMilliseconds:c.adVideoOffset.milliseconds})})}); +g.VL=function(a,b,c,d){this.level=a;this.D=b;this.loaded=new Set;this.level=a;this.D=b;a=c.split("#");this.width=Math.floor(Number(a[0]));this.height=Math.floor(Number(a[1]));this.frameCount=Math.floor(Number(a[2]));this.columns=Math.floor(Number(a[3]));this.rows=Math.floor(Number(a[4]));this.j=Math.floor(Number(a[5]));this.B=a[6];this.C=a[7];this.videoLength=d}; +TL=function(a,b){return Math.floor(b/(a.columns*a.rows))}; +g.UL=function(a,b){b>=a.BJ()&&a.ix();var c=TL(a,b),d=a.columns*a.rows,e=b%d;b=e%a.columns;e=Math.floor(e/a.columns);var f=a.ix()+1-d*c;if(f=b)return a.C.set(b,d),d;a.C.set(b,c-1);return c-1}; +XL=function(a,b,c,d){c=c.split("#");c=[c[1],c[2],0,c[3],c[4],-1,c[0],""].join("#");g.VL.call(this,a,b,c,0);this.u=null;this.I=d?2:0}; +YL=function(a,b,c,d){WL.call(this,a,0,void 0,b,!(void 0===d||!d));for(a=0;adM?!1:!0,a.isLivePlayback=!0;else if(bc.isLive){qn.livestream="1";a.allowLiveDvr=bc.isLiveDvrEnabled?uJ()?!0:dz&&5>dM?!1:!0:!1;a.Ga=27;bc.isLowLatencyLiveStream&&(a.isLowLatencyLiveStream=!0);var Bw=bc.latencyClass;Bw&&(a.latencyClass= +fza[Bw]||"UNKNOWN");var Ml=bc.liveChunkReadahead;Ml&&(a.liveChunkReadahead=Ml);var Di=pn&&pn.livePlayerConfig;if(Di){Di.hasSubfragmentedFmp4&&(a.hasSubfragmentedFmp4=!0);Di.hasSubfragmentedWebm&&(a.Oo=!0);Di.defraggedFromSubfragments&&(a.defraggedFromSubfragments=!0);var Ko=Di.liveExperimentalContentId;Ko&&(a.liveExperimentalContentId=Number(Ko));var Nk=Di.isLiveHeadPlayable;a.K("html5_live_head_playable")&&null!=Nk&&(a.isLiveHeadPlayable=Nk)}Jo=!0}else bc.isUpcoming&&(Jo=!0);Jo&&(a.isLivePlayback= +!0,qn.adformat&&"8"!==qn.adformat.split("_")[1]||a.Ja.push("heartbeat"),a.Uo=!0)}var Lo=bc.isPrivate;void 0!==Lo&&(a.isPrivate=jz(a.isPrivate,Lo))}if(la){var Mo=bc||null,mt=!1,Nl=la.errorScreen;mt=Nl&&(Nl.playerLegacyDesktopYpcOfferRenderer||Nl.playerLegacyDesktopYpcTrailerRenderer||Nl.ypcTrailerRenderer)?!0:Mo&&Mo.isUpcoming?!0:["OK","LIVE_STREAM_OFFLINE","FULLSCREEN_ONLY"].includes(la.status);if(!mt){a.errorCode=Uxa(la.errorCode)||"auth";var No=Nl&&Nl.playerErrorMessageRenderer;if(No){a.playerErrorMessageRenderer= +No;var nt=No.reason;nt&&(a.errorReason=g.gE(nt));var Kq=No.subreason;Kq&&(a.Gm=g.gE(Kq),a.qx=Kq)}else a.errorReason=la.reason||null;var Ba=la.status;if("LOGIN_REQUIRED"===Ba)a.errorDetail="1";else if("CONTENT_CHECK_REQUIRED"===Ba)a.errorDetail="2";else if("AGE_CHECK_REQUIRED"===Ba){var Ei=la.errorScreen,Oo=Ei&&Ei.playerKavRenderer;a.errorDetail=Oo&&Oo.kavUrl?"4":"3"}else a.errorDetail=la.isBlockedInRestrictedMode?"5":"0"}}var Po=a.playerResponse.interstitialPods;Po&&iya(a,Po);a.Xa&&a.eventId&&(a.Xa= +uy(a.Xa,{ei:a.eventId}));var SA=a.playerResponse.captions;SA&&SA.playerCaptionsTracklistRenderer&&fya(a,SA.playerCaptionsTracklistRenderer);a.clipConfig=a.playerResponse.clipConfig;a.clipConfig&&null!=a.clipConfig.startTimeMs&&(a.TM=.001*Number(a.clipConfig.startTimeMs));a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting&&kya(a,a.playerResponse.playerConfig.webPlayerConfig.webPlayerActionsPorting)}Wya(a, +b);b.queue_info&&(a.queueInfo=b.queue_info);var OH=b.hlsdvr;null!=OH&&(a.allowLiveDvr="1"==OH?uJ()?!0:dz&&5>dM?!1:!0:!1);a.adQueryId=b.ad_query_id||null;a.Lw||(a.Lw=b.encoded_ad_safety_reason||null);a.MR=b.agcid||null;a.iQ=b.ad_id||null;a.mQ=b.ad_sys||null;a.MJ=b.encoded_ad_playback_context||null;a.Xk=jz(a.Xk,b.infringe||b.muted);a.XR=b.authkey;a.authUser=b.authuser;a.mutedAutoplay=jz(a.mutedAutoplay,b&&b.playmuted)&&a.K("embeds_enable_muted_autoplay");var Qo=b.length_seconds;Qo&&(a.lengthSeconds= +"string"===typeof Qo?Se(Qo):Qo);var TA=!a.isAd()&&!a.bl&&g.qz(g.wK(a.B));if(TA){var ot=a.lengthSeconds;switch(g.wK(a.B)){case "EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT":30ot&&10c&&(tI()||d.K("html5_format_hybridization"))&&(q.u.supportsChangeType=+tI(),q.C=c);2160<=c&&(q.Ja=!0);rwa()&&(q.u.serveVp9OverAv1IfHigherRes= +0,q.Wc=!1);q.tK=m;q.fb=g.oB||hz()&&!m?!1:!0;q.oa=d.K("html5_format_hybridization");q.jc=d.K("html5_disable_encrypted_vp9_live_non_2k_4k");Zy()&&a.playerResponse&&a.playerResponse.playerConfig&&a.playerResponse.playerConfig.webPlayerConfig&&a.playerResponse.playerConfig.webPlayerConfig.useCobaltTvosDogfoodFeatures&&(q.J=!0,q.T=!0);a.fb&&a.isAd()&&(a.sA&&(q.ya=a.sA),a.rA&&(q.I=a.rA));q.Ya=a.isLivePlayback&&a.Pl()&&a.B.K("html5_drm_live_audio_51");q.Tb=a.WI;return a.jm=q}; +yza=function(a){eF("drm_pb_s",void 0,a.Qa);a.Ya||a.j&&tF(a.j);var b={};a.j&&(b=Nta(a.Tw,vM(a),a.B.D,a.j,function(c){return a.ma("ctmp","fmtflt",c)},!0)); +b=new nJ(b,a.B,a.PR,xza(a),function(c,d){a.xa(c,d)}); +g.E(a,b);a.Rn=!1;a.La=!0;Fwa(b,function(c){eF("drm_pb_f",void 0,a.Qa);for(var d=g.t(c),e=d.next();!e.done;e=d.next())switch(e=e.value,e.flavor){case "fairplay":e.Ya=a.Ya;e.ox=a.ox;e.nx=a.nx;break;case "widevine":e.rl=a.rl}a.Un=c;if(0p&&(p=v.rh().audio.numChannels)}2=a.C.videoInfos.length)&&(b=LH(a.C.videoInfos[0]),b!=("fairplay"==a.J.flavor)))for(c=g.t(a.Un),d=c.next();!d.done;d=c.next())if(d=d.value,b==("fairplay"==d.flavor)){a.J=d;break}}; +zM=function(a,b){a.Nd=b;Iza(a,new oF(g.Yl(a.Nd,function(c){return c.rh()})))}; +Jza=function(a){var b={cpn:a.clientPlaybackNonce,c:a.B.j.c,cver:a.B.j.cver};a.xx&&(b.ptk=a.xx,b.oid=a.KX,b.ptchn=a.xX,b.pltype=a.fY,a.lx&&(b.m=a.lx));return b}; +g.AM=function(a){return eM(a)&&a.Ya?(a={},a.fairplay="https://youtube.com/api/drm/fps?ek=uninitialized",a):a.u&&a.u.Pd||null}; +Kza=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.text?g.gE(b.text):a.paidContentOverlayText}; +BM=function(a){var b=a.playerResponse&&a.playerResponse.paidContentOverlay&&a.playerResponse.paidContentOverlay.paidContentOverlayRenderer||null;return b&&b.durationMs?Se(b.durationMs):a.paidContentOverlayDurationMs}; +CM=function(a){var b="";if(a.eK)return a.eK;a.isLivePlayback&&(b=a.allowLiveDvr?"dvr":a.isPremiere?"lp":a.rd?"window":"live");a.Se&&(b="post");return b}; +g.DM=function(a,b){return"string"!==typeof a.keywords[b]?null:a.keywords[b]}; +Lza=function(a){return!!a.Ui||!!a.cN||!!a.zx||!!a.Ax||a.nS||a.ea.focEnabled||a.ea.rmktEnabled}; +EM=function(a){return!!(a.tb||a.Jf||a.ol||a.hlsvp||a.Yu())}; +aM=function(a){if(a.K("html5_onesie")&&a.errorCode)return!1;var b=g.rb(a.Ja,"ypc");a.ypcPreview&&(b=!1);return a.De()&&!a.La&&(EM(a)||g.rb(a.Ja,"heartbeat")||b)}; +gM=function(a,b){a=ry(a);var c={};if(b){b=g.t(b.split(","));for(var d=b.next();!d.done;d=b.next())(d=d.value.match(/^([0-9]+)\/([0-9]+)x([0-9]+)(\/|$)/))&&(c[d[1]]={width:d[2],height:d[3]})}b=g.t(a);for(d=b.next();!d.done;d=b.next()){d=d.value;var e=c[d.itag];e&&(d.width=e.width,d.height=e.height)}return a}; +pza=function(a,b){a.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")||(a.showShareButton=!!b);var c,d,e=(null==(c=g.K(b,g.mM))?void 0:c.navigationEndpoint)||(null==(d=g.K(b,g.mM))?void 0:d.command);e&&(a.ao=!!g.K(e,Mza))}; +Vya=function(a,b){var c=b.raw_embedded_player_response;if(!c){var d=b.embedded_player_response;d&&(c=JSON.parse(d))}c&&(a.kf=c);if(a.kf){a.embeddedPlayerConfig=a.kf.embeddedPlayerConfig||null;if(c=a.kf.videoFlags)c.playableInEmbed&&(a.allowEmbed=!0),c.isPrivate&&(a.isPrivate=!0),c.userDisplayName&&(b.user_display_name=c.userDisplayName),c.userDisplayImage&&(b.user_display_image=c.userDisplayImage);if(c=a.kf.embedPreview){c=c.thumbnailPreviewRenderer;d=c.controlBgHtml;a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")|| +(null!=d?(a.Wc=d,a.D=!0):(a.Wc="",a.D=!1));if(d=c.defaultThumbnail)a.Z=cL(d),a.sampledThumbnailColor=d.sampledThumbnailColor;(d=g.K(null==c?void 0:c.videoDetails,Nza))&&tza(a,b,d);d=g.K(null==c?void 0:c.videoDetails,g.Oza);a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")||(a.Qk=!!c.addToWatchLaterButton);pza(a,c.shareButton);if(null==d?0:d.musicVideoType)a.musicVideoType=d.musicVideoType;var e,f,h,l,m;if(d=g.K(null==(e=a.kf)?void 0:null==(f=e.embedPreview)?void 0:null==(h= +f.thumbnailPreviewRenderer)?void 0:null==(l=h.playButton)?void 0:null==(m=l.buttonRenderer)?void 0:m.navigationEndpoint,g.oM))Wxa(a,d),a.videoId=d.videoId||a.videoId;c.videoDurationSeconds&&(a.lengthSeconds=Se(c.videoDurationSeconds));c.webPlayerActionsPorting&&kya(a,c.webPlayerActionsPorting);if(e=g.K(null==c?void 0:c.playlist,Pza)){a.bl=!0;f=[];h=Number(e.currentIndex);if(e.contents)for(l=0,m=e.contents.length;l(b?parseInt(b[1],10):NaN);c=a.B;c=("TVHTML5_CAST"===g.rJ(c)||"TVHTML5"===g.rJ(c)&&(c.j.cver.startsWith("6.20130725")||c.j.cver.startsWith("6.20130726")))&&"MUSIC"===a.B.j.ctheme;var d;if(d=!a.hj)c||(c=a.B,c="TVHTML5"===g.rJ(c)&&c.j.cver.startsWith("7")), +d=c;d&&!b&&(b="MUSIC_VIDEO_TYPE_PRIVATELY_OWNED_TRACK"===a.musicVideoType,c=(a.K("cast_prefer_audio_only_for_atv_and_uploads")||a.K("kabuki_pangea_prefer_audio_only_for_atv_and_uploads"))&&"MUSIC_VIDEO_TYPE_ATV"===a.musicVideoType,b||c)&&(a.hj=!0);return a.B.deviceIsAudioOnly||a.hj&&a.B.I}; +Yza=function(a){return isNaN(a)?0:Math.max((Date.now()-a)/1E3-30,0)}; +WM=function(a){return!(!a.xm||!a.B.I)&&a.Yu()}; +Zza=function(a){return a.enablePreroll&&a.enableServerStitchedDai}; +XM=function(a){if(a.mS||a.cotn||!a.j||a.j.isOtf)return!1;if(a.K("html5_use_sabr_requests_for_debugging"))return!0;var b=!a.j.fd&&!a.Pl(),c=b&&xM&&a.K("html5_enable_sabr_vod_streaming_xhr");b=b&&!xM&&a.K("html5_enable_sabr_vod_non_streaming_xhr");(c=c||b)&&!a.Cx&&a.xa("sabr",{loc:"m"});return c&&!!a.Cx}; +YM=function(a){return a.lS&&XM(a)}; +hza=function(a){var b;if(b=!!a.cotn)b=a.videoId,b=!!b&&1===g.ML(b);return b&&!a.xm}; +g.ZM=function(a){if(!a.j||!a.u||!a.I)return!1;var b=a.j.j;return!!b[a.u.id]&&GF(b[a.u.id].u.j)&&!!b[a.I.id]&&GF(b[a.I.id].u.j)}; +$M=function(a){return a.yx?["OK","LIVE_STREAM_OFFLINE"].includes(a.yx.status):!0}; +Qza=function(a){return(a=a.ym)&&a.showError?a.showError:!1}; +fM=function(a,b){return a.K(b)?!0:(a.fflags||"").includes(b+"=true")}; +$za=function(a){return(a=/html5_log_experiment_id_from_player_response_to_ctmp=([0-9]+)/.exec(a.fflags))?a[1]:null}; +$ya=function(a,b){b.inlineMetricEnabled&&(a.inlineMetricEnabled=!0);b.playback_progress_0s_url&&(a.Ax=new yya(b));if(b=b.video_masthead_ad_quartile_urls)a.cN=b.quartile_0_url,a.bZ=b.quartile_25_url,a.cZ=b.quartile_50_url,a.oQ=b.quartile_75_url,a.aZ=b.quartile_100_url,a.zx=b.quartile_0_urls,a.yN=b.quartile_25_urls,a.vO=b.quartile_50_urls,a.FO=b.quartile_75_urls,a.jN=b.quartile_100_urls}; +Zya=function(a){var b={};a=g.t(a);for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.split("=");2==d.length?b[d[0]]=d[1]:b[c]=!0}return b}; +eya=function(a){if(a){if(Lsa(a))return a;a=Msa(a);if(Lsa(a,!0))return a}return""}; +g.aAa=function(a){return a.captionsLanguagePreference||a.B.captionsLanguagePreference||g.DM(a,"yt:cc_default_lang")||a.B.Si}; +aN=function(a){return!(!a.isLivePlayback||!a.hasProgressBarBoundaries())}; +g.qM=function(a){var b;return a.Ow||(null==(b=a.suggestions)?void 0:b[0])||null}; +bN=function(a,b){this.j=a;this.oa=b||{};this.J=String(Math.floor(1E9*Math.random()));this.I={};this.Z=this.ea=0}; +bAa=function(a){return cN(a)&&1==a.getPlayerState(2)}; +cN=function(a){a=a.Rc();return void 0!==a&&2==a.getPlayerType()}; +dN=function(a){a=a.V();return sK(a)&&!g.FK(a)&&"desktop-polymer"==a.playerStyle}; +eN=function(a,b){var c=a.V();g.kK(c)||"3"!=c.controlsType||a.jb().SD(b)}; +gN=function(a,b,c,d,e,f){c=void 0===c?{}:c;this.componentType=a;this.renderer=void 0===b?null:b;this.macros=c;this.layoutId=d;this.interactionLoggingClientData=e;this.j=f;this.id=fN(a)}; +fN=function(a){return a+(":"+(Nq.getInstance().j++).toString(36))}; +hN=function(a){this.Y=a}; +cAa=function(a,b){if(0===b||1===b&&(a.Y.u&&g.BA?0:a.Y.u||g.FK(a.Y)||g.tK(a.Y)||uK(a.Y)||!g.BA))return!0;a=g.kf("video-ads");return null!=a&&"none"!==Km(a,"display")}; +dAa=function(a){switch(a){case "audio_audible":return"adaudioaudible";case "audio_measurable":return"adaudiomeasurable";case "fully_viewable_audible_half_duration_impression":return"adfullyviewableaudiblehalfdurationimpression";case "measurable_impression":return"adactiveviewmeasurable";case "overlay_unmeasurable_impression":return"adoverlaymeasurableimpression";case "overlay_unviewable_impression":return"adoverlayunviewableimpression";case "overlay_viewable_end_of_session_impression":return"adoverlayviewableendofsessionimpression"; +case "overlay_viewable_immediate_impression":return"adoverlayviewableimmediateimpression";case "viewable_impression":return"adviewableimpression";default:return null}}; +iN=function(){g.dE.call(this);var a=this;this.j={};g.bb(this,function(){for(var b=g.t(Object.keys(a.j)),c=b.next();!c.done;c=b.next())delete a.j[c.value]})}; +kN=function(){if(null===jN){jN=new iN;am(tp).u="b";var a=am(tp),b="h"==mp(a)||"b"==mp(a),c=!(fm(),!1);b&&c&&(a.D=!0,a.I=new Kja)}return jN}; +eAa=function(a,b,c){a.j[b]=c}; +fAa=function(){}; +lN=function(a,b,c){this.j=a;this.D=b;this.B=c;this.u=b.length;this.adBreakLengthSeconds=b.reduce(function(d,e){return d+e},0); +c=0;for(a+=1;a=c*a.D.mB||d)&&pK(a,"first_quartile");(b>=c*a.D.AB||d)&&pK(a,"midpoint");(b>=c*a.D.CB||d)&&pK(a,"third_quartile")}; -tK=function(a,b,c,d){if(null==a.F){if(cd||d>c)return;pK(a,b)}; -mK=function(a,b,c){if(0l.D&&l.Ye()}}; -lL=function(a){if(a.I&&a.R){a.R=!1;a=g.q(a.I.listeners);for(var b=a.next();!b.done;b=a.next()){var c=b.value;if(c.u){b=c.u;c.u=void 0;c.B=void 0;c=c.C();kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.df(b)}else S("Received AdNotify terminated event when no slot is active")}}}; -mL=function(a,b){BK.call(this,"ads-engagement-panel",a,b)}; -nL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e)}; -oL=function(a,b,c,d){BK.call(this,"invideo-overlay",a,b,c,d);this.u=d}; -pL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -qL=function(a,b){BK.call(this,"persisting-overlay",a,b)}; -rL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e);this.u=b}; -sL=function(){BK.call(this,"ad-attribution-bar");this.adPodPositionInfoString=null;this.adPodPosition=0;this.adPodLength=1;this.adBreakLengthSeconds=0;this.adBadgeText=null;this.adBreakRemainingLengthSeconds=0;this.adBreakEndSeconds=null;this.adVideoId=""}; -g.tL=function(a,b){for(var c={},d=g.q(Object.keys(b)),e=d.next();!e.done;c={Ow:c.Ow},e=d.next())e=e.value,c.Ow=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.Ow}}(c)); +dBa=function(a,b,c){b.CPN=AN(function(){var d;(d=a.getVideoData(1))?d=d.clientPlaybackNonce:(g.DD(Error("Video data is null.")),d=null);return d}); +b.AD_MT=AN(function(){return Math.round(Math.max(0,1E3*(null!=c?c:a.getCurrentTime(2,!1)))).toString()}); +b.MT=AN(function(){return Math.round(Math.max(0,1E3*a.getCurrentTime(1,!1))).toString()}); +b.P_H=AN(function(){return a.jb().Ij().height.toString()}); +b.P_W=AN(function(){return a.jb().Ij().width.toString()}); +b.PV_H=AN(function(){return a.jb().getVideoContentRect().height.toString()}); +b.PV_W=AN(function(){return a.jb().getVideoContentRect().width.toString()})}; +fBa=function(a){a.CONN=AN(Ld("0"));a.WT=AN(function(){return Date.now().toString()})}; +DBa=function(a){var b=Object.assign({},{});b.MIDROLL_POS=zN(a)?AN(Ld(Math.round(a.j.start/1E3).toString())):AN(Ld("0"));return b}; +EBa=function(a){var b={};b.SLOT_POS=AN(Ld(a.B.j.toString()));return b}; +FBa=function(a){var b=a&&g.Vb(a,"load_timeout")?"402":"400",c={};return c.YT_ERROR_CODE=(3).toString(),c.ERRORCODE=b,c.ERROR_MSG=a,c}; +CN=function(a){for(var b={},c=g.t(GBa),d=c.next();!d.done;d=c.next()){d=d.value;var e=a[d];e&&(b[d]=e.toString())}return b}; +DN=function(){var a={};Object.assign.apply(Object,[a].concat(g.u(g.ya.apply(0,arguments))));return a}; +EN=function(){}; +HBa=function(a,b,c,d){var e,f,h,l,m,n,p,q,r,v,x;g.A(function(z){switch(z.j){case 1:e=!!b.scrubReferrer;f=g.xp(b.baseUrl,CBa(c,e,d));h={};if(!b.headers){z.Ka(2);break}l=g.t(b.headers);m=l.next();case 3:if(m.done){z.Ka(5);break}n=m.value;switch(n.headerType){case "VISITOR_ID":g.ey("VISITOR_DATA")&&(h["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));break;case "EOM_VISITOR_ID":g.ey("EOM_VISITOR_DATA")&&(h["X-Goog-EOM-Visitor-Id"]=g.ey("EOM_VISITOR_DATA"));break;case "USER_AUTH":return z.Ka(6);case "PLUS_PAGE_ID":(p= +a.B())&&(h["X-Goog-PageId"]=p);break;case "AUTH_USER":q=a.u();a.K("move_vss_away_from_login_info_cookie")&&q&&(h["X-Goog-AuthUser"]=q,h["X-Yt-Auth-Test"]="test");break;case "ATTRIBUTION_REPORTING_ELIGIBLE":h["Attribution-Reporting-Eligible"]="event-source"}z.Ka(4);break;case 6:r=a.j();if(!r.j){v=r.getValue();z.Ka(8);break}return g.y(z,r.j,9);case 9:v=z.u;case 8:(x=v)&&(h.Authorization="Bearer "+x);z.Ka(4);break;case 4:m=l.next();z.Ka(3);break;case 5:"X-Goog-EOM-Visitor-Id"in h&&"X-Goog-Visitor-Id"in +h&&delete h["X-Goog-Visitor-Id"];case 2:g.ZB(f,void 0,e,0!==Object.keys(h).length?h:void 0,"",!0),g.oa(z)}})}; +FN=function(a){this.Dl=a}; +JBa=function(a,b){var c=void 0===c?!0:c;var d=g.ey("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.Ui(window.location.href);e&&d.push(e);e=g.Ui(a);if(g.rb(d,e)||!e&&Rb(a,"/"))if(g.gy("autoescape_tempdata_url")&&(d=document.createElement("a"),g.xe(d,a),a=d.href),a&&(a=tfa(a),d=a.indexOf("#"),a=0>d?a:a.slice(0,d)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.FE()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c*a.j.YI||d)&&MN(a,"first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"midpoint");(b>=c*a.j.aK||d)&&MN(a,"third_quartile")}; +QBa=function(a,b,c,d){d=void 0===d?!1:d;(b>=c*a.j.YI||d)&&MN(a,"unmuted_first_quartile");(b>=c*a.j.YJ||d)&&MN(a,"unmuted_midpoint");(b>=c*a.j.aK||d)&&MN(a,"unmuted_third_quartile")}; +QN=function(a,b,c,d){if(null==a.B){if(cd||d>c)return;MN(a,b)}; +NBa=function(a,b,c){if(0m.D&&m.Ei()}}; +ZBa=function(a,b){if(a.I&&a.ea){a.ea=!1;var c=a.u.j;if(gO(c)){var d=c.slot;c=c.layout;b=XBa(b);a=g.t(a.I.listeners);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=d,h=c,l=b;jO(e.j(),f,h,l);YBa(e.j(),f)}}else g.DD(Error("adMessageRenderer is not augmented on termination"))}}; +XBa=function(a){switch(a){case "adabandonedreset":return"user_cancelled";case "adended":return"normal";case "aderror":return"error";case void 0:return g.DD(Error("AdNotify abandoned")),"abandoned";default:return g.DD(Error("Unexpected eventType for adNotify exit")),"abandoned"}}; +g.kO=function(a,b,c){void 0===c?delete a[b.name]:a[b.name]=c}; +g.lO=function(a,b){for(var c={},d=g.t(Object.keys(b)),e=d.next();!e.done;c={II:c.II},e=d.next())e=e.value,c.II=b[e],a=a.replace(new RegExp("\\$"+e,"gi"),function(f){return function(){return f.II}}(c)); +return a}; +mO=function(a,b,c,d){this.j=a;this.C=b;this.u=BN(c);this.B=d}; +$Ba=function(a){for(var b={},c=g.t(Object.keys(a.u)),d=c.next();!d.done;d=c.next())d=d.value,b[d]=a.u[d].toString();return Object.assign(b,a.C)}; +aCa=function(a,b,c,d){new mO(a,b,c,d)}; +nO=function(a,b,c,d,e,f,h,l,m){ZN.call(this,a,b,c,d,e,1);var n=this;this.tG=!0;this.I=m;this.u=b;this.C=f;this.ea=new Jz(this);g.E(this,this.ea);this.D=new g.Ip(function(){n.Lo("load_timeout")},1E4); +g.E(this,this.D);this.T=h}; +bCa=function(a){if(a.T&&(a.F.V().experiments.ob("enable_topsoil_wta_for_halftime")||a.F.V().experiments.ob("enable_topsoil_wta_for_halftime_live_infra"))){var b=a.u.B,c=b.C,d=b.B,e=b.j;b=b.D;if(void 0===c)g.CD(Error("Expected ad break start time when a DAI ad starts"));else if(void 0===d)g.CD(Error("Expected ad break end time when a DAI ad starts"));else return e=b.slice(0,e).reduce(function(f,h){return f+h},0),Math.min(Math.max((d-c)/1E3-e,0),a.u.u)}}; +qO=function(a,b){if(null!==a.I){var c=cCa(a);a=g.t(a.I.listeners);for(var d=a.next();!d.done;d=a.next()){d=d.value;var e=c;var f=b,h=!1;d.j||"aderror"!==f||(dCa(d,e,[],!1),eCa(d.B(),d.u),fCa(d.B(),d.u),gCa(d.B(),d.u),h=!0);if(d.j&&d.j.layoutId===e){switch(f){case "adabandoned":e="abandoned";break;case "aderror":e="error";break;default:e="normal"}jO(d.B(),d.u,d.j,e);if(h){e=d.B();h=d.u;oO(e.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",h);e=g.t(e.Fd);for(f=e.next();!f.done;f=e.next())f.value.Rj(h);YBa(d.B(), +d.u)}d.Ca.get().F.V().K("html5_send_layout_unscheduled_signal_for_externally_managed")&&d.C&&pO(d.B(),d.u,d.j);d.u=null;d.j=null;d.C=!1}}}}; +rO=function(a){return(a=a.F.getVideoData(2))?a.clientPlaybackNonce:""}; +cCa=function(a){if(a=a.u.j.elementId)return a;g.CD(Error("No elementId on VideoAd InstreamVideoAdRenderer"));return""}; +hCa=function(a){function b(h,l){h=a.j8;var m=Object.assign({},{});m.FINAL=AN(Ld("1"));m.SLOT_POS=AN(Ld("0"));return DN(h,CN(m),l)} +function c(h){return null==h?{create:function(){return null}}:{create:function(l,m,n){var p=b(l,m); +m=a.PP(l,p);l=h(l,p,m,n);g.E(l,m);return l}}} +var d=c(function(h,l,m){return new bO(a.F,h,l,m,a.DB,a.xe)}),e=c(function(h,l,m){return new iO(a.F,h,l,m,a.DB,a.xe,a.Tm,a.zq)}),f=c(function(h,l,m){return new eO(a.F,h,l,m,a.DB,a.xe)}); +this.F1=new VBa({create:function(h,l){var m=DN(b(h,l),CN(EBa(h)));l=a.PP(h,m);h=new nO(a.F,h,m,l,a.DB,a.xe,a.daiEnabled,function(){return new aCa(a.xe,m,a.F,a.Wl)},a.Aq,a.Di); +g.E(h,l);return h}},d,e,f)}; +sO=function(a,b){this.u=a;this.j={};this.B=void 0===b?!1:b}; +iCa=function(a,b){var c=a.startSecs+a.Sg;c=0>=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}b=Math.max(a.startSecs,0);return{B2:new iq(b,c),j4:new PD(b,c-b,a.context,a.identifier,a.event,a.j)}}; +tO=function(){this.j=[]}; +uO=function(a,b,c){var d=g.Jb(a.j,b);if(0<=d)return b;b=-d-1;return b>=a.j.length||a.j[b]>c?null:a.j[b]}; +jCa=function(){this.j=new tO}; +vO=function(a){this.j=a}; +kCa=function(a){a=[a,a.C].filter(function(d){return!!d}); +for(var b=g.t(a),c=b.next();!c.done;c=b.next())c.value.u=!0;return a}; +lCa=function(a,b,c){this.B=a;this.u=b;this.j=c;a.getCurrentTime()}; +mCa=function(a,b,c){a.j&&wO({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; +nCa=function(a,b){a.j&&wO({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.T1}})}; +oCa=function(a,b){wO({daiStateTrigger:{errorType:a,contentCpn:b}})}; +wO=function(a){g.rA("adsClientStateChange",a)}; +xO=function(a){this.F=a;this.adVideoId=this.j=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.u=this.cg=!1;this.adFormat=null;this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="VIDEO_STREAM_TYPE_VOD"}; +qCa=function(a,b,c,d,e,f){f();var h=a.F.getVideoData(1),l=a.F.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId,a.j=h.T);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=d?f():(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=e?"VIDEO_STREAM_TYPE_LIVE":"VIDEO_STREAM_TYPE_VOD","unknown_type"!==a.actionType&&(a.cg=!0,aF("_start",a.actionType)&&pCa(a)))}; +rCa=function(a,b){a=g.t(b);for(b=a.next();!b.done;b=a.next())if((b=b.value.renderer)&&(b.instreamVideoAdRenderer||b.linearAdSequenceRenderer||b.sandwichedLinearAdRenderer||b.instreamSurveyAdRenderer)){eF("ad_i");bF({isMonetized:!0});break}}; +pCa=function(a){if(a.cg)if(a.F.K("html5_no_video_to_ad_on_preroll_reset")&&"AD_PLACEMENT_KIND_START"===a.B&&"video_to_ad"===a.actionType)$E("video_to_ad");else if(a.F.K("web_csi_via_jspb")){var b=new Bx;b=H(b,8,2);var c=new Dx;c=H(c,21,sCa(a.B));c=H(c,7,4);b=I(c,Bx,22,b);b=H(b,53,a.videoStreamType);"ad_to_video"===a.actionType?(a.contentCpn&&H(b,76,a.contentCpn),a.videoId&&H(b,78,a.videoId)):(a.adCpn&&H(b,76,a.adCpn),a.adVideoId&&H(b,78,a.adVideoId));a.adFormat&&H(b,12,a.adFormat);a.contentCpn&&H(b, +8,a.contentCpn);a.videoId&&b.setVideoId(a.videoId);a.adCpn&&H(b,28,a.adCpn);a.adVideoId&&H(b,20,a.adVideoId);g.my(VE)(b,a.actionType)}else b={adBreakType:tCa(a.B),playerType:"LATENCY_PLAYER_HTML5",playerInfo:{preloadType:"LATENCY_PLAYER_PRELOAD_TYPE_PREBUFFER"},videoStreamType:a.videoStreamType},"ad_to_video"===a.actionType?(a.contentCpn&&(b.targetCpn=a.contentCpn),a.videoId&&(b.targetVideoId=a.videoId)):(a.adCpn&&(b.targetCpn=a.adCpn),a.adVideoId&&(b.targetVideoId=a.adVideoId)),a.adFormat&&(b.adType= +a.adFormat),a.contentCpn&&(b.clientPlaybackNonce=a.contentCpn),a.videoId&&(b.videoId=a.videoId),a.adCpn&&(b.adClientPlaybackNonce=a.adCpn),a.adVideoId&&(b.adVideoId=a.adVideoId),bF(b,a.actionType)}; +tCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"LATENCY_AD_BREAK_TYPE_PREROLL";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"LATENCY_AD_BREAK_TYPE_MIDROLL";case "AD_PLACEMENT_KIND_END":return"LATENCY_AD_BREAK_TYPE_POSTROLL";default:return"LATENCY_AD_BREAK_TYPE_UNKNOWN"}}; +sCa=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return 1;case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return 2;case "AD_PLACEMENT_KIND_END":return 3;default:return 0}}; +g.vCa=function(a){return(a=uCa[a.toString()])?a:"LICENSE"}; +g.zO=function(a){g.yO?a=a.keyCode:(a=a||window.event,a=a.keyCode?a.keyCode:a.which);return a}; +AO=function(a){if(g.yO)a=new g.Fe(a.pageX,a.pageY);else{a=a||window.event;var b=a.pageX,c=a.pageY;document.body&&document.documentElement&&("number"!==typeof b&&(b=a.clientX+document.body.scrollLeft+document.documentElement.scrollLeft),"number"!==typeof c&&(c=a.clientY+document.body.scrollTop+document.documentElement.scrollTop));a=new g.Fe(b,c)}return a}; +g.BO=function(a){return g.yO?a.target:Ioa(a)}; +CO=function(a){if(g.yO)var b=a.composedPath()[0];else a=a||window.event,a.composedPath&&"function"===typeof a.composedPath?b=a.composedPath():b=a.path,b=b&&b.length?b[0]:Ioa(a);return b}; +g.DO=function(a){g.yO?a=a.defaultPrevented:(a=a||window.event,a=!1===a.returnValue||a.UU&&a.UU());return a}; +wCa=function(a,b){if(g.yO){var c=function(){var d=g.ya.apply(0,arguments);a.removeEventListener("playing",c);b.apply(null,g.u(d))}; +a.addEventListener("playing",c)}else g.Loa(a,"playing",b)}; +g.EO=function(a){g.yO?a.preventDefault():Joa(a)}; +FO=function(){g.C.call(this);this.xM=!1;this.B=null;this.T=this.J=!1;this.D=new g.Fd;this.va=null;g.E(this,this.D)}; +GO=function(a){a=a.dC();return 1>a.length?NaN:a.end(a.length-1)}; +xCa=function(a){!a.u&&Dva()&&(a.C?a.C.then(function(){return xCa(a)}):a.Qf()||(a.u=a.zs()))}; +yCa=function(a){a.u&&(a.u.dispose(),a.u=void 0)}; +yI=function(a,b,c){var d;(null==(d=a.va)?0:d.Rd())&&a.va.xa("rms",b,void 0===c?!1:c)}; +zCa=function(a,b,c){a.Ip()||a.getCurrentTime()>b||10d.length||(d[0]in tDa&&(f.clientName=tDa[d[0]]),d[1]in uDa&&(f.platform=uDa[d[1]]),f.applicationState=h,f.clientVersion=2=d.B&&(d.u=d.B,d.Za.stop());e=d.u/1E3;d.F&&d.F.sc(e);GL(d,{current:e,duration:d.B/1E3})}); -g.D(this,this.Za);this.u=0;this.C=null;g.eg(this,function(){d.C=null}); -this.D=0}; -GL=function(a,b){a.I.xa("onAdPlaybackProgress",b);a.C=b}; -IL=function(a){BK.call(this,"survey",a)}; -JL=function(a,b,c,d,e,f,h){HK.call(this,a,b,c,d,e,1);var l=this;this.D=b;this.C=new rt;g.D(this,this.C);this.C.N(this.J,"resize",function(){450>g.cG(l.J).getPlayerSize().width&&(g.ut(l.C),l.oe())}); -this.K=0;this.I=h(this,function(){return""+(Date.now()-l.K)}); -if(this.u=g.wD(a.T())?new HL(1E3*b.B,a,f):null)g.D(this,this.u),this.C.N(a,"onAdPlaybackProgress",function(m){m.current===m.duration&&(m=l.D.u,(m=m.questions&&m.questions[0])?(m=(m=m.instreamSurveyAdMultiSelectQuestionRenderer||m.instreamSurveyAdSingleSelectQuestionRenderer)&&m.surveyAdQuestionCommon,zL(l.I.u,m&&m.timeoutCommands)):g.Hs(Error("Expected a survey question in InstreamSurveyAdRenderer.")))})}; -KL=function(a,b){BK.call(this,"survey-interstitial",a,b)}; -LL=function(a,b,c,d,e){HK.call(this,a,b,c,d,e,1);this.u=b}; -ML=function(a){BK.call(this,"ad-text-interstitial",a)}; -NL=function(a,b,c,d,e,f){HK.call(this,a,b,c,d,e);this.C=b;this.u=b.u.durationMilliseconds||0;this.Za=null;this.D=f}; -OL=function(a,b){var c=void 0===c?!0:c;var d=g.L("VALID_SESSION_TEMPDATA_DOMAINS",[]),e=g.yd(window.location.href);e&&d.push(e);e=g.yd(a);if(g.jb(d,e)||!e&&nc(a,"/"))if(g.vo("autoescape_tempdata_url")&&(d=document.createElement("a"),g.jd(d,a),a=d.href),a&&(d=Ad(a),e=d.indexOf("#"),d=0>e?d:d.substr(0,e)))if(c&&!b.csn&&(b.itct||b.ved)&&(b=Object.assign({csn:g.Rt()},b)),f){var f=parseInt(f,10);isFinite(f)&&0=c?null:c;if(null===c)return null;switch(a.event){case "start":case "continue":case "stop":break;case "predictStart":if(b)break;return null;default:return null}var d=Math.max(a.startSecs,0);return{PJ:new Gn(d,c),hL:new yu(d,c-d,a.context,a.identifier,a.event,a.u)}}; -gM=function(){this.u=[]}; -hM=function(a,b,c){var d=g.xb(a.u,b);if(0<=d)return b;b=-d-1;return b>=a.u.length||a.u[b]>c?null:a.u[b]}; -tma=function(a){this.B=new gM;this.u=new fM(a.QJ,a.DR,a.tR)}; -iM=function(){yJ.apply(this,arguments)}; -jM=function(a){iM.call(this,a);g.Oc((a.image&&a.image.thumbnail?a.image.thumbnail.thumbnails:null)||[],function(b){return new g.ie(b.width,b.height)})}; -kM=function(a){this.u=a}; -lM=function(a){a=[a,a.C].filter(function(d){return!!d}); -for(var b=g.q(a),c=b.next();!c.done;c=b.next())c.value.deactivate();return a}; -nM=function(a,b){var c=a.u;g.mm(function(){return mM(c,b,1)})}; -uma=function(a,b,c){this.C=a;this.u=b;this.B=c;this.D=a.getCurrentTime()}; -wma=function(a,b){var c=void 0===c?Date.now():c;if(a.B)for(var d=g.q(b),e=d.next();!e.done;e=d.next()){e=e.value;var f=c,h=a.u;oM({cuepointTrigger:{type:"CUEPOINT_TYPE_AD",event:vma(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:f,contentCpn:h}});"unknown"===e.event&&pM("DAI_ERROR_TYPE_CUEPOINT_WITH_INVALID_EVENT",a.u);e=e.startSecs+e.u/1E3;e>a.D&&a.C.getCurrentTime()>e&&pM("DAI_ERROR_TYPE_LATE_CUEPOINT", -a.u)}}; -xma=function(a,b,c){a.B&&oM({daiStateTrigger:{totalCueDurationMs:b,filledAdsDurationMs:c,contentCpn:a.u}})}; -qM=function(a,b){a.B&&oM({driftRecoveryInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,driftRecoveryMs:b.driftRecoveryMs.toString(),breakDurationMs:Math.round(b.pE-b.CG).toString(),driftFromHeadMs:Math.round(1E3*a.C.Ni()).toString()}})}; -yma=function(a,b){a.B&&oM({adTrimmingInfo:{contentCpn:a.u,cueIdentifier:b.cueIdentifier||void 0,adMediaInfo:b.zJ}})}; -pM=function(a,b){oM({daiStateTrigger:{errorType:a,contentCpn:b}})}; -oM=function(a){g.Nq("adsClientStateChange",a)}; -vma=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START"}}; -rM=function(a){this.J=a;this.preloadType="2";this.adVideoId=this.videoId=this.adCpn=this.contentCpn=null;this.C=!0;this.D=this.u=this.Jh=!1;this.adFormat=null;this.clientName=(a=!g.Q(this.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch"))?this.J.T().deviceParams.c:g.L("INNERTUBE_CLIENT_NAME",void 0);this.clientVersion=a?this.J.T().deviceParams.cver:g.L("INNERTUBE_CLIENT_VERSION",void 0);this.F=a?this.J.T().deviceParams.cbrand:"";this.I=a?this.J.T().deviceParams.cmodel:"";this.playerType= -"html5";this.B="AD_PLACEMENT_KIND_UNKNOWN";this.actionType="unknown_type";this.videoStreamType="vod"}; -tM=function(a,b,c,d,e,f){sM(a);var h=a.J.getVideoData(1),l=a.J.getVideoData(2);h&&(a.contentCpn=h.clientPlaybackNonce,a.videoId=h.videoId);l&&(a.adCpn=l.clientPlaybackNonce,a.adVideoId=l.videoId,a.adFormat=l.adFormat);a.B=b;0>=e?sM(a):(a.actionType=a.C?c?"unknown_type":"video_to_ad":c?"ad_to_video":"ad_to_ad",a.videoStreamType=f?"live":"vod",a.D=d+1===e,a.Jh=!0,a.Jh&&(OE("c",a.clientName,a.actionType),OE("cver",a.clientVersion,a.actionType),g.Q(a.J.T().experiments,"html5_ad_csi_tracker_initialization_killswitch")|| -(OE("cbrand",a.F,a.actionType),OE("cmodel",a.I,a.actionType)),OE("yt_pt",a.playerType,a.actionType),OE("yt_pre",a.preloadType,a.actionType),OE("yt_abt",zma(a.B),a.actionType),a.contentCpn&&OE("cpn",a.contentCpn,a.actionType),a.videoId&&OE("docid",a.videoId,a.actionType),a.adCpn&&OE("ad_cpn",a.adCpn,a.actionType),a.adVideoId&&OE("ad_docid",a.adVideoId,a.actionType),OE("yt_vst",a.videoStreamType,a.actionType),a.adFormat&&OE("ad_at",a.adFormat,a.actionType)))}; -sM=function(a){a.contentCpn=null;a.adCpn=null;a.videoId=null;a.adVideoId=null;a.adFormat=null;a.B="AD_PLACEMENT_KIND_UNKNOWN";a.actionType="unknown_type";a.Jh=!1;a.u=!1}; -uM=function(a){a.u=!1;SE("video_to_ad",["apbs"],void 0,void 0)}; -wM=function(a){a.D?vM(a):(a.u=!1,SE("ad_to_ad",["apbs"],void 0,void 0))}; -vM=function(a){a.u=!1;SE("ad_to_video",["pbresume"],void 0,void 0)}; -xM=function(a){a.Jh&&!a.u&&(a.C=!1,a.u=!0,"ad_to_video"!==a.actionType&&PE("apbs",void 0,a.actionType))}; -zma=function(a){switch(a){case "AD_PLACEMENT_KIND_START":return"1";case "AD_PLACEMENT_KIND_MILLISECONDS":case "AD_PLACEMENT_KIND_COMMAND_TRIGGERED":case "AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED":return"2";case "AD_PLACEMENT_KIND_END":return"3";default:return"unknown"}}; -yM=function(){}; -g.zM=function(a){return(a=Ama[a.toString()])?a:"LICENSE"}; -g.AM=function(a,b){this.stateData=void 0===b?null:b;this.state=a||64}; -BM=function(a,b,c){return b===a.state&&c===a.stateData||void 0!==b&&(b&128&&!c||b&2&&b&16)?a:new g.AM(b,c)}; -CM=function(a,b){return BM(a,a.state|b)}; -DM=function(a,b){return BM(a,a.state&~b)}; -EM=function(a,b,c){return BM(a,(a.state|b)&~c)}; -g.U=function(a,b){return!!(a.state&b)}; -g.FM=function(a,b){return b.state===a.state&&b.stateData===a.stateData}; -g.GM=function(a){return g.U(a,8)&&!g.U(a,2)&&!g.U(a,1024)}; -HM=function(a){return a.Hb()&&!g.U(a,16)&&!g.U(a,32)}; -Bma=function(a){return g.U(a,8)&&g.U(a,16)}; -g.IM=function(a){return g.U(a,1)&&!g.U(a,2)}; -JM=function(a){return g.U(a,128)?-1:g.U(a,2)?0:g.U(a,64)?-1:g.U(a,1)&&!g.U(a,32)?3:g.U(a,8)?1:g.U(a,4)?2:-1}; -LM=function(a){var b=g.Ke(g.Mb(KM),function(c){return!!(a&KM[c])}); -g.zb(b);return"yt.player.playback.state.PlayerState<"+b.join(",")+">"}; -MM=function(a,b,c,d,e,f,h,l){g.O.call(this);this.Xc=a;this.J=b;this.u=d;this.F=this.u.B instanceof yJ?this.u.B:null;this.B=null;this.aa=!1;this.K=c;this.X=(a=b.getVideoData(1))&&a.isLivePlayback||!1;this.fa=0;this.ha=!1;this.xh=e;this.Tn=f;this.zk=h;this.Y=!1;this.daiEnabled=l}; -NM=function(a){if(cK(a.J)){var b=a.J.getVideoData(2),c=a.u.P[b.Hc]||null;if(!c)return g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended because no mapped ad is found",void 0,void 0,{adCpn:b.clientPlaybackNonce,contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.Ii(),!0;if(!a.B||a.B&&a.B.ad!==c)g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator played an ad due to ad to ad transition",void 0,void 0,{adCpn:b.clientPlaybackNonce, -contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.je(c)}else if(1===a.J.getPresentingPlayerType()&&(g.Q(a.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator ended due to ad to content transition",void 0,void 0,{contentCpn:(a.J.getVideoData(1)||{}).clientPlaybackNonce}),a.B))return a.Ii(),!0;return!1}; -OM=function(a){(a=a.baseUrl)&&g.pu(a,void 0,dn(a))}; -PM=function(a,b){tM(a.K,a.u.u.u,b,a.WC(),a.YC(),a.isLiveStream())}; -RM=function(a){QM(a.Xc,a.u.u,a);a.daiEnabled&&!a.u.R&&(Cma(a,a.ZC()),a.u.R=!0)}; -Cma=function(a,b){for(var c=SM(a),d=a.u.u.start,e=[],f=g.q(b),h=f.next();!h.done;h=f.next()){h=h.value;if(c<=d)break;var l=TM(h);e.push({externalVideoId:h.C,originalMediaDurationMs:(1E3*h.B).toString(),trimmedMediaDurationMs:(parseInt(h.u.trimmedMaxNonSkippableAdDurationMs,10)||0).toString()});l=d+l;var m=Math.min(l,c);h.D.D=a.u.u.start;h.D.C=c;if(!Dma(a,h,d,m)||l!==m)break;d=l}c=b.reduce(function(n,p){return n+TM(p)},0); -xma(a.xh,Cia(a.u.u),c);yma(a.xh,{cueIdentifier:a.u.C&&a.u.C.identifier,zJ:e})}; -TM=function(a){var b=1E3*a.B;return 0a.width*a.height*.2)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") to container("+NO(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{Kw:3,ys:501,errorMessage:"ad("+NO(c)+") covers container("+NO(a)+") center."}}; -Eoa=function(a,b){var c=X(a.va,"metadata_type_ad_placement_config");return new GO(a.kd,b,c,a.layoutId)}; -QO=function(a){return X(a.va,"metadata_type_invideo_overlay_ad_renderer")}; -RO=function(a){return g.Q(a.T().experiments,"html5_enable_in_video_overlay_ad_in_pacf")}; -SO=function(a,b,c,d){W.call(this,a,b,{G:"div",L:"ytp-ad-overlay-slot",S:[{G:"div",L:"ytp-ad-overlay-container"}]},"invideo-overlay",c,d);this.P=[];this.F=this.Ta=this.Aa=null;a=this.ka("ytp-ad-overlay-container");this.za=new qO(a,45E3,6E3,.3,.4);g.D(this,this.za);RO(this.api)||(this.ma=new g.F(this.clear,45E3,this),g.D(this,this.ma));this.D=Foa(this);g.D(this,this.D);this.D.ga(a);this.C=Goa(this);g.D(this,this.C);this.C.ga(a);this.B=Hoa(this);g.D(this,this.B);this.B.ga(a);this.Ya=this.ia=null;this.Ga= -!1;this.I=null;this.Y=0;this.hide()}; -Foa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-text-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -Goa=function(a){var b=new g.KN({G:"div",la:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-text-image",S:[{G:"img",U:{src:"{{imageUrl}}"}}]},{G:"div",L:"ytp-ad-overlay-title",Z:"{{title}}"},{G:"div",L:"ytp-ad-overlay-desc",Z:"{{description}}"},{G:"div",la:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], -Z:"{{displayUrl}}"}]});a.N(b.ka("ytp-ad-overlay-title"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-link"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);a.N(b.ka("ytp-ad-overlay-text-image"),"click",a.MQ);b.hide();return b}; -Hoa=function(a){var b=new g.KN({G:"div",L:"ytp-ad-image-overlay",S:[{G:"div",L:"ytp-ad-overlay-ad-info-button-container"},{G:"div",L:"ytp-ad-overlay-close-container",S:[{G:"button",L:"ytp-ad-overlay-close-button",S:[eO(TO)]}]},{G:"div",L:"ytp-ad-overlay-image",S:[{G:"img",U:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.N(b.ka("ytp-ad-overlay-image"),"click",function(c){return UO(a,b.element,c)}); -a.N(b.ka("ytp-ad-overlay-close-container"),"click",a.wz);b.hide();return b}; -VO=function(a,b){if(b){var c=b.adHoverTextButtonRenderer||null;if(null==c)M(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else{var d=g.se("video-ads ytp-ad-module")||null;null==d?M(Error("Could not locate the root ads container element to attach the ad info dialog.")):(a.ia=new g.KN({G:"div",L:"ytp-ad-overlay-ad-info-dialog-container"}),g.D(a,a.ia),a.ia.ga(d),d=new FO(a.api,a.Ha,a.layoutId,a.u,a.ia.element,!1),g.D(a,d),d.init(AK("ad-info-hover-text-button"),c,a.macros),a.I? -(d.ga(a.I,0),d.subscribe("k",a.TN,a),d.subscribe("j",a.xP,a),a.N(a.I,"click",a.UN),c=g.se("ytp-ad-button",d.element),a.N(c,"click",a.zN),a.Ya=d):M(Error("Ad info button container within overlay ad was not present.")))}}else g.Fo(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; -Ioa=function(a){return a.F&&a.F.closeButton&&a.F.closeButton.buttonRenderer&&(a=a.F.closeButton.buttonRenderer,a.serviceEndpoint)?[a.serviceEndpoint]:[]}; -Joa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.D.element,b.trackingParams||null);a.D.ya("title",LN(b.title));a.D.ya("description",LN(b.description));a.D.ya("displayUrl",LN(b.displayUrl));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.D.show();a.za.start();RN(a,a.D.element,!0);RO(a.api)||(a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}),a.N(a.api,"minimized",a.uP)); -a.N(a.D.element,"mouseover",function(){a.Y++}); -return!0}; -Koa=function(a,b){if(WO(a,XO)||a.api.app.visibility.u)return!1;var c=LN(b.title),d=LN(b.description);if(g.pc(c)||g.pc(d))return!1;ON(a,a.C.element,b.trackingParams||null);a.C.ya("title",LN(b.title));a.C.ya("description",LN(b.description));a.C.ya("displayUrl",LN(b.displayUrl));a.C.ya("imageUrl",Mna(b.image));b.navigationEndpoint&&sb(a.P,b.navigationEndpoint);a.Ta=b.imageNavigationEndpoint||null;a.C.show();a.za.start();RN(a,a.C.element,!0);RO(a.api)||a.N(a.api,"resize",function(){WO(a,XO)&&a.clear()}); -a.N(a.C.element,"mouseover",function(){a.Y++}); -return!0}; -Loa=function(a,b){if(a.api.app.visibility.u)return!1;var c=Nna(b.image),d=c;c.widthe&&(h+="0"));if(0f&&(h+="0");h+=f+":";10>c&&(h+="0");d=h+c}return 0<=a?d:"-"+d}; -g.cP=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; -dP=function(a,b,c,d,e,f){gO.call(this,a,b,{G:"span",L:"ytp-ad-duration-remaining"},"ad-duration-remaining",c,d,e);this.C=null;this.D=f;this.hide()}; -eP=function(a,b,c,d){kO.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; -fP=function(a,b,c,d,e){gO.call(this,a,b,{G:"div",la:["ytp-flyout-cta","ytp-flyout-cta-inactive"],S:[{G:"div",L:"ytp-flyout-cta-icon-container"},{G:"div",L:"ytp-flyout-cta-body",S:[{G:"div",L:"ytp-flyout-cta-text-container",S:[{G:"div",L:"ytp-flyout-cta-headline-container"},{G:"div",L:"ytp-flyout-cta-description-container"}]},{G:"div",L:"ytp-flyout-cta-action-button-container"}]}]},"flyout-cta",c,d,e);this.D=new TN(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-icon");g.D(this,this.D);this.D.ga(this.ka("ytp-flyout-cta-icon-container")); -this.P=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-headline");g.D(this,this.P);this.P.ga(this.ka("ytp-flyout-cta-headline-container"));this.I=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-flyout-cta-description");g.D(this,this.I);this.I.ga(this.ka("ytp-flyout-cta-description-container"));this.C=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-flyout-cta-action-button"]);g.D(this,this.C);this.C.ga(this.ka("ytp-flyout-cta-action-button-container"));this.Y=null;this.ia=0;this.hide()}; -gP=function(a,b,c,d,e,f){e=void 0===e?[]:e;f=void 0===f?"toggle-button":f;var h=AK("ytp-ad-toggle-button-input");W.call(this,a,b,{G:"div",la:["ytp-ad-toggle-button"].concat(e),S:[{G:"label",L:"ytp-ad-toggle-button-label",U:{"for":h},S:[{G:"span",L:"ytp-ad-toggle-button-icon",U:{role:"button","aria-label":"{{tooltipText}}"},S:[{G:"span",L:"ytp-ad-toggle-button-untoggled-icon",Z:"{{untoggledIconTemplateSpec}}"},{G:"span",L:"ytp-ad-toggle-button-toggled-icon",Z:"{{toggledIconTemplateSpec}}"}]},{G:"input", -L:"ytp-ad-toggle-button-input",U:{id:h,type:"checkbox"}},{G:"span",L:"ytp-ad-toggle-button-text",Z:"{{buttonText}}"},{G:"span",L:"ytp-ad-toggle-button-tooltip",Z:"{{tooltipText}}"}]}]},f,c,d);this.D=this.ka("ytp-ad-toggle-button");this.B=this.ka("ytp-ad-toggle-button-input");this.ka("ytp-ad-toggle-button-label");this.Y=this.ka("ytp-ad-toggle-button-icon");this.I=this.ka("ytp-ad-toggle-button-untoggled-icon");this.F=this.ka("ytp-ad-toggle-button-toggled-icon");this.ia=this.ka("ytp-ad-toggle-button-text"); -this.C=null;this.P=!1;this.hide()}; -hP=function(a){a.P&&(a.isToggled()?(g.Mg(a.I,!1),g.Mg(a.F,!0)):(g.Mg(a.I,!0),g.Mg(a.F,!1)))}; -Ooa=function(a,b){var c=null;a.C&&(c=(b?[a.C.defaultServiceEndpoint,a.C.defaultNavigationEndpoint]:[a.C.toggledServiceEndpoint]).filter(function(d){return null!=d})); +wQ=function(){g.C.call(this);var a=this;this.j=new Map;this.u=Koa(function(b){if(b.target&&(b=a.j.get(b.target))&&b)for(var c=0;cdocument.documentMode)d=Rc;else{var e=document;"function"===typeof HTMLTemplateElement&&(e=g.Fe("TEMPLATE").content.ownerDocument);e=e.implementation.createHTMLDocument("").createElement("DIV");e.style.cssText=d;d=Gda(e.style)}c=Eaa(d,Sc({"background-image":'url("'+c+'")'}));a.style.cssText=Nc(c)}}; -$oa=function(a){var b=g.se("html5-video-player");b&&g.J(b,"ytp-ad-display-override",a)}; -AP=function(a,b){b=void 0===b?2:b;g.O.call(this);this.u=a;this.B=new rt(this);g.D(this,this.B);this.F=apa;this.D=null;this.B.N(this.u,"presentingplayerstatechange",this.vN);this.D=this.B.N(this.u,"progresssync",this.hF);this.C=b;1===this.C&&this.hF()}; -CP=function(a,b){BN.call(this,a);this.D=a;this.K=b;this.B={};var c=new g.V({G:"div",la:["video-ads","ytp-ad-module"]});g.D(this,c);fD&&g.I(c.element,"ytp-ads-tiny-mode");this.F=new EN(c.element);g.D(this,this.F);g.BP(this.D,c.element,4);g.D(this,noa())}; -bpa=function(a,b){var c=a.B;var d=b.id;c=null!==c&&d in c?c[d]:null;null==c&&g.Fo(Error("Component not found for element id: "+b.id));return c||null}; -DP=function(a){this.controller=a}; -EP=function(a){this.Xp=a}; -FP=function(a){this.Xp=a}; -GP=function(a,b,c){this.Xp=a;this.vg=b;this.Wh=c}; -dpa=function(a,b,c){var d=a.Xp();switch(b.type){case "SKIP":b=!1;for(var e=g.q(a.vg.u.entries()),f=e.next();!f.done;f=e.next()){f=g.q(f.value);var h=f.next().value;f.next();"SLOT_TYPE_PLAYER_BYTES"===h.ab&&"core"===h.bb&&(b=!0)}b?(c=cpa(a,c))?a.Wh.Eq(c):S("No triggering layout ID available when attempting to mute."):g.mm(function(){d.Ii()})}}; -cpa=function(a,b){if(b)return b;for(var c=g.q(a.vg.u.entries()),d=c.next();!d.done;d=c.next()){var e=g.q(d.value);d=e.next().value;e=e.next().value;if("SLOT_TYPE_IN_PLAYER"===d.ab&&"core"===d.bb)return e.layoutId}}; -HP=function(){}; -IP=function(){}; -JP=function(){}; -KP=function(a,b){this.Ip=a;this.Fa=b}; -LP=function(a){this.J=a}; -MP=function(a,b){this.ci=a;this.Fa=b}; -fpa=function(a){g.C.call(this);this.u=a;this.B=epa(this)}; -epa=function(a){var b=new oN;g.D(a,b);a=g.q([new DP(a.u.tJ),new KP(a.u.Ip,a.u.Fa),new EP(a.u.uJ),new LP(a.u.J),new MP(a.u.ci,a.u.Fa),new GP(a.u.KN,a.u.vg,a.u.Wh),new FP(a.u.FJ),new IP,new JP,new HP]);for(var c=a.next();!c.done;c=a.next())c=c.value,hna(b,c),ina(b,c);a=g.q(["adInfoDialogEndpoint","adFeedbackEndpoint"]);for(c=a.next();!c.done;c=a.next())lN(b,c.value,function(){}); -return b}; -NP=function(a,b,c){if(c&&!c.includes(a.layoutType))return!1;b=g.q(b);for(c=b.next();!c.done;c=b.next())if(!a.va.u.has(c.value))return!1;return!0}; -OP=function(a){var b=new Map;a.forEach(function(c){b.set(c.u(),c)}); -this.u=b}; -X=function(a,b){var c=a.u.get(b);if(void 0!==c)return c.get()}; -PP=function(a){return Array.from(a.u.keys())}; -hpa=function(a){var b;return(null===(b=gpa.get(a))||void 0===b?void 0:b.gs)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"}; -QP=function(a,b){var c={type:b.ab,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};b.hc&&(c.entryTriggerType=jpa.get(b.hc.triggerType)||"TRIGGER_TYPE_UNSPECIFIED");1!==b.feedPosition&&(c.feedPosition=b.feedPosition);if(a){c.debugData={slotId:b.slotId};var d=b.hc;d&&(c.debugData.slotEntryTriggerData=kpa(d))}return c}; -lpa=function(a,b){var c={type:b.layoutType,controlFlowManagerLayer:ipa.get(b.bb)||"CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"};a&&(c.debugData={layoutId:b.layoutId});return c}; -kpa=function(a,b){var c={type:jpa.get(a.triggerType)||"TRIGGER_TYPE_UNSPECIFIED"};b&&(c.category=mpa.get(b)||"TRIGGER_CATEGORY_UNSPECIFIED");null!=a.B&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedSlotId=a.B);null!=a.u&&(c.triggerSourceData||(c.triggerSourceData={}),c.triggerSourceData.associatedLayoutId=a.u);return c}; -opa=function(a,b,c,d){b={opportunityType:npa.get(b)||"OPPORTUNITY_TYPE_UNSPECIFIED"};a&&(d||c)&&(b.debugData={slots:g.Oc(d||[],function(e){return QP(a,e)}), -associatedSlotId:c});return b}; -SP=function(a,b){return function(c){return ppa(RP(a),b.slotId,b.ab,b.feedPosition,b.bb,b.hc,c.layoutId,c.layoutType,c.bb)}}; -ppa=function(a,b,c,d,e,f,h,l,m){return{adClientDataEntry:{slotData:QP(a,{slotId:b,ab:c,feedPosition:d,bb:e,hc:f,Me:[],Af:[],va:new OP([])}),layoutData:lpa(a,{layoutId:h,layoutType:l,bb:m,ae:[],wd:[],ud:[],be:[],kd:new Map,va:new OP([]),td:{}})}}}; -TP=function(a){this.Ca=a;this.u=.1>Math.random()}; -RP=function(a){return a.u||g.Q(a.Ca.get().J.T().experiments,"html5_force_debug_data_for_client_tmp_logs")}; -UP=function(a,b,c,d){g.C.call(this);this.B=b;this.Gb=c;this.Ca=d;this.u=a(this,this,this,this,this);g.D(this,this.u);a=g.q(b);for(b=a.next();!b.done;b=a.next())g.D(this,b.value)}; -VP=function(a,b){a.B.add(b);g.D(a,b)}; -XP=function(a,b,c){S(c,b,void 0,void 0,c.Ul);WP(a,b,!0)}; -rpa=function(a,b,c){if(YP(a.u,b))if(ZP(a.u,b).D=c?"filled":"not_filled",null===c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_EMPTY",b);c=g.q(a.B);for(var d=c.next();!d.done;d=c.next())d.value.lj(b);WP(a,b,!1)}else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLED_NON_EMPTY",b,c);var e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.mj(b);if(ZP(a.u,b).F)WP(a,b,!1);else{$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_LAYOUT_REQUESTED",b,c);try{var f=a.u;if(!ZP(f,b))throw new aQ("Unknown slotState for onLayout"); -if(!f.hd.Yj.get(b.ab))throw new aQ("No LayoutRenderingAdapterFactory registered for slot of type: "+b.ab);if(g.kb(c.ae)&&g.kb(c.wd)&&g.kb(c.ud)&&g.kb(c.be))throw new aQ("Layout has no exit triggers.");bQ(f,0,c.ae);bQ(f,1,c.wd);bQ(f,2,c.ud);bQ(f,6,c.be)}catch(n){a.Nf(b,c,n);WP(a,b,!0);return}a.u.Nn(b);try{var h=a.u,l=ZP(h,b),m=h.hd.Yj.get(b.ab).get().u(h.D,h.B,b,c);m.init();l.layout=c;if(l.C)throw new aQ("Already had LayoutRenderingAdapter registered for slot");l.C=m;cQ(h,l,0,c.ae);cQ(h,l,1,c.wd); -cQ(h,l,2,c.ud);cQ(h,l,6,c.be)}catch(n){dQ(a,b);WP(a,b,!0);a.Nf(b,c,n);return}$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);e=g.q(a.B);for(d=e.next();!d.done;d=e.next())d.value.ai(b,c);dQ(a,b);qpa(a,b)}}}; -eQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_SCHEDULED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.ai(b,c)}; -spa=function(a,b){kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_FULFILLMENT_CANCELLED",b);YP(a.u,b)&&(ZP(a.u,b).D="fill_canceled",WP(a,b,!1))}; -fQ=function(a,b,c){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",b,c);a=g.q(a.B);for(var d=a.next();!d.done;d=a.next())d.value.xd(b,c)}; -$L=function(a,b,c,d){$P(a.Gb,hpa(d),b,c);a=g.q(a.B);for(var e=a.next();!e.done;e=a.next())e.value.yd(b,c,d)}; -dQ=function(a,b){if(YP(a.u,b)){ZP(a.u,b).Nn=!1;var c=gQ,d=ZP(a.u,b),e=[].concat(g.ma(d.K));lb(d.K);c(a,e)}}; -gQ=function(a,b){b.sort(function(h,l){return h.category===l.category?h.trigger.triggerId.localeCompare(l.trigger.triggerId):h.category-l.category}); -for(var c=new Map,d=g.q(b),e=d.next();!e.done;e=d.next())if(e=e.value,YP(a.u,e.slot))if(ZP(a.u,e.slot).Nn)ZP(a.u,e.slot).K.push(e);else{tpa(a.Gb,e.slot,e,e.layout);var f=c.get(e.category);f||(f=[]);f.push(e);c.set(e.category,f)}d=g.q(upa.entries());for(e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,(e=c.get(e))&&vpa(a,e,f);(d=c.get(3))&&wpa(a,d);(d=c.get(4))&&xpa(a,d);(c=c.get(5))&&ypa(a,c)}; -vpa=function(a,b,c){b=g.q(b);for(var d=b.next();!d.done;d=b.next())d=d.value,d.layout&&hQ(a.u,d.slot)&&zpa(a,d.slot,d.layout,c)}; -wpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next())WP(a,d.value.slot,!1)}; -xpa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;a:switch(ZP(a.u,d.slot).D){case "not_filled":var e=!0;break a;default:e=!1}e&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_FULFILL_SLOT_REQUESTED",d.slot),a.u.lq(d.slot))}}; -ypa=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_SLOT_REQUESTED",d.slot);for(var e=g.q(a.B),f=e.next();!f.done;f=e.next())f.value.bi(d.slot);try{var h=a.u,l=d.slot,m=ZP(h,l);if(!m)throw new gH("Got enter request for unknown slot");if(!m.B)throw new gH("Tried to enter slot with no assigned slotAdapter");if("scheduled"!==m.u)throw new gH("Tried to enter a slot from stage: "+m.u);if(iQ(m))throw new gH("Got enter request for already active slot"); -for(var n=g.q(jQ(h,l.ab+"_"+l.feedPosition).values()),p=n.next();!p.done;p=n.next()){var r=p.value;if(m!==r&&iQ(r)){var t=void 0;f=e=void 0;var w=h,y=r,x=l,B=kQ(w.ua.get(),1,!1),E=pG(w.Da.get(),1),G=oH(y.layout),K=y.slot.hc,H=Apa(w,K),ya=pH(K,H),ia=x.va.u.has("metadata_type_fulfilled_layout")?oH(X(x.va,"metadata_type_fulfilled_layout")):"unknown",Oa=x.hc,Ra=Apa(w,Oa),Wa=pH(Oa,Ra);w=H;var kc=Ra;if(w&&kc){if(w.start>kc.start){var Yb=g.q([kc,w]);w=Yb.next().value;kc=Yb.next().value}t=w.end>kc.start}else t= -!1;var Qe={details:B+" |"+(ya+" |"+Wa),activeSlotStatus:y.u,activeLayout:G?G:"empty",activeLayoutId:(null===(f=y.layout)||void 0===f?void 0:f.layoutId)||"empty",enteringLayout:ia,enteringLayoutId:(null===(e=X(x.va,"metadata_type_fulfilled_layout"))||void 0===e?void 0:e.layoutId)||"empty",hasOverlap:String(t),contentCpn:E.clientPlaybackNonce,contentVideoId:E.videoId,isAutonav:String(E.Kh),isAutoplay:String(E.eh)};throw new gH("Trying to enter a slot when a slot of same type is already active.",Qe); -}}}catch(ue){S(ue,d.slot,lQ(a.u,d.slot),void 0,ue.Ul);WP(a,d.slot,!0);continue}d=ZP(a.u,d.slot);"scheduled"!==d.u&&mQ(d.slot,d.u,"enterSlot");d.u="enter_requested";d.B.Lx()}}; -qpa=function(a,b){var c;if(YP(a.u,b)&&iQ(ZP(a.u,b))&&lQ(a.u,b)&&!hQ(a.u,b)){$P(a.Gb,"ADS_CLIENT_EVENT_TYPE_ENTER_LAYOUT_REQUESTED",b,null!==(c=lQ(a.u,b))&&void 0!==c?c:void 0);var d=ZP(a.u,b);"entered"!==d.u&&mQ(d.slot,d.u,"enterLayoutForSlot");d.u="rendering";d.C.startRendering(d.layout)}}; -zpa=function(a,b,c,d){if(YP(a.u,b)){var e=a.Gb,f;var h=(null===(f=gpa.get(d))||void 0===f?void 0:f.Lr)||"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED";$P(e,h,b,c);a=ZP(a.u,b);"rendering"!==a.u&&mQ(a.slot,a.u,"exitLayout");a.u="rendering_stop_requested";a.C.jh(c,d)}}; -WP=function(a,b,c){if(YP(a.u,b)){if(a.u.Uy(b)||a.u.Qy(b))if(ZP(a.u,b).F=!0,!c)return;if(iQ(ZP(a.u,b)))ZP(a.u,b).F=!0,Bpa(a,b,c);else if(a.u.Vy(b))ZP(a.u,b).F=!0,YP(a.u,b)&&(kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_CANCEL_SLOT_FULFILLMENT_REQUESTED",b),b=ZP(a.u,b),b.D="fill_cancel_requested",b.I.u());else{c=lQ(a.u,b);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_UNSCHEDULE_SLOT_REQUESTED",b);var d=ZP(a.u,b),e=b.hc,f=d.Y.get(e.triggerId);f&&(f.mh(e),d.Y["delete"](e.triggerId));e=g.q(b.Me);for(f=e.next();!f.done;f=e.next()){f= -f.value;var h=d.P.get(f.triggerId);h&&(h.mh(f),d.P["delete"](f.triggerId))}e=g.q(b.Af);for(f=e.next();!f.done;f=e.next())if(f=f.value,h=d.R.get(f.triggerId))h.mh(f),d.R["delete"](f.triggerId);null!=d.layout&&(e=d.layout,nQ(d,e.ae),nQ(d,e.wd),nQ(d,e.ud),nQ(d,e.be));d.I=void 0;null!=d.B&&(d.B.release(),d.B=void 0);null!=d.C&&(d.C.release(),d.C=void 0);d=a.u;ZP(d,b)&&(d=jQ(d,b.ab+"_"+b.feedPosition))&&d["delete"](b.slotId);kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_UNSCHEDULED",b);a=g.q(a.B);for(d=a.next();!d.done;d= -a.next())d=d.value,d.nj(b),c&&d.jj(b,c)}}}; -Bpa=function(a,b,c){if(YP(a.u,b)&&iQ(ZP(a.u,b))){var d=lQ(a.u,b);if(d&&hQ(a.u,b))zpa(a,b,d,c?"error":"abandoned");else{kL(a.Gb,"ADS_CLIENT_EVENT_TYPE_EXIT_SLOT_REQUESTED",b);try{var e=ZP(a.u,b);if(!e)throw new gH("Cannot exit slot it is unregistered");"enter_requested"!==e.u&&"entered"!==e.u&&"rendering"!==e.u&&mQ(e.slot,e.u,"exitSlot");e.u="exit_requested";if(void 0===e.B)throw e.u="scheduled",new gH("Cannot exit slot because adapter is not defined");e.B.Qx()}catch(f){S(f,b,void 0,void 0,f.Ul)}}}}; -oQ=function(a){this.slot=a;this.Y=new Map;this.P=new Map;this.R=new Map;this.X=new Map;this.C=this.layout=this.B=this.I=void 0;this.Nn=this.F=!1;this.K=[];this.u="not_scheduled";this.D="not_filled"}; -iQ=function(a){return"enter_requested"===a.u||a.isActive()}; -aQ=function(a,b,c){c=void 0===c?!1:c;Ya.call(this,a);this.Ul=c;this.args=[];b&&this.args.push(b)}; -pQ=function(a,b,c,d,e,f,h,l){g.C.call(this);this.hd=a;this.C=b;this.F=c;this.D=d;this.B=e;this.Ib=f;this.ua=h;this.Da=l;this.u=new Map}; -jQ=function(a,b){var c=a.u.get(b);return c?c:new Map}; -ZP=function(a,b){return jQ(a,b.ab+"_"+b.feedPosition).get(b.slotId)}; -Cpa=function(a){var b=[];a.u.forEach(function(c){c=g.q(c.values());for(var d=c.next();!d.done;d=c.next())b.push(d.value.slot)}); -return b}; -Apa=function(a,b){if(b instanceof nH)return b.D;if(b instanceof mH){var c=MO(a.Ib.get(),b.u);if(c=null===c||void 0===c?void 0:X(c.va,"metadata_type_ad_placement_config"))return c=hH(c,0x7ffffffffffff),c instanceof gH?void 0:c.gh}}; -YP=function(a,b){return null!=ZP(a,b)}; -hQ=function(a,b){var c=ZP(a,b),d;if(d=null!=c.layout)a:switch(c.u){case "rendering":case "rendering_stop_requested":d=!0;break a;default:d=!1}return d}; -lQ=function(a,b){var c=ZP(a,b);return null!=c.layout?c.layout:null}; -qQ=function(a,b,c){if(g.kb(c))throw new gH("No "+Dpa.get(b)+" triggers found for slot.");c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new gH("No trigger adapter registered for "+b+" trigger of type: "+d.triggerType);}; -bQ=function(a,b,c){c=g.q(c);for(var d=c.next();!d.done;d=c.next())if(d=d.value,!a.hd.Dg.get(d.triggerType))throw new aQ("No trigger adapter registered for "+Dpa.get(b)+" trigger of type: "+d.triggerType);}; -cQ=function(a,b,c,d){d=g.q(d);for(var e=d.next();!e.done;e=d.next()){e=e.value;var f=a.hd.Dg.get(e.triggerType);f.ih(c,e,b.slot,b.layout?b.layout:null);b.X.set(e.triggerId,f)}}; -nQ=function(a,b){for(var c=g.q(b),d=c.next();!d.done;d=c.next()){d=d.value;var e=a.X.get(d.triggerId);e&&(e.mh(d),a.X["delete"](d.triggerId))}}; -mQ=function(a,b,c){S("Slot stage was "+b+" when calling method "+c,a)}; -Epa=function(a){return rQ(a.Vm).concat(rQ(a.Dg)).concat(rQ(a.Jj)).concat(rQ(a.qk)).concat(rQ(a.Yj))}; -rQ=function(a){var b=[];a=g.q(a.values());for(var c=a.next();!c.done;c=a.next())c=c.value,c.Wi&&b.push(c);return b}; -Gpa=function(a){g.C.call(this);this.u=a;this.B=Fpa(this)}; -Fpa=function(a){var b=new UP(function(c,d,e,f){return new pQ(a.u.hd,c,d,e,f,a.u.Ib,a.u.ua,a.u.Da)},new Set(Epa(a.u.hd).concat(a.u.listeners)),a.u.Gb,a.u.Ca); -g.D(a,b);return b}; -sQ=function(a){g.C.call(this);var b=this;this.B=a;this.u=null;g.eg(this,function(){g.fg(b.u);b.u=null})}; -Y=function(a){return new sQ(a)}; -Kpa=function(a,b,c,d,e){b=g.q(b);for(var f=b.next();!f.done;f=b.next())f=f.value,tQ(a,f.renderer,f.config.adPlacementConfig.kind);f=Array.from(a.values()).filter(function(n){return Hpa(n)}); -a=[];b={};f=g.q(f);for(var h=f.next();!h.done;b={Dp:b.Dp},h=f.next()){b.Dp=h.value;h={};for(var l=g.q(b.Dp.Ww),m=l.next();!m.done;h={xk:h.xk},m=l.next())h.xk=m.value,m=function(n,p){return function(r){return n.xk.zC(r,p.Dp.instreamVideoAdRenderer.elementId,n.xk.PB)}}(h,b),"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===h.xk.Kn?a.push(Ipa(c,d,h.xk.QB,e,h.xk.adSlotLoggingData,m)):a.push(Jpa(c,d,e,b.Dp.instreamVideoAdRenderer.elementId,h.xk.adSlotLoggingData,m))}return a}; -tQ=function(a,b,c){if(b=Lpa(b)){b=g.q(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.externalVideoId){var e=Mpa(a,d.externalVideoId);e.instreamVideoAdRenderer||(e.instreamVideoAdRenderer=d,e.nu=c)}else S("InstreamVideoAdRenderer without externalVideoId")}}; -Lpa=function(a){var b=[],c=a.sandwichedLinearAdRenderer&&a.sandwichedLinearAdRenderer.linearAd&&a.sandwichedLinearAdRenderer.linearAd.instreamVideoAdRenderer;if(c)return b.push(c),b;if(a.instreamVideoAdRenderer)return b.push(a.instreamVideoAdRenderer),b;if(a.linearAdSequenceRenderer&&a.linearAdSequenceRenderer.linearAds){a=g.q(a.linearAdSequenceRenderer.linearAds);for(c=a.next();!c.done;c=a.next())c=c.value,c.instreamVideoAdRenderer&&b.push(c.instreamVideoAdRenderer);return b}return null}; -Hpa=function(a){if(void 0===a.instreamVideoAdRenderer)return S("AdPlacementSupportedRenderers without matching InstreamVideoAdRenderer"),!1;for(var b=g.q(a.Ww),c=b.next();!c.done;c=b.next()){c=c.value;if(void 0===c.zC)return!1;if(void 0===c.PB)return S("AdPlacementConfig for AdPlacementSupportedRenderers that matches an InstreamVideoAdRenderer is undefined"),!1;if(void 0===a.nu||void 0===c.Kn||a.nu!==c.Kn&&"AD_PLACEMENT_KIND_COMMAND_TRIGGERED"!==c.Kn)return!1;if(void 0===a.instreamVideoAdRenderer.elementId)return S("InstreamVideoAdRenderer has no elementId", -void 0,void 0,{kind:a.nu,"matching APSR kind":c.Kn}),!1;if("AD_PLACEMENT_KIND_COMMAND_TRIGGERED"===c.Kn&&void 0===c.QB)return S("Command Triggered AdPlacementSupportedRenderer's AdPlacementRenderer does not have an element ID"),!1}return!0}; -Mpa=function(a,b){a.has(b)||a.set(b,{instreamVideoAdRenderer:void 0,nu:void 0,adVideoId:b,Ww:[]});return a.get(b)}; -uQ=function(a,b,c,d,e,f,h){d?Mpa(a,d).Ww.push({QB:b,Kn:c,PB:e,adSlotLoggingData:f,zC:h}):S("Companion AdPlacementSupportedRenderer without adVideoId")}; -Ppa=function(a,b,c,d,e,f,h){if(!Npa(a))return new gH("Invalid InstreamVideoAdRenderer for SlidingText.",{instreamVideoAdRenderer:a});var l=a.additionalPlayerOverlay.slidingTextPlayerOverlayRenderer;return[Opa(f,b,c,d,function(m){var n=h(m);m=m.slotId;m=vQ(e.Ua.get(),"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",m);var p={layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",bb:"core"},r=new wQ(e.u,d);return{layoutId:m,layoutType:"LAYOUT_TYPE_SLIDING_TEXT_PLAYER_OVERLAY",kd:new Map,ae:[r],wd:[], -ud:[],be:[],bb:"core",va:new OP([new GG(l)]),td:n(p)}})]}; -Npa=function(a){a=((null===a||void 0===a?void 0:a.additionalPlayerOverlay)||{}).slidingTextPlayerOverlayRenderer;if(!a)return!1;var b=a.slidingMessages;return a.title&&b&&0!==b.length?!0:!1}; -Upa=function(a,b,c,d,e){var f;if(null===(f=a.playerOverlay)||void 0===f||!f.instreamSurveyAdRenderer)return function(){return[]}; -if(!Qpa(a))return function(){return new gH("Received invalid InstreamVideoAdRenderer for DAI survey.",{instreamVideoAdRenderer:a})}; -var h=a.playerOverlay.instreamSurveyAdRenderer,l=Rpa(h);return 0>=l?function(){return new gH("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=Spa(m,c,d,function(t){var w=n(t); -t=t.slotId;t=vQ(e.Ua.get(),"LAYOUT_TYPE_SURVEY",t);var y={layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},x=new wQ(e.u,d),B=new xQ(e.u,t),E=new yQ(e.u,t),G=new Tpa(e.u);return{layoutId:t,layoutType:"LAYOUT_TYPE_SURVEY",kd:new Map,ae:[x,G],wd:[B],ud:[],be:[E],bb:"core",va:new OP([new FG(h),new AG(b),new bH(l/1E3)]),td:w(y),adLayoutLoggingData:h.adLayoutLoggingData}}),r=Ppa(a,c,p.slotId,d,e,m,n); -return r instanceof gH?r:[p].concat(g.ma(r))}}; -Rpa=function(a){var b=0;a=g.q(a.questions);for(var c=a.next();!c.done;c=a.next())b+=c.value.instreamSurveyAdMultiSelectQuestionRenderer.surveyAdQuestionCommon.durationMilliseconds;return b}; -Qpa=function(a){a=((null===a||void 0===a?void 0:a.playerOverlay)||{}).instreamSurveyAdRenderer;if(!a||!a.questions||1!==a.questions.length)return!1;a=a.questions[0].instreamSurveyAdMultiSelectQuestionRenderer;if(null===a||void 0===a||!a.surveyAdQuestionCommon)return!1;a=(a.surveyAdQuestionCommon.instreamAdPlayerOverlay||{}).instreamSurveyAdPlayerOverlayRenderer;var b=((null===a||void 0===a?void 0:a.adInfoRenderer)||{}).adHoverTextButtonRenderer;return((null===a||void 0===a?void 0:a.skipOrPreviewRenderer)|| -{}).skipAdRenderer&&b?!0:!1}; -Xpa=function(a,b,c,d,e){var f=[];try{var h=[],l=Vpa(a,d,function(t){t=Wpa(t.slotId,c,b,e(t),d);h=t.iS;return t.SJ}); -f.push(l);for(var m=g.q(h),n=m.next();!n.done;n=m.next()){var p=n.value,r=p(a,e);if(r instanceof gH)return r;f.push.apply(f,g.ma(r))}}catch(t){return new gH(t,{errorMessage:t.message,AdPlacementRenderer:c})}return f}; -Wpa=function(a,b,c,d,e){var f=b.config.adPlacementConfig,h=f.adTimeOffset||{},l=h.offsetEndMilliseconds;h=Number(h.offsetStartMilliseconds);if(isNaN(h))throw new TypeError("Expected valid start offset");var m=Number(l);if(isNaN(m))throw new TypeError("Expected valid end offset");l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null===l||void 0===l||!l.length)throw new TypeError("Expected linear ads");var n=[],p={KH:h,LH:0,fS:n};l=l.map(function(t){return Ypa(a,t,p,c,d,f,e,m)}).map(function(t, -w){var y=new CJ(w,n); -return t(y)}); -var r=l.map(function(t){return t.TJ}); -return{SJ:Zpa(c,a,h,r,f,new Map([["ad_placement_start",b.placementStartPings||[]],["ad_placement_end",b.placementEndPings||[]]]),$pa(b),d,m),iS:l.map(function(t){return t.hS})}}; -Ypa=function(a,b,c,d,e,f,h,l){var m=b.instreamVideoAdRenderer;if(!m)throw new TypeError("Expected instream video ad renderer");if(!m.playerVars)throw new TypeError("Expected player vars in url encoded string");var n=Xp(m.playerVars);b=Number(n.length_seconds);if(isNaN(b))throw new TypeError("Expected valid length seconds in player vars");var p=aqa(n,m);if(!p)throw new TypeError("Expected valid video id in IVAR");var r=c.KH,t=c.LH,w=Number(m.trimmedMaxNonSkippableAdDurationMs),y=isNaN(w)?b:Math.min(b, -w/1E3),x=Math.min(r+1E3*y,l);c.KH=x;c.LH++;c.fS.push(y);var B=m.pings?DJ(m.pings):new Map;c=m.playerOverlay||{};var E=void 0===c.instreamAdPlayerOverlayRenderer?null:c.instreamAdPlayerOverlayRenderer;return function(G){2<=G.B&&(n.slot_pos=G.u);n.autoplay="1";var K=m.adLayoutLoggingData,H=m.sodarExtensionData,ya=vQ(d.Ua.get(),"LAYOUT_TYPE_MEDIA",a),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};G={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new DG(h), -new OG(y),new PG(n),new RG(r),new SG(x),new TG(t),new LG({current:null}),E&&new EG(E),new AG(f),new CG(p),new BG(G),H&&new QG(H)].filter(bqa)),td:e(ia),adLayoutLoggingData:K};K=Upa(m,f,h,G.layoutId,d);return{TJ:G,hS:K}}}; -aqa=function(a,b){var c=a.video_id;if(c||(c=b.externalVideoId))return c}; -$pa=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; -dqa=function(a,b,c,d,e,f,h,l){a=cqa(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=vQ(b.Ua.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},r=new Map,t=e.impressionUrls;t&&r.set("impression",t);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",kd:r,ae:[new zQ(b.u,n)],wd:[],ud:[],be:[],bb:"core",va:new OP([new WG(e),new AG(c)]),td:m(p)}}); -return a instanceof gH?a:[a]}; -fqa=function(a,b,c,d,e,f,h,l){a=eqa(a,c,f,h,d,function(m,n){var p=m.slotId,r=l(m),t=e.contentSupportedRenderer;t?t.textOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.enhancedTextOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,r,BQ(b,n,p))):t.imageOverlayAdContentRenderer?(t=vQ(b.Ua.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", -p),p=BQ(b,n,p),p.push(new CQ(b.u,t)),r=AQ(b,t,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,r,p)):r=new aQ("InvideoOverlayAdRenderer without appropriate sub renderer"):r=new aQ("InvideoOverlayAdRenderer without contentSupportedRenderer");return r}); -return a instanceof gH?a:[a]}; -gqa=function(a,b,c,d){if(!c.playerVars)return new gH("No playerVars available in AdIntroRenderer.");var e=Xp(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{eS:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",kd:new Map,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:new OP([new VG({}),new AG(b),new LG({current:null}),new PG(e)]),td:f(l)},LJ:[new DQ(a.u,h)],KJ:[]}}}; -kqa=function(a,b,c,d,e,f,h,l,m,n,p){function r(w){var y=new CJ(0,[t.Rs]),x=hqa(t.playerVars,t.fH,l,p,y);w=m(w);var B=n.get(t.zw.externalVideoId);y=iqa(b,"core",t.zw,c,x,t.Rs,f,y,w,B);return{layoutId:y.layoutId,layoutType:y.layoutType,kd:y.kd,ae:y.ae,wd:y.wd,ud:y.ud,be:y.be,bb:y.bb,va:y.va,td:y.td,adLayoutLoggingData:y.adLayoutLoggingData}} -var t=EQ(e);if(t instanceof aQ)return new gH(t);if(r instanceof gH)return r;a=jqa(a,c,f,h,d,r);return a instanceof gH?a:[a]}; -EQ=function(a){if(!a.playerVars)return new aQ("No playerVars available in InstreamVideoAdRenderer.");var b;if(null==a.elementId||null==a.playerVars||null==a.playerOverlay||null==(null===(b=a.playerOverlay)||void 0===b?void 0:b.instreamAdPlayerOverlayRenderer)||null==a.pings||null==a.externalVideoId)return new aQ("Received invalid VOD InstreamVideoAdRenderer",{instreamVideoAdRenderer:a});b=Xp(a.playerVars);var c=Number(b.length_seconds);return isNaN(c)?new aQ("Expected valid length seconds in player vars"): -{zw:a,playerVars:b,fH:a.playerVars,Rs:c}}; -hqa=function(a,b,c,d,e){a.iv_load_policy=d;b=Xp(b);if(b.cta_conversion_urls)try{a.cta_conversion_urls=JSON.parse(b.cta_conversion_urls)}catch(f){S(f)}c.gg&&(a.ctrl=c.gg);c.nf&&(a.ytr=c.nf);c.Cj&&(a.ytrcc=c.Cj);c.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,c.Gg&&(a.vss_credentials_token_type=c.Gg),c.mdxEnvironment&&(a.mdx_environment=c.mdxEnvironment));2<=e.B&&(a.slot_pos=e.u);a.autoplay="1";return a}; -mqa=function(a,b,c,d,e,f,h,l,m,n,p){if(null==e.linearAds)return new gH("Received invalid LinearAdSequenceRenderer.");b=lqa(b,c,e,f,l,m,n,p);if(b instanceof gH)return new gH(b);a=jqa(a,c,f,h,d,b);return a instanceof gH?a:[a]}; -lqa=function(a,b,c,d,e,f,h,l){return function(m){a:{b:{var n=[];for(var p=g.q(c.linearAds),r=p.next();!r.done;r=p.next())if(r=r.value,r.instreamVideoAdRenderer){r=EQ(r.instreamVideoAdRenderer);if(r instanceof aQ){n=new gH(r);break b}n.push(r.Rs)}}if(!(n instanceof gH)){p=0;r=[];for(var t=[],w=[],y=g.q(c.linearAds),x=y.next();!x.done;x=y.next())if(x=x.value,x.adIntroRenderer){x=gqa(a,b,x.adIntroRenderer,f);if(x instanceof gH){n=x;break a}x=x(m);r.push(x.eS);t=[].concat(g.ma(x.LJ),g.ma(t));w=[].concat(g.ma(x.KJ), -g.ma(w))}else if(x.instreamVideoAdRenderer){x=EQ(x.instreamVideoAdRenderer);if(x instanceof aQ){n=new gH(x);break a}var B=new CJ(p,n),E=hqa(x.playerVars,x.fH,e,l,B),G=f(m),K=h.get(x.zw.externalVideoId);E=iqa(a,"adapter",x.zw,b,E,x.Rs,d,B,G,K);x={layoutId:E.layoutId,layoutType:E.layoutType,kd:E.kd,ae:[],wd:[],ud:[],be:[],bb:E.bb,va:E.va,td:E.td,adLayoutLoggingData:E.adLayoutLoggingData};B=E.wd;E=E.ud;p++;r.push(x);t=[].concat(g.ma(B),g.ma(t));w=[].concat(g.ma(E),g.ma(w))}else if(x.adActionInterstitialRenderer){var H= -a;B=m.slotId;K=b;G=f(m);x=x.adActionInterstitialRenderer.adLayoutLoggingData;var ya=vQ(H.Ua.get(),"LAYOUT_TYPE_MEDIA_BREAK",B),ia={layoutId:ya,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",bb:"adapter"};E=ya;B=new Map;new zQ(H.u,ya);H=[new xQ(H.u,ya)];K=new OP([new AG(K)]);G=G(ia);r.push({layoutId:E,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",kd:B,ae:[],wd:[],ud:[],be:[],bb:"adapter",va:K,td:G,adLayoutLoggingData:x});t=[].concat(g.ma(H),g.ma(t));w=[].concat(g.ma([]),g.ma(w))}else{n=new gH("Unsupported linearAd found in LinearAdSequenceRenderer."); -break a}n={gS:r,wd:t,ud:w}}}r=n;r instanceof gH?m=r:(t=m.slotId,n=r.gS,p=r.wd,r=r.ud,m=f(m),t=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",t),w={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"},m={layoutId:t,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:new Map,ae:[new zQ(a.u,t)],wd:p,ud:r,be:[],bb:"core",va:new OP([new MG(n)]),td:m(w)});return m}}; -FQ=function(a,b,c,d,e,f){this.ib=a;this.Cb=b;this.gb=c;this.u=d;this.Gi=e;this.loadPolicy=void 0===f?1:f}; -qG=function(a,b,c,d,e,f,h){var l,m,n,p,r,t,w,y,x,B,E,G=[];if(0===b.length)return G;b=b.filter(fH);for(var K=new Map,H=new Map,ya=g.q(b),ia=ya.next();!ia.done;ia=ya.next())(ia=ia.value.renderer.remoteSlotsRenderer)&&ia.hostElementId&&H.set(ia.hostElementId,ia);ya=g.q(b);for(ia=ya.next();!ia.done;ia=ya.next()){ia=ia.value;var Oa=nqa(a,K,ia,d,e,f,h,H);Oa instanceof gH?S(Oa,void 0,void 0,{renderer:ia.renderer,config:ia.config.adPlacementConfig,kind:ia.config.adPlacementConfig.kind,contentCpn:d,daiEnabled:f}): -G.push.apply(G,g.ma(Oa))}if(null===a.u||f)return a=f&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null===(m=null===(l=b[0].config)||void 0===l?void 0:l.adPlacementConfig)||void 0===m?void 0:m.kind)&&(null===(n=b[0].renderer)||void 0===n?void 0:n.adBreakServiceRenderer),G.length||a||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(t=null===(r=null===(p=b[0])||void 0===p?void 0:p.config)|| -void 0===r?void 0:r.adPlacementConfig)||void 0===t?void 0:t.kind,renderer:null===(w=b[0])||void 0===w?void 0:w.renderer}),G;c=c.filter(fH);G.push.apply(G,g.ma(Kpa(K,c,a.ib.get(),a.u,d)));G.length||S("Expected slots parsed from AdPlacementRenderers",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:d,daiEnabled:f,"first APR kind":null===(B=null===(x=null===(y=b[0])||void 0===y?void 0:y.config)||void 0===x?void 0:x.adPlacementConfig)||void 0===B?void 0:B.kind,renderer:null===(E=b[0])|| -void 0===E?void 0:E.renderer});return G}; -nqa=function(a,b,c,d,e,f,h,l){function m(w){return SP(a.gb.get(),w)} -var n=c.renderer,p=c.config.adPlacementConfig,r=p.kind,t=c.adSlotLoggingData;if(null!=n.actionCompanionAdRenderer)uQ(b,c.elementId,r,n.actionCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.actionCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new sG(E),y,x,E.impressionPings,E.impressionCommands,G,n.actionCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.imageCompanionAdRenderer)uQ(b,c.elementId,r,n.imageCompanionAdRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.imageCompanionAdRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new wG(E),y,x,E.impressionPings,E.impressionCommands,G,n.imageCompanionAdRenderer.adLayoutLoggingData)}); -else if(n.shoppingCompanionCarouselRenderer)uQ(b,c.elementId,r,n.shoppingCompanionCarouselRenderer.adVideoId,p,t,function(w,y,x){var B=a.Cb.get(),E=n.shoppingCompanionCarouselRenderer,G=SP(a.gb.get(),w);return GQ(B,w.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new xG(E),y,x,E.impressionPings,E.impressionEndpoints,G,n.shoppingCompanionCarouselRenderer.adLayoutLoggingData)}); -else{if(n.adBreakServiceRenderer){if(!jH(c))return[];if(f&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===p.kind){if(!a.Gi)return new gH("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");oqa(a.Gi,{adPlacementRenderer:c,contentCpn:d,uC:e});return[]}return Aia(a.ib.get(),p,t,c.renderer.adBreakServiceRenderer,d,e,f)}if(n.clientForecastingAdRenderer)return dqa(a.ib.get(),a.Cb.get(),p,t,n.clientForecastingAdRenderer,d,e,m);if(n.invideoOverlayAdRenderer)return fqa(a.ib.get(), -a.Cb.get(),p,t,n.invideoOverlayAdRenderer,d,e,m);if(n.linearAdSequenceRenderer){if(f)return Xpa(a.ib.get(),a.Cb.get(),c,d,m);tQ(b,n,r);return mqa(a.ib.get(),a.Cb.get(),p,t,n.linearAdSequenceRenderer,d,e,h,m,l,a.loadPolicy)}if((!n.remoteSlotsRenderer||f)&&n.instreamVideoAdRenderer&&!f)return tQ(b,n,r),kqa(a.ib.get(),a.Cb.get(),p,t,n.instreamVideoAdRenderer,d,e,h,m,l,a.loadPolicy)}return[]}; -HQ=function(a){g.C.call(this);this.u=a}; -nG=function(a,b,c,d){a.u().Zg(b,d);c=c();a=a.u();IQ(a.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.q(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.u;if(g.pc(c.slotId))throw new gH("Slot ID was empty");if(ZP(e,c))throw new gH("Duplicate registration for slot.");if(!e.hd.Jj.has(c.ab))throw new gH("No fulfillment adapter factory registered for slot of type: "+c.ab);if(!e.hd.qk.has(c.ab))throw new gH("No SlotAdapterFactory registered for slot of type: "+ -c.ab);qQ(e,5,c.hc?[c.hc]:[]);qQ(e,4,c.Me);qQ(e,3,c.Af);var f=d.u,h=c.ab+"_"+c.feedPosition,l=jQ(f,h);if(ZP(f,c))throw new gH("Duplicate slots not supported");l.set(c.slotId,new oQ(c));f.u.set(h,l)}catch(kc){S(kc,c,void 0,void 0,kc.Ul);break a}d.u.Nn(c);try{var m=d.u,n=ZP(m,c),p=c.hc,r=m.hd.Dg.get(p.triggerType);r&&(r.ih(5,p,c,null),n.Y.set(p.triggerId,r));for(var t=g.q(c.Me),w=t.next();!w.done;w=t.next()){var y=w.value,x=m.hd.Dg.get(y.triggerType);x&&(x.ih(4,y,c,null),n.P.set(y.triggerId,x))}for(var B= -g.q(c.Af),E=B.next();!E.done;E=B.next()){var G=E.value,K=m.hd.Dg.get(G.triggerType);K&&(K.ih(3,G,c,null),n.R.set(G.triggerId,K))}var H=m.hd.Jj.get(c.ab).get(),ya=m.C,ia=c;var Oa=JQ(ia,{Be:["metadata_type_fulfilled_layout"]})?new KQ(ya,ia):H.u(ya,ia);n.I=Oa;var Ra=m.hd.qk.get(c.ab).get().u(m.F,c);Ra.init();n.B=Ra}catch(kc){S(kc,c,void 0,void 0,kc.Ul);WP(d,c,!0);break a}kL(d.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.u.Ag(c);ia=g.q(d.B);for(var Wa=ia.next();!Wa.done;Wa=ia.next())Wa.value.Ag(c); -dQ(d,c)}}; -LQ=function(a,b,c,d){g.C.call(this);var e=this;this.tb=a;this.ib=b;this.Bb=c;this.u=new Map;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(e)})}; -xia=function(a,b){var c=0x8000000000000;for(var d=0,e=g.q(b.Me),f=e.next();!f.done;f=e.next())f=f.value,f instanceof nH?(c=Math.min(c,f.D.start),d=Math.max(d,f.D.end)):S("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new Gn(c,d);d="throttledadcuerange:"+b.slotId;a.u.set(d,b);a.Bb.get().addCueRange(d,c.start,c.end,!1,a)}; -MQ=function(){g.C.apply(this,arguments);this.Wi=!0;this.u=new Map;this.B=new Map}; -MO=function(a,b){for(var c=g.q(a.B.values()),d=c.next();!d.done;d=c.next()){d=g.q(d.value);for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.layoutId===b)return e}S("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.pc(b)),layoutId:b})}; -NQ=function(){this.B=new Map;this.u=new Map;this.C=new Map}; -OQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.B.get(b)||0;c++;a.B.set(b,c);return b+"_"+c}return It()}; -vQ=function(a,b,c){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var d=a.u.get(b)||0;d++;a.u.set(b,d);return c+"_"+b+"_"+d}return It()}; -PQ=function(a,b){if(g.L("GENERATE_DETERMINSTIC_ADS_CONTROL_FLOW_IDS")){var c=a.C.get(b)||0;c++;a.C.set(b,c);return b+"_"+c}return It()}; -pqa=function(a,b){this.layoutId=b;this.triggerType="trigger_type_close_requested";this.triggerId=a(this.triggerType)}; -DQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_exited_for_reason";this.triggerId=a(this.triggerType)}; -wQ=function(a,b){this.u=b;this.triggerType="trigger_type_layout_id_exited";this.triggerId=a(this.triggerType)}; -qqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; -QQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="trigger_type_on_different_layout_id_entered";this.triggerId=a(this.triggerType)}; -RQ=function(a,b){this.D=b;this.ab="SLOT_TYPE_IN_PLAYER";this.triggerType="trigger_type_on_different_slot_id_enter_requested";this.triggerId=a(this.triggerType)}; -zQ=function(a,b){this.layoutId=b;this.triggerType="trigger_type_on_layout_self_exit_requested";this.triggerId=a(this.triggerType)}; -rqa=function(a,b){this.opportunityType="opportunity_type_ad_break_service_response_received";this.associatedSlotId=b;this.triggerType="trigger_type_on_opportunity_received";this.triggerId=a(this.triggerType)}; -Tpa=function(a){this.triggerType="trigger_type_playback_minimized";this.triggerId=a(this.triggerType)}; -xQ=function(a,b){this.u=b;this.triggerType="trigger_type_skip_requested";this.triggerId=a(this.triggerType)}; -yQ=function(a,b){this.u=b;this.triggerType="trigger_type_survey_submitted";this.triggerId=a(this.triggerType)}; -CQ=function(a,b){this.durationMs=45E3;this.u=b;this.triggerType="trigger_type_time_relative_to_layout_enter";this.triggerId=a(this.triggerType)}; -sqa=function(a){return[new HG(a.pw),new EG(a.instreamAdPlayerOverlayRenderer),new KG(a.EG),new AG(a.adPlacementConfig),new OG(a.videoLengthSeconds),new bH(a.uE)]}; -tqa=function(a,b,c,d,e,f){a=c.By?c.By:vQ(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",kd:new Map,ae:[new wQ(function(l){return PQ(f,l)},c.pw)], -wd:[],ud:[],be:[],bb:b,va:d,td:e(h),adLayoutLoggingData:c.adLayoutLoggingData}}; -SQ=function(a,b){var c=this;this.Ca=a;this.Ua=b;this.u=function(d){return PQ(c.Ua.get(),d)}}; -TQ=function(a,b,c,d,e){return tqa(b,c,d,new OP(sqa(d)),e,a.Ua.get())}; -GQ=function(a,b,c,d,e,f,h,l,m,n){b=vQ(a.Ua.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},r=new Map;h?r.set("impression",h):l&&S("Companion Ad Renderer without impression Pings but does have impressionCommands",void 0,void 0,{"impressionCommands length":l.length,adPlacementKind:f.kind,companionType:d.u()});return{layoutId:b,layoutType:c,kd:r,ae:[new zQ(a.u,b),new QQ(a.u,e)],wd:[],ud:[],be:[],bb:"core",va:new OP([d,new AG(f),new HG(e)]),td:m(p),adLayoutLoggingData:n}}; -BQ=function(a,b,c){var d=[];d.push(new RQ(a.u,c));g.Q(a.Ca.get().J.T().experiments,"html5_make_pacf_in_video_overlay_evictable")||b&&d.push(b);return d}; -AQ=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,kd:new Map,ae:h,wd:[new pqa(a.u,b)],ud:[],be:[],bb:"core",va:new OP([new vG(d),new AG(e)]),td:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; -iqa=function(a,b,c,d,e,f,h,l,m,n){var p=c.elementId,r={layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",bb:b};d=[new AG(d),new BG(l),new CG(c.externalVideoId),new DG(h),new EG(c.playerOverlay.instreamAdPlayerOverlayRenderer),new dH({impressionCommands:c.impressionCommands,onAbandonCommands:c.onAbandonCommands,completeCommands:c.completeCommands,adVideoProgressCommands:c.adVideoProgressCommands}),new PG(e),new LG({current:null}),new OG(f)];e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=vQ(a.Ua.get(),"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY", -e);d.push(new IG(f));d.push(new JG(e));c.adNextParams&&d.push(new tG(c.adNextParams));c.clickthroughEndpoint&&d.push(new uG(c.clickthroughEndpoint));c.legacyInfoCardVastExtension&&d.push(new cH(c.legacyInfoCardVastExtension));c.sodarExtensionData&&d.push(new QG(c.sodarExtensionData));n&&d.push(new aH(n));return{layoutId:p,layoutType:"LAYOUT_TYPE_MEDIA",kd:DJ(c.pings),ae:[new zQ(a.u,p)],wd:c.skipOffsetMilliseconds?[new xQ(a.u,f)]:[],ud:[new xQ(a.u,f)],be:[],bb:b,va:new OP(d),td:m(r),adLayoutLoggingData:c.adLayoutLoggingData}}; -Zpa=function(a,b,c,d,e,f,h,l,m){d.every(function(p){return NP(p,[],["LAYOUT_TYPE_MEDIA"])})||S("Unexpect subLayout type for DAI composite layout"); -b=vQ(a.Ua.get(),"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",b);var n={layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES",kd:f,ae:[new qqa(a.u)],wd:[],ud:[],be:[],bb:"core",va:new OP([new RG(c),new SG(m),new MG(d),new AG(e),new XG(h)]),td:l(n)}}; -bqa=function(a){return null!=a}; -UQ=function(a,b,c){this.C=b;this.visible=c;this.triggerType="trigger_type_after_content_video_id_ended";this.triggerId=a(this.triggerType)}; -VQ=function(a,b,c){this.u=b;this.slotId=c;this.triggerType="trigger_type_layout_id_active_and_slot_id_has_exited";this.triggerId=a(this.triggerType)}; -uqa=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED";this.triggerId=a(this.triggerType)}; -WQ=function(a,b,c){this.C=b;this.D=c;this.triggerType="trigger_type_not_in_media_time_range";this.triggerId=a(this.triggerType)}; -XQ=function(a,b){this.D=b;this.triggerType="trigger_type_on_new_playback_after_content_video_id";this.triggerId=a(this.triggerType)}; -YQ=function(a,b){this.slotId=b;this.triggerType="trigger_type_on_element_self_enter_requested";this.triggerId=a(this.triggerType)}; -ZQ=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_entered";this.triggerId=a(this.triggerType)}; -$Q=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_exited";this.triggerId=a(this.triggerType)}; -aR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_empty";this.triggerId=a(this.triggerType)}; -bR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_fulfilled_non_empty";this.triggerId=a(this.triggerType)}; -cR=function(a,b){this.B=b;this.triggerType="trigger_type_slot_id_scheduled";this.triggerId=a(this.triggerType)}; -dR=function(a){var b=this;this.Ua=a;this.u=function(c){return PQ(b.Ua.get(),c)}}; -iH=function(a,b,c,d,e,f){f=void 0===f?[]:f;var h=OQ(a.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST"),l=[];d.Wn&&d.Wn.start!==d.gh.start&&l.push(new nH(a.u,c,new Gn(d.Wn.start,d.gh.start),!1));l.push(new nH(a.u,c,new Gn(d.gh.start,d.gh.end),d.Ov));d={getAdBreakUrl:b.getAdBreakUrl,eH:d.gh.start,dH:d.gh.end};b=new bR(a.u,h);f=[new ZG(d)].concat(g.ma(f));return{slotId:h,ab:"SLOT_TYPE_AD_BREAK_REQUEST",feedPosition:1,hc:b,Me:l,Af:[new XQ(a.u,c),new $Q(a.u,h),new aR(a.u,h)],bb:"core",va:new OP(f),adSlotLoggingData:e}}; -wqa=function(a,b,c){var d=[];c=g.q(c);for(var e=c.next();!e.done;e=c.next())d.push(vqa(a,b,e.value));return d}; -vqa=function(a,b,c){return null!=c.B&&c.B===a?c.clone(b):c}; -xqa=function(a,b,c,d,e){e=e?e:OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -eqa=function(a,b,c,d,e,f){var h=eR(a,b,c,d);if(h instanceof gH)return h;h instanceof nH&&(h=new nH(a.u,h.C,h.D,h.visible,h.F,!0));d=h instanceof nH?new WQ(a.u,c,h.D):null;b=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");f=f({slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:h},d);return f instanceof aQ?new gH(f):{slotId:b,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:h,Me:[new ZQ(a.u,b)],Af:[new XQ(a.u,c),new $Q(a.u,b)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -Spa=function(a,b,c,d){var e=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new mH(a.u,c);var f={slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:e,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,e)],Af:[new XQ(a.u,b),new $Q(a.u,e)],bb:"core",va:new OP([new YG(d(f))])}}; -Opa=function(a,b,c,d,e){var f=OQ(a.Ua.get(),"SLOT_TYPE_IN_PLAYER");c=new VQ(a.u,d,c);d={slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,bb:"core",hc:c};return{slotId:f,ab:"SLOT_TYPE_IN_PLAYER",feedPosition:1,hc:c,Me:[new ZQ(a.u,f)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(e(d))])}}; -Jpa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),b);return yqa(a,h,b,new mH(a.u,d),c,e,f)}; -Ipa=function(a,b,c,d,e,f){return yqa(a,c,b,new YQ(a.u,c),d,e,f)}; -Vpa=function(a,b,c){var d=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES"),e=new uqa(a.u),f={slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:e};return{slotId:d,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:e,Me:[new cR(a.u,d)],Af:[new XQ(a.u,b)],bb:"core",va:new OP([new YG(c(f)),new UG({})])}}; -jqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_PLAYER_BYTES");b=eR(a,b,c,d);if(b instanceof gH)return b;f=f({slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,bb:"core",hc:b});return f instanceof gH?f:{slotId:h,ab:"SLOT_TYPE_PLAYER_BYTES",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f)]),adSlotLoggingData:e}}; -cqa=function(a,b,c,d,e,f){var h=OQ(a.Ua.get(),"SLOT_TYPE_FORECASTING");b=eR(a,b,c,d);if(b instanceof gH)return b;d={slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,bb:"core",hc:b};return{slotId:h,ab:"SLOT_TYPE_FORECASTING",feedPosition:1,hc:b,Me:[new ZQ(a.u,h)],Af:[new $Q(a.u,h),new XQ(a.u,c)],bb:"core",va:new OP([new YG(f(d))]),adSlotLoggingData:e}}; -eR=function(a,b,c,d){var e=!b.hideCueRangeMarker;switch(b.kind){case "AD_PLACEMENT_KIND_START":return new kH(a.u,c);case "AD_PLACEMENT_KIND_MILLISECONDS":b=hH(b,d);if(b instanceof gH)return b;b=b.gh;return new nH(a.u,c,b,e,b.end===d);case "AD_PLACEMENT_KIND_END":return new UQ(a.u,c,e);default:return new gH("Cannot construct entry trigger",{kind:b.kind})}}; -yqa=function(a,b,c,d,e,f,h){var l={slotId:b,ab:c,feedPosition:1,bb:"core",hc:d};return{slotId:b,ab:c,feedPosition:1,hc:d,Me:[new cR(a.u,b)],Af:[new XQ(a.u,e),new $Q(a.u,b)],bb:"core",va:new OP([new YG(h(l))]),adSlotLoggingData:f}}; -fR=function(a,b,c){g.C.call(this);this.Ca=a;this.u=b;this.Da=c;this.eventCount=0}; -kL=function(a,b,c){IQ(a,b,void 0,void 0,void 0,c,void 0,void 0,c.adSlotLoggingData,void 0)}; -$P=function(a,b,c,d){IQ(a,b,void 0,void 0,void 0,c,d?d:void 0,void 0,void 0,d?d.adLayoutLoggingData:void 0)}; -tpa=function(a,b,c,d){g.Q(a.Ca.get().J.T().experiments,"html5_control_flow_include_trigger_logging_in_tmp_logs")&&IQ(a,"ADS_CLIENT_EVENT_TYPE_TRIGGER_ACTIVATED",void 0,void 0,void 0,b,d?d:void 0,c,void 0,d?d.adLayoutLoggingData:void 0)}; -IQ=function(a,b,c,d,e,f,h,l,m,n){if(g.Q(a.Ca.get().J.T().experiments,"html5_enable_ads_client_monitoring_log")&&!g.Q(a.Ca.get().J.T().experiments,"html5_disable_client_tmp_logs")&&"ADS_CLIENT_EVENT_TYPE_UNSPECIFIED"!==b){var p=RP(a.u.get());b={eventType:b,eventOrder:++a.eventCount};var r=g.P(a.Ca.get().J.T().experiments,"html5_experiment_id_label"),t={organicPlaybackContext:{contentCpn:pG(a.Da.get(),1).clientPlaybackNonce}};t.organicPlaybackContext.isLivePlayback=pG(a.Da.get(),1).Wg;0b)return a;var c="";if(a.includes("event=")){var d=a.indexOf("event=");c=c.concat(a.substring(d,d+100),", ")}a.includes("label=")&&(d=a.indexOf("label="),c=c.concat(a.substring(d,d+100)));return 0=.25*e||c)&&LO(a.Ia,"first_quartile"),(b>=.5*e||c)&&LO(a.Ia,"midpoint"),(b>=.75*e||c)&&LO(a.Ia,"third_quartile")}; -Zqa=function(a,b){tM(a.Tc.get(),X(a.layout.va,"metadata_type_ad_placement_config").kind,b,a.position,a.P,!1)}; -UR=function(a,b,c,d,e){MR.call(this,a,b,c,d);this.u=e}; -ara=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B,E){if(CR(d,{Be:["metadata_type_sub_layouts"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})){var G=X(d.va,"metadata_type_sub_layouts");a=new NR(a,n,r,w,b,c,d,f);b=[];for(var K={Pl:0};K.Pl=e||0>=c||g.U(b,16)||g.U(b,32)||(RR(c,.25*e,d)&&LO(a.Ia,"first_quartile"),RR(c,.5*e,d)&&LO(a.Ia,"midpoint"),RR(c,.75*e,d)&&LO(a.Ia,"third_quartile"))}; -tra=function(a){return Object.assign(Object.assign({},sS(a)),{adPlacementConfig:X(a.va,"metadata_type_ad_placement_config"),subLayouts:X(a.va,"metadata_type_sub_layouts").map(sS)})}; -sS=function(a){return{enterMs:X(a.va,"metadata_type_layout_enter_ms"),exitMs:X(a.va,"metadata_type_layout_exit_ms")}}; -tS=function(a,b,c,d,e,f,h,l,m,n,p,r,t,w,y,x,B){this.me=a;this.B=b;this.Da=c;this.eg=d;this.ua=e;this.Fa=f;this.Sc=h;this.ee=l;this.jb=m;this.Bd=n;this.Yc=p;this.Bb=r;this.Tc=t;this.ld=w;this.Dd=y;this.oc=x;this.Gd=B}; -uS=function(a,b,c,d,e,f,h){g.C.call(this);var l=this;this.tb=a;this.ib=b;this.Da=c;this.ee=e;this.ua=f;this.Ca=h;this.u=null;d.get().addListener(this);g.eg(this,function(){d.get().removeListener(l)}); -e.get().addListener(this);g.eg(this,function(){e.get().removeListener(l)})}; -oqa=function(a,b){if(pG(a.Da.get(),1).daiEnabled&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===b.adPlacementRenderer.config.adPlacementConfig.kind)if(a.u)S("Unexpected multiple fetch instructions for the current content");else{a.u=b;for(var c=g.q(a.ee.get().u),d=c.next();!d.done;d=c.next())ura(a,a.u,d.value)}}; -ura=function(a,b,c){var d=kQ(a.ua.get(),1,!1);nG(a.tb.get(),"opportunity_type_live_stream_break_signal",function(){var e=a.ib.get(),f=g.Q(a.Ca.get().J.T().experiments,"enable_server_stitched_dai");var h=1E3*c.startSecs;h={gh:new Gn(h,h+1E3*c.durationSecs),Ov:!1};var l=c.startSecs+c.durationSecs;if(c.startSecs<=d)f=new Gn(1E3*(c.startSecs-4),1E3*l);else{var m=Math.max(0,c.startSecs-d-10);f=new Gn(1E3*Math.floor(d+Math.random()*(f?0===d?0:Math.min(m,5):m)),1E3*l)}h.Wn=f;return[iH(e,b.adPlacementRenderer.renderer.adBreakServiceRenderer, -b.contentCpn,h,b.adPlacementRenderer.adSlotLoggingData,[new NG(c)])]})}; -vS=function(a,b){var c;g.C.call(this);var d=this;this.D=a;this.B=new Map;this.C=new Map;this.u=null;b.get().addListener(this);g.eg(this,function(){b.get().removeListener(d)}); -this.u=(null===(c=b.get().u)||void 0===c?void 0:c.slotId)||null}; -vra=function(a,b){for(var c=[],d=g.q(a.values()),e=d.next();!e.done;e=d.next())e=e.value,e.slot.slotId===b&&c.push(e);return c}; -wS=function(a,b,c,d){g.C.call(this);this.J=a;this.Da=b;this.Ca=c;this.Fa=d;this.listeners=[];this.B=new Set;this.u=[];this.D=new fM(this,Cqa(c.get()));this.C=new gM;wra(this)}; -pra=function(a,b,c){return hM(a.C,b,c)}; -wra=function(a){var b,c=a.J.getVideoData(1);c.subscribe("cuepointupdated",a.Ez,a);a.B.clear();a.u.length=0;c=(null===(b=c.ra)||void 0===b?void 0:RB(b,0))||[];a.Ez(c)}; -xra=function(a){switch(a){case "unknown":return"CUEPOINT_EVENT_UNKNOWN";case "start":return"CUEPOINT_EVENT_START";case "continue":return"CUEPOINT_EVENT_CONTINUE";case "stop":return"CUEPOINT_EVENT_STOP";case "predictStart":return"CUEPOINT_EVENT_PREDICT_START";default:throw Error("Unexpected cuepoint event");}}; -yra=function(a){this.J=a}; -Ara=function(a,b,c){zra(a.J,b,c)}; -xS=function(){this.listeners=new Set}; -yS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="image-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Bra=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; -zS=function(a,b,c,d,e,f,h,l){FR.call(this,a,b,c,d);this.Fa=e;this.me=f;this.Nd=l;this.Wi=!0;this.Ah=null;this.Jp="shopping-companion";this.cj=X(c.va,"metadata_type_linked_player_bytes_layout_id");VP(this.me(),this);a=X(c.va,"metadata_type_ad_placement_config");this.Ia=new GO(c.kd,this.Fa,a,c.layoutId)}; -Cra=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; -Dra=function(a,b,c,d,e){this.Vb=a;this.Fa=b;this.me=c;this.Nd=d;this.jb=e}; -AS=function(a,b,c,d,e,f,h,l,m,n){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.ua=l;this.oc=m;this.Ca=n;this.Ia=Eoa(b,c)}; -Era=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];HO().forEach(function(b){a.push(b)}); -return{Be:a,wg:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; -BS=function(a,b,c,d,e,f,h,l,m,n,p){FR.call(this,f,a,b,e);this.Fa=c;this.B=h;this.D=l;this.ua=m;this.oc=n;this.Ca=p;this.Ia=Eoa(b,c)}; -CS=function(a,b,c,d,e,f,h,l,m){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.jb=e;this.B=f;this.C=h;this.oc=l;this.Ca=m}; -DS=function(a){g.C.call(this);this.u=a;this.ob=new Map}; -ES=function(a,b){for(var c=[],d=g.q(a.ob.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.layoutId===b.layoutId&&c.push(e);c.length&&gQ(a.u(),c)}; -FS=function(a){g.C.call(this);this.C=a;this.Wi=!0;this.ob=new Map;this.u=new Map;this.B=new Map}; -Fra=function(a,b){var c=[],d=a.u.get(b.layoutId);if(d){d=g.q(d);for(var e=d.next();!e.done;e=d.next())(e=a.B.get(e.value.triggerId))&&c.push(e)}return c}; -GS=function(a,b,c){g.C.call(this);this.C=a;this.bj=b;this.Ua=c;this.u=this.B=void 0;this.bj.get().addListener(this)}; -Gra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,"SLOT_TYPE_ABOVE_FEED",f.Gi)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.MB=Y(function(){return new Dra(f.Vb,f.Fa,a,f.Ib,f.jb)}); -g.D(this,this.MB);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Qe],["SLOT_TYPE_ABOVE_FEED",this.zc],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty", -this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED", -this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_ABOVE_FEED", -this.MB],["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:this.fc,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(),Wh:this.Ed,vg:this.Ib.get()}}; -Hra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.bj=Y(function(){return new xS}); -g.D(this,this.bj);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.hm=new DS(a);g.D(this,this.hm);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.on=new FS(a);g.D(this,this.on);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new CS(f.Vb,f.ua,f.Fa,f.Ib,f.jb,f.hm,f.on,f.oc,f.Ca)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Uw=new GS(a,this.bj,this.Ua);g.D(this,this.Uw);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc], -["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled", -this.Wa],["trigger_type_on_different_slot_id_enter_requested",this.Wa],["trigger_type_close_requested",this.hm],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_not_in_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received", -this.gf],["trigger_type_time_relative_to_layout_enter",this.on]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:this.bj.get(), -Wh:this.Ed,vg:this.Ib.get()}}; -Ira=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.xG=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.xG);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_ABOVE_FEED",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.xG],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Jra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.Ih=Y(function(){return new LR(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING", -this.Re],["SLOT_TYPE_IN_PLAYER",this.Ih],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -IS=function(a,b,c,d,e,f,h,l){JR.call(this,a,b,c,d,e,f,h);this.Jn=l}; -Kra=function(a,b,c,d,e){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d;this.Jn=e}; -Lra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Jn=Y(function(){return new lra(b)}); -g.D(this,this.Jn);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,null)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Od=Y(function(){return new qS}); -g.D(this,this.Od);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Bd=Y(function(){return new xR}); -g.D(this,this.Bd);this.jf=new WR(cra,HS,function(l,m,n,p){var r=f.Cb.get(),t=sqa(n);t.push(new yG(n.sJ));t.push(new zG(n.vJ));return tqa(l,m,n,new OP(t),p,r.Ua.get())},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca);this.Td=Y(function(){return h}); -this.ik=h;this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new VR(a,f.fc,f.Fa,f.jb,f.Bd,f.Yc,f.Da,f.ua,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.wI=Y(function(){return new Kra(f.Vb,f.ua,f.Fa,f.Ib,f.Jn)}); -g.D(this,this.wI);this.kk=new jS(a,this.Od,this.gb,this.Da,this.Ca,this.Ua);g.D(this,this.kk);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES", -this.zc]]),Dg:new Map([["trigger_type_skip_requested",this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started", -this.Fd],["trigger_type_after_content_video_id_ended",this.rd],["trigger_type_media_time_range",this.rd],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES",this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", -this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_IN_PLAYER",this.wI],["SLOT_TYPE_PLAYER_BYTES",this.hf]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:this.Od.get(),qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Mra=function(a,b,c,d){this.Vb=a;this.ua=b;this.Fa=c;this.Nd=d}; -Nra=function(a,b,c,d,e){g.C.call(this);var f=this;this.Ua=Y(function(){return new NQ}); -g.D(this,this.Ua);this.Cb=Y(function(){return new SQ(f.Ca,f.Ua)}); -g.D(this,this.Cb);this.Ib=Y(function(){return new MQ}); -g.D(this,this.Ib);this.tb=Y(function(){return new HQ(a)}); -g.D(this,this.tb);this.ib=Y(function(){return new dR(f.Ua)}); -g.D(this,this.ib);this.Sc=Y(function(){return new gR}); -g.D(this,this.Sc);this.Dd=Y(function(){return new CK(b.T())}); -g.D(this,this.Dd);this.Vb=Y(function(){return new lS(b)}); -g.D(this,this.Vb);this.oc=Y(function(){return new wR(e)}); -g.D(this,this.oc);this.Tc=Y(function(){return new rM(b)}); -g.D(this,this.Tc);this.Bb=Y(function(){return new iR(b)}); -g.D(this,this.Bb);this.Yc=Y(function(){return new nS(b)}); -g.D(this,this.Yc);this.ld=Y(function(){return new oS(b)}); -g.D(this,this.ld);this.Ca=Y(function(){return new jR(b)}); -g.D(this,this.Ca);this.od=Y(function(){return new kS(d,f.Ca)}); -g.D(this,this.od);this.gb=Y(function(){return new TP(f.Ca)}); -g.D(this,this.gb);this.uc=Y(function(){return new FQ(f.ib,f.Cb,f.gb,null,f.Gi,3)}); -g.D(this,this.uc);this.Gd=Y(function(){return new pS(b)}); -g.D(this,this.Gd);this.Da=Y(function(){return new uR(b,f.Sc)}); -g.D(this,this.Da);this.Gb=new fR(this.Ca,this.gb,this.Da);g.D(this,this.Gb);this.ee=Y(function(){return new wS(b,f.Da,f.Ca,f.Fa)}); -g.D(this,this.ee);this.eg=Y(function(){return new yra(b)}); -g.D(this,this.eg);this.ua=Y(function(){return new vR(b)}); -g.D(this,this.ua);this.Bd=Y(function(){return new xR}); -this.jb=Y(function(){return new mR(f.ua,b)}); -g.D(this,this.jb);this.Fa=Y(function(){return new pR(b,f.Ib,f.jb,f.Da)}); -g.D(this,this.Fa);this.Pb=new qH(this.tb,this.uc,c,this.Ca,a,this.Da);g.D(this,this.Pb);var h=new hR(b,this.Pb,this.ua,this.Ca,this.ee);this.Td=Y(function(){return h}); -this.ik=h;this.jf=new WR(YR,HS,function(l,m,n,p){return TQ(f.Cb.get(),l,m,n,p)},this.tb,this.ib,this.gb,this.Ca,this.Da); -g.D(this,this.jf);this.Gi=new uS(this.tb,this.ib,this.Da,this.Td,this.ee,this.ua,this.Ca);g.D(this,this.Gi);this.jd=new LQ(this.tb,this.ib,this.Bb,this.Td);g.D(this,this.jd);this.Qb=new mG(this.tb,this.ib,this.uc,this.Da,this.jd,c);g.D(this,this.Qb);this.Qe=Y(function(){return new AR(f.od,f.Cb,f.gb,f.Ca)}); -g.D(this,this.Qe);this.zc=Y(function(){return new BR}); -g.D(this,this.zc);this.Ed=new cS(a,this.Vb);g.D(this,this.Ed);this.Wa=new dS(a);g.D(this,this.Wa);this.Fd=new eS(a,this.Td);g.D(this,this.Fd);this.rd=new fS(a,this.Bb,this.ua,this.Da);g.D(this,this.rd);this.Lm=new vS(a,this.Da);g.D(this,this.Lm);this.fc=new hS(a);g.D(this,this.fc);this.gf=new iS(a);g.D(this,this.gf);this.wc=Y(function(){return new ZR}); -g.D(this,this.wc);this.kf=Y(function(){return new $R(f.ua)}); -g.D(this,this.kf);this.Pe=Y(function(){return new DR(f.Qb)}); -g.D(this,this.Pe);this.Re=Y(function(){return new ER(f.Fa,f.fc,f.jb)}); -g.D(this,this.Re);this.hf=Y(function(){return new tS(a,f.fc,f.Da,f.eg,f.ua,f.Fa,f.Sc,f.ee,f.jb,f.Bd,f.Yc,f.Bb,f.Tc,f.ld,f.Dd,f.oc,f.Gd)}); -g.D(this,this.hf);this.Ih=Y(function(){return new Mra(f.Vb,f.ua,f.Fa,f.Ib)}); -g.D(this,this.Ih);this.hd={Vm:new Map([["opportunity_type_ad_break_service_response_received",this.Qb],["opportunity_type_live_stream_break_signal",this.Gi],["opportunity_type_player_bytes_media_layout_entered",this.jf],["opportunity_type_player_response_received",this.Pb],["opportunity_type_throttled_ad_break_request_slot_reentry",this.jd]]),Jj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Qe],["SLOT_TYPE_FORECASTING",this.zc],["SLOT_TYPE_IN_PLAYER",this.zc],["SLOT_TYPE_PLAYER_BYTES",this.zc]]),Dg:new Map([["trigger_type_skip_requested", -this.Ed],["trigger_type_layout_id_entered",this.Wa],["trigger_type_layout_id_exited",this.Wa],["trigger_type_layout_exited_for_reason",this.Wa],["trigger_type_on_different_layout_id_entered",this.Wa],["trigger_type_slot_id_entered",this.Wa],["trigger_type_slot_id_exited",this.Wa],["trigger_type_slot_id_fulfilled_empty",this.Wa],["trigger_type_slot_id_fulfilled_non_empty",this.Wa],["trigger_type_slot_id_scheduled",this.Wa],["trigger_type_before_content_video_id_started",this.Fd],["trigger_type_after_content_video_id_ended", -this.rd],["trigger_type_media_time_range",this.rd],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Lm],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Lm],["trigger_type_on_layout_self_exit_requested",this.fc],["trigger_type_on_element_self_enter_requested",this.fc],["trigger_type_on_new_playback_after_content_video_id",this.Fd],["trigger_type_on_opportunity_received",this.gf]]),qk:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.wc],["SLOT_TYPE_FORECASTING",this.wc],["SLOT_TYPE_IN_PLAYER",this.wc],["SLOT_TYPE_PLAYER_BYTES", -this.kf]]),Yj:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Pe],["SLOT_TYPE_FORECASTING",this.Re],["SLOT_TYPE_PLAYER_BYTES",this.hf],["SLOT_TYPE_IN_PLAYER",this.Ih]])};this.listeners=[this.Ib.get()];this.Ke={Qb:this.Qb,yi:null,ak:null,qg:this.Ca.get(),yl:this.ua.get(),Pb:this.Pb,Zj:null,Wh:this.Ed,vg:this.Ib.get()}}; -Pra=function(a,b,c,d){g.C.call(this);var e=this;this.u=Ora(function(){return e.B},a,b,c,d); -g.D(this,this.u);this.B=(new Gpa(this.u)).B;g.D(this,this.B)}; -Ora=function(a,b,c,d,e){try{var f=b.T();if(g.HD(f))var h=new Gra(a,b,c,d,e);else if(g.LD(f))h=new Hra(a,b,c,d,e);else if(MD(f))h=new Jra(a,b,c,d,e);else if(yD(f))h=new Ira(a,b,c,d,e);else if(KD(f))h=new Lra(a,b,c,d,e);else if(g.xD(f))h=new Nra(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return e=b.T(),S("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:e.deviceParams.cplatform,"interface":e.deviceParams.c,b5:e.deviceParams.cver,a5:e.deviceParams.ctheme, -Z4:e.deviceParams.cplayer,p5:e.playerStyle}),new Mqa(a,b,c,d)}}; -Qra=function(a,b,c){this.u=a;this.yi=b;this.B=c}; -g.JS=function(a){g.O.call(this);this.loaded=!1;this.player=a}; -KS=function(a){g.JS.call(this,a);var b=this;this.u=null;this.D=new bG(this.player);this.C=null;this.F=function(){function d(){return b.u} -if(null!=b.C)return b.C;var e=Sma({vC:a.getVideoData(1)});e=new fpa({tJ:new Qra(d,b.B.u.Ke.yi,b.B.B),Ip:e.jK(),uJ:d,FJ:d,KN:d,Wh:b.B.u.Ke.Wh,ci:e.jy(),J:b.player,qg:b.B.u.Ke.qg,Fa:b.B.u.Fa,vg:b.B.u.Ke.vg});b.C=e.B;return b.C}; -this.B=new Pra(this.player,this,this.D,this.F);g.D(this,this.B);this.created=!1;var c=a.T();!uD(c)||g.xD(c)||yD(c)||(c=function(){return b.u},g.D(this,new CP(a,c)),g.D(this,new CN(a,c)))}; -Rra=function(a){var b=a.B.u.Ke.Pb,c=b.u().u;c=jQ(c,"SLOT_TYPE_PLAYER_BYTES_1");var d=[];c=g.q(c.values());for(var e=c.next();!e.done;e=c.next())d.push(e.value.slot);b=pG(b.Da.get(),1).clientPlaybackNonce;c=!1;e=void 0;d=g.q(d);for(var f=d.next();!f.done;f=d.next()){f=f.value;var h=lH(f)?f.hc.C:void 0;h&&h===b&&(h=X(f.va,"metadata_type_fulfilled_layout"),c&&S("More than 1 preroll playerBytes slot detected",f,h,{matches_layout_id:String(e&&h?e.layoutId===h.layoutId:!1),found_layout_id:(null===e||void 0=== -e?void 0:e.layoutId)||"empty",collide_layout_id:(null===h||void 0===h?void 0:h.layoutId)||"empty"}),c=!0,e=h)}(b=c)||(b=a.u,b=!rna(b,una(b)));b||a.B.u.Ke.yl.u()}; -Sra=function(a){a=g.q(a.B.u.Ke.vg.u.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.ab&&"core"===b.bb)return!0;return!1}; -oG=function(a,b,c){c=void 0===c?"":c;var d=a.B.u.Ke.qg,e=a.player.getVideoData(1);e=e&&e.getPlayerResponse()||{};d=Tra(b,d,e&&e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1);zia(a.B.u.Ke.Qb,c,d.Mo,b);a.u&&0b;b++)c[e]=b,d[b]=e,e^=e<<1^(e>>7&&283);LS=new Uint8Array(256);MS=[];NS=[];OS=[];PS=[];for(var f=0;256>f;f++){e=f?d[255^c[f]]:0;e^=e<<1^e<<2^e<<3^e<<4;e=e&255^e>>>8^99;LS[f]=e;b=e<<1^(e>>7&&283);var h=b^e;MS.push(b<<24|e<<16|e<<8|h);NS.push(h<<24|MS[f]>>>8);OS.push(e<<24|NS[f]>>>8);PS.push(e<<24|OS[f]>>>8)}}this.u=[0,0,0,0];this.C=new Uint8Array(16);e=[];for(c=0;4>c;c++)e.push(a[4*c]<<24|a[4*c+1]<<16|a[4* -c+2]<<8|a[4*c+3]);for(d=1;44>c;c++)a=e[c-1],c%4||(a=(LS[a>>16&255]^d)<<24|LS[a>>8&255]<<16|LS[a&255]<<8|LS[a>>>24],d=d<<1^(d>>7&&283)),e.push(e[c-4]^a);this.D=e;this.B=16}; -Ura=function(a,b){for(var c=0;4>c;c++)a.u[c]=b[4*c]<<24|b[4*c+1]<<16|b[4*c+2]<<8|b[4*c+3];a.B=16}; -Vra=function(a){for(var b=a.D,c=a.u[0]^b[0],d=a.u[1]^b[1],e=a.u[2]^b[2],f=a.u[3]^b[3],h=3;0<=h&&!(a.u[h]=-~a.u[h]);h--);for(h=4;40>h;){var l=MS[c>>>24]^NS[d>>16&255]^OS[e>>8&255]^PS[f&255]^b[h++];var m=MS[d>>>24]^NS[e>>16&255]^OS[f>>8&255]^PS[c&255]^b[h++];var n=MS[e>>>24]^NS[f>>16&255]^OS[c>>8&255]^PS[d&255]^b[h++];f=MS[f>>>24]^NS[c>>16&255]^OS[d>>8&255]^PS[e&255]^b[h++];c=l;d=m;e=n}a=a.C;c=[c,d,e,f];for(d=0;16>d;)a[d++]=LS[c[0]>>>24]^b[h]>>>24,a[d++]=LS[c[1]>>16&255]^b[h]>>16&255,a[d++]=LS[c[2]>> -8&255]^b[h]>>8&255,a[d++]=LS[c[3]&255]^b[h++]&255,c.push(c.shift())}; -g.RS=function(){g.C.call(this);this.C=null;this.K=this.I=!1;this.F=new g.am;g.D(this,this.F)}; -SS=function(a){a=a.yq();return 1>a.length?NaN:a.end(a.length-1)}; -Wra=function(a,b){a.C&&null!==b&&b.u===a.C.u||(a.C&&a.C.dispose(),a.C=b)}; -TS=function(a){return fA(a.Gf(),a.getCurrentTime())}; -Xra=function(a,b){if(0==a.yg()||0e&&(b+="0"));if(0f&&(b+="0");b+=f+":";10>c&&(b+="0");d=b+c}return 0<=a?d:"-"+d}; +g.fR=function(a){return(!("button"in a)||"number"!==typeof a.button||0===a.button)&&!("shiftKey"in a&&a.shiftKey)&&!("altKey"in a&&a.altKey)&&!("metaKey"in a&&a.metaKey)&&!("ctrlKey"in a&&a.ctrlKey)}; +gR=function(a,b,c,d,e,f){NQ.call(this,a,{G:"span",N:"ytp-ad-duration-remaining"},"ad-duration-remaining",b,c,d,e);this.videoAdDurationSeconds=f;this.u=null;this.hide()}; +hR=function(a,b,c,d){LQ.call(this,a,b,c,d,"ytp-video-ad-top-bar-title","ad-title")}; +iR=function(a,b){this.u=a;this.j=b}; +rFa=function(a,b){return a.u+b*(a.j-a.u)}; +jR=function(a,b,c){return a.j-a.u?g.ze((b-a.u)/(a.j-a.u),0,1):null!=c?c:Infinity}; +kR=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-ad-persistent-progress-bar-container",W:[{G:"div",N:"ytp-ad-persistent-progress-bar"}]});this.api=a;this.u=b;g.E(this,this.u);this.Kc=this.Da("ytp-ad-persistent-progress-bar");this.j=-1;this.S(a,"presentingplayerstatechange",this.onStateChange);this.hide();this.onStateChange()}; +lR=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-player-overlay",W:[{G:"div",N:"ytp-ad-player-overlay-flyout-cta"},{G:"div",N:"ytp-ad-player-overlay-instream-info"},{G:"div",N:"ytp-ad-player-overlay-skip-or-preview"},{G:"div",N:"ytp-ad-player-overlay-progress-bar"},{G:"div",N:"ytp-ad-player-overlay-instream-user-sentiment"}]},"player-overlay",b,c,d);this.J=f;this.C=this.Da("ytp-ad-player-overlay-flyout-cta");this.api.V().K("web_rounded_thumbnails")&&this.C.classList.add("ytp-ad-player-overlay-flyout-cta-rounded"); +this.u=this.Da("ytp-ad-player-overlay-instream-info");this.B=null;sFa(this)&&(a=pf("div"),g.Qp(a,"ytp-ad-player-overlay-top-bar-gradients"),b=this.u,b.parentNode&&b.parentNode.insertBefore(a,b),(b=this.api.getVideoData(2))&&b.isListed&&b.title&&(c=new hR(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),c.Ea(a),c.init(fN("ad-title"),{text:b.title},this.macros),g.E(this,c)),this.B=a);this.D=this.Da("ytp-ad-player-overlay-skip-or-preview");this.Aa=this.Da("ytp-ad-player-overlay-progress-bar"); +this.Z=this.Da("ytp-ad-player-overlay-instream-user-sentiment");this.j=e;g.E(this,this.j);this.hide()}; +sFa=function(a){a=a.api.V();return g.nK(a)&&a.u}; +mR=function(a,b,c){var d={};b&&(d.v=b);c&&(d.list=c);a={name:a,locale:void 0,feature:void 0};for(var e in d)a[e]=d[e];d=g.Zi("/sharing_services",a);g.ZB(d)}; +g.nR=function(a){a&=16777215;var b=[(a&16711680)>>16,(a&65280)>>8,a&255];a=b[0];var c=b[1];b=b[2];a=Number(a);c=Number(c);b=Number(b);if(a!=(a&255)||c!=(c&255)||b!=(b&255))throw Error('"('+a+","+c+","+b+'") is not a valid RGB color');c=a<<16|c<<8|b;return 16>a?"#"+(16777216|c).toString(16).slice(1):"#"+c.toString(16)}; +vFa=function(a,b){if(!a)return!1;var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow)return!!b.ow[d];var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK)return!!b.ZK[c];for(var f in a)if(b.VK[f])return!0;return!1}; +wFa=function(a,b){var c,d=null==(c=g.K(a,tFa))?void 0:c.signal;if(d&&b.ow&&(c=b.ow[d]))return c();var e;if((c=null==(e=g.K(a,uFa))?void 0:e.request)&&b.ZK&&(e=b.ZK[c]))return e();for(var f in a)if(b.VK[f]&&(a=b.VK[f]))return a()}; +oR=function(a){return function(){return new a}}; +yFa=function(a){var b=void 0===b?"UNKNOWN_INTERFACE":b;if(1===a.length)return a[0];var c=xFa[b];if(c){var d=new RegExp(c),e=g.t(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,d.exec(c))return c}var f=[];Object.entries(xFa).forEach(function(h){var l=g.t(h);h=l.next().value;l=l.next().value;b!==h&&f.push(l)}); d=new RegExp(f.join("|"));a.sort(function(h,l){return h.length-l.length}); -e=g.q(a);for(c=e.next();!c.done;c=e.next())if(c=c.value,!d.exec(c))return c;return a[0]}; -bT=function(a){return"/youtubei/v1/"+isa(a)}; -dT=function(){}; -eT=function(){}; -fT=function(){}; -gT=function(){}; -hT=function(){}; -iT=function(){this.u=this.B=void 0}; -jsa=function(){iT.u||(iT.u=new iT);return iT.u}; -ksa=function(a,b){var c=g.vo("enable_get_account_switcher_endpoint_on_webfe")?b.text().then(function(d){return JSON.parse(d.replace(")]}'",""))}):b.json(); -b.redirected||b.ok?a.u&&a.u.success():(a.u&&a.u.failure(),c=c.then(function(d){g.Is(new g.tr("Error: API fetch failed",b.status,b.url,d));return Object.assign(Object.assign({},d),{errorMetadata:{status:b.status}})})); -return c}; -kT=function(a){if(!jT){var b={lt:{playlistEditEndpoint:hT,subscribeEndpoint:eT,unsubscribeEndpoint:fT,modifyChannelNotificationPreferenceEndpoint:gT}},c=g.vo("web_enable_client_location_service")?WF():void 0,d=[];c&&d.push(c);void 0===a&&(a=Kq());c=jsa();aT.u=new aT(b,c,a,Mea,d);jT=aT.u}return jT}; -lsa=function(a,b){var c={commandMetadata:{webCommandMetadata:{apiUrl:"/youtubei/v1/browse/edit_playlist",url:"/service_ajax",sendPost:!0}},playlistEditEndpoint:{playlistId:"WL",actions:b}},d={list_id:"WL"};c=cT(kT(),c);Am(c.then(function(e){if(e&&"STATUS_SUCCEEDED"===e.status){if(a.onSuccess)a.onSuccess({},d)}else if(a.onError)a.onError({},d)}),function(){a.Zf&&a.Zf({},d)})}; -nsa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{addedVideoId:a.videoIds,action:"ACTION_ADD_VIDEO"}]):msa("add_to_watch_later_list",a,b,c)}; -osa=function(a,b,c){g.vo("web_classic_playlist_one_platform_update")?lsa(a,[{removedVideoId:a.videoIds,action:"ACTION_REMOVE_VIDEO_BY_VIDEO_ID"}]):msa("delete_from_watch_later_list",a,b,c)}; -msa=function(a,b,c,d){g.qq(c?c+"playlist_video_ajax?action_"+a+"=1":"/playlist_video_ajax?action_"+a+"=1",{method:"POST",si:{feature:b.feature||null,authuser:b.ye||null,pageid:b.pageId||null},tc:{video_ids:b.videoIds||null,source_playlist_id:b.sourcePlaylistId||null,full_list_id:b.fullListId||null,delete_from_playlists:b.q5||null,add_to_playlists:b.S4||null,plid:g.L("PLAYBACK_ID")||null},context:b.context,onError:b.onError,onSuccess:function(e,f){b.onSuccess.call(this,e,f)}, -Zf:b.Zf,withCredentials:!!d})}; -g.qsa=function(a,b,c){b=psa(null,b,c);if(b=window.open(b,"loginPopup","width=800,height=600,resizable=yes,scrollbars=yes",!0))c=g.No("LOGGED_IN",function(d){g.Oo(g.L("LOGGED_IN_PUBSUB_KEY",void 0));so("LOGGED_IN",!0);a(d)}),so("LOGGED_IN_PUBSUB_KEY",c),b.moveTo((screen.width-800)/2,(screen.height-600)/2)}; -psa=function(a,b,c){var d="/signin?context=popup";c&&(d=document.location.protocol+"//"+c+d);c=document.location.protocol+"//"+document.domain+"/post_login";a&&(c=Ld(c,"mode",a));a=Ld(d,"next",c);b&&(a=Ld(a,"feature",b));return a}; -lT=function(){}; -mT=function(){}; -ssa=function(){var a,b;return We(this,function d(){var e;return xa(d,function(f){e=navigator;return(null===(a=e.storage)||void 0===a?0:a.estimate)?f["return"](e.storage.estimate()):(null===(b=e.webkitTemporaryStorage)||void 0===b?0:b.u)?f["return"](rsa()):f["return"]()})})}; -rsa=function(){var a=navigator;return new Promise(function(b,c){var d;null!==(d=a.webkitTemporaryStorage)&&void 0!==d&&d.u?a.webkitTemporaryStorage.u(function(e,f){b({usage:e,quota:f})},function(e){c(e)}):c(Error("webkitTemporaryStorage is not supported."))})}; -Mq=function(a,b,c){var d=this;this.zy=a;this.handleError=b;this.u=c;this.B=!1;void 0===self.document||self.addEventListener("beforeunload",function(){d.B=!0})}; -Pq=function(a){var b=Lq;if(a instanceof vr)switch(a.type){case "UNKNOWN_ABORT":case "QUOTA_EXCEEDED":case "QUOTA_MAYBE_EXCEEDED":b.zy(a);break;case "EXPLICIT_ABORT":a.sampleWeight=0;break;default:b.handleError(a)}else b.handleError(a)}; -usa=function(a,b){ssa().then(function(c){c=Object.assign(Object.assign({},b),{isSw:void 0===self.document,isIframe:self!==self.top,deviceStorageUsageMbytes:tsa(null===c||void 0===c?void 0:c.usage),deviceStorageQuotaMbytes:tsa(null===c||void 0===c?void 0:c.quota)});a.u("idbQuotaExceeded",c)})}; -tsa=function(a){return"undefined"===typeof a?"-1":String(Math.ceil(a/1048576))}; -vsa=function(){ZE("bg_l","player_att");nT=(0,g.N)()}; -wsa=function(a){a=void 0===a?{}:a;var b=Ps;a=void 0===a?{}:a;return b.u?b.u.hot?b.u.hot(void 0,void 0,a):b.u.invoke(void 0,void 0,a):null}; -xsa=function(a){a=void 0===a?{}:a;return Qea(a)}; -ysa=function(a,b){var c=this;this.videoData=a;this.C=b;var d={};this.B=(d.c1a=function(){if(oT(c)){var e="";c.videoData&&c.videoData.rh&&(e=c.videoData.rh+("&r1b="+c.videoData.clientPlaybackNonce));var f={};e=(f.atr_challenge=e,f);ZE("bg_v","player_att");e=c.C?wsa(e):g.Ja("yt.abuse.player.invokeBotguard")(e);ZE("bg_s","player_att");e=e?"r1a="+e:"r1c=2"}else ZE("bg_e","player_att"),e="r1c=1";return e},d.c3a=function(e){return"r3a="+Math.floor(c.videoData.lengthSeconds%Number(e.c3a)).toString()},d.c6a= -function(e){e=Number(e.c); -var f=c.C?parseInt(g.L("DCLKSTAT",0),10):(f=g.Ja("yt.abuse.dclkstatus.checkDclkStatus"))?f():NaN;return"r6a="+(e^f)},d); -this.videoData&&this.videoData.rh?this.u=Xp(this.videoData.rh):this.u={}}; -zsa=function(a){if(a.videoData&&a.videoData.rh){for(var b=[a.videoData.rh],c=g.q(Object.keys(a.B)),d=c.next();!d.done;d=c.next())d=d.value,a.u[d]&&a.B[d]&&(d=a.B[d](a.u))&&b.push(d);return b.join("&")}return null}; -Bsa=function(a){var b={};Object.assign(b,a.B);"c1b"in a.u&&(b.c1a=function(){return Asa(a)}); -if(a.videoData&&a.videoData.rh){for(var c=[a.videoData.rh],d=g.q(Object.keys(b)),e=d.next();!e.done;e=d.next())e=e.value,a.u[e]&&b[e]&&(e=b[e](a.u))&&c.push(e);return new Promise(function(f,h){Promise.all(c).then(function(l){f(l.filter(function(m){return!!m}).join("&"))},h)})}return Promise.resolve(null)}; -oT=function(a){return a.C?Ps.Yd():(a=g.Ja("yt.abuse.player.botguardInitialized"))&&a()}; -Asa=function(a){if(!oT(a))return ZE("bg_e","player_att"),Promise.resolve("r1c=1");var b="";a.videoData&&a.videoData.rh&&(b=a.videoData.rh+("&r1b="+a.videoData.clientPlaybackNonce));var c={},d=(c.atr_challenge=b,c),e=a.C?xsa:g.Ja("yt.abuse.player.invokeBotguardAsync");return new Promise(function(f){ZE("bg_v","player_att");e(d).then(function(h){h?(ZE("bg_s","player_att"),f("r1a="+h)):(ZE("bg_e","player_att"),f("r1c=2"))},function(){ZE("bg_e","player_att"); -f("r1c=3")})})}; -Csa=function(a,b,c){"string"===typeof a&&(a={mediaContentUrl:a,startSeconds:b,suggestedQuality:c});a:{if((b=a.mediaContentUrl)&&(b=/\/([ve]|embed)\/([^#?]+)/.exec(b))&&b[2]){b=b[2];break a}b=null}a.videoId=b;return pT(a)}; -pT=function(a,b,c){if("string"===typeof a)return{videoId:a,startSeconds:b,suggestedQuality:c};b=["endSeconds","startSeconds","mediaContentUrl","suggestedQuality","videoId"];c={};for(var d=0;dd&&(d=-(d+1));g.Ie(a,b,d);b.setAttribute("data-layer",String(c))}; -g.XT=function(a){var b=a.T();if(!b.Zb)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=!c.isLiveDefaultBroadcast||g.Q(b.experiments,"allow_poltergust_autoplay");d=c.isLivePlayback&&(!g.Q(b.experiments,"allow_live_autoplay")||!d);var e=c.isLivePlayback&&g.Q(b.experiments,"allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.hasNext();var f=c.watchNextResponse&&c.watchNextResponse.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay); -f=c.qc&&f;return!c.ypcPreview&&(!d||e)&&!g.jb(c.Of,"ypc")&&!a&&(!g.hD(b)||f)}; -g.ZT=function(a,b,c,d,e){a.T().ia&&dta(a.app.ia,b,c,d,void 0===e?!1:e)}; -g.MN=function(a,b,c,d){a.T().ia&&eta(a.app.ia,b,c,void 0===d?!1:d)}; -g.NN=function(a,b,c){a.T().ia&&(a.app.ia.elements.has(b),c&&(b.visualElement=g.Lt(c)))}; -g.$T=function(a,b,c){a.T().ia&&a.app.ia.click(b,c)}; -g.QN=function(a,b,c,d){if(a.T().ia){a=a.app.ia;a.elements.has(b);c?a.u.add(b):a.u["delete"](b);var e=g.Rt(),f=b.visualElement;a.B.has(b)?e&&f&&(c?g.eu(e,[f]):g.fu(e,[f])):c&&!a.C.has(b)&&(e&&f&&g.Yt(e,f,d),a.C.add(b))}}; -g.PN=function(a,b){return a.T().ia?a.app.ia.elements.has(b):!1}; -g.yN=function(a,b){if(a.app.getPresentingPlayerType()===b){var c=a.app,d=g.Z(c,b);d&&(c.ea("release presenting player, type "+d.getPlayerType()+", vid "+d.getVideoData().videoId),d!==c.B?aU(c,c.B):fta(c))}}; -zra=function(a,b,c){c=void 0===c?Infinity:c;a=a.app;b=void 0===b?-1:b;b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.I?bU(a.I,b,c):cU(a.te,b,c)}; -gta=function(a){if(!a.ba("html5_inline_video_quality_survey"))return!1;var b=g.Z(a.app);if(!b)return!1;var c=b.getVideoData();if(!c.Oa||!c.Oa.video||1080>c.Oa.video.Fc||c.OD)return!1;var d=/^qsa/.test(c.clientPlaybackNonce),e="r";0<=c.Oa.id.indexOf(";")&&(d=/^[a-p]/.test(c.clientPlaybackNonce),e="x");a.ba("html5_inline_video_quality_survey_always")&&(d=!0,e="a");return d?(b.Na("iqss",e,!0),!0):!1}; -dU=function(a,b){this.W=a;this.timerName="";this.B=!1;this.u=b||null;this.B=!1}; -hta=function(a){a=a.timerName;OE("yt_sts","p",a);PE("_start",void 0,a)}; -$sa=function(a,b,c){var d=g.nD(b.Sa)&&b.Sa.Sl&&mJ(b);if(b.Sa.Ql&&(jD(b.Sa)||RD(b.Sa)||d)&&!a.B){a.B=!0;g.L("TIMING_ACTION")||so("TIMING_ACTION",a.W.csiPageType);a.W.csiServiceName&&so("CSI_SERVICE_NAME",a.W.csiServiceName);if(a.u){b=a.u.B;d=g.q(Object.keys(b));for(var e=d.next();!e.done;e=d.next())e=e.value,PE(e,b[e],a.timerName);b=a.u.u;d=g.q(Object.keys(b));for(e=d.next();!e.done;e=d.next())e=e.value,OE(e,b[e],a.timerName);b=a.u;b.B={};b.u={}}OE("yt_pvis",Oha(),a.timerName);OE("yt_pt","html5",a.timerName); -c&&!WE("pbs",a.timerName)&&a.tick("pbs",c);c=a.W;!RD(c)&&!jD(c)&&WE("_start",a.timerName)&&$E(a.timerName)}}; -g.eU=function(a,b){this.type=a||"";this.id=b||""}; -g.fU=function(a,b){g.O.call(this);this.Sa=a;this.startSeconds=0;this.shuffle=!1;this.index=0;this.title="";this.length=0;this.items=[];this.Pd=this.loaded=!1;this.Ad=this.Ix=this.Cr=null;this.dislikes=this.likes=this.views=0;this.order=[];this.author="";this.li={};this.xu=0;var c=b.session_data;c&&(this.Ad=Vp(c));this.AJ=0!==b.fetch;this.index=Math.max(0,Number(b.index)||0);this.loop=!!b.loop;this.startSeconds=Number(b.startSeconds)||0;this.JN="1"===b.mob;this.title=b.playlist_title||"";this.description= -b.playlist_description||"";this.author=b.author||b.playlist_author||"";b.video_id&&(this.items[this.index]=b);if(c=b.api)"string"===typeof c&&16===c.length?b.list="PL"+c:b.playlist=c;if(c=b.list)switch(b.listType){case "user_uploads":this.Pd||(this.listId=new g.eU("UU","PLAYER_"+c),this.loadPlaylist("/list_ajax?style=json&action_get_user_uploads_by_user=1",{username:c}));break;case "search":ita(this,c);break;default:var d=b.playlist_length;d&&(this.length=Number(d)||0);this.listId=new g.eU(c.substr(0, -2),c.substr(2));(c=b.video)?(this.items=c.slice(0),this.loaded=!0):jta(this)}else if(b.playlist){c=b.playlist.toString().split(",");0=a.length?0:b}; -lta=function(a){var b=a.index-1;return 0>b?a.length-1:b}; -hU=function(a,b){a.index=g.ce(b,0,a.length-1);a.startSeconds=0}; -ita=function(a,b){if(!a.Pd){a.listId=new g.eU("SR",b);var c={search_query:b};a.JN&&(c.mob="1");a.loadPlaylist("/search_ajax?style=json&embeddable=1",c)}}; -jta=function(a){if(!a.Pd){var b=b||a.listId;b={list:b};var c=a.Ma();c&&c.videoId&&(b.v=c.videoId);a.loadPlaylist("/list_ajax?style=json&action_get_list=1",b)}}; -iU=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=a.Ma();a.items=[];for(var d=g.q(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(d=b.index)?a.index=d:a.findIndex(c);a.setShuffle(!1);a.Pd=!1;a.loaded=!0;a.xu++;a.Cr&&a.Cr()}}; -jU=function(a){var b=g.ZF(),c=a.Ug;c&&(b.clickTracking={clickTrackingParams:c});var d=b.client||{},e="EMBED",f=kJ(a);c=a.T();"leanback"===f?e="WATCH":c.ba("gvi_channel_client_screen")&&"profilepage"===f?e="CHANNEL":a.Zi?e="LIVE_MONITOR":"detailpage"===f?e="WATCH_FULL_SCREEN":"adunit"===f?e="ADUNIT":"sponsorshipsoffer"===f&&(e="UNKNOWN");d.clientScreen=e;if(c.Ja){f=c.Ja.split(",");e=[];f=g.q(f);for(var h=f.next();!h.done;h=f.next())e.push(Number(h.value));d.experimentIds=e}if(e=c.getPlayerType())d.playerType= -e;if(e=c.deviceParams.ctheme)d.theme=e;a.ws&&(d.unpluggedAppInfo={enableFilterMode:!0});if(e=a.ue)d.unpluggedLocationInfo=e;b.client=d;d=b.request||{};if(e=a.mdxEnvironment)d.mdxEnvironment=e;if(e=a.mdxControlMode)d.mdxControlMode=mta[e];b.request=d;d=b.user||{};if(e=a.lg)d.credentialTransferTokens=[{token:e,scope:"VIDEO"}];if(e=a.Ph)d.delegatePurchases={oauthToken:e},d.kidsParent={oauthToken:e};b.user=d;if(d=a.contextParams)b.activePlayers=[{playerContextParams:d}];if(a=a.clientScreenNonce)b.clientScreenNonce= -a;if(a=c.Qa)b.thirdParty={embedUrl:a};return b}; -kU=function(a,b,c){var d=a.videoId,e=jU(a),f=a.T(),h={html5Preference:"HTML5_PREF_WANTS",lactMilliseconds:String(Bp()),referer:document.location.toString(),signatureTimestamp:18610};g.ht.getInstance();a.Kh&&(h.autonav=!0);g.jt(0,141)&&(h.autonavState=g.jt(0,140)?"STATE_OFF":"STATE_ON");h.autoCaptionsDefaultOn=g.jt(0,66);nJ(a)&&(h.autoplay=!0);f.C&&a.cycToken&&(h.cycToken=a.cycToken);a.Ly&&(h.fling=!0);var l=a.Yn;if(l){var m={},n=l.split("|");3===n.length?(m.breakType=nta[n[0]],m.offset={kind:"OFFSET_MILLISECONDS", -value:String(Number(n[1])||0)},m.url=n[2]):m.url=l;h.forceAdParameters={videoAds:[m]}}a.isLivingRoomDeeplink&&(h.isLivingRoomDeeplink=!0);l=a.Cu;if(null!=l){l={startWalltime:String(l)};if(m=a.vo)l.manifestDuration=String(m||14400);h.liveContext=l}a.mutedAutoplay&&(h.mutedAutoplay=!0);a.Uj&&(h.splay=!0);l=a.vnd;5===l&&(h.vnd=l);if((l=a.isMdxPlayback)||g.Q(f.experiments,"send_mdx_remote_data_if_present")){l={triggeredByMdx:l};if(n=a.nf)m=n.startsWith("!"),n=n.split("-"),3===n.length?(m&&(n[0]=n[0].substr(1)), -m={clientName:ota[n[0]]||"UNKNOWN_INTERFACE",platform:pta[n[1]]||"UNKNOWN_PLATFORM",applicationState:m?"INACTIVE":"ACTIVE",clientVersion:n[2]||""},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]):(m={clientName:"UNKNOWN_INTERFACE"},f.ba("use_remote_context_in_populate_remote_client_info")?l.remoteContexts=[{remoteClient:m}]:l.remoteClients=[m]);if(m=a.Cj)l.skippableAdsSupported=m.split(",").includes("ska");h.mdxContext=l}l=b.width; -0Math.random()){var B=new g.tr("Unable to load player module",b+".js from "+d+" on "+(document.location&&document.location.origin)+".");g.Hs(B)}gm(p);t&&t(x)}; -var w=h,y=w.onreadystatechange;w.onreadystatechange=function(x){switch(w.readyState){case "loaded":case "complete":gm(n)}y&&y(x)}; -f&&((e=a.J.T().cspNonce)&&h.setAttribute("nonce",e),g.kd(h,g.sg(d)),e=document.getElementsByTagName("HEAD")[0]||document.body,e.insertBefore(h,e.firstChild),g.eg(a,function(){h.parentNode&&h.parentNode.removeChild(h);g.qU[b]=null;"annotations_module"===b&&(g.qU.creatorendscreen=null)}))}}; -xU=function(a,b,c,d){g.O.call(this);var e=this;this.target=a;this.aa=b;this.B=0;this.I=!1;this.D=new g.ge(NaN,NaN);this.u=new g.tR(this);this.ha=this.C=this.K=null;g.D(this,this.u);b=d?4E3:3E3;this.P=new g.F(function(){wU(e,1,!1)},b,this); -g.D(this,this.P);this.X=new g.F(function(){wU(e,2,!1)},b,this); -g.D(this,this.X);this.Y=new g.F(function(){wU(e,512,!1)},b,this); -g.D(this,this.Y);this.fa=c&&01+b&&a.api.toggleFullscreen()}; -Nta=function(){var a=er()&&67<=br();return!dr("tizen")&&!fD&&!a&&!0}; -WU=function(a){g.V.call(this,{G:"button",la:["ytp-button","ytp-back-button"],S:[{G:"div",L:"ytp-arrow-back-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},S:[{G:"path",U:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",wb:!0,U:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.J=a;g.JN(this,a.T().showBackButton);this.wa("click",this.onClick)}; -g.XU=function(a){g.V.call(this,{G:"div",S:[{G:"div",L:"ytp-bezel-text-wrapper",S:[{G:"div",L:"ytp-bezel-text",Z:"{{title}}"}]},{G:"div",L:"ytp-bezel",U:{role:"status","aria-label":"{{label}}"},S:[{G:"div",L:"ytp-bezel-icon",Z:"{{icon}}"}]}]});this.J=a;this.B=new g.F(this.show,10,this);this.u=new g.F(this.hide,500,this);g.D(this,this.B);g.D(this,this.u);this.hide()}; -ZU=function(a,b,c){if(0>=b){c=dO();b="muted";var d=0}else c=c?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", -fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";YU(a,c,b,d+"%")}; -Sta=function(a,b){var c=b?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]},d=a.J.getPlaybackRate(),e=g.tL("Speed is $RATE",{RATE:String(d)});YU(a,c,e,d+"x")}; -YU=function(a,b,c,d){d=void 0===d?"":d;a.ya("label",void 0===c?"":c);a.ya("icon",b);a.u.rg();a.B.start();a.ya("title",d);g.J(a.element,"ytp-bezel-text-hide",!d)}; -$U=function(a,b,c){g.V.call(this,{G:"div",L:"ytp-cards-teaser",S:[{G:"div",L:"ytp-cards-teaser-box"},{G:"div",L:"ytp-cards-teaser-text",S:[{G:"span",L:"ytp-cards-teaser-label",Z:"{{text}}"}]}]});var d=this;this.J=a;this.X=b;this.Di=c;this.D=new g.mO(this,250,!1,250);this.u=null;this.K=new g.F(this.wP,300,this);this.I=new g.F(this.vP,2E3,this);this.F=[];this.B=null;this.P=new g.F(function(){d.element.style.margin="0"},250); -this.C=null;g.D(this,this.D);g.D(this,this.K);g.D(this,this.I);g.D(this,this.P);this.N(c.element,"mouseover",this.VE);this.N(c.element,"mouseout",this.UE);this.N(a,"cardsteasershow",this.LQ);this.N(a,"cardsteaserhide",this.nb);this.N(a,"cardstatechange",this.fI);this.N(a,"presentingplayerstatechange",this.fI);this.N(a,"appresize",this.ZA);this.N(a,"onShowControls",this.ZA);this.N(a,"onHideControls",this.GJ);this.wa("click",this.kS);this.wa("mouseenter",this.IM)}; -bV=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-button","ytp-cards-button"],U:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"span",L:"ytp-cards-button-icon-default",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, -{G:"div",L:"ytp-cards-button-title",Z:"Info"}]},{G:"span",L:"ytp-cards-button-icon-shopping",S:[{G:"div",L:"ytp-cards-button-icon",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",L:"ytp-svg-shadow",U:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",L:"ytp-svg-fill",U:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", -"fill-opacity":"1"}},{G:"path",L:"ytp-svg-shadow-fill",U:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", -L:"ytp-cards-button-title",Z:"Shopping"}]}]});this.J=a;this.D=b;this.C=c;this.u=null;this.B=new g.mO(this,250,!0,100);g.D(this,this.B);g.J(this.C,"ytp-show-cards-title",g.hD(a.T()));this.hide();this.wa("click",this.onClicked);this.wa("mouseover",this.YO);aV(this,!0)}; -aV=function(a,b){b?a.u=g.cV(a.D.Rb(),a.element):(a.u=a.u,a.u(),a.u=null)}; -Uta=function(a,b,c,d){var e=window.location.search;if(38===b.bh&&"books"===a.playerStyle)return e=b.videoId.indexOf(":"),g.Md("//play.google.com/books/volumes/"+b.videoId.slice(0,e)+"/content/media",{aid:b.videoId.slice(e+1),sig:b.ON});if(30===b.bh&&"docs"===a.playerStyle)return g.Md("https://docs.google.com/get_video_info",{docid:b.videoId,authuser:b.ye,authkey:b.authKey,eurl:a.Qa});if(33===b.bh&&"google-live"===a.playerStyle)return g.Md("//google-liveplayer.appspot.com/get_video_info",{key:b.videoId}); -"yt"!==a.Y&&g.Hs(Error("getVideoInfoUrl for invalid namespace: "+a.Y));var f={html5:"1",video_id:b.videoId,cpn:b.clientPlaybackNonce,eurl:a.Qa,ps:a.playerStyle,el:kJ(b),hl:a.Lg,list:b.playlistId,agcid:b.RB,aqi:b.adQueryId,sts:18610,lact:Bp()};g.Ua(f,a.deviceParams);a.Ja&&(f.forced_experiments=a.Ja);b.lg?(f.vvt=b.lg,b.mdxEnvironment&&(f.mdx_environment=b.mdxEnvironment)):b.uf()&&(f.access_token=b.uf());b.adFormat&&(f.adformat=b.adFormat);0<=b.slotPosition&&(f.slot_pos=b.slotPosition);b.breakType&& -(f.break_type=b.breakType);null!==b.Sw&&(f.ad_id=b.Sw);null!==b.Yw&&(f.ad_sys=b.Yw);null!==b.Gx&&(f.encoded_ad_playback_context=b.Gx);b.GA&&(f.tpra="1");a.captionsLanguagePreference&&(f.cc_lang_pref=a.captionsLanguagePreference);a.zj&&2!==a.zj&&(f.cc_load_policy=a.zj);var h=g.jt(g.ht.getInstance(),65);g.ND(a)&&null!=h&&!h&&(f.device_captions_on="1");a.mute&&(f.mute=a.mute);b.annotationsLoadPolicy&&2!==a.annotationsLoadPolicy&&(f.iv_load_policy=b.annotationsLoadPolicy);b.xt&&(f.endscreen_ad_tracking= -b.xt);(h=a.K.get(b.videoId))&&h.ts&&(f.ic_track=h.ts);b.Ug&&(f.itct=b.Ug);nJ(b)&&(f.autoplay="1");b.mutedAutoplay&&(f.mutedautoplay=b.mutedAutoplay);b.Kh&&(f.autonav="1");b.Oy&&(f.noiba="1");g.Q(a.experiments,"send_mdx_remote_data_if_present")?(b.isMdxPlayback&&(f.mdx="1"),b.nf&&(f.ytr=b.nf)):b.isMdxPlayback&&(f.mdx="1",f.ytr=b.nf);b.mdxControlMode&&(f.mdx_control_mode=b.mdxControlMode);b.Cj&&(f.ytrcc=b.Cj);b.Wy&&(f.utpsa="1");b.Ly&&(f.is_fling="1");b.My&&(f.mute="1");b.vnd&&(f.vnd=b.vnd);b.Yn&&(h= -3===b.Yn.split("|").length,f.force_ad_params=h?b.Yn:"||"+b.Yn);b.an&&(f.preload=b.an);c.width&&(f.width=c.width);c.height&&(f.height=c.height);b.Uj&&(f.splay="1");b.ypcPreview&&(f.ypc_preview="1");lJ(b)&&(f.content_v=lJ(b));b.Zi&&(f.livemonitor=1);a.ye&&(f.authuser=a.ye);a.pageId&&(f.pageid=a.pageId);a.kc&&(f.ei=a.kc);a.B&&(f.iframe="1");b.contentCheckOk&&(f.cco="1");b.racyCheckOk&&(f.rco="1");a.C&&b.Cu&&(f.live_start_walltime=b.Cu);a.C&&b.vo&&(f.live_manifest_duration=b.vo);a.C&&b.playerParams&& -(f.player_params=b.playerParams);a.C&&b.cycToken&&(f.cyc=b.cycToken);a.C&&b.JA&&(f.tkn=b.JA);0!==d&&(f.vis=d);a.enableSafetyMode&&(f.enable_safety_mode="1");b.Ph&&(f.kpt=b.Ph);b.vu&&(f.kids_age_up_mode=b.vu);b.kidsAppInfo&&(f.kids_app_info=b.kidsAppInfo);b.ws&&(f.upg_content_filter_mode="1");a.widgetReferrer&&(f.widget_referrer=a.widgetReferrer.substring(0,128));b.ue?(h=null!=b.ue.latitudeE7&&null!=b.ue.longitudeE7?b.ue.latitudeE7+","+b.ue.longitudeE7:",",h+=","+(b.ue.clientPermissionState||0)+","+ -(b.ue.locationRadiusMeters||"")+","+(b.ue.locationOverrideToken||"")):h=null;h&&(f.uloc=h);b.Iq&&(f.internalipoverride=b.Iq);a.embedConfig&&(f.embed_config=a.embedConfig);a.Dn&&(f.co_rel="1");0b);e=d.next())c++;return 0===c?c:c-1}; -mua=function(a,b){var c=IV(a,b)+1;return cd;e={yk:e.yk},f++){e.yk=c[f];a:switch(e.yk.img||e.yk.iconId){case "facebook":var h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", -fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", -fill:"#01abf0"}}]};break a;default:h=null}h&&(h=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],U:{href:e.yk.url,target:"_blank",title:e.yk.sname||e.yk.serviceName},S:[h]}),h.wa("click",function(m){return function(n){if(g.cP(n)){var p=m.yk.url;var r=void 0===r?{}:r;r.target=r.target||"YouTube";r.width=r.width||"600";r.height=r.height||"600";r||(r={});var t=window;var w=p instanceof g.Ec?p:g.Jc("undefined"!=typeof p.href?p.href:String(p));p=r.target||p.target;var y=[];for(x in r)switch(x){case "width":case "height":case "top":case "left":y.push(x+ -"="+r[x]);break;case "target":case "noopener":case "noreferrer":break;default:y.push(x+"="+(r[x]?1:0))}var x=y.join(",");Vd()&&t.navigator&&t.navigator.standalone&&p&&"_self"!=p?(x=g.Fe("A"),g.jd(x,w),x.setAttribute("target",p),r.noreferrer&&x.setAttribute("rel","noreferrer"),r=document.createEvent("MouseEvent"),r.initMouseEvent("click",!0,!0,t,1),x.dispatchEvent(r),t={}):r.noreferrer?(t=ld("",t,p,x),r=g.Fc(w),t&&(g.OD&&-1!=r.indexOf(";")&&(r="'"+r.replace(/'/g,"%27")+"'"),t.opener=null,r=g.fd(g.gc("b/12014412, meta tag with sanitized URL"), -''),(w=t.document)&&w.write&&(w.write(g.bd(r)),w.close()))):(t=ld(w,t,p,x))&&r.noopener&&(t.opener=null);if(r=t)r.opener||(r.opener=window),r.focus();g.ip(n)}}}(e)),g.eg(h,g.cV(a.tooltip,h.element)),a.B.push(h),d++)}var l=b.more||b.moreLink; -c=new g.V({G:"a",la:["ytp-share-panel-service-button","ytp-button"],S:[{G:"span",L:"ytp-share-panel-service-button-more",S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},S:[{G:"rect",U:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",U:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", -fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],U:{href:l,target:"_blank",title:"More"}});c.wa("click",function(m){g.BU(l,a.api,m)&&a.api.xa("SHARE_CLICKED")}); -g.eg(c,g.cV(a.tooltip,c.element));a.B.push(c);a.ya("buttons",a.B)}; -wua=function(a){g.sn(a.element,"ytp-share-panel-loading");g.I(a.element,"ytp-share-panel-fail")}; -vua=function(a){for(var b=g.q(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.fg(c);a.B=[]}; -ZV=function(a,b){g.V.call(this,{G:"div",L:"ytp-suggested-action"});var c=this;this.J=a;this.Ta=b;this.za=this.I=this.u=this.C=this.B=this.F=this.expanded=this.enabled=this.dismissed=!1;this.Qa=!0;this.ha=new g.F(function(){c.badge.element.style.width=""},200,this); -this.ma=new g.F(function(){XV(c);YV(c)},200,this); -this.dismissButton=new g.V({G:"button",la:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.D(this,this.dismissButton);this.D=new g.V({G:"div",L:"ytp-suggested-action-badge-expanded-content-container",S:[{G:"label",L:"ytp-suggested-action-badge-title",Z:"{{badgeLabel}}"},this.dismissButton]});g.D(this,this.D);this.badge=new g.V({G:"button",la:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],S:[{G:"div",L:"ytp-suggested-action-badge-icon"},this.D]}); -g.D(this,this.badge);this.badge.ga(this.element);this.P=new g.mO(this.badge,250,!1,100);g.D(this,this.P);this.Y=new g.mO(this.D,250,!1,100);g.D(this,this.Y);this.ia=new g.gn(this.ZR,null,this);g.D(this,this.ia);this.X=new g.gn(this.ZJ,null,this);g.D(this,this.X);g.D(this,this.ha);g.D(this,this.ma);g.MN(this.J,this.badge.element,this.badge,!0);g.MN(this.J,this.dismissButton.element,this.dismissButton,!0);this.N(this.J,"onHideControls",function(){c.u=!1;YV(c);XV(c);c.ri()}); -this.N(this.J,"onShowControls",function(){c.u=!0;YV(c);XV(c);c.ri()}); -this.N(this.badge.element,"click",this.DF);this.N(this.dismissButton.element,"click",this.EF);this.N(this.J,"pageTransition",this.TM);this.N(this.J,"appresize",this.ri);this.N(this.J,"fullscreentoggled",this.ri);this.N(this.J,"cardstatechange",this.vO);this.N(this.J,"annotationvisibility",this.zS,this)}; -XV=function(a){g.J(a.badge.element,"ytp-suggested-action-badge-with-controls",a.u||!a.F)}; -YV=function(a,b){var c=a.I||a.u||!a.F;a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.ia.stop(),a.X.stop(),a.ha.stop(),a.ia.start()):(g.JN(a.D,a.expanded),g.J(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),xua(a))}; -xua=function(a){a.B&&g.QN(a.J,a.badge.element,a.cw());a.C&&g.QN(a.J,a.dismissButton.element,a.cw()&&(a.I||a.u||!a.F))}; -yua=function(a,b){b?a.C&&g.$T(a.J,a.dismissButton.element):a.B&&g.$T(a.J,a.badge.element)}; -$V=function(a,b){ZV.call(this,a,b);var c=this;this.K=this.aa=this.fa=!1;this.N(this.J,g.hF("shopping_overlay_visible"),function(){c.ff(!0)}); -this.N(this.J,g.iF("shopping_overlay_visible"),function(){c.ff(!1)}); -this.N(this.J,g.hF("shopping_overlay_expanded"),function(){c.I=!0;YV(c)}); -this.N(this.J,g.iF("shopping_overlay_expanded"),function(){c.I=!1;YV(c)}); -this.N(this.J,"changeProductsInVideoVisibility",this.QP);this.N(this.J,"videodatachange",this.Ra);this.N(this.J,"paidcontentoverlayvisibilitychange",this.HP)}; -zua=function(a,b){b=void 0===b?0:b;var c=[],d=a.timing.visible,e=a.timing.expanded;d&&c.push(new g.eF(1E3*(d.startSec+b),1E3*(d.endSec+b),{priority:7,namespace:"shopping_overlay_visible"}));e&&c.push(new g.eF(1E3*(e.startSec+b),1E3*(e.endSec+b),{priority:7,namespace:"shopping_overlay_expanded"}));g.zN(a.J,c)}; -aW=function(a){g.WT(a.J,"shopping_overlay_visible");g.WT(a.J,"shopping_overlay_expanded")}; -bW=function(a){g.OU.call(this,a,{G:"button",la:["ytp-skip-intro-button","ytp-popup","ytp-button"],S:[{G:"div",L:"ytp-skip-intro-button-text",Z:"Skip Intro"}]},100);var b=this;this.C=!1;this.B=new g.F(function(){b.hide()},5E3); -this.al=this.Em=NaN;g.D(this,this.B);this.I=function(){b.show()}; -this.F=function(){b.hide()}; -this.D=function(){var c=b.J.getCurrentTime();c>b.Em/1E3&&ca}; +wJa=function(a,b){uJa(a.program,b.A8)&&(fF("bg_i",void 0,"player_att"),g.fS.initialize(a,function(){var c=a.serverEnvironment;fF("bg_l",void 0,"player_att");sJa=(0,g.M)();for(var d=0;dr.length)){q={applicationState:q?"INACTIVE":"ACTIVE",clientFormFactor:JJa[r[1]]||"UNKNOWN_FORM_FACTOR",clientName:KJa[r[0]]||"UNKNOWN_INTERFACE",clientVersion:r[2]|| +"",platform:LJa[r[1]]||"UNKNOWN_PLATFORM"};r=void 0;if(n){v=void 0;try{v=JSON.parse(n)}catch(B){g.DD(B)}v&&(r={params:[{key:"ms",value:v.ms}]},q.osName=v.os_name,q.userAgent=v.user_agent,q.windowHeightPoints=v.window_height_points,q.windowWidthPoints=v.window_width_points)}l.push({adSignalsInfo:r,remoteClient:q})}m.remoteContexts=l}n=a.sourceContainerPlaylistId;l=a.serializedMdxMetadata;if(n||l)p={},n&&(p.mdxPlaybackContainerInfo={sourceContainerPlaylistId:n}),l&&(p.serializedMdxMetadata=l),m.mdxPlaybackSourceContext= +p;h.mdxContext=m;m=b.width;0d&&(d=-(d+1));g.wf(a,b,d);b.setAttribute("data-layer",String(c))}; +g.OS=function(a){var b=a.V();if(!b.Od)return!1;var c=a.getVideoData();if(!c||3===a.getPresentingPlayerType())return!1;var d=(!c.isLiveDefaultBroadcast||b.K("allow_poltergust_autoplay"))&&!aN(c);d=c.isLivePlayback&&(!b.K("allow_live_autoplay")||!d);var e=c.isLivePlayback&&b.K("allow_live_autoplay_on_mweb");a=a.getPlaylist();a=!!a&&a.Ck();var f=c.jd&&c.jd.playerOverlays||null;f=!!(f&&f.playerOverlayRenderer&&f.playerOverlayRenderer.autoplay);f=c.D&&f;return!c.ypcPreview&&(!d||e)&&!g.rb(c.Ja,"ypc")&& +!a&&(!g.fK(b)||f)}; +pKa=function(a){a=g.qS(a.app);if(!a)return!1;var b=a.getVideoData();if(!b.u||!b.u.video||1080>b.u.video.j||b.jT)return!1;var c=/^qsa/.test(b.clientPlaybackNonce),d="r";0<=b.u.id.indexOf(";")&&(c=/^[a-p]/.test(b.clientPlaybackNonce),d="x");return c?(a.xa("iqss",{trigger:d},!0),!0):!1}; +g.PS=function(a,b,c,d){d=void 0===d?!1:d;g.dQ.call(this,b);var e=this;this.F=a;this.Ga=d;this.J=new g.bI(this);this.Z=new g.QQ(this,c,!0,void 0,void 0,function(){e.BT()}); +g.E(this,this.J);g.E(this,this.Z)}; +qKa=function(a){a.u&&(document.activeElement&&g.zf(a.element,document.activeElement)&&(Bf(a.u),a.u.focus()),a.u.setAttribute("aria-expanded","false"),a.u=void 0);g.Lz(a.J);a.T=void 0}; +QS=function(a,b,c){a.ej()?a.Fb():a.od(b,c)}; +rKa=function(a,b,c,d){d=new g.U({G:"div",Ia:["ytp-linked-account-popup-button"],ra:d,X:{role:"button",tabindex:"0"}});b=new g.U({G:"div",N:"ytp-linked-account-popup",X:{role:"dialog","aria-modal":"true",tabindex:"-1"},W:[{G:"div",N:"ytp-linked-account-popup-title",ra:b},{G:"div",N:"ytp-linked-account-popup-description",ra:c},{G:"div",N:"ytp-linked-account-popup-buttons",W:[d]}]});g.PS.call(this,a,{G:"div",N:"ytp-linked-account-popup-container",W:[b]},100);var e=this;this.dialog=b;g.E(this,this.dialog); +d.Ra("click",function(){e.Fb()}); +g.E(this,d);g.NS(this.F,this.element,4);this.hide()}; +g.SS=function(a,b,c,d){g.dQ.call(this,a);this.priority=b;c&&g.RS(this,c);d&&this.ge(d)}; +g.TS=function(a,b,c){a=void 0===a?{}:a;b=void 0===b?[]:b;c=void 0===c?!1:c;b.push("ytp-menuitem");"role"in a||(a.role="menuitem");c||"tabindex"in a||(a.tabindex="0");return{G:c?"a":"div",Ia:b,X:a,W:[{G:"div",N:"ytp-menuitem-icon",ra:"{{icon}}"},{G:"div",N:"ytp-menuitem-label",ra:"{{label}}"},{G:"div",N:"ytp-menuitem-content",ra:"{{content}}"}]}}; +US=function(a,b){a.updateValue("icon",b)}; +g.RS=function(a,b){a.updateValue("label",b)}; +VS=function(a){g.SS.call(this,g.TS({"aria-haspopup":"true"},["ytp-linked-account-menuitem"]),2);var b=this;this.F=a;this.u=this.j=!1;this.Eb=a.Nm();a.Zf(this.element,this,!0);this.S(this.F,"settingsMenuVisibilityChanged",function(c){b.Zb(c)}); +this.S(this.F,"videodatachange",this.C);this.Ra("click",this.onClick);this.C()}; +WS=function(a){return a?g.gE(a):""}; +XS=function(a){g.C.call(this);this.api=a}; +YS=function(a){XS.call(this,a);var b=this;mS(a,"setAccountLinkState",function(c){b.setAccountLinkState(c)}); +mS(a,"updateAccountLinkingConfig",function(c){b.updateAccountLinkingConfig(c)}); +a.addEventListener("videodatachange",function(c,d){b.onVideoDataChange(d)}); +a.addEventListener("settingsMenuInitialized",function(){b.menuItem=new VS(b.api);g.E(b,b.menuItem)})}; +sKa=function(a){XS.call(this,a);this.events=new g.bI(a);g.E(this,this.events);a.K("fetch_bid_for_dclk_status")&&this.events.S(a,"videoready",function(b){var c,d={contentCpn:(null==(c=a.getVideoData(1))?void 0:c.clientPlaybackNonce)||""};2===a.getPresentingPlayerType()&&(d.adCpn=b.clientPlaybackNonce);g.gA(g.iA(),function(){rsa("vr",d)})}); +a.K("report_pml_debug_signal")&&this.events.S(a,"videoready",function(b){if(1===a.getPresentingPlayerType()){var c,d,e={playerDebugData:{pmlSignal:!!(null==(c=b.getPlayerResponse())?0:null==(d=c.adPlacements)?0:d.some(function(f){var h;return null==f?void 0:null==(h=f.adPlacementRenderer)?void 0:h.renderer})), +contentCpn:b.clientPlaybackNonce}};g.rA("adsClientStateChange",e)}})}; +uKa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-button"],X:{title:"{{title}}","aria-label":"{{label}}","data-priority":"-10","data-tooltip-target-id":"ytp-autonav-toggle-button"},W:[{G:"div",N:"ytp-autonav-toggle-button-container",W:[{G:"div",N:"ytp-autonav-toggle-button",X:{"aria-checked":"true"}}]}]});this.F=a;this.u=[];this.j=!1;this.isChecked=!0;a.sb(this.element,this,113681);this.S(a,"presentingplayerstatechange",this.SA);this.Ra("click",this.onClick);this.F.V().K("web_player_autonav_toggle_always_listen")&& +tKa(this);this.tooltip=b.Ic();g.bb(this,g.ZS(b.Ic(),this.element));this.SA()}; +tKa=function(a){a.u.push(a.S(a.F,"videodatachange",a.SA));a.u.push(a.S(a.F,"videoplayerreset",a.SA));a.u.push(a.S(a.F,"onPlaylistUpdate",a.SA));a.u.push(a.S(a.F,"autonavchange",a.yR))}; +vKa=function(a){a.isChecked=a.isChecked;a.Da("ytp-autonav-toggle-button").setAttribute("aria-checked",String(a.isChecked));var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.updateValue("title",b);a.updateValue("label",b);$S(a.tooltip)}; +wKa=function(a){return a.F.V().K("web_player_autonav_use_server_provided_state")&&kM(a.Hd())}; +xKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);var c=a.V();c.Od&&c.K("web_player_move_autonav_toggle")&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a),e=new uKa(a,d);g.E(b,e);d.aB(e)})}; +yKa=function(){g.Wz();return g.Xz(0,192)?g.Xz(0,190):!g.gy("web_watch_cinematics_disabled_by_default")}; +aT=function(a,b){g.SS.call(this,g.TS({role:"menuitemcheckbox","aria-checked":"false"}),b,a,{G:"div",N:"ytp-menuitem-toggle-checkbox"});this.checked=!1;this.Ra("click",this.onClick)}; +bT=function(a,b){a.checked=b;a.element.setAttribute("aria-checked",String(a.checked))}; +cT=function(a){var b=a.K("web_player_use_cinematic_label_2")?"Ambient mode":"Cinematic lighting";aT.call(this,b,13);var c=this;this.F=a;this.j=!1;this.u=new g.Ip(function(){g.Sp(c.element,"ytp-menuitem-highlighted")},0); +this.Eb=a.Nm();US(this,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M21 7v10H3V7h18m1-1H2v12h20V6zM11.5 2v3h1V2h-1zm1 17h-1v3h1v-3zM3.79 3 6 5.21l.71-.71L4.5 2.29 3.79 3zm2.92 16.5L6 18.79 3.79 21l.71.71 2.21-2.21zM19.5 2.29 17.29 4.5l.71.71L20.21 3l-.71-.71zm0 19.42.71-.71L18 18.79l-.71.71 2.21 2.21z",fill:"white"}}]});this.subscribe("select",this.C,this);this.Ra(zKa,this.B);g.E(this,this.u)}; +BKa=function(a){XS.call(this,a);var b=this;this.j=!1;var c;this.K("web_cinematic_watch_settings")&&(null==(c=a.V().webPlayerContextConfig)?0:c.cinematicSettingsAvailable)&&(a.addEventListener("settingsMenuInitialized",function(){AKa(b)}),a.addEventListener("highlightSettingsMenu",function(d){AKa(b); +var e=b.menuItem;"menu_item_cinematic_lighting"===d&&(g.Qp(e.element,"ytp-menuitem-highlighted"),g.Qp(e.element,"ytp-menuitem-highlight-transition-enabled"),e.u.start())}),mS(a,"updateCinematicSettings",function(d){b.updateCinematicSettings(d)}))}; +AKa=function(a){a.menuItem||(a.menuItem=new cT(a.api),g.E(a,a.menuItem),a.menuItem.Pa(a.j))}; +dT=function(a){XS.call(this,a);var b=this;this.j={};this.events=new g.bI(a);g.E(this,this.events);this.K("enable_precise_embargos")&&!g.FK(this.api.V())&&(this.events.S(a,"videodatachange",function(){var c=b.api.getVideoData();b.api.Ff("embargo",1);(null==c?0:c.cueRanges)&&CKa(b,c)}),this.events.S(a,g.ZD("embargo"),function(c){var d; +c=null!=(d=b.j[c.id])?d:[];d=g.t(c);for(c=d.next();!c.done;c=d.next()){var e=c.value;b.api.hideControls();b.api.Ng("heartbeat.stop",2,"This video isn't available in your current playback area");c=void 0;(e=null==(c=e.embargo)?void 0:c.onTrigger)&&b.api.Na("innertubeCommand",e)}}))}; +CKa=function(a,b){if(null!=b&&aN(b)||a.K("enable_discrete_live_precise_embargos")){var c;null==(c=b.cueRanges)||c.filter(function(d){var e;return null==(e=d.onEnter)?void 0:e.some(a.u)}).forEach(function(d){var e,f=Number(null==(e=d.playbackPosition)?void 0:e.utcTimeMillis)/1E3,h; +e=f+Number(null==(h=d.duration)?void 0:h.seconds);h="embargo_"+f;a.api.addUtcCueRange(h,f,e,"embargo",!1);d.onEnter&&(a.j[h]=d.onEnter.filter(a.u))})}}; +DKa=function(a){XS.call(this,a);var b=this;this.j=[];this.events=new g.bI(a);g.E(this,this.events);mS(a,"addEmbedsConversionTrackingParams",function(c){b.api.V().Un&&b.addEmbedsConversionTrackingParams(c)}); +this.events.S(a,"veClickLogged",function(c){b.api.Dk(c)&&(c=Uh(c.visualElement.getAsJspb(),2),b.j.push(c))})}; +EKa=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);a.K("embeds_web_enable_ve_logging_unification")&&a.V().C&&(this.events.S(a,"initialvideodatacreated",function(c){pP().wk(16623);b.j=g.FE();if(SM(c)){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"});if(c.jd){var d,e=null==(d=c.jd)?void 0:d.trackingParams;e&&pP().eq(e)}if(c.getPlayerResponse()){var f;(c=null==(f=c.getPlayerResponse())?void 0:f.trackingParams)&&pP().eq(c)}}else pP().wk(32594, +void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"}),c.kf&&(f=null==(e=c.kf)?void 0:e.trackingParams)&&pP().eq(f)}),this.events.S(a,"loadvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"cuevideo",function(){pP().wk(32594,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED", +parentCsn:b.j})}),this.events.S(a,"largeplaybuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistnextbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistprevbuttonclicked",function(c){pP().wk(27240,c.visualElement)}),this.events.S(a,"playlistautonextvideo",function(){pP().wk(27240,void 0,{Ny:"INTERACTION_LOGGING_GESTURE_TYPE_AUTOMATED"})}))}; +eT=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullerscreen-edu-button","ytp-button"],W:[{G:"div",Ia:["ytp-fullerscreen-edu-text"],ra:"Scroll for details"},{G:"div",Ia:["ytp-fullerscreen-edu-chevron"],W:[{G:"svg",X:{height:"100%",viewBox:"0 0 24 24",width:"100%"},W:[{G:"path",X:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.Ta=a;this.B=b;this.j=new g.QQ(this,250,void 0,100);this.C=this.u=!1;a.sb(this.element,this,61214);this.B=b;g.E(this,this.j);this.S(a, +"fullscreentoggled",this.Pa);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);this.Pa()}; +fT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);mS(this.api,"updateFullerscreenEduButtonSubtleModeState",function(d){b.updateFullerscreenEduButtonSubtleModeState(d)}); +mS(this.api,"updateFullerscreenEduButtonVisibility",function(d){b.updateFullerscreenEduButtonVisibility(d)}); +var c=a.V();a.K("external_fullscreen_with_edu")&&c.externalFullscreen&&BK(c)&&"1"===c.controlsType&&this.events.S(a,"basechromeinitialized",function(){var d=g.rS(a);b.j=new eT(a,d);g.E(b,b.j);d.aB(b.j)})}; +FKa=function(a){g.U.call(this,{G:"div",N:"ytp-gated-actions-overlay",W:[{G:"div",N:"ytp-gated-actions-overlay-background",W:[{G:"div",N:"ytp-gated-actions-overlay-background-overlay"}]},{G:"button",Ia:["ytp-gated-actions-overlay-miniplayer-close-button","ytp-button"],X:{"aria-label":"Close"},W:[g.jQ()]},{G:"div",N:"ytp-gated-actions-overlay-bar",W:[{G:"div",N:"ytp-gated-actions-overlay-text-container",W:[{G:"div",N:"ytp-gated-actions-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-gated-actions-overlay-subtitle", +ra:"{{subtitle}}"}]},{G:"div",N:"ytp-gated-actions-overlay-button-container"}]}]});var b=this;this.api=a;this.background=this.Da("ytp-gated-actions-overlay-background");this.u=this.Da("ytp-gated-actions-overlay-button-container");this.j=[];this.S(this.Da("ytp-gated-actions-overlay-miniplayer-close-button"),"click",function(){b.api.Na("onCloseMiniplayer")}); this.hide()}; -cW=function(a,b){g.V.call(this,{G:"button",la:["ytp-airplay-button","ytp-button"],U:{title:"AirPlay"},Z:"{{icon}}"});this.J=a;this.wa("click",this.onClick);this.N(a,"airplayactivechange",this.oa);this.N(a,"airplayavailabilitychange",this.oa);this.oa();g.eg(this,g.cV(b.Rb(),this.element))}; -dW=function(a,b){g.V.call(this,{G:"button",la:["ytp-button"],U:{title:"{{title}}","aria-label":"{{label}}","data-tooltip-target-id":"ytp-autonav-toggle-button"},S:[{G:"div",L:"ytp-autonav-toggle-button-container",S:[{G:"div",L:"ytp-autonav-toggle-button",U:{"aria-checked":"true"}}]}]});this.J=a;this.B=[];this.u=!1;this.isChecked=!0;g.ZT(a,this.element,this,113681);this.N(a,"presentingplayerstatechange",this.er);this.wa("click",this.onClick);this.tooltip=b.Rb();g.eg(this,g.cV(b.Rb(),this.element)); -this.er()}; -Aua=function(a){a.setValue(a.isChecked);var b=a.isChecked?"Autoplay is on":"Autoplay is off";a.ya("title",b);a.ya("label",b);EV(a.tooltip)}; -g.fW=function(a){g.V.call(this,{G:"div",L:"ytp-gradient-bottom"});this.B=g.Fe("CANVAS");this.u=this.B.getContext("2d");this.C=NaN;this.B.width=1;this.D=g.qD(a.T());g.eW(this,g.cG(a).getPlayerSize().height)}; -g.eW=function(a,b){if(a.u){var c=Math.floor(b*(a.D?1:.4));c=Math.max(c,47);var d=c+2;if(a.C!==d){a.C=d;a.B.height=d;a.u.clearRect(0,0,1,d);var e=a.u.createLinearGradient(0,2,0,2+c);if(a.D)e.addColorStop(.133,"rgba(0, 0, 0, 0.2)"),e.addColorStop(.44,"rgba(0, 0, 0, 0.243867)"),e.addColorStop(1,"rgba(0, 0, 0, 0.8)");else{var f=c-42;e.addColorStop(0,"rgba(0, 0, 0, 0)");e.addColorStop(f/c,"rgba(0, 0, 0, 0.3)");e.addColorStop(1,"rgba(0, 0, 0, 0.68)")}a.u.fillStyle=e;a.u.fillRect(0,2,1,c);a.element.style.height= -d+"px";try{a.element.style.backgroundImage="url("+a.B.toDataURL()+")"}catch(h){}}}}; -gW=function(a,b,c,d,e){g.V.call(this,{G:"div",L:"ytp-chapter-container",S:[{G:"button",la:["ytp-chapter-title","ytp-button"],U:{title:"View chapter","aria-label":"View chapter"},S:[{G:"span",U:{"aria-hidden":"true"},L:"ytp-chapter-title-prefix",Z:"\u2022"},{G:"div",L:"ytp-chapter-title-content",Z:"{{title}}"},{G:"div",L:"ytp-chapter-title-chevron",S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M9.71 18.71l-1.42-1.42 5.3-5.29-5.3-5.29 1.42-1.42 6.7 6.71z",fill:"#fff"}}]}]}]}]}); -this.J=a;this.K=b;this.P=c;this.I=d;this.X=e;this.F="";this.currentIndex=0;this.C=void 0;this.B=!0;this.D=this.ka("ytp-chapter-container");this.u=this.ka("ytp-chapter-title");this.updateVideoData("newdata",this.J.getVideoData());this.N(a,"videodatachange",this.updateVideoData);this.N(this.D,"click",this.onClick);a.T().ba("html5_ux_control_flexbox_killswitch")&&this.N(a,"resize",this.Y);this.N(a,"onVideoProgress",this.sc);this.N(a,"SEEK_TO",this.sc)}; -Bua=function(a,b,c,d,e){var f=b.jv/b.rows,h=Math.min(c/(b.kv/b.columns),d/f),l=b.kv*h,m=b.jv*h;l=Math.floor(l/b.columns)*b.columns;m=Math.floor(m/b.rows)*b.rows;var n=l/b.columns,p=m/b.rows,r=-b.column*n,t=-b.row*p;e&&45>=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+r+"px "+t+"px/"+l+"px "+m+"px"}; -g.hW=function(a){g.V.call(this,{G:"div",L:"ytp-storyboard-framepreview",S:[{G:"div",L:"ytp-storyboard-framepreview-img"}]});this.api=a;this.D=this.ka("ytp-storyboard-framepreview-img");this.oh=null;this.B=NaN;this.events=new g.tR(this);this.u=new g.mO(this,100);g.D(this,this.events);g.D(this,this.u);this.N(this.api,"presentingplayerstatechange",this.lc)}; -iW=function(a,b){var c=!!a.oh;a.oh=b;a.oh?(c||(a.events.N(a.api,"videodatachange",function(){iW(a,a.api.tg())}),a.events.N(a.api,"progresssync",a.ie),a.events.N(a.api,"appresize",a.C)),a.B=NaN,jW(a),a.u.show(200)):(c&&g.ut(a.events),a.u.hide(),a.u.stop())}; -jW=function(a){var b=a.oh,c=a.api.getCurrentTime(),d=g.cG(a.api).getPlayerSize(),e=jI(b,d.width);c=oI(b,e,c);c!==a.B&&(a.B=c,lI(b,c,d.width),b=b.pm(c,d.width),Bua(a.D,b,d.width,d.height))}; -kW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullerscreen-edu-button","ytp-button"],S:[{G:"div",la:["ytp-fullerscreen-edu-text"],Z:"Scroll for details"},{G:"div",la:["ytp-fullerscreen-edu-chevron"],S:[{G:"svg",U:{height:"100%",viewBox:"0 0 24 24",width:"100%"},S:[{G:"path",U:{d:"M7.41,8.59L12,13.17l4.59-4.58L18,10l-6,6l-6-6L7.41,8.59z",fill:"#fff"}}]}]}]});this.u=a;this.F=b;this.C=new g.mO(this,250,void 0,100);this.D=this.B=!1;g.ZT(a,this.element,this,61214);this.F=b;g.D(this,this.C);this.N(a, -"fullscreentoggled",this.oa);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);this.oa()}; -g.lW=function(a,b){g.V.call(this,{G:"button",la:["ytp-fullscreen-button","ytp-button"],U:{title:"{{title}}"},Z:"{{icon}}"});this.J=a;this.C=b;this.message=null;this.u=g.cV(this.C.Rb(),this.element);this.B=new g.F(this.DJ,2E3,this);g.D(this,this.B);this.N(a,"fullscreentoggled",this.WE);this.N(a,"presentingplayerstatechange",this.oa);this.wa("click",this.onClick);if(nt()){var c=g.cG(this.J);this.N(c,Xea(),this.Fz);this.N(c,qt(document),this.jk)}a.T().za||a.T().ba("embeds_enable_mobile_custom_controls")|| -this.disable();this.oa();this.WE(a.isFullscreen())}; -Cua=function(a,b){String(b).includes("fullscreen error")?g.Is(b):g.Hs(b);a.Fz()}; -mW=function(a,b){g.V.call(this,{G:"button",la:["ytp-miniplayer-button","ytp-button"],U:{title:"{{title}}","data-tooltip-target-id":"ytp-miniplayer-button"},S:[Yna()]});this.J=a;this.visible=!1;this.wa("click",this.onClick);this.N(a,"fullscreentoggled",this.oa);this.ya("title",g.EU(a,"Miniplayer","i"));g.eg(this,g.cV(b.Rb(),this.element));g.ZT(a,this.element,this,62946);this.oa()}; -nW=function(a,b,c){g.V.call(this,{G:"button",la:["ytp-multicam-button","ytp-button"],U:{title:"Switch camera","aria-haspopup":"true","data-preview":"{{preview}}","data-tooltip-text":"{{text}}"},S:[{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M 26,10 22.83,10 21,8 15,8 13.17,10 10,10 c -1.1,0 -2,.9 -2,2 l 0,12 c 0,1.1 .9,2 2,2 l 16,0 c 1.1,0 2,-0.9 2,-2 l 0,-12 c 0,-1.1 -0.9,-2 -2,-2 l 0,0 z m -5,11.5 0,-2.5 -6,0 0,2.5 -3.5,-3.5 3.5,-3.5 0,2.5 6,0 0,-2.5 3.5,3.5 -3.5,3.5 0,0 z", -fill:"#fff"}}]}]});var d=this;this.J=a;this.u=!1;this.B=new g.F(this.C,400,this);this.tooltip=b.Rb();hV(this.tooltip);g.D(this,this.B);this.wa("click",function(){PU(c,d.element,!1)}); -this.N(a,"presentingplayerstatechange",function(){d.oa(!1)}); -this.N(a,"videodatachange",this.Ra);this.oa(!0);g.eg(this,g.cV(this.tooltip,this.element))}; -oW=function(a){g.OU.call(this,a,{G:"div",L:"ytp-multicam-menu",U:{role:"dialog"},S:[{G:"div",L:"ytp-multicam-menu-header",S:[{G:"div",L:"ytp-multicam-menu-title",S:["Switch camera",{G:"button",la:["ytp-multicam-menu-close","ytp-button"],U:{"aria-label":"Close"},S:[g.XN()]}]}]},{G:"div",L:"ytp-multicam-menu-items"}]},250);this.api=a;this.C=new g.tR(this);this.items=this.ka("ytp-multicam-menu-items");this.B=[];g.D(this,this.C);a=this.ka("ytp-multicam-menu-close");this.N(a,"click",this.nb);this.hide()}; -pW=function(){g.C.call(this);this.B=null;this.startTime=this.duration=0;this.delay=new g.gn(this.u,null,this);g.D(this,this.delay)}; -Dua=function(a,b){if("path"===b.G)return b.U.d;if(b.S)for(var c=0;cl)a.Ea[c].width=n;else{a.Ea[c].width=0;var p=a,r=c,t=p.Ea[r-1];void 0!== -t&&0a.za&&(a.za=m/f),d=!0)}c++}}return d}; -kX=function(a){if(a.C){var b=a.api.getProgressState(),c=new lP(b.seekableStart,b.seekableEnd),d=nP(c,b.loaded,0);b=nP(c,b.current,0);var e=a.u.B!==c.B||a.u.u!==c.u;a.u=c;lX(a,b,d);e&&mX(a);Zua(a)}}; -oX=function(a,b){var c=mP(a.u,b.C);if(1=a.Ea.length?!1:Math.abs(b-a.Ea[c].startTime/1E3)/a.u.u*(a.C-(a.B?3:2)*a.Y).2*(a.B?60:40)&&1===a.Ea.length){var h=c*(a.u.getLength()/60),l=d*(a.u.getLength()/60);for(h=Math.ceil(h);h=f;c--)g.Je(e[c]);a.element.style.height=a.P+(a.B?8:5)+"px";a.V("height-change",a.P);a.Jg.style.height=a.P+(a.B?20:13)+"px";e=g.q(Object.keys(a.aa));for(f=e.next();!f.done;f=e.next())bva(a,f.value);pX(a);lX(a,a.K,a.ma)}; -iX=function(a){var b=a.Ya.x,c=a.C*a.ha;b=g.ce(b,0,a.C);a.Oe.update(b,a.C,-a.X,-(c-a.X-a.C));return a.Oe}; -lX=function(a,b,c){a.K=b;a.ma=c;var d=iX(a),e=a.u.u,f=mP(a.u,a.K),h=g.tL("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.bP(f,!0),DURATION:g.bP(e,!0)}),l=IV(a.Ea,1E3*f);l=a.Ea[l].title;a.update({ariamin:Math.floor(a.u.B),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.F&&2!==a.api.getPresentingPlayerType()&&(e=a.F.startTimeMs/1E3,f=a.F.endTimeMs/1E3);e=nP(a.u,e,0);h=nP(a.u,f,1);f=g.ce(b,e,h);c=g.ce(c,e,h);b=Vua(a,b,d);g.ug(a.Lg,"transform","translateX("+ -b+"px)");qX(a,d,e,f,"PLAY_PROGRESS");qX(a,d,e,c,"LOAD_PROGRESS")}; -qX=function(a,b,c,d,e){var f=a.Ea.length,h=b.u-a.Y*(a.B?3:2),l=c*h;c=nX(a,l);var m=d*h;h=nX(a,m);"HOVER_PROGRESS"===e&&(h=nX(a,b.u*d,!0),m=b.u*d-cva(a,b.u*d)*(a.B?3:2));b=Math.max(l-dva(a,c),0);for(d=c;d=a.Ea.length)return a.C;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.Ea.length?d-1:d}; -Vua=function(a,b,c){for(var d=b*a.u.u*1E3,e=-1,f=g.q(a.Ea),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; -cva=function(a,b){for(var c=a.Ea.length,d=0,e=g.q(a.Ea),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.B?3:2,d++;else break;return d===c?c-1:d}; -pX=function(a){var b=!!a.F&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.F?(c=a.F.startTimeMs/1E3,d=a.F.endTimeMs/1E3):(e=c>a.u.B,f=0a.K);g.J(a.Jg,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;var c=160*a.scale,d=160*a.scale,e=a.u.pm(a.C,c);Bua(a.bg,e,c,d,!0);a.aa.start()}}; -zva=function(a){var b=a.B;3===a.type&&a.ha.stop();a.api.removeEventListener("appresize",a.Y);a.P||b.setAttribute("title",a.F);a.F="";a.B=null}; -g.eY=function(a,b){g.V.call(this,{G:"button",la:["ytp-watch-later-button","ytp-button"],U:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.hD(a.T()))},S:[{G:"div",L:"ytp-watch-later-icon",Z:"{{icon}}"},{G:"div",L:"ytp-watch-later-title",Z:"Watch later"}]});this.J=a;this.icon=null;this.visible=this.B=this.u=!1;this.tooltip=b.Rb();hV(this.tooltip);g.ZT(a,this.element,this,28665);this.wa("click",this.onClick,this);this.N(a,"videoplayerreset",this.qN);this.N(a,"appresize", -this.gv);this.N(a,"videodatachange",this.gv);this.N(a,"presentingplayerstatechange",this.gv);this.gv();var c=this.J.T(),d=Ava();c.B&&d?(Bva(),Cva(this,d.videoId)):this.oa(2);g.J(this.element,"ytp-show-watch-later-title",g.hD(c));g.eg(this,g.cV(b.Rb(),this.element))}; -Dva=function(a,b){g.qsa(function(){Bva({videoId:b});window.location.reload()},"wl_button",g.CD(a.J.T()))}; -Cva=function(a,b){if(!a.B)if(a.B=!0,a.oa(3),g.Q(a.J.T().experiments,"web_player_innertube_playlist_update")){var c=a.J.getVideoData();c=a.u?c.removeFromWatchLaterCommand:c.addToWatchLaterCommand;var d=dG(a.J.app),e=a.u?function(){a.wG()}:function(){a.vG()}; -cT(d,c).then(e,function(){a.B=!1;fY(a,"An error occurred. Please try again later.")})}else c=a.J.T(),(a.u?osa:nsa)({videoIds:b, -ye:c.ye,pageId:c.pageId,onError:a.eR,onSuccess:a.u?a.wG:a.vG,context:a},c.P,!0)}; -fY=function(a,b){a.oa(4,b);a.J.T().C&&a.J.xa("WATCH_LATER_ERROR",b)}; -Eva=function(a,b){var c=a.J.T();if(b!==a.icon){switch(b){case 3:var d=CU();break;case 1:d=UN();break;case 2:d={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:d=g.Q(c.experiments,"watch_later_iconchange_killswitch")?{G:"svg",U:{height:"100%", -version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21,7.91 L19.60,20.91 L16.39,20.91 L15,7.91 L21,7.91 Z M18,27.91 C16.61,27.91 15.5,26.79 15.5,25.41 C15.5,24.03 16.61,22.91 18,22.91 C19.38,22.91 20.5,24.03 20.5,25.41 C20.5,26.79 19.38,27.91 18,27.91 Z"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.ya("icon",d); -a.icon=b}}; -gY=function(a){g.SU.call(this,a);var b=this;this.oo=g.hD(this.api.T());this.wx=48;this.xx=69;this.Hi=null;this.sl=[];this.Tb=new g.XU(this.api);this.qt=new FV(this.api);this.Cg=new g.V({G:"div",L:"ytp-chrome-top"});this.qs=[];this.tooltip=new g.cY(this.api,this);this.backButton=this.So=null;this.channelAvatar=new jV(this.api,this);this.title=new bY(this.api,this);this.Rf=new g.GN({G:"div",L:"ytp-chrome-top-buttons"});this.mg=null;this.Di=new bV(this.api,this,this.Cg.element);this.overflowButton=this.dg= -null;this.Bf="1"===this.api.T().controlsType?new YX(this.api,this,this.Nc):null;this.contextMenu=new g.BV(this.api,this,this.Tb);this.gx=!1;this.Ht=new g.V({G:"div",U:{tabindex:"0"}});this.Gt=new g.V({G:"div",U:{tabindex:"0"}});this.Ar=null;this.wA=this.mt=!1;var c=g.cG(a),d=a.T(),e=a.getVideoData();this.oo&&(g.I(a.getRootNode(),"ytp-embed"),g.I(a.getRootNode(),"ytp-embed-playlist"),this.wx=60,this.xx=89);this.Qg=e&&e.Qg;g.D(this,this.Tb);g.BP(a,this.Tb.element,4);g.D(this,this.qt);g.BP(a,this.qt.element, -4);e=new g.V({G:"div",L:"ytp-gradient-top"});g.D(this,e);g.BP(a,e.element,1);this.QA=new g.mO(e,250,!0,100);g.D(this,this.QA);g.D(this,this.Cg);g.BP(a,this.Cg.element,1);this.PA=new g.mO(this.Cg,250,!0,100);g.D(this,this.PA);g.D(this,this.tooltip);g.BP(a,this.tooltip.element,4);var f=new QV(a);g.D(this,f);g.BP(a,f.element,5);f.subscribe("show",function(l){b.mm(f,l)}); -this.qs.push(f);this.So=new RV(a,this,f);g.D(this,this.So);d.showBackButton&&(this.backButton=new WU(a),g.D(this,this.backButton),this.backButton.ga(this.Cg.element));this.oo||this.So.ga(this.Cg.element);this.channelAvatar.ga(this.Cg.element);g.D(this,this.channelAvatar);g.D(this,this.title);this.title.ga(this.Cg.element);g.D(this,this.Rf);this.Rf.ga(this.Cg.element);this.mg=new g.eY(a,this);g.D(this,this.mg);this.mg.ga(this.Rf.element);var h=new g.WV(a,this);g.D(this,h);g.BP(a,h.element,5);h.subscribe("show", -function(l){b.mm(h,l)}); -this.qs.push(h);this.shareButton=new g.VV(a,this,h);g.D(this,this.shareButton);this.shareButton.ga(this.Rf.element);this.Dj=new CV(a,this);g.D(this,this.Dj);this.Dj.ga(this.Rf.element);d.Ls&&(e=new bW(a),g.D(this,e),g.BP(a,e.element,4));this.oo&&this.So.ga(this.Rf.element);g.D(this,this.Di);this.Di.ga(this.Rf.element);e=new $U(a,this,this.Di);g.D(this,e);e.ga(this.Rf.element);this.dg=new NV(a,this);g.D(this,this.dg);g.BP(a,this.dg.element,5);this.dg.subscribe("show",function(){b.mm(b.dg,b.dg.zf())}); -this.qs.push(this.dg);this.overflowButton=new MV(a,this,this.dg);g.D(this,this.overflowButton);this.overflowButton.ga(this.Rf.element);this.Bf&&g.D(this,this.Bf);"3"===d.controlsType&&(e=new UV(a,this),g.D(this,e),g.BP(a,e.element,8));g.D(this,this.contextMenu);this.contextMenu.subscribe("show",this.oI,this);e=new oP(a,new AP(a));g.D(this,e);g.BP(a,e.element,4);this.Ht.wa("focus",this.hK,this);g.D(this,this.Ht);this.Gt.wa("focus",this.iK,this);g.D(this,this.Gt);(this.Xj=d.Oe?null:new g.JV(a,c,this.contextMenu, -this.Nc,this.Tb,this.qt,function(){return b.Ij()}))&&g.D(this,this.Xj); -this.oo||(this.yH=new $V(this.api,this),g.D(this,this.yH),g.BP(a,this.yH.element,4));this.rl.push(this.Tb.element);this.N(a,"fullscreentoggled",this.jk);this.N(a,"offlineslatestatechange",function(){UT(b.api)&&wU(b.Nc,128,!1)}); -this.N(a,"cardstatechange",function(){b.Fg()}); -this.N(a,"resize",this.HO);this.N(a,"showpromotooltip",this.kP)}; -Fva=function(a){var b=a.api.T(),c=g.U(g.uK(a.api),128);return b.B&&c&&!a.api.isFullscreen()}; -hY=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==zg(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=hY(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexd/1E3+1)return"in-the-past";if(f.isLivePlayback&&!isFinite(d))return"live-infinite";if(a.u&&((b=b.Zc())&&b.isView()&&(b=b.u),b&&b.xm().length>a.u&&g.WI(e)))return"played-ranges";if(!e.La)return null;if(!e.La.Lc()||!c.Lc())return"non-dash";if(e.La.videoInfos[0].containerType!==c.videoInfos[0].containerType)return"container";if(g.WI(f)&&g.WI(e))return"content-protection"; -a=c.u[0].audio;e=e.La.u[0].audio;return a.sampleRate===e.sampleRate||g.pB?(a.u||2)!==(e.u||2)?"channel-count":null:"sample-rate"}; -kY=function(a,b,c,d){g.C.call(this);var e=this;this.policy=a;this.u=b;this.B=c;this.D=this.C=null;this.I=-1;this.K=!1;this.F=new py;this.Cf=d-1E3*b.yc();this.F.then(void 0,function(){}); -this.timeout=new g.F(function(){jY(e,"timeout")},1E4); -g.D(this,this.timeout);this.R=isFinite(d);this.status={status:0,error:null};this.ea()}; -Ova=function(a){return We(a,function c(){var d=this,e,f,h,l,m,n,p,r,t,w;return xa(c,function(y){if(1==y.u){e=d;if(d.na())return y["return"](Promise.reject(Error(d.status.error||"disposed")));d.ea();d.timeout.start();f=yz?new xz("gtfta"):null;return sa(y,d.F,2)}Bz(f);h=d.u.Zc();if(h.Yi())return jY(d,"ended_in_finishTransition"),y["return"](Promise.reject(Error(d.status.error||"")));if(!d.D||!BB(d.D))return jY(d,"next_mse_closed"),y["return"](Promise.reject(Error(d.status.error||"")));if(d.B.tm()!== -d.D)return jY(d,"next_mse_mismatch"),y["return"](Promise.reject(Error(d.status.error||"")));l=Kva(d);m=l.wF;n=l.EC;p=l.vF;d.u.Pf(!1,!0);r=Lva(h,m,p,!d.B.getVideoData().isAd());d.B.setMediaElement(r);d.R&&(d.B.seekTo(d.B.getCurrentTime()+.001,{Gq:!0,OA:3}),r.play()||Ys());t=h.sb();t.cpn=d.u.getVideoData().clientPlaybackNonce;t.st=""+m;t.et=""+p;d.B.Na("gapless",g.vB(t));d.u.Na("gaplessTo",d.B.getVideoData().clientPlaybackNonce);w=d.u.getPlayerType()===d.B.getPlayerType();Mva(d.u,n,!1,w,d.B.getVideoData().clientPlaybackNonce); -Mva(d.B,d.B.getCurrentTime(),!0,w,d.u.getVideoData().clientPlaybackNonce);g.mm(function(){!e.B.getVideoData().Rg&&g.GM(e.B.getPlayerState())&&Nva(e.B)}); -lY(d,6);d.dispose();return y["return"](Promise.resolve())})})}; -Rva=function(a){if(a.B.getVideoData().La){mY(a.B,a.D);lY(a,3);Pva(a);var b=Qva(a),c=b.xH;b=b.XR;c.subscribe("updateend",a.Lo,a);b.subscribe("updateend",a.Lo,a);a.Lo(c);a.Lo(b)}}; -Pva=function(a){a.u.unsubscribe("internalvideodatachange",a.Wl,a);a.B.unsubscribe("internalvideodatachange",a.Wl,a);a.u.unsubscribe("mediasourceattached",a.Wl,a);a.B.unsubscribe("statechange",a.lc,a)}; -Lva=function(a,b,c,d){a=a.isView()?a.u:a;return new g.ZS(a,b,c,d)}; -lY=function(a,b){a.ea();b<=a.status.status||(a.status={status:b,error:null},5===b&&a.F.resolve(void 0))}; -jY=function(a,b){if(!a.na()&&!a.isFinished()){a.ea();var c=4<=a.status.status&&"player-reload-after-handoff"!==b;a.status={status:Infinity,error:b};if(a.u&&a.B){var d=a.B.getVideoData().clientPlaybackNonce;a.u.Na("gaplessError","cpn."+d+";msg."+b);d=a.u;d.videoData.Lh=!1;c&&nY(d);d.Ba&&(c=d.Ba,c.u.aa=!1,c.C&&NF(c))}a.F.reject(void 0);a.dispose()}}; -Kva=function(a){var b=a.u.Zc();b=b.isView()?b.B:0;var c=a.u.getVideoData().isLivePlayback?Infinity:oY(a.u,!0);c=Math.min(a.Cf/1E3,c)+b;var d=a.R?100:0;a=c-a.B.Mi()+d;return{RJ:b,wF:a,EC:c,vF:Infinity}}; -Qva=function(a){return{xH:a.C.u.Rc,XR:a.C.B.Rc}}; -pY=function(a){g.C.call(this);var b=this;this.api=a;this.F=this.u=this.B=null;this.K=!1;this.D=null;this.R=Iva(this.api.T());this.C=null;this.I=function(){g.mm(function(){Sva(b)})}}; -Tva=function(a,b,c,d){d=void 0===d?0:d;a.ea();!a.B||qY(a);a.D=new py;a.B=b;var e=c,f=a.api.dc(),h=f.getVideoData().isLivePlayback?Infinity:1E3*oY(f,!0);e>h&&(e=h-a.R.B,a.K=!0);f.getCurrentTime()>=e/1E3?a.I():(a.u=f,f=e,e=a.u,a.api.addEventListener(g.hF("vqueued"),a.I),f=isFinite(f)||f/1E3>e.getDuration()?f:0x8000000000000,a.F=new g.eF(f,0x8000000000000,{namespace:"vqueued"}),e.addCueRange(a.F));f=d/=1E3;e=b.getVideoData().ra;if(d&&e&&a.u){h=d;var l=0;b.getVideoData().isLivePlayback&&(f=Math.min(c/ -1E3,oY(a.u,!0)),l=Math.max(0,f-a.u.getCurrentTime()),h=Math.min(d,oY(b)+l));f=Wga(e,h)||d;f!==d&&a.B.Na("qvaln","st."+d+";at."+f+";rm."+(l+";ct."+h))}b=f;d=a.B;if(e=a.api.dc())d.Kv=e;d.getVideoData().an=!0;d.getVideoData().Lh=!0;vT(d,!0);e="";a.u&&(e=g.rY(a.u.Jb.provider),f=a.u.getVideoData().clientPlaybackNonce,e="crt."+(1E3*e).toFixed()+";cpn."+f);d.Na("queued",e);0!==b&&d.seekTo(b+.01,{Gq:!0,OA:3});a.C=new kY(a.R,a.api.dc(),a.B,c);c=a.C;c.ea();Infinity!==c.status.status&&(lY(c,1),c.u.subscribe("internalvideodatachange", -c.Wl,c),c.B.subscribe("internalvideodatachange",c.Wl,c),c.u.subscribe("mediasourceattached",c.Wl,c),c.B.subscribe("statechange",c.lc,c),c.u.subscribe("newelementrequired",c.WF,c),c.Wl());return a.D}; -Sva=function(a){We(a,function c(){var d=this,e,f,h,l;return xa(c,function(m){switch(m.u){case 1:e=d;if(d.na())return m["return"]();d.ea();if(!d.D||!d.B)return d.ea(),m["return"]();d.K&&sY(d.api.dc(),!0,!1);f=null;if(!d.C){m.u=2;break}m.C=3;return sa(m,Ova(d.C),5);case 5:ta(m,2);break;case 3:f=h=ua(m);case 2:return Uva(d.api.app,d.B),Cz("vqsp",function(){var n=e.B.getPlayerType();g.xN(e.api.app,n)}),Cz("vqpv",function(){e.api.playVideo()}),f&&Vva(d.B,f.message),l=d.D,qY(d),m["return"](l.resolve(void 0))}})})}; -qY=function(a){if(a.u){var b=a.u;a.api.removeEventListener(g.hF("vqueued"),a.I);b.removeCueRange(a.F);a.u=null;a.F=null}a.C&&(a.C.isFinished()||(b=a.C,Infinity!==b.status.status&&jY(b,"Canceled")),a.C=null);a.D=null;a.B=null;a.K=!1}; -Wva=function(){var a=Wo();return!(!a||"visible"===a)}; -Yva=function(a){var b=Xva();b&&document.addEventListener(b,a,!1)}; -Zva=function(a){var b=Xva();b&&document.removeEventListener(b,a,!1)}; -Xva=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[Vo+"VisibilityState"])return"";a=Vo+"visibilitychange"}return a}; -tY=function(){g.O.call(this);var a=this;this.fullscreen=0;this.B=this.pictureInPicture=this.C=this.u=this.inline=!1;this.D=function(){a.ff()}; -Yva(this.D);this.F=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B)}; -$va=function(a){this.end=this.start=a}; -vY=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.W=b;this.u=c;this.fa=new Map;this.C=new Map;this.B=[];this.ha=NaN;this.R=this.F=null;this.aa=new g.F(function(){uY(d,d.ha)}); -this.events=new g.tR(this);this.isLiveNow=!0;this.ia=g.P(this.W.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.D=new g.F(function(){d.I=!0;d.u.Na("sdai","aftimeout."+d.ia.toString());d.du(!0)},this.ia); -this.I=!1;this.Y=new Map;this.X=[];this.K=null;this.P=[];this.u.getPlayerType();awa(this.u,this);g.D(this,this.aa);g.D(this,this.events);g.D(this,this.D);this.events.N(this.api,g.hF("serverstitchedcuerange"),this.CM);this.events.N(this.api,g.iF("serverstitchedcuerange"),this.DM)}; -fwa=function(a,b,c,d,e){if(g.Q(a.W.experiments,"web_player_ss_timeout_skip_ads")&&bwa(a,d,d+c))return a.u.Na("sdai","adskip_"+d),"";a.I&&a.u.Na("sdai","adaftto");var f=a.u;e=void 0===e?d+c:e;if(d>e)return wY(a,"Invalid playback enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return wY(a,"Invalid playback parentReturnTimeMs="+e+" is greater than parentDurationMs="+ -h),"";h=null;for(var l=g.q(a.B),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return wY(a,"Overlapping child playbacks not allowed. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} overlaps existing ChildPlayback "+xY(m))),"";if(e===m.pc)return wY(a,"Neighboring child playbacks must be added sequentially. New playback {video_id="+(b.video_id+" enterTimeMs="+d+" parentReturnTimeMs="+e+"} added after existing ChildPlayback "+xY(m))),""; -d===m.gd&&(h=m)}l="childplayback_"+cwa++;m={Kd:yY(c,!0),Cf:Infinity,target:null};var n=b.raw_player_response;if(!n&&!g.Q(a.W.experiments,"web_player_parse_ad_response_killswitch")){var p=b.player_response;p&&(n=JSON.parse(p))}b.cpn||(b.cpn=a.Wx());b={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m,playerResponse:n,cpn:b.cpn};a.B=a.B.concat(b).sort(function(r,t){return r.pc-t.pc}); -h?(b.xj=h.xj,dwa(h,{Kd:yY(h.durationMs,!0),Cf:Infinity,target:b})):(b.xj=b.cpn,d={Kd:yY(d,!1),Cf:d,target:b},a.fa.set(d.Kd,d),a.ea(),f.addCueRange(d.Kd));d=ewa(b.pc,b.pc+b.durationMs);a.C.set(d,b);f.addCueRange(d);a.D.isActive()&&(a.I=!1,a.D.stop(),a.du(!1));a.ea();return l}; -yY=function(a,b){return new g.eF(Math.max(0,a-5E3),b?0x8000000000000:a-1,{namespace:"serverstitchedtransitioncuerange",priority:7})}; -ewa=function(a,b){return new g.eF(a,b,{namespace:"serverstitchedcuerange",priority:7})}; -dwa=function(a,b){a.pg=b}; -zY=function(a,b,c){c=void 0===c?0:c;var d=0;a=g.q(a.B);for(var e=a.next();!e.done;e=a.next()){e=e.value;var f=e.pc/1E3+d,h=f+e.durationMs/1E3;if(f>b+c)break;if(h>b)return{sh:e,ul:b-d};d=h-e.gd/1E3}return{sh:null,ul:b-d}}; -uY=function(a,b){var c=a.R||a.api.dc().getPlayerState();AY(a,!0);var d=zY(a,b).ul;a.ea();a.ea();a.u.seekTo(d);d=a.api.dc();var e=d.getPlayerState();g.GM(c)&&!g.GM(e)?d.playVideo():g.U(c,4)&&!g.U(e,4)&&d.pauseVideo()}; -AY=function(a,b){a.ha=NaN;a.aa.stop();a.F&&b&&BY(a.F);a.R=null;a.F=null}; -bU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.fa),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.u.removeCueRange(h),a.fa["delete"](h))}d=b;e=c;f=[];h=g.q(a.B);for(l=h.next();!l.done;l=h.next())l=l.value,(l.pce)&&f.push(l);a.B=f;d=b;e=c;f=g.q(a.C.keys());for(h=f.next();!h.done;h=f.next())h=h.value,h.start>=d&&h.end<=e&&(a.u.removeCueRange(h),a.C["delete"](h));d=zY(a,b/ -1E3);b=d.sh;d=d.ul;b&&(d=1E3*d-b.pc,gwa(a,b,d,b.pc+d));(b=zY(a,c/1E3).sh)&&wY(a,"Invalid clearEndTimeMs="+c+" that falls during "+xY(b)+".Child playbacks can only have duration updated not their start.")}; -gwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;c={Kd:yY(c,!0),Cf:c,target:null};b.pg=c;c=null;d=g.q(a.C);for(var e=d.next();!e.done;e=d.next()){e=g.q(e.value);var f=e.next().value;e.next().value.Hc===b.Hc&&(c=f)}c&&(a.u.removeCueRange(c),c=ewa(b.pc,b.pc+b.durationMs),a.C.set(c,b),a.u.addCueRange(c))}; -xY=function(a){return"playback={timelinePlaybackId="+a.Hc+" video_id="+a.playerVars.video_id+" durationMs="+a.durationMs+" enterTimeMs="+a.pc+" parentReturnTimeMs="+a.gd+"}"}; -$ha=function(a,b,c,d){if(hwa(a,c))return null;var e=a.Y.get(c);e||(e=0,a.W.ba("web_player_ss_media_time_offset")&&(e=0===a.u.getStreamTimeOffset()?a.u.yc():a.u.getStreamTimeOffset()),e=zY(a,b+e,1).sh);var f=Number(d.split(";")[0]);if(e&&e.playerResponse&&e.playerResponse.streamingData&&(b=e.playerResponse.streamingData.adaptiveFormats)){var h=b.find(function(m){return m.itag===f}); -if(h&&h.url){b=a.u.getVideoData();var l=b.ra.u[d].index.pD(c-1);d=h.url;l&&l.u&&(d=d.concat("&daistate="+l.u));(b=b.clientPlaybackNonce)&&(d=d.concat("&cpn="+b));e.xj&&(b=iwa(a,e.xj),0=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.X.push(new $va(b))}; -hwa=function(a,b){for(var c=g.q(a.X),d=c.next();!d.done;d=c.next())if(d=d.value,b>=d.start&&b<=d.end)return!0;return!1}; -wY=function(a,b){a.u.Na("timelineerror",b)}; -iwa=function(a,b){for(var c=[],d=g.q(a.B),e=d.next();!e.done;e=d.next())e=e.value,e.xj===b&&e.cpn&&c.push(e.cpn);return c}; -bwa=function(a,b,c){if(!a.P.length)return!1;a=g.q(a.P);for(var d=a.next();!d.done;d=a.next()){var e=d.value;d=1E3*e.startSecs;e=1E3*e.durationSecs+d;if(b>d&&bd&&ce)return DY(a,"e.enterAfterReturn enterTimeMs="+d+" is greater than parentReturnTimeMs="+e),"";var h=1E3*f.Kc();if(dh)return DY(a,"e.returnAfterDuration parentReturnTimeMs="+e+" is greater than parentDurationMs="+h),"";h=null;for(var l=g.q(a.u),m=l.next();!m.done;m=l.next()){m=m.value;if(d>=m.pc&&dm.pc)return DY(a,"e.overlappingReturn"),a.ea(),"";if(e===m.pc)return DY(a,"e.outOfOrder"),a.ea(),"";d===m.gd&&(h=m)}l="childplayback_"+lwa++;m={Kd:EY(c,!0),Cf:Infinity,target:null};var n={Hc:l,playerVars:b,playerType:2,durationMs:c,pc:d,gd:e,pg:m};a.u=a.u.concat(n).sort(function(t,w){return t.pc-w.pc}); -h?mwa(a,h,{Kd:EY(h.durationMs,!0),Cf:a.W.ba("timeline_manager_transition_killswitch")?Infinity:h.pg.Cf,target:n}):(b={Kd:EY(d,!1),Cf:d,target:n},a.F.set(b.Kd,b),a.ea(),f.addCueRange(b.Kd));b=g.Q(a.W.experiments,"html5_gapless_preloading");if(a.B===a.api.dc()&&(f=1E3*f.getCurrentTime(),f>=n.pc&&fb)break;if(h>b)return{sh:e,ul:b-f};c=h-e.gd/1E3}return{sh:null,ul:b-c}}; -kwa=function(a,b){var c=a.I||a.api.dc().getPlayerState();IY(a,!0);var d=g.Q(a.W.experiments,"html5_playbacktimeline_seektoinf_killswitch")||isFinite(b)?b:a.B.Fh(),e=HY(a,d);d=e.sh;e=e.ul;var f=d&&!FY(a,d)||!d&&a.B!==a.api.dc(),h=1E3*e;h=a.C&&a.C.start<=h&&h<=a.C.end;!f&&h||GY(a);a.ea();d?(a.ea(),nwa(a,d,e,c)):(a.ea(),JY(a,e,c))}; -JY=function(a,b,c){var d=a.B;if(d!==a.api.dc()){var e=d.getPlayerType();g.xN(a.api.app,e)}d.seekTo(b);twa(a,c)}; -nwa=function(a,b,c,d){var e=FY(a,b);if(!e){g.xN(a.api.app,b.playerType);b.playerVars.prefer_gapless=!0;var f=new g.rI(a.W,b.playerVars);f.Hc=b.Hc;KY(a.api.app,f,b.playerType,void 0)}f=a.api.dc();e||(b=b.pg,a.ea(),f.addCueRange(b.Kd));f.seekTo(c);twa(a,d)}; -twa=function(a,b){var c=a.api.dc(),d=c.getPlayerState();g.GM(b)&&!g.GM(d)?c.playVideo():g.U(b,4)&&!g.U(d,4)&&c.pauseVideo()}; -IY=function(a,b){a.X=NaN;a.P.stop();a.D&&b&&BY(a.D);a.I=null;a.D=null}; -FY=function(a,b){var c=a.api.dc();return!!c&&c.getVideoData().Hc===b.Hc}; -uwa=function(a){var b=a.u.find(function(d){return FY(a,d)}); -if(b){GY(a);var c=new g.AM(8);b=swa(a,b)/1E3;JY(a,b,c)}}; -cU=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;a.ea();for(var d=b,e=c,f=g.q(a.F),h=f.next();!h.done;h=f.next()){var l=g.q(h.value);h=l.next().value;l=l.next().value;l.Cf>=d&&l.target&&l.target.gd<=e&&(a.B.removeCueRange(h),a.F["delete"](h))}d=b;e=c;f=[];h=g.q(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.pc>=d&&l.gd<=e){var m=a;m.K===l&&GY(m);FY(m,l)&&g.yN(m.api,l.playerType)}else f.push(l);a.u=f;d=HY(a,b/1E3);b=d.sh;d=d.ul;b&&(d*=1E3,vwa(a,b,d,b.gd===b.pc+b.durationMs?b.pc+ -d:b.gd));(b=HY(a,c/1E3).sh)&&DY(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Hc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.pc+" parentReturnTimeMs="+b.gd+"}.Child playbacks can only have duration updated not their start."))}; -vwa=function(a,b,c,d){a.ea();b.durationMs=c;b.gd=d;d={Kd:EY(c,!0),Cf:c,target:null};mwa(a,b,d);FY(a,b)&&1E3*a.api.dc().getCurrentTime()>c&&(b=swa(a,b)/1E3,c=a.api.dc().getPlayerState(),JY(a,b,c))}; -DY=function(a,b){a.B.Na("timelineerror",b)}; -xwa=function(a){a&&"web"!==a&&wwa.includes(a)}; -NY=function(a,b){g.C.call(this);var c=this;this.data=[];this.C=a||NaN;this.B=b||null;this.u=new g.F(function(){LY(c);MY(c)}); -g.D(this,this.u)}; -LY=function(a){var b=(0,g.N)();a.data.forEach(function(c){c.expire=e;e++)d.push(e/100);e={threshold:d};b&&(e={threshold:d,trackVisibility:!0,delay:1E3});(this.B=window.IntersectionObserver?new IntersectionObserver(function(f){f=f[f.length-1];b?"undefined"===typeof f.isVisible?c.u=null:c.u=f.isVisible?f.intersectionRatio:0:c.u=f.intersectionRatio},e):null)&&this.B.observe(a)}; -VY=function(a,b){this.u=a;this.da=b;this.B=null;this.C=[];this.D=!1}; -g.WY=function(a){a.B||(a.B=a.u.createMediaElementSource(a.da.Pa()));return a.B}; -g.XY=function(a){for(var b;0e&&(e=l.width,f="url("+l.url+")")}c.background.style.backgroundImage=f;HKa(c,d.actionButtons||[]);c.show()}else c.hide()}),g.NS(this.api,this.j.element,4))}; +hT=function(a){XS.call(this,a);var b=this;this.events=new g.bI(a);g.E(this,this.events);g.DK(a.V())&&(mS(this.api,"seekToChapterWithAnimation",function(c){b.seekToChapterWithAnimation(c)}),mS(this.api,"seekToTimeWithAnimation",function(c,d){b.seekToTimeWithAnimation(c,d)}))}; +JKa=function(a,b,c,d){var e=1E3*a.api.getCurrentTime()r.start&&dG;G++)if(B=(B<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(z.charAt(G)),4==G%5){for(var D="",L=0;6>L;L++)D="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(B&31)+D,B>>=5;F+=D}z=F.substr(0,4)+" "+F.substr(4,4)+" "+F.substr(8,4)}else z= +"";l={video_id_and_cpn:String(c.videoId)+" / "+z,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",date:""+(new Date).toString(),drm_style:q?"":"display:none",drm:q,debug_info:d,extra_debug_info:"",bandwidth_style:x,network_activity_style:x,network_activity_bytes:m.toFixed(0)+" KB",shader_info:v,shader_info_style:v?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1P)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":a="Optimized for Normal Latency";break;case "LOW":a="Optimized for Low Latency";break;case "ULTRALOW":a="Optimized for Ultra Low Latency";break;default:a="Unknown Latency Setting"}else a=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=a;(P=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= +", seq "+P.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=ES(h,"bandwidth");l.network_activity_samples=ES(h,"networkactivity");l.live_latency_samples=ES(h,"livelatency");l.buffer_health_samples=ES(h,"bufferhealth");b=g.ZM(c);if(c.cotn||b)l.cotn_and_local_media=(c.cotn?c.cotn:"null")+" / "+b;l.cotn_and_local_media_style=l.cotn_and_local_media?"":"display:none";fM(c,"web_player_release_debug")? +(l.release_name="youtube.player.web_20230423_00_RC00",l.release_style=""):l.release_style="display:none";l.debug_info&&0=l.debug_info.length+p.length?l.debug_info+=" "+p:l.extra_debug_info=p;l.extra_debug_info_style=l.extra_debug_info&&0=a.length?0:b}; +nLa=function(a){var b=a.index-1;return 0>b?a.length-1:b}; +g.zT=function(a,b,c,d){b=void 0!==b?b:a.index;b=a.items&&b in a.items?a.items[a.order[b]]:null;var e=null;b&&(c&&(b.autoplay="1"),d&&(b.autonav="1"),e=new g.$L(a.u,b),g.E(a,e),e.bl=!0,e.startSeconds=a.startSeconds||e.clipStart||0,a.listId&&(e.playlistId=a.listId.toString()));return e}; +oLa=function(a,b){a.index=g.ze(b,0,a.length-1);a.startSeconds=0}; +pLa=function(a,b){if(b.video&&b.video.length){a.title=b.title||"";a.description=b.description;a.views=b.views;a.likes=b.likes;a.dislikes=b.dislikes;a.author=b.author||"";var c=b.loop;c&&(a.loop=c);c=g.zT(a);a.items=[];for(var d=g.t(b.video),e=d.next();!e.done;e=d.next())if(e=e.value)e.video_id=e.encrypted_id,a.items.push(e);a.length=a.items.length;(b=b.index)?a.index=b:a.findIndex(c);a.setShuffle(!1);a.loaded=!0;a.B++;a.j&&a.j()}}; +sLa=function(a,b){var c,d,e,f,h,l,m;return g.A(function(n){if(1==n.j){c=g.CR();var p=a.V(),q={context:g.jS(a),playbackContext:{contentPlaybackContext:{ancestorOrigins:p.ancestorOrigins}}};p=p.embedConfig;var r=b.docid||b.video_id||b.videoId||b.id;if(!r){r=b.raw_embedded_player_response;if(!r){var v=b.embedded_player_response;v&&(r=JSON.parse(v))}if(r){var x,z,B,F,G,D;r=(null==(D=g.K(null==(x=r)?void 0:null==(z=x.embedPreview)?void 0:null==(B=z.thumbnailPreviewRenderer)?void 0:null==(F=B.playButton)? +void 0:null==(G=F.buttonRenderer)?void 0:G.navigationEndpoint,g.oM))?void 0:D.videoId)||null}else r=null}x=(x=r)?x:void 0;z=a.playlistId?a.playlistId:b.list;B=b.listType;if(z){var L;"user_uploads"===B?L={username:z}:L={playlistId:z};qLa(p,x,b,L);q.playlistRequest=L}else b.playlist?(L={templistVideoIds:b.playlist.toString().split(",")},qLa(p,x,b,L),q.playlistRequest=L):x&&(L={videoId:x},p&&(L.serializedThirdPartyEmbedConfig=p),q.singleVideoRequest=L);d=q;e=g.pR(rLa);g.pa(n,2);return g.y(n,g.AP(c,d, +e),4)}if(2!=n.j)return f=n.u,h=a.V(),b.raw_embedded_player_response=f,h.Qa=pz(b,g.fK(h)),h.B="EMBEDDED_PLAYER_MODE_PFL"===h.Qa,f&&(l=f,l.trackingParams&&(q=l.trackingParams,pP().eq(q))),n.return(new g.$L(h,b));m=g.sa(n);m instanceof Error||(m=Error("b259802748"));g.CD(m);return n.return(a)})}; +qLa=function(a,b,c,d){c.index&&(d.playlistIndex=String(Number(c.index)+1));d.videoId=b?b:"";a&&(d.serializedThirdPartyEmbedConfig=a)}; +g.BT=function(a,b){AT.get(a);AT.set(a,b)}; +g.CT=function(a){g.dE.call(this);this.loaded=!1;this.player=a}; +tLa=function(){this.u=[];this.j=[]}; +g.DT=function(a,b){return b?a.j.concat(a.u):a.j}; +g.ET=function(a,b){switch(b.kind){case "asr":uLa(b,a.u);break;default:uLa(b,a.j)}}; +uLa=function(a,b){g.nb(b,function(c){return a.equals(c)})||b.push(a)}; +g.FT=function(a){g.C.call(this);this.Y=a;this.j=new tLa;this.C=[]}; +g.GT=function(a,b,c){g.FT.call(this,a);this.audioTrack=c;this.u=null;this.B=!1;this.eventId=null;this.C=b.LK;this.B=g.QM(b);this.eventId=b.eventId}; +vLa=function(){this.j=this.dk=!1}; +wLa=function(a){a=void 0===a?{}:a;var b=void 0===a.Oo?!1:a.Oo,c=new vLa;c.dk=(void 0===a.hasSubfragmentedFmp4?!1:a.hasSubfragmentedFmp4)||b;return c}; +g.xLa=function(a){this.j=a;this.I=new vLa;this.Un=this.Tn=!1;this.qm=2;this.Z=20971520;this.Ga=8388608;this.ea=120;this.kb=3145728;this.Ld=this.j.K("html5_platform_backpressure");this.tb=62914560;this.Wc=10485760;this.xm=g.gJ(this.j.experiments,"html5_min_readbehind_secs");this.vx=g.gJ(this.j.experiments,"html5_min_readbehind_cap_secs");this.tx=g.gJ(this.j.experiments,"html5_max_readbehind_secs");this.AD=this.j.K("html5_trim_future_discontiguous_ranges");this.ri=this.j.K("html5_offline_reset_media_stream_on_unresumable_slices"); +this.dc=NaN;this.jo=this.Xk=this.Yv=2;this.Ja=2097152;this.vf=0;this.ao=1048576;this.Oc=!1;this.Nd=1800;this.wm=this.vl=5;this.fb=15;this.Hf=1;this.J=1.15;this.T=1.05;this.bl=1;this.Rn=!0;this.Xa=!1;this.oo=.8;this.ol=this.Dc=!1;this.Vd=6;this.D=this.ib=!1;this.aj=g.gJ(this.j.experiments,"html5_static_abr_resolution_shelf");this.ph=g.gJ(this.j.experiments,"html5_min_startup_buffered_media_duration_secs");this.Vn=g.gJ(this.j.experiments,"html5_post_interrupt_readahead");this.Sn=!1;this.Xn=g.gJ(this.j.experiments, +"html5_probe_primary_delay_base_ms")||5E3;this.Uo=100;this.Kf=10;this.wx=g.gJ(this.j.experiments,"html5_offline_failure_retry_limit")||2;this.lm=this.j.experiments.ob("html5_clone_original_for_fallback_location");this.Qg=1;this.Yi=1.6;this.Lc=!1;this.Xb=g.gJ(this.j.experiments,"html5_subsegment_readahead_target_buffer_health_secs");this.hj=g.gJ(this.j.experiments,"html5_subsegment_readahead_timeout_secs");this.rz=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs");this.dj= +g.gJ(this.j.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");this.nD=g.gJ(this.j.experiments,"html5_subsegment_readahead_min_load_speed");this.Eo=g.gJ(this.j.experiments,"html5_subsegment_readahead_load_speed_check_interval");this.wD=g.gJ(this.j.experiments,"html5_subsegment_readahead_seek_latency_fudge");this.Vf=15;this.rl=1;this.rd=!1;this.Nx=this.j.K("html5_restrict_streaming_xhr_on_sqless_requests");this.ox=g.gJ(this.j.experiments,"html5_max_headm_for_streaming_xhr"); +this.Ax=this.j.K("html5_pipeline_manifestless_allow_nonstreaming");this.Cx=this.j.K("html5_prefer_server_bwe3");this.mx=this.j.K("html5_last_slice_transition");this.Yy=this.j.K("html5_store_xhr_headers_readable");this.Mp=!1;this.Yn=0;this.zm=2;this.po=this.jm=!1;this.ul=g.gJ(this.j.experiments,"html5_max_drift_per_track_secs");this.Pn=this.j.K("html5_no_placeholder_rollbacks");this.kz=this.j.K("html5_subsegment_readahead_enable_mffa");this.uf=this.j.K("html5_allow_video_keyframe_without_audio");this.zx= +this.j.K("html5_enable_vp9_fairplay");this.ym=this.j.K("html5_never_pause_appends");this.uc=!0;this.ke=this.Ya=this.jc=!1;this.mm=!0;this.Ui=!1;this.u="";this.Qw=1048576;this.je=[];this.Sw=this.j.K("html5_woffle_resume");this.Qk=this.j.K("html5_abs_buffer_health");this.Pk=!1;this.lx=this.j.K("html5_interruption_resets_seeked_time");this.qx=g.gJ(this.j.experiments,"html5_max_live_dvr_window_plus_margin_secs")||46800;this.Qa=!1;this.ll=this.j.K("html5_explicitly_dispose_xhr");this.Zn=!1;this.sA=!this.j.K("html5_encourage_array_coalescing"); +this.hm=!1;this.Fx=this.j.K("html5_restart_on_unexpected_detach");this.ya=0;this.jl="";this.Pw=this.j.K("html5_disable_codec_for_playback_on_error");this.Si=!1;this.Uw=this.j.K("html5_filter_non_efficient_formats_for_safari");this.j.K("html5_format_hybridization");this.mA=this.j.K("html5_abort_before_separate_init");this.uy=bz();this.Wf=!1;this.Xy=this.j.K("html5_serialize_server_stitched_ad_request");this.tA=this.j.K("html5_skip_buffer_check_seek_to_head");this.Od=!1;this.rA=this.j.K("html5_attach_po_token_to_bandaid"); +this.tm=g.gJ(this.j.experiments,"html5_max_redirect_response_length")||8192;this.Zi=this.j.K("html5_rewrite_timestamps_for_webm");this.Pb=this.j.K("html5_only_media_duration_for_discontinuities");this.Ex=g.gJ(this.j.experiments,"html5_resource_bad_status_delay_scaling")||1;this.j.K("html5_onesie_live");this.dE=this.j.K("html5_onesie_premieres");this.Rw=this.j.K("html5_drop_onesie_for_live_mode_mismatch");this.xx=g.gJ(this.j.experiments,"html5_onesie_live_ttl_secs")||8;this.Qn=g.gJ(this.j.experiments, +"html5_attach_num_random_bytes_to_bandaid");this.Jy=this.j.K("html5_self_init_consolidation");this.yx=g.gJ(this.j.experiments,"html5_onesie_request_timeout_ms")||3E3;this.C=!1;this.nm=this.j.K("html5_new_sabr_buffer_timeline")||this.C;this.Aa=this.j.K("html5_ssdai_use_post_for_media")&&this.j.K("gab_return_sabr_ssdai_config");this.Xo=this.j.K("html5_use_post_for_media");this.Vo=g.gJ(this.j.experiments,"html5_url_padding_length");this.ij="";this.ot=this.j.K("html5_post_body_in_string");this.Bx=this.j.K("html5_post_body_as_prop"); +this.useUmp=this.j.K("html5_use_ump")||this.j.K("html5_cabr_utc_seek");this.Rk=this.j.K("html5_cabr_utc_seek");this.La=this.oa=!1;this.Wn=this.j.K("html5_prefer_drc");this.Dx=this.j.K("html5_reset_primary_stats_on_redirector_failure");this.j.K("html5_remap_to_original_host_when_redirected");this.B=!1;this.If=this.j.K("html5_enable_sabr_format_selection");this.uA=this.j.K("html5_iterative_seeking_buffered_time");this.Eq=this.j.K("html5_use_network_error_code_enums");this.Ow=this.j.K("html5_disable_overlapping_requests"); +this.Mw=this.j.K("html5_disable_cabr_request_timeout_for_sabr");this.Tw=this.j.K("html5_fallback_to_cabr_on_net_bad_status");this.Jf=this.j.K("html5_enable_sabr_partial_segments");this.Tb=!1;this.gA=this.j.K("html5_use_media_end_for_end_of_segment");this.nx=this.j.K("html5_log_smooth_audio_switching_reason");this.jE=this.j.K("html5_update_ctmp_rqs_logging");this.ql=!this.j.K("html5_remove_deprecated_ticks");this.Lw=this.j.K("html5_disable_bandwidth_cofactors_for_sabr")}; +yLa=function(a,b){1080>31));tL(a,16,b.v4);tL(a,18,b.o2);tL(a,19,b.n2);tL(a,21,b.h9);tL(a,23,b.X1);tL(a,28,b.l8);tL(a,34,b.visibility);xL(a,38,b.mediaCapabilities,zLa,3);tL(a,39,b.v9);tL(a,40,b.pT);uL(a,46,b.M2);tL(a,48,b.S8)}; +BLa=function(a){for(var b=[];jL(a,2);)b.push(iL(a));return{AK:b.length?b:void 0,videoId:nL(a,3),eQ:kL(a,4)}}; +zLa=function(a,b){var c;if(b.dQ)for(c=0;cMath.random()){var B=new g.bA("Unable to load player module",b,document.location&&document.location.origin);g.CD(B)}Ff(e);r&&r(z)}; +var v=m,x=v.onreadystatechange;v.onreadystatechange=function(z){switch(v.readyState){case "loaded":case "complete":Ff(f)}x&&x(z)}; +l&&((h=a.F.V().cspNonce)&&m.setAttribute("nonce",h),g.fk(m,g.wr(b)),h=g.Xe("HEAD")[0]||document.body,h.insertBefore(m,h.firstChild),g.bb(a,function(){m.parentNode&&m.parentNode.removeChild(m)}))}; +lMa=function(a,b,c,d,e){g.dE.call(this);var f=this;this.target=a;this.fF=b;this.u=0;this.I=!1;this.C=new g.Fe(NaN,NaN);this.j=new g.bI(this);this.ya=this.B=this.J=null;g.E(this,this.j);b=d||e?4E3:3E3;this.ea=new g.Ip(function(){QT(f,1,!1)},b,this); +g.E(this,this.ea);this.Z=new g.Ip(function(){QT(f,2,!1)},b,this); +g.E(this,this.Z);this.oa=new g.Ip(function(){QT(f,512,!1)},b,this); +g.E(this,this.oa);this.Aa=c&&0=c.width||!c.height||0>=c.height||g.UD(c.url)&&b.push({src:c.url||"",sizes:c.width+"x"+c.height,type:"image/jpeg"}));return b}; +zMa=function(a){var b=a.F.Cb();b=b.isCued()||b.isError()?"none":g.RO(b)?"playing":"paused";a.mediaSession.playbackState=b}; +AMa=function(a){g.U.call(this,{G:"div",N:"ytp-paid-content-overlay",X:{"aria-live":"assertive","aria-atomic":"true"}});this.F=a;this.videoId=null;this.B=!1;this.Te=this.j=null;var b=a.V();a.K("enable_new_paid_product_placement")&&!g.GK(b)?(this.u=new g.U({G:"a",N:"ytp-paid-content-overlay-link",X:{href:"{{href}}",target:"_blank"},W:[{G:"div",N:"ytp-paid-content-overlay-icon",ra:"{{icon}}"},{G:"div",N:"ytp-paid-content-overlay-text",ra:"{{text}}"},{G:"div",N:"ytp-paid-content-overlay-chevron",ra:"{{chevron}}"}]}), +this.S(this.u.element,"click",this.onClick)):this.u=new g.U({G:"div",Ia:["ytp-button","ytp-paid-content-overlay-text"],ra:"{{text}}"});this.C=new g.QQ(this.u,250,!1,100);g.E(this,this.u);this.u.Ea(this.element);g.E(this,this.C);this.F.Zf(this.element,this);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"presentingplayerstatechange",this.yd)}; +CMa=function(a,b){var c=Kza(b),d=BM(b);b.Kf&&a.F.Mo()||(a.j?b.videoId&&b.videoId!==a.videoId&&(g.Lp(a.j),a.videoId=b.videoId,a.B=!!d,a.B&&c&&BMa(a,d,c,b)):c&&d&&BMa(a,d,c,b))}; +BMa=function(a,b,c,d){a.j&&a.j.dispose();a.j=new g.Ip(a.Fb,b,a);g.E(a,a.j);var e,f;b=null==(e=d.getPlayerResponse())?void 0:null==(f=e.paidContentOverlay)?void 0:f.paidContentOverlayRenderer;e=null==b?void 0:b.navigationEndpoint;var h;f=null==b?void 0:null==(h=b.icon)?void 0:h.iconType;var l;h=null==(l=g.K(e,g.pM))?void 0:l.url;a.F.og(a.element,(null==e?void 0:e.clickTrackingParams)||null);a.u.update({href:null!=h?h:"#",text:c,icon:"MONEY_HAND"===f?{G:"svg",X:{fill:"none",height:"100%",viewBox:"0 0 24 24", +width:"100%"},W:[{G:"path",X:{d:"M6 9H5V5V4H6H19V5H6V9ZM21.72 16.04C21.56 16.8 21.15 17.5 20.55 18.05C20.47 18.13 18.42 20.01 14.03 20.01C13.85 20.01 13.67 20.01 13.48 20C11.3 19.92 8.51 19.23 5.4 18H2V10H5H6H7V6H21V13H16.72C16.37 13.59 15.74 14 15 14H12.7C13.01 14.46 13.56 15 14.5 15H15.02C16.07 15 17.1 14.64 17.92 13.98C18.82 13.26 20.03 13.22 20.91 13.84C21.58 14.32 21.9 15.19 21.72 16.04ZM15 10C15 9.45 14.55 9 14 9C13.45 9 13 9.45 13 10H15ZM20 11C19.45 11 19 11.45 19 12H20V11ZM19 7C19 7.55 19.45 8 20 8V7H19ZM8 8C8.55 8 9 7.55 9 7H8V8ZM8 10H12C12 8.9 12.9 8 14 8C15.1 8 16 8.9 16 10V10.28C16.59 10.63 17 11.26 17 12H18C18 10.9 18.9 10 20 10V9C18.9 9 18 8.1 18 7H10C10 8.1 9.1 9 8 9V10ZM5 13.5V11H3V17H5V13.5ZM20.33 14.66C19.81 14.29 19.1 14.31 18.6 14.71C17.55 15.56 16.29 16 15.02 16H14.5C12.62 16 11.67 14.46 11.43 13.64L11.24 13H15C15.55 13 16 12.55 16 12C16 11.45 15.55 11 15 11H6V13.5V17.16C8.9 18.29 11.5 18.93 13.52 19C17.85 19.15 19.85 17.34 19.87 17.32C20.33 16.9 20.62 16.4 20.74 15.84C20.84 15.37 20.68 14.91 20.33 14.66Z", +fill:"white"}}]}:null,chevron:h?g.iQ():null})}; +DMa=function(a,b){a.j&&(g.S(b,8)&&a.B?(a.B=!1,a.od(),a.j.start()):(g.S(b,2)||g.S(b,64))&&a.videoId&&(a.videoId=null))}; +cU=function(a){g.U.call(this,{G:"div",N:"ytp-spinner",W:[qMa(),{G:"div",N:"ytp-spinner-message",ra:"If playback doesn't begin shortly, try restarting your device."}]});this.api=a;this.message=this.Da("ytp-spinner-message");this.j=new g.Ip(this.show,500,this);g.E(this,this.j);this.S(a,"presentingplayerstatechange",this.onStateChange);this.S(a,"playbackstalledatstart",this.u);this.qc(a.Cb())}; +dU=function(a){var b=sJ(a.V().experiments,"mweb_muted_autoplay_animation"),c=[],d=[{G:"div",Ia:["ytp-unmute-icon"],W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 21.48,17.98 c 0,-1.77 -1.02,-3.29 -2.5,-4.03 v 2.21 l 2.45,2.45 c .03,-0.2 .05,-0.41 .05,-0.63 z m 2.5,0 c 0,.94 -0.2,1.82 -0.54,2.64 l 1.51,1.51 c .66,-1.24 1.03,-2.65 1.03,-4.15 0,-4.28 -2.99,-7.86 -7,-8.76 v 2.05 c 2.89,.86 5,3.54 5,6.71 z M 9.25,8.98 l -1.27,1.26 4.72,4.73 H 7.98 v 6 H 11.98 l 5,5 v -6.73 l 4.25,4.25 c -0.67,.52 -1.42,.93 -2.25,1.18 v 2.06 c 1.38,-0.31 2.63,-0.95 3.69,-1.81 l 2.04,2.05 1.27,-1.27 -9,-9 -7.72,-7.72 z m 7.72,.99 -2.09,2.08 2.09,2.09 V 9.98 z"}}]}]}, +{G:"div",Ia:["ytp-unmute-text"],ra:"Tap to unmute"}];"none"!==b&&(c.push("ytp-unmute-animated"),d.push({G:"div",Ia:["ytp-unmute-box"],W:[]}),"expand"===b?c.push("ytp-unmute-expand"):"shrink"===b&&c.push("ytp-unmute-shrink"));g.PS.call(this,a,{G:"button",Ia:["ytp-unmute","ytp-popup","ytp-button"].concat(c),W:[{G:"div",N:"ytp-unmute-inner",W:d}]},100);this.j=this.clicked=!1;this.api=a;this.api.sb(this.element,this,51663);this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange,this);this.S(a,"presentingplayerstatechange", +this.Hi);this.Ra("click",this.onClick,this);a=a.isMutedByMutedAutoplay()&&!g.fK(this.api.V());g.bQ(this,a);a&&EMa(this);this.B=a}; +EMa=function(a){a.j||(a.j=!0,a.api.Ua(a.element,!0))}; +g.eU=function(a){g.bI.call(this);var b=this;this.api=a;this.nN=!1;this.To=null;this.pF=!1;this.rg=null;this.aL=this.qI=!1;this.NP=this.OP=null;this.hV=NaN;this.MP=this.vB=!1;this.PC=0;this.jK=[];this.pO=!1;this.qC={height:0,width:0};this.X9=["ytp-player-content","html5-endscreen","ytp-overlay"];this.uN={HU:!1};var c=a.V(),d=a.jb();this.qC=a.getPlayerSize();this.BS=new g.Ip(this.DN,0,this);g.E(this,this.BS);g.oK(c)||(this.Fm=new g.TT(a),g.E(this,this.Fm),g.NS(a,this.Fm.element,4));if(FMa(this)){var e= +new cU(a);g.E(this,e);e=e.element;g.NS(a,e,4)}var f=a.getVideoData();this.Ve=new lMa(d,function(l){return b.fF(l)},f,c.ph,!1); +g.E(this,this.Ve);this.Ve.subscribe("autohideupdate",this.qn,this);if(!c.disablePaidContentOverlay){var h=new AMa(a);g.E(this,h);g.NS(a,h.element,4)}this.TP=new dU(a);g.E(this,this.TP);g.NS(this.api,this.TP.element,2);this.vM=this.api.isMutedByMutedAutoplay();this.S(a,"onMutedAutoplayChange",this.onMutedAutoplayChange);this.pI=new g.Ip(this.fA,200,this);g.E(this,this.pI);this.GC=f.videoId;this.qX=new g.Ip(function(){b.PC=0},350); +g.E(this,this.qX);this.uF=new g.Ip(function(){b.MP||GMa(b)},350,this); +g.E(this,this.uF);f=a.getRootNode();f.setAttribute("aria-label","YouTube Video Player");switch(c.color){case "white":g.Qp(f,"ytp-color-white")}g.oK(c)&&g.Qp(f,"ytp-music-player");navigator.mediaSession&&null!=navigator.mediaSession.setActionHandler&&(f=new aU(a),g.E(this,f));this.S(a,"appresize",this.Db);this.S(a,"presentingplayerstatechange",this.Hi);this.S(a,"videodatachange",this.onVideoDataChange);this.S(a,"videoplayerreset",this.G6);this.S(a,"autonavvisibility",function(){b.wp()}); +this.S(a,"sizestylechange",function(){b.wp()}); +this.S(d,"click",this.d7,this);this.S(d,"dblclick",this.e7,this);this.S(d,"mousedown",this.h7,this);c.Tb&&(this.S(d,"gesturechange",this.f7,this),this.S(d,"gestureend",this.g7,this));this.Ws=[d.kB];this.Fm&&this.Ws.push(this.Fm.element);e&&this.Ws.push(e)}; +HMa=function(a,b){if(!b)return!1;var c=a.api.qe();if(c.du()&&(c=c.ub())&&g.zf(c,b))return c.controls;for(c=0;c1+b&&a.api.toggleFullscreen()}; +FMa=function(a){a=Xy()&&67<=goa()&&!a.api.V().T;return!Wy("tizen")&&!cK&&!a&&!0}; +gU=function(a,b){b=void 0===b?2:b;g.dE.call(this);this.api=a;this.j=null;this.ud=new Jz(this);g.E(this,this.ud);this.u=qFa;this.ud.S(this.api,"presentingplayerstatechange",this.yd);this.j=this.ud.S(this.api,"progresssync",this.yc);this.In=b;1===this.In&&this.yc()}; +LMa=function(a){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-back-button"],W:[{G:"div",N:"ytp-arrow-back-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 -12 36 36",width:"100%"},W:[{G:"path",X:{d:"M0 0h24v24H0z",fill:"none"}},{G:"path",xc:!0,X:{d:"M20 11H7.83l5.59-5.59L12 4l-8 8 8 8 1.41-1.41L7.83 13H20v-2z",fill:"#fff"}}]}]}]});this.F=a;g.bQ(this,a.V().rl);this.Ra("click",this.onClick)}; +g.hU=function(a){g.U.call(this,{G:"div",W:[{G:"div",N:"ytp-bezel-text-wrapper",W:[{G:"div",N:"ytp-bezel-text",ra:"{{title}}"}]},{G:"div",N:"ytp-bezel",X:{role:"status","aria-label":"{{label}}"},W:[{G:"div",N:"ytp-bezel-icon",ra:"{{icon}}"}]}]});this.F=a;this.u=new g.Ip(this.show,10,this);this.j=new g.Ip(this.hide,500,this);g.E(this,this.u);g.E(this,this.j);this.hide()}; +jU=function(a,b,c){if(0>=b){c=tQ();b="muted";var d=0}else c=c?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z",fill:"#fff"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M8,21 L12,21 L17,26 L17,10 L12,15 L8,15 L8,21 Z M19,14 L19,22 C20.48,21.32 21.5,19.77 21.5,18 C21.5,16.26 20.48,14.74 19,14 Z M19,11.29 C21.89,12.15 24,14.83 24,18 C24,21.17 21.89,23.85 19,24.71 L19,26.77 C23.01,25.86 26,22.28 26,18 C26,13.72 23.01,10.14 19,9.23 L19,11.29 Z", +fill:"#fff"}}]},d=Math.floor(b),b=d+"volume";iU(a,c,b,d+"%")}; +MMa=function(a,b){b=b?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 17,24 V 12 l -8.5,6 8.5,6 z m .5,-6 8.5,6 V 12 l -8.5,6 z"}}]}:{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 10,24 18.5,18 10,12 V 24 z M 19,12 V 24 L 27.5,18 19,12 z"}}]};var c=a.F.getPlaybackRate(),d=g.lO("Speed is $RATE",{RATE:String(c)});iU(a,b,d,c+"x")}; +NMa=function(a,b){b=b?"Subtitles/closed captions on":"Subtitles/closed captions off";iU(a,pMa(),b)}; +iU=function(a,b,c,d){d=void 0===d?"":d;a.updateValue("label",void 0===c?"":c);a.updateValue("icon",b);g.Lp(a.j);a.u.start();a.updateValue("title",d);g.Up(a.element,"ytp-bezel-text-hide",!d)}; +PMa=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-cards-button"],X:{"aria-label":"Show cards","aria-owns":"iv-drawer","aria-haspopup":"true","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"span",N:"ytp-cards-button-icon-default",W:[{G:"div",N:"ytp-cards-button-icon",W:[a.V().K("player_new_info_card_format")?PEa():{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M17,16 L19,16 L19,24 L17,24 L17,16 Z M17,12 L19,12 L19,14 L17,14 L17,12 Z"}}]}]}, +{G:"div",N:"ytp-cards-button-title",ra:"Info"}]},{G:"span",N:"ytp-cards-button-icon-shopping",W:[{G:"div",N:"ytp-cards-button-icon",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",N:"ytp-svg-shadow",X:{d:"M 27.99,18 A 9.99,9.99 0 1 1 8.00,18 9.99,9.99 0 1 1 27.99,18 z"}},{G:"path",N:"ytp-svg-fill",X:{d:"M 18,8 C 12.47,8 8,12.47 8,18 8,23.52 12.47,28 18,28 23.52,28 28,23.52 28,18 28,12.47 23.52,8 18,8 z m -4.68,4 4.53,0 c .35,0 .70,.14 .93,.37 l 5.84,5.84 c .23,.23 .37,.58 .37,.93 0,.35 -0.13,.67 -0.37,.90 L 20.06,24.62 C 19.82,24.86 19.51,25 19.15,25 c -0.35,0 -0.70,-0.14 -0.93,-0.37 L 12.37,18.78 C 12.13,18.54 12,18.20 12,17.84 L 12,13.31 C 12,12.59 12.59,12 13.31,12 z m .96,1.31 c -0.53,0 -0.96,.42 -0.96,.96 0,.53 .42,.96 .96,.96 .53,0 .96,-0.42 .96,-0.96 0,-0.53 -0.42,-0.96 -0.96,-0.96 z", +"fill-opacity":"1"}},{G:"path",N:"ytp-svg-shadow-fill",X:{d:"M 24.61,18.22 18.76,12.37 C 18.53,12.14 18.20,12 17.85,12 H 13.30 C 12.58,12 12,12.58 12,13.30 V 17.85 c 0,.35 .14,.68 .38,.92 l 5.84,5.85 c .23,.23 .55,.37 .91,.37 .35,0 .68,-0.14 .91,-0.38 L 24.61,20.06 C 24.85,19.83 25,19.50 25,19.15 25,18.79 24.85,18.46 24.61,18.22 z M 14.27,15.25 c -0.53,0 -0.97,-0.43 -0.97,-0.97 0,-0.53 .43,-0.97 .97,-0.97 .53,0 .97,.43 .97,.97 0,.53 -0.43,.97 -0.97,.97 z",fill:"#000","fill-opacity":"0.15"}}]}]},{G:"div", +N:"ytp-cards-button-title",ra:"Shopping"}]}]});this.F=a;this.B=b;this.C=c;this.j=null;this.u=new g.QQ(this,250,!0,100);g.E(this,this.u);g.Up(this.C,"ytp-show-cards-title",g.fK(a.V()));this.hide();this.Ra("click",this.L5);this.Ra("mouseover",this.f6);OMa(this,!0)}; +OMa=function(a,b){b?a.j=g.ZS(a.B.Ic(),a.element):(a.j=a.j,a.j(),a.j=null)}; +QMa=function(a,b,c){g.U.call(this,{G:"div",N:"ytp-cards-teaser",W:[{G:"div",N:"ytp-cards-teaser-box"},{G:"div",N:"ytp-cards-teaser-text",W:a.V().K("player_new_info_card_format")?[{G:"button",N:"ytp-cards-teaser-info-icon",X:{"aria-label":"Show cards","aria-haspopup":"true"},W:[PEa()]},{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"},{G:"button",N:"ytp-cards-teaser-close-button",X:{"aria-label":"Close"},W:[g.jQ()]}]:[{G:"span",N:"ytp-cards-teaser-label",ra:"{{text}}"}]}]});var d=this;this.F=a;this.Z= +b;this.Wi=c;this.C=new g.QQ(this,250,!1,250);this.j=null;this.J=new g.Ip(this.s6,300,this);this.I=new g.Ip(this.r6,2E3,this);this.D=[];this.u=null;this.T=new g.Ip(function(){d.element.style.margin="0"},250); +this.onClickCommand=this.B=null;g.E(this,this.C);g.E(this,this.J);g.E(this,this.I);g.E(this,this.T);a.V().K("player_new_info_card_format")?(g.Qp(a.getRootNode(),"ytp-cards-teaser-dismissible"),this.S(this.Da("ytp-cards-teaser-close-button"),"click",this.Zo),this.S(this.Da("ytp-cards-teaser-info-icon"),"click",this.DP),this.S(this.Da("ytp-cards-teaser-label"),"click",this.DP)):this.Ra("click",this.DP);this.S(c.element,"mouseover",this.ER);this.S(c.element,"mouseout",this.DR);this.S(a,"cardsteasershow", +this.E7);this.S(a,"cardsteaserhide",this.Fb);this.S(a,"cardstatechange",this.CY);this.S(a,"presentingplayerstatechange",this.CY);this.S(a,"appresize",this.aQ);this.S(a,"onShowControls",this.aQ);this.S(a,"onHideControls",this.m2);this.Ra("mouseenter",this.g0)}; +RMa=function(a){g.U.call(this,{G:"button",Ia:[kU.BUTTON,kU.TITLE_NOTIFICATIONS],X:{"aria-pressed":"{{pressed}}","aria-label":"{{label}}"},W:[{G:"div",N:kU.TITLE_NOTIFICATIONS_ON,X:{title:"Stop getting notified about every new video","aria-label":"Notify subscriptions"},W:[g.nQ()]},{G:"div",N:kU.TITLE_NOTIFICATIONS_OFF,X:{title:"Get notified about every new video","aria-label":"Notify subscriptions"},W:[{G:"svg",X:{fill:"#fff",height:"24px",viewBox:"0 0 24 24",width:"24px"},W:[{G:"path",X:{d:"M18 11c0-3.07-1.64-5.64-4.5-6.32V4c0-.83-.67-1.5-1.5-1.5s-1.5.67-1.5 1.5v.68C7.63 5.36 6 7.92 6 11v5l-2 2v1h16v-1l-2-2v-5zm-6 11c.14 0 .27-.01.4-.04.65-.14 1.18-.58 1.44-1.18.1-.24.15-.5.15-.78h-4c.01 1.1.9 2 2.01 2z"}}]}]}]}); +this.api=a;this.j=!1;a.sb(this.element,this,36927);this.Ra("click",this.onClick,this);this.updateValue("pressed",!1);this.updateValue("label","Get notified about every new video")}; +SMa=function(a,b){a.j=b;a.element.classList.toggle(kU.NOTIFICATIONS_ENABLED,a.j);var c=a.api.getVideoData();c?(b=b?c.TI:c.RI)?(a=a.api.Mm())?tR(a,b):g.CD(Error("No innertube service available when updating notification preferences.")):g.CD(Error("No update preferences command available.")):g.CD(Error("No video data when updating notification preferences."))}; +g.lU=function(a,b,c){var d=void 0===d?800:d;var e=void 0===e?600:e;a=TMa(a,b);if(a=g.gk(a,"loginPopup","width="+d+",height="+e+",resizable=yes,scrollbars=yes"))Xqa(function(){c()}),a.moveTo((screen.width-d)/2,(screen.height-e)/2)}; +TMa=function(a,b){var c=document.location.protocol;return vfa(c+"//"+a+"/signin?context=popup","feature",b,"next",c+"//"+location.hostname+"/post_login")}; +g.nU=function(a,b,c,d,e,f,h,l,m,n,p,q,r){r=void 0===r?null:r;a=a.charAt(0)+a.substring(1).toLowerCase();c=c.charAt(0)+c.substring(1).toLowerCase();if("0"===b||"-1"===b)b=null;if("0"===d||"-1"===d)d=null;var v=q.V();p=v.userDisplayName&&g.lK(v);g.U.call(this,{G:"div",Ia:["ytp-button","ytp-sb"],W:[{G:"div",N:"ytp-sb-subscribe",X:p?{title:g.lO("Subscribe as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Subscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)), +tabindex:"0",role:"button"}:{"aria-label":"Subscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},a]},b?{G:"div",N:"ytp-sb-count",ra:b}:""]},{G:"div",N:"ytp-sb-unsubscribe",X:p?{title:g.lO("Subscribed as $USER_NAME",{USER_NAME:v.userDisplayName}),"aria-label":"Unsubscribe to channel","data-tooltip-image":LK(v),"data-tooltip-opaque":String(g.fK(v)),tabindex:"0",role:"button"}:{"aria-label":"Unsubscribe to channel"},W:[{G:"div",N:"ytp-sb-text",W:[{G:"div",N:"ytp-sb-icon"},c]}, +d?{G:"div",N:"ytp-sb-count",ra:d}:""]}],X:{"aria-live":"polite"}});var x=this;this.channelId=h;this.B=r;this.F=q;var z=this.Da("ytp-sb-subscribe"),B=this.Da("ytp-sb-unsubscribe");f&&g.Qp(this.element,"ytp-sb-classic");if(e){l?this.j():this.u();var F=function(){if(v.authUser){var D=x.channelId;if(m||n){var L={c:D};var P;g.fS.isInitialized()&&(P=xJa(L));L=P||"";if(P=q.getVideoData())if(P=P.subscribeCommand){var T=q.Mm();T?(tR(T,P,{botguardResponse:L,feature:m}),q.Na("SUBSCRIBE",D)):g.CD(Error("No innertube service available when updating subscriptions."))}else g.CD(Error("No subscribe command in videoData.")); +else g.CD(Error("No video data available when updating subscription."))}B.focus();B.removeAttribute("aria-hidden");z.setAttribute("aria-hidden","true")}else g.lU(g.yK(x.F.V()),"sb_button",x.C)},G=function(){var D=x.channelId; +if(m||n){var L=q.getVideoData();tR(q.Mm(),L.unsubscribeCommand,{feature:m});q.Na("UNSUBSCRIBE",D)}z.focus();z.removeAttribute("aria-hidden");B.setAttribute("aria-hidden","true")}; +this.S(z,"click",F);this.S(B,"click",G);this.S(z,"keypress",function(D){13===D.keyCode&&F(D)}); +this.S(B,"keypress",function(D){13===D.keyCode&&G(D)}); +this.S(q,"SUBSCRIBE",this.j);this.S(q,"UNSUBSCRIBE",this.u);this.B&&p&&(this.tooltip=this.B.Ic(),mU(this.tooltip),g.bb(this,g.ZS(this.tooltip,z)),g.bb(this,g.ZS(this.tooltip,B)))}else g.Qp(z,"ytp-sb-disabled"),g.Qp(B,"ytp-sb-disabled")}; +VMa=function(a,b){g.U.call(this,{G:"div",N:"ytp-title-channel",W:[{G:"div",N:"ytp-title-beacon"},{G:"a",N:"ytp-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-title-expanded-overlay",X:{"aria-hidden":"{{flyoutUnfocusable}}"},W:[{G:"div",N:"ytp-title-expanded-heading",W:[{G:"div",N:"ytp-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,"aria-hidden":"{{shouldHideExpandedTitleForA11y}}", +tabIndex:"{{channelTitleFocusable}}"}}]},{G:"div",N:"ytp-title-expanded-subtitle",ra:"{{expandedSubtitle}}",X:{"aria-hidden":"{{shouldHideExpandedSubtitleForA11y}}"}}]}]}]});var c=this;this.api=a;this.D=b;this.channel=this.Da("ytp-title-channel");this.j=this.Da("ytp-title-channel-logo");this.channelName=this.Da("ytp-title-expanded-title");this.I=this.Da("ytp-title-expanded-overlay");this.B=this.u=this.subscribeButton=null;this.C=!1;a.sb(this.j,this,36925);a.sb(this.channelName,this,37220);g.fK(this.api.V())&& +UMa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&(this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(oU(c));d.preventDefault()}),this.S(this.j,"click",this.I5)); +this.Pa()}; +WMa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.D);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.I);a.subscribeButton.hide();var e=new RMa(a.api);a.u=e;g.E(a,e);e.Ea(a.I);e.hide();a.S(a.api,"SUBSCRIBE",function(){b.ll&&(e.show(),a.api.Ua(e.element,!0))}); +a.S(a.api,"UNSUBSCRIBE",function(){b.ll&&(e.hide(),a.api.Ua(e.element,!1),SMa(e,!1))})}}; +UMa=function(a){var b=a.api.V();WMa(a);a.updateValue("flyoutUnfocusable","true");a.updateValue("channelTitleFocusable","-1");a.updateValue("shouldHideExpandedTitleForA11y","true");a.updateValue("shouldHideExpandedSubtitleForA11y","true");b.u||b.tb?a.S(a.j,"click",function(c){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||(XMa(a)&&(c.preventDefault(),a.isExpanded()?a.nF():a.CF()),a.api.qb(a.j))}):(a.S(a.channel,"mouseenter",a.CF),a.S(a.channel,"mouseleave",a.nF),a.S(a.channel,"focusin", +a.CF),a.S(a.channel,"focusout",function(c){a.channel.contains(c.relatedTarget)||a.nF()}),a.S(a.j,"click",function(){a.api.K("web_player_ve_conversion_fixes_for_channel_info")||a.api.qb(a.j)})); +a.B=new g.Ip(function(){a.isExpanded()&&(a.api.K("web_player_ve_conversion_fixes_for_channel_info")&&a.api.Ua(a.channelName,!1),a.subscribeButton&&(a.subscribeButton.hide(),a.api.Ua(a.subscribeButton.element,!1)),a.u&&(a.u.hide(),a.api.Ua(a.u.element,!1)),a.channel.classList.remove("ytp-title-expanded"),a.channel.classList.add("ytp-title-show-collapsed"))},500); +g.E(a,a.B);a.S(a.channel,YMa,function(){ZMa(a)}); +a.S(a.api,"onHideControls",a.RO);a.S(a.api,"appresize",a.RO);a.S(a.api,"fullscreentoggled",a.RO)}; +ZMa=function(a){a.channel.classList.remove("ytp-title-show-collapsed");a.channel.classList.remove("ytp-title-show-expanded")}; +XMa=function(a){var b=a.api.getPlayerSize();return g.fK(a.api.V())&&524<=b.width}; +oU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +pU=function(a,b,c,d,e,f){var h={G:"div",N:"ytp-panel"};if(c){var l="ytp-panel-back-button";var m="ytp-panel-title";var n={G:"div",N:"ytp-panel-header",W:[{G:"div",Ia:["ytp-panel-back-button-container"],W:[{X:{"aria-label":"Back to previous menu"},G:"button",Ia:["ytp-button",l]}]},{X:{tabindex:"0"},G:"span",Ia:[m],W:[c]}]};if(e){var p="ytp-panel-options";n.W.push({G:"button",Ia:["ytp-button",p],W:[d]})}h.W=[n]}d=!1;f&&(f={G:"div",N:"ytp-panel-footer",W:[f]},d=!0,h.W?h.W.push(f):h.W=[f]);g.dQ.call(this, +h);this.content=b;d&&h.W?b.Ea(this.element,h.W.length-1):b.Ea(this.element);this.yU=!1;this.xU=d;c&&(c=this.Da(l),m=this.Da(m),this.S(c,"click",this.WV),this.S(m,"click",this.WV),this.yU=!0,e&&(p=this.Da(p),this.S(p,"click",e)));b.subscribe("size-change",this.cW,this);this.S(a,"fullscreentoggled",this.cW);this.F=a}; +g.qU=function(a,b,c,d,e,f){b=void 0===b?null:b;var h={role:"menu"};b&&(h.id=b);b=new g.dQ({G:"div",N:"ytp-panel-menu",X:h});pU.call(this,a,b,c,d,e,f);this.menuItems=b;this.items=[];g.E(this,this.menuItems)}; +g.$Ma=function(a){for(var b=g.t(a.items),c=b.next();!c.done;c=b.next())c.value.unsubscribe("size-change",a.WN,a);a.items=[];g.vf(a.menuItems.element);a.menuItems.ma("size-change")}; +aNa=function(a,b){return b.priority-a.priority}; +rU=function(a){var b=g.TS({"aria-haspopup":"true"});g.SS.call(this,b,a);this.Ra("keydown",this.j)}; +sU=function(a,b){a.element.setAttribute("aria-haspopup",String(b))}; +bNa=function(a,b){g.U.call(this,{G:"div",N:"ytp-user-info-panel",X:{"aria-label":"User info"},W:a.V().authUser&&!a.K("embeds_web_always_enable_signed_out_state")?[{G:"div",N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable}}",role:"text"},ra:"{{watchingAsUsername}}"},{G:"div",N:"ytp-user-info-panel-info",X:{tabIndex:"{{userInfoFocusable2}}",role:"text"},ra:"{{watchingAsEmail}}"}]}]:[{G:"div", +N:"ytp-user-info-panel-icon",ra:"{{icon}}"},{G:"div",N:"ytp-user-info-panel-content",W:[{G:"div",W:[{G:"text",X:{tabIndex:"{{userInfoFocusable}}"},ra:"Signed out"}]},{G:"div",N:"ytp-user-info-panel-login",W:[{G:"a",X:{tabIndex:"{{userInfoFocusable2}}",role:"button"},ra:a.V().uc?"":"Sign in on YouTube"}]}]}]});this.Ta=a;this.j=b;a.V().authUser||a.V().uc||(a=this.Da("ytp-user-info-panel-login"),this.S(a,"click",this.j0));this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"}, +W:[g.sQ()]});this.closeButton.Ea(this.element);g.E(this,this.closeButton);this.S(window,"blur",this.hide);this.S(document,"click",this.h0);this.Pa()}; +dNa=function(a,b,c,d){g.qU.call(this,a);this.Eb=c;this.Qc=d;this.getVideoUrl=new rU(6);this.Pm=new rU(5);this.Jm=new rU(4);this.lc=new rU(3);this.HD=new g.SS(g.TS({href:"{{href}}",target:this.F.V().ea},void 0,!0),2,"Troubleshoot playback issue");this.showVideoInfo=new g.SS(g.TS(),1,"Stats for nerds");this.ey=new g.dQ({G:"div",Ia:["ytp-copytext","ytp-no-contextmenu"],X:{draggable:"false",tabindex:"1"},ra:"{{text}}"});this.cT=new pU(this.F,this.ey);this.lE=this.Js=null;g.fK(this.F.V())&&this.F.K("embeds_web_enable_new_context_menu_triggering")&& +(this.closeButton=new g.U({G:"button",Ia:["ytp-collapse","ytp-button"],X:{title:"Close"},W:[g.sQ()]}),g.E(this,this.closeButton),this.closeButton.Ea(this.element),this.closeButton.Ra("click",this.q2,this));g.fK(this.F.V())&&(this.Uk=new g.SS(g.TS(),8,"Account"),g.E(this,this.Uk),this.Zc(this.Uk,!0),this.Uk.Ra("click",this.r7,this),a.sb(this.Uk.element,this.Uk,137682));this.F.V().tm&&(this.Gk=new aT("Loop",7),g.E(this,this.Gk),this.Zc(this.Gk,!0),this.Gk.Ra("click",this.l6,this),a.sb(this.Gk.element, +this.Gk,28661));g.E(this,this.getVideoUrl);this.Zc(this.getVideoUrl,!0);this.getVideoUrl.Ra("click",this.d6,this);a.sb(this.getVideoUrl.element,this.getVideoUrl,28659);g.E(this,this.Pm);this.Zc(this.Pm,!0);this.Pm.Ra("click",this.e6,this);a.sb(this.Pm.element,this.Pm,28660);g.E(this,this.Jm);this.Zc(this.Jm,!0);this.Jm.Ra("click",this.c6,this);a.sb(this.Jm.element,this.Jm,28658);g.E(this,this.lc);this.Zc(this.lc,!0);this.lc.Ra("click",this.b6,this);g.E(this,this.HD);this.Zc(this.HD,!0);this.HD.Ra("click", +this.Z6,this);g.E(this,this.showVideoInfo);this.Zc(this.showVideoInfo,!0);this.showVideoInfo.Ra("click",this.s7,this);g.E(this,this.ey);this.ey.Ra("click",this.Q5,this);g.E(this,this.cT);b=document.queryCommandSupported&&document.queryCommandSupported("copy");43<=xc("Chromium")&&(b=!0);40>=xc("Firefox")&&(b=!1);b&&(this.Js=new g.U({G:"textarea",N:"ytp-html5-clipboard",X:{readonly:"",tabindex:"-1"}}),g.E(this,this.Js),this.Js.Ea(this.element));var e;null==(e=this.Uk)||US(e,SEa());var f;null==(f=this.Gk)|| +US(f,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{d:"M7 7H17V10L21 6L17 2V5H5V11H7V7ZM17 17H7V14L3 18L7 22V19H19V13H17V17Z",fill:"white"}}]});US(this.lc,{G:"svg",X:{height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M20 10V8H17.19C16.74 7.22 16.12 6.54 15.37 6.04L17 4.41L15.59 3L13.42 5.17C13.39 5.16 13.37 5.16 13.34 5.16C13.18 5.12 13.02 5.1 12.85 5.07C12.79 5.06 12.74 5.05 12.68 5.04C12.46 5.02 12.23 5 12 5C11.51 5 11.03 5.07 10.58 5.18L10.6 5.17L8.41 3L7 4.41L8.62 6.04H8.63C7.88 6.54 7.26 7.22 6.81 8H4V10H6.09C6.03 10.33 6 10.66 6 11V12H4V14H6V15C6 15.34 6.04 15.67 6.09 16H4V18H6.81C7.85 19.79 9.78 21 12 21C14.22 21 16.15 19.79 17.19 18H20V16H17.91C17.96 15.67 18 15.34 18 15V14H20V12H18V11C18 10.66 17.96 10.33 17.91 10H20ZM16 15C16 17.21 14.21 19 12 19C9.79 19 8 17.21 8 15V11C8 8.79 9.79 7 12 7C14.21 7 16 8.79 16 11V15ZM10 14H14V16H10V14ZM10 10H14V12H10V10Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.HD,{G:"svg",X:{fill:"none",height:"24",viewBox:"0 0 24 24",width:"24"},W:[{G:"path",X:{"clip-rule":"evenodd",d:"M2 12C2 6.48 6.48 2 12 2C17.52 2 22 6.48 22 12C22 17.52 17.52 22 12 22C6.48 22 2 17.52 2 12ZM13 16V18H11V16H13ZM12 20C7.59 20 4 16.41 4 12C4 7.59 7.59 4 12 4C16.41 4 20 7.59 20 12C20 16.41 16.41 20 12 20ZM8 10C8 7.79 9.79 6 12 6C14.21 6 16 7.79 16 10C16 11.28 15.21 11.97 14.44 12.64C13.71 13.28 13 13.90 13 15H11C11 13.17 11.94 12.45 12.77 11.82C13.42 11.32 14 10.87 14 10C14 8.9 13.1 8 12 8C10.9 8 10 8.9 10 10H8Z", +fill:"white","fill-rule":"evenodd"}}]});US(this.showVideoInfo,OEa());this.S(a,"onLoopChange",this.onLoopChange);this.S(a,"videodatachange",this.onVideoDataChange);cNa(this);this.iP(this.F.getVideoData())}; +uU=function(a,b){var c=!1;if(a.Js){var d=a.Js.element;d.value=b;d.select();try{c=document.execCommand("copy")}catch(e){}}c?a.Eb.Fb():(a.ey.ge(b,"text"),g.tU(a.Eb,a.cT),rMa(a.ey.element),a.Js&&(a.Js=null,cNa(a)));return c}; +cNa=function(a){var b=!!a.Js;g.RS(a.lc,b?"Copy debug info":"Get debug info");sU(a.lc,!b);g.RS(a.Jm,b?"Copy embed code":"Get embed code");sU(a.Jm,!b);g.RS(a.getVideoUrl,b?"Copy video URL":"Get video URL");sU(a.getVideoUrl,!b);g.RS(a.Pm,b?"Copy video URL at current time":"Get video URL at current time");sU(a.Pm,!b);US(a.Jm,b?MEa():null);US(a.getVideoUrl,b?lQ():null);US(a.Pm,b?lQ():null)}; +eNa=function(a){return g.fK(a.F.V())?a.Uk:a.Gk}; +g.vU=function(a,b){g.PS.call(this,a,{G:"div",Ia:["ytp-popup",b||""]},100,!0);this.j=[];this.I=this.D=null;this.UE=this.maxWidth=0;this.size=new g.He(0,0);this.Ra("keydown",this.k0)}; +fNa=function(a){var b=a.j[a.j.length-1];if(b){g.Rm(a.element,a.maxWidth||"100%",a.UE||"100%");g.Hm(b.element,"width","");g.Hm(b.element,"height","");g.Hm(b.element,"maxWidth","100%");g.Hm(b.element,"maxHeight","100%");g.Hm(b.content.element,"height","");var c=g.Sm(b.element);c.width+=1;c.height+=1;g.Hm(b.element,"width",c.width+"px");g.Hm(b.element,"height",c.height+"px");g.Hm(b.element,"maxWidth","");g.Hm(b.element,"maxHeight","");var d=0;b.yU&&(d=b.Da("ytp-panel-header"),d=g.Sm(d).height);var e= +0;b.xU&&(e=b.Da("ytp-panel-footer"),g.Hm(e,"width",c.width+"px"),e=g.Sm(e).height);g.Hm(b.content.element,"height",c.height-d-e+"px");b.element instanceof HTMLElement&&(d=b.element,e=d.scrollWidth-d.clientWidth,0=a.j.length)){var b=a.j.pop(),c=a.j[0];a.j=[c];gNa(a,b,c,!0)}}; +gNa=function(a,b,c,d){hNa(a);b&&(b.unsubscribe("size-change",a.lA,a),b.unsubscribe("back",a.nj,a));c.subscribe("size-change",a.lA,a);c.subscribe("back",a.nj,a);if(a.yb){g.Qp(c.element,d?"ytp-panel-animate-back":"ytp-panel-animate-forward");c.Ea(a.element);c.focus();a.element.scrollLeft=0;a.element.scrollTop=0;var e=a.size;fNa(a);g.Rm(a.element,e);a.D=new g.Ip(function(){iNa(a,b,c,d)},20,a); +a.D.start()}else c.Ea(a.element),b&&b.detach()}; +iNa=function(a,b,c,d){a.D.dispose();a.D=null;g.Qp(a.element,"ytp-popup-animating");d?(g.Qp(b.element,"ytp-panel-animate-forward"),g.Sp(c.element,"ytp-panel-animate-back")):(g.Qp(b.element,"ytp-panel-animate-back"),g.Sp(c.element,"ytp-panel-animate-forward"));g.Rm(a.element,a.size);a.I=new g.Ip(function(){g.Sp(a.element,"ytp-popup-animating");b.detach();g.Tp(b.element,["ytp-panel-animate-back","ytp-panel-animate-forward"]);a.I.dispose();a.I=null},250,a); +a.I.start()}; +hNa=function(a){a.D&&g.Kp(a.D);a.I&&g.Kp(a.I)}; +g.xU=function(a,b,c){g.vU.call(this,a);this.Aa=b;this.Qc=c;this.C=new g.bI(this);this.oa=new g.Ip(this.J7,1E3,this);this.ya=this.B=null;g.E(this,this.C);g.E(this,this.oa);a.sb(this.element,this,28656);g.Qp(this.element,"ytp-contextmenu");jNa(this);this.hide()}; +jNa=function(a){g.Lz(a.C);var b=a.F.V();"gvn"===b.playerStyle||(b.u||b.tb)&&b.K("embeds_web_enable_new_context_menu_triggering")||(b=a.F.jb(),a.C.S(b,"contextmenu",a.O5),a.C.S(b,"touchstart",a.m0,null,!0),a.C.S(b,"touchmove",a.GW,null,!0),a.C.S(b,"touchend",a.GW,null,!0))}; +kNa=function(a){a.F.isFullscreen()?g.NS(a.F,a.element,10):a.Ea(document.body)}; +g.yU=function(a,b,c){c=void 0===c?240:c;g.U.call(this,{G:"button",Ia:["ytp-button","ytp-copylink-button"],X:{title:"{{title-attr}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-copylink-icon",ra:"{{icon}}"},{G:"div",N:"ytp-copylink-title",ra:"Copy link",X:{"aria-hidden":"true"}}]});this.api=a;this.j=b;this.u=c;this.visible=!1;this.tooltip=this.j.Ic();b=a.V();mU(this.tooltip);g.Up(this.element,"ytp-show-copylink-title",g.fK(b)&&!g.oK(b));a.sb(this.element,this,86570);this.Ra("click", +this.onClick);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.S(a,"appresize",this.Pa);this.Pa();g.bb(this,g.ZS(this.tooltip,this.element))}; +lNa=function(a){var b=a.api.V(),c=a.api.getVideoData(),d=a.api.jb().getPlayerSize().width,e=b.K("shorts_mode_to_player_api")?a.api.Sb():a.j.Sb(),f=b.B;return!!c.videoId&&d>=a.u&&c.ao&&!(c.D&&b.Z)&&!e&&!f}; +mNa=function(a){a.updateValue("icon",gQ());if(a.api.V().u)zU(a.tooltip,a.element,"Link copied to clipboard");else{a.updateValue("title-attr","Link copied to clipboard");$S(a.tooltip);zU(a.tooltip,a.element);var b=a.Ra("mouseleave",function(){a.Hc(b);a.Pa();a.tooltip.rk()})}}; +nNa=function(a,b){return g.A(function(c){if(1==c.j)return g.pa(c,2),g.y(c,navigator.clipboard.writeText(b),4);if(2!=c.j)return c.return(!0);g.sa(c);var d=c.return,e=!1,f=g.qf("TEXTAREA");f.value=b;f.setAttribute("readonly","");var h=a.api.getRootNode();h.appendChild(f);if(nB){var l=window.getSelection();l.removeAllRanges();var m=document.createRange();m.selectNodeContents(f);l.addRange(m);f.setSelectionRange(0,b.length)}else f.select();try{e=document.execCommand("copy")}catch(n){}h.removeChild(f); +return d.call(c,e)})}; +AU=function(a){g.U.call(this,{G:"div",N:"ytp-doubletap-ui-legacy",W:[{G:"div",N:"ytp-doubletap-fast-forward-ve"},{G:"div",N:"ytp-doubletap-rewind-ve"},{G:"div",N:"ytp-doubletap-static-circle",W:[{G:"div",N:"ytp-doubletap-ripple"}]},{G:"div",N:"ytp-doubletap-overlay-a11y"},{G:"div",N:"ytp-doubletap-seek-info-container",W:[{G:"div",N:"ytp-doubletap-arrows-container",W:[{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"},{G:"span",N:"ytp-doubletap-base-arrow"}]},{G:"div", +N:"ytp-doubletap-tooltip",W:[{G:"div",N:"ytp-chapter-seek-text-legacy",ra:"{{seekText}}"},{G:"div",N:"ytp-doubletap-tooltip-label",ra:"{{seekTime}}"}]}]}]});this.F=a;this.C=new g.Ip(this.show,10,this);this.u=new g.Ip(this.hide,700,this);this.I=this.B=0;this.D=!1;this.j=this.Da("ytp-doubletap-static-circle");g.E(this,this.C);g.E(this,this.u);this.hide();this.J=this.Da("ytp-doubletap-fast-forward-ve");this.T=this.Da("ytp-doubletap-rewind-ve");this.F.sb(this.J,this,28240);this.F.sb(this.T,this,28239); +this.F.Ua(this.J,!0);this.F.Ua(this.T,!0);this.D=a.K("web_show_cumulative_seek_time")}; +BU=function(a,b,c){a.B=b===a.I?a.B+c:c;a.I=b;var d=a.F.jb().getPlayerSize();a.D?a.u.stop():g.Lp(a.u);a.C.start();a.element.setAttribute("data-side",-1===b?"back":"forward");g.Qp(a.element,"ytp-time-seeking");a.j.style.width="110px";a.j.style.height="110px";1===b?(a.j.style.right="",a.j.style.left=.8*d.width-30+"px"):-1===b&&(a.j.style.right="",a.j.style.left=.1*d.width-15+"px");a.j.style.top=.5*d.height+15+"px";oNa(a,a.D?a.B:c)}; +pNa=function(a,b,c){g.Lp(a.u);a.C.start();switch(b){case -1:b="back";break;case 1:b="forward";break;default:b=""}a.element.setAttribute("data-side",b);a.j.style.width="0";a.j.style.height="0";g.Qp(a.element,"ytp-chapter-seek");a.updateValue("seekText",c);a.updateValue("seekTime","")}; +oNa=function(a,b){b=g.lO("$TOTAL_SEEK_TIME seconds",{TOTAL_SEEK_TIME:b.toString()});a.updateValue("seekTime",b)}; +EU=function(a,b,c){c=void 0===c?!0:c;g.U.call(this,{G:"div",N:"ytp-suggested-action"});var d=this;this.F=a;this.kb=b;this.Xa=this.Z=this.C=this.u=this.j=this.D=this.expanded=this.enabled=this.ya=!1;this.La=new g.Ip(function(){d.badge.element.style.width=""},200,this); +this.oa=new g.Ip(function(){CU(d);DU(d)},200,this); +this.dismissButton=new g.U({G:"button",Ia:["ytp-suggested-action-badge-dismiss-button-icon","ytp-button"]});g.E(this,this.dismissButton);this.B=new g.U({G:"div",N:"ytp-suggested-action-badge-expanded-content-container",W:[{G:"label",N:"ytp-suggested-action-badge-title",ra:"{{badgeLabel}}"},this.dismissButton]});g.E(this,this.B);this.ib=new g.U({G:"div",N:"ytp-suggested-action-badge-icon-container",W:[c?{G:"div",N:"ytp-suggested-action-badge-icon"}:""]});g.E(this,this.ib);this.badge=new g.U({G:"button", +Ia:["ytp-button","ytp-suggested-action-badge","ytp-suggested-action-badge-with-controls"],W:[this.ib,this.B]});g.E(this,this.badge);this.badge.Ea(this.element);this.I=new g.QQ(this.badge,250,!1,100);g.E(this,this.I);this.Ga=new g.QQ(this.B,250,!1,100);g.E(this,this.Ga);this.Qa=new g.Gp(this.g9,null,this);g.E(this,this.Qa);this.Aa=new g.Gp(this.S2,null,this);g.E(this,this.Aa);g.E(this,this.La);g.E(this,this.oa);this.F.Zf(this.badge.element,this.badge,!0);this.F.Zf(this.dismissButton.element,this.dismissButton, +!0);this.S(this.F,"onHideControls",function(){d.C=!1;DU(d);CU(d);d.dl()}); +this.S(this.F,"onShowControls",function(){d.C=!0;DU(d);CU(d);d.dl()}); +this.S(this.badge.element,"click",this.YG);this.S(this.dismissButton.element,"click",this.WC);this.S(this.F,"pageTransition",this.n0);this.S(this.F,"appresize",this.dl);this.S(this.F,"fullscreentoggled",this.Z5);this.S(this.F,"cardstatechange",this.F5);this.S(this.F,"annotationvisibility",this.J9,this);this.S(this.F,"offlineslatestatechange",this.K9,this)}; +CU=function(a){g.Up(a.badge.element,"ytp-suggested-action-badge-with-controls",a.C||!a.D)}; +DU=function(a,b){var c=a.oP();a.expanded!==c&&(a.expanded=c,void 0===b||b?(a.Qa.stop(),a.Aa.stop(),a.La.stop(),a.Qa.start()):(g.bQ(a.B,a.expanded),g.Up(a.badge.element,"ytp-suggested-action-badge-expanded",a.expanded)),qNa(a))}; +qNa=function(a){a.j&&a.F.Ua(a.badge.element,a.Yz());a.u&&a.F.Ua(a.dismissButton.element,a.Yz()&&a.oP())}; +rNa=function(a){var b=a.text||"";g.Af(g.kf("ytp-suggested-action-badge-title",a.element),b);cQ(a.badge,b);cQ(a.dismissButton,a.Ya?a.Ya:"")}; +FU=function(a,b){b?a.u&&a.F.qb(a.dismissButton.element):a.j&&a.F.qb(a.badge.element)}; +sNa=function(a,b){EU.call(this,a,b,!1);this.T=[];this.D=!0;this.badge.element.classList.add("ytp-featured-product");this.banner=new g.U({G:"a",N:"ytp-featured-product-container",X:{href:"{{url}}",target:"_blank"},W:[{G:"div",N:"ytp-featured-product-thumbnail",W:[{G:"img",X:{src:"{{thumbnail}}"}},{G:"div",N:"ytp-featured-product-open-in-new"}]},{G:"div",N:"ytp-featured-product-details",W:[{G:"text",N:"ytp-featured-product-title",ra:"{{title}}"},{G:"text",N:"ytp-featured-product-vendor",ra:"{{vendor}}"}, +{G:"text",N:"ytp-featured-product-price",ra:"{{price}}"}]},this.dismissButton]});g.E(this,this.banner);this.banner.Ea(this.B.element);this.S(this.F,g.ZD("featured_product"),this.W8);this.S(this.F,g.$D("featured_product"),this.NH);this.S(this.F,"videodatachange",this.onVideoDataChange)}; +uNa=function(a,b){tNa(a);if(b){var c=g.sM.getState().entities;c=CL(c,"featuredProductsEntity",b);if(null!=c&&c.productsData){b=[];c=g.t(c.productsData);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0;if(null!=(e=d)&&e.identifier&&d.featuredSegments){a.T.push(d);var f=void 0;e=g.t(null==(f=d)?void 0:f.featuredSegments);for(f=e.next();!f.done;f=e.next())(f=f.value)&&b.push(new g.XD(1E3*Number(f.startTimeSec),1E3*Number(f.endTimeSec)||0x7ffffffffffff,{id:d.identifier,namespace:"featured_product"}))}}a.F.ye(b)}}}; +tNa=function(a){a.T=[];a.F.Ff("featured_product")}; +xNa=function(a,b,c){g.U.call(this,{G:"div",Ia:["ytp-info-panel-action-item"],W:[{G:"div",N:"ytp-info-panel-action-item-disclaimer",ra:"{{disclaimer}}"},{G:"a",Ia:["ytp-info-panel-action-item-button","ytp-button"],X:{role:"button",href:"{{url}}",target:"_blank",rel:"noopener"},W:[{G:"div",N:"ytp-info-panel-action-item-icon",ra:"{{icon}}"},{G:"div",N:"ytp-info-panel-action-item-label",ra:"{{label}}"}]}]});this.F=a;this.j=c;this.disclaimer=this.Da("ytp-info-panel-action-item-disclaimer");this.button= +this.Da("ytp-info-panel-action-item-button");this.De=!1;this.F.Zf(this.element,this,!0);this.Ra("click",this.onClick);a="";c=g.K(null==b?void 0:b.onTap,g.gT);var d=g.K(c,g.pM);this.De=!1;d?(a=d.url||"",a.startsWith("//")&&(a="https:"+a),this.De=!0,ck(this.button,g.he(a))):(d=g.K(c,vNa))&&!this.j?((a=d.phoneNumbers)&&0b);d=a.next())c++;return 0===c?c:c-1}; +FNa=function(a,b){for(var c=0,d=g.t(a),e=d.next();!e.done;e=d.next()){e=e.value;if(b=e.timeRangeStartMillis&&b=a.C&&!b}; +YNa=function(a,b){"InvalidStateError"!==b.name&&"AbortError"!==b.name&&("NotAllowedError"===b.name?(a.j.Il(),QS(a.B,a.element,!1)):g.CD(b))}; +g.RU=function(a,b){var c=YP(),d=a.V();c={G:"div",N:"ytp-share-panel",X:{id:YP(),role:"dialog","aria-labelledby":c},W:[{G:"div",N:"ytp-share-panel-inner-content",W:[{G:"div",N:"ytp-share-panel-title",X:{id:c},ra:"Share"},{G:"a",Ia:["ytp-share-panel-link","ytp-no-contextmenu"],X:{href:"{{link}}",target:d.ea,title:"Share link","aria-label":"{{shareLinkWithUrl}}"},ra:"{{linkText}}"},{G:"label",N:"ytp-share-panel-include-playlist",W:[{G:"input",N:"ytp-share-panel-include-playlist-checkbox",X:{type:"checkbox", +checked:"true"}},"Include playlist"]},{G:"div",N:"ytp-share-panel-loading-spinner",W:[qMa()]},{G:"div",N:"ytp-share-panel-service-buttons",ra:"{{buttons}}"},{G:"div",N:"ytp-share-panel-error",ra:"An error occurred while retrieving sharing information. Please try again later."}]},{G:"button",Ia:["ytp-share-panel-close","ytp-button"],X:{title:"Close"},W:[g.jQ()]}]};g.PS.call(this,a,c,250);var e=this;this.moreButton=null;this.api=a;this.tooltip=b.Ic();this.B=[];this.D=this.Da("ytp-share-panel-inner-content"); +this.closeButton=this.Da("ytp-share-panel-close");this.S(this.closeButton,"click",this.Fb);g.bb(this,g.ZS(this.tooltip,this.closeButton));this.C=this.Da("ytp-share-panel-include-playlist-checkbox");this.S(this.C,"click",this.Pa);this.j=this.Da("ytp-share-panel-link");g.bb(this,g.ZS(this.tooltip,this.j));this.api.sb(this.j,this,164503);this.S(this.j,"click",function(f){if(e.api.K("web_player_add_ve_conversion_logging_to_outbound_links")){g.EO(f);e.api.qb(e.j);var h=e.api.getVideoUrl(!0,!0,!1,!1);h= +ZNa(e,h);g.VT(h,e.api,f)&&e.api.Na("SHARE_CLICKED")}else e.api.qb(e.j)}); +this.Ra("click",this.v0);this.S(a,"videoplayerreset",this.hide);this.S(a,"fullscreentoggled",this.onFullscreenToggled);this.S(a,"onLoopRangeChange",this.B4);this.hide()}; +aOa=function(a,b){$Na(a);for(var c=b.links||b.shareTargets,d=0,e={},f=0;fd;e={rr:e.rr,fk:e.fk},f++){e.rr=c[f];a:switch(e.rr.img||e.rr.iconId){case "facebook":var h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z m -1.9,3.8 0,5.7 -3.8,0 c -1.04,0 -1.9,.84 -1.9,1.9 l 0,3.8 5.7,0 0,5.7 -5.7,0 0,13.3 -5.7,0 0,-13.3 -3.8,0 0,-5.7 3.8,0 0,-4.75 c 0,-3.67 2.97,-6.65 6.65,-6.65 l 4.75,0 z", +fill:"#39579b"}}]};break a;case "twitter":h={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 l 0,0 z M 29.84,13.92 C 29.72,22.70 24.12,28.71 15.74,29.08 12.28,29.24 9.78,28.12 7.6,26.75 c 2.55,.40 5.71,-0.60 7.41,-2.06 -2.50,-0.24 -3.98,-1.52 -4.68,-3.56 .72,.12 1.48,.09 2.17,-0.05 -2.26,-0.76 -3.86,-2.15 -3.95,-5.07 .63,.28 1.29,.56 2.17,.60 C 9.03,15.64 7.79,12.13 9.21,9.80 c 2.50,2.75 5.52,4.99 10.47,5.30 -1.24,-5.31 5.81,-8.19 8.74,-4.62 1.24,-0.23 2.26,-0.71 3.23,-1.22 -0.39,1.23 -1.17,2.09 -2.11,2.79 1.03,-0.14 1.95,-0.38 2.73,-0.77 -0.47,.99 -1.53,1.9 -2.45,2.66 l 0,0 z", +fill:"#01abf0"}}]};break a;default:h=null}if(h){var l=e.rr.sname||e.rr.serviceName;e.fk=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],X:{href:e.rr.url,target:"_blank",title:l},W:[h]});e.fk.Ra("click",function(p){return function(q){if(g.fR(q)){var r=p.rr.url;var v=void 0===v?{}:v;v.target=v.target||"YouTube";v.width=v.width||"600";v.height=v.height||"600";var x=v;x||(x={});v=window;var z=r instanceof ae?r:g.he("undefined"!=typeof r.href?r.href:String(r));var B=void 0!==self.crossOriginIsolated, +F="strict-origin-when-cross-origin";window.Request&&(F=(new Request("/")).referrerPolicy);var G="unsafe-url"===F;F=x.noreferrer;if(B&&F){if(G)throw Error("Cannot use the noreferrer option on a page that sets a referrer-policy of `unsafe-url` in modern browsers!");F=!1}r=x.target||r.target;B=[];for(var D in x)switch(D){case "width":case "height":case "top":case "left":B.push(D+"="+x[D]);break;case "target":case "noopener":case "noreferrer":break;default:B.push(D+"="+(x[D]?1:0))}D=B.join(",");Cc()&& +v.navigator&&v.navigator.standalone&&r&&"_self"!=r?(x=g.qf("A"),g.xe(x,z),x.target=r,F&&(x.rel="noreferrer"),z=document.createEvent("MouseEvent"),z.initMouseEvent("click",!0,!0,v,1),x.dispatchEvent(z),v={}):F?(v=Zba("",v,r,D),z=g.be(z),v&&(g.HK&&g.Vb(z,";")&&(z="'"+z.replace(/'/g,"%27")+"'"),v.opener=null,""===z&&(z="javascript:''"),g.Xd("b/12014412, meta tag with sanitized URL"),z='',z=g.we(z),(x= +v.document)&&x.write&&(x.write(g.ve(z)),x.close()))):((v=Zba(z,v,r,D))&&x.noopener&&(v.opener=null),v&&x.noreferrer&&(v.opener=null));v&&(v.opener||(v.opener=window),v.focus());g.EO(q)}}}(e)); +g.bb(e.fk,g.ZS(a.tooltip,e.fk.element));"Facebook"===l?a.api.sb(e.fk.element,e.fk,164504):"Twitter"===l&&a.api.sb(e.fk.element,e.fk,164505);a.S(e.fk.element,"click",function(p){return function(){a.api.qb(p.fk.element)}}(e)); +a.api.Ua(e.fk.element,!0);a.B.push(e.fk);d++}}var m=b.more||b.moreLink,n=new g.U({G:"a",Ia:["ytp-share-panel-service-button","ytp-button"],W:[{G:"span",N:"ytp-share-panel-service-button-more",W:[{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 38 38",width:"100%"},W:[{G:"rect",X:{fill:"#fff",height:"34",width:"34",x:"2",y:"2"}},{G:"path",X:{d:"M 34.2,0 3.8,0 C 1.70,0 .01,1.70 .01,3.8 L 0,34.2 C 0,36.29 1.70,38 3.8,38 l 30.4,0 C 36.29,38 38,36.29 38,34.2 L 38,3.8 C 38,1.70 36.29,0 34.2,0 Z m -5.7,21.85 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z m -9.5,0 c 1.57,0 2.85,-1.27 2.85,-2.85 0,-1.57 -1.27,-2.85 -2.85,-2.85 -1.57,0 -2.85,1.27 -2.85,2.85 0,1.57 1.27,2.85 2.85,2.85 z", +fill:"#4e4e4f","fill-rule":"evenodd"}}]}]}],X:{href:m,target:"_blank",title:"More"}});n.Ra("click",function(p){var q=m;a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")&&(a.api.qb(a.moreButton.element),q=ZNa(a,q));g.VT(q,a.api,p)&&a.api.Na("SHARE_CLICKED")}); +g.bb(n,g.ZS(a.tooltip,n.element));a.api.sb(n.element,n,164506);a.api.K("web_player_add_ve_conversion_logging_to_outbound_links")||a.S(n.element,"click",function(){a.api.qb(n.element)}); +a.api.Ua(n.element,!0);a.B.push(n);a.moreButton=n;a.updateValue("buttons",a.B)}; +ZNa=function(a,b){var c=a.api.V(),d={};c.ya&&g.fK(c)&&g.iS(d,c.loaderUrl);g.fK(c)&&(g.pS(a.api,"addEmbedsConversionTrackingParams",[d]),b=g.Zi(b,g.hS(d,"emb_share")));return b}; +$Na=function(a){for(var b=g.t(a.B),c=b.next();!c.done;c=b.next())c=c.value,c.detach(),g.Za(c);a.B=[]}; +cOa=function(a,b){EU.call(this,a,b);this.J=this.T=this.Ja=!1;bOa(this);this.S(this.F,"changeProductsInVideoVisibility",this.I6);this.S(this.F,"videodatachange",this.onVideoDataChange);this.S(this.F,"paidcontentoverlayvisibilitychange",this.B6)}; +dOa=function(a){a.F.Ff("shopping_overlay_visible");a.F.Ff("shopping_overlay_expanded")}; +bOa=function(a){a.S(a.F,g.ZD("shopping_overlay_visible"),function(){a.Bg(!0)}); +a.S(a.F,g.$D("shopping_overlay_visible"),function(){a.Bg(!1)}); +a.S(a.F,g.ZD("shopping_overlay_expanded"),function(){a.Z=!0;DU(a)}); +a.S(a.F,g.$D("shopping_overlay_expanded"),function(){a.Z=!1;DU(a)})}; +fOa=function(a,b){g.U.call(this,{G:"div",N:"ytp-shorts-title-channel",W:[{G:"a",N:"ytp-shorts-title-channel-logo",X:{href:"{{channelLink}}",target:a.V().ea,"aria-label":"{{channelLogoLabel}}"}},{G:"div",N:"ytp-shorts-title-expanded-heading",W:[{G:"div",N:"ytp-shorts-title-expanded-title",W:[{G:"a",ra:"{{expandedTitle}}",X:{href:"{{channelTitleLink}}",target:a.V().ea,tabIndex:"0"}}]}]}]});var c=this;this.api=a;this.u=b;this.j=this.Da("ytp-shorts-title-channel-logo");this.channelName=this.Da("ytp-shorts-title-expanded-title"); +this.subscribeButton=null;a.sb(this.j,this,36925);this.S(this.j,"click",function(d){c.api.K("web_player_ve_conversion_fixes_for_channel_info")?(c.api.qb(c.j),g.gk(SU(c)),d.preventDefault()):c.api.qb(c.j)}); +a.sb(this.channelName,this,37220);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&&this.S(this.channelName,"click",function(d){c.api.qb(c.channelName);g.gk(SU(c));d.preventDefault()}); +eOa(this);this.S(a,"videodatachange",this.Pa);this.S(a,"videoplayerreset",this.Pa);this.Pa()}; +eOa=function(a){if(!a.api.V().uc){var b=a.api.getVideoData(),c=new g.nU("Subscribe",null,"Subscribed",null,!0,!1,b.bk,b.subscribed,"channel_avatar",null,null,a.api,a.u);a.api.Zf(c.element,a);var d;a.api.og(c.element,(null==(d=b.subscribeButtonRenderer)?void 0:d.trackingParams)||null);a.S(c.element,"click",function(){a.api.qb(c.element)}); +a.subscribeButton=c;g.E(a,a.subscribeButton);a.subscribeButton.Ea(a.element)}}; +SU=function(a){var b=a.api.V(),c=a.api.getVideoData();c=g.MK(b)+c.Lc;if(!g.fK(b))return c;var d={};b.ya&&g.iS(d,a.api.V().loaderUrl);g.pS(a.api,"addEmbedsConversionTrackingParams",[d]);g.hS(d,"emb_ch_name_ex");return g.Zi(c,d)}; +TU=function(a){g.PS.call(this,a,{G:"button",Ia:["ytp-skip-intro-button","ytp-popup","ytp-button"],W:[{G:"div",N:"ytp-skip-intro-button-text",ra:"Skip Intro"}]},100);var b=this;this.B=!1;this.j=new g.Ip(function(){b.hide()},5E3); +this.vf=this.ri=NaN;g.E(this,this.j);this.I=function(){b.show()}; +this.D=function(){b.hide()}; +this.C=function(){var c=b.F.getCurrentTime();c>b.ri/1E3&&c=f&&(p-=1/h);n-=2/h;a=a.style;a.width=n+"px";a.height=p+"px";e||(d=(d-p)/2,c=(c-n)/2,a.marginTop=Math.floor(d)+"px",a.marginBottom=Math.ceil(d)+"px",a.marginLeft=Math.floor(c)+"px",a.marginRight=Math.ceil(c)+"px");a.background="url("+b.url+") "+q+"px "+r+"px/"+l+"px "+m+"px"}; +g.ZU=function(a,b){g.U.call(this,{G:"div",N:"ytp-storyboard-framepreview",W:[{G:"div",N:"ytp-storyboard-framepreview-timestamp",ra:"{{timestamp}}"},{G:"div",N:"ytp-storyboard-framepreview-img"}]});this.api=a;this.C=this.Da("ytp-storyboard-framepreview-img");this.u=null;this.B=NaN;this.events=new g.bI(this);this.j=new g.QQ(this,100);g.E(this,this.events);g.E(this,this.j);this.S(this.api,"presentingplayerstatechange",this.yd);b&&this.S(this.element,"click",function(){b.Vr()}); +a.K("web_big_boards")&&g.Qp(this.element,"ytp-storyboard-framepreview-big-boards")}; +hOa=function(a,b){var c=!!a.u;a.u=b;a.u?(c||(a.events.S(a.api,"videodatachange",function(){hOa(a,a.api.Hj())}),a.events.S(a.api,"progresssync",a.Ie),a.events.S(a.api,"appresize",a.D)),a.B=NaN,iOa(a),a.j.show(200)):(c&&g.Lz(a.events),a.j.hide(),a.j.stop())}; +iOa=function(a){var b=a.u,c=a.api.getCurrentTime(),d=a.api.jb().getPlayerSize(),e=SL(b,d.width);e=Sya(b,e,c);a.update({timestamp:g.eR(c)});e!==a.B&&(a.B=e,Qya(b,e,d.width),b=Oya(b,e,d.width),gOa(a.C,b,d.width,d.height))}; +g.$U=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-fullscreen-button","ytp-button"],X:{title:"{{title}}","aria-keyshortcuts":"f","data-title-no-tooltip":"{{data-title-no-tooltip}}"},ra:"{{icon}}"});this.F=a;this.u=b;this.message=null;this.j=g.ZS(this.u.Ic(),this.element);this.B=new g.Ip(this.f2,2E3,this);g.E(this,this.B);this.S(a,"fullscreentoggled",this.cm);this.S(a,"presentingplayerstatechange",this.Pa);this.Ra("click",this.onClick);g.yz()&&(b=this.F.jb(),this.S(b,Boa(),this.NN),this.S(b,Bz(document), +this.Hq));a.V().Tb||a.V().T||this.disable();a.sb(this.element,this,139117);this.Pa();this.cm(a.isFullscreen())}; +aV=function(a,b,c){g.U.call(this,{G:"button",Ia:["ytp-button","ytp-jump-button"],X:{title:"{{title}}","aria-keyshortcuts":"{{aria-keyshortcuts}}","data-title-no-tooltip":"{{data-title-no-tooltip}}",style:"display: none;"},W:[0=h)break}a.D=d;a.frameCount=b.NE();a.interval=b.j/1E3||a.api.getDuration()/a.frameCount}for(;a.thumbnails.length>a.D.length;)d= +void 0,null==(d=a.thumbnails.pop())||d.dispose();for(;a.thumbnails.lengthc.length;)d=void 0,null==(d=a.j.pop())||d.dispose(); +for(;a.j.length-c?-b/c*a.interval*.5:-(b+c/2)/c*a.interval}; +HOa=function(a){return-((a.B.offsetWidth||(a.frameCount-1)*a.I*a.scale)-a.C/2)}; +EOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-thumbnail"})}; +FOa=function(){g.U.call(this,{G:"div",N:"ytp-fine-scrubbing-chapter-title",W:[{G:"div",N:"ytp-fine-scrubbing-chapter-title-content",ra:"{{chapterTitle}}"}]})}; +KOa=function(a,b,c,d){d=void 0===d?!1:d;b=new JOa(b||a,c||a);return{x:a.x+.2*((void 0===d?0:d)?-1*b.j:b.j),y:a.y+.2*((void 0===d?0:d)?-1*b.u:b.u)}}; +JOa=function(a,b){this.u=this.j=0;this.j=b.x-a.x;this.u=b.y-a.y}; +LOa=function(a){g.U.call(this,{G:"div",N:"ytp-heat-map-chapter",W:[{G:"svg",N:"ytp-heat-map-svg",X:{height:"100%",preserveAspectRatio:"none",version:"1.1",viewBox:"0 0 1000 100",width:"100%"},W:[{G:"defs",W:[{G:"clipPath",X:{id:"{{id}}"},W:[{G:"path",N:"ytp-heat-map-path",X:{d:"",fill:"white","fill-opacity":"0.6"}}]}]},{G:"rect",N:"ytp-heat-map-graph",X:{"clip-path":"url(#hm_1)",fill:"white","fill-opacity":"0.2",height:"100%",width:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-hover",X:{"clip-path":"url(#hm_1)", +height:"100%",x:"0",y:"0"}},{G:"rect",N:"ytp-heat-map-play",X:{"clip-path":"url(#hm_1)",height:"100%",x:"0",y:"0"}}]}]});this.api=a;this.I=this.Da("ytp-heat-map-svg");this.D=this.Da("ytp-heat-map-path");this.C=this.Da("ytp-heat-map-graph");this.B=this.Da("ytp-heat-map-play");this.u=this.Da("ytp-heat-map-hover");this.De=!1;this.j=60;a=""+g.Na(this);this.update({id:a});a="url(#"+a+")";this.C.setAttribute("clip-path",a);this.B.setAttribute("clip-path",a);this.u.setAttribute("clip-path",a)}; +jV=function(){g.U.call(this,{G:"div",N:"ytp-chapter-hover-container",W:[{G:"div",N:"ytp-progress-bar-padding"},{G:"div",N:"ytp-progress-list",W:[{G:"div",Ia:["ytp-play-progress","ytp-swatch-background-color"]},{G:"div",N:"ytp-progress-linear-live-buffer"},{G:"div",N:"ytp-load-progress"},{G:"div",N:"ytp-hover-progress"},{G:"div",N:"ytp-ad-progress-list"}]}]});this.startTime=NaN;this.title="";this.index=NaN;this.width=0;this.C=this.Da("ytp-progress-linear-live-buffer");this.B=this.Da("ytp-ad-progress-list"); +this.D=this.Da("ytp-load-progress");this.I=this.Da("ytp-play-progress");this.u=this.Da("ytp-hover-progress");this.j=this.Da("ytp-chapter-hover-container")}; +kV=function(a,b){g.Hm(a.j,"width",b)}; +MOa=function(a,b){g.Hm(a.j,"margin-right",b+"px")}; +NOa=function(){this.fraction=this.position=this.u=this.j=this.B=this.width=NaN}; +OOa=function(){g.U.call(this,{G:"div",N:"ytp-timed-marker"});this.j=this.timeRangeStartMillis=NaN;this.title="";this.onActiveCommand=void 0}; +POa=function(a){return a.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")}; +g.mV=function(a,b){g.dQ.call(this,{G:"div",N:"ytp-progress-bar-container",X:{"aria-disabled":"true"},W:[{G:"div",Ia:["ytp-heat-map-container"],W:[{G:"div",N:"ytp-heat-map-edu"}]},{G:"div",Ia:["ytp-progress-bar"],X:{tabindex:"0",role:"slider","aria-label":"Seek slider","aria-valuemin":"{{ariamin}}","aria-valuemax":"{{ariamax}}","aria-valuenow":"{{arianow}}","aria-valuetext":"{{arianowtext}}"},W:[{G:"div",N:"ytp-chapters-container"},{G:"div",N:"ytp-timed-markers-container"},{G:"div",N:"ytp-clip-start-exclude"}, +{G:"div",N:"ytp-clip-end-exclude"},{G:"div",N:"ytp-scrubber-container",W:[{G:"div",Ia:["ytp-scrubber-button","ytp-swatch-background-color"],W:[{G:"div",N:"ytp-scrubber-pull-indicator"}]}]}]},{G:"div",Ia:["ytp-fine-scrubbing-container"],W:[{G:"div",N:"ytp-fine-scrubbing-edu"}]},{G:"div",N:"ytp-bound-time-left",ra:"{{boundTimeLeft}}"},{G:"div",N:"ytp-bound-time-right",ra:"{{boundTimeRight}}"},{G:"div",N:"ytp-clip-start",X:{title:"{{clipstarttitle}}"},ra:"{{clipstarticon}}"},{G:"div",N:"ytp-clip-end", +X:{title:"{{clipendtitle}}"},ra:"{{clipendicon}}"}]});this.api=a;this.ke=!1;this.Kf=this.Qa=this.J=this.Jf=0;this.Ld=null;this.Ja={};this.jc={};this.clipEnd=Infinity;this.Xb=this.Da("ytp-clip-end");this.Oc=new g.kT(this.Xb,!0);this.uf=this.Da("ytp-clip-end-exclude");this.Qg=this.Da("ytp-clip-start-exclude");this.clipStart=0;this.Tb=this.Da("ytp-clip-start");this.Lc=new g.kT(this.Tb,!0);this.Z=this.ib=0;this.Kc=this.Da("ytp-progress-bar");this.tb={};this.uc={};this.Dc=this.Da("ytp-chapters-container"); +this.Wf=this.Da("ytp-timed-markers-container");this.j=[];this.I=[];this.Od={};this.vf=null;this.Xa=-1;this.kb=this.ya=0;this.T=null;this.Vf=this.Da("ytp-scrubber-button");this.ph=this.Da("ytp-scrubber-container");this.fb=new g.Fe;this.Hf=new NOa;this.B=new iR(0,0);this.Bb=null;this.C=this.je=!1;this.If=null;this.oa=this.Da("ytp-heat-map-container");this.Vd=this.Da("ytp-heat-map-edu");this.D=[];this.heatMarkersDecorations=[];this.Ya=this.Da("ytp-fine-scrubbing-container");this.Wc=this.Da("ytp-fine-scrubbing-edu"); +this.u=void 0;this.Aa=this.rd=this.Ga=!1;this.tooltip=b.Ic();g.bb(this,g.ZS(this.tooltip,this.Xb));g.E(this,this.Oc);this.Oc.subscribe("hoverstart",this.ZV,this);this.Oc.subscribe("hoverend",this.YV,this);this.S(this.Xb,"click",this.LH);g.bb(this,g.ZS(this.tooltip,this.Tb));g.E(this,this.Lc);this.Lc.subscribe("hoverstart",this.ZV,this);this.Lc.subscribe("hoverend",this.YV,this);this.S(this.Tb,"click",this.LH);QOa(this);this.S(a,"resize",this.Db);this.S(a,"presentingplayerstatechange",this.z0);this.S(a, +"videodatachange",this.Gs);this.S(a,"videoplayerreset",this.I3);this.S(a,"cuerangesadded",this.GY);this.S(a,"cuerangesremoved",this.D8);this.S(a,"cuerangemarkersupdated",this.GY);this.S(a,"onLoopRangeChange",this.GR);this.S(a,"innertubeCommand",this.onClickCommand);this.S(a,g.ZD("timedMarkerCueRange"),this.H7);this.S(a,"updatemarkervisibility",this.EY);this.updateVideoData(a.getVideoData(),!0);this.GR(a.getLoopRange());lV(this)&&!this.u&&(this.u=new COa(this.api,this.tooltip),a=g.Pm(this.element).x|| +0,this.u.Db(a,this.J),this.u.Ea(this.Ya),g.E(this,this.u),this.S(this.u.dismissButton,"click",this.Vr),this.S(this.u.playButton,"click",this.AL),this.S(this.u.element,"dblclick",this.AL));a=this.api.V();g.fK(a)&&a.u&&g.Qp(this.element,"ytp-no-contextmenu");this.api.sb(this.oa,this,139609,!0);this.api.sb(this.Vd,this,140127,!0);this.api.sb(this.Wc,this,151179,!0);this.api.K("web_modern_miniplayer")&&(this.element.hidden=!0)}; +QOa=function(a){if(0===a.j.length){var b=new jV;a.j.push(b);g.E(a,b);b.Ea(a.Dc,0)}for(;1=h&&z<=p&&f.push(r)}0l)a.j[c].width=n;else{a.j[c].width=0;var p=a,q=c,r=p.j[q-1];void 0!==r&&0a.kb&&(a.kb=m/f),d=!0)}c++}}return d}; +pV=function(a){if(a.J){var b=a.api.getProgressState(),c=a.api.getVideoData();if(!(c&&c.enableServerStitchedDai&&c.enablePreroll)||isFinite(b.current)){var d;c=(null==(d=a.api.getVideoData())?0:aN(d))&&b.airingStart&&b.airingEnd?ePa(a,b.airingStart,b.airingEnd):ePa(a,b.seekableStart,b.seekableEnd);d=jR(c,b.loaded,0);b=jR(c,b.current,0);var e=a.B.u!==c.u||a.B.j!==c.j;a.B=c;qV(a,b,d);e&&fPa(a);gPa(a)}}}; +ePa=function(a,b,c){return hPa(a)?new iR(Math.max(b,a.Bb.startTimeMs/1E3),Math.min(c,a.Bb.endTimeMs/1E3)):new iR(b,c)}; +iPa=function(a,b){var c;if("repeatChapter"===(null==(c=a.Bb)?void 0:c.type)||"repeatChapter"===(null==b?void 0:b.type))b&&(b=a.j[HU(a.j,b.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!1)),a.Bb&&(b=a.j[HU(a.j,a.Bb.startTimeMs)],g.Up(b.j,"ytp-repeating-chapter",!0)),a.j.forEach(function(d){g.Up(d.j,"ytp-exp-chapter-hover-container",!a.Bb)})}; +sV=function(a,b){var c=rFa(a.B,b.fraction);if(1=a.j.length?!1:4>Math.abs(b-a.j[c].startTime/1E3)/a.B.j*(a.J-(a.C?3:2)*a.ya)}; +fPa=function(a){a.Vf.style.removeProperty("height");for(var b=g.t(Object.keys(a.Ja)),c=b.next();!c.done;c=b.next())kPa(a,c.value);tV(a);qV(a,a.Z,a.ib)}; +oV=function(a){var b=a.fb.x;b=g.ze(b,0,a.J);a.Hf.update(b,a.J);return a.Hf}; +vV=function(a){return(a.C?135:90)-uV(a)}; +uV=function(a){var b=48,c=a.api.V();a.C?b=54:g.fK(c)&&!c.u&&(b=40);return b}; +qV=function(a,b,c){a.Z=b;a.ib=c;var d=oV(a),e=a.B.j,f=rFa(a.B,a.Z),h=g.lO("$PLAY_PROGRESS of $DURATION",{PLAY_PROGRESS:g.eR(f,!0),DURATION:g.eR(e,!0)}),l=HU(a.j,1E3*f);l=a.j[l].title;a.update({ariamin:Math.floor(a.B.u),ariamax:Math.floor(e),arianow:Math.floor(f),arianowtext:l?l+" "+h:h});e=a.clipStart;f=a.clipEnd;a.Bb&&2!==a.api.getPresentingPlayerType()&&(e=a.Bb.startTimeMs/1E3,f=a.Bb.endTimeMs/1E3);e=jR(a.B,e,0);l=jR(a.B,f,1);h=a.api.getVideoData();f=g.ze(b,e,l);c=(null==h?0:g.ZM(h))?1:g.ze(c,e, +l);b=bPa(a,b,d);g.Hm(a.ph,"transform","translateX("+b+"px)");wV(a,d,e,f,"PLAY_PROGRESS");(null==h?0:aN(h))?(b=a.api.getProgressState().seekableEnd)&&wV(a,d,f,jR(a.B,b),"LIVE_BUFFER"):wV(a,d,e,c,"LOAD_PROGRESS");if(a.api.K("web_player_heat_map_played_bar")){var m;null!=(m=a.D[0])&&m.B.setAttribute("width",(100*f).toFixed(2)+"%")}}; +wV=function(a,b,c,d,e){var f=a.j.length,h=b.j-a.ya*(a.C?3:2),l=c*h;c=rV(a,l);var m=d*h;h=rV(a,m);"HOVER_PROGRESS"===e&&(h=rV(a,b.j*d,!0),m=b.j*d-lPa(a,b.j*d)*(a.C?3:2));b=Math.max(l-mPa(a,c),0);for(d=c;d=a.j.length)return a.J;for(var c=0,d=0;de.width)b-=e.width;else break;d++}return d===a.j.length?d-1:d}; +bPa=function(a,b,c){for(var d=b*a.B.j*1E3,e=-1,f=g.t(a.j),h=f.next();!h.done;h=f.next())h=h.value,d>h.startTime&&0e?0:e)+c.B}; +lPa=function(a,b){for(var c=a.j.length,d=0,e=g.t(a.j),f=e.next();!f.done;f=e.next())if(f=f.value,0!==f.width)if(b>f.width)b-=f.width,b-=a.C?3:2,d++;else break;return d===c?c-1:d}; +g.yV=function(a,b,c,d){var e=a.J!==c,f=a.C!==d;a.Jf=b;a.J=c;a.C=d;lV(a)&&null!=(b=a.u)&&(b.scale=d?1.5:1);fPa(a);1===a.j.length&&(a.j[0].width=c||0);e&&g.nV(a);a.u&&f&&lV(a)&&(a.u.isEnabled&&(c=a.C?135:90,d=c-uV(a),a.Ya.style.height=c+"px",g.Hm(a.oa,"transform","translateY("+-d+"px)"),g.Hm(a.Kc,"transform","translateY("+-d+"px)")),GOa(a.u))}; +tV=function(a){var b=!!a.Bb&&2!==a.api.getPresentingPlayerType(),c=a.clipStart,d=a.clipEnd,e=!0,f=!0;b&&a.Bb?(c=a.Bb.startTimeMs/1E3,d=a.Bb.endTimeMs/1E3):(e=c>a.B.u,f=0a.Z);g.Up(a.Vf,"ytp-scrubber-button-hover",c===d&&1b||b===a.C)){a.C=b;b=a.J*a.scale;var c=a.Ja*a.scale,d=Oya(a.u,a.C,b);gOa(a.bg,d,b,c,!0);a.Aa.start()}}; +fQa=function(a){var b=a.j;3===a.type&&a.Ga.stop();a.api.removeEventListener("appresize",a.ya);a.Z||b.setAttribute("title",a.B);a.B="";a.j=null}; +hQa=function(a,b){g.U.call(this,{G:"button",Ia:["ytp-watch-later-button","ytp-button"],X:{title:"{{title}}","data-tooltip-image":"{{image}}","data-tooltip-opaque":String(g.fK(a.V()))},W:[{G:"div",N:"ytp-watch-later-icon",ra:"{{icon}}"},{G:"div",N:"ytp-watch-later-title",ra:"Watch later"}]});this.F=a;this.u=b;this.icon=null;this.visible=this.isRequestPending=this.j=!1;this.tooltip=b.Ic();mU(this.tooltip);a.sb(this.element,this,28665);this.Ra("click",this.onClick,this);this.S(a,"videoplayerreset",this.Jv); +this.S(a,"appresize",this.UA);this.S(a,"videodatachange",this.UA);this.S(a,"presentingplayerstatechange",this.UA);this.UA();a=this.F.V();var c=g.Qz("yt-player-watch-later-pending");a.C&&c?(owa(),gQa(this)):this.Pa(2);g.Up(this.element,"ytp-show-watch-later-title",g.fK(a));g.bb(this,g.ZS(b.Ic(),this.element))}; +iQa=function(a){var b=a.F.getPlayerSize(),c=a.F.V(),d=a.F.getVideoData(),e=g.fK(c)&&g.KS(a.F)&&g.S(a.F.Cb(),128);a=c.K("shorts_mode_to_player_api")?a.F.Sb():a.u.Sb();var f=c.B;if(b=c.hm&&240<=b.width&&!d.isAd())if(d.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){b=!0;var h,l,m=null==(h=d.kf)?void 0:null==(l=h.embedPreview)?void 0:l.thumbnailPreviewRenderer;m&&(b=!!m.addToWatchLaterButton);if(g.lK(d.V())){var n,p;(h=null==(n=d.jd)?void 0:null==(p=n.playerOverlays)?void 0:p.playerOverlayRenderer)&& +(b=!!h.addToMenu)}var q,r,v,x;if(null==(x=g.K(null==(q=d.jd)?void 0:null==(r=q.contents)?void 0:null==(v=r.twoColumnWatchNextResults)?void 0:v.desktopOverlay,nM))?0:x.suppressWatchLaterButton)b=!1}else b=d.Qk;return b&&!e&&!(d.D&&c.Z)&&!a&&!f}; +jQa=function(a,b){g.lU(g.yK(a.F.V()),"wl_button",function(){owa({videoId:b});window.location.reload()})}; +gQa=function(a){if(!a.isRequestPending){a.isRequestPending=!0;a.Pa(3);var b=a.F.getVideoData();b=a.j?b.removeFromWatchLaterCommand:b.addToWatchLaterCommand;var c=a.F.Mm(),d=a.j?function(){a.j=!1;a.isRequestPending=!1;a.Pa(2);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_REMOVED")}:function(){a.j=!0; +a.isRequestPending=!1;a.Pa(1);a.F.V().u&&zU(a.tooltip,a.element);a.F.V().I&&a.F.Na("WATCH_LATER_VIDEO_ADDED")}; +tR(c,b).then(d,function(){a.isRequestPending=!1;kQa(a,"An error occurred. Please try again later.")})}}; +kQa=function(a,b){a.Pa(4,b);a.F.V().I&&a.F.Na("WATCH_LATER_ERROR",b)}; +lQa=function(a,b){if(b!==a.icon){switch(b){case 3:var c=qMa();break;case 1:c=gQ();break;case 2:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M18,8 C12.47,8 8,12.47 8,18 C8,23.52 12.47,28 18,28 C23.52,28 28,23.52 28,18 C28,12.47 23.52,8 18,8 L18,8 Z M16,19.02 L16,12.00 L18,12.00 L18,17.86 L23.10,20.81 L22.10,22.54 L16,19.02 Z"}}]};break;case 4:c={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path", +xc:!0,X:{d:"M7,27.5h22L18,8.5L7,27.5z M19,24.5h-2v-2h2V24.5z M19,20.5h-2V16.5h2V20.5z",fill:"#fff"}}]}}a.updateValue("icon",c);a.icon=b}}; +g.YV=function(a){g.eU.call(this,a);var b=this;this.rG=(this.oq=g.fK(this.api.V()))&&(this.api.V().u||gz()||ez());this.QK=48;this.RK=69;this.Co=null;this.Xs=[];this.Qc=new g.hU(this.api);this.Ou=new AU(this.api);this.Fh=new g.U({G:"div",N:"ytp-chrome-top"});this.hE=[];this.tooltip=new g.WV(this.api,this);this.backButton=this.Dz=null;this.channelAvatar=new VMa(this.api,this);this.title=new VV(this.api,this);this.gi=new g.ZP({G:"div",N:"ytp-chrome-top-buttons"});this.Bi=this.shareButton=this.Jn=null; +this.Wi=new PMa(this.api,this,this.Fh.element);this.overflowButton=this.Bh=null;this.dh="1"===this.api.V().controlsType?new TPa(this.api,this,this.Ve):null;this.contextMenu=new g.xU(this.api,this,this.Qc);this.BK=!1;this.IF=new g.U({G:"div",X:{tabindex:"0"}});this.HF=new g.U({G:"div",X:{tabindex:"0"}});this.uD=null;this.oO=this.nN=this.pF=!1;var c=a.jb(),d=a.V(),e=a.getVideoData();this.oq&&(g.Qp(a.getRootNode(),"ytp-embed"),g.Qp(a.getRootNode(),"ytp-embed-playlist"),this.rG&&(g.Qp(a.getRootNode(), +"ytp-embed-overlays-autohide"),g.Qp(this.contextMenu.element,"ytp-embed-overlays-autohide")),this.QK=60,this.RK=89);a.V().B&&g.Qp(a.getRootNode(),"ytp-embed-pfl");this.api.V().u&&(g.Qp(a.getRootNode(),"ytp-mobile"),this.api.V().T&&g.Qp(a.getRootNode(),"ytp-embed-mobile-exp"));this.kf=e&&e.kf;g.E(this,this.Qc);g.NS(a,this.Qc.element,4);g.E(this,this.Ou);g.NS(a,this.Ou.element,4);e=new g.U({G:"div",N:"ytp-gradient-top"});g.E(this,e);g.NS(a,e.element,1);this.KP=new g.QQ(e,250,!0,100);g.E(this,this.KP); +g.E(this,this.Fh);g.NS(a,this.Fh.element,1);this.JP=new g.QQ(this.Fh,250,!0,100);g.E(this,this.JP);g.E(this,this.tooltip);g.NS(a,this.tooltip.element,4);var f=new QNa(a);g.E(this,f);g.NS(a,f.element,5);f.subscribe("show",function(n){b.Op(f,n)}); +this.hE.push(f);this.Dz=new NU(a,this,f);g.E(this,this.Dz);d.rl&&(this.backButton=new LMa(a),g.E(this,this.backButton),this.backButton.Ea(this.Fh.element));this.oq||this.Dz.Ea(this.Fh.element);g.E(this,this.channelAvatar);this.channelAvatar.Ea(this.Fh.element);g.E(this,this.title);this.title.Ea(this.Fh.element);this.oq&&(e=new fOa(this.api,this),g.E(this,e),e.Ea(this.Fh.element));g.E(this,this.gi);this.gi.Ea(this.Fh.element);var h=new g.RU(a,this);g.E(this,h);g.NS(a,h.element,5);h.subscribe("show", +function(n){b.Op(h,n)}); +this.hE.push(h);this.Jn=new hQa(a,this);g.E(this,this.Jn);this.Jn.Ea(this.gi.element);this.shareButton=new g.QU(a,this,h);g.E(this,this.shareButton);this.shareButton.Ea(this.gi.element);this.Bi=new g.yU(a,this);g.E(this,this.Bi);this.Bi.Ea(this.gi.element);this.oq&&this.Dz.Ea(this.gi.element);g.E(this,this.Wi);this.Wi.Ea(this.gi.element);d.Tn&&(e=new TU(a),g.E(this,e),g.NS(a,e.element,4));d.B||(e=new QMa(a,this,this.Wi),g.E(this,e),e.Ea(this.gi.element));this.Bh=new MNa(a,this);g.E(this,this.Bh); +g.NS(a,this.Bh.element,5);this.Bh.subscribe("show",function(){b.Op(b.Bh,b.Bh.ej())}); +this.hE.push(this.Bh);this.overflowButton=new g.MU(a,this,this.Bh);g.E(this,this.overflowButton);this.overflowButton.Ea(this.gi.element);this.dh&&g.E(this,this.dh);"3"===d.controlsType&&(e=new PU(a,this),g.E(this,e),g.NS(a,e.element,9));g.E(this,this.contextMenu);this.contextMenu.subscribe("show",this.LY,this);e=new kR(a,new gU(a));g.E(this,e);g.NS(a,e.element,4);this.IF.Ra("focus",this.h3,this);g.E(this,this.IF);this.HF.Ra("focus",this.j3,this);g.E(this,this.HF);var l;(this.xq=d.ph?null:new g.JU(a, +c,this.contextMenu,this.Ve,this.Qc,this.Ou,function(){return b.Il()},null==(l=this.dh)?void 0:l.Kc))&&g.E(this,this.xq); +this.oq||(this.api.K("web_player_enable_featured_product_banner_on_desktop")&&(this.wT=new sNa(this.api,this),g.E(this,this.wT),g.NS(a,this.wT.element,4)),this.MX=new cOa(this.api,this),g.E(this,this.MX),g.NS(a,this.MX.element,4));this.bY=new YPa(this.api,this);g.E(this,this.bY);g.NS(a,this.bY.element,4);if(this.oq){var m=new yNa(a,this.api.V().tb);g.E(this,m);g.NS(a,m.element,5);m.subscribe("show",function(n){b.Op(m,n)}); +c=new CNa(a,this,m);g.E(this,c);g.NS(a,c.element,4)}this.Ws.push(this.Qc.element);this.S(a,"fullscreentoggled",this.Hq);this.S(a,"offlineslatestatechange",function(){b.api.AC()&&QT(b.Ve,128,!1)}); +this.S(a,"cardstatechange",function(){b.fl()}); +this.S(a,"resize",this.P5);this.S(a,"videoplayerreset",this.Jv);this.S(a,"showpromotooltip",this.n6)}; +mQa=function(a){var b=a.api.V(),c=g.S(a.api.Cb(),128);return b.C&&c&&!a.api.isFullscreen()}; +nQa=function(a){if(a.Wg()&&!a.Sb()&&a.Bh){var b=a.api.K("web_player_hide_overflow_button_if_empty_menu");!a.Jn||b&&!iQa(a.Jn)||NNa(a.Bh,a.Jn);!a.shareButton||b&&!XNa(a.shareButton)||NNa(a.Bh,a.shareButton);!a.Bi||b&&!lNa(a.Bi)||NNa(a.Bh,a.Bi)}else{if(a.Bh){b=a.Bh;for(var c=g.t(b.actionButtons),d=c.next();!d.done;d=c.next())d.value.detach();b.actionButtons=[]}a.Jn&&!g.zf(a.gi.element,a.Jn.element)&&a.Jn.Ea(a.gi.element);a.shareButton&&!g.zf(a.gi.element,a.shareButton.element)&&a.shareButton.Ea(a.gi.element); +a.Bi&&!g.zf(a.gi.element,a.Bi.element)&&a.Bi.Ea(a.gi.element)}}; +oQa=function(a,b,c){b=c?b.lastElementChild:b.firstElementChild;for(var d=null;b;){if("none"!==Km(b,"display")&&"true"!==b.getAttribute("aria-hidden")){var e=void 0;0<=b.tabIndex?e=b:e=oQa(a,b,c);e&&(d?c?e.tabIndex>d.tabIndex&&(d=e):e.tabIndexc.Oz||0>c.At||0>c.durationMs||0>c.startMs||0>c.Pq)return jW(a,b),[];b=VG(c.Oz,c.Pq);var l;if(null==(l=a.j)?0:l.Jf){var m=c.AN||0;var n=b.length-m}return[new XG(3,f,b,"makeSliceInfosMediaBytes",c.At-1,c.startMs/1E3,c.durationMs/1E3,m,n,void 0,d)]}if(0>c.At)return jW(a,b),[];var p;return(null==(p=a.Sa)?0:p.fd)?(a=f.Xj,[new XG(3,f,void 0,"makeSliceInfosMediaBytes", +c.At,void 0,a,void 0,a*f.info.dc,!0,d)]):[]}; +NQa=function(a,b,c){a.Sa=b;a.j=c;b=g.t(a.Xc);for(c=b.next();!c.done;c=b.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;for(var e=g.t(d.AX),f=e.next();!f.done;f=e.next())f=MQa(a,c,f.value),LQa(a,c,d,f)}}; +OQa=function(a,b,c){(a=a.Xc.get(b))&&!a.Vg&&(iW?(b=0a;a++){var b=g.qf("VIDEO");b.load();lW.push(new g.pT(b))}}; +mW=function(a){g.C.call(this);this.app=a;this.j=null;this.u=1}; +RQa=function(){}; +g.nW=function(a,b,c,d){d=void 0===d?!1:d;FO.call(this);this.mediaElement=a;this.start=b;this.end=c;this.j=d}; +SQa=function(a,b,c){var d=b.getVideoData(),e=a.getVideoData();if(b.getPlayerState().isError())return{msg:"player-error"};b=e.C;if(a.xk()>c/1E3+1)return{msg:"in-the-past"};if(e.isLivePlayback&&!isFinite(c))return{msg:"live-infinite"};(a=a.qe())&&a.isView()&&(a=a.mediaElement);if(a&&12m&&(f=m-200,a.J=!0);h&&l.getCurrentTime()>=f/1E3?a.I():(a.u=l,h&&(h=f,f=a.u,a.app.Ta.addEventListener(g.ZD("vqueued"),a.I),h=isFinite(h)||h/1E3>f.getDuration()?h:0x8000000000000,a.D=new g.XD(h,0x8000000000000,{namespace:"vqueued"}),f.addCueRange(a.D)));h=d/=1E3;f=b.getVideoData().j;d&&f&&a.u&&(l=d,m=0, +b.getVideoData().isLivePlayback&&(h=Math.min(c/1E3,qW(a.u,!0)),m=Math.max(0,h-a.u.getCurrentTime()),l=Math.min(d,qW(b)+m)),h=fwa(f,l)||d,h!==d&&a.j.xa("qvaln",{st:d,at:h,rm:m,ct:l}));b=h;d=a.j;d.getVideoData().Si=!0;d.getVideoData().fb=!0;g.tW(d,!0);f={};a.u&&(f=g.uW(a.u.zc.provider),h=a.u.getVideoData().clientPlaybackNonce,f={crt:(1E3*f).toFixed(),cpn:h});d.xa("queued",f);0!==b&&d.seekTo(b+.01,{bv:!0,IP:3,Je:"videoqueuer_queued"});a.B=new TQa(a.T,a.app.Rc(),a.j,c,e);c=a.B;Infinity!==c.status.status&& +(pW(c,1),c.j.subscribe("internalvideodatachange",c.uu,c),c.u.subscribe("internalvideodatachange",c.uu,c),c.j.subscribe("mediasourceattached",c.uu,c),c.u.subscribe("statechange",c.yd,c),c.j.subscribe("newelementrequired",c.nW,c),c.uu());return a.C}; +cRa=function(a){var b,c,d;g.A(function(e){switch(e.j){case 1:if(a.isDisposed()||!a.C||!a.j)return e.return();a.J&&vW(a.app.Rc(),!0,!1);b=null;if(!a.B){e.Ka(2);break}g.pa(e,3);return g.y(e,YQa(a.B),5);case 5:g.ra(e,2);break;case 3:b=c=g.sa(e);case 2:if(!a.j)return e.return();g.oW.IH("vqsp",function(){wW(a.app,a.j)}); +g.oW.IH("vqpv",function(){a.app.playVideo()}); +b&&eRa(a.j,b.message);d=a.C;sW(a);return e.return(d.resolve(void 0))}})}; +sW=function(a){if(a.u){if(a.D){var b=a.u;a.app.Ta.removeEventListener(g.ZD("vqueued"),a.I);b.removeCueRange(a.D)}a.u=null;a.D=null}a.B&&(6!==a.B.status.status&&(b=a.B,Infinity!==b.status.status&&b.Eg("Canceled")),a.B=null);a.C=null;a.j&&a.j!==g.qS(a.app,1)&&a.j!==a.app.Rc()&&a.j.dispose();a.j=null;a.J=!1}; +fRa=function(a){var b;return(null==(b=a.B)?void 0:b.currentVideoDuration)||-1}; +gRa=function(a,b,c){if(a.vv())return"qine";var d;if(b.videoId!==(null==(d=a.j)?void 0:d.Ce()))return"vinm";if(0>=fRa(a))return"ivd";if(1!==c)return"upt";var e,f;null==(e=a.B)?f=void 0:f=5!==e.getStatus().status?"neb":null!=SQa(e.j,e.u,e.fm)?"pge":null;a=f;return null!=a?a:null}; +hRa=function(){var a=Aoa();return!(!a||"visible"===a)}; +jRa=function(a){var b=iRa();b&&document.addEventListener(b,a,!1)}; +kRa=function(a){var b=iRa();b&&document.removeEventListener(b,a,!1)}; +iRa=function(){if(document.visibilityState)var a="visibilitychange";else{if(!document[vz+"VisibilityState"])return"";a=vz+"visibilitychange"}return a}; +lRa=function(){g.dE.call(this);var a=this;this.fullscreen=0;this.pictureInPicture=this.j=this.u=this.inline=!1;this.B=function(){a.Bg()}; +jRa(this.B);this.C=this.getVisibilityState(this.wh(),this.isFullscreen(),this.zg(),this.isInline(),this.Ty(),this.Ry())}; +xW=function(a,b,c,d,e){e=void 0===e?[]:e;g.C.call(this);this.Y=a;this.Ec=b;this.C=c;this.segments=e;this.j=void 0;this.B=new Map;this.u=new Map;if(e.length)for(this.j=e[0],a=g.t(e),b=a.next();!b.done;b=a.next())b=b.value,(c=b.hs())&&this.B.set(c,b.OB())}; +mRa=function(a,b,c,d){if(a.j&&!(b>c)){b=new xW(a.Y,b,c,a.j,d);d=g.t(d);for(c=d.next();!c.done;c=d.next()){c=c.value;var e=c.hs();e&&e!==a.j.hs()&&a.u.set(e,[c])}a.j.j.set(b.yy(),b)}}; +oRa=function(a,b,c,d,e,f){return new nRa(c,c+(d||0),!d,b,a,new g.$L(a.Y,f),e)}; +nRa=function(a,b,c,d,e,f,h){g.C.call(this);this.Ec=a;this.u=b;this.type=d;this.B=e;this.videoData=f;this.clipId=h;this.j=new Map}; +pRa=function(a){this.end=this.start=a}; +g.zW=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.va=c;this.ib="";this.Aa=new Map;this.Xa=new Map;this.Ja=new Map;this.C=new Map;this.B=[];this.T=[];this.D=new Map;this.Oc=new Map;this.ea=new Map;this.Dc=NaN;this.Tb=this.tb=null;this.uc=new g.Ip(function(){qRa(d,d.Dc)}); +this.events=new g.bI(this);this.jc=g.gJ(this.Y.experiments,"web_player_ss_dai_ad_fetching_timeout_ms")||1E4;this.J=new g.Ip(function(){d.ya=!0;var e=d.va,f=d.jc;e.xa("sdai",{aftimeout:f});e.Kd(new PK("ad.fetchtimeout",{timeout:f}));rRa(d);d.kC(!1)},this.jc); +this.ya=!1;this.Ya=new Map;this.Xb=[];this.oa=null;this.ke=new Set;this.Ga=[];this.Lc=[];this.Nd=[];this.rd=[];this.j=void 0;this.kb=0;this.fb=!0;this.I=!1;this.La=[];this.Ld=new Set;this.je=new Set;this.Od=new Set;this.El=0;this.Z=null;this.Pb=new Set;this.Vd=0;this.Np=this.Wc=!1;this.u="";this.va.getPlayerType();sRa(this.va,this);this.Qa=this.Y.Rd();g.E(this,this.uc);g.E(this,this.events);g.E(this,this.J);yW(this)||(this.events.S(this.api,g.ZD("serverstitchedcuerange"),this.onCueRangeEnter),this.events.S(this.api, +g.$D("serverstitchedcuerange"),this.onCueRangeExit))}; +wRa=function(a,b,c,d,e,f,h,l){var m=tRa(a,f,f+e);a.ya&&a.va.xa("sdai",{adaftto:1});a.Np&&a.va.xa("sdai",{adfbk:1,enter:f,len:e,aid:l});var n=a.va;h=void 0===h?f+e:h;f===h&&!e&&a.Y.K("html5_allow_zero_duration_ads_on_timeline")&&a.va.xa("sdai",{attl0d:1});f>h&&AW(a,{reason:"enterTime_greater_than_return",Ec:f,Dd:h});var p=1E3*n.Id();fn&&AW(a,{reason:"parent_return_greater_than_content_duration",Dd:h,a8a:n}); +n=null;p=g.Jb(a.T,{Dd:f},function(q,r){return q.Dd-r.Dd}); +0<=p&&(n=a.T[p],n.Dd>f&&uRa(a,b.video_id||"",f,h,n));if(m&&n)for(p=0;pd?-1*(d+2):d;return 0<=d&&(a=a.T[d],a.Dd>=c)?{Ao:a,sz:b}:{Ao:void 0,sz:b}}; +GW=function(a,b){var c="";yW(a)?(c=b/1E3-a.aq(),c=a.va.Gy(c)):(b=BRa(a,b))&&(c=b.getId());return c?a.D.get(c):void 0}; +BRa=function(a,b){a=g.t(a.C.values());for(var c=a.next();!c.done;c=a.next())if(c=c.value,c.start<=b&&c.end>=b)return c}; +qRa=function(a,b){var c=a.Tb||a.api.Rc().getPlayerState();HW(a,!0);a.va.seekTo(b);a=a.api.Rc();b=a.getPlayerState();g.RO(c)&&!g.RO(b)?a.playVideo():g.QO(c)&&!g.QO(b)&&a.pauseVideo()}; +HW=function(a,b){a.Dc=NaN;a.uc.stop();a.tb&&b&&CRa(a.tb);a.Tb=null;a.tb=null}; +DRa=function(a){var b=void 0===b?-1:b;var c=void 0===c?Infinity:c;for(var d=[],e=g.t(a.T),f=e.next();!f.done;f=e.next())f=f.value,(f.Ecc)&&d.push(f);a.T=d;d=g.t(a.C.values());for(e=d.next();!e.done;e=d.next())e=e.value,e.start>=b&&e.end<=c&&(a.va.removeCueRange(e),a.C.delete(e.getId()),a.va.xa("sdai",{rmAdCR:1}));d=ARa(a,b/1E3);b=d.Ao;d=d.sz;if(b&&(d=1E3*d-b.Ec,e=b.Ec+d,b.durationMs=d,b.Dd=e,d=a.C.get(b.cpn))){e=g.t(a.B);for(f=e.next();!f.done;f=e.next())f=f.value,f.start===d.end?f.start= +b.Ec+b.durationMs:f.end===d.start&&(f.end=b.Ec);d.start=b.Ec;d.end=b.Ec+b.durationMs}if(b=ARa(a,c/1E3).Ao){var h;d="playback_timelinePlaybackId_"+b.Nc+"_video_id_"+(null==(h=b.videoData)?void 0:h.videoId)+"_durationMs_"+b.durationMs+"_enterTimeMs_"+b.Ec+"_parentReturnTimeMs_"+b.Dd;a.KC("Invalid_clearEndTimeMs_"+c+"_that_falls_during_"+d+"._Child_playbacks_can_only_have_duration_updated_not_their_start.")}}; +ERa=function(a){a.ib="";a.Aa.clear();a.Xa.clear();a.Ja.clear();a.C.clear();a.B=[];a.T=[];a.D.clear();a.Oc.clear();a.ea.clear();a.Ya.clear();a.Xb=[];a.oa=null;a.ke.clear();a.Ga=[];a.Lc=[];a.Nd=[];a.rd=[];a.La=[];a.Ld.clear();a.je.clear();a.Od.clear();a.Pb.clear();a.ya=!1;a.j=void 0;a.kb=0;a.fb=!0;a.I=!1;a.El=0;a.Z=null;a.Vd=0;a.Wc=!1;a.Np=!1;DW(a,a.u)&&a.va.xa("sdai",{rsac:"resetAll",sac:a.u});a.u="";a.J.isActive()&&BW(a)}; +GRa=function(a,b,c,d,e){if(!a.Np)if(g.FRa(a,c))a.Qa&&a.va.xa("sdai",{gdu:"undec",seg:c,itag:e});else return IW(a,b,c,d)}; +IW=function(a,b,c,d){var e=a.Ya.get(c);if(!e){b+=a.aq();b=ARa(a,b,1);var f;b.Ao||2!==(null==(f=JW(a,c-1,null!=d?d:2))?void 0:f.YA)?e=b.Ao:e=a.Ya.get(c-1)}return e}; +HRa=function(a){if(a.La.length)for(var b=g.t(a.La),c=b.next();!c.done;c=b.next())a.onCueRangeExit(c.value);c=g.t(a.C.values());for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);c=g.t(a.B);for(b=c.next();!b.done;b=c.next())a.va.removeCueRange(b.value);a.C.clear();a.B=[];a.Aa.clear();a.Xa.clear();a.Ja.clear();a.j||(a.fb=!0)}; +JW=function(a,b,c,d){if(1===c){if(a.Y.K("html5_reset_daistate_on_audio_codec_change")&&d&&d!==a.ib&&(""!==a.ib&&(a.va.xa("sdai",{rstadaist:1,old:a.ib,"new":d}),a.Aa.clear()),a.ib=d),a.Aa.has(b))return a.Aa.get(b)}else{if(2===c&&a.Xa.has(b))return a.Xa.get(b);if(3===c&&a.Ja.has(b))return a.Ja.get(b)}}; +JRa=function(a,b,c,d){if(d)for(d=0;dc){var f=e.end;e.end=b;IRa(a,c,f)}else if(e.start>=b&&e.startc)e.start=c;else if(e.end>b&&e.end<=c&&e.start=b&&e.end<=c){a.va.removeCueRange(e);if(a.La.includes(e))a.onCueRangeExit(e);a.B.splice(d,1);continue}d++}else IRa(a,b,c)}; +IRa=function(a,b,c){b=xRa(b,c);c=!0;g.Nb(a.B,b,function(h,l){return h.start-l.start}); +for(var d=0;d=Math.round(e.start/1E3)){f.end=e.end;e!==b?a.va.removeCueRange(e):c=!1;a.B.splice(d,1);continue}}d++}if(c)for(a.va.addCueRange(b),b=a.va.CB("serverstitchedcuerange",36E5),b=g.t(b),c=b.next();!c.done;c=b.next())a.C.delete(c.value.getId())}; +KW=function(a,b,c){if(void 0===c||!c){c=g.t(a.Xb);for(var d=c.next();!d.done;d=c.next()){d=d.value;if(b>=d.start&&b<=d.end)return;if(b===d.end+1){d.end+=1;return}}a.Xb.push(new pRa(b))}}; +g.FRa=function(a,b){a=g.t(a.Xb);for(var c=a.next();!c.done;c=a.next())if(c=c.value,b>=c.start&&b<=c.end)return!0;return!1}; +uRa=function(a,b,c,d,e){var f;b={reason:"overlapping_playbacks",X7a:b,Ec:c,Dd:d,O6a:e.Nc,P6a:(null==(f=e.videoData)?void 0:f.videoId)||"",L6a:e.durationMs,M6a:e.Ec,N6a:e.Dd};AW(a,b)}; +AW=function(a,b){a=a.va;a.xa("timelineerror",b);a.Kd(new PK("dai.timelineerror",b))}; +KRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,b.cpn&&c.push(b.cpn);return c}; +LRa=function(a,b,c){var d=0;a=a.ea.get(c);if(!a)return-1;a=g.t(a);for(c=a.next();!c.done;c=a.next()){if(c.value.cpn===b)return d;d++}return-1}; +MRa=function(a,b){var c=[];a=a.ea.get(b);if(!a)return[];a=g.t(a);for(var d=a.next();!d.done;d=a.next())b=void 0,(d=null==(b=d.value.videoData)?void 0:b.videoId)&&c.push(d);return c}; +NRa=function(a,b){var c=0;a=a.ea.get(b);if(!a)return 0;a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,0!==b.durationMs&&b.Dd!==b.Ec&&c++;return c}; +ORa=function(a,b,c){var d=!1;if(c&&(c=a.ea.get(c))){c=g.t(c);for(var e=c.next();!e.done;e=c.next())e=e.value,0!==e.durationMs&&e.Dd!==e.Ec&&(e=e.cpn,b===e&&(d=!0),d&&!a.je.has(e)&&(a.va.xa("sdai",{decoratedAd:e}),a.je.add(e)))}}; +rRa=function(a){a.Qa&&a.va.xa("sdai",{adf:"0_"+((new Date).getTime()/1E3-a.Vd)+"_isTimeout_"+a.ya})}; +tRa=function(a,b,c){if(a.Ga.length)for(var d={},e=g.t(a.Ga),f=e.next();!f.done;d={Tt:d.Tt},f=e.next()){d.Tt=f.value;f=1E3*d.Tt.startSecs;var h=1E3*d.Tt.Sg+f;if(b>f&&bf&&ce?-1*(e+2):e]))for(c=g.t(c.segments),d=c.next();!d.done;d=c.next())if(d=d.value,d.yy()<=b&&d.QL()>b)return{clipId:d.hs()||"",lN:d.yy()};a.api.xa("ssap",{mci:1});return{clipId:"",lN:0}}; +SRa=function(a,b,c){g.C.call(this);var d=this;this.api=a;this.Y=b;this.j=c;this.I=new Map;this.u=[];this.B=this.J=null;this.ea=NaN;this.D=this.C=null;this.T=new g.Ip(function(){RRa(d,d.ea)}); +this.Z=[];this.oa=new g.Ip(function(){var e=d.Z.pop();if(e){var f=e.Nc,h=e.playerVars;e=e.playerType;h&&(h.prefer_gapless=!0,d.api.preloadVideoByPlayerVars(h,e,NaN,"",f),d.Z.length&&g.Jp(d.oa,4500))}}); +this.events=new g.bI(this);c.getPlayerType();g.E(this,this.T);g.E(this,this.oa);g.E(this,this.events);this.events.S(this.api,g.ZD("childplayback"),this.onCueRangeEnter);this.events.S(this.api,"onQueuedVideoLoaded",this.onQueuedVideoLoaded);this.events.S(this.api,"presentingplayerstatechange",this.Hi)}; +WRa=function(a,b,c,d,e,f){var h=b.cpn,l=b.docid||b.video_id||b.videoId||b.id,m=a.j;f=void 0===f?e+d:f;if(e>f)return MW(a,"enterAfterReturn enterTimeMs="+e+" is greater than parentReturnTimeMs="+f.toFixed(3),h,l),"";var n=1E3*m.Id();if(en)return m="returnAfterDuration parentReturnTimeMs="+f.toFixed(3)+" is greater than parentDurationMs="+n+". And timestampOffset in seconds is "+ +m.Jd(),MW(a,m,h,l),"";n=null;for(var p=g.t(a.u),q=p.next();!q.done;q=p.next()){q=q.value;if(e>=q.Ec&&eq.Ec)return MW(a,"overlappingReturn",h,l),"";if(f===q.Ec)return MW(a,"outOfOrder",h,l),"";e===q.Dd&&(n=q)}h="cs_childplayback_"+TRa++;l={me:NW(d,!0),fm:Infinity,target:null};var r={Nc:h,playerVars:b,playerType:c,durationMs:d,Ec:e,Dd:f,Tr:l};a.u=a.u.concat(r).sort(function(z,B){return z.Ec-B.Ec}); +n?URa(a,n,{me:NW(n.durationMs,!0),fm:n.Tr.fm,target:r}):(b={me:NW(e,!1),fm:e,target:r},a.I.set(b.me,b),m.addCueRange(b.me));b=!0;if(a.j===a.api.Rc()&&(m=1E3*m.getCurrentTime(),m>=r.Ec&&mb)break;if(f>b)return{Ao:d,sz:b-e};c=f-d.Dd/1E3}return{Ao:null,sz:b-c}}; +RRa=function(a,b){var c=a.D||a.api.Rc().getPlayerState();QW(a,!0);b=isFinite(b)?b:a.j.Wp();var d=$Ra(a,b);b=d.Ao;d=d.sz;var e=b&&!OW(a,b)||!b&&a.j!==a.api.Rc(),f=1E3*d;f=a.B&&a.B.start<=f&&f<=a.B.end;!e&&f||PW(a);b?VRa(a,b,d,c):aSa(a,d,c)}; +aSa=function(a,b,c){var d=a.j,e=a.api.Rc();d!==e&&a.api.Nq();d.seekTo(b,{Je:"application_timelinemanager"});bSa(a,c)}; +VRa=function(a,b,c,d){var e=OW(a,b);if(!e){b.playerVars.prefer_gapless=!0;var f=new g.$L(a.Y,b.playerVars);f.Nc=b.Nc;a.api.Rs(f,b.playerType)}f=a.api.Rc();e||f.addCueRange(b.Tr.me);f.seekTo(c,{Je:"application_timelinemanager"});bSa(a,d)}; +bSa=function(a,b){a=a.api.Rc();var c=a.getPlayerState();g.RO(b)&&!g.RO(c)?a.playVideo():g.QO(b)&&!g.QO(c)&&a.pauseVideo()}; +QW=function(a,b){a.ea=NaN;a.T.stop();a.C&&b&&CRa(a.C);a.D=null;a.C=null}; +OW=function(a,b){a=a.api.Rc();return!!a&&a.getVideoData().Nc===b.Nc}; +cSa=function(a){var b=a.u.find(function(e){return OW(a,e)}); +if(b){var c=a.api.Rc();PW(a);var d=new g.KO(8);b=ZRa(a,b)/1E3;aSa(a,b,d);c.xa("forceParentTransition",{childPlayback:1});a.j.xa("forceParentTransition",{parentPlayback:1})}}; +eSa=function(a,b,c){b=void 0===b?-1:b;c=void 0===c?Infinity:c;for(var d=b,e=c,f=g.t(a.I),h=f.next();!h.done;h=f.next()){var l=g.t(h.value);h=l.next().value;l=l.next().value;l.fm>=d&&l.target&&l.target.Dd<=e&&(a.j.removeCueRange(h),a.I.delete(h))}d=b;e=c;f=[];h=g.t(a.u);for(l=h.next();!l.done;l=h.next())if(l=l.value,l.Ec>=d&&l.Dd<=e){var m=a;m.J===l&&PW(m);OW(m,l)&&m.api.Nq()}else f.push(l);a.u=f;d=$Ra(a,b/1E3);b=d.Ao;d=d.sz;b&&(d*=1E3,dSa(a,b,d,b.Dd===b.Ec+b.durationMs?b.Ec+d:b.Dd));(b=$Ra(a,c/1E3).Ao)&& +MW(a,"Invalid clearEndTimeMs="+c+" that falls during playback={timelinePlaybackId="+(b.Nc+" video_id="+b.playerVars.video_id+" durationMs="+b.durationMs+" enterTimeMs="+b.Ec+" parentReturnTimeMs="+b.Dd+"}.Child playbacks can only have duration updated not their start."))}; +dSa=function(a,b,c,d){b.durationMs=c;b.Dd=d;d={me:NW(c,!0),fm:c,target:null};URa(a,b,d);OW(a,b)&&1E3*a.api.Rc().getCurrentTime()>c&&(b=ZRa(a,b)/1E3,c=a.api.Rc().getPlayerState(),aSa(a,b,c))}; +MW=function(a,b,c,d){a.j.xa("timelineerror",{e:b,cpn:c?c:void 0,videoId:d?d:void 0})}; +gSa=function(a){a&&"web"!==a&&fSa.includes(a)}; +SW=function(a,b){g.C.call(this);var c=this;this.data=[];this.B=a||NaN;this.u=b||null;this.j=new g.Ip(function(){hSa(c);RW(c)}); +g.E(this,this.j)}; +hSa=function(a){var b=(0,g.M)();a.data.forEach(function(c){c.expire=d;d++)c.push(d/100);c={threshold:c,trackVisibility:!0,delay:1E3};(this.u=window.IntersectionObserver?new IntersectionObserver(function(e){e=e[e.length-1];"undefined"===typeof e.isVisible?b.j=null:b.j=e.isVisible?e.intersectionRatio:0},c):null)&&this.u.observe(a)}; +mSa=function(a){g.U.call(this,{G:"div",Ia:["html5-video-player"],X:{tabindex:"-1",id:a.webPlayerContextConfig?a.webPlayerContextConfig.rootElementId:a.config.attrs.id},W:[{G:"div",N:g.WW.VIDEO_CONTAINER,X:{"data-layer":"0"}}]});var b=this;this.app=a;this.kB=this.Da(g.WW.VIDEO_CONTAINER);this.Ez=new g.Em(0,0,0,0);this.kc=null;this.zH=new g.Em(0,0,0,0);this.gM=this.rN=this.qN=NaN;this.mG=this.vH=this.zO=this.QS=!1;this.YK=NaN;this.QM=!1;this.LC=null;this.MN=function(){b.element.focus()}; +this.gH=function(){b.app.Ta.ma("playerUnderlayVisibilityChange","visible");b.kc.classList.remove(g.WW.VIDEO_CONTAINER_TRANSITIONING);b.kc.removeEventListener(zKa,b.gH);b.kc.removeEventListener("transitioncancel",b.gH)}; +var c=this.element.addEventListener,d=this.element.removeEventListener;this.addEventListener=function(f,h,l){c.apply(b.element,[f,h,l])}; this.removeEventListener=function(f,h,l){d.apply(b.element,[f,h,l])}; -var e=a.T();e.transparentBackground&&this.fr("ytp-transparent");"0"===e.controlsType&&this.fr("ytp-hide-controls");e.ba("html5_ux_control_flexbox_killswitch")||g.I(this.element,"ytp-exp-bottom-control-flexbox");e.ba("html5_player_bottom_linear_gradient")&&g.I(this.element,"ytp-linear-gradient-bottom-experiment");e.ba("web_player_bigger_buttons")&&g.I(this.element,"ytp-exp-bigger-button");jia(this.element,Cwa(a));FD(e)&&"blazer"!==e.playerStyle&&window.matchMedia&&(this.P="desktop-polymer"===e.playerStyle? -[{query:window.matchMedia("(max-width: 656px)"),size:new g.ie(426,240)},{query:window.matchMedia("(max-width: 856px)"),size:new g.ie(640,360)},{query:window.matchMedia("(max-width: 999px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 1000px)"),size:new g.ie(640,360)}]:[{query:window.matchMedia("(max-width: 656px)"), -size:new g.ie(426,240)},{query:window.matchMedia("(min-width: 1720px) and (min-height: 980px)"),size:new g.ie(1280,720)},{query:window.matchMedia("(min-width: 1294px) and (min-height: 630px)"),size:new g.ie(854,480)},{query:window.matchMedia("(min-width: 657px)"),size:new g.ie(640,360)}]);this.ma=e.useFastSizingOnWatchDefault;this.D=new g.ie(NaN,NaN);Dwa(this);this.N(a.u,"onMutedAutoplayChange",this.JM)}; -Dwa=function(a){function b(){a.u&&aZ(a);bZ(a)!==a.aa&&a.resize()} -function c(h,l){a.updateVideoData(l)} +var e=a.V();e.transparentBackground&&this.Dr("ytp-transparent");"0"===e.controlsType&&this.Dr("ytp-hide-controls");g.Qp(this.element,"ytp-exp-bottom-control-flexbox");e.K("enable_new_paid_product_placement")&&!g.GK(e)&&g.Qp(this.element,"ytp-exp-ppp-update");xoa(this.element,"version",kSa(a));this.OX=!1;this.FB=new g.He(NaN,NaN);lSa(this);this.S(a.Ta,"onMutedAutoplayChange",this.onMutedAutoplayChange)}; +lSa=function(a){function b(){a.kc&&XW(a);YW(a)!==a.QM&&a.resize()} +function c(h,l){a.Gs(h,l)} function d(h){h.getVideoData()&&a.updateVideoData(h.getVideoData())} -function e(){a.K=new g.jg(0,0,0,0);a.B=new g.jg(0,0,0,0)} -var f=a.app.u;f.addEventListener("initializingmode",e);f.addEventListener("videoplayerreset",d);f.addEventListener("videodatachange",c);f.addEventListener("presentingplayerstatechange",b);g.eg(a,function(){f.removeEventListener("initializingmode",e);f.removeEventListener("videoplayerreset",d);f.removeEventListener("videodatachange",c);f.removeEventListener("presentingplayerstatechange",b)})}; -fK=function(a,b){mD(a.app.T());a.I=!b;aZ(a)}; -Ewa=function(a){var b=g.Q(a.app.T().experiments,"html5_aspect_from_adaptive_format"),c=g.Z(a.app);if(c=c?c.getVideoData():null){if(c.Vj()||c.Wj()||c.Pj())return 16/9;if(b&&zI(c)&&c.La.Lc())return b=c.La.videoInfos[0].video,cZ(b.width,b.height)}return(a=a.u)?cZ(a.videoWidth,a.videoHeight):b?16/9:NaN}; -Fwa=function(a,b,c,d){var e=c,f=cZ(b.width,b.height);a.za?e=cf?h={width:b.width,height:b.width/e,aspectRatio:e}:ee?h.width=h.height*c:cMath.abs(dZ*b-a)||1>Math.abs(dZ/a-b)?dZ:a/b}; -bZ=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.Z(a.app);if(!b||b.Qj())return!1;var c=g.uK(a.app.u);a=!g.U(c,2)||!g.Q(a.app.T().experiments,"html5_leanback_gapless_elem_display_killswitch")&&b&&b.getVideoData().Lh;b=g.U(c,1024);return c&&a&&!b&&!c.isCued()}; -aZ=function(a){var b="3"===a.app.T().controlsType&&!a.I&&bZ(a)&&!a.app.Ta||!1;a.u.controls=b;a.u.tabIndex=b?0:-1;b?a.u.removeEventListener("focus",a.ia):g.Q(a.app.T().experiments,"disable_focus_redirect")||a.u.addEventListener("focus",a.ia)}; -Gwa=function(a){var b=a.getPlayerSize(),c=1,d=!1,e=Fwa(a,b,a.getVideoAspectRatio()),f=nr();if(bZ(a)){var h=Ewa(a);var l=isNaN(h)||g.hs||fE&&g.Ur;or&&!g.ae(601)?h=e.aspectRatio:l=l||"3"===a.app.T().controlsType;l?l=new g.jg(0,0,b.width,b.height):(c=e.aspectRatio/h,l=new g.jg((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.Ur&&(h=l.width-b.height*h,0f?{width:b.width,height:b.width/e,aspectRatio:e}:ee?a.width=a.height*c:cMath.abs(qSa*b-a)||1>Math.abs(qSa/a-b)?qSa:a/b}; +YW=function(a){if(1===a.app.getAppState())return!1;if(6===a.app.getAppState())return!0;var b=g.qS(a.app);if(!b||b.Mo())return!1;a=a.app.Ta.Cb();b=!g.S(a,2)||b&&b.getVideoData().fb;var c=g.S(a,1024);return a&&b&&!c&&!a.isCued()}; +XW=function(a){var b="3"===a.app.V().controlsType&&!a.mG&&YW(a)&&!a.app.oz||!1;a.kc.controls=b;a.kc.tabIndex=b?0:-1;b?a.kc.removeEventListener("focus",a.MN):a.kc.addEventListener("focus",a.MN)}; +rSa=function(a){var b=a.Ij(),c=1,d=!1,e=pSa(a,b,a.getVideoAspectRatio()),f=a.app.V(),h=f.K("enable_desktop_player_underlay"),l=koa(),m=g.gJ(f.experiments,"player_underlay_min_player_width");m=h&&a.zO&&a.getPlayerSize().width>m;if(YW(a)){var n=oSa(a);var p=isNaN(n)||g.oB||ZW&&g.BA||m;nB&&!g.Nc(601)?n=e.aspectRatio:p=p||"3"===f.controlsType;p?m?(p=f.K("place_shrunken_video_on_left_of_player"),n=.02*a.getPlayerSize().width,p=p?n:a.getPlayerSize().width-b.width-n,p=new g.Em(p,0,b.width,b.height)):p=new g.Em(0, +0,b.width,b.height):(c=e.aspectRatio/n,p=new g.Em((b.width-e.width/c)/2,(b.height-e.height)/2,e.width/c,e.height),1===c&&g.BA&&(n=p.width-b.height*n,0Math.max(p.width-e.width,p.height-e.height));if(l||a.OX)a.kc.style.display="";a.QM=!0}else{p=-b.height;nB?p*=window.devicePixelRatio:g.HK&&(p-=window.screen.height);p=new g.Em(0,p,b.width,b.height);if(l||a.OX)a.kc.style.display="none";a.QM=!1}Fm(a.zH,p)||(a.zH=p,g.mK(f)?(a.kc.style.setProperty("width", +p.width+"px","important"),a.kc.style.setProperty("height",p.height+"px","important")):g.Rm(a.kc,p.getSize()),d=new g.Fe(p.left,p.top),g.Nm(a.kc,Math.round(d.x),Math.round(d.y)),d=!0);b=new g.Em((b.width-e.width)/2,(b.height-e.height)/2,e.width,e.height);Fm(a.Ez,b)||(a.Ez=b,d=!0);g.Hm(a.kc,"transform",1===c?"":"scaleX("+c+")");h&&m!==a.vH&&(m&&(a.kc.addEventListener(zKa,a.gH),a.kc.addEventListener("transitioncancel",a.gH),a.kc.classList.add(g.WW.VIDEO_CONTAINER_TRANSITIONING)),a.vH=m,a.app.Ta.ma("playerUnderlayVisibilityChange", +a.vH?"transitioning":"hidden"));return d}; +sSa=function(){this.csn=g.FE();this.clientPlaybackNonce=null;this.elements=new Set;this.B=new Set;this.j=new Set;this.u=new Set}; +tSa=function(a,b){a.elements.has(b);a.elements.delete(b);a.B.delete(b);a.j.delete(b);a.u.delete(b)}; +uSa=function(a){if(a.csn!==g.FE())if("UNDEFINED_CSN"===a.csn)a.csn=g.FE();else{var b=g.FE(),c=g.EE();if(b&&c){a.csn=b;for(var d=g.t(a.elements),e=d.next();!e.done;e=d.next())(e=e.value.visualElement)&&e.isClientVe()&&g.my(g.bP)(void 0,b,c,e)}if(b)for(a=g.t(a.j),e=a.next();!e.done;e=a.next())(c=e.value.visualElement)&&c.isClientVe()&&g.hP(b,c)}}; +vSa=function(a,b){this.schedule=a;this.policy=b;this.playbackRate=1}; +wSa=function(a,b){var c=Math.min(2.5,VJ(a.schedule));a=$W(a);return b-c*a}; +ySa=function(a,b,c,d,e){e=void 0===e?!1:e;a.policy.Qk&&(d=Math.abs(d));d/=a.playbackRate;var f=1/XJ(a.schedule);c=Math.max(.9*(d-3),VJ(a.schedule)+2048*f)/f*a.policy.oo/(b+c);if(!a.policy.vf||d)c=Math.min(c,d);a.policy.Vf&&e&&(c=Math.max(c,a.policy.Vf));return xSa(a,c,b)}; +xSa=function(a,b,c){return Math.ceil(Math.max(Math.max(65536,a.policy.jo*c),Math.min(Math.min(a.policy.Ja,31*c),Math.ceil(b*c))))||65536}; +$W=function(a){return XJ(a.schedule,!a.policy.ol,a.policy.ao)}; +aX=function(a){return $W(a)/a.playbackRate}; +zSa=function(a,b,c,d,e){this.Fa=a;this.Sa=b;this.videoTrack=c;this.audioTrack=d;this.policy=e;this.seekCount=this.j=0;this.C=!1;this.u=this.Sa.isManifestless&&!this.Sa.Se;this.B=null}; +ASa=function(a,b){var c=a.j.index,d=a.u.Ma;pH(c,d)||b&&b.Ma===d?(a.D=!pH(c,d),a.ea=!pH(c,d)):(a.D=!0,a.ea=!0)}; +CSa=function(a,b,c,d,e){if(!b.j.Jg()){if(!(d=0===c||!!b.B.length&&b.B[0]instanceof bX))a:{if(b.B.length&&(d=b.B[0],d instanceof cX&&d.Yj&&d.vj)){d=!0;break a}d=!1}d||a.policy.B||dX(b);return c}a=eX(b,c);if(!isNaN(a))return a;e.EC||b.vk();return d&&(a=mI(d.Ig(),c),!isNaN(a))?(fX(b,a+BSa),c):fX(b,c)}; +GSa=function(a,b,c,d){if(a.hh()&&a.j){var e=DSa(a,b,c);if(-1!==e){a.videoTrack.D=!1;a.audioTrack.D=!1;a.u=!0;g.Mf(function(){a.Fa.xa("seekreason",{reason:"behindMinSq",tgt:e});ESa(a,e)}); +return}}c?a.videoTrack.ea=!1:a.audioTrack.ea=!1;var f=a.policy.tA||!a.u;0<=eX(a.videoTrack,a.j)&&0<=eX(a.audioTrack,a.j)&&f?((a.videoTrack.D||a.audioTrack.D)&&a.Fa.xa("iterativeSeeking",{status:"done",count:a.seekCount}),a.videoTrack.D=!1,a.audioTrack.D=!1):d&&g.Mf(function(){if(a.u||!a.policy.uc)FSa(a);else{var h=b.startTime,l=b.duration,m=c?a.videoTrack.D:a.audioTrack.D,n=-1!==a.videoTrack.I&&-1!==a.audioTrack.I,p=a.j>=h&&a.ja.seekCount?(a.seekCount++,a.Fa.xa("iterativeSeeking",{status:"inprogress",count:a.seekCount,target:a.j,actual:h,duration:l,isVideo:c}),a.seek(a.j,{})):(a.Fa.xa("iterativeSeeking",{status:"incomplete",count:a.seekCount,target:a.j,actual:h}),a.seekCount=0,a.videoTrack.D=!1,a.audioTrack.D=!1,a.Fa.va.seekTo(h+ +.1,{bv:!0,Je:"chunkSelectorSynchronizeMedia",Er:!0})))}})}; +DSa=function(a,b,c){if(!a.hh())return-1;c=(c?a.videoTrack:a.audioTrack).j.index;var d=c.uh(a.j);return(pH(c,a.Sa.Ge)||b.Ma===a.Sa.Ge)&&da.B&&(a.B=NaN,a.D=NaN);if(a.j&&a.j.Ma===d){d=a.j;e=d.jf;var f=c.gt(e);a.xa("sdai",{onqevt:e.event,sq:b.gb[0].Ma,gab:f});f?"predictStart"!==e.event?d.nC?iX(a,4,"cue"):(a.B=b.gb[0].Ma,a.D=b.gb[0].C,a.xa("sdai",{joinad:a.u,sg:a.B,st:a.D.toFixed(3)}),a.ea=Date.now(),iX(a,2,"join"),c.fG(d.jf)):(a.J=b.gb[0].Ma+ +Math.max(Math.ceil(-e.j/5E3),1),a.xa("sdai",{onpred:b.gb[0].Ma,est:a.J}),a.ea=Date.now(),iX(a,3,"predict"),c.fG(d.jf)):1===a.u&&iX(a,5,"nogab")}else 1===a.u&&iX(a,5,"noad")}}; +LSa=function(a,b,c){return(0>c||c===a.B)&&!isNaN(a.D)?a.D:b}; +MSa=function(a,b){if(a.j){var c=a.j.jf.Sg-(b.startTime+a.I-a.j.jf.startSecs);0>=c||(c=new PD(a.j.jf.startSecs-(isNaN(a.I)?0:a.I),c,a.j.jf.context,a.j.jf.identifier,"stop",a.j.jf.j+1E3*b.duration),a.xa("cuepointdiscontinuity",{segNum:b.Ma}),hX(a,c,b.Ma))}}; +iX=function(a,b,c){a.u!==b&&(a.xa("sdai",{setsst:b,old:a.u,r:c}),a.u=b)}; +jX=function(a,b,c,d){(void 0===d?0:d)?iX(a,1,"sk2h"):0b)return!0;a.ya.clear()}return!1}; +rX=function(a,b){return new kX(a.I,a.j,b||a.B.reason)}; +sX=function(a){return a.B.isLocked()}; +RSa=function(a){a.Qa?a.Qa=!1:a.ea=(0,g.M)();a.T=!1;return new kX(a.I,a.j,a.B.reason)}; +WSa=function(a,b){var c={};b=g.t(b);for(var d=b.next();!d.done;d=b.next())if((d=d.value)&&d.video){var e=d.video.j,f=c[e],h=f&&KH(f)&&f.video.j>a.policy.ya,l=e<=a.policy.ya?KH(d):BF(d);if(!f||h||l)c[e]=d}return c}; +mX=function(a,b){a.B=b;var c=a.D.videoInfos;if(!sX(a)){var d=(0,g.M)();c=g.Rn(c,function(q){if(q.dc>this.policy.dc)return!1;var r=this.Sa.j[q.id],v=r.info.Lb;return this.policy.Pw&&this.Ya.has(v)||this.ya.get(q.id)>d||4=q.video.width&&480>=q.video.height}))}c.length||(c=a.D.videoInfos); +var e=g.Rn(c,b.C,b);if(sX(a)&&a.oa){var f=g.nb(c,function(q){return q.id===a.oa}); +f?e=[f]:delete a.oa}f="m"===b.reason||"s"===b.reason;a.policy.Uw&&ZW&&g.BA&&(!f||1080>b.j)&&(e=e.filter(function(q){return q.video&&(!q.j||q.j.powerEfficient)})); +if(0c.uE.video.width?(g.tb(e,b),b--):oX(a,c.tE)*a.policy.J>oX(a,c.uE)&&(g.tb(e,b-1),b--);c=e[e.length-1];a.ib=!!a.j&&!!a.j.info&&a.j.info.Lb!==c.Lb;a.C=e;yLa(a.policy,c)}; +OSa=function(a,b){b?a.u=a.Sa.j[b]:(b=g.nb(a.D.j,function(c){return!!c.Jc&&c.Jc.isDefault}),a.policy.Wn&&!b&&(b=g.nb(a.D.j,function(c){return c.audio.j})),b=b||a.D.j[0],a.u=a.Sa.j[b.id]); +lX(a)}; +XSa=function(a,b){for(var c=0;c+1d}; +lX=function(a){if(!a.u||!a.policy.u&&!a.u.info.Jc){var b=a.D.j;a.u&&a.policy.Wn&&(b=b.filter(function(d){return d.audio.j===a.u.info.audio.j}),b.length||(b=a.D.j)); +a.u=a.Sa.j[b[0].id];if(1a.B.j:XSa(a,a.u))a.u=a.Sa.j[g.jb(b).id]}}}; +nX=function(a){a.policy.Si&&(a.La=a.La||new g.Ip(function(){a.policy.Si&&a.j&&!qX(a)&&1===Math.floor(10*Math.random())?(pX(a,a.j),a.T=!0):a.La.start()},6E4),g.Jp(a.La)); +if(!a.nextVideo||!a.policy.u)if(sX(a))a.nextVideo=360>=a.B.j?a.Sa.j[a.C[0].id]:a.Sa.j[g.jb(a.C).id];else{for(var b=Math.min(a.J,a.C.length-1),c=aX(a.Aa),d=oX(a,a.u.info),e=c/a.policy.T-d;0=f);b++);a.nextVideo=a.Sa.j[a.C[b].id];a.J!==b&&a.logger.info(function(){var h=a.B;return"Adapt to: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", bandwidth to downgrade: "+e.toFixed(0)+", bandwidth to upgrade: "+f.toFixed(0)+ +", constraint: ["+(h.u+"-"+h.j+", override: "+(h.B+", reason: "+h.reason+"]"))}); +a.J=b}}; +PSa=function(a){var b=a.policy.T,c=aX(a.Aa),d=c/b-oX(a,a.u.info);b=g.ob(a.C,function(e){return oX(this,e)b&&(b=0);a.J=b;a.nextVideo=a.Sa.j[a.C[b].id];a.logger.info(function(){return"Initial selected fmt: "+zva(a.nextVideo.info)+", bandwidth: "+c.toFixed(0)+", max video byterate: "+d.toFixed(0)})}; +QSa=function(a){if(a.kb.length){var b=a.kb,c=function(d,e){if("f"===d.info.Lb||b.includes(SG(d,a.Sa.fd,a.Fa.Ce())))return d;for(var f={},h=0;ha.policy.aj&&(c*=1.5);return c}; +YSa=function(a,b){a=fba(a.Sa.j,function(c){return c.info.itag===b}); +if(!a)throw Error("Itag "+b+" from server not known.");return a}; +ZSa=function(a){var b=[];if("m"===a.B.reason||"s"===a.B.reason)return b;if(Rva(a.Sa)){for(var c=Math.max(0,a.J-2);c=f+100?e=!0:h+100Math.abs(p.startTimeMs+p.durationMs-h)):!0)d=eTa(a,b,h),p={formatId:c,startTimeMs:h,durationMs:0,Gt:f},d+=1,b.splice(d,0,p);p.durationMs+=1E3*e.info.I;p.fh=f;a=d}return a}; +eTa=function(a,b,c){for(var d=-1,e=0;ef&&(d=e);if(c>=h&&c<=f)return e}return d}; +bTa=function(a,b){a=g.Jb(a,{startTimeMs:b},function(c,d){return c.startTimeMs-d.startTimeMs}); +return 0<=a?a:-a-2}; +gTa=function(a){if(a.Vb){var b=a.Vb.Ig();if(0===b.length)a.ze=[];else{var c=[],d=1E3*b.start(0);b=1E3*b.end(b.length-1);for(var e=g.t(a.ze),f=e.next();!f.done;f=e.next())f=f.value,f.startTimeMs+f.durationMsb?--a.j:c.push(f);if(0!==c.length){e=c[0];if(e.startTimeMsb&&a.j!==c.length-1&&(f=a.Sa.I.get(Sva(a.Sa,d.formatId)),b=f.index.uh(b/1E3),h=Math.max(0,b-1),h>=d.Gt-a.u?(d.fh=h+a.u,b=1E3*f.index.getStartTime(b),d.durationMs-=e-b):c.pop()),a.ze=c)}}}}; +hTa=function(a){var b=[],c=[].concat(g.u(a.Az));a.ze.forEach(function(h){b.push(Object.assign({},h))}); +for(var d=a.j,e=g.t(a.B.bU()),f=e.next();!f.done;f=e.next())d=fTa(a,b,c,d,f.value);b.forEach(function(h){h.startTimeMs&&(h.startTimeMs+=1E3*a.timestampOffset)}); +return{ze:b,Az:c}}; +cTa=function(a,b,c){var d=b.startTimeMs+b.durationMs,e=c.startTimeMs+c.durationMs;if(100=Math.abs(b.startTimeMs-c.startTimeMs)){if(b.durationMs>c.durationMs+100){a=b.formatId;var f=b.fh;b.formatId=c.formatId;b.durationMs=c.durationMs;b.fh=c.fh;c.formatId=a;c.startTimeMs=e;c.durationMs=d-e;c.Gt=b.fh+1;c.fh=f;return!1}b.formatId=c.formatId;return!0}d>c.startTimeMs&& +(b.durationMs=c.startTimeMs-b.startTimeMs,b.fh=c.Gt-1);return!1}; +dTa=function(a,b,c){return b.itag!==c.itag||b.xtags!==c.xtags?!1:a.Sa.fd||b.jj===c.jj}; +aTa=function(a,b){return{formatId:MH(b.info.j.info,a.Sa.fd),Ma:b.info.Ma+a.u,startTimeMs:1E3*b.info.C,clipId:b.info.clipId}}; +iTa=function(a){a.ze=[];a.Az=[];a.j=-1}; +jTa=function(a,b){this.u=(new TextEncoder).encode(a);this.j=(new TextEncoder).encode(b)}; +Eya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("woe");d=new g.JJ(a.u);return g.y(f,d.encrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +Kya=function(a,b){var c,d,e;return g.A(function(f){if(1==f.j){if(!b)return f.return(b);c=tX.Xq("wod");d=new g.JJ(a.u);return g.y(f,d.decrypt(b,a.j),2)}e=f.u;tX.Sp(c,Math.ceil(b.byteLength/16));return f.return(e)})}; +lTa=function(a,b,c){var d=this;this.policy=a;this.j=b;this.Aa=c;this.C=this.u=0;this.Cf=null;this.Z=new Set;this.ea=[];this.indexRange=this.initRange=null;this.T=new aK;this.oa=this.ya=!1;this.Ne={t7a:function(){return d.B}, +X6a:function(){return d.chunkSize}, +W6a:function(){return d.J}, +V6a:function(){return d.I}}; +(b=kTa(this))?(this.chunkSize=b.csz,this.B=Math.floor(b.clen/b.csz),this.J=b.ck,this.I=b.civ):(this.chunkSize=a.Qw,this.B=0,this.J=g.KD(16),this.I=g.KD(16));this.D=new Uint8Array(this.chunkSize);this.J&&this.I&&(this.crypto=new jTa(this.J,this.I))}; +kTa=function(a){if(a.policy.je&&a.policy.Sw)for(var b={},c=g.t(a.policy.je),d=c.next();!d.done;b={vE:b.vE,wE:b.wE},d=c.next())if(d=g.sy(d.value),b.vE=+d.clen,b.wE=+d.csz,0=d.length)return;if(0>c)throw Error("Missing data");a.C=a.B;a.u=0}for(e={};c=e)break;if(1886614376===d.getUint32(c+4)){var f=32;if(0=a.j.totalLength)throw Error();return RF(a.j,a.offset++)}; +CTa=function(a,b){b=void 0===b?!1:b;var c=BTa(a);if(1===c){b=-1;for(c=0;7>c;c++){var d=BTa(a);-1===b&&255!==d&&(b=0);-1e&&d>c;e++)c=256*c+BTa(a),d*=128;return b?c:c-d}; +ETa=function(a,b,c){var d=this;this.Fa=a;this.policy=b;this.I=c;this.logger=new g.eW("dash");this.u=[];this.j=null;this.ya=-1;this.ea=0;this.Ga=NaN;this.Z=0;this.B=NaN;this.T=this.La=0;this.Ya=-1;this.Ja=this.C=this.D=this.Aa=null;this.fb=this.Xa=NaN;this.J=this.oa=this.Qa=this.ib=null;this.kb=!1;this.timestampOffset=0;this.Ne={bU:function(){return d.u}}; +if(this.policy.u){var e=this.I,f=this.policy.u;this.policy.La&&a.xa("atv",{ap:this.policy.La});this.J=new lTa(this.policy,e,function(h,l,m){zX(a,new yX(d.policy.u,2,{tD:new zTa(f,h,e.info,l,m)}))}); +this.J.T.promise.then(function(h){d.J=null;1===h?zX(a,new yX(d.policy.u,h)):d.Fa.xa("offlineerr",{status:h.toString()})},function(h){var l=(h.message||"none").replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"); +h instanceof xX&&!h.j?(d.logger.info(function(){return"Assertion failed: "+l}),d.Fa.xa("offlinenwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4))):(d.logger.info(function(){return"Failed to write to disk: "+l}),d.Fa.xa("dldbwerr",{em:l}),DTa(d),zX(a,new yX(d.policy.u,4,{oG:!0})))})}}; +FTa=function(a){return a.u.length?a.u[0]:null}; +AX=function(a){return a.u.length?a.u[a.u.length-1]:null}; +MTa=function(a,b,c,d){d=void 0===d?0:d;if(a.C){var e=a.C.Ob+a.C.u;if(0=a.ya&&0===a.ea){var h=a.j.j;e=f=-1;if(c){for(var l=0;l+8e&&(f=-1)}else{h=new ATa(h);for(m=l=!1;;){n=h.Yp();var p=h;try{var q=CTa(p,!0),r=CTa(p,!1);var v=q;var x=r}catch(B){x=v=-1}p=v;var z=x;if(!(0f&&(f=n),m))break;163===p&&(f=Math.max(0,f),e=h.Yp()+z);if(160===p){0>f&&(e=f=h.Yp()+z);break}h.skip(z)}}0>f&&(e=-1)}if(0>f)break;a.ya=f;a.ea=e-f}if(a.ya>d)break;a.ya?(d=JTa(a,a.ya),d.C&&KTa(a,d),HTa(a,b,d),LTa(a,d),a.ya=0):a.ea&&(d=JTa(a,0>a.ea?Infinity:a.ea),a.ea-=d.j.totalLength,LTa(a,d))}}a.j&&a.j.info.bf&&(LTa(a,a.j),a.j=null)}; +ITa=function(a,b){!b.info.j.Ym()&&0===b.info.Ob&&(g.vH(b.info.j.info)||b.info.j.info.Ee())&&tva(b);if(1===b.info.type)try{KTa(a,b),NTa(a,b)}catch(d){g.CD(d);var c=cH(b.info);c.hms="1";a.Fa.handleError("fmt.unparseable",c||{},1)}c=b.info.j;c.mM(b);a.J&&qTa(a.J,b);c.Jg()&&a.policy.B&&(a=a.Fa.Sa,a.La.push(MH(c.info,a.fd)))}; +DTa=function(a){var b;null==(b=a.J)||b.dispose();a.J=null}; +OTa=function(a){var b=a.u.reduce(function(c,d){return c+d.j.totalLength},0); +a.j&&(b+=a.j.j.totalLength);return b}; +JTa=function(a,b){var c=a.j;b=Math.min(b,c.j.totalLength);if(b===c.j.totalLength)return a.j=null,c;c=nva(c,b);a.j=c[1];return c[0]}; +KTa=function(a,b){var c=tH(b);if(JH(b.info.j.info)&&"bt2020"===b.info.j.info.video.primaries){var d=new uG(c);wG(d,[408125543,374648427,174,224,21936,21937])&&(d=d.start+d.pos,129===c.getUint8(d)&&1===c.getUint8(d+1)&&c.setUint8(d+1,9))}d=b.info.j.info;BF(d)&&!JH(d)&&(d=tH(b),(new uG(d)).Xm(),AG([408125543,374648427,174,224],21936,d));b.info.j.info.Xg()&&(d=b.info.j,d.info&&d.info.video&&"MESH"===d.info.video.projectionType&&!d.B&&(g.vH(d.info)?d.B=vua(c):d.info.Ee()&&(d.B=Cua(c))));b.info.j.info.Ee()&& +b.info.Xg()&&(c=tH(b),(new uG(c)).Xm(),AG([408125543,374648427,174,224],30320,c)&&AG([408125543,374648427,174,224],21432,c));if(a.policy.uy&&b.info.j.info.Ee()){c=tH(b);var e=new uG(c);if(wG(e,[408125543,374648427,174,29637])){d=zG(e,!0);e=e.start+e.pos;for(var f=0;fm||(e&&b.skip(4),f&&b.skip(4),e=cG(b),b.skip((m-1)*(4+(h?4:0)+(l?4:0)+(d?4:0))-4),b.data.setUint32(b.offset+b.j,e))}}if(b=a.Aa&&!!a.Aa.I.D)if(b=c.info.Xg())b=rva(c),h=a.Aa,CX?(l=1/b,b=DX(a,b)>=DX(h)+l):b=a.getDuration()>=h.getDuration(),b=!b;b&&PTa(c)&&(b=a.Aa,CX?(l=rva(c),h=1/l,l=DX(a,l),b=DX(b)+h-l):b=b.getDuration()- +a.getDuration(),b=1+b/c.info.duration,uua(tH(c),b))}else{h=!1;a.D||(tva(c),c.u&&(a.D=c.u,h=!0,f=c.info,d=c.u.j,f.D="updateWithEmsg",f.Ma=d,f=c.u,f.C&&(a.I.index.u=!f.C),f=c.info.j.info,d=tH(c),g.vH(f)?sG(d,1701671783):f.Ee()&&AG([408125543],307544935,d)));a:if((f=xH(c,a.policy.Pb))&&sva(c))l=QTa(a,c),a.T+=l,f-=l,a.Z+=f,a.B=a.policy.Zi?a.B+f:NaN;else{if(a.policy.po){if(d=m=a.Fa.Er(ova(c),1),0<=a.B&&6!==c.info.type){if(a.policy.Zi&&isNaN(a.Xa)){g.DD(new g.bA("Missing duration while processing previous chunk", +dH(c.info)));a.Fa.isOffline()&&!a.policy.ri||RTa(a,c,d);GTa(a,"m");break a}var n=m-a.B,p=n-a.T,q=c.info.Ma,r=a.Ja?a.Ja.Ma:-1,v=a.fb,x=a.Xa,z=a.policy.ul&&n>a.policy.ul,B=10Math.abs(a.B-d);if(1E-4l&&f>a.Ya)&&m){d=Math.max(.95,Math.min(1.05,(c-(h-e))/c));if(g.vH(b.info.j.info))uua(tH(b),d);else if(b.info.j.info.Ee()&&(f=e-h,!g.vH(b.info.j.info)&&(b.info.j.info.Ee(),d=new uG(tH(b)),l=b.C?d:new uG(new DataView(b.info.j.j.buffer)),xH(b,!0)))){var n= +1E3*f,p=GG(l);l=d.pos;d.pos=0;if(160===d.j.getUint8(d.pos)||HG(d))if(yG(d,160))if(zG(d,!0),yG(d,155)){if(f=d.pos,m=zG(d,!0),d.pos=f,n=1E9*n/p,p=BG(d),n=p+Math.max(.7*-p,Math.min(p,n)),n=Math.sign(n)*Math.floor(Math.abs(n)),!(Math.ceil(Math.log(n)/Math.log(2)/8)>m)){d.pos=f+1;for(f=m-1;0<=f;f--)d.j.setUint8(d.pos+f,n&255),n>>>=8;d.pos=l}}else d.pos=l;else d.pos=l;else d.pos=l}d=xH(b,a.policy.Pb);d=c-d}d&&b.info.j.info.Ee()&&a.Fa.xa("webmDurationAdjustment",{durationAdjustment:d,videoDrift:e+d,audioDrift:h})}return d}; +PTa=function(a){return a.info.j.Ym()&&a.info.Ma===a.info.j.index.td()}; +DX=function(a,b){b=(b=void 0===b?0:b)?Math.round(a.timestampOffset*b)/b:a.timestampOffset;a.I.D&&b&&(b+=a.I.D.j);return b+a.getDuration()}; +VTa=function(a,b){0>b||(a.u.forEach(function(c){wH(c,b)}),a.timestampOffset=b)}; +EX=function(a,b){var c=b.Jh,d=b.Iz,e=void 0===b.BB?1:b.BB,f=void 0===b.kH?e:b.kH,h=void 0===b.Mr?!1:b.Mr,l=void 0===b.tq?!1:b.tq,m=void 0===b.pL?!1:b.pL,n=b.Hk,p=b.Ma;b=b.Tg;this.callbacks=a;this.requestNumber=++WTa;this.j=this.now();this.ya=this.Qa=NaN;this.Ja=0;this.C=this.j;this.u=0;this.Xa=this.j;this.Aa=0;this.Ya=this.La=this.isActive=!1;this.B=0;this.Z=NaN;this.J=this.D=Infinity;this.T=NaN;this.Ga=!1;this.ea=NaN;this.I=void 0;this.Jh=c;this.Iz=d;this.policy=this.Jh.ya;this.BB=e;this.kH=f;this.Mr= +h;this.tq=l;m&&(this.I=[]);this.Hk=n;this.Ma=p;this.Tg=b;this.snapshot=YJ(this.Jh);XTa(this);YTa(this,this.j);this.Z=(this.ea-this.j)/1E3}; +ZTa=function(a,b){a.url=b;window.performance&&!performance.onresourcetimingbufferfull&&(performance.onresourcetimingbufferfull=function(){performance.clearResourceTimings()})}; +FX=function(a){var b={rn:a.requestNumber,rt:(a.now()-a.j).toFixed(),lb:a.u,pt:(1E3*a.Z).toFixed(),pb:a.BB,stall:(1E3*a.B).toFixed(),ht:(a.Qa-a.j).toFixed(),elt:(a.ya-a.j).toFixed(),elb:a.Ja};a.url&&qQa(b,a.url);return b}; +bUa=function(a,b,c,d){if(!a.La){a.La=!0;if(!a.tq){$Ta(a,b,c);aUa(a,b,c);var e=a.gs();if(2===e&&d)GX(a,a.u/d,a.u);else if(2===e||1===e)d=(b-a.j)/1E3,(d<=a.policy.j||!a.policy.j)&&!a.Ya&&HX(a)&&GX(a,d,c),HX(a)&&(d=a.Jh,d.j.zi(1,a.B/Math.max(c,2048)),ZJ(d));c=a.Jh;b=(b-a.j)/1E3||.05;d=a.Z;e=a.Mr;c.I.zi(b,a.u/b);c.C=(0,g.M)();e||c.u.zi(1,b-d)}IX(a)}}; +IX=function(a){a.isActive&&(a.isActive=!1)}; +aUa=function(a,b,c){var d=(b-a.C)/1E3,e=c-a.u,f=a.gs();if(a.isActive)1===f&&0e?(a.B+=d,.2d&&(d=0);d=1E3*(d*a.snapshot.stall+d/a.snapshot.byterate);d=HX(a)?d+b:d+Math.max(b,c);a.ea=d}; +eUa=function(a,b){for(var c="";4095>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(a&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b>>6&63)+"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789-_".charAt(b&63))}; +jUa=function(a,b){if(b+1<=a.totalLength){var c=RF(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)a=RF(a,b++);else if(2===c)c=RF(a,b++),a=RF(a,b++),a=(c&63)+64*a;else if(3===c){c=RF(a,b++);var d=RF(a,b++);a=RF(a,b++);a=(c&31)+32*(d+256*a)}else if(4===c){c=RF(a,b++);d=RF(a,b++);var e=RF(a,b++);a=RF(a,b++);a=(c&15)+16*(d+256*(e+256*a))}else c=b+1,a.focus(c),PF(a,c,4)?a=gua(a).getUint32(c-a.B,!0):(d=RF(a,c+2)+256*RF(a,c+3),a=RF(a,c)+256*(RF(a,c+1)+ +256*d)),b+=5;return[a,b]}; +KX=function(a){this.callbacks=a;this.j=new LF}; +LX=function(a,b){this.info=a;this.callback=b;this.state=1;this.Bz=this.tM=!1;this.Zd=null}; +kUa=function(a){return g.Zl(a.info.gb,function(b){return 3===b.type})}; +lUa=function(a,b,c,d){var e=this;d=void 0===d?{}:d;this.policy=b;this.callbacks=c;this.status=0;this.j=new LF;this.B=0;this.isDisposed=this.C=!1;this.D=0;this.xhr=new XMLHttpRequest;this.xhr.open(d.method||"GET",a);if(d.headers)for(a=d.headers,b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.xhr.setRequestHeader(c,a[c]);this.xhr.withCredentials=!0;this.xhr.onreadystatechange=function(){return e.wz()}; +this.xhr.onload=function(){return e.onDone()}; +this.xhr.onerror=function(){return e.onError()}; +this.xhr.fetch(function(f){e.u&&e.j.append(e.u);e.policy.j?e.j.append(f):e.u=f;e.B+=f.length;f=(0,g.M)();10this.policy.ox?!1:!0:!1,a),this.Bd.j.start(),g.Mf(function(){})}catch(z){xUa(this,z,!0)}}; +vUa=function(a){if(!(hH(a.info)&&a.info.Mr()&&a.policy.rd&&a.pD)||2<=a.info.j.u||0=b&&(e.u.pop(),e.B-=xH(l,e.policy.Pb),f=l.info)}f&&(e.C=0c?fX(a,d):a.u=a.j.Br(b-1,!1).gb[0]}; +XX=function(a,b){var c;for(c=0;c=a.Z:c}; +YX=function(a){var b;return TX(a)||!(null==(b=AX(a.C))||!YG(b.info))}; +HUa=function(a){var b=[],c=RX(a);c&&b.push(c);b=g.zb(b,a.C.Om());c=g.t(a.B);for(var d=c.next();!d.done;d=c.next()){d=d.value;for(var e={},f=g.t(d.info.gb),h=f.next();!h.done;e={Kw:e.Kw},h=f.next())e.Kw=h.value,d.tM&&(b=g.Rn(b,function(l){return function(m){return!Xua(m,l.Kw)}}(e))),($G(e.Kw)||4===e.Kw.type)&&b.push(e.Kw)}a.u&&!Qua(a.u,g.jb(b),a.u.j.Ym())&&b.push(a.u); return b}; -jZ=function(a,b){g.C.call(this);this.message=a;this.requestNumber=b;this.onError=this.onSuccess=null;this.u=new g.En(5E3,2E4,.2)}; -Qwa=function(a,b,c){a.onSuccess=b;a.onError=c}; -Swa=function(a,b,c){var d={format:"RAW",method:"POST",postBody:a.message,responseType:"arraybuffer",withCredentials:!0,timeout:3E4,onSuccess:function(e){if(!a.na())if(a.ea(),0!==e.status&&e.response)if(PE("drm_net_r"),e=new Uint8Array(e.response),e=Pwa(e))a.onSuccess(e,a.requestNumber);else a.onError(a,"drm.net","t.p");else Rwa(a,e)}, -onError:function(e){Rwa(a,e)}}; -c&&(b=Td(b,"access_token",c));g.qq(b,d);a.ea()}; -Rwa=function(a,b){if(!a.na())a.onError(a,b.status?"drm.net.badstatus":"drm.net.connect","t.r;c."+String(b.status),b.status)}; -Uwa=function(a,b,c,d){var e={timeout:3E4,onSuccess:function(f){if(!a.na()){a.ea();PE("drm_net_r");var h="LICENSE_STATUS_OK"===f.status?0:9999,l=null;if(f.license)try{l=g.cf(f.license)}catch(y){}if(0!==h||l){l=new Nwa(h,l);0!==h&&f.reason&&(l.errorMessage=f.reason);if(f.authorizedFormats){h={};for(var m=[],n={},p=g.q(f.authorizedFormats),r=p.next();!r.done;r=p.next())if(r=r.value,r.trackType&&r.keyId){var t=Twa[r.trackType];if(t){"HD"===t&&f.isHd720&&(t="HD720");h[t]||(m.push(t),h[t]=!0);var w=null; -try{w=g.cf(r.keyId)}catch(y){}w&&(n[g.sf(w,4)]=t)}}l.u=m;l.B=n}f.nextFairplayKeyId&&(l.nextFairplayKeyId=f.nextFairplayKeyId);f=l}else f=null;if(f)a.onSuccess(f,a.requestNumber);else a.onError(a,"drm.net","t.p;p.i")}}, -onError:function(f){if(!a.na())if(f&&f.error)f=f.error,a.onError(a,"drm.net.badstatus","t.r;p.i;c."+f.code+";s."+f.status,f.code);else a.onError(a,"drm.net.badstatus","t.r;p.i;c.n")}, -Bg:function(){a.onError(a,"drm.net","rt.req."+a.requestNumber)}}; -d&&(e.VB="Bearer "+d);g.Mp(c,"player/get_drm_license",b,e)}; -lZ=function(a,b,c,d){g.O.call(this);this.videoData=a;this.W=b;this.ha=c;this.sessionId=d;this.D={};this.cryptoPeriodIndex=NaN;this.url="";this.requestNumber=0;this.I=this.P=!1;this.C=null;this.aa=[];this.F=[];this.X=!1;this.u={};this.Y=NaN;this.status="";this.K=!1;this.B=a.md;this.cryptoPeriodIndex=c.cryptoPeriodIndex;a={};Object.assign(a,this.W.deviceParams);a.cpn=this.videoData.clientPlaybackNonce;this.videoData.lg&&(a.vvt=this.videoData.lg,this.videoData.mdxEnvironment&&(a.mdx_environment=this.videoData.mdxEnvironment)); -this.W.ye&&(a.authuser=this.W.ye);this.W.pageId&&(a.pageid=this.W.pageId);isNaN(this.cryptoPeriodIndex)||(a.cpi=this.cryptoPeriodIndex.toString());if(this.videoData.ba("html5_send_device_type_in_drm_license_request")){var e;(e=(e=/_(TV|STB|GAME|OTT|ATV|BDP)_/.exec(g.Vc))?e[1]:"")&&(a.cdt=e)}this.D=a;this.D.session_id=d;this.R=!0;"widevine"===this.B.flavor&&(this.D.hdr="1");"playready"===this.B.flavor&&(b=Number(g.kB(b.experiments,"playready_first_play_expiration")),!isNaN(b)&&0<=b&&(this.D.mfpe=""+ -b),this.R=!1,this.videoData.ba("html5_playready_enable_non_persist_license")&&(this.D.pst="0"));b=uC(this.B)?Lwa(c.initData).replace("skd://","https://"):this.B.C;this.videoData.ba("enable_shadow_yttv_channels")&&(b=new g.Qm(b),document.location.origin&&document.location.origin.includes("green")?g.Sm(b,"web-green-qa.youtube.com"):g.Sm(b,"www.youtube.com"),b=b.toString());this.baseUrl=b;this.fairplayKeyId=Qd(this.baseUrl,"ek")||"";if(b=Qd(this.baseUrl,"cpi")||"")this.cryptoPeriodIndex=Number(b);this.fa= -this.videoData.ba("html5_use_drm_retry");this.aa=c.B;this.ea();kZ(this,"sessioninit."+c.cryptoPeriodIndex);this.status="in"}; -Ywa=function(a,b){kZ(a,"createkeysession");a.status="gr";PE("drm_gk_s");a.url=Vwa(a);try{a.C=b.createSession(a.ha,function(d){kZ(a,d)})}catch(d){var c="t.g"; -d instanceof DOMException&&(c+=";c."+d.code);a.V("licenseerror","drm.unavailable",!0,c,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK");return}a.C&&(Wwa(a.C,function(d,e){Xwa(a,d,e)},function(d){a.na()||(a.ea(),a.error("drm.keyerror",!0,d))},function(){a.na()||(a.ea(),kZ(a,"onkyadd"),a.I||(a.V("sessionready"),a.I=!0))},function(d){a.xl(d)}),g.D(a,a.C))}; -Vwa=function(a){var b=a.baseUrl;ufa(b)||a.error("drm.net",!0,"t.x");if(!Qd(b,"fexp")){var c=["23898307","23914062","23916106","23883098"].filter(function(e){return a.W.experiments.experiments[e]}); -0h&&(m=g.P(a.W.experiments,"html5_license_server_error_retry_limit")||3);(h=d.u.B>=m)||(h=a.fa&&36E4<(0,g.N)()-a.Y);h&&(l=!0,e="drm.net.retryexhausted");a.ea();kZ(a,"onlcsrqerr."+e+";"+f);a.error(e,l,f);a.shouldRetry(l,d)&&dxa(a,d)}}); -g.D(a,b);exa(a,b)}}else a.error("drm.unavailable",!1,"km.empty")}; -axa=function(a,b){a.ea();kZ(a,"sdpvrq");if("widevine"!==a.B.flavor)a.error("drm.provision",!0,"e.flavor;f."+a.B.flavor+";l."+b.byteLength);else{var c={cpn:a.videoData.clientPlaybackNonce};Object.assign(c,a.W.deviceParams);c=g.Md("https://www.googleapis.com/certificateprovisioning/v1/devicecertificates/create?key=AIzaSyB-5OLKTx2iU5mko18DfdwK5611JIjbUhE",c);var d={format:"RAW",headers:{"content-type":"application/json"},method:"POST",postBody:JSON.stringify({signedRequest:Su(b)}),responseType:"arraybuffer"}; -g.Vs(c,d,3,500).then(Eo(function(e){if(!a.na()){e=new Uint8Array(e.response);var f=Su(e);try{var h=JSON.parse(f)}catch(l){}h&&h.signedResponse?(a.V("ctmp","drminfo","provisioning"),a.C&&a.C.update(e)):(h=h&&h.error&&h.error.message,e="e.parse",h&&(e+=";m."+h),a.error("drm.provision",!0,e))}}),Eo(function(e){a.na()||a.error("drm.provision",!0,"e."+e.errorCode+";c."+(e.xhr&&e.xhr.status))}))}}; -mZ=function(a){var b;if(b=a.R&&null!=a.C)a=a.C,b=!(!a.u||!a.u.keyStatuses);return b}; -exa=function(a,b){a.status="km";PE("drm_net_s");if(a.videoData.useInnertubeDrmService()){var c=new g.Cs(a.W.ha),d=g.Jp(c.Tf||g.Kp());d.drmSystem=fxa[a.B.flavor];d.videoId=a.videoData.videoId;d.cpn=a.videoData.clientPlaybackNonce;d.sessionId=a.sessionId;d.licenseRequest=g.sf(b.message);d.drmParams=a.videoData.drmParams;isNaN(a.cryptoPeriodIndex)||(d.isKeyRotated=!0,d.cryptoPeriodIndex=a.cryptoPeriodIndex);if(!d.context||!d.context.client){a.ea();a.error("drm.net",!0,"t.r;ic.0");return}var e=a.W.deviceParams; -e&&(d.context.client.deviceMake=e.cbrand,d.context.client.deviceModel=e.cmodel,d.context.client.browserName=e.cbr,d.context.client.browserVersion=e.cbrver,d.context.client.osName=e.cos,d.context.client.osVersion=e.cosver);d.context.user=d.context.user||{};d.context.request=d.context.request||{};a.videoData.lg&&(d.context.user.credentialTransferTokens=[{token:a.videoData.lg,scope:"VIDEO"}]);d.context.request.mdxEnvironment=a.videoData.mdxEnvironment||d.context.request.mdxEnvironment;a.videoData.Ph&& -(d.context.user.kidsParent={oauthToken:a.videoData.Ph});if(uC(a.B)){e=a.fairplayKeyId;for(var f=[],h=0;hd;d++)c[2*d]=''.charCodeAt(d);c=a.C.createSession("video/mp4",b,c);return new oZ(null,null,null,null,c)}; -rZ=function(a,b){var c=a.I[b.sessionId];!c&&a.D&&(c=a.D,a.D=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; -sxa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=b){b=f;break a}}b=e}return 0>b?NaN:GUa(a,c?b:0)?a[b].startTime:NaN}; +ZX=function(a){return!(!a.u||a.u.j===a.j)}; +MUa=function(a){return ZX(a)&&a.j.Jg()&&a.u.j.info.dcb&&a.Bb)return!0;var c=a.td();return bb)return 1;c=a.td();return b=f)return 1;d=b.zm;if(!d||e(0,g.M)()?0:1}; +$X=function(a,b,c,d,e,f,h,l,m,n,p,q){g.C.call(this);this.Fa=a;this.policy=b;this.videoTrack=c;this.audioTrack=d;this.C=e;this.j=f;this.timing=h;this.D=l;this.schedule=m;this.Sa=n;this.B=p;this.Z=q;this.oa=!1;this.yD="";this.Hk=null;this.J=0;this.Tg=NaN;this.ea=!1;this.u=null;this.Yj=this.T=NaN;this.vj=null;this.I=0;this.logger=new g.eW("dash");0f&&(c=d.j.hx(d,e-h.u)))),d=c):(0>d.Ma&&(c=cH(d),c.pr=""+b.B.length,a.Fa.hh()&&(c.sk="1"),c.snss=d.D,a.Fa.xa("nosq",c)),d=h.PA(d));if(a.policy.oa)for(c=g.t(d.gb),e=c.next();!e.done;e=c.next())e.value.type=6}else d.j.Ym()?(c=ySa(a.D,b.j.info.dc,c.j.info.dc,0),d=d.j.hx(d,c)):d=d.j.PA(d);if(a.u){l=d.gb[0].j.info.id; +c=a.j;e=d.gb[0].Ma;c=0>e&&!isNaN(c.B)?c.B:e;e=LSa(a.j,d.gb[0].C,c);var m=b===a.audioTrack?1:2;f=d.gb[0].j.info.Lb;h=l.split(";")[0];if(a.policy.Aa&&0!==a.j.u){if(l=a.u.Ds(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),l){var n;m=(null==(n=l.Pz)?void 0:n.Qr)||"";var p;n=(null==(p=l.Pz)?void 0:p.RX)||-1;a.Fa.xa("sdai",{ssdaiinfo:"1",ds:m,skipsq:n,itag:h,f:f,sg:c,st:e.toFixed(3)});d.J=l}}else if(p=a.u.Im(e,c,l,m,f),0>c&&2===m&&jX(a.j,0,0,!0),p){n={dec_sq:c,itag:h,st:e.toFixed(3)};if(a.policy.Xy&&b.isRequestPending(c- +1)){a.Fa.xa("sdai",{wt_daistate_on_sg:c-1});return}a.Fa.xa("sdai",n);p&&(d.u=new g.DF(p))}else 5!==a.j.u&&a.Fa.xa("sdai",{nodec_sq:c,itag:h,st:e.toFixed(3)})}a.policy.hm&&-1!==d.gb[0].Ma&&d.gb[0].Ma=e.J?(e.xa("sdai",{haltrq:f+1,est:e.J}),d=!1):d=2!==e.u;if(!d||!QG(b.u?b.u.j.u:b.j.u,a.policy,a.C)||a.Fa.isSuspended&&(!mxa(a.schedule)||a.Fa.sF))return!1;if(a.policy.u&&5<=PL)return g.Jp(a.Fa.FG),!1;if(a.Sa.isManifestless){if(0=a.policy.rl||!a.policy.Ax&&0=a.policy.qm)return!1;d=b.u;if(!d)return!0;4===d.type&&d.j.Jg()&&(b.u=g.jb(d.j.Jz(d)),d=b.u);if(!YG(d)&&!d.j.Ar(d))return!1;f=a.Sa.Se||a.Sa.B;if(a.Sa.isManifestless&&f){f=b.j.index.td();var h=c.j.index.td();f=Math.min(f,h);if(0= +f)return b.Z=f,c.Z=f,!1}if(d.j.info.audio&&4===d.type)return!1;if(!a.policy.Ld&&MUa(b)&&!a.policy.Oc)return!0;if(YG(d)||!a.policy.Ld&&UX(b)&&UX(b)+UX(c)>a.policy.kb)return!1;f=!b.D&&!c.D;if(e=!e)e=d.B,e=!!(c.u&&!YG(c.u)&&c.u.BZUa(a,b)?(ZUa(a,b),!1):(a=b.Vb)&&a.isLocked()?!1:!0}; +ZUa=function(a,b){var c=a.j;c=c.j?c.j.jf:null;if(a.policy.oa&&c)return c.startSecs+c.Sg+15;b=VUa(a.Fa,b,!0);!sX(a.Fa.ue)&&0a.Fa.getCurrentTime())return c.start/1E3;return Infinity}; +aVa=function(a,b,c){if(0!==c){a:if(b=b.info,c=2===c,b.u)b=null;else{var d=b.gb[0];if(b.range)var e=VG(b.range.start,Math.min(4096,b.C));else{if(b.B&&0<=b.B.indexOf("/range/")||"1"===b.j.B.get("defrag")||"1"===b.j.B.get("otf")){b=null;break a}e=VG(0,4096)}e=new fH([new XG(5,d.j,e,"createProbeRequestInfo"+d.D,d.Ma)],b.B);e.I=c;e.u=b.u;b=e}b&&XUa(a,b)}}; +XUa=function(a,b){a.Fa.iG(b);var c=Zua(b);c={Jh:a.schedule,BB:c,kH:wSa(a.D,c),Mr:ZG(b.gb[0]),tq:GF(b.j.j),pL:a.policy.D,Iz:function(e,f){a.Fa.DD(e,f)}}; +a.Hk&&(c.Ma=b.gb[0].Ma,c.Tg=b.Tg,c.Hk=a.Hk);var d={Au:$ua(b,a.Fa.getCurrentTime()),pD:a.policy.rd&&hH(b)&&b.gb[0].j.info.video?ZSa(a.B):void 0,aE:a.policy.oa,poToken:a.Fa.cM(),Nv:a.Fa.XB(),yD:a.yD,Yj:isNaN(a.Yj)?null:a.Yj,vj:a.vj};return new cX(a.policy,b,c,a.C,function(e,f){try{a:{var h=e.info.gb[0].j,l=h.info.video?a.videoTrack:a.audioTrack;if(!(2<=e.state)||e.isComplete()||e.As()||!(!a.Fa.Wa||a.Fa.isSuspended||3f){if(a.policy.ib){var n=e.policy.jE?Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing),cncl:e.isDisposed()}):Object.assign(FX(e.timing),{rst:e.state,strm:e.xhr.Jt(),d:JX(e.timing)});a.Fa.xa("rqs",n)}e.GX&&a.Fa.xa("sbwe3",{},!0)}if(!a.isDisposed()&&2<=e.state){var p=a.timing,q=e.info.gb[0].j,r=!p.J&&q.info.video,v=!p.u&&q.info.audio;3===e.state?r?p.tick("vrr"):v&&p.tick("arr"):4===e.state?r?(p.J=e.Ze(),g.iA(),kA(4)):v&&(p.u=e.Ze()):e.qv()&&r&&(g.iA(),kA(4));var x= +a.Fa;a.Yj&&e.FK&&x&&(a.Yj=NaN,a.Fa.xa("cabrUtcSeek",{mediaTimeSeconds:e.FK}));if(3===e.state){XX(l,e);hH(e.info)&&aY(a,l,h,!0);if(a.u){var z=e.info.Im();z&&a.u.Bk(e.info.gb[0].Ma,h.info.id,z)}a.Fa.gf()}else if(e.isComplete()&&5===e.info.gb[0].type){if(4===e.state){var B=(e.info.gb[0].j.info.video?a.videoTrack:a.audioTrack).B[0]||null;B&&B instanceof cX&&B.As()&&B.iE(!0)}e.dispose()}else{if(!e.Wm()&&e.Bz&&2<=e.state&&3!==e.state){var F=e.xhr.getResponseHeader("X-Response-Itag");if(F){var G=YSa(a.B, +F),D=e.info.C;if(D){var L=D-G.WL();G.C=!0;e.info.gb[0].j.C=!1;var P=G.Uu(L);e.info=P;if(e.Zd){var T=e.Zd,fa=P.gb;(fa.length!==T.gb.length||fa.lengtha.j||c.push(d)}return c}; +nVa=function(a,b,c){b.push.apply(b,g.u(lVa[a]||[]));c.K("html5_early_media_for_drm")&&b.push.apply(b,g.u(mVa[a]||[]))}; +sVa=function(a,b){var c=vM(a),d=a.V().D;if(eY&&!d.j)return eY;for(var e=[],f=[],h={},l=g.t(oVa),m=l.next();!m.done;m=l.next()){var n=!1;m=g.t(m.value);for(var p=m.next();!p.done;p=m.next()){p=p.value;var q=pVa(p);!q||!q.video||KH(q)&&!c.Ja&&q.video.j>c.C||(n?(e.push(p),nVa(p,e,a)):(q=sF(c,q,d),!0===q?(n=!0,e.push(p),nVa(p,e,a)):h[p]=q))}}l=g.t(qVa);for(n=l.next();!n.done;n=l.next())for(n=g.t(n.value),p=n.next();!p.done;p=n.next())if(m=p.value,(p=rVa(m))&&p.audio&&(a.K("html5_onesie_51_audio")||!AF(p)&& +!zF(p)))if(p=sF(c,p,d),!0===p){f.push(m);nVa(m,f,a);break}else h[m]=p;c.B&&b("orfmts",h);eY={video:e,audio:f};d.j=!1;return eY}; +pVa=function(a){var b=HH[a],c=tVa[b],d=uVa[a];if(!d||!c)return null;var e=new EH(d.width,d.height,d.fps);c=GI(c,e,b);return new IH(a,c,{video:e,dc:d.bitrate/8})}; +rVa=function(a){var b=tVa[HH[a]],c=vVa[a];return c&&b?new IH(a,b,{audio:new CH(c.audioSampleRate,c.numChannels)}):null}; +xVa=function(a){return{kY:mya(a,1,wVa)}}; +yVa=function(a){return{S7a:kL(a,1)}}; +wVa=function(a){return{clipId:nL(a,1),nE:oL(a,2,zVa),Z4:oL(a,3,yVa)}}; +zVa=function(a){return{a$:nL(a,1),k8:kL(a,2),Q7a:kL(a,3),vF:kL(a,4),Nt:kL(a,5)}}; +AVa=function(a){return{first:kL(a,1),eV:kL(a,2)}}; +CVa=function(a,b){xL(a,1,b.formatId,fY,3);tL(a,2,b.startTimeMs);tL(a,3,b.durationMs);tL(a,4,b.Gt);tL(a,5,b.fh);xL(a,9,b.t6a,BVa,3)}; +DVa=function(a,b){wL(a,1,b.videoId);tL(a,2,b.jj)}; +BVa=function(a,b){var c;if(b.uS)for(c=0;ca;a++)jY[a]=255>=a?9:7;eWa.length=32;eWa.fill(5);kY.length=286;kY.fill(0);for(a=261;285>a;a++)kY[a]=Math.floor((a-261)/4);lY[257]=3;for(a=258;285>a;a++){var b=lY[a-1];b+=1<a;a++)fWa[a]=3>=a?0:Math.floor((a-2)/2);for(a=mY[0]=1;30>a;a++)b=mY[a-1],b+=1<a.Sj.length&&(a.Sj=new Uint8Array(2*a.B),a.B=0,a.u=0,a.C=!1,a.j=0,a.register=0)}a.Sj.length!==a.B&&(a.Sj=a.Sj.subarray(0,a.B));return a.error?new Uint8Array(0):a.Sj}; +kWa=function(a,b,c){b=iWa(b);c=iWa(c);for(var d=a.data,e=a.Sj,f=a.B,h=a.register,l=a.j,m=a.u;;){if(15>l){if(m>d.length){a.error=!0;break}h|=(d[m+1]<<8)+d[m]<n)for(h>>=7;0>n;)n=b[(h&1)-n],h>>=1;else h>>=n&15;l-=n&15;n>>=4;if(256>n)e[f++]=n;else if(a.register=h,a.j=l,a.u=m,256a.j){var c=a.data,d=a.u;d>c.length&&(a.error=!0);a.register|=(c[d+1]<<8)+c[d]<>4;for(lWa(a,7);0>c;)c=b[nY(a,1)-c];return c>>4}; +nY=function(a,b){for(;a.j=a.data.length)return a.error=!0,0;a.register|=a.data[a.u++]<>=b;a.j-=b;return c}; +lWa=function(a,b){a.j-=b;a.register>>=b}; +iWa=function(a){for(var b=[],c=g.t(a),d=c.next();!d.done;d=c.next())d=d.value,b[d]||(b[d]=0),b[d]++;var e=b[0]=0;c=[];var f=0;d=0;for(var h=1;h>m&1;l=f<<4|h;if(7>=h)for(m=1<<7-h;m--;)d[m<>=7;h--;){d[m]||(d[m]=-b,b+=2);var n=e&1;e>>=1;m=n-d[m]}d[m]=l}}return d}; +oWa=function(a,b){var c,d,e,f,h,l,m,n,p,q,r,v;return g.A(function(x){switch(x.j){case 1:if(b)try{c=b.exports.malloc(a.length);(new Uint8Array(b.exports.memory.buffer,c,a.length)).set(a);d=b.exports.getInflatedSize(c,a.length);e=b.exports.malloc(d);if(f=b.exports.inflateGzip(c,a.length,e))throw Error("inflateGzip="+f);h=new Uint8Array(d);h.set(new Uint8Array(b.exports.memory.buffer,e,d));b.exports.free(e);b.exports.free(c);return x.return(h)}catch(z){g.CD(z),b.reload()}if(!("DecompressionStream"in +window))return x.return(g.mWa(new g.gWa(a)));l=new DecompressionStream("gzip");m=l.writable.getWriter();m.write(a);m.close();n=l.readable.getReader();p=new LF([]);case 2:return g.y(x,n.read(),4);case 4:q=x.u;r=q.value;if(v=q.done){x.Ka(3);break}p.append(r);x.Ka(2);break;case 3:return x.return(QF(p))}})}; +pWa=function(a){dY.call(this,"onesie");this.Md=a;this.j={};this.C=!0;this.B=null;this.queue=new bWa(this)}; +qWa=function(a){var b=a.queue;b.j.length&&b.j[0].isEncrypted&&!b.u&&(b.j.length=0);b=g.t(Object.keys(a.j));for(var c=b.next();!c.done;c=b.next())if(c=c.value,!a.j[c].wU){var d=a.queue;d.j.push({AP:c,isEncrypted:!1});d.u||dWa(d)}}; +rWa=function(a,b){var c=b.totalLength,d=!1;switch(a.B){case 0:a.ZN(b,a.C).then(function(e){var f=a.Md;f.Vc("oprr");f.playerResponse=e;f.mN||(f.JD=!1);oY(f)},function(e){a.Md.fail(e)}); +break;case 2:a.Vc("ormk");b=QF(b);a.queue.decrypt(b);break;default:d=!0}a.Md.Nl&&a.Md.xa("ombup","id.11;pt."+a.B+";len."+c+(d?";ignored.1":""));a.B=null}; +sWa=function(a){return new Promise(function(b){setTimeout(b,a)})}; +tWa=function(a,b){var c=sJ(b.Y.experiments,"debug_bandaid_hostname");if(c)b=bW(b,c);else{var d;b=null==(d=b.j.get(0))?void 0:d.location.clone()}if((d=b)&&a.videoId){b=RJ(a.videoId);a=[];if(b)for(b=g.t(b),c=b.next();!c.done;c=b.next())a.push(c.value.toString(16).padStart(2,"0"));d.set("id",a.join(""));return d}}; +uWa=function(a,b,c){c=void 0===c?0:c;var d,e;return g.A(function(f){if(1==f.j)return d=[],d.push(b.load()),0a.policy.kb)return a.policy.D&&a.Fa.xa("sabrHeap",{a:""+UX(a.videoTrack),v:""+UX(a.videoTrack)}),!1;if(!a.C)return!0;b=1E3*VX(a.audioTrack,!0);var c=1E3*VX(a.videoTrack,!0)>a.C.targetVideoReadaheadMs;return!(b>a.C.targetAudioReadaheadMs)||!c}; +EWa=function(a,b){b=new NVa(a.policy,b,a.Sa,a.u,a,{Jh:a.Jh,Iz:function(c,d){a.va.DD(c,d)}}); +a.policy.ib&&a.Fa.xa("rqs",QVa(b));return b}; +qY=function(a,b){if(!b.isDisposed()&&!a.isDisposed())if(b.isComplete()&&b.uv())b.dispose();else if(b.YU()?FWa(a,b):b.Wm()?a.Fs(b):GWa(a),!(b.isDisposed()||b instanceof pY)){if(b.isComplete())var c=TUa(b,a.policy,a.u);else c=SUa(b,a.policy,a.u,a.J),1===c&&(a.J=!0);0!==c&&(c=2===c,b=new gY(1,b.info.data),b.u=c,EWa(a,b))}a.Fa.gf()}; +GWa=function(a){for(;a.j.length&&a.j[0].ZU();){var b=a.j.shift();HWa(a,b)}a.j.length&&HWa(a,a.j[0])}; +HWa=function(a,b){if(a.policy.C){var c;var d=((null==(c=a.Fa.Og)?void 0:PRa(c,b.hs()))||0)/1E3}else d=0;if(a.policy.If){c=new Set(b.Up(a.va.Ce()||""));c=g.t(c);for(var e=c.next();!e.done;e=c.next()){var f=e.value;if(!(e=!(b instanceof pY))){var h=a.B,l=h.Sa.fd,m=h.Fa.Ce();e=hVa(h.j,l,m);h=hVa(h.videoInfos,l,m);e=e.includes(f)||h.includes(f)}if(e&&b.Nk(f))for(e=b.Vj(f),f=b.Om(f),e=g.t(e),h=e.next();!h.done;h=e.next()){h=h.value;a.policy.C&&a.policy.C&&d&&3===h.info.type&&wH(h,d);a.policy.D&&b instanceof +pY&&a.Fa.xa("omblss",{s:dH(h.info)});l=h.info.j.info.Ek();m=h.info.j;if(l){var n=a.B;m!==n.u&&(n.u=m,n.aH(m,n.audioTrack,!0))}else n=a.B,m!==n.D&&(n.D=m,n.aH(m,n.videoTrack,!1));SX(l?a.audioTrack:a.videoTrack,f,h)}}}else for(h=b.IT()||rX(a.I),c=new Set(b.Up(a.va.Ce()||"")),a.policy.C?l=c:l=[(null==(f=h.video)?void 0:SG(f,a.Sa.fd,a.va.Ce()))||"",(null==(e=h.audio)?void 0:SG(e,a.Sa.fd,a.va.Ce()))||""],f=g.t(l),e=f.next();!e.done;e=f.next())if(e=e.value,c.has(e)&&b.Nk(e))for(h=b.Vj(e),l=g.t(h),h=l.next();!h.done;h= +l.next())h=h.value,a.policy.C&&d&&3===h.info.type&&wH(h,d),a.policy.D&&b instanceof pY&&a.Fa.xa("omblss",{s:dH(h.info)}),m=b.Om(e),n=h.info.j.info.Ek()?a.audioTrack:a.videoTrack,n.J=!1,SX(n,m,h)}; +FWa=function(a,b){a.j.pop();null==b||b.dispose()}; +IWa=function(a,b){for(var c=[],d=0;d=a.policy.Eo,h=!1;if(f){var l=0;!isNaN(b)&&b>a.D&&(l=b-a.D,a.D=b);l/e=a.policy.hj&&!a.B;if(!f&&!c&&NWa(a,b))return NaN;c&&(a.B=!0);a:{d=h;c=Date.now()/1E3-(a.Wx.bj()||0)-a.J.u-a.policy.Xb;f=a.u.startTime;c=f+c;if(d){if(isNaN(b)){rY(a,NaN,"n",b);f=NaN;break a}d=b-a.policy.dj;d=e.C&&c<=e.B){c=!0;break a}c=!1}return c?!0:(a.xa("ostmf",{ct:a.currentTime,a:b.j.info.Ek()}),!1)}; +TWa=function(a){if(!a.Sa.fd)return!0;var b=a.va.getVideoData(),c,d;if(a.policy.Rw&&!!(null==(c=a.Xa)?0:null==(d=c.w4)?0:d.o8)!==a.Sa.Se)return a.xa("ombplmm",{}),!1;b=b.uc||b.liveUtcStartSeconds||b.aj;if(a.Sa.Se&&b)return a.xa("ombplst",{}),!1;if(a.Sa.oa)return a.xa("ombab",{}),!1;b=Date.now();return jwa(a.Sa)&&!isNaN(a.oa)&&b-a.oa>1E3*a.policy.xx?(a.xa("ombttl",{}),!1):a.Sa.Ge&&a.Sa.B||!a.policy.dE&&a.Sa.isPremiere?!1:!0}; +UWa=function(a,b){var c=b.j,d=a.Sa.fd;if(TWa(a)){var e=a.Ce();if(a.T&&a.T.Xc.has(SG(c,d,e))){if(d=SG(c,d,e),SWa(a,b)){e=new fH(a.T.Om(d));var f=function(h){try{if(h.Wm())a.handleError(h.Ye(),h.Vp()),XX(b,h),hH(h.info)&&aY(a.u,b,c,!0),a.gf();else if(bVa(a.u,h)){var l;null==(l=a.B)||KSa(l,h.info,a.I);a.gf()}}catch(m){h=RK(m),a.handleError(h.errorCode,h.details,h.severity),a.vk()}}; +c.C=!0;gH(e)&&(AUa(b,new bX(a.policy,d,e,a.T,f)),ISa(a.timing))}}else a.xa("ombfmt",{})}}; +tY=function(a,b){b=b||a.videoTrack&&a.videoTrack.u&&a.videoTrack.u.startTime||a.currentTime;var c=a.videoTrack,d=a.ue;b=d.nextVideo&&d.nextVideo.index.uh(b)||0;d.Ga!==b&&(d.Ja={},d.Ga=b,mX(d,d.B));b=!sX(d)&&-1(0,g.M)()-d.ea;var e=d.nextVideo&&3*oX(d,d.nextVideo.info)=b&&VX(c,!0)>=b;else if(c.B.length||d.B.length){var e=c.j.info.dc+d.j.info.dc;e=10*(1-aX(b)/e);b=Math.max(e,b.policy.ph);c=VX(d,!0)>=b&&VX(c,!0)>=b}else c=!0;if(!c)return"abr";c=a.videoTrack;if(0a.currentTime||360(e?e.Ma:-1));if(f)return a.j.hh()&&xY(a),!1;bXa(a,b,c,d.info);if(a.Sa.u&&0===d.info.Ob){if(null==c.qs()){e=RX(b);if(!(f=!e||e.j!==d.info.j)){b:if(e=e.J,f=d.info.J,e.length!==f.length)e=!1;else{for(var h=0;he)){a:{e=a.policy.Qa?(0,g.M)():0;f=d.C||d.B?d.info.j.j:null;h=d.j;d.B&&(h=new LF([]),MF(h,d.B),MF(h,d.j));var l=QF(h);h=a.policy.Qa?(0,g.M)():0;f=eXa(a,c,l,d.info,f);a.policy.Qa&&(!d.info.Ob||d.info.bf||10>d.info.C)&&a.xa("sba",c.lc({as:dH(d.info),pdur:Math.round(h-e),adur:Math.round((0,g.M)()-h)}));if("s"=== +f)a.Aa&&(a.Aa=!1),a.Qa=0,a=!0;else{if("i"===f||"x"===f)fXa(a,"checked",f,d.info);else{if("q"===f){if(!a.Aa){a.Aa=!0;a=!1;break a}d.info.Xg()?(c=a.policy,c.Z=Math.floor(.8*c.Z),c.tb=Math.floor(.8*c.tb),c.ea=Math.floor(.8*c.ea)):(c=a.policy,c.Ga=Math.floor(.8*c.Ga),c.Wc=Math.floor(.8*c.Wc),c.ea=Math.floor(.8*c.ea));HT(a.policy)||pX(a.ue,d.info.j)}wY(a.va,{reattachOnAppend:f})}a=!1}}e=!a}if(e)return!1;b.lw(d);return!0}; +fXa=function(a,b,c,d){var e="fmt.unplayable",f=1;"x"===c||"m"===c?(e="fmt.unparseable",HT(a.policy)||d.j.info.video&&!qX(a.ue)&&pX(a.ue,d.j)):"i"===c&&(15>a.Qa?(a.Qa++,e="html5.invalidstate",f=0):e="fmt.unplayable");d=cH(d);var h;d.mrs=null==(h=a.Wa)?void 0:BI(h);d.origin=b;d.reason=c;a.handleError(e,d,f)}; +TTa=function(a,b,c,d,e){var f=a.Sa;var h=!1,l=-1;for(p in f.j){var m=ZH(f.j[p].info.mimeType)||f.j[p].info.Xg();if(d===m)if(h=f.j[p].index,pH(h,b.Ma)){m=b;var n=h.Go(m.Ma);n&&n.startTime!==m.startTime?(h.segments=[],h.AJ(m),h=!0):h=!1;h&&(l=b.Ma)}else h.AJ(b),h=!0}if(0<=l){var p={};f.ma("clienttemp","resetMflIndex",(p[d?"v":"a"]=l,p),!1)}f=h;GSa(a.j,b,d,f);a.B.VN(b,c,d,e);b.Ma===a.Sa.Ge&&f&&NI(a.Sa)&&b.startTime>NI(a.Sa)&&(a.Sa.jc=b.startTime+(isNaN(a.timestampOffset)?0:a.timestampOffset),a.j.hh()&& +a.j.j=b&&RWa(a,d.startTime,!1)}); +return c&&c.startTime=a.length))for(var b=(0,g.PX)([60,0,75,0,73,0,68,0,62,0]),c=28;cd;++d)b[d]=a[c+2*d];a=UF(b);a=ig(a);if(!a)break;c=a[0];a[0]=a[3];a[3]=c;c=a[1];a[1]=a[2];a[2]=c;c=a[4];a[4]=a[5];a[5]=c;c=a[6];a[6]=a[7];a[7]=c;return a}c++}}; +BY=function(a,b){zY.call(this);var c=this;this.B=a;this.j=[];this.u=new g.Ip(function(){c.ma("log_qoe",{wvagt:"timer",reqlen:c.j?c.j.length:-1});if(c.j){if(0d;d++)c[2*d]=''.charCodeAt(d);a=a.B.createSession("video/mp4",b,c);return new EY(null,null,null,null,a)}; +SXa=function(a,b){var c=a.I[b.sessionId];!c&&a.C&&(c=a.C,a.C=null,c.sessionId=b.sessionId,a.I[b.sessionId]=c);return c}; +PXa=function(a,b){var c=a.subarray(4);c=new Uint16Array(c.buffer,c.byteOffset,c.byteLength/2);c=String.fromCharCode.apply(null,c).match(/ek=([0-9a-f]+)/)[1];for(var d="",e=0;e=a&&(c=.75*a),b=.5*(a- -c),c=new iZ(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new tZ(g.Q(a,"disable_license_delay"),b,this);break a;default:c=null}if(this.F=c)g.D(this,this.F),this.F.subscribe("rotated_need_key_info_ready",this.SB,this);this.ea("Created, key system "+this.u.u+", final EME "+wC(this.W.experiments));vZ(this,"cks"+this.u.Te());c=this.u;"com.youtube.widevine.forcehdcp"===c.u&&c.D&&(this.Qa=new sZ(this.videoData.Bh,this.W.experiments),g.D(this,this.Qa))}; -wxa=function(a){var b=qZ(a.D);b?b.then(Eo(function(){xxa(a)}),Eo(function(c){if(!a.na()){a.ea(); -M(c);var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.V("licenseerror","drm.unavailable",!0,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.ea(),vZ(a,"mdkrdy"),a.P=!0); -a.X&&(b=qZ(a.X))}; -yxa=function(a,b,c){a.Ga=!0;c=new zy(b,c);a.W.ba("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));a.W.ba("html5_process_all_encrypted_events")?xZ(a,c):a.W.ba("html5_eme_loader_sync")?xZ(a,c):0!==a.C.length&&a.videoData.La&&a.videoData.La.Lc()?yZ(a):xZ(a,c)}; -zxa=function(a,b){vZ(a,"onneedkeyinfo");g.Q(a.W.experiments,"html5_eme_loader_sync")&&(a.R.get(b.initData)||a.R.set(b.initData,b));xZ(a,b)}; -Bxa=function(a,b){if(pC(a.u)&&!a.fa){var c=Yfa(b);if(0!==c.length){var d=new zy(c);a.fa=!0;navigator.requestMediaKeySystemAccess("com.microsoft.playready",[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}]).then(function(e){e.createMediaKeys().then(function(f){Axa(a,f,d)})},null)}}}; -Axa=function(a,b,c){var d=b.createSession(),e=a.B.values[0],f=Zwa(e);d.addEventListener("message",function(h){h=new Uint8Array(h.message);nxa(h,d,a.u.C,f,"playready")}); -d.addEventListener("keystatuseschange",function(){"usable"in d.keyStatuses&&(a.ha=!0,Cxa(a,hxa(e,a.ha)))}); -d.generateRequest("cenc",c.initData)}; -xZ=function(a,b){if(!a.na()){vZ(a,"onInitData");if(g.Q(a.W.experiments,"html5_eme_loader_sync")&&a.videoData.La&&a.videoData.La.Lc()){var c=a.R.get(b.initData),d=a.I.get(b.initData);if(!c||!d)return;b=c;c=b.initData;a.I.remove(c);a.R.remove(c)}a.ea();vZ(a,"initd."+b.initData.length+";ct."+b.contentType);"widevine"===a.u.flavor?a.ia&&!a.videoData.isLivePlayback?a.W.ba("html5_process_all_encrypted_events")&&yZ(a):g.Q(a.W.experiments,"vp9_drm_live")&&a.videoData.isLivePlayback&&b.Zd||(a.ia=!0,c=b.cryptoPeriodIndex, -d=b.u,Ay(b),b.Zd||(d&&b.u!==d?a.V("ctmp","cpsmm","emsg."+d+";pssh."+b.u):c&&b.cryptoPeriodIndex!==c&&a.V("ctmp","cpimm","emsg."+c+";pssh."+b.cryptoPeriodIndex)),a.V("widevine_set_need_key_info",b)):a.SB(b)}}; -xxa=function(a){if(!a.na())if(g.Q(a.W.experiments,"html5_drm_set_server_cert")&&!g.wD(a.W)){var b=rxa(a.D);b?b.then(Eo(function(c){CI(a.videoData)&&a.V("ctmp","ssc",c)}),Eo(function(c){a.V("ctmp","ssce","n."+c.name+";m."+c.message)})).then(Eo(function(){zZ(a)})):zZ(a)}else zZ(a)}; -zZ=function(a){a.na()||(a.P=!0,a.ea(),vZ(a,"onmdkrdy"),yZ(a))}; -yZ=function(a){if(a.Ga&&a.P&&!a.Y){for(;a.C.length;){var b=a.C[0];if(a.B.get(b.initData))if("fairplay"===a.u.flavor)a.B.remove(b.initData);else{a.C.shift();continue}Ay(b);break}a.C.length&&a.createSession(a.C[0])}}; -Cxa=function(a,b){var c=FC("auto",b,!1,"l");if(g.Q(a.W.experiments,"html5_drm_initial_constraint_from_config")?a.videoData.eq:g.Q(a.W.experiments,"html5_drm_start_from_null_constraint")){if(EC(a.K,c))return}else if(IC(a.K,b))return;a.K=c;a.V("qualitychange");a.ea();vZ(a,"updtlq"+b)}; -vZ=function(a,b,c){c=void 0===c?!1:c;a.na()||(a.ea(),(CI(a.videoData)||c)&&a.V("ctmp","drmlog",b))}; -Dxa=function(a){var b;if(b=g.gr()){var c;b=!(null===(c=a.D.B)||void 0===c||!c.u)}b&&(b=a.D,b=b.B&&b.B.u?b.B.u():null,vZ(a,"mtr."+g.sf(b,3),!0))}; -AZ=function(a,b,c){g.O.call(this);this.videoData=a;this.Sa=b;this.playerVisibility=c;this.Nq=0;this.da=this.Ba=null;this.F=this.B=this.u=!1;this.D=this.C=0}; -DZ=function(a,b,c){var d=!1,e=a.Nq+3E4<(0,g.N)()||!1,f;if(f=a.videoData.ba("html5_pause_on_nonforeground_platform_errors")&&!e)f=a.playerVisibility,f=!!(f.u||f.isInline()||f.isBackground()||f.pictureInPicture||f.B);f&&(c.nonfg="paused",e=!0,a.V("pausevideo"));f=a.videoData.Oa;if(!e&&((null===f||void 0===f?0:hx(f))||(null===f||void 0===f?0:fx(f))))if(a.videoData.ba("html5_disable_codec_on_platform_errors"))a.Sa.D.R.add(f.Db),d=e=!0,c.cfalls=f.Db;else{var h;if(h=a.videoData.ba("html5_disable_codec_for_playback_on_error")&& -a.Ba){h=a.Ba.K;var l=f.Db;h.Aa.has(l)?h=!1:(h.Aa.add(l),h.aa=-1,VD(h,h.F),h=!0)}h&&(d=e=!0,c.cfallp=f.Db)}if(!e)return Exa(a,c);a.Nq=(0,g.N)();e=a.videoData;e=e.fh?e.fh.dD()=a.Sa.Aa)return!1;b.exiled=""+a.Sa.Aa;BZ(a,"qoe.start15s",b);a.V("playbackstalledatstart");return!0}; -Gxa=function(a){if("GAME_CONSOLE"!==a.Sa.deviceParams.cplatform)try{window.close()}catch(b){}}; -Fxa=function(a){return a.u||"yt"!==a.Sa.Y?!1:a.videoData.Rg?25>a.videoData.pj:!a.videoData.pj}; -CZ=function(a){a.u||(a.u=!0,a.V("signatureexpiredreloadrequired"))}; -Hxa=function(a,b){if(a.da&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.da.Sh();b.details.merr=c?c.toString():"0";b.details.msg=a.da.Bo()}}; -Ixa=function(a){return"net.retryexhausted"===a.errorCode||"net.badstatus"===a.errorCode&&!!a.details.fmt_unav}; -Kxa=function(a,b,c){if("403"===b.details.rc){var d=b.errorCode;d="net.badstatus"===d||"manifest.net.retryexhausted"===d}else d=!1;if(!d)return!1;b.details.sts="18610";if(Fxa(a))return c?(a.B=!0,a.V("releaseloader")):(b.u&&(b.details.e=b.errorCode,b.errorCode="qoe.restart",b.u=!1),BZ(a,b.errorCode,b.details),CZ(a)),!0;6048E5<(0,g.N)()-a.Sa.Ta&&Jxa(a,"signature");return!1}; -Jxa=function(a,b){try{window.location.reload();BZ(a,"qoe.restart",{detail:"pr."+b});return}catch(c){}a.Sa.ba("tvhtml5_retire_old_players")&&g.wD(a.Sa)&&Gxa(a)}; -Lxa=function(a,b){a.Sa.D.B=!1;BZ(a,"qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});a.V("formatupdaterequested")}; -EZ=function(a,b,c,d){a.V("clienttemp",b,c,(void 0===d?{BA:!1}:d).BA)}; -BZ=function(a,b,c){a.V("qoeerror",b,c)}; -Mxa=function(a,b,c,d){this.videoData=a;this.u=b;this.reason=c;this.B=d}; -Nxa=function(a){navigator.mediaCapabilities?FZ(a.videoInfos).then(function(){return a},function(){return a}):Ys(a)}; -FZ=function(a){var b=navigator.mediaCapabilities;if(!b)return Ys(a);var c=a.map(function(d){return b&&b.decodingInfo({type:"media-source",video:d.video?{contentType:d.mimeType,width:d.video.width||640,height:d.video.height||360,bitrate:8*d.zb||1E6,framerate:d.video.fps||30}:null})}); -return qda(c).then(function(d){for(var e=0;eWC(a.W.fd,"sticky-lifetime")?"auto":HZ():HZ()}; -Rxa=function(a,b){var c=new DC(0,0,!1,"o");if(a.ba("html5_varispeed_playback_rate")&&1(0,g.N)()-a.F?0:f||0h?a.C+1:0;if(!e||g.wD(a.W))return!1;a.B=d>e?a.B+1:0;if(3!==a.B)return!1;Uxa(a,b.videoData.Oa);a.u.Na("dfd",Wxa());return!0}; -Yxa=function(a,b){return 0>=g.P(a.W.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.Ma()&&32=l){d=l;break}}return new DC(0,d,!1,"b")}; -aya=function(a,b){a.ba("html5_log_media_perf_info")&&(a.u.Na("perfdb",Wxa()),a.u.Na("hwc",""+navigator.hardwareConcurrency,!0),b&&a.u.Na("mcdb",b.La.videoInfos.filter(function(c){return!1===c.D}).map(function(c){return c.Yb()}).join("-")))}; -Wxa=function(){var a=Hb(IZ(),function(b){return""+b}); -return g.vB(a)}; -JZ=function(a,b){g.C.call(this);this.provider=a;this.I=b;this.u=-1;this.F=!1;this.B=-1;this.playerState=new g.AM;this.seekCount=this.nonNetworkErrorCount=this.networkErrorCount=this.rebufferTimeSecs=this.playTimeSecs=this.D=0;this.delay=new g.F(this.send,6E4,this);this.C=!1;g.D(this,this.delay)}; -bya=function(a){0<=a.u||(3===a.provider.getVisibilityState()?a.F=!0:(a.u=g.rY(a.provider),a.delay.start()))}; -cya=function(a){if(!(0>a.B)){var b=g.rY(a.provider),c=b-a.D;a.D=b;8===a.playerState.state?a.playTimeSecs+=c:g.IM(a.playerState)&&!g.U(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; -dya=function(a){switch(a.W.lu){case "canary":return"HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";case "holdback":return"HTML5_PLAYER_CANARY_TYPE_CONTROL";default:return"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}}; -eya=function(a){return(!a.ba("html5_health_to_gel")||a.W.Ta+36E5<(0,g.N)())&&(a.ba("html5_health_to_gel_canary_killswitch")||a.W.Ta+36E5<(0,g.N)()||"HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"===dya(a))?a.ba("html5_health_to_qoe"):!0}; -KZ=function(a,b,c,d,e){var f={format:"RAW"},h={};cq(a)&&dq()&&(c&&(h["X-Goog-Visitor-Id"]=c),b&&(h["X-Goog-PageId"]=b),d&&(h.Authorization="Bearer "+d),c||d||b)&&(f.withCredentials=!0);0a.F.xF+100&&a.F){var d=a.F,e=d.isAd;a.ia=1E3*b-d.NR-(1E3*c-d.xF)-d.FR;a.Na("gllat","l."+a.ia.toFixed()+";prev_ad."+ +e);delete a.F}}; -PZ=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.rY(a.provider);var c=a.provider.zq();if(!isNaN(a.X)&&!isNaN(c.B)){var d=c.B-a.X;0a.u)&&2m;!(1=e&&(M(Error("invalid coreTime.now value: "+e)),e=(new Date).getTime()+2);return e},g.Q(a.W.experiments,"html5_validate_yt_now")),c=b(); -a.B=function(){return Math.round(b()-c)/1E3}; -a.F()}return a.B}; -fya=function(a){if(navigator.connection&&navigator.connection.type)return zya[navigator.connection.type]||zya.other;if(g.wD(a.W)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; -TZ=function(a){var b=new xya;b.B=a.De().cc||"-";b.playbackRate=a.getPlaybackRate();var c=a.getVisibilityState();0!==c&&(b.visibilityState=c);a.W.ke&&(b.C=1);c=a.getAudioTrack();c.u&&c.u.id&&"und"!==c.u.id&&(b.u=c.u.id);b.connectionType=fya(a);b.volume=a.De().volume;b.muted=a.De().muted;b.clipId=a.De().clipid||"-";b.In=a.videoData.In||"-";return b}; -g.f_=function(a){g.C.call(this);var b=this;this.provider=a;this.B=this.qoe=this.u=null;this.C=void 0;this.D=new Map;this.provider.videoData.isValid()&&!this.provider.videoData.mp&&(this.u=new ZZ(this.provider),g.D(this,this.u),this.qoe=new g.NZ(this.provider),g.D(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.C=this.provider.videoData.clientPlaybackNonce)&&this.D.set(this.C,this.u));eya(this.provider)&&(this.B=new JZ(this.provider,function(c){b.Na("h5h",c)}),g.D(this,this.B))}; -Aya=function(a){var b;a.provider.videoData.enableServerStitchedDai&&a.C?null===(b=a.D.get(a.C))||void 0===b?void 0:UZ(b.u):a.u&&UZ(a.u.u)}; -Bya=function(a,b){a.u&&wya(a.u,b)}; -Cya=function(a){if(!a.u)return null;var b=$Z(a.u,"atr");return function(c){a.u&&wya(a.u,c,b)}}; -Dya=function(a,b,c){var d=new g.rI(b.W,c);d.adFormat=d.Xo;b=new ZZ(new e_(d,b.W,b.De,function(){return d.lengthSeconds},b.u,b.zq,b.D,function(){return d.getAudioTrack()},b.getPlaybackRate,b.C,b.getVisibilityState,b.fu,b.F,b.Mi)); -b.F=a.provider.u();g.D(a,b);return b}; -Eya=function(a){this.D=this.mediaTime=NaN;this.B=this.u=!1;this.C=.001;a&&(this.C=a)}; -g_=function(a,b){return b>a.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.D=c;return!1}; -Fya=function(a,b){this.videoData=a;this.La=b}; -Gya=function(a,b,c){return b.Vs(c).then(function(){return Ys(new Fya(b,b.La))},function(d){d instanceof Error&&g.Fo(d); -d=b.isLivePlayback&&!g.BC(a.D,!0)?"html5.unsupportedlive":"fmt.noneavailable";var e={buildRej:"1",a:""+ +!!b.adaptiveFormats,d:""+ +!!b.Og,drm:""+ +TI(b),f18:""+ +(0<=b.xs.indexOf("itag=18")),c18:""+ +nB('video/mp4; codecs="avc1.42001E, mp4a.40.2"')};b.ra&&(TI(b)?(e.f142=""+ +!!b.ra.u["142"],e.f149=""+ +!!b.ra.u["149"],e.f279=""+ +!!b.ra.u["279"]):(e.f133=""+ +!!b.ra.u["133"],e.f140=""+ +!!b.ra.u["140"],e.f242=""+ +!!b.ra.u["242"]),e.cAVC=""+ +oB('video/mp4; codecs="avc1.42001E"'),e.cAAC=""+ +oB('audio/mp4; codecs="mp4a.40.2"'), -e.cVP9=""+ +oB('video/webm; codecs="vp9"'));if(b.md){e.drmsys=b.md.u;var f=0;b.md.B&&(f=Object.keys(b.md.B).length);e.drmst=""+f}return new uB(d,!0,e)})}; -Hya=function(a){this.F=a;this.C=this.B=0;this.D=new PY(50)}; -j_=function(a,b,c){g.O.call(this);this.videoData=a;this.experiments=b;this.R=c;this.B=[];this.D=0;this.C=!0;this.F=!1;this.I=0;c=new Iya;"ULTRALOW"===a.latencyClass&&(c.D=!1);a.Zi?c.B=3:g.eJ(a)&&(c.B=2);g.Q(b,"html5_adaptive_seek_to_head_killswitch")||"NORMAL"!==a.latencyClass||(c.I=!0);var d=OI(a);c.F=2===d||-1===d;c.F&&(c.X++,21530001===MI(a)&&(c.K=g.P(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(dr("trident/")||dr("edge/"))d=g.P(b,"html5_platform_minimum_readahead_seconds")||3,c.C=Math.max(c.C, -d);g.P(b,"html5_minimum_readahead_seconds")&&(c.C=g.P(b,"html5_minimum_readahead_seconds"));g.P(b,"html5_maximum_readahead_seconds")&&(c.R=g.P(b,"html5_maximum_readahead_seconds"));g.Q(b,"html5_force_adaptive_readahead")&&(c.D=!0);g.P(b,"html5_allowable_liveness_drift_chunks")&&(c.u=g.P(b,"html5_allowable_liveness_drift_chunks"));g.P(b,"html5_readahead_ratelimit")&&(c.P=g.P(b,"html5_readahead_ratelimit"));switch(MI(a)){case 21530001:c.u=(c.u+1)/5,"LOW"===a.latencyClass&&(c.u*=2),c.Y=g.Q(b,"html5_live_smoothly_extend_max_seekable_time")}this.policy= -c;this.K=1!==this.policy.B;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Zi&&b--;a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(MI(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.F&&b++;this.u=i_(this,b);this.ea()}; -Jya=function(a,b){var c=a.u;(void 0===b?0:b)&&a.policy.Y&&3===OI(a.videoData)&&--c;return k_(a)*c}; -l_=function(a,b){var c=a.Fh();var d=a.policy.u;a.F||(d=Math.max(d-1,0));d*=k_(a);return b>=c-d}; -Kya=function(a,b,c){b=l_(a,b);c||b?b&&(a.C=!0):a.C=!1;a.K=2===a.policy.B||3===a.policy.B&&a.C}; -Lya=function(a,b){var c=l_(a,b);a.F!==c&&a.V("livestatusshift",c);a.F=c}; -k_=function(a){return a.videoData.ra?ZB(a.videoData.ra)||5:5}; -i_=function(a,b){b=Math.max(Math.max(a.policy.X,Math.ceil(a.policy.C/k_(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.R/k_(a))),b)}; -Iya=function(){this.X=1;this.C=0;this.R=Infinity;this.P=0;this.D=!0;this.u=2;this.B=1;this.F=!1;this.K=NaN;this.Y=this.I=!1}; -o_=function(a,b,c,d,e){g.C.call(this);this.W=a;this.videoData=b;this.V=c;this.visibility=d;this.P=e;this.Ba=this.da=null;this.D=this.u=0;this.B={};this.playerState=new g.AM;this.C=new g.F(this.X,1E3,this);g.D(this,this.C);this.fa=new m_({delayMs:g.P(this.W.experiments,"html5_seek_timeout_delay_ms")});this.R=new m_({delayMs:g.P(this.W.experiments,"html5_long_rebuffer_threshold_ms")});this.ha=n_(this,"html5_seek_set_cmt");this.Y=n_(this,"html5_seek_jiggle_cmt");this.aa=n_(this,"html5_seek_new_elem"); -n_(this,"html5_decoder_freeze_timeout");this.ma=n_(this,"html5_unreported_seek_reseek");this.I=n_(this,"html5_long_rebuffer_jiggle_cmt");this.K=n_(this,"html5_reload_element_long_rebuffer");this.F=n_(this,"html5_ads_preroll_lock_timeout");this.ia=new m_({delayMs:g.P(this.W.experiments,"html5_skip_slow_ad_delay_ms")||5E3,Yp:!g.Q(this.W.experiments,"html5_report_slow_ads_as_error")})}; -n_=function(a,b){var c=g.P(a.W.experiments,b+"_delay_ms"),d=g.Q(a.W.experiments,b+"_cfl");return new m_({delayMs:c,Yp:d})}; -p_=function(a,b,c,d,e,f,h){Mya(b,c)?(d=a.sb(b),d.wn=h,d.wdup=a.B[e]?"1":"0",a.V("qoeerror",e,d),a.B[e]=!0,b.Yp||f()):(b.Vv&&b.B&&!b.D?(f=(0,g.N)(),d?b.u||(b.u=f):b.u=0,c=!d&&f-b.B>b.Vv,f=b.u&&f-b.u>b.eA||c?b.D=!0:!1):f=!1,f&&(f=a.sb(b),f.wn=h,f.we=e,f.wsuc=""+ +d,h=g.vB(f),a.V("ctmp","workaroundReport",h),d&&(b.reset(),a.B[e]=!1)))}; -m_=function(a){a=void 0===a?{}:a;var b=void 0===a.eA?1E3:a.eA,c=void 0===a.Vv?3E4:a.Vv,d=void 0===a.Yp?!1:a.Yp;this.F=Math.ceil((void 0===a.delayMs?0:a.delayMs)/1E3);this.eA=b;this.Vv=c;this.Yp=d;this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -Mya=function(a,b){if(!a.F||a.B)return!1;if(!b)return a.reset(),!1;var c=(0,g.N)();if(!a.startTimestamp)a.startTimestamp=c,a.C=0;else if(a.C>=a.F)return a.B=c,!0;a.C+=1;return!1}; -r_=function(a,b,c,d){g.O.call(this);var e=this;this.videoData=a;this.W=b;this.visibility=c;this.Ta=d;this.policy=new Nya(this.W);this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);a={};this.fa=(a.seekplayerrequired=this.QR,a.videoformatchange=this.Gz,a);this.playbackData=null;this.Aa=new rt;this.K=this.u=this.Ba=this.da=null;this.B=NaN;this.C=0;this.D=null;this.ha=NaN;this.F=this.R=null;this.X=this.P=!1;this.aa=new g.F(function(){Oya(e,!1)},this.policy.u); -this.Ya=new g.F(function(){q_(e)}); -this.ma=new g.F(function(){e.ea();e.P=!0;Pya(e)}); -this.Ga=this.timestampOffset=0;this.ia=!0;this.Ja=0;this.Qa=NaN;this.Y=new g.F(function(){var f=e.W.fd;f.u+=1E4/36E5;f.u-f.C>1/6&&(TC(f),f.C=f.u);e.Y.start()},1E4); -this.ba("html5_unrewrite_timestamps")?this.fa.timestamp=this.ip:this.fa.timestamp=this.BM;g.D(this,this.Aa);g.D(this,this.aa);g.D(this,this.ma);g.D(this,this.Ya);g.D(this,this.Y)}; -Qya=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.K=new Hya(function(){a:{if(a.playbackData&&a.playbackData.La.Lc()){if(LI(a.videoData)&&a.Ba){var c=a.Ba.Ya.u()||0;break a}if(a.videoData.ra){c=a.videoData.ra.R;break a}}c=0}return c}),a.u=new j_(a.videoData,a.W.experiments,function(){return a.Oc(!0)})); -a.videoData.startSeconds&&isFinite(a.videoData.startSeconds)&&1E9=e.B&&cd.D||g.A()-d.I=a.Oc()-.1)a.B=a.Oc(),a.D.resolve(a.Oc()),a.V("ended");else try{var c=a.B-a.timestampOffset;a.ea();a.da.seekTo(c);a.I.u=c;a.ha=c;a.C=a.B}catch(d){a.ea()}}}; -Wya=function(a){if(!a.da||0===a.da.yg()||0a;a++)this.F[a]^=92,this.C[a]^=54;this.reset()}; -$ya=function(a,b,c){for(var d=[],e=0;16>e;e++)d.push(b[c]<<24|b[c+1]<<16|b[c+2]<<8|b[c+3]),c+=4;for(b=16;64>b;b++)c=d[b-7]+d[b-16],e=d[b-2],c+=(e>>>17|e<<15)^(e>>>19|e<<13)^e>>>10,e=d[b-15],c+=(e>>>7|e<<25)^(e>>>18|e<<14)^e>>>3,d.push(c);b=a.u[0];c=a.u[1];e=a.u[2];for(var f=a.u[3],h=a.u[4],l=a.u[5],m=a.u[6],n=a.u[7],p,r,t=0;64>t;t++)p=n+Zya[t]+d[t]+((h>>>6|h<<26)^(h>>>11|h<<21)^(h>>>25|h<<7))+(h&l^~h&m),r=((b>>>2|b<<30)^(b>>>13|b<<19)^(b>>>22|b<<10))+(b&c^b&e^c&e),n=m,m=l,l=h,h=f+p,f=e,e=c,c=b,b= -p+r;a.u[0]=b+a.u[0]|0;a.u[1]=c+a.u[1]|0;a.u[2]=e+a.u[2]|0;a.u[3]=f+a.u[3]|0;a.u[4]=h+a.u[4]|0;a.u[5]=l+a.u[5]|0;a.u[6]=m+a.u[6]|0;a.u[7]=n+a.u[7]|0}; -bza=function(a){var b=new Uint8Array(32),c=64-a.B;55f;f++){var h=e%256;d[c-f]=h;e=(e-h)/256}a.update(d);for(c=0;8>c;c++)b[4*c]=a.u[c]>>>24,b[4*c+1]=a.u[c]>>>16&255,b[4*c+2]=a.u[c]>>>8&255,b[4*c+3]=a.u[c]&255;aza(a);return b}; -aza=function(a){a.u=[1779033703,3144134277,1013904242,2773480762,1359893119,2600822924,528734635,1541459225];a.D=0;a.B=0}; -cza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p,r,t;return xa(e,function(w){switch(w.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){w.u=2;break}h=window.crypto.subtle;l={name:"HMAC",hash:{name:"SHA-256"}};m=["sign"];n=new Uint8Array(b.length+c.length);n.set(b);n.set(c,b.length);w.C=3;return sa(w,h.importKey("raw",a,l,!1,m),5);case 5:return p=w.B,sa(w,h.sign(l,p,n),6);case 6:r=w.B;f=new Uint8Array(r);ta(w,2);break;case 3:ua(w);case 2:if(!f){t=new y_(a); -t.update(b);t.update(c);var y=bza(t);t.update(t.F);t.update(y);y=bza(t);t.reset();f=y}return w["return"](f)}})})}; -eza=function(a,b,c){return We(this,function e(){var f,h,l,m,n,p;return xa(e,function(r){switch(r.u){case 1:if(!(window.crypto&&window.crypto.subtle&&window.crypto.subtle.importKey)){r.u=2;break}h=window.crypto.subtle;l={name:"AES-CTR",counter:c,length:128};r.C=3;return sa(r,dza(a),5);case 5:return m=r.B,sa(r,h.encrypt(l,m,b),6);case 6:n=r.B;f=new Uint8Array(n);ta(r,2);break;case 3:ua(r);case 2:return f||(p=new QS(a),Ura(p,c),f=p.encrypt(b)),r["return"](f)}})})}; -dza=function(a){return window.crypto.subtle.importKey("raw",a,{name:"AES-CTR"},!1,["encrypt"])}; -z_=function(a){var b=this,c=new QS(a);return function(d,e){return We(b,function h(){return xa(h,function(l){Ura(c,e);return l["return"](new Uint8Array(c.encrypt(d)))})})}}; -A_=function(a){this.u=a;this.iv=nZ(Ht())}; -fza=function(a,b){return We(a,function d(){var e=this;return xa(d,function(f){return f["return"](cza(e.u.B,b,e.iv))})})}; -B_=function(a){this.B=a;this.D=this.u=0;this.C=-1}; -C_=function(a){var b=Vv(a.B,a.u);++a.u;if(128>b)return b;for(var c=b&127,d=1;128<=b;)b=Vv(a.B,a.u),++a.u,d*=128,c+=(b&127)*d;return c}; -D_=function(a,b){for(a.D=b;a.u+1<=a.B.totalLength;){var c=a.C;0>c&&(c=C_(a));var d=c>>3,e=c&7;if(d===b)return!0;if(d>b){a.C=c;break}switch(e){case 0:C_(a);break;case 1:a.u+=8;break;case 2:c=C_(a);a.u+=c;break;case 5:a.u+=4}}return!1}; -E_=function(a,b,c){c=void 0===c?0:c;return D_(a,b)?C_(a):c}; -F_=function(a,b){var c=void 0===c?"":c;if(!D_(a,b))return c;c=C_(a);if(!c)return"";var d=Tv(a.B,a.u,c);a.u+=c;return g.v.TextDecoder?(new TextDecoder).decode(d):g.Ye(d)}; -G_=function(a,b){var c=void 0===c?null:c;if(!D_(a,b))return c;c=C_(a);var d=Tv(a.B,a.u,c);a.u+=c;return d}; -gza=function(a){this.iv=G_(new B_(a),5)}; -hza=function(a){a=G_(new B_(a),4);this.u=new gza(new Mv([a]))}; -jza=function(a){a=new B_(a);this.u=E_(a,1);this.itag=E_(a,3);this.lastModifiedTime=E_(a,4);this.xtags=F_(a,5);E_(a,6);E_(a,8);E_(a,9,-1);E_(a,10);this.B=this.itag+";"+this.lastModifiedTime+";"+this.xtags;this.isAudio="audio"===iza[cx[""+this.itag]]}; -kza=function(a){this.body=null;a=new B_(a);this.onesieProxyStatus=E_(a,1,-1);this.body=G_(a,4)}; -lza=function(a){a=new B_(a);this.startTimeMs=E_(a,1);this.endTimeMs=E_(a,2)}; -mza=function(a){var b=new B_(a);a=F_(b,3);var c=E_(b,5);this.u=E_(b,7);var d=G_(b,14);this.B=new lza(new Mv([d]));b=F_(b,15);this.C=a+";"+c+";"+b}; -nza=function(a){this.C=a;this.B=!1;this.u=[]}; -oza=function(a){for(;a.u.length&&!a.u[0].isEncrypted;){var b=a.u.shift();a.C(b.streamId,b.buffer)}}; -pza=function(a){var b,c;return We(this,function e(){var f=this,h,l,m,n;return xa(e,function(p){switch(p.u){case 1:h=f;if(null===(c=null===(b=window.crypto)||void 0===b?void 0:b.subtle)||void 0===c||!c.importKey)return p["return"](z_(a));l=window.crypto.subtle;p.C=2;return sa(p,dza(a),4);case 4:m=p.B;ta(p,3);break;case 2:return ua(p),p["return"](z_(a));case 3:return p["return"](function(r,t){return We(h,function y(){var x,B;return xa(y,function(E){if(1==E.u){if(n)return E["return"](n(r,t));x={name:"AES-CTR", -counter:t,length:128};E.C=2;B=Uint8Array;return sa(E,l.encrypt(x,m,r),4)}if(2!=E.u)return E["return"](new B(E.B));ua(E);n=z_(a);return E["return"](n(r,t))})})})}})})}; -H_=function(a){g.O.call(this);var b=this;this.D=a;this.u={};this.C={};this.B=this.iv=null;this.queue=new nza(function(c,d){b.ea();b.V("STREAM_DATA",{id:c,data:d})})}; -qza=function(a,b,c){var d=Vv(b,0);b=Tv(b,1);d=a.u[d]||null;a.ea();d&&(a=a.queue,a.u.push({streamId:d,buffer:b,isEncrypted:c}),a.B||oza(a))}; -rza=function(a,b){We(a,function d(){var e=this,f,h,l,m,n,p,r,t;return xa(d,function(w){switch(w.u){case 1:return e.ea(),e.V("PLAYER_RESPONSE_RECEIVED"),f=Tv(b),w.C=2,sa(w,e.D(f,e.iv),4);case 4:h=w.B;ta(w,3);break;case 2:return l=ua(w),e.ea(),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:l}),w["return"]();case 3:m=new kza(new Mv([h]));if(1!==m.onesieProxyStatus)return n={st:m.onesieProxyStatus},p=new uB("onesie.response.badproxystatus",!1,n),e.V("PLAYER_RESPONSE_FAILED",{errorInfo:p}),w["return"]();r=m.body; -t=g.v.TextDecoder?(new TextDecoder).decode(r):g.Ye(r);e.ea();e.V("PLAYER_RESPONSE_READY",t);w.u=0}})})}; -I_=function(){this.u=0;this.C=void 0;this.B=new Uint8Array(4096);this.view=new DataView(this.B.buffer);g.v.TextEncoder&&(this.C=new TextEncoder)}; -J_=function(a,b){var c=a.u+b;if(!(a.B.length>=c)){for(var d=2*a.B.length;dd;d++)a.view.setUint8(a.u,c&127|128),c>>=7,a.u+=1;b=Math.floor(b/268435456)}for(J_(a,4);127>=7,a.u+=1;a.view.setUint8(a.u,b);a.u+=1}; -L_=function(a,b,c){K_(a,b<<3|2);b=c.length;K_(a,b);J_(a,b);a.B.set(c,a.u);a.u+=b}; -M_=function(a,b,c){c=a.C?a.C.encode(c):new Uint8Array(nZ(g.Xe(c)).buffer);L_(a,b,c)}; -N_=function(a){return new Uint8Array(a.B.buffer,0,a.u)}; -sza=function(a){var b=a.encryptedOnesiePlayerRequest,c=a.encryptedClientKey,d=a.iv;a=a.hmac;this.serializeResponseAsJson=!0;this.encryptedOnesiePlayerRequest=b;this.encryptedClientKey=c;this.iv=d;this.hmac=a}; -O_=function(a){var b=a.value;this.name=a.name;this.value=b}; -tza=function(a){var b=a.httpHeaders,c=a.postBody;this.url=a.url;this.httpHeaders=b;this.postBody=c}; -uza=function(a){this.Hx=a.Hx}; -vza=function(a,b){if(b+1<=a.totalLength){var c=Vv(a,b);c=128>c?1:192>c?2:224>c?3:240>c?4:5}else c=0;if(1>c||!(b+c<=a.totalLength))return[-1,b];if(1===c)c=Vv(a,b++);else if(2===c){c=Vv(a,b++);var d=Vv(a,b++);c=(c&63)+64*d}else if(3===c){c=Vv(a,b++);d=Vv(a,b++);var e=Vv(a,b++);c=(c&31)+32*(d+256*e)}else if(4===c){c=Vv(a,b++);d=Vv(a,b++);e=Vv(a,b++);var f=Vv(a,b++);c=(c&15)+16*(d+256*(e+256*f))}else c=b+1,a.focus(c),Qv(a,c,4)?c=Rv(a).getUint32(c-a.C,!0):(d=Vv(a,c+2)+256*Vv(a,c+3),c=Vv(a,c)+256*(Vv(a, -c+1)+256*d)),b+=5;return[c,b]}; -wza=function(a){this.B=a;this.u=new Mv}; -xza=function(a){var b=g.q(vza(a.u,0));var c=b.next().value;var d=b.next().value;d=g.q(vza(a.u,d));b=d.next().value;d=d.next().value;!(0>c||0>b)&&d+b<=a.u.totalLength&&(d=a.u.split(d).ln.split(b),b=d.iu,d=d.ln,a.B(c,b),a.u=d,xza(a))}; -zza=function(a){var b,c;a:{var d,e=a.T().xi;if(e){var f=null===(c=yza())||void 0===c?void 0:c.primary;if(f&&e.baseUrl){c=new vw("https://"+f+e.baseUrl);if(e=null===(d=a.Cv)||void 0===d?void 0:d.urlQueryOverride)for(d=Cw(e),d=g.q(Object.entries(d)),e=d.next();!e.done;e=d.next())f=g.q(e.value),e=f.next().value,f=f.next().value,c.set(e,f);if(!c.get("id")){e=SC(a.videoId);d=[];if(e)for(e=g.q(e),f=e.next();!f.done;f=e.next())d.push(f.value.toString(16).padStart(2,"0"));d=d.join("");if(!d){c=void 0;break a}c.set("id", -d)}break a}}c=void 0}!c&&(null===(b=a.Cv)||void 0===b?0:b.url)&&(c=new vw(a.Cv.url));if(!c)return"";c.set("ack","1");c.set("cpn",a.clientPlaybackNonce);c.set("opr","1");c.set("pvi","135");c.set("pai","140");c.set("oad","0");c.set("ovd","0");c.set("oaad","0");c.set("oavd","0");return c.Ld()}; -P_=function(a,b,c){var d=this;this.videoData=a;this.eb=b;this.playerRequest=c;this.xhr=null;this.u=new py;this.D=!1;this.C=new g.F(this.F,1E4,this);this.W=a.T();this.B=new A_(this.W.xi.u);this.K=new wza(function(e,f){d.I.feed(e,f)}); -this.I=Aza(this)}; -Aza=function(a){var b=new H_(function(c,d){return a.B.decrypt(c,d)}); -b.subscribe("FIRST_BYTE_RECEIVED",function(){a.eb.tick("orfb");a.D=!0}); -b.subscribe("PLAYER_RESPONSE_READY",function(c){a.eb.tick("oprr");a.u.resolve(c);a.C.stop()}); -b.subscribe("PLAYER_RESPONSE_RECEIVED",function(){a.eb.tick("orpr")}); -b.subscribe("PLAYER_RESPONSE_FAILED",function(c){Q_(a,c.errorInfo)}); +GY=function(){this.keys=[];this.values=[]}; +VXa=function(a,b,c){g.dE.call(this);this.element=a;this.videoData=b;this.Y=c;this.j=this.videoData.J;this.drmSessionId=this.videoData.drmSessionId||g.Bsa();this.u=new Map;this.I=new GY;this.J=new GY;this.B=[];this.Ja=2;this.oa=new g.bI(this);this.La=this.Aa=!1;this.heartbeatParams=null;this.ya=this.ea=!1;this.D=null;this.Ga=!1;(a=this.element)&&(a.addKey||a.webkitAddKey)||ZI()||hJ(c.experiments);this.Y.K("html5_enable_vp9_fairplay")&&dJ(this.j)?c=TXa:(c=this.videoData.hm,c="fairplay"===this.j.flavor|| +c?ZL:TXa);this.T=c;this.C=new FY(this.element,this.j);g.E(this,this.C);$I(this.j)&&(this.Z=new FY(this.element,this.j),g.E(this,this.Z));g.E(this,this.oa);c=this.element;this.j.keySystemAccess?this.oa.S(c,"encrypted",this.Y5):Kz(this.oa,c,$I(this.j)?["msneedkey"]:["needkey","webkitneedkey"],this.v6);UXa(this);a:switch(c=this.j,a=this.u,c.flavor){case "fairplay":if(b=/\sCobalt\/(\S+)\s/.exec(g.hc())){a=[];b=g.t(b[1].split("."));for(var d=b.next();!d.done;d=b.next())d=parseInt(d.value,10),0<=d&&a.push(d); +a=parseFloat(a.join("."))}else a=NaN;19.2999=a&&(c=.75*a),b=.5*(a-c),c=new AY(b,a,a-b-c,this)):c=null;break a;case "widevine":c=new BY(a,this);break a;default:c=null}if(this.D=c)g.E(this,this.D),this.D.subscribe("rotated_need_key_info_ready",this.wS,this),this.D.subscribe("log_qoe",this.Ri,this);hJ(this.Y.experiments);this.Ri({cks:this.j.rh()})}; +UXa=function(a){var b=a.C.attach();b?b.then(XI(function(){WXa(a)}),XI(function(c){if(!a.isDisposed()){g.CD(c); +var d="t.a";c instanceof DOMException&&(d+=";n."+c.name+";m."+c.message);a.ma("licenseerror","drm.unavailable",1,d,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK")}})):(a.Ri({mdkrdy:1}),a.ea=!0); +a.Z&&(b=a.Z.attach())}; +YXa=function(a,b,c){a.La=!0;c=new vTa(b,c);a.Y.K("html5_eme_loader_sync")&&(a.I.get(b)||a.I.set(b,c));XXa(a,c)}; +XXa=function(a,b){if(!a.isDisposed()){a.Ri({onInitData:1});if(a.Y.K("html5_eme_loader_sync")&&a.videoData.C&&a.videoData.C.j){var c=a.J.get(b.initData);b=a.I.get(b.initData);if(!c||!b)return;b=c;c=b.initData;a.I.remove(c);a.J.remove(c)}a.Ri({initd:b.initData.length,ct:b.contentType});if("widevine"===a.j.flavor)if(a.Aa&&!a.videoData.isLivePlayback)HY(a);else{if(!(a.Y.K("vp9_drm_live")&&a.videoData.isLivePlayback&&b.Ee)){a.Aa=!0;c=b.cryptoPeriodIndex;var d=b.j;xTa(b);b.Ee||(d&&b.j!==d?a.ma("ctmp","cpsmm", +{emsg:d,pssh:b.j}):c&&b.cryptoPeriodIndex!==c&&a.ma("ctmp","cpimm",{emsg:c,pssh:b.cryptoPeriodIndex}));a.ma("widevine_set_need_key_info",b)}}else a.wS(b)}}; +WXa=function(a){if(!a.isDisposed())if(a.Y.K("html5_drm_set_server_cert")&&!g.tK(a.Y)||dJ(a.j)){var b=a.C.setServerCertificate();b?b.then(XI(function(c){a.Y.Rd()&&a.ma("ctmp","ssc",{success:c})}),XI(function(c){a.ma("ctmp","ssce",{n:c.name, +m:c.message})})).then(XI(function(){ZXa(a)})):ZXa(a)}else ZXa(a)}; +ZXa=function(a){a.isDisposed()||(a.ea=!0,a.Ri({onmdkrdy:1}),HY(a))}; +$Xa=function(a){return"widevine"===a.j.flavor&&a.videoData.K("html5_drm_cpi_license_key")}; +HY=function(a){if(a.La&&a.ea&&!a.ya){for(;a.B.length;){var b=a.B[0],c=$Xa(a)?yTa(b):g.gg(b.initData);if(dJ(a.j)&&!b.u)a.B.shift();else{if(a.u.get(c))if("fairplay"!==a.j.flavor||dJ(a.j)){a.B.shift();continue}else a.u.delete(c);xTa(b);break}}a.B.length&&a.createSession(a.B[0])}}; +aYa=function(a){var b;if(b=g.Yy()){var c;b=!(null==(c=a.C.u)||!c.getMetrics)}b&&(b=a.C.getMetrics())&&(b=g.WF(b),a.ma("ctmp","drm",{metrics:b}))}; +JY=function(a){g.C.call(this);var b=this;this.va=a;this.j=this.va.V();this.videoData=this.va.getVideoData();this.HC=0;this.I=this.B=!1;this.D=0;this.C=g.gJ(this.j.experiments,"html5_delayed_retry_count");this.u=new g.Ip(function(){IY(b.va)},g.gJ(this.j.experiments,"html5_delayed_retry_delay_ms")); +this.J=g.gJ(this.j.experiments,"html5_url_signature_expiry_time_hours");g.E(this,this.u)}; +eYa=function(a,b,c){var d=a.videoData.u,e=a.videoData.I;if(("progressive.net.retryexhausted"===b||"fmt.unplayable"===b||"fmt.decode"===b)&&!a.va.Ji.D&&d&&"22"===d.itag)return a.va.Ji.D=!0,a.Kd("qoe.restart",{reason:"fmt.unplayable.22"}),KY(a.va),!0;var f=!1,h=a.HC+3E4<(0,g.M)()||a.u.isActive();if(a.j.K("html5_empty_src")&&a.videoData.isAd()&&"fmt.unplayable"===b&&/Empty src/.test(""+c.msg))return c.origin="emptysrc",a.Kd("auth",c),!0;var l;if(l=!h)l=a.va.Es(),l=!!(l.zg()||l.isInline()||l.isBackground()|| +l.Ty()||l.Ry());l&&(c.nonfg="paused",h=!0,a.va.pauseVideo());("fmt.decode"===b||"fmt.unplayable"===b)&&(null==e?0:AF(e)||zF(e))&&(Uwa(a.j.D,e.Lb),c.acfallexp=e.Lb,f=h=!0);!h&&0=a.j.jc)return!1;b.exiled=""+a.j.jc;a.Kd("qoe.start15s",b);a.va.ma("playbackstalledatstart");return!0}; +cYa=function(a){return a.B?!0:"yt"===a.j.Ja?a.videoData.kb?25>a.videoData.Dc:!a.videoData.Dc:!1}; +dYa=function(a){if(!a.B){a.B=!0;var b=a.va.getPlayerState();b=g.QO(b)||b.isSuspended();a.va.Dn();b&&!WM(a.videoData)||a.va.ma("signatureexpired")}}; +fYa=function(a,b){if((a=a.va.qe())&&("fmt.unplayable"===b.errorCode||"html5.invalidstate"===b.errorCode)){var c=a.Ye();b.details.merr=c?c.toString():"0";b.details.mmsg=a.zf()}}; +gYa=function(a){return"net.badstatus"===a.errorCode&&(1===a.severity||!!a.details.fmt_unav)}; +hYa=function(a,b){return a.j.K("html5_use_network_error_code_enums")&&403===b.details.rc||"403"===b.details.rc?(a=b.errorCode,"net.badstatus"===a||"manifest.net.retryexhausted"===a):!1}; +jYa=function(a,b){if(!hYa(a,b)&&!a.B)return!1;b.details.sts="19471";if(cYa(a))return QK(b.severity)&&(b=Object.assign({e:b.errorCode},b.details),b=new PK("qoe.restart",b)),a.Kd(b.errorCode,b.details),dYa(a),!0;6048E5<(0,g.M)()-a.j.Jf&&iYa(a,"signature");return!1}; +iYa=function(a,b){try{window.location.reload(),a.Kd("qoe.restart",{detail:"pr."+b})}catch(c){}}; +kYa=function(a,b){var c=a.j.D;c.D=!1;c.j=!0;a.Kd("qoe.restart",{e:void 0===b?"fmt.noneavailable":b,detail:"hdr"});IY(a.va,!0)}; +lYa=function(a,b,c,d){this.videoData=a;this.j=b;this.reason=c;this.u=d}; +mYa=function(a,b,c){this.Y=a;this.XD=b;this.va=c;this.ea=this.I=this.J=this.u=this.j=this.C=this.T=this.B=0;this.D=!1;this.Z=g.gJ(this.Y.experiments,"html5_displayed_frame_rate_downgrade_threshold")||45}; +oYa=function(a,b,c){!a.Y.K("html5_tv_ignore_capable_constraint")&&g.tK(a.Y)&&(c=c.compose(nYa(a,b)));return c}; +qYa=function(a,b){var c,d=pYa(a,null==(c=b.j)?void 0:c.videoInfos);c=a.va.getPlaybackRate();return 1(0,g.M)()-a.C?0:f||0h?a.u+1:0;if((n-m)/l>a.Z||!e||g.tK(a.Y))return!1;a.j=d>e?a.j+1:0;if(3!==a.j)return!1;tYa(a,b.videoData.u);a.va.xa("dfd",Object.assign({dr:c.droppedVideoFrames,de:c.totalVideoFrames},vYa()));return!0}; +xYa=function(a,b){return 0>=g.gJ(a.Y.experiments,"hfr_dropped_framerate_fallback_threshold")||!(b&&b.video&&32=e){d=e;break}return new iF(0,d,!1,"b")}; +zYa=function(a){a=a.va.Es();return a.isInline()?new iF(0,480,!1,"v"):a.isBackground()&&60e?(c&&(d=AYa(a,c,d)),new iF(0,d,!1,"e")):ZL}; +AYa=function(a,b,c){if(a.K("html5_optimality_defaults_chooses_next_higher")&&c)for(a=b.j.videoInfos,b=1;ba.u)){var b=g.uW(a.provider),c=b-a.C;a.C=b;8===a.playerState.state?a.playTimeSecs+=c:g.TO(a.playerState)&&!g.S(a.playerState,16)&&(a.rebufferTimeSecs+=c)}}; +GYa=function(a,b){b?FYa.test(a):(a=g.sy(a),Object.keys(a).includes("cpn"))}; +IYa=function(a,b,c,d,e,f,h){var l={format:"RAW"},m={};if(vy(a)&&wy()){if(h){var n;2!==(null==(n=HYa.uaChPolyfill)?void 0:n.state.type)?h=null:(h=HYa.uaChPolyfill.state.data.values,h={"Synth-Sec-CH-UA-Arch":h.architecture,"Synth-Sec-CH-UA-Model":h.model,"Synth-Sec-CH-UA-Platform":h.platform,"Synth-Sec-CH-UA-Platform-Version":h.platformVersion,"Synth-Sec-CH-UA-Full-Version":h.uaFullVersion});m=Object.assign(m,h);l.withCredentials=!0}(h=g.ey("EOM_VISITOR_DATA"))?m["X-Goog-EOM-Visitor-Id"]=h:d?m["X-Goog-Visitor-Id"]= +d:g.ey("VISITOR_DATA")&&(m["X-Goog-Visitor-Id"]=g.ey("VISITOR_DATA"));c&&(m["X-Goog-PageId"]=c);d=b.authUser;b.K("move_vss_away_from_login_info_cookie")&&d&&(m["X-Goog-AuthUser"]=d,m["X-Yt-Auth-Test"]="test");e&&(m.Authorization="Bearer "+e);h||m["X-Goog-Visitor-Id"]||e||c||b.K("move_vss_away_from_login_info_cookie")&&d?l.withCredentials=!0:b.K("html5_send_cpn_with_options")&&FYa.test(a)&&(l.withCredentials=!0)}0a.B.NV+100&&a.B){var d=a.B,e=d.isAd;c=1E3*c-d.NV;a.ya=1E3*b-d.M8-c-d.B8;c=(0,g.M)()-c;b=a.ya;d=a.provider.videoData;var f=d.isAd();if(e||f){f=(e?"ad":"video")+"_to_"+(f?"ad":"video");var h={};d.T&&(h.cttAuthInfo={token:d.T,videoId:d.videoId});h.startTime=c-b;cF(f,h);bF({targetVideoId:d.videoId,targetCpn:d.clientPlaybackNonce},f);eF("pbs",c,f)}else c=a.provider.va.Oh(),c.I!==d.clientPlaybackNonce? +(c.D=d.clientPlaybackNonce,c.u=b):g.DD(new g.bA("CSI timing logged before gllat",{cpn:d.clientPlaybackNonce}));a.xa("gllat",{l:a.ya.toFixed(),prev_ad:+e});delete a.B}}; +OYa=function(a,b){b=void 0===b?NaN:b;b=0<=b?b:g.uW(a.provider);var c=a.provider.va.eC(),d=c.Zq-(a.Ga||0);0a.j)&&2=e&&(a.va.xa("ytnerror",{issue:28799967,value:""+e}),e=(new Date).getTime()+2);return e},a.Y.K("html5_validate_yt_now")),c=b(); +a.j=function(){return Math.round(b()-c)/1E3}; +a.va.cO()}return a.j}; +nZa=function(a){var b=a.va.bq()||{};b.fs=a.va.wC();b.volume=a.va.getVolume();b.muted=a.va.isMuted()?1:0;b.mos=b.muted;b.inview=a.va.TB();b.size=a.va.HB();b.clipid=a.va.wy();var c=Object,d=c.assign;a=a.videoData;var e={};a.u&&(e.fmt=a.u.itag,a.I&&a.I.itag!=a.u.itag&&(e.afmt=a.I.itag));e.ei=a.eventId;e.list=a.playlistId;e.cpn=a.clientPlaybackNonce;a.videoId&&(e.v=a.videoId);a.Xk&&(e.infringe=1);TM(a)&&(e.splay=1);var f=CM(a);f&&(e.live=f);a.kp&&(e.sautoplay=1);a.Xl&&(e.autoplay=1);a.Bx&&(e.sdetail= +a.Bx);a.Ga&&(e.partnerid=a.Ga);a.osid&&(e.osid=a.osid);a.Rw&&(e.cc=a.Rw.vssId);return d.call(c,b,e)}; +MYa=function(a){if(navigator.connection&&navigator.connection.type)return uZa[navigator.connection.type]||uZa.other;if(g.tK(a.Y)){a=navigator.userAgent;if(/[Ww]ireless[)]/.test(a))return 3;if(/[Ww]ired[)]/.test(a))return 1}return 0}; +QY=function(a){var b=new rZa,c;b.D=(null==(c=nZa(a).cc)?void 0:c.toString())||"-";b.playbackRate=a.va.getPlaybackRate();c=a.va.getVisibilityState();0!==c&&(b.visibilityState=c);a.Y.Ld&&(b.u=1);b.B=a.videoData.Yv;c=a.va.getAudioTrack();c.Jc&&c.Jc.id&&"und"!==c.Jc.id&&(b.C=c.Jc.id);b.connectionType=MYa(a);b.volume=a.va.getVolume();b.muted=a.va.isMuted();b.clipId=a.va.wy()||"-";b.j=a.videoData.AQ||"-";return b}; +g.ZY=function(a){g.C.call(this);this.provider=a;this.qoe=this.j=null;this.Ci=void 0;this.u=new Map;this.provider.videoData.De()&&!this.provider.videoData.ol&&(this.j=new TY(this.provider),g.E(this,this.j),this.qoe=new g.NY(this.provider),g.E(this,this.qoe),this.provider.videoData.enableServerStitchedDai&&(this.Ci=this.provider.videoData.clientPlaybackNonce)&&this.u.set(this.Ci,this.j));this.B=new LY(this.provider);g.E(this,this.B)}; +vZa=function(a){DYa(a.B);a.qoe&&WYa(a.qoe)}; +wZa=function(a){if(a.provider.videoData.enableServerStitchedDai&&a.Ci){var b;null!=(b=a.u.get(a.Ci))&&RY(b.j)}else a.j&&RY(a.j.j)}; +xZa=function(a){a.B.send();if(a.qoe){var b=a.qoe;if(b.D){"PL"===b.Te&&(b.Te="N");var c=g.uW(b.provider);g.MY(b,c,"vps",[b.Te]);b.I||(0<=b.u&&(b.j.user_intent=[b.u.toString()]),b.I=!0);b.provider.Y.Rd()&&b.xa("finalized",{});b.oa=!0;b.reportStats(c)}}if(a.provider.videoData.enableServerStitchedDai)for(b=g.t(a.u.values()),c=b.next();!c.done;c=b.next())pZa(c.value);else a.j&&pZa(a.j);a.dispose()}; +yZa=function(a,b){a.j&&qZa(a.j,b)}; +zZa=function(a){if(!a.j)return null;var b=UY(a.j,"atr");return function(c){a.j&&qZa(a.j,c,b)}}; +AZa=function(a,b,c,d){c.adFormat=c.Hf;var e=b.va;b=new TY(new sZa(c,b.Y,{getDuration:function(){return c.lengthSeconds}, +getCurrentTime:function(){return e.getCurrentTime()}, +xk:function(){return e.xk()}, +eC:function(){return e.eC()}, +getPlayerSize:function(){return e.getPlayerSize()}, +getAudioTrack:function(){return c.getAudioTrack()}, +getPlaybackRate:function(){return e.getPlaybackRate()}, +hC:function(){return e.hC()}, +getVisibilityState:function(){return e.getVisibilityState()}, +Oh:function(){return e.Oh()}, +bq:function(){return e.bq()}, +getVolume:function(){return e.getVolume()}, +isMuted:function(){return e.isMuted()}, +wC:function(){return e.wC()}, +wy:function(){return e.wy()}, +TB:function(){return e.TB()}, +HB:function(){return e.HB()}, +cO:function(){e.cO()}, +YC:function(){e.YC()}, +xa:function(f,h){e.xa(f,h)}})); +b.B=d;g.E(a,b);return b}; +BZa=function(){this.Au=0;this.B=this.Ot=this.Zq=this.u=NaN;this.j={};this.bandwidthEstimate=NaN}; +CZa=function(){this.j=g.YD;this.array=[]}; +EZa=function(a,b,c){var d=[];for(b=DZa(a,b);bc)break}return d}; +FZa=function(a,b){var c=[];a=g.t(a.array);for(var d=a.next();!d.done&&!(d=d.value,d.contains(b)&&c.push(d),d.start>b);d=a.next());return c}; +GZa=function(a){return a.array.slice(DZa(a,0x7ffffffffffff),a.array.length)}; +DZa=function(a,b){a=Kb(a.array,function(c){return b-c.start||1}); +return 0>a?-(a+1):a}; +HZa=function(a,b){var c=NaN;a=g.t(a.array);for(var d=a.next();!d.done;d=a.next())if(d=d.value,d.contains(b)&&(isNaN(c)||d.endb&&(isNaN(c)||d.starta.mediaTime+a.C&&b(d||!a.B?1500:400);a.mediaTime=b;a.u=c;return!1}; +LZa=function(a,b){this.videoData=a;this.j=b}; +MZa=function(a,b,c){return Hza(b,c).then(function(){return Oy(new LZa(b,b.C))},function(d){d instanceof Error&&g.DD(d); +var e=dI('video/mp4; codecs="avc1.42001E, mp4a.40.2"'),f=fI('audio/mp4; codecs="mp4a.40.2"'),h=e||f,l=b.isLivePlayback&&!g.vJ(a.D,!0);d="fmt.noneavailable";l?d="html5.unsupportedlive":h||(d="html5.missingapi");h=l||!h?2:1;e={buildRej:"1",a:b.Yu(),d:!!b.tb,drm:b.Pl(),f18:0<=b.Jf.indexOf("itag=18"),c18:e};b.j&&(b.Pl()?(e.f142=!!b.j.j["142"],e.f149=!!b.j.j["149"],e.f279=!!b.j.j["279"]):(e.f133=!!b.j.j["133"],e.f140=!!b.j.j["140"],e.f242=!!b.j.j["242"]),e.cAAC=f,e.cAVC=fI('video/mp4; codecs="avc1.42001E"'), +e.cVP9=fI('video/webm; codecs="vp9"'));b.J&&(e.drmsys=b.J.keySystem,f=0,b.J.j&&(f=Object.keys(b.J.j).length),e.drmst=f);return new PK(d,e,h)})}; +NZa=function(a){this.D=a;this.B=this.u=0;this.C=new CS(50)}; +cZ=function(a,b,c){g.dE.call(this);this.videoData=a;this.experiments=b;this.T=c;this.u=[];this.C=0;this.B=!0;this.D=!1;this.I=0;c=new OZa;"ULTRALOW"===a.latencyClass&&(c.C=!1);a.Xb?c.u=3:g.GM(a)&&(c.u=2);"NORMAL"===a.latencyClass&&(c.T=!0);var d=zza(a);c.D=2===d||-1===d;c.D&&(c.Z++,21530001===yM(a)&&(c.I=g.gJ(b,"html5_jumbo_ull_nonstreaming_mffa_ms")||NaN));if(Wy("trident/")||Wy("edge/"))c.B=Math.max(c.B,g.gJ(b,"html5_platform_minimum_readahead_seconds")||3);g.gJ(b,"html5_minimum_readahead_seconds")&& +(c.B=g.gJ(b,"html5_minimum_readahead_seconds"));g.gJ(b,"html5_maximum_readahead_seconds")&&(c.ea=g.gJ(b,"html5_maximum_readahead_seconds"));b.ob("html5_force_adaptive_readahead")&&(c.C=!0);switch(yM(a)){case 21530001:c.j=(c.j+1)/5,"LOW"===a.latencyClass&&(c.j*=2),c.J=b.ob("html5_live_smoothly_extend_max_seekable_time")}this.policy=c;this.J=1!==this.policy.u;b=isNaN(a.liveChunkReadahead)?3:a.liveChunkReadahead;a.Xb&&b--;this.experiments.ob("html5_disable_extra_readahead_normal_latency_live_stream")|| +a.isLowLatencyLiveStream&&"NORMAL"!==a.latencyClass||b++;switch(yM(a)){case 21530001:b=1;break;case 2153E4:b=2}this.policy.D&&b++;this.j=PZa(this,b)}; +QZa=function(a,b){var c=a.j;(void 0===b?0:b)&&a.policy.J&&3===zza(a.videoData)&&--c;return dZ(a)*c}; +eZ=function(a,b){var c=a.Wp(),d=a.policy.j;a.D||(d=Math.max(d-1,0));a=d*dZ(a);return b>=c-a}; +RZa=function(a,b,c){b=eZ(a,b);c||b?b&&(a.B=!0):a.B=!1;a.J=2===a.policy.u||3===a.policy.u&&a.B}; +SZa=function(a,b){b=eZ(a,b);a.D!==b&&a.ma("livestatusshift",b);a.D=b}; +dZ=function(a){return a.videoData.j?OI(a.videoData.j)||5:5}; +PZa=function(a,b){b=Math.max(Math.max(a.policy.Z,Math.ceil(a.policy.B/dZ(a))),b);return Math.min(Math.min(8,Math.floor(a.policy.ea/dZ(a))),b)}; +OZa=function(){this.Z=1;this.B=0;this.ea=Infinity;this.C=!0;this.j=2;this.u=1;this.D=!1;this.I=NaN;this.J=this.T=!1}; +hZ=function(a){g.C.call(this);this.va=a;this.Y=this.va.V();this.C=this.j=0;this.B=new g.Ip(this.gf,1E3,this);this.Ja=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_seek_timeout_delay_ms")});this.T=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_long_rebuffer_threshold_ms")});this.La=gZ(this,"html5_seek_set_cmt");this.Z=gZ(this,"html5_seek_jiggle_cmt");this.Ga=gZ(this,"html5_seek_new_elem");this.fb=gZ(this,"html5_unreported_seek_reseek");this.I=gZ(this,"html5_long_rebuffer_jiggle_cmt");this.J=new fZ({delayMs:2E4}); +this.ya=gZ(this,"html5_seek_new_elem_shorts");this.Aa=gZ(this,"html5_seek_new_elem_shorts_vrs");this.oa=gZ(this,"html5_seek_new_elem_shorts_buffer_range");this.D=gZ(this,"html5_ads_preroll_lock_timeout");this.Qa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_report_slow_ads_as_error")});this.Xa=new fZ({delayMs:g.gJ(this.Y.experiments,"html5_skip_slow_ad_delay_ms")||5E3,gy:!this.Y.K("html5_skip_slow_buffering_ad")});this.Ya=new fZ({delayMs:g.gJ(this.Y.experiments, +"html5_slow_start_timeout_delay_ms")});this.ea=gZ(this,"html5_slow_start_no_media_source");this.u={};g.E(this,this.B)}; +gZ=function(a,b){var c=g.gJ(a.Y.experiments,b+"_delay_ms");a=a.Y.K(b+"_cfl");return new fZ({delayMs:c,gy:a})}; +iZ=function(a,b,c,d,e,f,h,l){TZa(b,c)?(a.Kd(e,b,h),b.gy||f()):(b.QH&&b.u&&!b.C?(c=(0,g.M)(),d?b.j||(b.j=c):b.j=0,f=!d&&c-b.u>b.QH,c=b.j&&c-b.j>b.KO||f?b.C=!0:!1):c=!1,c&&(l=Object.assign({},a.lc(b),l),l.wn=h,l.we=e,l.wsuc=d,a.va.xa("workaroundReport",l),d&&(b.reset(),a.u[e]=!1)))}; +fZ=function(a){var b=void 0===a?{}:a;a=void 0===b.delayMs?0:b.delayMs;var c=void 0===b.KO?1E3:b.KO,d=void 0===b.QH?3E4:b.QH;b=void 0===b.gy?!1:b.gy;this.j=this.u=this.B=this.startTimestamp=0;this.C=!1;this.D=Math.ceil(a/1E3);this.KO=c;this.QH=d;this.gy=b}; +TZa=function(a,b){if(!a.D||a.u)return!1;if(!b)return a.reset(),!1;b=(0,g.M)();if(!a.startTimestamp)a.startTimestamp=b,a.B=0;else if(a.B>=a.D)return a.u=b,!0;a.B+=1;return!1}; +XZa=function(a){g.C.call(this);var b=this;this.va=a;this.Y=this.va.V();this.videoData=this.va.getVideoData();this.policy=new UZa(this.Y);this.Z=new hZ(this.va);this.playbackData=null;this.Qa=new g.bI;this.I=this.j=this.Fa=this.mediaElement=null;this.u=NaN;this.C=0;this.Aa=NaN;this.B=null;this.Ga=NaN;this.D=this.J=null;this.ea=this.T=!1;this.ya=new g.Ip(function(){VZa(b,!1)},2E3); +this.ib=new g.Ip(function(){jZ(b)}); +this.La=new g.Ip(function(){b.T=!0;WZa(b,{})}); +this.timestampOffset=0;this.Xa=!0;this.Ja=0;this.fb=NaN;this.oa=new g.Ip(function(){var c=b.Y.vf;c.j+=1E4/36E5;c.j-c.B>1/6&&(oxa(c),c.B=c.j);b.oa.start()},1E4); +this.Ya=this.kb=!1;g.E(this,this.Z);g.E(this,this.Qa);g.E(this,this.ya);g.E(this,this.La);g.E(this,this.ib);g.E(this,this.oa)}; +ZZa=function(a,b){a.playbackData=b;a.videoData.isLivePlayback&&(a.I=new NZa(function(){a:{if(a.playbackData&&a.playbackData.j.j){if(jM(a.videoData)&&a.Fa){var c=a.Fa.kF.bj()||0;break a}if(a.videoData.j){c=a.videoData.j.Z;break a}}c=0}return c}),a.j=new cZ(a.videoData,a.Y.experiments,function(){return a.pe(!0)})); +YZa(a)||(a.C=a.C||a.videoData.startSeconds||0)}; +a_a=function(a,b){(a.Fa=b)?$Za(a,!0):kZ(a)}; +b_a=function(a,b){var c=a.getCurrentTime(),d=a.isAtLiveHead(c);if(a.I&&d){var e=a.I;if(e.j&&!(c>=e.u&&ce.C||3E3>g.Ra()-e.I||(e.I=g.Ra(),e.u.push(f),50=a.pe()-.1){a.u=a.pe();a.B.resolve(a.pe()); +vW(a.va);return}try{var c=a.u-a.timestampOffset;a.mediaElement.seekTo(c);a.Z.j=c;a.Ga=c;a.C=a.u}catch(d){}}}}; +h_a=function(a){if(!a.mediaElement||0===a.mediaElement.xj()||0a.pe()||dMath.random())try{g.DD(new g.bA("b/152131571",btoa(f)))}catch(T){}return x.return(Promise.reject(new PK(r,{backend:"gvi"},v)))}})}; +u_a=function(a,b){function c(B){if(!a.isDisposed()){B=B?B.status:-1;var F=0,G=((0,g.M)()-p).toFixed();G=e.K("html5_use_network_error_code_enums")?{backend:"gvi",rc:B,rt:G}:{backend:"gvi",rc:""+B,rt:G};var D="manifest.net.connect";429===B?(D="auth",F=2):200r.j&&3!==r.provider.va.getVisibilityState()&& +DYa(r);q.qoe&&(q=q.qoe,q.Ja&&0>q.u&&q.provider.Y.Hf&&WYa(q));p.Fa&&nZ(p);p.Y.Wn&&!p.videoData.backgroundable&&p.mediaElement&&!p.wh()&&(p.isBackground()&&p.mediaElement.QE()?(p.xa("bgmobile",{suspend:1}),p.Dn(!0,!0)):p.isBackground()||oZ(p)&&p.xa("bgmobile",{resume:1}));p.K("html5_log_tv_visibility_playerstate")&&g.tK(p.Y)&&p.xa("vischg",{vis:p.getVisibilityState(),ps:p.playerState.state.toString(16)})}; +this.Ne={ep:function(q){p.ep(q)}, +t8a:function(q){p.oe=q}, +n7a:function(){return p.zc}}; +this.Xi=new $Y(function(){return p.getCurrentTime()},function(){return p.getPlaybackRate()},function(){return p.getPlayerState()},function(q,r){q!==g.ZD("endcr")||g.S(p.playerState,32)||vW(p); +e(q,r,p.playerType)}); +g.E(this,this.Xi);g.E(this,this.xd);z_a(this,m);this.videoData.subscribe("dataupdated",this.S7,this);this.videoData.subscribe("dataloaded",this.PK,this);this.videoData.subscribe("dataloaderror",this.handleError,this);this.videoData.subscribe("ctmp",this.xa,this);this.videoData.subscribe("ctmpstr",this.IO,this);!this.zc||this.zc.isDisposed();this.zc=new g.ZY(new sZa(this.videoData,this.Y,this));jRa(this.Bg);this.visibility.subscribe("visibilitystatechange",this.Bg)}; +zI=function(a){return a.K("html5_not_reset_media_source")&&!a.Pl()&&!a.videoData.isLivePlayback&&g.QM(a.videoData)}; +z_a=function(a,b){if(2===a.playerType||a.Y.Yn)b.dV=!0;var c=$xa(b.Hf,b.uy,a.Y.C,a.Y.I);c&&(b.adFormat=c);2===a.playerType&&(b.Xl=!0);if(a.isFullscreen()||a.Y.C)c=g.Qz("yt-player-autonavstate"),b.autonavState=c||(a.Y.C?2:a.videoData.autonavState);b.endSeconds&&b.endSeconds>b.startSeconds&&A_a(a,b.endSeconds)}; +C_a=function(a){if(a.videoData.fb){var b=a.Nf.Rc();a.videoData.rA=a.videoData.rA||(null==b?void 0:b.KL());a.videoData.sA=a.videoData.sA||(null==b?void 0:b.NL())}if(Qza(a.videoData)||!$M(a.videoData))b=a.videoData.errorDetail,a.Ng(a.videoData.errorCode||"auth",2,unescape(a.videoData.errorReason),b,b,a.videoData.Gm||void 0);1===a.playerType&&qZ.isActive()&&a.BH.start();a.videoData.dj=a.getUserAudio51Preference();a.K("html5_generate_content_po_token")&&B_a(a)}; +TN=function(a){return a.mediaElement&&a.mediaElement.du()?a.mediaElement.ub():null}; +rZ=function(a){if(a.videoData.De())return!0;a.Ng("api.invalidparam",2,void 0,"invalidVideodata.1");return!1}; +g.tW=function(a,b){(b=void 0===b?!1:b)||vZa(a.zc);a.Ns=b;!rZ(a)||a.fp.Os()?g.tK(a.Y)&&a.videoData.isLivePlayback&&a.fp.Os()&&!a.fp.finished&&!a.Ns&&a.PK():(a.fp.start(),b=a.zc,g.uW(b.provider),b.qoe&&RYa(b.qoe),a.PK())}; +D_a=function(a){var b=a.videoData;x_a(a).then(void 0,function(c){a.videoData!==b||b.isDisposed()||(c=RK(c),"auth"===c.errorCode&&a.videoData.errorDetail?a.Ng(c.errorCode,2,unescape(a.videoData.errorReason),OK(c.details),a.videoData.errorDetail,a.videoData.Gm||void 0):a.handleError(c))})}; +sRa=function(a,b){a.kd=b;a.Fa&&hXa(a.Fa,new g.yY(b))}; +F_a=function(a){if(!g.S(a.playerState,128))if(a.videoData.isLoaded(),4!==a.playerType&&(a.zn=g.Bb(a.videoData.Ja)),EM(a.videoData)){a.vb.tick("bpd_s");sZ(a).then(function(){a.vb.tick("bpd_c");if(!a.isDisposed()){a.Ns&&(a.pc(MO(MO(a.playerState,512),1)),oZ(a));var c=a.videoData;c.endSeconds&&c.endSeconds>c.startSeconds&&A_a(a,c.endSeconds);a.fp.finished=!0;tZ(a,"dataloaded");a.Lq.Os()&&E_a(a);CYa(a.Ji,a.Df)}}); +a.K("html5_log_media_perf_info")&&a.xa("loudness",{v:a.videoData.Zi.toFixed(3)},!0);var b=$za(a.videoData);b&&a.xa("playerResponseExperiment",{id:b},!0);a.wK()}else tZ(a,"dataloaded")}; +sZ=function(a){uZ(a);a.Df=null;var b=MZa(a.Y,a.videoData,a.wh());a.mD=b;a.mD.then(function(c){G_a(a,c)},function(c){a.isDisposed()||(c=RK(c),a.visibility.isBackground()?(vZ(a,"vp_none_avail"),a.mD=null,a.fp.reset()):(a.fp.finished=!0,a.Ng(c.errorCode,c.severity,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",OK(c.details))))}); +return b}; +KY=function(a){sZ(a).then(function(){return oZ(a)}); +g.RO(a.playerState)&&a.playVideo()}; +G_a=function(a,b){if(!a.isDisposed()&&!b.videoData.isDisposed()){a.Df=b;ZZa(a.xd,a.Df);if(a.videoData.isLivePlayback){var c=iSa(a.Nf.Us,a.videoData.videoId)||a.Fa&&!isNaN(a.Fa.oa);c=a.K("html5_onesie_live")&&c;0$J(b.Y.vf,"sticky-lifetime")?"auto":mF[SI()]:d=mF[SI()],d=g.kF("auto",d,!1,"s");if(lF(d)){d=nYa(b,c);var e=d.compose,f;a:if((f=c.j)&&f.videoInfos.length){for(var h=g.t(f.videoInfos),l=h.next();!l.done;l=h.next()){l=l.value;var m=void 0;if(null==(m=l.j)?0:m.smooth){f=l.video.j;break a}}f=f.videoInfos[0].video.j}else f=0;hoa()&&!g.tK(b.Y)&&BF(c.j.videoInfos[0])&& +(f=Math.min(f,g.jF.large));d=e.call(d,new iF(0,f,!1,"o"));e=d.compose;f=4320;!b.Y.u||g.lK(b.Y)||b.Y.K("hls_for_vod")||b.Y.K("mweb_remove_360p_cap")||(f=g.jF.medium);(h=g.gJ(b.Y.experiments,"html5_default_quality_cap"))&&c.j.j&&!c.videoData.Ki&&!c.videoData.Pd&&(f=Math.min(f,h));h=g.gJ(b.Y.experiments,"html5_random_playback_cap");l=/[a-h]$/;h&&l.test(c.videoData.clientPlaybackNonce)&&(f=Math.min(f,h));if(l=h=g.gJ(b.Y.experiments,"html5_hfr_quality_cap"))a:{l=c.j;if(l.j)for(l=g.t(l.videoInfos),m=l.next();!m.done;m= +l.next())if(32h&&0!==h&&b.j===h)){var l;f=pYa(c,null==(l=e.j)?void 0:l.videoInfos);l=c.va.getPlaybackRate();1b.j&&"b"===b.reason;d=a.ue.ib&&!tI();c||e||b||d?wY(a.va, +{reattachOnConstraint:c?"u":e?"drm":d?"codec":"perf"}):xY(a)}}}; +N_a=function(a){var b;return!!(a.K("html5_native_audio_track_switching")&&g.BA&&(null==(b=a.videoData.u)?0:LH(b)))}; +O_a=function(a){if(!N_a(a))return!1;var b;a=null==(b=a.mediaElement)?void 0:b.audioTracks();return!!(a&&1n&&(n+=l.j);for(var p=0;pa.Wa.getDuration()&&a.Wa.Sk(d)):a.Wa.Sk(e);var f=a.Fa,h=a.Wa;f.policy.oa&&(f.policy.Aa&&f.xa("loader",{setsmb:0}),f.vk(),f.policy.oa=!1);YWa(f);if(!AI(h)){var l=gX(f.videoTrack),m=gX(f.audioTrack),n=(l?l.info.j:f.videoTrack.j).info,p=(m?m.info.j:f.audioTrack.j).info,q=f.policy.jl,r=n.mimeType+(void 0===q?"":q),v=p.mimeType,x=n.Lb,z=p.Lb,B,F=null==(B=h.Wa)?void 0:B.addSourceBuffer(v), +G,D="fakesb"===r.split(";")[0]?void 0:null==(G=h.Wa)?void 0:G.addSourceBuffer(r);h.Dg&&(h.Dg.webkitSourceAddId("0",v),h.Dg.webkitSourceAddId("1",r));var L=new sI(F,h.Dg,"0",GH(v),z,!1),P=new sI(D,h.Dg,"1",GH(r),x,!0);Fva(h,L,P)}QX(f.videoTrack,h.u||null);QX(f.audioTrack,h.j||null);f.Wa=h;f.Wa.C=!0;f.resume();g.eE(h.j,f.Ga,f);g.eE(h.u,f.Ga,f);try{f.gf()}catch(T){g.CD(T)}a.ma("mediasourceattached")}}catch(T){g.DD(T),a.handleError(new PK("fmt.unplayable",{msi:"1",ename:T.name},1))}} +U_a(a);a.Wa=b;zI(a)&&"open"===BI(a.Wa)?c(a.Wa):Eva(a.Wa,c)}; +U_a=function(a){if(a.Fa){var b=a.getCurrentTime()-a.Jd();a.K("html5_skip_loader_media_source_seek")&&a.Fa.getCurrentTime()===b||a.Fa.seek(b,{}).Zj(function(){})}else H_a(a)}; +IY=function(a,b){b=void 0===b?!1:b;var c,d,e;return g.A(function(f){if(1==f.j){a.Fa&&a.Fa.Xu();a.Fa&&a.Fa.isDisposed()&&uZ(a);if(a.K("html5_enable_vp9_fairplay")&&a.Pl()&&null!=(c=a.videoData.j)){var h=c,l;for(l in h.j)h.j.hasOwnProperty(l)&&(h.j[l].j=null,h.j[l].C=!1)}a.pc(MO(a.playerState,2048));a.ma("newelementrequired");return b?g.y(f,sZ(a),2):f.Ka(2)}a.videoData.fd()&&(null==(d=a.Fa)?0:d.oa)&&(e=a.isAtLiveHead())&&hM(a.videoData)&&a.seekTo(Infinity,{Je:"videoPlayer_getNewElement"});g.S(a.playerState, +8)&&a.playVideo();g.oa(f)})}; +eRa=function(a,b){a.xa("newelem",{r:b});IY(a)}; +V_a=function(a){a.vb.C.EN();g.S(a.playerState,32)||(a.pc(MO(a.playerState,32)),g.S(a.playerState,8)&&a.pauseVideo(!0),a.ma("beginseeking",a));a.yc()}; +CRa=function(a){g.S(a.playerState,32)?(a.pc(OO(a.playerState,16,32)),a.ma("endseeking",a)):g.S(a.playerState,2)||a.pc(MO(a.playerState,16));a.vb.C.JN(a.videoData,g.QO(a.playerState))}; +tZ=function(a,b){a.ma("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; +W_a=function(a){for(var b=g.t("loadstart loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" ")),c=b.next();!c.done;c=b.next())a.oA.S(a.mediaElement,c.value,a.iO,a);a.Y.ql&&a.mediaElement.du()&&(a.oA.S(a.mediaElement,"webkitplaybacktargetavailabilitychanged",a.q5,a),a.oA.S(a.mediaElement,"webkitcurrentplaybacktargetiswirelesschanged",a.r5,a))}; +Y_a=function(a){window.clearInterval(a.rH);X_a(a)||(a.rH=g.Dy(function(){return X_a(a)},100))}; +X_a=function(a){var b=a.mediaElement;b&&a.WG&&!a.videoData.kb&&!aF("vfp",a.vb.timerName)&&2<=b.xj()&&!b.Qh()&&0b.j&&(b.j=c,b.delay.start());b.u=c;b.C=c;g.Jp(a.yK);a.ma("playbackstarted");g.jA()&&((a=g.Ga("yt.scheduler.instance.clearPriorityThreshold"))?a():kA(0))}; +Z_a=function(a){var b=a.getCurrentTime(),c=a.Nf.Hd();!aF("pbs",a.vb.timerName)&&xE.measure&&xE.getEntriesByName&&(xE.getEntriesByName("mark_nr")[0]?Fta("mark_nr"):Fta());c.videoId&&a.vb.info("docid",c.videoId);c.eventId&&a.vb.info("ei",c.eventId);c.clientPlaybackNonce&&!a.K("web_player_early_cpn")&&a.vb.info("cpn",c.clientPlaybackNonce);0a.fV+6283){if(!(!a.isAtLiveHead()||a.videoData.j&&LI(a.videoData.j))){var b=a.zc;if(b.qoe){b=b.qoe;var c=b.provider.va.eC(),d=g.uW(b.provider);NYa(b,d,c);c=c.B;isNaN(c)||g.MY(b,d,"e2el",[c.toFixed(3)])}}g.FK(a.Y)&&a.xa("rawlat",{l:FS(a.xP,"rawlivelatency").toFixed(3)});a.fV=Date.now()}a.videoData.u&&LH(a.videoData.u)&&(b=TN(a))&&b.videoHeight!==a.WM&&(a.WM=b.videoHeight,K_a(a,"a",M_a(a,a.videoData.ib)))}; +M_a=function(a,b){if("auto"===b.j.video.quality&&LH(b.rh())&&a.videoData.Nd)for(var c=g.t(a.videoData.Nd),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.WM&&"auto"!==d.j.video.quality)return d.rh();return b.rh()}; +y_a=function(a){if(!hM(a.videoData))return NaN;var b=0;a.Fa&&a.videoData.j&&(b=jM(a.videoData)?a.Fa.kF.bj()||0:a.videoData.j.Z);return Date.now()/1E3-a.Pf()-b}; +c0a=function(a){a.mediaElement&&a.mediaElement.wh()&&(a.AG=(0,g.M)());a.Y.po?g.Cy(function(){b0a(a)},0):b0a(a)}; +b0a=function(a){var b;if(null==(b=a.Wa)||!b.Ol()){if(a.mediaElement)try{a.qH=a.mediaElement.playVideo()}catch(d){vZ(a,"err."+d)}if(a.qH){var c=a.qH;c.then(void 0,function(d){if(!(g.S(a.playerState,4)||g.S(a.playerState,256)||a.qH!==c||d&&"AbortError"===d.name&&d.message&&d.message.includes("load"))){var e="promise";d&&d.name&&(e+=";m."+d.name);vZ(a,e);a.DS=!0;a.videoData.aJ=!0}})}}}; +vZ=function(a,b){g.S(a.playerState,128)||(a.pc(OO(a.playerState,1028,9)),a.xa("dompaused",{r:b}),a.ma("onAutoplayBlocked"))}; +oZ=function(a){if(!a.mediaElement||!a.videoData.C)return!1;var b,c=null;if(null==(b=a.videoData.C)?0:b.j){c=T_a(a);var d;null==(d=a.Fa)||d.resume()}else uZ(a),a.videoData.ib&&(c=a.videoData.ib.QA());b=c;d=a.mediaElement.QE();c=!1;d&&d.equals(b)||(d0a(a,b),c=!0);g.S(a.playerState,2)||(b=a.xd,b.D||!(0=c&&b<=d}; +J0a=function(a){if(!(g.S(a.zb.getPlayerState(),64)&&a.Hd().isLivePlayback&&5E3>a.Bb.startTimeMs)){if("repeatChapter"===a.Bb.type){var b,c=null==(b=XJa(a.wb()))?void 0:b.MB(),d;b=null==(d=a.getVideoData())?void 0:d.Pk;c instanceof g.eU&&b&&(d=b[HU(b,a.Bb.startTimeMs)],c.FD(0,d.title));isNaN(Number(a.Bb.loopCount))?a.Bb.loopCount=0:a.Bb.loopCount++;1===a.Bb.loopCount&&a.F.Na("innertubeCommand",a.getVideoData().C1)}a.zb.seekTo(.001*a.Bb.startTimeMs,{Je:"application_loopRangeStart"})}}; +q0a=function(a,b){var c=a.Ta.getAvailablePlaybackRates();b=Number(b.toFixed(2));a=c[0];c=c[c.length-1];b<=a?b=a:b>=c?b=c:(a=Math.floor(100*b+.001)%5,b=0===a?b:Math.floor(100*(b-.01*a)+.001)/100);return b}; +QZ=function(a,b,c){if(a.mf(c)){c=c.getVideoData();if(PZ(a))c=b;else{a=a.kd;for(var d=g.t(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Nc===e.Nc){b+=e.Ec/1E3;break}d=b;a=g.t(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Nc===e.Nc)break;var f=e.Ec/1E3;if(fd?e=!0:1=b?b:0;this.j=a=l?function(){return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:h})}:function(m,n){var p=t3a(m,c,d,function(q){var r=n(q),v=q.slotId; +q=l3a(h);v=ND(e.eb.get(),"LAYOUT_TYPE_SURVEY",v);var x={layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",bb:"core"},z=new B0(e.j,d),B=new H0(e.j,v),F=new I0(e.j,v),G=new u3a(e.j);return{layoutId:v,layoutType:"LAYOUT_TYPE_SURVEY",Rb:new Map,layoutExitNormalTriggers:[z,G],layoutExitSkipTriggers:[B],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[F],Sc:[],bb:"core",Ba:new YZ([new z1a(h),new t_(b),new W_(l/1E3),new Z_(q)]),Ac:r(x),adLayoutLoggingData:h.adLayoutLoggingData}}); +m=r3a(a,c,p.slotId,d,e,m,n);return m instanceof N?m:[p].concat(g.u(m))}}; +E3a=function(a,b,c,d,e,f){var h=[];try{var l=[];if(c.renderer.linearAdSequenceRenderer)var m=function(x){x=w3a(x.slotId,c,b,e(x),d,f);l=x.o9;return x.F2}; +else if(c.renderer.instreamVideoAdRenderer)m=function(x){var z=x.slotId;x=e(x);var B=c.config.adPlacementConfig,F=x3a(B),G=F.sT;F=F.vT;var D=c.renderer.instreamVideoAdRenderer,L;if(null==D?0:null==(L=D.playerOverlay)?0:L.instreamSurveyAdRenderer)throw new TypeError("Survey overlay should not be set on single video.");var P=y3a(D);L=Math.min(G+1E3*P.videoLengthSeconds,F);F=new lN(0,[P.videoLengthSeconds],L);var T=P.videoLengthSeconds,fa=P.playerVars,V=P.instreamAdPlayerOverlayRenderer,Q=P.adVideoId, +X=z3a(c),O=P.Rb;P=P.sS;var la=null==D?void 0:D.adLayoutLoggingData;D=null==D?void 0:D.sodarExtensionData;z=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA",z);var qa={layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",bb:"core"};return{layoutId:z,layoutType:"LAYOUT_TYPE_MEDIA",Rb:O,layoutExitNormalTriggers:[new A3a(b.j)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new z_(d),new J_(T),new K_(fa),new N_(G),new O_(L),V&&new A_(V),new t_(B),new y_(Q), +new u_(F),new S_(X),D&&new M_(D),new G_({current:null}),new Q_({}),new a0(P)].filter(B3a)),Ac:x(qa),adLayoutLoggingData:la}}; +else throw new TypeError("Expected valid AdPlacementRenderer for DAI");var n=C3a(a,d,c.adSlotLoggingData,m);h.push(n);for(var p=g.t(l),q=p.next();!q.done;q=p.next()){var r=q.value,v=r(a,e);if(v instanceof N)return v;h.push.apply(h,g.u(v))}}catch(x){return new N(x,{errorMessage:x.message,AdPlacementRenderer:c,numberOfSurveyRenderers:D3a(c)})}return h}; +D3a=function(a){a=(a.renderer.linearAdSequenceRenderer||{}).linearAds;return null!=a&&a.length?a.filter(function(b){var c,d;return null!=(null==(c=g.K(b,FP))?void 0:null==(d=c.playerOverlay)?void 0:d.instreamSurveyAdRenderer)}).length:0}; +w3a=function(a,b,c,d,e,f){var h=b.config.adPlacementConfig,l=x3a(h),m=l.sT,n=l.vT;l=(b.renderer.linearAdSequenceRenderer||{}).linearAds;if(null==l||!l.length)throw new TypeError("Expected linear ads");var p=[],q={ZX:m,aY:0,l9:p};l=l.map(function(v){return F3a(a,v,q,c,d,h,e,n)}).map(function(v,x){x=new lN(x,p,n); +return v(x)}); +var r=l.map(function(v){return v.G2}); +return{F2:G3a(c,a,m,r,h,z3a(b),d,n,f),o9:l.map(function(v){return v.n9})}}; +F3a=function(a,b,c,d,e,f,h,l){var m=y3a(g.K(b,FP)),n=c.ZX,p=c.aY,q=Math.min(n+1E3*m.videoLengthSeconds,l);c.ZX=q;c.aY++;c.l9.push(m.videoLengthSeconds);var r,v,x=null==(r=g.K(b,FP))?void 0:null==(v=r.playerOverlay)?void 0:v.instreamSurveyAdRenderer;if("nPpU29QrbiU"===m.adVideoId&&null==x)throw new TypeError("Survey slate media has no survey overlay");return function(z){var B=m.playerVars;2<=z.u&&(B.slot_pos=z.j);B.autoplay="1";var F,G;B=m.videoLengthSeconds;var D=m.playerVars,L=m.Rb,P=m.sS,T=m.instreamAdPlayerOverlayRenderer, +fa=m.adVideoId,V=null==(F=g.K(b,FP))?void 0:F.adLayoutLoggingData;F=null==(G=g.K(b,FP))?void 0:G.sodarExtensionData;G=ND(d.eb.get(),"LAYOUT_TYPE_MEDIA",a);var Q={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};z={layoutId:G,layoutType:"LAYOUT_TYPE_MEDIA",Rb:L,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new z_(h),new J_(B),new K_(D),new N_(n),new O_(q),new P_(p),new G_({current:null}), +T&&new A_(T),new t_(f),new y_(fa),new u_(z),F&&new M_(F),x&&new H1a(x),new Q_({}),new a0(P)].filter(B3a)),Ac:e(Q),adLayoutLoggingData:V};B=v3a(g.K(b,FP),f,h,z.layoutId,d);return{G2:z,n9:B}}}; +y3a=function(a){if(!a)throw new TypeError("Expected instream video ad renderer");if(!a.playerVars)throw new TypeError("Expected player vars in url encoded string");var b=qy(a.playerVars),c=Number(b.length_seconds);if(isNaN(c))throw new TypeError("Expected valid length seconds in player vars");var d=Number(a.trimmedMaxNonSkippableAdDurationMs);c=isNaN(d)?c:Math.min(c,d/1E3);d=a.playerOverlay||{};d=void 0===d.instreamAdPlayerOverlayRenderer?null:d.instreamAdPlayerOverlayRenderer;var e=b.video_id;e|| +(e=(e=a.externalVideoId)?e:void 0);if(!e)throw new TypeError("Expected valid video id in IVAR");return{playerVars:b,videoLengthSeconds:c,instreamAdPlayerOverlayRenderer:d,adVideoId:e,Rb:a.pings?oN(a.pings):new Map,sS:nN(a.pings)}}; +z3a=function(a){a=Number(a.driftRecoveryMs);return isNaN(a)||0>=a?null:a}; +x3a=function(a){var b=a.adTimeOffset||{};a=b.offsetEndMilliseconds;b=Number(b.offsetStartMilliseconds);if(isNaN(b))throw new TypeError("Expected valid start offset");a=Number(a);if(isNaN(a))throw new TypeError("Expected valid end offset");return{sT:b,vT:a}}; +I3a=function(a,b,c,d,e,f,h){var l=c.pings;return l?[H3a(a,f,e,function(m){var n=m.slotId;m=h(m);var p=c.adLayoutLoggingData;n=ND(b.eb.get(),"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",n);var q={layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",bb:"core"};return{layoutId:n,layoutType:"LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER",Rb:oN(l),layoutExitNormalTriggers:[new z0(b.j,f)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)]), +Ac:m(q),adLayoutLoggingData:p}})]:new N("VideoAdTrackingRenderer without VideoAdTracking pings filled.",{videoAdTrackingRenderer:c})}; +K3a=function(a,b,c,d,e,f,h,l){a=J3a(a,c,f,h,d,function(m){var n=m.slotId;m=l(m);n=ND(b.eb.get(),"LAYOUT_TYPE_FORECASTING",n);var p={layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",bb:"core"},q=new Map,r=e.impressionUrls;r&&q.set("impression",r);return{layoutId:n,layoutType:"LAYOUT_TYPE_FORECASTING",Rb:q,layoutExitNormalTriggers:[new G0(b.j,n)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new E1a(e),new t_(c)]),Ac:m(p)}}); +return a instanceof N?a:[a]}; +P3a=function(a,b,c,d,e,f,h,l){a=L3a(a,c,f,h,d,function(m,n){var p=m.slotId;m=l(m);var q=e.contentSupportedRenderer;q?q.textOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.enhancedTextOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",p),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY",e,c,m,N3a(b,n,p))):q.imageOverlayAdContentRenderer?(q=ND(b.eb.get(),"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY", +p),n=N3a(b,n,p),n.push(new O3a(b.j,q)),n=M3a(b,q,"LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY",e,c,m,n)):n=new b0("InvideoOverlayAdRenderer without appropriate sub renderer"):n=new b0("InvideoOverlayAdRenderer without contentSupportedRenderer");return n}); +return a instanceof N?a:[a]}; +S3a=function(a,b,c,d,e,f,h,l,m){var n=Number(d.durationMilliseconds);return isNaN(n)?new N("Expected valid duration for AdActionInterstitialRenderer."):function(p){return Q3a(b,p.slotId,c,n,{impressionCommands:void 0,abandonCommands:d.abandonCommands?[{commandExecutorCommand:d.abandonCommands}]:void 0,completeCommands:d.completionCommands},d.skipPings?new Map([["skip",d.skipPings]]):new Map,h(p),function(q){return R3a(a,q,e,function(r,v){var x=r.slotId;r=h(r);x=ND(b.eb.get(),"LAYOUT_TYPE_ENDCAP", +x);return n3a(b,x,v,c,r,"LAYOUT_TYPE_ENDCAP",[new C_(d),l],d.adLayoutLoggingData)})},m,f-1,d.adLayoutLoggingData,f)}}; +T3a=function(a,b,c,d){if(!c.playerVars)return new N("No playerVars available in AdIntroRenderer.");var e=qy(c.playerVars);e.autoplay="1";return function(f){var h=f.slotId;f=d(f);h=ND(a.eb.get(),"LAYOUT_TYPE_MEDIA",h);var l={layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",bb:"adapter"};return{Wj:{layoutId:h,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"adapter",Ba:new YZ([new R_({}), +new t_(b),new G_({current:null}),new K_(e)]),Ac:f(l)},Cl:[new F0(a.j,h,["error"])],Bj:[],Yx:[],Xx:[]}}}; +V3a=function(a,b,c,d,e,f,h,l,m,n){n=void 0===n?!1:n;var p=k3a(e);if(!h3a(e,n))return new N("Received invalid InstreamSurveyAdRenderer for VOD composite survey.",{InstreamSurveyAdRenderer:e});if(0>=p)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:e});var q=o3a(a,b,e,f,c,d,h);return q instanceof N?q:function(r){return U3a(b,r.slotId,c,p,l3a(e),h(r),q,l,m)}}; +W3a=function(a){if(isNaN(Number(a.timeoutSeconds))||!a.text||!a.ctaButton||!g.K(a.ctaButton,g.mM)||!a.brandImage)return!1;var b;return a.backgroundImage&&g.K(a.backgroundImage,U0)&&(null==(b=g.K(a.backgroundImage,U0))?0:b.landscape)?!0:!1}; +Y3a=function(a,b,c,d,e,f,h,l){function m(q){return R3a(a,q,d,n)} +function n(q,r){var v=q.slotId;q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",v);return n3a(b,v,r,c,q,"LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT",[new y1a(e),f],e.adLayoutLoggingData)} +if(!W3a(e))return new N("Received invalid SurveyTextInterstitialRenderer.",{SurveyTextInterstitialRenderer:e});var p=1E3*e.timeoutSeconds;return function(q){var r={impressionCommands:e.impressionCommands,completeCommands:e.timeoutCommands,skipCommands:e.dismissCommands},v=h(q);q=X3a(b,q.slotId,c,p,r,new Map,v,m);r=new E_(q.lH);v=new v_(l);return{Wj:{layoutId:q.layoutId,layoutType:q.layoutType,Rb:q.Rb,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[], +Sc:[],bb:q.bb,Ba:new YZ([].concat(g.u(q.Vx),[r,v])),Ac:q.Ac,adLayoutLoggingData:q.adLayoutLoggingData},Cl:[],Bj:q.layoutExitMuteTriggers,Yx:q.layoutExitUserInputSubmittedTriggers,Xx:q.Sc,Cg:q.Cg}}}; +$3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z){a=MD(a,"SLOT_TYPE_PLAYER_BYTES");d=L2a(b,h,d,e,a,n,p);if(d instanceof N)return d;var B;h=null==(B=ZZ(d.Ba,"metadata_type_fulfilled_layout"))?void 0:B.layoutId;if(!h)return new N("Invalid adNotify layout");b=Z3a(h,b,c,e,f,m,l,n,q,r,v,x,z);return b instanceof N?b:[d].concat(g.u(b))}; +Z3a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){c=a4a(b,c,d,f,h,l,m,n,p,q,r);b4a(f)?(d=c4a(b,a),a=MD(b.eb.get(),"SLOT_TYPE_IN_PLAYER"),f=ND(b.eb.get(),"LAYOUT_TYPE_SURVEY",a),l=d4a(b,d,l),b=[].concat(g.u(l.slotExpirationTriggers),[new E0(b.j,f)]),a=c({slotId:l.slotId,slotType:l.slotType,slotPhysicalPosition:l.slotPhysicalPosition,slotEntryTrigger:l.slotEntryTrigger,slotFulfillmentTriggers:l.slotFulfillmentTriggers,slotExpirationTriggers:b,bb:l.bb},{slotId:a,layoutId:f}),e=a instanceof N?a:{Tv:Object.assign({}, +l,{slotExpirationTriggers:b,Ba:new YZ([new T_(a.layout)]),adSlotLoggingData:e}),gg:a.gg}):e=P2a(b,a,l,e,c);return e instanceof N?e:[].concat(g.u(e.gg),[e.Tv])}; +g4a=function(a,b,c,d,e,f,h,l,m,n,p,q,r){b=a4a(a,b,c,e,f,h,m,n,p,q,r);b4a(e)?(e=e4a(a,c,h,l),e instanceof N?d=e:(l=MD(a.eb.get(),"SLOT_TYPE_IN_PLAYER"),m=ND(a.eb.get(),"LAYOUT_TYPE_SURVEY",l),h=[].concat(g.u(e.slotExpirationTriggers),[new E0(a.j,m)]),l=b({slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,bb:e.bb,slotEntryTrigger:e.slotEntryTrigger,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h},{slotId:l,layoutId:m}),l instanceof N?d=l:(a=f4a(a, +c,l.yT,e.slotEntryTrigger),d=a instanceof N?a:{Tv:{slotId:e.slotId,slotType:e.slotType,slotPhysicalPosition:e.slotPhysicalPosition,slotEntryTrigger:a,slotFulfillmentTriggers:e.slotFulfillmentTriggers,slotExpirationTriggers:h,bb:e.bb,Ba:new YZ([new T_(l.layout)]),adSlotLoggingData:d},gg:l.gg}))):d=Q2a(a,c,h,l,d,m.fd,b);return d instanceof N?d:d.gg.concat(d.Tv)}; +b4a=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(g.K(b.value,v0))return!0;return!1}; +a4a=function(a,b,c,d,e,f,h,l,m,n,p){return function(q,r){if(P0(p)&&Q0(p))a:{var v=h4a(d);if(v instanceof N)r=v;else{for(var x=0,z=[],B=[],F=[],G=[],D=[],L=[],P=new H_({current:null}),T=new x_({current:null}),fa=!1,V=[],Q=0,X=[],O=0;O=m)return new N("InstreamSurveyAdRenderer should have valid duration.",{instreamSurveyAdRenderer:c});var n=new H_({current:null}),p=o3a(a,b,c,n,d,f,h);return j4a(a,d,f,m,e,function(q,r){var v=q.slotId,x=l3a(c);q=h(q);v=ND(b.eb.get(),"LAYOUT_TYPE_MEDIA_BREAK",v);var z={layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK", +bb:"core"},B=p(v,r);ZZ(B.Ba,"metadata_type_fulfilled_layout")||GD("Could not retrieve overlay layout ID during VodMediaBreakLayout for survey creation. This should never happen.");x=[new t_(d),new X_(m),new Z_(x),n];return{M4:{layoutId:v,layoutType:"LAYOUT_TYPE_MEDIA_BREAK",Rb:new Map,layoutExitNormalTriggers:[new G0(b.j,v)],layoutExitSkipTriggers:[new H0(b.j,r.layoutId)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[new I0(b.j,r.layoutId)],Sc:[],bb:"core",Ba:new YZ(x),Ac:q(z)}, +f4:B}})}; +l4a=function(a){if(!u2a(a))return!1;var b=g.K(a.adVideoStart,EP);return b?g.K(a.linearAd,FP)&&gO(b)?!0:(GD("Invalid Sandwich with notify"),!1):!1}; +m4a=function(a){if(null==a.linearAds)return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +n4a=function(a){if(!t2a(a))return!1;a=g.K(a.adStart,EP);return a?gO(a)?!0:(GD("Invalid LASR with notify"),!1):!1}; +W0=function(a,b,c,d,e,f,h,l){this.eb=a;this.Ib=b;this.Ab=c;this.Ca=d;this.Jb=e;this.j=f;this.Dj=h;this.loadPolicy=void 0===l?1:l}; +jra=function(a,b,c,d,e,f,h,l,m){var n=[];if(0===b.length&&0===d.length)return n;b=b.filter(j2a);var p=c.filter(s2a),q=d.filter(j2a),r=new Map,v=X2a(b);if(c=c.some(function(O){var la;return"SLOT_TYPE_PLAYER_BYTES"===(null==O?void 0:null==(la=O.adSlotMetadata)?void 0:la.slotType)}))p=Z2a(p,b,l,e,v,a.Jb.get(),a.loadPolicy,r,a.Ca.get(),a.eb.get()),p instanceof N?GD(p,void 0,void 0,{contentCpn:e}):n.push.apply(n,g.u(p)); +p=g.t(b);for(var x=p.next();!x.done;x=p.next()){x=x.value;var z=o4a(a,r,x,e,f,h,c,l,v,m);z instanceof N?GD(z,void 0,void 0,{renderer:x.renderer,config:x.config.adPlacementConfig,kind:x.config.adPlacementConfig.kind,contentCpn:e,daiEnabled:h}):n.push.apply(n,g.u(z))}p4a(a.Ca.get())||(f=q4a(a,q,e,l,v,r),n.push.apply(n,g.u(f)));if(null===a.j||h&&!l.iT){var B,F,G;a=l.fd&&1===b.length&&"AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"===(null==(B=b[0].config)?void 0:null==(F=B.adPlacementConfig)?void 0:F.kind)&& +(null==(G=b[0].renderer)?void 0:G.adBreakServiceRenderer);if(!n.length&&!a){var D,L,P,T;GD("Expected slots parsed from AdPlacementRenderers for DAI",void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,"first APR kind":null==(D=b[0])?void 0:null==(L=D.config)?void 0:null==(P=L.adPlacementConfig)?void 0:P.kind,renderer:null==(T=b[0])?void 0:T.renderer})}return n}B=d.filter(j2a);n.push.apply(n,g.u(H2a(r,B,a.Ib.get(),a.j,e,c)));if(!n.length){var fa,V,Q,X;GD("Expected slots parsed from AdPlacementRenderers", +void 0,void 0,{"AdPlacementRenderer count":b.length,contentCpn:e,daiEnabled:h.toString(),"first APR kind":null==(fa=b[0])?void 0:null==(V=fa.config)?void 0:null==(Q=V.adPlacementConfig)?void 0:Q.kind,renderer:null==(X=b[0])?void 0:X.renderer})}return n}; +q4a=function(a,b,c,d,e,f){function h(r){return c_(a.Jb.get(),r)} +var l=[];b=g.t(b);for(var m=b.next();!m.done;m=b.next()){m=m.value;var n=m.renderer,p=n.sandwichedLinearAdRenderer,q=n.linearAdSequenceRenderer;p&&l4a(p)?(GD("Found AdNotify with SandwichedLinearAdRenderer"),q=g.K(p.adVideoStart,EP),p=g.K(p.linearAd,FP),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,q=M2a(null==(n=q)?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,p,c,d,h,e,a.loadPolicy,a.Ca.get(),a.Jb.get()),q instanceof N?GD(q):l.push.apply(l,g.u(q))): +q&&(!q.adLayoutMetadata&&m4a(q)||q.adLayoutMetadata&&n4a(q))&&(GD("Found AdNotify with LinearAdSequenceRenderer"),K0(f,n,m.config.adPlacementConfig.kind),n=void 0,p=Z3a(null==(n=g.K(q.adStart,EP))?void 0:n.layout.layoutId,a.Ib.get(),a.Ab.get(),m.config.adPlacementConfig,m.adSlotLoggingData,q.linearAds,t0(q.adLayoutMetadata)?q.adLayoutMetadata:void 0,c,d,h,e,a.loadPolicy,a.Ca.get()),p instanceof N?GD(p):l.push.apply(l,g.u(p)))}return l}; +o4a=function(a,b,c,d,e,f,h,l,m,n){function p(B){return c_(a.Jb.get(),B)} +var q=c.renderer,r=c.config.adPlacementConfig,v=r.kind,x=c.adSlotLoggingData,z=l.iT&&"AD_PLACEMENT_KIND_START"===v;z=f&&!z;if(null!=q.adsEngagementPanelRenderer)return L0(b,c.elementId,v,q.adsEngagementPanelRenderer.isContentVideoEngagementPanel,q.adsEngagementPanelRenderer.adVideoId,q.adsEngagementPanelRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.adsEngagementPanelRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON", +new r1a(P),F,G,P.impressionPings,T,q.adsEngagementPanelRenderer.adLayoutLoggingData,D)}),[]; +if(null!=q.actionCompanionAdRenderer){if(q.actionCompanionAdRenderer.showWithoutLinkedMediaLayout)return D2a(a.Ib.get(),a.j,a.Ab.get(),q.actionCompanionAdRenderer,r,x,d,p);L0(b,c.elementId,v,q.actionCompanionAdRenderer.isContentVideoCompanion,q.actionCompanionAdRenderer.adVideoId,q.actionCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.actionCompanionAdRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON",new o_(P), +F,G,P.impressionPings,T,q.actionCompanionAdRenderer.adLayoutLoggingData,D)})}else if(q.imageCompanionAdRenderer)L0(b,c.elementId,v,q.imageCompanionAdRenderer.isContentVideoCompanion,q.imageCompanionAdRenderer.adVideoId,q.imageCompanionAdRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.imageCompanionAdRenderer,T=c_(a.Jb.get(),B); +return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_IMAGE",new t1a(P),F,G,P.impressionPings,T,q.imageCompanionAdRenderer.adLayoutLoggingData,D)}); +else if(q.shoppingCompanionCarouselRenderer)L0(b,c.elementId,v,q.shoppingCompanionCarouselRenderer.isContentVideoCompanion,q.shoppingCompanionCarouselRenderer.adVideoId,q.shoppingCompanionCarouselRenderer.associatedCompositePlayerBytesLayoutId,r,x,function(B,F,G,D){var L=a.Ab.get(),P=q.shoppingCompanionCarouselRenderer,T=c_(a.Jb.get(),B);return X0(L,B.slotId,"LAYOUT_TYPE_COMPANION_WITH_SHOPPING",new u1a(P),F,G,P.impressionPings,T,q.shoppingCompanionCarouselRenderer.adLayoutLoggingData,D)}); +else if(q.adBreakServiceRenderer){if(!z2a(c))return[];if("AD_PLACEMENT_KIND_PAUSE"===v)return y2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d);if("AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED"!==v)return w2a(a.Ib.get(),r,x,c.renderer.adBreakServiceRenderer,d,e,f);if(!a.Dj)return new N("Received AD_PLACEMENT_KIND_CUE_POINT_TRIGGERED with no CuePointOpportunityAdapter set for interface");l.fd||GD("Received non-live cue point triggered AdBreakServiceRenderer",void 0,void 0,{kind:v,adPlacementConfig:r, +daiEnabledForContentVideo:String(f),isServedFromLiveInfra:String(l.fd),clientPlaybackNonce:l.clientPlaybackNonce});r4a(a.Dj,{adPlacementRenderer:c,contentCpn:d,bT:e})}else{if(q.clientForecastingAdRenderer)return K3a(a.Ib.get(),a.Ab.get(),r,x,q.clientForecastingAdRenderer,d,e,p);if(q.invideoOverlayAdRenderer)return P3a(a.Ib.get(),a.Ab.get(),r,x,q.invideoOverlayAdRenderer,d,e,p);if((q.linearAdSequenceRenderer||q.instreamVideoAdRenderer)&&z)return E3a(a.Ib.get(),a.Ab.get(),c,d,p,n);if(q.linearAdSequenceRenderer&& +!z){if(h&&!b4a(q.linearAdSequenceRenderer.linearAds))return[];K0(b,q,v);if(q.linearAdSequenceRenderer.adLayoutMetadata){if(!t2a(q.linearAdSequenceRenderer))return new N("Received invalid LinearAdSequenceRenderer.")}else if(null==q.linearAdSequenceRenderer.linearAds)return new N("Received invalid LinearAdSequenceRenderer.");if(g.K(q.linearAdSequenceRenderer.adStart,EP)){GD("Found AdNotify in LinearAdSequenceRenderer");b=g.K(q.linearAdSequenceRenderer.adStart,EP);if(!WBa(b))return new N("Invalid AdMessageRenderer."); +c=q.linearAdSequenceRenderer.linearAds;return $3a(a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),r,x,b,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,c,d,e,l,p,m,a.loadPolicy,a.Ca.get())}return g4a(a.Ib.get(),a.Ab.get(),r,x,q.linearAdSequenceRenderer.linearAds,t0(q.linearAdSequenceRenderer.adLayoutMetadata)?q.linearAdSequenceRenderer.adLayoutMetadata:void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get())}if(!q.remoteSlotsRenderer||f)if(!q.instreamVideoAdRenderer|| +z||h){if(q.instreamSurveyAdRenderer)return k4a(a.Ib.get(),a.Ab.get(),q.instreamSurveyAdRenderer,r,x,d,p,V0(a.Ca.get(),"supports_multi_step_on_desktop"));if(null!=q.sandwichedLinearAdRenderer)return u2a(q.sandwichedLinearAdRenderer)?g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP)?(GD("Found AdNotify in SandwichedLinearAdRenderer"),b=g.K(q.sandwichedLinearAdRenderer.adVideoStart,EP),WBa(b)?(c=g.K(q.sandwichedLinearAdRenderer.linearAd,FP))?N2a(b,c,r,a.eb.get(),a.Ib.get(),a.Ab.get(),a.Jb.get(),x,d, +e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Missing IVAR from Sandwich"):new N("Invalid AdMessageRenderer.")):g4a(a.Ib.get(),a.Ab.get(),r,x,[q.sandwichedLinearAdRenderer.adVideoStart,q.sandwichedLinearAdRenderer.linearAd],void 0,d,e,l,p,m,a.loadPolicy,a.Ca.get()):new N("Received invalid SandwichedLinearAdRenderer.");if(null!=q.videoAdTrackingRenderer)return I3a(a.Ib.get(),a.Ab.get(),q.videoAdTrackingRenderer,r,x,d,p)}else return K0(b,q,v),R2a(a.Ib.get(),a.Ab.get(),r,x,q.instreamVideoAdRenderer,d,e,l, +p,m,a.loadPolicy,a.Ca.get(),a.Jb.get())}return[]}; +Y0=function(a){g.C.call(this);this.j=a}; +zC=function(a,b,c,d){a.j().lj(b,d);c=c();a=a.j();a.Qb.j("ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_PROCESSED",b,d,c);b=g.t(c);for(c=b.next();!c.done;c=b.next())a:{d=a;c=c.value;oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_RECEIVED",c);oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SCHEDULE_SLOT_REQUESTED",c);try{var e=d.j;if(g.Tb(c.slotId))throw new N("Slot ID was empty",void 0,"ADS_CLIENT_ERROR_MESSAGE_INVALID_SLOT");if(f0(e,c))throw new N("Duplicate registration for slot.",{slotId:c.slotId,slotEntryTriggerType:c.slotEntryTrigger.triggerType}, +"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");if(!e.rf.Tp.has(c.slotType))throw new N("No fulfillment adapter factory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_FULFILLMENT_ADAPTER_REGISTERED");if(!e.rf.Wq.has(c.slotType))throw new N("No SlotAdapterFactory registered for slot of type: "+c.slotType,void 0,"ADS_CLIENT_ERROR_MESSAGE_NO_SLOT_ADAPTER_REGISTERED");e2a(e,"TRIGGER_CATEGORY_SLOT_ENTRY",c.slotEntryTrigger?[c.slotEntryTrigger]:[]);e2a(e,"TRIGGER_CATEGORY_SLOT_FULFILLMENT", +c.slotFulfillmentTriggers);e2a(e,"TRIGGER_CATEGORY_SLOT_EXPIRATION",c.slotExpirationTriggers);var f=d.j,h=c.slotType+"_"+c.slotPhysicalPosition,l=m0(f,h);if(f0(f,c))throw new N("Duplicate slots not supported",void 0,"ADS_CLIENT_ERROR_MESSAGE_DUPLICATE_SLOT");l.set(c.slotId,new $1a(c));f.j.set(h,l)}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_REGISTER_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR", +c),GD(V,c));break a}f0(d.j,c).I=!0;try{var m=d.j,n=f0(m,c),p=c.slotEntryTrigger,q=m.rf.al.get(p.triggerType);q&&(q.Zl("TRIGGER_CATEGORY_SLOT_ENTRY",p,c,null),n.ya.set(p.triggerId,q));for(var r=g.t(c.slotFulfillmentTriggers),v=r.next();!v.done;v=r.next()){var x=v.value,z=m.rf.al.get(x.triggerType);z&&(z.Zl("TRIGGER_CATEGORY_SLOT_FULFILLMENT",x,c,null),n.Z.set(x.triggerId,z))}for(var B=g.t(c.slotExpirationTriggers),F=B.next();!F.done;F=B.next()){var G=F.value,D=m.rf.al.get(G.triggerType);D&&(D.Zl("TRIGGER_CATEGORY_SLOT_EXPIRATION", +G,c,null),n.ea.set(G.triggerId,D))}var L=m.rf.Tp.get(c.slotType).get().wf(m.B,c);n.J=L;var P=m.rf.Wq.get(c.slotType).get().wf(m.D,c);P.init();n.u=P}catch(V){V instanceof N&&V.lk?(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED",V.lk,c),GD(V,c,void 0,void 0,V.pu)):(c0(d.Qb,"ADS_CLIENT_ERROR_TYPE_SCHEDULE_SLOT_FAILED","ADS_CLIENT_ERROR_MESSAGE_UNEXPECTED_ERROR",c),GD(V,c));d0(d,c,!0);break a}oO(d.Qb,"ADS_CLIENT_EVENT_TYPE_SLOT_SCHEDULED",c);d.j.Ii(c);for(var T=g.t(d.Fd),fa=T.next();!fa.done;fa= +T.next())fa.value.Ii(c);L1a(d,c)}}; +Z0=function(a,b,c,d){this.er=b;this.j=c;this.visible=d;this.triggerType="TRIGGER_TYPE_MEDIA_TIME_RANGE";this.triggerId=a(this.triggerType)}; +$0=function(a,b,c,d){g.C.call(this);var e=this;this.ac=a;this.Ib=b;this.wc=c;this.j=new Map;d.get().addListener(this);g.bb(this,function(){d.isDisposed()||d.get().removeListener(e)})}; +hra=function(a,b){var c=0x8000000000000;for(var d=0,e=g.t(b.slotFulfillmentTriggers),f=e.next();!f.done;f=e.next())f=f.value,f instanceof Z0?(c=Math.min(c,f.j.start),d=Math.max(d,f.j.end)):GD("Found unexpected fulfillment trigger for throttled slot.",b,null,{fulfillmentTrigger:f});c=new iq(c,d);d="throttledadcuerange:"+b.slotId;a.j.set(d,b);a.wc.get().addCueRange(d,c.start,c.end,!1,a)}; +a1=function(){g.C.apply(this,arguments);this.Jj=!0;this.Vk=new Map;this.j=new Map}; +s4a=function(a,b){a=g.t(a.Vk.values());for(var c=a.next();!c.done;c=a.next())if(c.value.layoutId===b)return!0;return!1}; +t4a=function(a,b){a=g.t(a.j.values());for(var c=a.next();!c.done;c=a.next()){c=g.t(c.value);for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.layoutId===b)return d}GD("Trying to retrieve an unknown layout",void 0,void 0,{isEmpty:String(g.Tb(b)),layoutId:b})}; +A3a=function(a){this.triggerType="TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED";this.triggerId=a(this.triggerType)}; +u4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_PLAYER_BYTES";this.layoutType="LAYOUT_TYPE_MEDIA";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED";this.triggerId=a(this.triggerType)}; +v4a=function(a,b){this.j=b;this.slotType="SLOT_TYPE_IN_PLAYER";this.triggerType="TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED";this.triggerId=a(this.triggerType)}; +w4a=function(a,b){this.opportunityType="OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED";this.associatedSlotId=b;this.triggerType="TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED";this.triggerId=a(this.triggerType)}; +u3a=function(a){this.triggerType="TRIGGER_TYPE_PLAYBACK_MINIMIZED";this.triggerId=a(this.triggerType)}; +x4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +b1=function(a,b){this.layoutId=b;this.triggerType="TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME";this.triggerId=a(this.triggerType)}; +y4a=function(a,b,c){this.layoutId=b;this.offsetMs=c;this.triggerType="TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +O3a=function(a,b){this.durationMs=45E3;this.triggeringLayoutId=b;this.triggerType="TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER";this.triggerId=a(this.triggerType)}; +z4a=function(a){var b=[new D_(a.vp),new A_(a.instreamAdPlayerOverlayRenderer),new C1a(a.xO),new t_(a.adPlacementConfig),new J_(a.videoLengthSeconds),new W_(a.MG)];a.qK&&b.push(new x_(a.qK));return b}; +A4a=function(a,b,c,d,e,f){a=c.inPlayerLayoutId?c.inPlayerLayoutId:ND(f,"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",a);var h={layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",bb:b};return{layoutId:a,layoutType:"LAYOUT_TYPE_MEDIA_LAYOUT_PLAYER_OVERLAY",Rb:new Map,layoutExitNormalTriggers:[new B0(function(l){return OD(f,l)},c.vp)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:b,Ba:d,Ac:e(h),adLayoutLoggingData:c.instreamAdPlayerOverlayRenderer.adLayoutLoggingData}}; +c1=function(a){var b=this;this.eb=a;this.j=function(c){return OD(b.eb.get(),c)}}; +W2a=function(a,b,c,d,e,f){c=new YZ([new B_(c),new t_(d)]);b=ND(a.eb.get(),"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",b);d={layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",bb:"core"};return{layoutId:b,layoutType:"LAYOUT_TYPE_UNDERLAY_TEXT_ICON_BUTTON",Rb:new Map,layoutExitNormalTriggers:[new B0(function(h){return OD(a.eb.get(),h)},e)], +layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:c,Ac:f(d),adLayoutLoggingData:void 0}}; +O0=function(a,b,c,d,e){var f=z4a(d);return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +B4a=function(a,b,c,d,e){var f=z4a(d);f.push(new r_(d.H1));f.push(new s_(d.J1));return A4a(b,c,d,new YZ(f),e,a.eb.get())}; +X0=function(a,b,c,d,e,f,h,l,m,n){b=ND(a.eb.get(),c,b);var p={layoutId:b,layoutType:c,bb:"core"},q=new Map;h&&q.set("impression",h);h=[new u4a(a.j,e)];n&&h.push(new F0(a.j,n,["normal"]));return{layoutId:b,layoutType:c,Rb:q,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([d,new t_(f),new D_(e)]),Ac:l(p),adLayoutLoggingData:m}}; +N3a=function(a,b,c){var d=[];d.push(new v4a(a.j,c));b&&d.push(b);return d}; +M3a=function(a,b,c,d,e,f,h){var l={layoutId:b,layoutType:c,bb:"core"};return{layoutId:b,layoutType:c,Rb:new Map,layoutExitNormalTriggers:h,layoutExitSkipTriggers:[new E0(a.j,b)],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new s1a(d),new t_(e)]),Ac:f(l),adLayoutLoggingData:d.adLayoutLoggingData}}; +n3a=function(a,b,c,d,e,f,h,l){var m={layoutId:b,layoutType:f,bb:"core"};return{layoutId:b,layoutType:f,Rb:new Map,layoutExitNormalTriggers:[new B0(a.j,c)],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"core",Ba:new YZ([new t_(d)].concat(g.u(h))),Ac:e(m),adLayoutLoggingData:l}}; +Q3a=function(a,b,c,d,e,f,h,l,m,n,p,q){a=X3a(a,b,c,d,e,f,h,l,p,q);b=a.Vx;c=new E_(a.lH);d=a.layoutExitSkipTriggers;0Math.random())try{g.Is(new g.tr("b/152131571",btoa(b)))}catch(B){}return x["return"](Promise.reject(new uB(y,!0,{backend:"gvi"})))}})})}; -Nza=function(a,b){return We(this,function d(){var e,f,h,l,m,n,p,r,t,w,y,x,B,E;return xa(d,function(G){if(1==G.u)return a.fetchType="gvi",e=a.T(),(l=Vta(a))?(f={format:"RAW",method:"POST",withCredentials:!0,timeout:3E4,tc:l},h=bq(b,{action_display_post:1})):(f={format:"RAW",method:"GET",withCredentials:!0,timeout:3E4},h=b),m={},e.sendVisitorIdHeader&&a.visitorData&&(m["X-Goog-Visitor-Id"]=a.visitorData),(n=g.kB(e.experiments,"debug_dapper_trace_id"))&&(m["X-Google-DapperTraceInfo"]=n),(p=g.kB(e.experiments, -"debug_sherlog_username"))&&(m["X-Youtube-Sherlog-Username"]=p),0n.u&& -3!==n.provider.getVisibilityState()&&bya(n)}m.qoe&&(m=m.qoe,m.za&&0>m.B&&m.provider.W.ce&&iya(m));g.P(l.W.experiments,"html5_background_quality_cap")&&l.Ba&&U_(l);l.W.Ns&&!l.videoData.backgroundable&&l.da&&!l.Ze()&&(l.isBackground()&&l.da.Yu()?(l.Na("bgmobile","suspend"),l.fi(!0)):l.isBackground()||V_(l)&&l.Na("bgmobile","resume"))}; -this.ea();this.Vf=new mF(function(){return l.getCurrentTime()},function(){return l.getPlaybackRate()},function(){return l.getPlayerState()},function(m,n){m!==g.hF("endcr")||g.U(l.playerState,32)||sY(l); -e(m,n,l.playerType)}); -g.D(this,this.Vf);Qza(this,function(){return{}}); -Rza(this);Yva(this.ff);this.visibility.subscribe("visibilitystatechange",this.ff);Sza(this)}; -Qza=function(a,b){!a.Jb||a.Jb.na();a.Jb=new g.f_(new e_(a.videoData,a.W,b,function(){return a.getDuration()},function(){return a.getCurrentTime()},function(){return a.zq()},function(){return a.Yr.getPlayerSize()},function(){return a.getAudioTrack()},function(){return a.getPlaybackRate()},function(){return a.da?a.da.getVideoPlaybackQuality():{}},a.getVisibilityState,function(){a.fu()},function(){a.eb.tick("qoes")},function(){return a.Mi()}))}; -Rza=function(a){!a.Ac||a.Ac.na();a.Ac=new AZ(a.videoData,a.W,a.visibility);a.Ac.subscribe("newelementrequired",function(b){return nY(a,b)}); -a.Ac.subscribe("qoeerror",a.Er,a);a.Ac.subscribe("playbackstalledatstart",function(){return a.V("playbackstalledatstart")}); -a.Ac.subscribe("signatureexpiredreloadrequired",function(){return a.V("signatureexpired")}); -a.Ac.subscribe("releaseloader",function(){X_(a)}); -a.Ac.subscribe("pausevideo",function(){a.pauseVideo()}); -a.Ac.subscribe("clienttemp",a.Na,a);a.Ac.subscribe("highrepfallback",a.UO,a);a.Ac.subscribe("playererror",a.Rd,a);a.Ac.subscribe("removedrmplaybackmanager",function(){Y_(a)}); -a.Ac.subscribe("formatupdaterequested",function(){Z_(a)}); -a.Ac.subscribe("reattachvideosourcerequired",function(){Tza(a)})}; -$_=function(a){var b=a.Jb;b.B&&b.B.send();if(b.qoe){var c=b.qoe;if(c.P){"PL"===c.Pc&&(c.Pc="N");var d=g.rY(c.provider);g.MZ(c,d,"vps",[c.Pc]);c.D||(0<=c.B&&(c.u.user_intent=[c.B.toString()]),c.D=!0);c.reportStats(d)}}if(b.provider.videoData.enableServerStitchedDai)for(c=g.q(b.D.values()),d=c.next();!d.done;d=c.next())vya(d.value);else b.u&&vya(b.u);b.dispose();g.fg(a.Jb)}; -xK=function(a){return a.da&&a.da.ol()?a.da.Pa():null}; -a0=function(a){if(a.videoData.isValid())return!0;a.Rd("api.invalidparam",void 0,"invalidVideodata.1");return!1}; -vT=function(a,b){b=void 0===b?!1:b;a.Kv&&a.ba("html5_match_codecs_for_gapless")&&(a.videoData.Lh=!0,a.videoData.an=!0,a.videoData.Nl=a.Kv.by(),a.videoData.mn=a.Kv.dy());a.Im=b;if(!a0(a)||a.di.started)g.wD(a.W)&&a.videoData.isLivePlayback&&a.di.started&&!a.di.isFinished()&&!a.Im&&a.vx();else{a.di.start();var c=a.Jb;g.rY(c.provider);c.qoe&&hya(c.qoe);a.vx()}}; -Uza=function(a){var b=a.videoData,c=a.Yr.getPlayerSize(),d=a.getVisibilityState(),e=Uta(a.W,a.videoData,c,d,a.isFullscreen());Pza(a.videoData,e,function(f){a.handleError(f)},a.eb,c,d).then(void 0,function(f){a.videoData!==b||b.na()||(f=wB(f),"auth"===f.errorCode&&a.videoData.errorDetail?a.Rd("auth",unescape(a.videoData.errorReason),g.vB(f.details),a.videoData.errorDetail,a.videoData.Ki||void 0):a.handleError(f))})}; -awa=function(a,b){a.te=b;a.Ba&&(a.Ba.ub=new Kwa(b))}; -Wza=function(a){if(!g.U(a.playerState,128))if(a.videoData.Uc(),a.mx=!0,a.ea(),4!==a.playerType&&(a.dh=g.rb(a.videoData.Of)),aJ(a.videoData)){b0(a).then(function(){a.na()||(a.Im&&V_(a),Vza(a,a.videoData),a.di.u=!0,c0(a,"dataloaded"),a.oj.started?d0(a):a.Im&&a.vb(CM(CM(a.playerState,512),1)),aya(a.cg,a.Id))}); -a.Na("loudness",""+a.videoData.Ir.toFixed(3),!0);var b=Pla(a.videoData);b&&a.Na("playerResponseExperiment",b,!0);a.ex()}else c0(a,"dataloaded")}; -b0=function(a){X_(a);a.Id=null;var b=Gya(a.W,a.videoData,a.Ze());a.No=b;a.No.then(function(c){Xza(a,c)},function(c){a.na()||(c=wB(c),a.visibility.isBackground()?(e0(a,"vp_none_avail"),a.No=null,a.di.reset()):(a.di.u=!0,a.Rd(c.errorCode,"HTML5_NO_AVAILABLE_FORMATS_FALLBACK",g.vB(c.details))))}); +b5a=function(a,b){a=a.j.get(b);if(!a)return{};a=a.GL();if(!a)return{};b={};return b.YT_ERROR_CODE=a.AI.toString(),b.ERRORCODE=a.mE.toString(),b.ERROR_MSG=a.errorMessage,b}; +c5a=function(a){var b={},c=a.F.getVideoData(1);b.ASR=AN(function(){var d;return null!=(d=null==c?void 0:c.Lw)?d:null}); +b.EI=AN(function(){var d;return null!=(d=null==c?void 0:c.eventId)?d:null}); return b}; -Z_=function(a){a.ea();b0(a).then(function(){return V_(a)}); -g.GM(a.playerState)&&a.playVideo()}; -Xza=function(a,b){if(!a.na()&&!b.videoData.na()&&(a.ea(),a.Id=b,Qya(a.Kb,a.Id),!a.videoData.isLivePlayback||0g.P(a.W.experiments,"hoffle_max_video_duration_secs")||0!==a.videoData.startSeconds||!a.videoData.offlineable||!a.videoData.ra||a.videoData.ra.isOtf||a.videoData.ra.isLive||a.videoData.ra.he||cy(a.videoData.videoId)||(g.Q(a.W.experiments,"hoffle_cfl_lock_format")?(a.Na("dlac","cfl"),a.videoData.rE=!0):(RI(a.videoData,!0),a.videoData.Qq=new rF(a.videoData.videoId,2, -{Ro:!0,ou:!0,videoDuration:a.videoData.lengthSeconds}),a.Na("dlac","w")))}; -h0=function(a){a.ea();a.da&&a.da.Ao();vT(a);a0(a)&&!g.U(a.playerState,128)&&(a.oj.started||(a.oj.start(),a.vb(CM(CM(a.playerState,8),1))),d0(a))}; -d0=function(a){a.na();a.ea();if(a.oj.isFinished())a.ea();else if(a.di.isFinished())if(g.U(a.playerState,128))a.ea();else if(a.dh.length)a.ea();else{if(!a.Vf.started){var b=a.Vf;b.started=!0;b.fk()}if(a.Qj())a.ea();else{a.Ba&&(b=a.Ba.Ja,a.ED=!!b.u&&!!b.B);a.oj.isFinished()||(a.oj.u=!0);!a.videoData.isLivePlayback||0b.startSeconds){var c=b.endSeconds;a.Ji&&(a.removeCueRange(a.Ji),a.Ji=null);a.Ji=new g.eF(1E3*c,0x7ffffffffffff);a.Ji.namespace="endcr";a.addCueRange(a.Ji)}}; -j0=function(a,b,c,d){a.videoData.Oa=c;d&&$za(a,b,d);var e=(d=g.i0(a))?d.Yb():"";d=a.Jb;c=new Mxa(a.videoData,c,b,e);if(d.qoe){d=d.qoe;e=g.rY(d.provider);g.MZ(d,e,"vfs",[c.u.id,c.B,d.kb,c.reason]);d.kb=c.u.id;var f=d.provider.D();if(0m?new DC(0,l,!1,"e"):UD;m=g.P(b.W.experiments,"html5_background_quality_cap");var n=g.P(b.W.experiments,"html5_background_cap_idle_secs");e=!m||"auto"!==Qxa(b)||Bp()/1E31E3*r);p&&(m=m?Math.min(m,n):n)}n=g.P(b.W.experiments,"html5_random_playback_cap");r=/[a-h]$/;n&&r.test(c.videoData.clientPlaybackNonce)&&(m=m?Math.min(m,n):n);(n=g.P(b.W.experiments, -"html5_not_vp9_supported_quality_cap"))&&!oB('video/webm; codecs="vp9"')&&(m=m?Math.min(m,n):n);if(r=n=g.P(b.W.experiments,"html5_hfr_quality_cap"))a:{r=c.La;if(r.Lc())for(r=g.q(r.videoInfos),p=r.next();!p.done;p=r.next())if(32d&&0!==d&&b.u===d)){aAa(HC(b));if(c.ba("html5_exponential_memory_for_sticky")){e=c.W.fd;d=1;var f=void 0===f?!1:f;VC(e,"sticky-lifetime");e.values["sticky-lifetime"]&&e.Mj["sticky-lifetime"]||(e.values["sticky-lifetime"]=0,e.Mj["sticky-lifetime"]=0);f&&.0625b.u;e=a.K.Ub&&!yB();c||d||b||e?(a.dd("reattachOnConstraint",c?"u":d?"drm":e?"codec":"perf"),a.V("reattachrequired")): -KF(a)}}}; -U_=function(a){a.ba("html5_nonblocking_media_capabilities")?l0(a):g0(a)}; -Zza=function(a){a.ba("html5_probe_media_capabilities")&&Nxa(a.videoData.La);Xga(a.videoData.ra,{cpn:a.videoData.clientPlaybackNonce,c:a.W.deviceParams.c,cver:a.W.deviceParams.cver});var b=a.W,c=a.videoData,d=new g.Jw,e=Iw(b,{hasSubfragmentedFmp4:c.hasSubfragmentedFmp4,Ui:c.Ui});d.D=e;d.Us=b.ba("html5_disable_codec_for_playback_on_error");d.Ms=b.ba("html5_max_drift_per_track_secs")||b.ba("html5_rewrite_manifestless_for_sync")||b.ba("html5_check_segnum_discontinuity");d.Fn=b.ba("html5_unify_sqless_flow"); -d.Dc=b.ba("html5_unrewrite_timestamps");d.Zb=b.ba("html5_stop_overlapping_requests");d.ng=g.P(b.experiments,"html5_min_readbehind_secs");d.hB=g.P(b.experiments,"html5_min_readbehind_cap_secs");d.KI=g.P(b.experiments,"html5_max_readbehind_secs");d.GC=g.Q(b.experiments,"html5_trim_future_discontiguous_ranges");d.Is=b.ba("html5_append_init_while_paused");d.Jg=g.P(b.experiments,"html5_max_readahead_bandwidth_cap");d.Ql=g.P(b.experiments,"html5_post_interrupt_readahead");d.R=g.P(b.experiments,"html5_subsegment_readahead_target_buffer_health_secs"); -d.Cc=g.P(b.experiments,"html5_subsegment_readahead_timeout_secs");d.HB=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs");d.kc=g.P(b.experiments,"html5_subsegment_readahead_min_buffer_health_secs_on_timeout");d.IB=g.P(b.experiments,"html5_subsegment_readahead_min_load_speed");d.En=g.P(b.experiments,"html5_subsegment_readahead_load_speed_check_interval");d.JB=g.P(b.experiments,"html5_subsegment_readahead_seek_latency_fudge");d.wi=b.ba("html5_peak_shave");d.lB=b.ba("html5_peak_shave_always_include_sd"); -d.yB=b.ba("html5_restrict_streaming_xhr_on_sqless_requests");d.yI=g.P(b.experiments,"html5_max_headm_for_streaming_xhr");d.nB=b.ba("html5_pipeline_manifestless_allow_nonstreaming");d.rB=b.ba("html5_prefer_server_bwe3");d.Hn=1024*g.P(b.experiments,"html5_video_tbd_min_kb");d.Rl=b.ba("html5_probe_live_using_range");d.gH=b.ba("html5_last_slice_transition");d.FB=b.ba("html5_store_xhr_headers_readable");d.lu=b.ba("html5_enable_packet_train_response_rate");if(e=g.P(b.experiments,"html5_probe_secondary_during_timeout_miss_count"))d.Sl= -e,d.NB=1;d.Ta=g.P(b.experiments,"html5_probe_primary_delay_base_ms")||d.Ta;d.Lg=b.ba("html5_no_placeholder_rollbacks");d.GB=b.ba("html5_subsegment_readahead_enable_mffa");b.ba("html5_allow_video_keyframe_without_audio")&&(d.ia=!0);d.yn=b.ba("html5_reattach_on_stuck");d.gE=b.ba("html5_webm_init_skipping");d.An=g.P(b.experiments,"html5_request_size_padding_secs")||d.An;d.Gu=b.ba("html5_log_timestamp_offset");d.Qc=b.ba("html5_abs_buffer_health");d.bH=b.ba("html5_interruption_resets_seeked_time");d.Ig= -g.P(b.experiments,"html5_max_live_dvr_window_plus_margin_secs")||d.Ig;d.ke=b.ba("html5_explicitly_dispose_xhr");d.EB=b.ba("html5_skip_invalid_sq");d.xB=b.ba("html5_restart_on_unexpected_detach");d.aI=b.ba("html5_log_live_discontinuity");d.zB=b.ba("html5_rewrite_manifestless_for_continuity");d.sf=g.P(b.experiments,"html5_manifestless_seg_drift_limit_secs");d.Hg=g.P(b.experiments,"html5_max_drift_per_track_secs");d.BB=b.ba("html5_rewrite_manifestless_for_sync");d.Nb=g.P(b.experiments,"html5_static_abr_resolution_shelf"); -d.Ls=!b.ba("html5_encourage_array_coalescing");d.Ps=b.ba("html5_crypto_period_secs_from_emsg");d.ut=b.ba("html5_disable_reset_on_append_error");d.qv=b.ba("html5_filter_non_efficient_formats_for_safari");d.iB=b.ba("html5_format_hybridization");d.Gp=b.ba("html5_abort_before_separate_init");b.ba("html5_media_common_config_killswitch")||(d.F=c.maxReadAheadMediaTimeMs/1E3||d.F,e=b.schedule,e.u.u()===e.policy.C?d.P=10:d.P=c.minReadAheadMediaTimeMs/1E3||d.P,d.ce=c.readAheadGrowthRateMs/1E3||d.ce);wg&&(d.X= -41943040);d.ma=!FB();g.wD(b)||!FB()?(e=b.experiments,d.I=8388608,d.K=524288,d.Ks=5,d.Ob=2097152,d.Y=1048576,d.vB=1.5,d.kB=!1,d.zb=4587520,ir()&&(d.zb=786432),d.u*=1.1,d.B*=1.1,d.kb=!0,d.X=d.I,d.Ub=d.K,d.xi=g.Q(e,"persist_disable_player_preload_on_tv")||g.Q(e,"persist_disable_player_preload_on_tv_for_living_room")||!1):b.u&&(d.u*=1.3,d.B*=1.3);g.pB&&dr("crkey")&&(e="CHROMECAST/ANCHOVY"===b.deviceParams.cmodel,d.I=20971520,d.K=1572864,e&&(d.zb=812500,d.zn=1E3,d.fE=5,d.Y=2097152));!b.ba("html5_disable_firefox_init_skipping")&& -g.vC&&(d.kb=!0);b.supportsGaplessAudio()||(d.Mt=!1);fD&&(d.zl=!0);mr()&&(d.Cn=!0);var f,h,l;if(LI(c)){d.tv=!0;d.DB=!0;if("ULTRALOW"===c.latencyClass||"LOW"===c.latencyClass&&!b.ba("html5_disable_low_pipeline"))d.sI=2,d.AI=4;d.Fj=c.defraggedFromSubfragments;c.cd&&(d.Ya=!0);g.eJ(c)&&(d.ha=!1);d.Ns=g.JD(b)}c.isAd()&&(d.Ja=0,d.Ne=0);NI(c)&&(d.fa=!0,b.ba("html5_resume_streaming_requests")&&(d.ub=!0,d.zn=400,d.vI=2));d.za=b.ba("html5_enable_subsegment_readahead_v3")||b.ba("html5_ultra_low_latency_subsegment_readahead")&& -"ULTRALOW"===c.latencyClass;d.Aa=c.nk;d.sH=d.Aa&&(/^rq[a-f]/.test(c.clientPlaybackNonce)||CI(c));sr()&&/(K\d{3}|KS\d{3}|KU\d{3})/.test(b.deviceParams.cmodel)&&!b.ba("html5_disable_move_pssh_to_moov")&&(null===(f=c.ra)||void 0===f?0:KB(f))&&(d.kb=!1);if(null===(h=c.ra)||void 0===h?0:KB(h))d.yn=!1;h=0;b.ba("html5_live_use_alternate_bandwidth_window_sizes")&&(h=b.schedule.policy.u,c.isLivePlayback&&(h=g.P(b.experiments,"ULTRALOW"===c.latencyClass?"html5_live_ultra_low_latency_bandwidth_window":c.isLowLatencyLiveStream? -"html5_live_low_latency_bandwidth_window":"html5_live_normal_latency_bandwidth_window")||h));f=b.schedule;f.P.u=LI(c)?.5:0;if(!f.policy.B&&h&&(f=f.u,h=Math.round(h*f.resolution),h!==f.B)){e=Array(h);var m=Math.min(h,f.D?f.B:f.valueIndex),n=f.valueIndex-m;0>n&&(n+=f.B);for(var p=0;pa.videoData.endSeconds&&isFinite(b)&&(a.removeCueRange(a.Ji),a.Ji=null);ba.mediaSource.getDuration()&&a.mediaSource.gi(c)):a.mediaSource.gi(d);var e=a.Ba,f=a.mediaSource;e.ha&&(yF(e),e.ha=!1);xF(e);if(!CB(f)){var h=e.B.u.info.mimeType+e.u.tu,l=e.D.u.info.mimeType,m,n,p=null===(m=f.mediaSource)||void 0=== -m?void 0:m.addSourceBuffer(l),r="fakesb"===h?void 0:null===(n=f.mediaSource)||void 0===n?void 0:n.addSourceBuffer(h);f.de&&(f.de.webkitSourceAddId("0",l),f.de.webkitSourceAddId("1",h));var t=new xB(p,f.de,"0",bx(l),!1),w=new xB(r,f.de,"1",bx(h),!0);f.u=t;f.B=w;g.D(f,t);g.D(f,w)}iA(e.B,f.B);iA(e.D,f.u);e.C=f;e.resume();vt(f.u,e.kb,e);vt(f.B,e.kb,e);e.u.Gu&&1E-4>=Math.random()&&e.dd("toff",""+f.u.supports(1),!0);e.Uh();a.V("mediasourceattached");a.CA.stop()}}catch(y){g.Is(y),a.handleError(new uB("fmt.unplayable", -!0,{msi:"1",ename:y.name}))}})}; -fAa=function(a){a.Ba?Cm(a.Ba.seek(a.getCurrentTime()-a.yc()),function(){}):Zza(a)}; -nY=function(a,b){b=void 0===b?!1:b;return We(a,function d(){var e=this;return xa(d,function(f){if(1==f.u)return e.Ba&&e.Ba.na()&&X_(e),e.V("newelementrequired"),b?f=sa(f,b0(e),2):(f.u=2,f=void 0),f;g.U(e.playerState,8)&&e.playVideo();f.u=0})})}; -Vva=function(a,b){a.Na("newelem",b);nY(a)}; -n0=function(a){g.U(a.playerState,32)||(a.vb(CM(a.playerState,32)),g.U(a.playerState,8)&&a.pauseVideo(!0),a.V("beginseeking",a));a.sc()}; -BY=function(a){g.U(a.playerState,32)?(a.vb(EM(a.playerState,16,32)),a.V("endseeking",a)):g.U(a.playerState,2)||a.vb(CM(a.playerState,16))}; -c0=function(a,b){a.V("internalvideodatachange",void 0===b?"dataupdated":b,a,a.videoData)}; -gAa=function(a){g.Cb("loadstart loadeddata loadedmetadata play playing progress pause ended suspend seeking seeked timeupdate durationchange ratechange error waiting resize".split(" "),function(b){this.xp.N(this.da,b,this.Jz,this)},a); -a.W.Cn&&a.da.ol()&&(a.xp.N(a.da,"webkitplaybacktargetavailabilitychanged",a.eO,a),a.xp.N(a.da,"webkitcurrentplaybacktargetiswirelesschanged",a.fO,a))}; -iAa=function(a){a.ba("html5_enable_timeupdate_timeout")&&!a.videoData.isLivePlayback&&hAa(a)&&a.nw.start()}; -hAa=function(a){if(!a.da)return!1;var b=a.da.getCurrentTime();a=a.da.getDuration();return!!(1a-.3)}; -jAa=function(a){window.clearInterval(a.Gv);q0(a)||(a.Gv=Ho(function(){return q0(a)},100))}; -q0=function(a){var b=a.da;b&&a.qr&&!a.videoData.Rg&&!WE("vfp",a.eb.timerName)&&2<=b.yg()&&!b.Yi()&&0b.u&&(b.u=c,b.delay.start());b.B=c;b.D=c}a.fx.Sb();a.V("playbackstarted");g.up()&&((a=g.Ja("yt.scheduler.instance.clearPriorityThreshold"))?a():wp(0))}; -Zsa=function(a){var b=a.getCurrentTime(),c=a.videoData;!WE("pbs",a.eb.timerName)&&XE.measure&&XE.getEntriesByName&&(XE.getEntriesByName("mark_nr")[0]?YE("mark_nr"):YE());c.videoId&&a.eb.info("docid",c.videoId);c.eventId&&a.eb.info("ei",c.eventId);c.clientPlaybackNonce&&a.eb.info("cpn",c.clientPlaybackNonce);0a.jE+6283){if(!(!a.isAtLiveHead()||a.videoData.ra&&WB(a.videoData.ra))){var b=a.Jb;if(b.qoe){b=b.qoe;var c=b.provider.zq(),d=g.rY(b.provider);gya(b,d,c);c=c.F;isNaN(c)||g.MZ(b,d,"e2el",[c.toFixed(3)])}}g.JD(a.W)&&a.Na("rawlat","l."+SY(a.iw,"rawlivelatency").toFixed(3));a.jE=g.A()}a.videoData.Oa&&ix(a.videoData.Oa)&&(b=xK(a))&&b.videoHeight!==a.Xy&&(a.Xy=b.videoHeight,j0(a,"a",cAa(a,a.videoData.fh)))}; -cAa=function(a,b){if("auto"===b.Oa.Ma().quality&&ix(b.Te())&&a.videoData.lk)for(var c=g.q(a.videoData.lk),d=c.next();!d.done;d=c.next())if(d=d.value,d.getHeight()===a.Xy&&"auto"!==d.Oa.Ma().quality)return d.Te();return b.Te()}; -T_=function(a){if(!a.videoData.isLivePlayback||!a.videoData.ra||!a.Ba)return NaN;var b=LI(a.videoData)?a.Ba.Ya.u()||0:a.videoData.ra.R;return g.A()/1E3-a.Ue()-b}; -lAa=function(a){!a.ba("html5_ignore_airplay_events_on_new_video_killswitch")&&a.da&&a.da.Ze()&&(a.wu=(0,g.N)());a.W.tu?g.Go(function(){r0(a)},0):r0(a)}; -r0=function(a){a.da&&(a.yr=a.da.playVideo());if(a.yr){var b=a.yr;b.then(void 0,function(c){a.ea();if(!g.U(a.playerState,4)&&!g.U(a.playerState,256)&&a.yr===b)if(c&&"AbortError"===c.name&&c.message&&c.message.includes("load"))a.ea();else{var d="promise";c&&c.name&&(d+=";m."+c.name);try{a.vb(CM(a.playerState,2048))}catch(e){}e0(a,d);a.YB=!0}})}}; -e0=function(a,b){g.U(a.playerState,128)||(a.vb(EM(a.playerState,1028,9)),a.Na("dompaused",b),a.V("onDompaused"))}; -V_=function(a){if(!a.da||!a.videoData.La)return!1;var b,c,d=null;(null===(c=a.videoData.La)||void 0===c?0:c.Lc())?(d=p0(a),null===(b=a.Ba)||void 0===b?void 0:b.resume()):(X_(a),a.videoData.fh&&(d=a.videoData.fh.Yq()));b=d;d=a.da.Yu();c=!1;d&&null!==b&&b.u===d.u||(a.eb.tick("vta"),ZE("vta","video_to_ad"),0=c&&b<=d}; -xAa=function(a,b){var c=a.u.getAvailablePlaybackRates();b=Number(b.toFixed(2));var d=c[0];c=c[c.length-1];b<=d||(b>=c?d=c:(d=Math.floor(100*b+.001)%5,d=0===d?b:Math.floor(100*(b-.01*d)+.001)/100));return d}; -R0=function(a,b,c){if(a.cd(c)){c=c.getVideoData();if(a.I)c=b;else{a=a.te;for(var d=g.q(a.u),e=d.next();!e.done;e=d.next())if(e=e.value,c.Hc===e.Hc){b+=e.pc/1E3;break}d=b;a=g.q(a.u);for(e=a.next();!e.done;e=a.next()){e=e.value;if(c.Hc===e.Hc)break;var f=e.pc/1E3;if(f=.25*d||c)&&a.md("first_quartile"),(b>=.5*d||c)&&a.md("midpoint"),(b>=.75*d||c)&&a.md("third_quartile"),a=a.s8,b*=1E3,c=a.D())){for(;a.C=v?new iq(1E3*q,1E3*r):new iq(1E3*Math.floor(d+Math.random()*Math.min(v,p)),1E3*r)}p=m}else p={Cn:Tsa(c),zD:!1},r=c.startSecs+c.Sg,c.startSecs<=d?m=new iq(1E3*(c.startSecs-4),1E3*r):(q=Math.max(0,c.startSecs-d-10),m=new iq(1E3*Math.floor(d+ +Math.random()*(m?0===d?0:Math.min(q,5):q)),1E3*r)),p.Rp=m;e=v2a(e,f,h,p,l,[new D1a(c)]);n.get().Sh("daism","ct."+Date.now()+";cmt."+d+";smw."+(p.Rp.start/1E3-d)+";tw."+(c.startSecs-d)+";cid."+c.identifier.replaceAll(":","_")+";sid."+e.slotId);return[e]})}; +f2=function(a,b,c,d,e,f,h,l,m){g.C.call(this);this.j=a;this.B=b;this.u=c;this.ac=d;this.Ib=e;this.Ab=f;this.Jb=h;this.Ca=l;this.Va=m;this.Jj=!0}; +e6a=function(a,b,c){return V2a(a.Ib.get(),b.contentCpn,b.vp,function(d){return W2a(a.Ab.get(),d.slotId,c,b.adPlacementConfig,b.vp,c_(a.Jb.get(),d))})}; +g2=function(a){var b,c=null==(b=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:b.current;if(!c)return null;b=ZZ(a.Ba,"metadata_type_ad_pod_skip_target_callback_ref");var d=a.layoutId,e=ZZ(a.Ba,"metadata_type_content_cpn"),f=ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),h=ZZ(a.Ba,"metadata_type_player_underlay_renderer"),l=ZZ(a.Ba,"metadata_type_ad_placement_config"),m=ZZ(a.Ba,"metadata_type_video_length_seconds");var n=AC(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds")? +ZZ(a.Ba,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"):AC(a.Ba,"metadata_type_layout_enter_ms")&&AC(a.Ba,"metadata_type_layout_exit_ms")?(ZZ(a.Ba,"metadata_type_layout_exit_ms")-ZZ(a.Ba,"metadata_type_layout_enter_ms"))/1E3:void 0;return{vp:d,contentCpn:e,xO:c,qK:b,instreamAdPlayerOverlayRenderer:f,instreamAdPlayerUnderlayRenderer:h,adPlacementConfig:l,videoLengthSeconds:m,MG:n,inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id")}}; +g6a=function(a,b){return f6a(a,b)}; +h6a=function(a,b){b=f6a(a,b);if(!b)return null;var c;b.MG=null==(c=ZZ(a.Ba,"metadata_type_ad_pod_info"))?void 0:c.adBreakRemainingLengthSeconds;return b}; +f6a=function(a,b){var c,d=null==(c=ZZ(a.Ba,"metadata_type_player_bytes_callback_ref"))?void 0:c.current;if(!d)return null;AC(a.Ba,"metadata_ad_video_is_listed")?c=ZZ(a.Ba,"metadata_ad_video_is_listed"):b?c=b.isListed:(GD("No layout metadata nor AdPlayback specified for ad video isListed"),c=!1);AC(a.Ba,"metadata_type_ad_info_ad_metadata")?b=ZZ(a.Ba,"metadata_type_ad_info_ad_metadata"):b?b={channelId:b.bk,channelThumbnailUrl:b.profilePicture,channelTitle:b.author,videoTitle:b.title}:(GD("No layout metadata nor AdPlayback specified for AdMetaData"), +b={channelId:"",channelThumbnailUrl:"",channelTitle:"",videoTitle:""});return{H1:b,adPlacementConfig:ZZ(a.Ba,"metadata_type_ad_placement_config"),J1:c,contentCpn:ZZ(a.Ba,"metadata_type_content_cpn"),inPlayerLayoutId:ZZ(a.Ba,"metadata_type_linked_in_player_layout_id"),inPlayerSlotId:ZZ(a.Ba,"metadata_type_linked_in_player_slot_id"),instreamAdPlayerOverlayRenderer:ZZ(a.Ba,"metadata_type_instream_ad_player_overlay_renderer"),instreamAdPlayerUnderlayRenderer:void 0,MG:void 0,xO:d,vp:a.layoutId,videoLengthSeconds:ZZ(a.Ba, +"metadata_type_video_length_seconds")}}; +i6a=function(a,b){this.callback=a;this.slot=b}; +h2=function(){}; +j6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +k6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c;this.u=!1;this.j=0}; +l6a=function(a,b,c){this.callback=a;this.slot=b;this.Ha=c}; +i2=function(a){this.Ha=a}; +j2=function(a,b,c,d){this.category=a;this.trigger=b;this.slot=c;this.layout=d}; +k2=function(a){g.C.call(this);this.gJ=a;this.Wb=new Map}; +m6a=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof I0&&f.triggeringLayoutId===b&&c.push(e)}c.length?k0(a.gJ(),c):GD("Survey is submitted but no registered triggers can be activated.")}; +l2=function(a,b,c){k2.call(this,a);var d=this;this.Ca=c;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(d)})}; +m2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map;this.D=new Set;this.B=new Set;this.C=new Set;this.I=new Set;this.u=new Set}; +n2=function(a,b){g.C.call(this);var c=this;this.j=a;this.Wb=new Map;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)})}; +n6a=function(a,b,c,d){var e=[];a=g.t(a.values());for(var f=a.next();!f.done;f=a.next())if(f=f.value,f.trigger instanceof z0){var h=f.trigger.j===b;h===c?e.push(f):d&&h&&(GD("Firing OnNewPlaybackAfterContentVideoIdTrigger from presumed cached playback CPN match.",void 0,void 0,{cpn:b}),e.push(f))}return e}; +o6a=function(a){return a instanceof x4a||a instanceof y4a||a instanceof b1}; +o2=function(a,b,c,d){g.C.call(this);var e=this;this.u=a;this.wc=b;this.Ha=c;this.Va=d;this.Jj=!0;this.Wb=new Map;this.j=new Set;c.get().addListener(this);g.bb(this,function(){c.isDisposed()||c.get().removeListener(e)})}; +p6a=function(a,b,c,d,e,f,h,l,m,n){if(a.Va.get().vg(1).clientPlaybackNonce!==m)throw new N("Cannot register CueRange-based trigger for different content CPN",{trigger:c});a.Wb.set(c.triggerId,{Cu:new j2(b,c,d,e),Lu:f});a.wc.get().addCueRange(f,h,l,n,a)}; +q6a=function(a,b){a=g.t(a.Wb.entries());for(var c=a.next();!c.done;c=a.next()){var d=g.t(c.value);c=d.next().value;d=d.next().value;if(b===d.Lu)return c}return""}; +p2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +Y1=function(a,b){b=b.layoutId;for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())if(e=e.value,e.trigger instanceof G0){var f;if(f=e.trigger.layoutId===b)f=(f=S1a.get(e.category))?"normal"===f:!1;f&&c.push(e)}c.length&&k0(a.j(),c)}; +q2=function(a){g.C.call(this);this.j=a;this.Jj=!0;this.Wb=new Map}; +r2=function(a,b,c){g.C.call(this);this.j=a;this.hn=b;this.eb=c;this.hn.get().addListener(this)}; +s2=function(a,b,c,d,e,f){g.C.call(this);this.B=a;this.cf=b;this.Jb=c;this.Va=d;this.eb=e;this.Ca=f;this.j=this.u=null;this.C=!1;this.cf.get().addListener(this)}; +dCa=function(a,b,c,d,e){var f=MD(a.eb.get(),"SLOT_TYPE_PLAYER_BYTES");a.u={slotId:f,slotType:"SLOT_TYPE_PLAYER_BYTES",slotPhysicalPosition:1,slotEntryTrigger:void 0,slotFulfillmentTriggers:[],slotExpirationTriggers:[],bb:"surface",Ba:new YZ([])};a.j={layoutId:b,layoutType:"LAYOUT_TYPE_MEDIA",Rb:new Map,layoutExitNormalTriggers:[],layoutExitSkipTriggers:[],layoutExitMuteTriggers:[],layoutExitUserInputSubmittedTriggers:[],Sc:[],bb:"surface",Ba:new YZ(c),Ac:l1a(b_(a.Jb.get()),f,"SLOT_TYPE_PLAYER_BYTES", +1,"surface",void 0,[],[],b,"LAYOUT_TYPE_MEDIA","surface"),adLayoutLoggingData:e};P1a(a.B(),a.u,a.j);d&&(Q1a(a.B(),a.u,a.j),a.C=!0,j0(a.B(),a.u,a.j))}; +t2=function(a){this.fu=a}; +r6a=function(a,b){if(!a)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};a.trackingParams&&pP().eq(a.trackingParams);if(a.adThrottled)return{qo:[],adSlots:[],dA:!0,ssdaiAdsConfig:void 0};var c,d=null!=(c=a.adSlots)?c:[];c=a.playerAds;if(!c||!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};c=c.map(function(f){return f.adPlacementRenderer}).filter(function(f){return!(!f||!f.renderer)}); +if(!c.length)return{qo:[],adSlots:d,dA:!1,ssdaiAdsConfig:void 0};if(0e&&h.jA(p,e-d);return p}; +E6a=function(a,b){var c=ZZ(b.Ba,"metadata_type_sodar_extension_data");if(c)try{m5a(0,c)}catch(d){GD("Unexpected error when loading Sodar",a,b,{error:d})}}; +G6a=function(a,b,c,d,e,f){F6a(a,b,new g.WN(c,new g.KO),d,e,!1,f)}; +F6a=function(a,b,c,d,e,f,h){f=void 0===f?!0:f;R5a(c)&&Z1(e,0,null)&&(!N1(a,"impression")&&h&&h(),a.md("impression"));N1(a,"impression")&&(g.YN(c,4)&&!g.YN(c,2)&&a.lh("pause"),0>XN(c,4)&&!(0>XN(c,2))&&a.lh("resume"),g.YN(c,16)&&.5<=e&&a.lh("seek"),f&&g.YN(c,2)&&H6a(a,c.state,b,d,e))}; +H6a=function(a,b,c,d,e,f){if(N1(a,"impression")){var h=1>=Math.abs(d-e);I6a(a,b,h?d:e,c,d,f);h&&a.md("complete")}}; +I6a=function(a,b,c,d,e,f){M1(a,1E3*c);0>=e||0>=c||(null==b?0:g.S(b,16))||(null==b?0:g.S(b,32))||(Z1(c,.25*e,d)&&(f&&!N1(a,"first_quartile")&&f("first"),a.md("first_quartile")),Z1(c,.5*e,d)&&(f&&!N1(a,"midpoint")&&f("second"),a.md("midpoint")),Z1(c,.75*e,d)&&(f&&!N1(a,"third_quartile")&&f("third"),a.md("third_quartile")))}; +J6a=function(a,b){N1(a,"impression")&&a.lh(b?"fullscreen":"end_fullscreen")}; +K6a=function(a){N1(a,"impression")&&a.lh("clickthrough")}; +L6a=function(a){a.lh("active_view_measurable")}; +M6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_fully_viewable_audible_half_duration")}; +N6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("active_view_viewable")}; +O6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_audible")}; +P6a=function(a){N1(a,"impression")&&!N1(a,"seek")&&a.lh("audio_measurable")}; +Q6a=function(a,b,c,d,e,f,h,l,m,n,p,q){this.callback=a;this.slot=b;this.layout=c;this.qf=d;this.Za=e;this.Ha=f;this.Td=h;this.Mb=l;this.hf=m;this.Ca=n;this.Oa=p;this.Va=q;this.tG=!0;this.Nc=this.Fc=null}; +R6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +S6a=function(a,b){var c,d;a.Oa.get().Sh("ads_imp","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b+";skp."+!!g.K(null==(d=ZZ(a.layout.Ba,"metadata_type_instream_ad_player_overlay_renderer"))?void 0:d.skipOrPreviewRenderer,R0))}; +T6a=function(a){return{enterMs:ZZ(a.Ba,"metadata_type_layout_enter_ms"),exitMs:ZZ(a.Ba,"metadata_type_layout_exit_ms")}}; +U6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v){A2.call(this,a,b,c,d,e,h,l,m,n,q);this.Td=f;this.hf=p;this.Mb=r;this.Ca=v;this.Nc=this.Fc=null}; +V6a=function(a,b){var c;a.Oa.get().Sh("ads_imp","acpn."+(null==(c=a.Va.get().vg(2))?void 0:c.clientPlaybackNonce)+";clr."+b)}; +W6a=function(a,b,c){var d;a.Oa.get().Sh("ads_qua","cpn."+ZZ(a.layout.Ba,"metadata_type_content_cpn")+";acpn."+(null==(d=a.Va.get().vg(2))?void 0:d.clientPlaybackNonce)+";qt."+b+";clr."+c)}; +X6a=function(a,b,c,d,e,f,h,l,m,n,p,q,r,v,x,z,B,F,G){this.Ue=a;this.u=b;this.Va=c;this.qf=d;this.Ha=e;this.Oa=f;this.Td=h;this.xf=l;this.Mb=m;this.hf=n;this.Pe=p;this.wc=q;this.Mc=r;this.zd=v;this.Xf=x;this.Nb=z;this.dg=B;this.Ca=F;this.j=G}; +B2=function(a){g.C.call(this);this.j=a;this.Wb=new Map}; +C2=function(a,b){for(var c=[],d=g.t(a.Wb.values()),e=d.next();!e.done;e=d.next())e=e.value,e.trigger.j===b.layoutId&&c.push(e);c.length&&k0(a.j(),c)}; +D2=function(a,b){g.C.call(this);var c=this;this.C=a;this.u=new Map;this.B=new Map;this.j=null;b.get().addListener(this);g.bb(this,function(){b.isDisposed()||b.get().removeListener(c)}); +var d;this.j=(null==(d=b.get().Nu)?void 0:d.slotId)||null}; +Y6a=function(a,b){var c=[];a=g.t(a.values());for(var d=a.next();!d.done;d=a.next())d=d.value,d.slot.slotId===b&&c.push(d);return c}; +Z6a=function(a){this.F=a}; +$6a=function(a,b,c,d,e){gN.call(this,"image-companion",a,b,c,d,e)}; +a7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +b7a=function(){var a=["metadata_type_image_companion_ad_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_IMAGE"]}}; +c7a=function(a,b,c,d,e){gN.call(this,"shopping-companion",a,b,c,d,e)}; +d7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +e7a=function(){var a=["metadata_type_shopping_companion_carousel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_SHOPPING"]}}; +f7a=function(a,b,c,d,e,f){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.Jj=!0;this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +g7a=function(){var a=["metadata_type_action_companion_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_COMPANION_WITH_ACTION_BUTTON"]}}; +h7a=function(a,b,c,d,e){gN.call(this,"ads-engagement-panel",a,b,c,d,e)}; +i7a=function(a,b,c,d,e,f,h,l){P1.call(this,a,b,c,d);this.Oa=e;this.Ue=f;this.I=l;this.Jj=!0;this.C=null;this.D=ZZ(c.Ba,"metadata_type_linked_player_bytes_layout_id");this.Ue().Fd.add(this);a=ZZ(c.Ba,"metadata_type_ad_placement_config");this.Za=new J1(c.Rb,this.Oa,a,c.layoutId)}; +j7a=function(){var a=["metadata_type_ads_engagement_panel_renderer","metadata_type_linked_player_bytes_layout_id"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_PANEL_TEXT_ICON_IMAGE_TILES_BUTTON"]}}; +k7a=function(a,b,c,d,e){this.vc=a;this.Oa=b;this.Ue=c;this.j=d;this.Mb=e}; +l7a=function(a,b,c){gN.call(this,"player-underlay",a,{},b,c);this.interactionLoggingClientData=c}; +E2=function(a,b,c,d){P1.call(this,a,b,c,d)}; +m7a=function(a){this.vc=a}; +n7a=function(a,b,c,d){gN.call(this,"survey-interstitial",a,b,c,d)}; +F2=function(a,b,c,d,e){P1.call(this,c,a,b,d);this.Oa=e;a=ZZ(b.Ba,"metadata_type_ad_placement_config");this.Za=new J1(b.Rb,e,a,b.layoutId)}; +G2=function(a){return Math.round(a.width)+"x"+Math.round(a.height)}; +p7a=function(a,b,c){c=void 0===c?o7a:c;c.widtha.width*a.height*.2)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") to container("+G2(a)+") ratio exceeds limit."};if(c.height>a.height/3-b)return{AI:3,mE:501,errorMessage:"ad("+G2(c)+") covers container("+G2(a)+") center."}}; +q7a=function(a,b){var c=ZZ(a.Ba,"metadata_type_ad_placement_config");return new J1(a.Rb,b,c,a.layoutId)}; +H2=function(a){return ZZ(a.Ba,"metadata_type_invideo_overlay_ad_renderer")}; +r7a=function(a,b,c,d){gN.call(this,"invideo-overlay",a,b,c,d);this.interactionLoggingClientData=d}; +I2=function(a,b,c,d,e,f,h,l,m,n,p,q){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.Ha=l;this.Nb=m;this.Ca=n;this.I=p;this.D=q;this.Za=q7a(b,c)}; +s7a=function(){var a=["metadata_type_invideo_overlay_ad_renderer"];K1().forEach(function(b){a.push(b)}); +return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_TEXT_OVERLAY","LAYOUT_TYPE_IN_VIDEO_ENHANCED_TEXT_OVERLAY"]}}; +J2=function(a,b,c,d,e,f,h,l,m,n,p,q,r){P1.call(this,f,a,b,e);this.Oa=c;this.C=h;this.J=l;this.Ha=m;this.Nb=n;this.Ca=p;this.I=q;this.D=r;this.Za=q7a(b,c)}; +t7a=function(){for(var a=["metadata_type_invideo_overlay_ad_renderer"],b=g.t(K1()),c=b.next();!c.done;c=b.next())a.push(c.value);return{Ae:a,Rf:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}}; +K2=function(a){this.Ha=a;this.j=!1}; +u7a=function(a,b,c){gN.call(this,"survey",a,{},b,c)}; +v7a=function(a,b,c,d,e,f,h){P1.call(this,c,a,b,d);this.C=e;this.Ha=f;this.Ca=h}; +w7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +L2=function(a){g.C.call(this);this.B=a;this.Jj=!0;this.Wb=new Map;this.j=new Map;this.u=new Map}; +x7a=function(a,b){var c=[];if(b=a.j.get(b.layoutId)){b=g.t(b);for(var d=b.next();!d.done;d=b.next())(d=a.u.get(d.value.triggerId))&&c.push(d)}return c}; +y7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,"SLOT_TYPE_ABOVE_FEED",f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.rS=Y(function(){return new k7a(f.vc,f.Oa,a,f.Pc,f.Mb)}); +g.E(this,this.rS);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.RW=Y(function(){return new x6a(f.Ha,f.Oa,f.Ca)}); +g.E(this,this.RW);this.Um=Y(function(){return new w7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.AY=Y(function(){return new m7a(f.vc)}); +g.E(this,this.AY);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_ABOVE_FEED",this.Qd],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd],["SLOT_TYPE_PLAYER_UNDERLAY",this.Qd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_SURVEY_SUBMITTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb], +["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_SLOT_ID_UNSCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_PROGRESS_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER", +this.Oe],["TRIGGER_TYPE_SEEK_FORWARD_PAST_MEDIA_TIME_WITH_OFFSET_RELATIVE_TO_LAYOUT_ENTER",this.Oe],["TRIGGER_TYPE_SEEK_BACKWARD_BEFORE_LAYOUT_ENTER_TIME",this.Oe],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE_ALLOW_REACTIVATION_ON_USER_CANCELLED",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED", +this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh],["SLOT_TYPE_PLAYER_UNDERLAY",this.Gd],["SLOT_TYPE_PLAYBACK_TRACKING",this.Gd]]),yq:new Map([["SLOT_TYPE_ABOVE_FEED",this.rS],["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_PLAYBACK_TRACKING",this.RW],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_UNDERLAY",this.AY]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +z7a=function(a,b,c,d,e,f,h,l,m,n){this.vc=a;this.Ha=b;this.Oa=c;this.C=d;this.Mb=e;this.u=f;this.B=h;this.Nb=l;this.Ca=m;this.j=n}; +A7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.hn=Y(function(){return new D1}); +g.E(this,this.hn);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Hu=new B2(a);g.E(this,this.Hu);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.xw=new L2(a);g.E(this,this.xw);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new z7a(f.vc,f.Ha,f.Oa,f.Pc,f.Mb,f.Hu,f.xw,f.Nb,f.Ca,c)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.nK=new r2(a,this.hn,this.eb);g.E(this,this.nK);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY", +this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED",this.Gb],["TRIGGER_TYPE_CLOSE_REQUESTED",this.Hu],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED", +this.Vh],["TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER",this.xw]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc, +Tm:this.eb.get(),zq:this.hn.get(),Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +B7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.NW=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.NW);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_ABOVE_FEED",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST", +this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.NW],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +C7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g2,M2,function(l,m,n,p){return O0(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Um=Y(function(){return new K5a(f.vc,f.Ha,f.Oa,f.Pc,c,f.Ca)}); +g.E(this,this.Um);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_IN_PLAYER",this.Um],["SLOT_TYPE_PLAYER_BYTES", +this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +N2=function(a,b,c,d,e,f,h,l,m){T1.call(this,a,b,c,d,e,f,h,m);this.Bm=l}; +D7a=function(){var a=I5a();a.Ae.push("metadata_type_ad_info_ad_metadata");return a}; +E7a=function(a,b,c,d,e,f){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f}; +F7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,null)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.hf=Y(function(){return new E1}); +g.E(this,this.hf);this.Xh=new f2(g6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va);this.qg=Y(function(){return h}); +this.Zs=h;this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new d2(a,f.He,f.Oa,f.Mb,f.hf,f.Pe,f.Va,f.Ha,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca)}); +g.E(this,this.Wh);this.WY=Y(function(){return new E7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c)}); +g.E(this,this.WY);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd],["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES", +this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED",this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED", +this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING",this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING", +this.Mh],["SLOT_TYPE_IN_PLAYER",this.WY],["SLOT_TYPE_PLAYER_BYTES",this.Wh]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +G7a=function(a,b,c,d,e,f,h){this.vc=a;this.Ha=b;this.Oa=c;this.u=d;this.Bm=e;this.j=f;this.Ca=h}; +H7a=function(a,b,c,d,e){g.C.call(this);var f=this;this.eb=Y(function(){return new LD}); +g.E(this,this.eb);this.Ab=Y(function(){return new c1(f.eb)}); +g.E(this,this.Ab);this.Pc=Y(function(){return new a1}); +g.E(this,this.Pc);this.ac=Y(function(){return new Y0(a)}); +g.E(this,this.ac);this.Ib=Y(function(){return new i1(f.eb,f.Ab,f.Ca)}); +g.E(this,this.Ib);this.Td=Y(function(){return new n1}); +g.E(this,this.Td);this.Bm=Y(function(){return new v6a(b)}); +g.E(this,this.Bm);this.Xf=Y(function(){return new hN(b.V())}); +g.E(this,this.Xf);this.vc=Y(function(){return new u2(b)}); +g.E(this,this.vc);this.Nb=Y(function(){return new r0(e)}); +g.E(this,this.Nb);this.Mc=Y(function(){return new xO(b)}); +g.E(this,this.Mc);this.wc=Y(function(){return new p1(b)}); +g.E(this,this.wc);this.Pe=Y(function(){return new x2(b)}); +g.E(this,this.Pe);this.zd=Y(function(){return new q1(b)}); +g.E(this,this.zd);this.Ca=Y(function(){return new r1(b)}); +g.E(this,this.Ca);this.Lf=Y(function(){return new t2(d)}); +g.E(this,this.Lf);this.Jb=Y(function(){return new d_(f.Ca)}); +g.E(this,this.Jb);this.Wd=Y(function(){return new W0(f.eb,f.Ib,f.Ab,f.Ca,f.Jb,null,f.Dj,3)}); +g.E(this,this.Wd);this.dg=Y(function(){return new y2(b)}); +g.E(this,this.dg);this.cf=Y(function(){return new z2}); +g.E(this,this.cf);this.Va=Y(function(){return new z1(b,f.Td,f.Ca)}); +g.E(this,this.Va);this.Qb=new m1(this.Ca,this.Jb,this.Va);g.E(this,this.Qb);this.xf=Y(function(){return new w2(b,f.Ca,f.Oa)}); +g.E(this,this.xf);this.qf=Y(function(){return new Z6a(b)}); +g.E(this,this.qf);this.Ha=Y(function(){return new A1(b,f.Va,f.Ca)}); +g.E(this,this.Ha);this.hf=Y(function(){return new E1}); +this.Mb=Y(function(){return new t1(f.Ha,b)}); +g.E(this,this.Mb);this.Oa=Y(function(){return new w1(b,f.Pc,f.Mb,f.Va)}); +g.E(this,this.Oa);this.Uc=new HD(this.ac,this.Wd,c,this.Ca,a,this.Va,this.Ha,this.Mc);g.E(this,this.Uc);var h=new o1(b,this.Uc,this.Ha,this.Va,this.xf);this.qg=Y(function(){return h}); +this.Zs=h;this.Xh=new f2(h6a,M2,function(l,m,n,p){return B4a(f.Ab.get(),l,m,n,p)},this.ac,this.Ib,this.Ab,this.Jb,this.Ca,this.Va); +g.E(this,this.Xh);this.Dj=new e2(this.ac,this.Ib,this.qg,this.xf,this.Ha,this.Ca,this.Oa,this.qf);g.E(this,this.Dj);this.tf=new $0(this.ac,this.Ib,this.wc,this.qg);g.E(this,this.tf);this.Yc=new xC(this.Ca,this.ac,this.Ib,this.Wd,this.Va,this.tf,c);g.E(this,this.Yc);this.Ih=Y(function(){return new F1(f.Lf,f.Ab,f.Jb,f.Ca,f.Oa,f.Ha,f.qf)}); +g.E(this,this.Ih);this.Qd=Y(function(){return new G1}); +g.E(this,this.Qd);this.Mf=new l2(a,this.vc,this.Ca);g.E(this,this.Mf);this.Gb=new m2(a);g.E(this,this.Gb);this.Yf=new n2(a,this.qg);g.E(this,this.Yf);this.Oe=new o2(a,this.wc,this.Ha,this.Va);g.E(this,this.Oe);this.Av=new D2(a,this.Va);g.E(this,this.Av);this.He=new p2(a);g.E(this,this.He);this.Vh=new q2(a);g.E(this,this.Vh);this.Gd=Y(function(){return new h2}); +g.E(this,this.Gd);this.Yh=Y(function(){return new i2(f.Ha)}); +g.E(this,this.Yh);this.Hh=Y(function(){return new I1(f.Yc)}); +g.E(this,this.Hh);this.Mh=Y(function(){return new O1(f.Ca,f.Oa,f.He,f.Mb)}); +g.E(this,this.Mh);this.Wh=Y(function(){return new X6a(a,f.He,f.Va,f.qf,f.Ha,f.Oa,f.Td,f.xf,f.Mb,f.hf,f.Pe,f.wc,f.Mc,f.zd,f.Xf,f.Nb,f.dg,f.Ca,f.Pc)}); +g.E(this,this.Wh);this.Um=Y(function(){return new G7a(f.vc,f.Ha,f.Oa,f.Pc,f.Bm,c,f.Ca)}); +g.E(this,this.Um);this.Bn=new s2(a,this.cf,this.Jb,this.Va,this.eb,this.Ca);g.E(this,this.Bn);this.rf={Ov:new Map([["OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED",this.Yc],["OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL",this.Dj],["OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",this.Xh],["OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED",this.Uc],["OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY",this.tf]]),Tp:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Ih],["SLOT_TYPE_FORECASTING",this.Qd], +["SLOT_TYPE_IN_PLAYER",this.Qd],["SLOT_TYPE_PLAYER_BYTES",this.Qd]]),al:new Map([["TRIGGER_TYPE_SKIP_REQUESTED",this.Mf],["TRIGGER_TYPE_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_LAYOUT_ID_EXITED",this.Gb],["TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON",this.Gb],["TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_ENTERED",this.Gb],["TRIGGER_TYPE_SLOT_ID_EXITED",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY",this.Gb],["TRIGGER_TYPE_SLOT_ID_SCHEDULED", +this.Gb],["TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED",this.Yf],["TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED",this.Oe],["TRIGGER_TYPE_MEDIA_TIME_RANGE",this.Oe],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED",this.Av],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED",this.Av],["TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED",this.He],["TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID",this.Yf],["TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED",this.Vh]]),Wq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Gd],["SLOT_TYPE_FORECASTING", +this.Gd],["SLOT_TYPE_IN_PLAYER",this.Gd],["SLOT_TYPE_PLAYER_BYTES",this.Yh]]),yq:new Map([["SLOT_TYPE_AD_BREAK_REQUEST",this.Hh],["SLOT_TYPE_FORECASTING",this.Mh],["SLOT_TYPE_PLAYER_BYTES",this.Wh],["SLOT_TYPE_IN_PLAYER",this.Um]])};this.listeners=[this.Pc.get()];this.yv={Yc:this.Yc,Aq:this.cf.get(),Di:this.Ca.get(),rb:this.Nb.get(),qt:this.Ha.get(),Uc:this.Uc,Tm:this.eb.get(),zq:null,Tl:this.Mf,Kj:this.Pc.get(),An:this.Va.get()}}; +J7a=function(a,b,c,d){g.C.call(this);var e=this;this.j=I7a(function(){return e.u},a,b,c,d); +g.E(this,this.j);this.u=(new h2a(this.j)).B();g.E(this,this.u)}; +O2=function(a){return a.j.yv}; +I7a=function(a,b,c,d,e){try{var f=b.V();if(g.DK(f))var h=new y7a(a,b,c,d,e);else if(g.GK(f))h=new A7a(a,b,c,d,e);else if("WEB_MUSIC_EMBEDDED_PLAYER"===g.rJ(f))h=new C7a(a,b,c,d,e);else if(uK(f))h=new B7a(a,b,c,d,e);else if(g.nK(f))h=new F7a(a,b,c,d,e);else if(g.mK(f))h=new H7a(a,b,c,d,e);else throw new TypeError("Unknown web interface");return h}catch(l){return h=b.V(),GD("Unexpected interface not supported in Ads Control Flow",void 0,void 0,{platform:h.j.cplatform,interface:h.j.c,I7a:h.j.cver,H7a:h.j.ctheme, +G7a:h.j.cplayer,c8a:h.playerStyle}),new l5a(a,b,c,d,e)}}; +K7a=function(a){FQ.call(this,a)}; +L7a=function(a,b,c,d,e){NQ.call(this,a,{G:"div",N:"ytp-ad-timed-pie-countdown-container",W:[{G:"svg",N:"ytp-ad-timed-pie-countdown",X:{viewBox:"0 0 20 20"},W:[{G:"circle",N:"ytp-ad-timed-pie-countdown-background",X:{r:"10",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-inner",X:{r:"5",cx:"10",cy:"10"}},{G:"circle",N:"ytp-ad-timed-pie-countdown-outer",X:{r:"10",cx:"10",cy:"10"}}]}]},"timed-pie-countdown",b,c,d,e);this.B=this.Da("ytp-ad-timed-pie-countdown-inner");this.C=this.Da("ytp-ad-timed-pie-countdown-outer"); +this.u=Math.ceil(10*Math.PI);this.hide()}; +M7a=function(a,b,c,d,e,f){eQ.call(this,a,{G:"div",N:"ytp-ad-action-interstitial",X:{tabindex:"0"},W:[{G:"div",N:"ytp-ad-action-interstitial-background-container"},{G:"div",N:"ytp-ad-action-interstitial-slot",W:[{G:"div",N:"ytp-ad-action-interstitial-card",W:[{G:"div",N:"ytp-ad-action-interstitial-image-container"},{G:"div",N:"ytp-ad-action-interstitial-headline-container"},{G:"div",N:"ytp-ad-action-interstitial-description-container"},{G:"div",N:"ytp-ad-action-interstitial-action-button-container"}]}]}]}, +"ad-action-interstitial",b,c,d);this.pP=e;this.gI=f;this.navigationEndpoint=this.j=this.skipButton=this.u=this.actionButton=null;this.Ja=this.Da("ytp-ad-action-interstitial-image-container");this.J=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-image");g.E(this,this.J);this.J.Ea(this.Ja);this.Ga=this.Da("ytp-ad-action-interstitial-headline-container");this.D=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-headline"); +g.E(this,this.D);this.D.Ea(this.Ga);this.Aa=this.Da("ytp-ad-action-interstitial-description-container");this.C=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-description");g.E(this,this.C);this.C.Ea(this.Aa);this.Ya=this.Da("ytp-ad-action-interstitial-background-container");this.Z=new BQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,"ytp-ad-action-interstitial-background",!0);g.E(this,this.Z);this.Z.Ea(this.Ya);this.Qa=this.Da("ytp-ad-action-interstitial-action-button-container"); +this.slot=this.Da("ytp-ad-action-interstitial-slot");this.B=new Jz;g.E(this,this.B);this.hide()}; +N7a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +R7a=function(a,b,c,d){eQ.call(this,a,{G:"div",N:"ytp-ad-overlay-slot",W:[{G:"div",N:"ytp-ad-overlay-container"}]},"invideo-overlay",b,c,d);this.J=[];this.fb=this.Aa=this.C=this.Ya=this.Ja=null;this.Qa=!1;this.D=null;this.Z=0;a=this.Da("ytp-ad-overlay-container");this.Ga=new WQ(a,45E3,6E3,.3,.4);g.E(this,this.Ga);this.B=O7a(this);g.E(this,this.B);this.B.Ea(a);this.u=P7a(this);g.E(this,this.u);this.u.Ea(a);this.j=Q7a(this);g.E(this,this.j);this.j.Ea(a);this.hide()}; +O7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-text-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"],ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +P7a=function(a){var b=new g.dQ({G:"div",Ia:["ytp-ad-text-overlay","ytp-ad-enhanced-overlay"],W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-text-image",W:[{G:"img",X:{src:"{{imageUrl}}"}}]},{G:"div",N:"ytp-ad-overlay-title",ra:"{{title}}"},{G:"div",N:"ytp-ad-overlay-desc",ra:"{{description}}"},{G:"div",Ia:["ytp-ad-overlay-link-inline-block","ytp-ad-overlay-link"], +ra:"{{displayUrl}}"}]});a.S(b.Da("ytp-ad-overlay-title"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-link"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);a.S(b.Da("ytp-ad-overlay-text-image"),"click",a.F7);b.hide();return b}; +Q7a=function(a){var b=new g.dQ({G:"div",N:"ytp-ad-image-overlay",W:[{G:"div",N:"ytp-ad-overlay-ad-info-button-container"},{G:"div",N:"ytp-ad-overlay-close-container",W:[{G:"button",N:"ytp-ad-overlay-close-button",W:[uQ(S7a)]}]},{G:"div",N:"ytp-ad-overlay-image",W:[{G:"img",X:{src:"{{imageUrl}}",width:"{{width}}",height:"{{height}}"}}]}]});a.S(b.Da("ytp-ad-overlay-image"),"click",function(c){P2(a,b.element,c)}); +a.S(b.Da("ytp-ad-overlay-close-container"),"click",a.Zo);b.hide();return b}; +T7a=function(a,b){if(b){var c=g.K(b,S0)||null;if(null==c)g.CD(Error("AdInfoRenderer did not contain an AdHoverTextButtonRenderer."));else if(b=g.kf("video-ads ytp-ad-module")||null,null==b)g.CD(Error("Could not locate the root ads container element to attach the ad info dialog."));else if(a.Aa=new g.dQ({G:"div",N:"ytp-ad-overlay-ad-info-dialog-container"}),g.E(a,a.Aa),a.Aa.Ea(b),b=new KQ(a.api,a.layoutId,a.interactionLoggingClientData,a.rb,a.Aa.element,!1),g.E(a,b),b.init(fN("ad-info-hover-text-button"), +c,a.macros),a.D){b.Ea(a.D,0);b.subscribe("f",a.h5,a);b.subscribe("e",a.XN,a);a.S(a.D,"click",a.i5);var d=g.kf("ytp-ad-button",b.element);a.S(d,"click",function(){var e;if(g.K(null==(e=g.K(c.button,g.mM))?void 0:e.serviceEndpoint,kFa))a.Qa=2===a.api.getPlayerState(1),a.api.pauseVideo();else a.api.onAdUxClicked("ad-info-hover-text-button",a.layoutId)}); +a.fb=b}else g.CD(Error("Ad info button container within overlay ad was not present."))}else g.DD(Error("AdInfoRenderer was not present within InvideoOverlayAdRenderer."))}; +V7a=function(a,b){if(U7a(a,Q2)||a.api.zg())return!1;var c=fQ(b.title),d=fQ(b.description);if(g.Tb(c)||g.Tb(d))return!1;a.Zf(a.B.element,b.trackingParams||null);a.B.updateValue("title",fQ(b.title));a.B.updateValue("description",fQ(b.description));a.B.updateValue("displayUrl",fQ(b.displayUrl));b.navigationEndpoint&&g.Cb(a.J,b.navigationEndpoint);a.B.show();a.Ga.start();a.Ua(a.B.element,!0);a.S(a.B.element,"mouseover",function(){a.Z++}); return!0}; -g.N0=function(a,b){b!==a.Y&&(a.ea(),2===b&&1===a.getPresentingPlayerType()&&(z0(a,-1),z0(a,5)),a.Y=b,a.u.V("appstatechange",b))}; -z0=function(a,b){a.ea();if(a.D){var c=a.D.getPlayerType();if(2===c&&!a.cd()){a.Qc!==b&&(a.Qc=b,a.u.xa("onAdStateChange",b));return}if(2===c&&a.cd()||5===c||6===c||7===c)if(-1===b||0===b||5===b)return}a.Nb!==b&&(a.Nb=b,a.u.xa("onStateChange",b))}; -QAa=function(a,b,c,d,e){a.ea();b=a.I?fwa(a.I,b,c,d,e):owa(a.te,b,c,d,e);a.ea();return b}; -RAa=function(a,b,c){if(a.I){a=a.I;for(var d=void 0,e=null,f=g.q(a.B),h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),gwa(a,e,c,d)):wY(a,"Invalid timelinePlaybackId="+b+" specified")}else{a=a.te;d=void 0;e=null;f=g.q(a.u);for(h=f.next();!h.done;h=f.next())if(h=h.value,h.Hc===b){e=h;break}e?(a.ea(),void 0===d&&(d=e.gd),vwa(a,e,c,d)):DY(a,"e.InvalidTimelinePlaybackId timelinePlaybackId="+b)}}; -SAa=function(a,b,c,d){d=void 0===d?Infinity:d;a.ea();c=c||a.D.getPlayerType();var e;g.Q(a.W.experiments,"html5_gapless_preloading")&&(e=P0(a,c,b,!0));e||(e=t0(a,c),e.hi(b,function(){return a.De()})); -pwa(a,e,d)}; -pwa=function(a,b,c,d){d=void 0===d?0:d;var e=g.Z(a);e&&(C0(a,e).iI=!0);Tva(a.Ga,b,c,d).then(function(){a.u.xa("onQueuedVideoLoaded")},function(){})}; -UAa=function(a,b,c,d){var e=V0(c,b.videoId,b.Hc);a.ea();b.an=!0;var f=a.D&&e===V0(a.D.getPlayerType(),a.D.getVideoData().videoId,a.D.getVideoData().Hc)?a.D:t0(a,c);f.hi(b,function(){return a.De()}); -!g.Q(a.W.experiments,"unplugged_tvhtml5_video_preload_no_dryrun")&&1===c&&ID(a.W)||vT(f,!0);a.kb.set(e,f,d||3600);d="prefetch"+b.videoId;SE("prefetch",["pfp"],void 0,d);VE({playerInfo:{playbackType:TAa[c]},videoId:b.videoId},d);a.ea()}; -V0=function(a,b,c){return a+"_"+b+"_"+c}; -P0=function(a,b,c,d){if(!f){var e=V0(b,c.videoId,c.Hc);var f=a.kb.get(e);if(!f)return null;a.kb.remove(e);if(g.U(f.getPlayerState(),128))return f.dispose(),null}if(f===g.Z(a,b))return f;if((f.getVideoData().oauthToken||c.oauthToken)&&f.getVideoData().oauthToken!==c.oauthToken)return null;d||Uva(a,f);return f}; -Uva=function(a,b){var c=b.getPlayerType();b!==g.Z(a,c)&&(1===b.getPlayerType()?(b.getVideoData().autonavState=a.B.getVideoData().autonavState,wt(a.B,a.Dc,a),c=a.B.getPlaybackRate(),a.B.dispose(),a.B=b,a.B.setPlaybackRate(c),vt(b,a.Dc,a),KAa(a)):(c=g.Z(a,c))&&c.dispose(),a.D.getPlayerType()===b.getPlayerType()?aU(a,b):y0(a,b))}; -A0=function(a,b){var c=a.W.yn&&g.Q(a.W.experiments,"html5_block_pip_with_events")||g.Q(a.W.experiments,"html5_block_pip_non_mse")&&"undefined"===typeof MediaSource;if(b&&c&&a.getVideoData()&&!a.getVideoData().backgroundable&&a.da&&(c=a.da.Pa())){pt(c);return}c=a.visibility;c.pictureInPicture!==b&&(c.pictureInPicture=b,c.ff())}; -KY=function(a,b,c,d){a.ea();WE("_start",a.eb.timerName)||(hta(a.eb),a.eb.info("srt",0));var e=P0(a,c||a.D.getPlayerType(),b,!1);e&&PE("pfp",void 0,"prefetch"+b.videoId);if(!e){e=g.Z(a,c);if(!e)return!1;a.kc.stop();a.cancelPlayback(4,c);e.hi(b,function(){return a.De()},d)}e===a.B&&(a.W.sf=b.oauthToken); -if(!a0(e))return!1;a.Zb&&(e.Ac.u=!1,a.Zb=!1);if(e===a.B)return g.N0(a,1),L0(a);h0(e);return!0}; -W0=function(a,b,c){c=g.Z(a,c);b&&c===a.B&&(c.getVideoData().Uj=!0)}; -X0=function(a,b,c){a.ea();var d=g.Z(a,c);d&&(a.cancelPlayback(4,c),d.hi(b,function(){return a.De()}),2===c&&a.B&&a.B.Yo(b.clientPlaybackNonce,b.Xo||"",b.breakType||0),d===a.B&&(g.N0(a,1),IAa(a))); -a.ea()}; -g.FT=function(a,b,c,d,e,f){if(!b&&!d)throw Error("Playback source is invalid");if(jD(a.W)||g.JD(a.W))return c=c||{},c.lact=Bp(),c.vis=a.u.getVisibilityState(),a.u.xa("onPlayVideo",{videoId:b,watchEndpoint:f,sessionData:c,listId:d}),!1;c=a.eb;c.u&&(f=c.u,f.B={},f.u={});c.B=!1;a.eb.reset();b={video_id:b};e&&(b.autoplay="1");e&&(b.autonav="1");d?(b.list=d,a.loadPlaylist(b)):a.loadVideoByPlayerVars(b,1);return!0}; -VAa=function(a,b,c,d,e){b=Dsa(b,c,d,e);(c=g.nD(a.W)&&g.Q(a.W.experiments,"embeds_wexit_list_ajax_migration"))&&!a.R&&(b.fetch=0);H0(a,b);g.nD(a.W)&&a.eb.tick("ep_a_pr_s");if(c&&!a.R)c=E0(a),sta(c,b).then(function(){J0(a)}); -else a.playlist.onReady(function(){K0(a)}); -g.nD(a.W)&&a.eb.tick("ep_a_pr_r")}; -K0=function(a){var b=a.playlist.Ma();if(b){var c=a.getVideoData();if(c.eh||!a.Aa){var d=c.Uj;b=g.nD(a.W)&&a.ba("embeds_wexit_list_ajax_migration")?KY(a,a.playlist.Ma(void 0,c.eh,c.Kh)):KY(a,b);d&&W0(a,b)}else X0(a,b)}g.nD(a.W)&&a.eb.tick("ep_p_l");a.u.xa("onPlaylistUpdate")}; -g.Y0=function(a){if(a.u.isMutedByMutedAutoplay())return!1;if(3===a.getPresentingPlayerType())return!0;FD(a.W)&&!a.R&&I0(a);return!(!a.playlist||!a.playlist.hasNext())}; -DAa=function(a){if(a.playlist&&g.nD(a.W)&&g.Y0(a)){var b=g.Q(a.W.experiments,"html5_player_autonav_logging");a.nextVideo(!1,b);return!0}return!1}; -T0=function(a,b){var c=g.Ja(b);if(c){var d=LAa();d&&d.list&&c();a.ub=null}else a.ub=b}; -LAa=function(){var a=g.Ja("yt.www.watch.lists.getState");return a?a():null}; -g.WAa=function(a){if(!a.da||!a.da.ol())return null;var b=a.da;a.fa?a.fa.setMediaElement(b):(a.fa=Bwa(a.u,b),a.fa&&g.D(a,a.fa));return a.fa}; -XAa=function(a,b,c,d,e,f){b={id:b,namespace:"appapi"};"chapter"===f?(b.style=dF.CHAPTER_MARKER,b.visible=!0):isNaN(e)||("ad"===f?b.style=dF.AD_MARKER:(b.style=dF.TIME_MARKER,b.color=e),b.visible=!0);a.Kp([new g.eF(1E3*c,1E3*d,b)],1);return!0}; -ata=function(a){var b=(0,g.N)(),c=a.getCurrentTime();a=a.getVideoData();c=1E3*(c-a.startSeconds);a.isLivePlayback&&(c=0);return b-Math.max(c,0)}; -AT=function(a,b,c){a.W.X&&(a.P=b,b.muted||O0(a,!1),c&&a.W.Rl&&!a.W.Ya&&YAa({volume:Math.floor(b.volume),muted:b.muted}),ZAa(a),c=g.pB&&a.da&&!a.da.We(),!a.W.Ya||c)&&(b=g.Vb(b),a.W.Rl||(b.unstorable=!0),a.u.xa("onVolumeChange",b))}; -ZAa=function(a){var b=a.getVideoData();if(!b.Yl){b=a.W.Ya?1:oJ(b);var c=a.da;c.gp(a.P.muted);c.setVolume(a.P.volume*b/100)}}; -O0=function(a,b){b!==a.Ta&&(a.Ta=b,a.u.xa("onMutedAutoplayChange",b))}; -Z0=function(a){var b=ot(!0);return b&&(b===a.template.element||a.da&&b===a.da.Pa())?b:null}; -aBa=function(a,b){var c=window.screen&&window.screen.orientation;if((g.Q(a.W.experiments,"lock_fullscreen2")||a.W.ba("embeds_enable_mobile_custom_controls")&&a.W.u)&&c&&c.lock&&(!g.pB||!$Aa))if(b){var d=0===c.type.indexOf("portrait"),e=a.template.getVideoAspectRatio(),f=d;1>e?f=!0:1>16,a>>8&255,a&255]}; -jBa=function(){if(!g.ye)return!1;try{return new ActiveXObject("MSXML2.DOMDocument"),!0}catch(a){return!1}}; -g.e1=function(a){if("undefined"!=typeof DOMParser){var b=new DOMParser;rg();a=cd(a,null);return b.parseFromString(g.bd(a),"application/xml")}if(kBa){b=new ActiveXObject("MSXML2.DOMDocument");b.resolveExternals=!1;b.validateOnParse=!1;try{b.setProperty("ProhibitDTD",!0),b.setProperty("MaxXMLSize",2048),b.setProperty("MaxElementDepth",256)}catch(c){}b.loadXML(a);return b}throw Error("Your browser does not support loading xml documents");}; -g.f1=function(a){g.C.call(this);this.B=a;this.u={}}; -lBa=function(a,b,c,d,e,f){if(Array.isArray(c))for(var h=0;hdocument.documentMode)c=le;else{var d=document;"function"===typeof HTMLTemplateElement&&(d=g.qf("TEMPLATE").content.ownerDocument);d=d.implementation.createHTMLDocument("").createElement("DIV");d.style.cssText=c;c=vla(d.style)}b=new je([c,Lba({"background-image":'url("'+b+'")'})].map(tga).join(""),ie);a.style.cssText=ke(b)}}; +q8a=function(a){var b=g.kf("html5-video-player");b&&g.Up(b,"ytp-ad-display-override",a)}; +Y2=function(a,b,c){FQ.call(this,a);this.api=a;this.rb=b;this.u={};a=new g.U({G:"div",Ia:["video-ads","ytp-ad-module"]});g.E(this,a);cK&&g.Qp(a.element,"ytp-ads-tiny-mode");this.D=new XP(a.element);g.E(this,this.D);g.NS(this.api,a.element,4);U2a(c)&&(c=new g.U({G:"div",Ia:["ytp-ad-underlay"]}),g.E(this,c),this.B=new XP(c.element),g.E(this,this.B),g.NS(this.api,c.element,0));g.E(this,XEa())}; +r8a=function(a,b){a=g.jd(a.u,b.id,null);null==a&&g.DD(Error("Component not found for element id: "+b.id));return a||null}; +s8a=function(a){g.CT.call(this,a);var b=this;this.u=this.xe=null;this.created=!1;this.fu=new zP(this.player);this.B=function(){function d(){return b.xe} +if(null!=b.u)return b.u;var e=iEa({Dl:a.getVideoData(1)});e=new q1a({I1:d,ou:e.l3(),l2:d,W4:d,Tl:O2(b.j).Tl,Wl:e.YL(),An:O2(b.j).An,F:b.player,Di:O2(b.j).Di,Oa:b.j.j.Oa,Kj:O2(b.j).Kj,zd:b.j.j.zd});b.u=e.IZ;return b.u}; +this.j=new J7a(this.player,this,this.fu,this.B);g.E(this,this.j);var c=a.V();!sK(c)||g.mK(c)||uK(c)||(g.E(this,new Y2(a,O2(this.j).rb,O2(this.j).Di)),g.E(this,new K7a(a)))}; +t8a=function(a){a.created!==a.loaded&&GD("Created and loaded are out of sync")}; +v8a=function(a){g.CT.prototype.load.call(a);var b=O2(a.j).Di;zsa(b.F.V().K("html5_reduce_ecatcher_errors"));try{a.player.getRootNode().classList.add("ad-created")}catch(n){GD(n instanceof Error?n:String(n))}var c=a.B(),d=a.player.getVideoData(1),e=d&&d.videoId||"",f=d&&d.getPlayerResponse()||{},h=(!a.player.V().experiments.ob("debug_ignore_ad_placements")&&f&&f.adPlacements||[]).map(function(n){return n.adPlacementRenderer}),l=((null==f?void 0:f.adSlots)||[]).map(function(n){return g.K(n,gra)}); +f=f.playerConfig&&f.playerConfig.daiConfig&&f.playerConfig.daiConfig.enableDai||!1;var m=d&&d.fd()||!1;b=u8a(h,l,b,f,m,O2(a.j).Tm);1<=b.Bu.length&&g.DK(a.player.V())&&(null==d||d.xa("abv45",{rs:b.Bu.map(function(n){return Object.keys(n.renderer||{}).join("_")}).join("__")})); +h=d&&d.clientPlaybackNonce||"";d=d&&d.Du||!1;l=1E3*a.player.getDuration(1);a.xe=new TP(a,a.player,a.fu,c,O2(a.j));sEa(a.xe,b.Bu);a.j.j.Zs.Nj(h,l,d,b.nH,b.vS,b.nH.concat(b.Bu),f,e);UP(a.xe)}; +w8a=function(a,b){b===a.Gx&&(a.Gx=void 0)}; +x8a=function(a){a.xe?O2(a.j).Uc.rM()||a.xe.rM()||VP(O2(a.j).qt):GD("AdService is null when calling maybeUnlockPrerollIfReady")}; +y8a=function(a){a=g.t(O2(a.j).Kj.Vk.keys());for(var b=a.next();!b.done;b=a.next())if(b=b.value,"SLOT_TYPE_PLAYER_BYTES"===b.slotType&&"core"===b.bb)return!0;GD("Ads Playback Not Managed By Controlflow");return!1}; +z8a=function(a){a=g.t(O2(a.j).Kj.Vk.values());for(var b=a.next();!b.done;b=a.next())if("LAYOUT_TYPE_MEDIA_BREAK"===b.value.layoutType)return!0;return!1}; +yC=function(a,b,c,d,e){c=void 0===c?[]:c;d=void 0===d?"":d;e=void 0===e?"":e;var f=O2(a.j).Di,h=a.player.getVideoData(1),l=h&&h.getPlayerResponse()||{};l=l&&l.playerConfig&&l.playerConfig.daiConfig&&l.playerConfig.daiConfig.enableDai||!1;h=h&&h.fd()||!1;c=u8a(b,c,f,l,h,O2(a.j).Tm);kra(O2(a.j).Yc,d,c.nH,c.vS,b,e);a.xe&&0b.Fw;b={Fw:b.Fw},++b.Fw){var c=new g.U({G:"a",N:"ytp-suggestion-link",X:{href:"{{link}}",target:a.api.V().ea,"aria-label":"{{aria_label}}"},W:[{G:"div",N:"ytp-suggestion-image"},{G:"div",N:"ytp-suggestion-overlay",X:{style:"{{blink_rendering_hack}}","aria-hidden":"{{aria_hidden}}"},W:[{G:"div",N:"ytp-suggestion-title",ra:"{{title}}"},{G:"div",N:"ytp-suggestion-author",ra:"{{author_and_views}}"},{G:"div",X:{"data-is-live":"{{is_live}}"},N:"ytp-suggestion-duration", +ra:"{{duration}}"}]}]});g.E(a,c);var d=c.Da("ytp-suggestion-link");g.Hm(d,"transitionDelay",b.Fw/20+"s");a.C.S(d,"click",function(e){return function(f){var h=e.Fw;if(a.B){var l=a.suggestionData[h],m=l.sessionData;g.fK(a.api.V())&&a.api.K("web_player_log_click_before_generating_ve_conversion_params")?(a.api.qb(a.u[h].element),h=l.Ak(),l={},g.nKa(a.api,l,"emb_rel_pause"),h=g.Zi(h,l),g.VT(h,a.api,f)):g.UT(f,a.api,a.J,m||void 0)&&a.api.Kn(l.videoId,m,l.playlistId)}else g.EO(f),document.activeElement.blur()}}(b)); +c.Ea(a.suggestions.element);a.u.push(c);a.api.Zf(c.element,c)}}; +F8a=function(a){if(a.api.V().K("web_player_log_click_before_generating_ve_conversion_params"))for(var b=Math.floor(-a.j/(a.D+8)),c=Math.min(b+a.columns,a.suggestionData.length)-1;b<=c;b++)a.api.Ua(a.u[b].element,!0)}; +g.a3=function(a){var b=a.I.yg()?32:16;b=a.Z/2+b;a.next.element.style.bottom=b+"px";a.previous.element.style.bottom=b+"px";b=a.j;var c=a.containerWidth-a.suggestionData.length*(a.D+8);g.Up(a.element,"ytp-scroll-min",0<=b);g.Up(a.element,"ytp-scroll-max",b<=c)}; +H8a=function(a){for(var b=a.suggestionData.length,c=0;cb)for(;16>b;++b)c=a.u[b].Da("ytp-suggestion-link"),g.Hm(c,"display","none");g.a3(a)}; +aaa=[];da="function"==typeof Object.defineProperties?Object.defineProperty:function(a,b,c){if(a==Array.prototype||a==Object.prototype)return a;a[b]=c.value;return a}; +g.ca=caa(this);ea("Symbol",function(a){function b(f){if(this instanceof b)throw new TypeError("Symbol is not a constructor");return new c(d+(f||"")+"_"+e++,f)} +function c(f,h){this.j=f;da(this,"description",{configurable:!0,writable:!0,value:h})} +if(a)return a;c.prototype.toString=function(){return this.j}; +var d="jscomp_symbol_"+(1E9*Math.random()>>>0)+"_",e=0;return b}); +ea("Symbol.iterator",function(a){if(a)return a;a=Symbol("Symbol.iterator");for(var b="Array Int8Array Uint8Array Uint8ClampedArray Int16Array Uint16Array Int32Array Uint32Array Float32Array Float64Array".split(" "),c=0;c=f}}); -ha("Array.prototype.find",function(a){return a?a:function(b,c){return Aa(this,b,c).rI}}); -ha("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=za(this,b,"startsWith");b+="";for(var e=d.length,f=b.length,h=Math.max(0,Math.min(c|0,d.length)),l=0;l=f}}); -ha("String.prototype.repeat",function(a){return a?a:function(b){var c=za(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); -ha("Object.setPrototypeOf",function(a){return a||oa}); -var qBa="function"==typeof Object.assign?Object.assign:function(a,b){for(var c=1;cf&&(f=Math.max(f+e,0));fb?-c:c}}); -ha("Array.prototype.fill",function(a){return a?a:function(b,c,d){var e=this.length||0;0>c&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);c=e}}); +ea("String.prototype.startsWith",function(a){return a?a:function(b,c){var d=Aa(this,b,"startsWith");b+="";var e=d.length,f=b.length;c=Math.max(0,Math.min(c|0,d.length));for(var h=0;h=f}}); +ea("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); +ea("String.prototype.repeat",function(a){return a?a:function(b){var c=Aa(this,null,"repeat");if(0>b||1342177279>>=1)c+=c;return d}}); +ea("Set",function(a){function b(c){this.j=new Map;if(c){c=g.t(c);for(var d;!(d=c.next()).done;)this.add(d.value)}this.size=this.j.size} +if(function(){if(!a||"function"!=typeof a||!a.prototype.entries||"function"!=typeof Object.seal)return!1;try{var c=Object.seal({x:4}),d=new a(g.t([c]));if(!d.has(c)||1!=d.size||d.add(c)!=d||1!=d.size||d.add({x:4})!=d||2!=d.size)return!1;var e=d.entries(),f=e.next();if(f.done||f.value[0]!=c||f.value[1]!=c)return!1;f=e.next();return f.done||f.value[0]==c||4!=f.value[0].x||f.value[1]!=f.value[0]?!1:e.next().done}catch(h){return!1}}())return a; +b.prototype.add=function(c){c=0===c?0:c;this.j.set(c,c);this.size=this.j.size;return this}; +b.prototype.delete=function(c){c=this.j.delete(c);this.size=this.j.size;return c}; +b.prototype.clear=function(){this.j.clear();this.size=0}; +b.prototype.has=function(c){return this.j.has(c)}; +b.prototype.entries=function(){return this.j.entries()}; +b.prototype.values=function(){return this.j.values()}; +b.prototype.keys=b.prototype.values;b.prototype[Symbol.iterator]=b.prototype.values;b.prototype.forEach=function(c,d){var e=this;this.j.forEach(function(f){return c.call(d,f,f,e)})}; return b}); -ha("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)Ba(b,d)&&c.push(b[d]);return c}}); -ha("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); -ha("Object.fromEntries",function(a){return a?a:function(b){var c={};if(!(Symbol.iterator in b))throw new TypeError(""+b+" is not iterable");b=b[Symbol.iterator].call(b);for(var d=b.next();!d.done;d=b.next()){d=d.value;if(Object(d)!==d)throw new TypeError("iterable for fromEntries should yield objects");c[d[0]]=d[1]}return c}}); -ha("Number.isFinite",function(a){return a?a:function(b){return"number"!==typeof b?!1:!isNaN(b)&&Infinity!==b&&-Infinity!==b}}); -ha("WeakSet",function(a){function b(c){this.u=new WeakMap;if(c){c=g.q(c);for(var d;!(d=c.next()).done;)this.add(d.value)}} -if(function(){if(!a||!Object.seal)return!1;try{var c=Object.seal({}),d=Object.seal({}),e=new a([c]);if(!e.has(c)||e.has(d))return!1;e["delete"](c);e.add(d);return!e.has(c)&&e.has(d)}catch(f){return!1}}())return a; -b.prototype.add=function(c){this.u.set(c,!0);return this}; -b.prototype.has=function(c){return this.u.has(c)}; -b.prototype["delete"]=function(c){return this.u["delete"](c)}; +ea("Array.prototype.values",function(a){return a?a:function(){return za(this,function(b,c){return c})}}); +ea("Number.MAX_SAFE_INTEGER",function(){return 9007199254740991}); +ea("Number.isNaN",function(a){return a?a:function(b){return"number"===typeof b&&isNaN(b)}}); +ea("Array.prototype.entries",function(a){return a?a:function(){return za(this,function(b,c){return[b,c]})}}); +ea("Array.from",function(a){return a?a:function(b,c,d){c=null!=c?c:function(l){return l}; +var e=[],f="undefined"!=typeof Symbol&&Symbol.iterator&&b[Symbol.iterator];if("function"==typeof f){b=f.call(b);for(var h=0;!(f=b.next()).done;)e.push(c.call(d,f.value,h++))}else for(f=b.length,h=0;hc&&(c=Math.max(0,e+c));if(null==d||d>e)d=e;d=Number(d);0>d&&(d=Math.max(0,e+d));for(c=Number(c||0);cc&&(c=Math.max(c+e,0));cb?-c:c}}); +ea("Array.prototype.findIndex",function(a){return a?a:function(b,c){return naa(this,b,c).i}}); +ea("Object.values",function(a){return a?a:function(b){var c=[],d;for(d in b)ha(b,d)&&c.push(b[d]);return c}}); +ea("Math.sign",function(a){return a?a:function(b){b=Number(b);return 0===b||isNaN(b)?b:0c?Math.max(f+c,0):Math.min(c,f);d=0>d?Math.max(f+d,0):Math.min(d,f);e=0>e?Math.max(f+e,0):Math.min(e,f);if(cd;)--e in this?this[--c]=this[e]:delete this[--c];return this}}); -ha("Int8Array.prototype.copyWithin",Ea);ha("Uint8Array.prototype.copyWithin",Ea);ha("Uint8ClampedArray.prototype.copyWithin",Ea);ha("Int16Array.prototype.copyWithin",Ea);ha("Uint16Array.prototype.copyWithin",Ea);ha("Int32Array.prototype.copyWithin",Ea);ha("Uint32Array.prototype.copyWithin",Ea);ha("Float32Array.prototype.copyWithin",Ea);ha("Float64Array.prototype.copyWithin",Ea);g.k1=g.k1||{};g.v=this||self;eaa=/^[\w+/_-]+[=]{0,2}$/;Ha=null;Qa="closure_uid_"+(1E9*Math.random()>>>0);faa=0;g.Va(Ya,Error);Ya.prototype.name="CustomError";var ne;g.Va(Za,Ya);Za.prototype.name="AssertionError";var ib,ki;ib=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); +ea("Int8Array.prototype.copyWithin",Da);ea("Uint8Array.prototype.copyWithin",Da);ea("Uint8ClampedArray.prototype.copyWithin",Da);ea("Int16Array.prototype.copyWithin",Da);ea("Uint16Array.prototype.copyWithin",Da);ea("Int32Array.prototype.copyWithin",Da);ea("Uint32Array.prototype.copyWithin",Da);ea("Float32Array.prototype.copyWithin",Da);ea("Float64Array.prototype.copyWithin",Da); +ea("String.prototype.replaceAll",function(a){return a?a:function(b,c){if(b instanceof RegExp&&!b.global)throw new TypeError("String.prototype.replaceAll called with a non-global RegExp argument.");return b instanceof RegExp?this.replace(b,c):this.replace(new RegExp(String(b).replace(/([-()\[\]{}+?*.$\^|,:#>>0);paa=0;g.k=Va.prototype;g.k.K1=function(a){var b=g.ya.apply(1,arguments),c=this.IL(b);c?c.push(new saa(a)):this.HX(a,b)}; +g.k.HX=function(a){this.Rx.set(this.RT(g.ya.apply(1,arguments)),[new saa(a)])}; +g.k.IL=function(){var a=this.RT(g.ya.apply(0,arguments));return this.Rx.has(a)?this.Rx.get(a):void 0}; +g.k.o3=function(){var a=this.IL(g.ya.apply(0,arguments));return a&&a.length?a[0]:void 0}; +g.k.clear=function(){this.Rx.clear()}; +g.k.RT=function(){var a=g.ya.apply(0,arguments);return a?a.join(","):"key"};g.w(Wa,Va);Wa.prototype.B=function(a){var b=g.ya.apply(1,arguments),c=0,d=this.o3(b);d&&(c=d.PS);this.HX(c+a,b)};g.w(Ya,Va);Ya.prototype.Sf=function(a){this.K1(a,g.ya.apply(1,arguments))};g.C.prototype.Eq=!1;g.C.prototype.isDisposed=function(){return this.Eq}; +g.C.prototype.dispose=function(){this.Eq||(this.Eq=!0,this.qa())}; +g.C.prototype.qa=function(){if(this.zm)for(;this.zm.length;)this.zm.shift()()};g.Ta(cb,Error);cb.prototype.name="CustomError";var fca;g.Ta(fb,cb);fb.prototype.name="AssertionError";g.ib.prototype.stopPropagation=function(){this.u=!0}; +g.ib.prototype.preventDefault=function(){this.defaultPrevented=!0};var vaa,$l,Wm;vaa=Array.prototype.indexOf?function(a,b){return Array.prototype.indexOf.call(a,b,void 0)}:function(a,b){if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.indexOf(b,0); for(var c=0;cc&&(c=Math.max(0,a.length+c));if("string"===typeof a)return"string"!==typeof b||1!=b.length?-1:a.lastIndexOf(b,c);for(;0<=c;c--)if(c in a&&a[c]===b)return c;return-1}; -g.Cb=Array.prototype.forEach?function(a,b,c){Array.prototype.forEach.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,tc=/"/g,uc=/'/g,vc=/\x00/g,waa=/[\x00&<>"']/;g.Ec.prototype.Rj=!0;g.Ec.prototype.Tg=function(){return this.C.toString()}; -g.Ec.prototype.B=!0;g.Ec.prototype.u=function(){return 1}; -var yaa=/^(?:audio\/(?:3gpp2|3gpp|aac|L16|midi|mp3|mp4|mpeg|oga|ogg|opus|x-m4a|x-matroska|x-wav|wav|webm)|font\/\w+|image\/(?:bmp|gif|jpeg|jpg|png|tiff|webp|x-icon)|video\/(?:mpeg|mp4|ogg|webm|quicktime|x-matroska))(?:;\w+=(?:\w+|"[\w;,= ]+"))*$/i,xaa=/^data:(.*);base64,[a-z0-9+\/]+=*$/i,Hc=/^(?:(?:https?|mailto|ftp):|[^:/?#]*(?:[/?#]|$))/i,Dc={},Ic=new g.Ec("about:invalid#zClosurez",Dc);Mc.prototype.Rj=!0;Mc.prototype.Tg=function(){return this.u}; -var Lc={},Rc=new Mc("",Lc),Aaa=/^[-,."'%_!# a-zA-Z0-9\[\]]+$/,Uc=RegExp("\\b(url\\([ \t\n]*)('[ -&(-\\[\\]-~]*'|\"[ !#-\\[\\]-~]*\"|[!#-&*-\\[\\]-~]*)([ \t\n]*\\))","g"),Tc=RegExp("\\b(calc|cubic-bezier|fit-content|hsl|hsla|linear-gradient|matrix|minmax|repeat|rgb|rgba|(rotate|scale|translate)(X|Y|Z|3d)?)\\([-+*/0-9a-z.%\\[\\], ]+\\)","g"),Baa=/\/\*/;a:{var vBa=g.v.navigator;if(vBa){var wBa=vBa.userAgent;if(wBa){g.Vc=wBa;break a}}g.Vc=""};ad.prototype.B=!0;ad.prototype.u=function(){return this.D}; -ad.prototype.Rj=!0;ad.prototype.Tg=function(){return this.C.toString()}; -var xBa=/^[a-zA-Z0-9-]+$/,yBa={action:!0,cite:!0,data:!0,formaction:!0,href:!0,manifest:!0,poster:!0,src:!0},zBa={APPLET:!0,BASE:!0,EMBED:!0,IFRAME:!0,LINK:!0,MATH:!0,META:!0,OBJECT:!0,SCRIPT:!0,STYLE:!0,SVG:!0,TEMPLATE:!0},$c={},ed=new ad(g.v.trustedTypes&&g.v.trustedTypes.emptyHTML||"",0,$c);var Iaa=bb(function(){var a=document.createElement("div"),b=document.createElement("div");b.appendChild(document.createElement("div"));a.appendChild(b);b=a.firstChild.firstChild;a.innerHTML=g.bd(ed);return!b.parentElement});g.ABa=String.prototype.repeat?function(a,b){return a.repeat(b)}:function(a,b){return Array(b+1).join(a)};var wd=/^(?:([^:/?#.]+):)?(?:\/\/(?:([^\\/?#]*)@)?([^\\/?#]*?)(?::([0-9]+))?(?=[\\/?#]|$))?([^?#]+)?(?:\?([^#]*))?(?:#([\s\S]*))?$/,Pd=/#|$/,Kaa=/[?&]($|#)/;Wd[" "]=g.Ka;var wg,fE,$Aa,BBa,CBa,DBa,eD,fD,l1;g.xg=Wc("Opera");g.ye=Wc("Trident")||Wc("MSIE");g.hs=Wc("Edge");g.OD=g.hs||g.ye;wg=Wc("Gecko")&&!(yc(g.Vc,"WebKit")&&!Wc("Edge"))&&!(Wc("Trident")||Wc("MSIE"))&&!Wc("Edge");g.Ae=yc(g.Vc,"WebKit")&&!Wc("Edge");fE=Wc("Macintosh");$Aa=Wc("Windows");g.qr=Wc("Android");BBa=Ud();CBa=Wc("iPad");DBa=Wc("iPod");eD=Vd();fD=yc(g.Vc,"KaiOS"); -a:{var m1="",n1=function(){var a=g.Vc;if(wg)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.hs)return/Edge\/([\d\.]+)/.exec(a);if(g.ye)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Ae)return/WebKit\/(\S+)/.exec(a);if(g.xg)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); -n1&&(m1=n1?n1[1]:"");if(g.ye){var o1=Zd();if(null!=o1&&o1>parseFloat(m1)){l1=String(o1);break a}}l1=m1}var $d=l1,Maa={},p1;if(g.v.document&&g.ye){var EBa=Zd();p1=EBa?EBa:parseInt($d,10)||void 0}else p1=void 0;var Naa=p1;try{(new self.OffscreenCanvas(0,0)).getContext("2d")}catch(a){}var Oaa=!g.ye||g.be(9),Paa=!wg&&!g.ye||g.ye&&g.be(9)||wg&&g.ae("1.9.1");g.ye&&g.ae("9");var Raa=g.ye||g.xg||g.Ae;g.k=g.ge.prototype;g.k.clone=function(){return new g.ge(this.x,this.y)}; +g.Zl=Array.prototype.every?function(a,b,c){return Array.prototype.every.call(a,b,c)}:function(a,b,c){for(var d=a.length,e="string"===typeof a?a.split(""):a,f=0;f/g,Maa=/"/g,Naa=/'/g,Oaa=/\x00/g,Iaa=/[\x00&<>"']/;var kc,Q8a=g.Ea.navigator;kc=Q8a?Q8a.userAgentData||null:null;Gc[" "]=function(){};var Im,ZW,$0a,R8a,S8a,T8a,bK,cK,U8a;g.dK=pc();g.mf=qc();g.oB=nc("Edge");g.HK=g.oB||g.mf;Im=nc("Gecko")&&!(ac(g.hc(),"WebKit")&&!nc("Edge"))&&!(nc("Trident")||nc("MSIE"))&&!nc("Edge");g.Pc=ac(g.hc(),"WebKit")&&!nc("Edge");ZW=Dc();$0a=Uaa();g.fz=Taa();R8a=Bc();S8a=nc("iPad");T8a=nc("iPod");bK=Cc();cK=ac(g.hc(),"KaiOS"); +a:{var V8a="",W8a=function(){var a=g.hc();if(Im)return/rv:([^\);]+)(\)|;)/.exec(a);if(g.oB)return/Edge\/([\d\.]+)/.exec(a);if(g.mf)return/\b(?:MSIE|rv)[: ]([^\);]+)(\)|;)/.exec(a);if(g.Pc)return/WebKit\/(\S+)/.exec(a);if(g.dK)return/(?:Version)[ \/]?(\S+)/.exec(a)}(); +W8a&&(V8a=W8a?W8a[1]:"");if(g.mf){var X8a=Yaa();if(null!=X8a&&X8a>parseFloat(V8a)){U8a=String(X8a);break a}}U8a=V8a}var Ic=U8a,Waa={},Y8a;if(g.Ea.document&&g.mf){var Z8a=Yaa();Y8a=Z8a?Z8a:parseInt(Ic,10)||void 0}else Y8a=void 0;var Zaa=Y8a;var YMa=$aa("AnimationEnd"),zKa=$aa("TransitionEnd");g.Ta(Qc,g.ib);var $8a={2:"touch",3:"pen",4:"mouse"}; +Qc.prototype.init=function(a,b){var c=this.type=a.type,d=a.changedTouches&&a.changedTouches.length?a.changedTouches[0]:null;this.target=a.target||a.srcElement;this.currentTarget=b;(b=a.relatedTarget)?Im&&(Hc(b,"nodeName")||(b=null)):"mouseover"==c?b=a.fromElement:"mouseout"==c&&(b=a.toElement);this.relatedTarget=b;d?(this.clientX=void 0!==d.clientX?d.clientX:d.pageX,this.clientY=void 0!==d.clientY?d.clientY:d.pageY,this.screenX=d.screenX||0,this.screenY=d.screenY||0):(this.clientX=void 0!==a.clientX? +a.clientX:a.pageX,this.clientY=void 0!==a.clientY?a.clientY:a.pageY,this.screenX=a.screenX||0,this.screenY=a.screenY||0);this.button=a.button;this.keyCode=a.keyCode||0;this.key=a.key||"";this.charCode=a.charCode||("keypress"==c?a.keyCode:0);this.ctrlKey=a.ctrlKey;this.altKey=a.altKey;this.shiftKey=a.shiftKey;this.metaKey=a.metaKey;this.pointerId=a.pointerId||0;this.pointerType="string"===typeof a.pointerType?a.pointerType:$8a[a.pointerType]||"";this.state=a.state;this.j=a;a.defaultPrevented&&Qc.Gf.preventDefault.call(this)}; +Qc.prototype.stopPropagation=function(){Qc.Gf.stopPropagation.call(this);this.j.stopPropagation?this.j.stopPropagation():this.j.cancelBubble=!0}; +Qc.prototype.preventDefault=function(){Qc.Gf.preventDefault.call(this);var a=this.j;a.preventDefault?a.preventDefault():a.returnValue=!1};var aba="closure_listenable_"+(1E6*Math.random()|0);var bba=0;var hba="constructor hasOwnProperty isPrototypeOf propertyIsEnumerable toLocaleString toString valueOf".split(" ");g.k=pd.prototype;g.k.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.j++);var h=sd(a,b,d,e);-1>>0);g.Ta(g.Fd,g.C);g.Fd.prototype[aba]=!0;g.k=g.Fd.prototype;g.k.addEventListener=function(a,b,c,d){g.ud(this,a,b,c,d)}; +g.k.removeEventListener=function(a,b,c,d){pba(this,a,b,c,d)}; +g.k.dispatchEvent=function(a){var b=this.qO;if(b){var c=[];for(var d=1;b;b=b.qO)c.push(b),++d}b=this.D1;d=a.type||a;if("string"===typeof a)a=new g.ib(a,b);else if(a instanceof g.ib)a.target=a.target||b;else{var e=a;a=new g.ib(d,b);g.od(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=Jd(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=Jd(h,d,!0,a)&&e,a.u||(e=Jd(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&fl?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString())+(d?";secure":"")+(null!=e?";samesite="+e:"")}; -g.k.get=function(a,b){for(var c=a+"=",d=(this.u.cookie||"").split(";"),e=0,f;e=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; +g.k.removeNode=g.xf;g.k.contains=g.zf;var Ef;Gf.prototype.add=function(a,b){var c=sca.get();c.set(a,b);this.u?this.u.next=c:this.j=c;this.u=c}; +Gf.prototype.remove=function(){var a=null;this.j&&(a=this.j,this.j=this.j.next,this.j||(this.u=null),a.next=null);return a}; +var sca=new Kd(function(){return new Hf},function(a){return a.reset()}); +Hf.prototype.set=function(a,b){this.fn=a;this.scope=b;this.next=null}; +Hf.prototype.reset=function(){this.next=this.scope=this.fn=null};var If,Lf=!1,qca=new Gf;tca.prototype.reset=function(){this.context=this.u=this.B=this.j=null;this.C=!1}; +var uca=new Kd(function(){return new tca},function(a){a.reset()}); +g.Of.prototype.then=function(a,b,c){return Cca(this,"function"===typeof a?a:null,"function"===typeof b?b:null,c)}; +g.Of.prototype.$goog_Thenable=!0;g.k=g.Of.prototype;g.k.Zj=function(a,b){return Cca(this,null,a,b)}; +g.k.catch=g.Of.prototype.Zj;g.k.cancel=function(a){if(0==this.j){var b=new Zf(a);g.Mf(function(){yca(this,b)},this)}}; +g.k.F9=function(a){this.j=0;Nf(this,2,a)}; +g.k.G9=function(a){this.j=0;Nf(this,3,a)}; +g.k.W2=function(){for(var a;a=zca(this);)Aca(this,a,this.j,this.J);this.I=!1}; +var Gca=oca;g.Ta(Zf,cb);Zf.prototype.name="cancel";g.Ta(g.$f,g.Fd);g.k=g.$f.prototype;g.k.enabled=!1;g.k.Gc=null;g.k.setInterval=function(a){this.Fi=a;this.Gc&&this.enabled?(this.stop(),this.start()):this.Gc&&this.stop()}; +g.k.t9=function(){if(this.enabled){var a=g.Ra()-this.jV;0Jg.length&&Jg.push(this)}; +g.k.clear=function(){this.u=null;this.D=!1;this.j=this.B=this.C=0;this.XE=!1}; +g.k.reset=function(){this.j=this.C}; +g.k.advance=function(a){Dg(this,this.j+a)}; +g.k.xJ=function(){var a=Gg(this);return 4294967296*Gg(this)+(a>>>0)}; +var Jg=[];Kg.prototype.free=function(){this.j.clear();this.u=this.C=-1;100>b3.length&&b3.push(this)}; +Kg.prototype.reset=function(){this.j.reset();this.B=this.j.j;this.u=this.C=-1}; +Kg.prototype.advance=function(a){this.j.advance(a)}; +var b3=[];var Cda,Fda;Zg.prototype.length=function(){return this.j.length}; +Zg.prototype.end=function(){var a=this.j;this.j=[];return a};var eh="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():void 0;var qh={},f9a,Dh=Object.freeze(hh([],23));var Zda="function"===typeof Symbol&&"symbol"===typeof Symbol()?Symbol():"di";var ci;g.k=J.prototype;g.k.toJSON=function(){var a=this.Re,b;f9a?b=a:b=di(a,qea,void 0,void 0,!1,!1);return b}; +g.k.jp=function(){f9a=!0;try{return JSON.stringify(this.toJSON(),oea)}finally{f9a=!1}}; +g.k.clone=function(){return fi(this,!1)}; +g.k.rq=function(){return jh(this.Re)}; +g.k.pN=qh;g.k.toString=function(){return this.Re.toString()};var gi=Symbol(),ki=Symbol(),ji=Symbol(),ii=Symbol(),g9a=mi(function(a,b,c){if(1!==a.u)return!1;H(b,c,Hg(a.j));return!0},ni),h9a=mi(function(a,b,c){if(1!==a.u)return!1; +a=Hg(a.j);Hh(b,c,oh(a),0);return!0},ni),i9a=mi(function(a,b,c,d){if(1!==a.u)return!1; +Kh(b,c,d,Hg(a.j));return!0},ni),j9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Eg(a.j));return!0},oi),k9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Eg(a.j);Hh(b,c,a,0);return!0},oi),l9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Eg(a.j));return!0},oi),m9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},pi),n9a=mi(function(a,b,c){if(0!==a.u)return!1; +a=Fg(a.j);Hh(b,c,a,0);return!0},pi),o9a=mi(function(a,b,c,d){if(0!==a.u)return!1; +Kh(b,c,d,Fg(a.j));return!0},pi),p9a=mi(function(a,b,c){if(1!==a.u)return!1; +H(b,c,a.j.xJ());return!0},function(a,b,c){Nda(a,c,Ah(b,c))}),q9a=mi(function(a,b,c){if(1!==a.u&&2!==a.u)return!1; +b=Eh(b,c,0,!1,jh(b.Re));if(2==a.u){c=Cg.prototype.xJ;var d=Fg(a.j)>>>0;for(d=a.j.j+d;a.j.j>>0);return!0},function(a,b,c){b=Zh(b,c); +null!=b&&null!=b&&(ch(a,c,0),$g(a.j,b))}),N9a=mi(function(a,b,c){if(0!==a.u)return!1; +H(b,c,Fg(a.j));return!0},function(a,b,c){b=Ah(b,c); +null!=b&&(b=parseInt(b,10),ch(a,c,0),Ida(a.j,b))});g.w(Qea,J);var Pea=[1,2,3,4];g.w(ri,J);var wi=[1,2,3],O9a=[ri,1,u9a,wi,2,o9a,wi,3,s9a,wi];g.w(Rea,J);var P9a=[Rea,1,g9a,2,j9a];g.w(Tea,J);var Sea=[1],Q9a=[Tea,1,d3,P9a];g.w(si,J);var vi=[1,2,3],R9a=[si,1,l9a,vi,2,i9a,vi,3,L9a,Q9a,vi];g.w(ti,J);var Uea=[1],S9a=[ti,1,d3,O9a,2,v9a,R9a];g.w(Vea,J);var T9a=[Vea,1,c3,2,c3,3,r9a];g.w(Wea,J);var U9a=[Wea,1,c3,2,c3,3,m9a,4,r9a];g.w(Xea,J);var V9a=[1,2],W9a=[Xea,1,L9a,T9a,V9a,2,L9a,U9a,V9a];g.w(ui,J);ui.prototype.Km=function(){var a=Fh(this,3,Yda,void 0,2);if(void 0>=a.length)throw Error();return a[void 0]}; +var Yea=[3,6,4];ui.prototype.j=Oea([ui,1,c3,5,p9a,2,v9a,W9a,3,t9a,6,q9a,4,d3,S9a]);g.w($ea,J);var Zea=[1];var gfa={};g.k=Gi.prototype;g.k.isEnabled=function(){if(!g.Ea.navigator.cookieEnabled)return!1;if(!this.Bf())return!0;this.set("TESTCOOKIESENABLED","1",{HG:60});if("1"!==this.get("TESTCOOKIESENABLED"))return!1;this.remove("TESTCOOKIESENABLED");return!0}; +g.k.set=function(a,b,c){var d=!1;if("object"===typeof c){var e=c.m8a;d=c.Q8||!1;var f=c.domain||void 0;var h=c.path||void 0;var l=c.HG}if(/[;=\s]/.test(a))throw Error('Invalid cookie name "'+a+'"');if(/[;\r\n]/.test(b))throw Error('Invalid cookie value "'+b+'"');void 0===l&&(l=-1);c=f?";domain="+f:"";h=h?";path="+h:"";d=d?";secure":"";l=0>l?"":0==l?";expires="+(new Date(1970,1,1)).toUTCString():";expires="+(new Date(Date.now()+1E3*l)).toUTCString();this.j.cookie=a+"="+b+c+h+l+d+(null!=e?";samesite="+ +e:"")}; +g.k.get=function(a,b){for(var c=a+"=",d=(this.j.cookie||"").split(";"),e=0,f;ed&&this.Aav||401===v||0===v);x&&(c.u=z.concat(c.u),c.oa||c.j.enabled||c.j.start());b&&b("net-send-failed",v);++c.I},r=function(){c.network?c.network.send(n,p,q):c.Ya(n,p,q)}; +m?m.then(function(v){n.dw["Content-Encoding"]="gzip";n.dw["Content-Type"]="application/binary";n.body=v;n.Y1=2;r()},function(){r()}):r()}}}}; +g.k.zL=function(){$fa(this.C,!0);this.flush();$fa(this.C,!1)}; +g.w(Yfa,g.ib);Sfa.prototype.wf=function(a,b,c){b=void 0===b?0:b;c=void 0===c?0:c;if(Ch(Mh(this.j,$h,1),xj,11)){var d=Cj(this);H(d,3,c)}c=this.j.clone();d=Date.now().toString();c=H(c,4,d);a=Qh(c,yj,3,a);b&&H(a,14,b);return a};g.Ta(Dj,g.C); +Dj.prototype.wf=function(){var a=new Aj(this.I,this.ea?this.ea:jfa,this.Ga,this.oa,this.C,this.D,!1,this.La,void 0,void 0,this.ya?this.ya:void 0);g.E(this,a);this.J&&zj(a.C,this.J);if(this.u){var b=this.u,c=Bj(a.C);H(c,7,b)}this.Z&&(a.T=this.Z);this.j&&(a.componentId=this.j);this.B&&((b=this.B)?(a.B||(a.B=new Ji),b=b.jp(),H(a.B,4,b)):a.B&&H(a.B,4,void 0,!1));this.Aa&&(c=this.Aa,a.B||(a.B=new Ji),b=a.B,c=null==c?Dh:Oda(c,1),H(b,2,c));this.T&&(b=this.T,a.Ja=!0,Vfa(a,b));this.Ja&&cga(a.C,this.Ja);return a};g.w(Ej,g.C);Ej.prototype.flush=function(a){a=a||[];if(a.length){for(var b=new $ea,c=[],d=0;d=p.length)p=String.fromCharCode.apply(null,p);else{q="";for(var r=0;r>>3;1!=f.B&&2!=f.B&&15!=f.B&&Tk(f,h,l,"unexpected tag");f.j=1;f.u=0;f.C=0} +function c(m){f.C++;5==f.C&&m&240&&Tk(f,h,l,"message length too long");f.u|=(m&127)<<7*(f.C-1);m&128||(f.j=2,f.T=0,"undefined"!==typeof Uint8Array?f.D=new Uint8Array(f.u):f.D=Array(f.u),0==f.u&&e())} +function d(m){f.D[f.T++]=m;f.T==f.u&&e()} +function e(){if(15>f.B){var m={};m[f.B]=f.D;f.J.push(m)}f.j=0} +for(var f=this,h=a instanceof Array?a:new Uint8Array(a),l=0;lb||3==b&&!e&&0==a.length))if(d=200==d||206==d,4==b&&(8==c?$k(this,7):7==c?$k(this,8):d||$k(this,3)),this.u||(this.u=dha(this.j),null==this.u&&$k(this,5)),2this.B){var h=a.length;c=[];try{if(this.u.VE())for(var l=0;lthis.B){l=e.slice(this.B);this.B=e.length;try{var n=this.u.parse(l);null!=n&&this.D&&this.D(n)}catch(p){$k(this,5);al(this);break a}}4==b?(0!=e.length|| +this.ea?$k(this,2):$k(this,4),al(this)):$k(this,1)}}}catch(p){$k(this,6),al(this)}};g.k=eha.prototype;g.k.on=function(a,b){var c=this.u[a];c||(c=[],this.u[a]=c);c.push(b);return this}; +g.k.addListener=function(a,b){this.on(a,b);return this}; +g.k.removeListener=function(a,b){var c=this.u[a];c&&g.wb(c,b);(a=this.j[a])&&g.wb(a,b);return this}; +g.k.once=function(a,b){var c=this.j[a];c||(c=[],this.j[a]=c);c.push(b);return this}; +g.k.S5=function(a){var b=this.u.data;b&&fha(a,b);(b=this.j.data)&&fha(a,b);this.j.data=[]}; +g.k.z7=function(){switch(this.B.getStatus()){case 1:bl(this,"readable");break;case 5:case 6:case 4:case 7:case 3:bl(this,"error");break;case 8:bl(this,"close");break;case 2:bl(this,"end")}};gha.prototype.serverStreaming=function(a,b,c,d){var e=this,f=a.substr(0,a.length-d.name.length);return hha(function(h){var l=h.UF(),m=h.getMetadata(),n=kha(e,!1);m=lha(e,m,n,f+l.getName());var p=mha(n,l.u,!0);h=l.j(h.j);n.send(m,"POST",h);return p},this.C).call(this,Kga(d,b,c))};nha.prototype.create=function(a,b){return Hga(this.j,this.u+"/$rpc/google.internal.waa.v1.Waa/Create",a,b||{},b$a)};g.w(cl,Error);g.w(dl,g.C);dl.prototype.C=function(a){var b=this.j(a);a=new Hj(this.logger,this.u);b=g.gg(b,2);a.done();return b}; +g.w(gl,dl);gl.prototype.j=function(a){++this.J>=this.T&&this.D.resolve();var b=new Hj(this.logger,"C");a=this.I(a.by);b.done();if(void 0===a)throw new cl(17,Error("YNJ:Undefined"));if(!(a instanceof Uint8Array))throw new cl(18,Error("ODM:Invalid"));return a}; +g.w(hl,dl);hl.prototype.j=function(){return this.I}; +g.w(il,dl);il.prototype.j=function(){return ig(this.I)}; +il.prototype.C=function(){return this.I}; +g.w(jl,dl);jl.prototype.j=function(){if(this.I)return this.I;this.I=pha(this,function(a){return"_"+pga(a)}); +return pha(this,function(a){return a})}; +g.w(kl,dl);kl.prototype.j=function(a){var b;a=g.fg(null!=(b=a.by)?b:"");if(118>24&255,c>>16&255,c>>8&255,c&255],a);for(c=b=b.length;cd)return"";this.j.sort(function(n,p){return n-p}); +c=null;b="";for(var e=0;e=m.length){d-=m.length;a+=m;b=this.B;break}c=null==c?f:c}}d="";null!=c&&(d=b+"trn="+c);return a+d};bm.prototype.setInterval=function(a,b){return Bl.setInterval(a,b)}; +bm.prototype.clearInterval=function(a){Bl.clearInterval(a)}; +bm.prototype.setTimeout=function(a,b){return Bl.setTimeout(a,b)}; +bm.prototype.clearTimeout=function(a){Bl.clearTimeout(a)};Xha.prototype.getContext=function(){if(!this.j){if(!Bl)throw Error("Context has not been set and window is undefined.");this.j=am(bm)}return this.j};g.w(dm,J);dm.prototype.j=Oea([dm,1,h9a,2,k9a,3,k9a,4,k9a,5,n9a]);var dia={WPa:1,t1:2,nJa:3};fia.prototype.BO=function(a){if("string"===typeof a&&0!=a.length){var b=this.Cc;if(b.u){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=decodeURIComponent(d[0]);1=this.left&&a.right<=this.right&&a.top>=this.top&&a.bottom<=this.bottom:a.x>=this.left&&a.x<=this.right&&a.y>=this.top&&a.y<=this.bottom:!1}; g.k.ceil=function(){this.top=Math.ceil(this.top);this.right=Math.ceil(this.right);this.bottom=Math.ceil(this.bottom);this.left=Math.ceil(this.left);return this}; g.k.floor=function(){this.top=Math.floor(this.top);this.right=Math.floor(this.right);this.bottom=Math.floor(this.bottom);this.left=Math.floor(this.left);return this}; g.k.round=function(){this.top=Math.round(this.top);this.right=Math.round(this.right);this.bottom=Math.round(this.bottom);this.left=Math.round(this.left);return this}; -g.k.scale=function(a,b){var c="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=c;this.bottom*=c;return this};g.k=g.jg.prototype;g.k.clone=function(){return new g.jg(this.left,this.top,this.width,this.height)}; -g.k.contains=function(a){return a instanceof g.ge?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.right*=a;this.top*=b;this.bottom*=b;return this};Bm.prototype.equals=function(a,b){return!!a&&(!(void 0===b?0:b)||this.volume==a.volume)&&this.B==a.B&&zm(this.j,a.j)&&!0};Cm.prototype.ub=function(){return this.J}; +Cm.prototype.equals=function(a,b){return this.C.equals(a.C,void 0===b?!1:b)&&this.J==a.J&&zm(this.B,a.B)&&zm(this.I,a.I)&&this.j==a.j&&this.D==a.D&&this.u==a.u&&this.T==a.T};var j$a={currentTime:1,duration:2,isVpaid:4,volume:8,isYouTube:16,isPlaying:32},jo={g1:"start",BZ:"firstquartile",T0:"midpoint",j1:"thirdquartile",nZ:"complete",ERROR:"error",S0:"metric",PAUSE:"pause",b1:"resume",e1:"skip",s1:"viewable_impression",V0:"mute",o1:"unmute",CZ:"fullscreen",yZ:"exitfullscreen",lZ:"bufferstart",kZ:"bufferfinish",DZ:"fully_viewable_audible_half_duration_impression",R0:"measurable_impression",dZ:"abandon",xZ:"engagedview",GZ:"impression",pZ:"creativeview",Q0:"loaded",gRa:"progress", +CLOSE:"close",zla:"collapse",dOa:"overlay_resize",eOa:"overlay_unmeasurable_impression",fOa:"overlay_unviewable_impression",hOa:"overlay_viewable_immediate_impression",gOa:"overlay_viewable_end_of_session_impression",rZ:"custom_metric_viewable",iNa:"verification_debug",gZ:"audio_audible",iZ:"audio_measurable",hZ:"audio_impression"},Ska="start firstquartile midpoint thirdquartile resume loaded".split(" "),Tka=["start","firstquartile","midpoint","thirdquartile"],Ija=["abandon"],Ro={UNKNOWN:-1,g1:0, +BZ:1,T0:2,j1:3,nZ:4,S0:5,PAUSE:6,b1:7,e1:8,s1:9,V0:10,o1:11,CZ:12,yZ:13,DZ:14,R0:15,dZ:16,xZ:17,GZ:18,pZ:19,Q0:20,rZ:21,lZ:22,kZ:23,hZ:27,iZ:28,gZ:29};var tia={W$:"addEventListener",Iva:"getMaxSize",Jva:"getScreenSize",Kva:"getState",Lva:"getVersion",DRa:"removeEventListener",jza:"isViewable"};g.k=g.Em.prototype;g.k.clone=function(){return new g.Em(this.left,this.top,this.width,this.height)}; +g.k.contains=function(a){return a instanceof g.Fe?a.x>=this.left&&a.x<=this.left+this.width&&a.y>=this.top&&a.y<=this.top+this.height:this.left<=a.left&&this.left+this.width>=a.left+a.width&&this.top<=a.top&&this.top+this.height>=a.top+a.height}; +g.k.distance=function(a){var b=a.xe)return"";this.u.sort(function(p,r){return p-r}); -c=null;b="";for(var f=0;f=n.length){e-=n.length;a+=n;b=this.C;break}c=null==c?h:c}}e="";null!=c&&(e=b+"trn="+c);return a+e+d};sh.prototype.setInterval=function(a,b){return fh.setInterval(a,b)}; -sh.prototype.clearInterval=function(a){fh.clearInterval(a)}; -sh.prototype.setTimeout=function(a,b){return fh.setTimeout(a,b)}; -sh.prototype.clearTimeout=function(a){fh.clearTimeout(a)}; -La(sh);wh.prototype.getContext=function(){if(!this.u){if(!fh)throw Error("Context has not been set and window is undefined.");this.u=sh.getInstance()}return this.u}; -La(wh);g.Va(yh,g.Ef);var wba={C1:1,lJ:2,S_:3};lc(fc(g.gc("https://pagead2.googlesyndication.com/pagead/osd.js")));Ch.prototype.Sz=function(a){if("string"===typeof a&&0!=a.length){var b=this.xb;if(b.B){a=a.split("&");for(var c=a.length-1;0<=c;c--){var d=a[c].split("="),e=d[0];d=1=this.K?a:this;b!==this.u?(this.F=this.u.F,ri(this)):this.F!==this.u.F&&(this.F=this.u.F,ri(this))}; -g.k.Xk=function(a){if(a.B===this.u){var b;if(!(b=this.ma)){b=this.C;var c=this.R;if(c=a&&(void 0===c||!c||b.volume==a.volume)&&b.C==a.C)b=b.u,c=a.u,c=b==c?!0:b&&c?b.top==c.top&&b.right==c.right&&b.bottom==c.bottom&&b.left==c.left:!1;b=!c}this.C=a;b&&yi(this)}}; -g.k.qj=function(){return this.R}; -g.k.dispose=function(){this.fa=!0}; -g.k.na=function(){return this.fa};g.k=zi.prototype;g.k.jz=function(){return!0}; -g.k.Xq=function(){}; -g.k.dispose=function(){if(!this.na()){var a=this.B;g.ob(a.D,this);a.R&&this.qj()&&xi(a);this.Xq();this.Y=!0}}; -g.k.na=function(){return this.Y}; -g.k.Mk=function(){return this.B.Mk()}; -g.k.Qi=function(){return this.B.Qi()}; -g.k.ao=function(){return this.B.ao()}; -g.k.Fq=function(){return this.B.Fq()}; -g.k.jo=function(){}; -g.k.Xk=function(){this.Ck()}; -g.k.qj=function(){return this.aa};g.k=Ai.prototype;g.k.Qi=function(){return this.u.Qi()}; -g.k.ao=function(){return this.u.ao()}; -g.k.Fq=function(){return this.u.Fq()}; -g.k.create=function(a,b,c){var d=null;this.u&&(d=this.Su(a,b,c),ti(this.u,d));return d}; -g.k.yE=function(){return this.Uq()}; -g.k.Uq=function(){return!1}; -g.k.init=function(a){return this.u.initialize()?(ti(this.u,this),this.D=a,!0):!1}; -g.k.jo=function(a){0==a.Qi()&&this.D(a.ao(),this)}; -g.k.Xk=function(){}; -g.k.qj=function(){return!1}; -g.k.dispose=function(){this.F=!0}; -g.k.na=function(){return this.F}; -g.k.Mk=function(){return{}};Di.prototype.add=function(a,b,c){++this.C;var d=this.C/4096,e=this.u,f=e.push;a=new Bi(a,b,c);d=new Bi(a.B,a.u,a.C+d);f.call(e,d);this.B=!0;return this};Hi.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=Fi(this.u);0=h;h=!(0=h)||c;this.u[e].update(f&&l,d,!f||h)}};Xi.prototype.update=function(a,b,c,d){this.K=-1!=this.K?Math.min(this.K,b.xc):b.xc;this.Y=Math.max(this.Y,b.xc);this.aa=-1!=this.aa?Math.min(this.aa,b.jg):b.jg;this.ha=Math.max(this.ha,b.jg);this.Ja.update(b.jg,c.jg,b.u,a,d);this.B.update(b.xc,c.xc,b.u,a,d);c=d||c.Gm!=b.Gm?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.u;this.za.update(c,a,b)}; -Xi.prototype.Jm=function(){return this.za.C>=this.Ub};var HBa=new hg(0,0,0,0);var Pba=new hg(0,0,0,0);g.u(aj,g.C);g.k=aj.prototype;g.k.ca=function(){this.Uf.u&&(this.jm.Az&&(Zf(this.Uf.u,"mouseover",this.jm.Az),this.jm.Az=null),this.jm.yz&&(Zf(this.Uf.u,"mouseout",this.jm.yz),this.jm.yz=null));this.Zr&&this.Zr.dispose();this.Ec&&this.Ec.dispose();delete this.Nu;delete this.fz;delete this.dI;delete this.Uf.jl;delete this.Uf.u;delete this.jm;delete this.Zr;delete this.Ec;delete this.xb;g.C.prototype.ca.call(this)}; -g.k.Pk=function(){return this.Ec?this.Ec.u:this.position}; -g.k.Sz=function(a){Ch.getInstance().Sz(a)}; -g.k.qj=function(){return!1}; -g.k.Tt=function(){return new Xi}; -g.k.Xf=function(){return this.Nu}; -g.k.lD=function(a){return dj(this,a,1E4)}; -g.k.oa=function(a,b,c,d,e,f,h){this.qo||(this.vt&&(a=this.hx(a,c,e,h),d=d&&this.Je.xc>=(this.Gm()?.3:.5),this.YA(f,a,d),this.lastUpdateTime=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new hg(0,0,0,0):a;a=this.B.C;b=e=d=0;0<(this.u.bottom-this.u.top)*(this.u.right-this.u.left)&&(this.XD(c)?c=new hg(0,0,0,0):(d=li.getInstance().D,b=new hg(0,d.height,d.width,0),d=$i(c,this.u),e=$i(c,li.getInstance().u), -b=$i(c,b)));c=c.top>=c.bottom||c.left>=c.right?new hg(0,0,0,0):ig(c,-this.u.left,-this.u.top);oi()||(e=d=0);this.K=new ci(a,this.element,this.u,c,d,e,this.timestamp,b)}; -g.k.getName=function(){return this.B.getName()};var IBa=new hg(0,0,0,0);g.u(sj,rj);g.k=sj.prototype;g.k.jz=function(){this.C();return!0}; -g.k.Xk=function(){rj.prototype.Ck.call(this)}; -g.k.eC=function(){}; -g.k.kx=function(){}; -g.k.Ck=function(){this.C();rj.prototype.Ck.call(this)}; -g.k.jo=function(a){a=a.isActive();a!==this.I&&(a?this.C():(li.getInstance().u=new hg(0,0,0,0),this.u=new hg(0,0,0,0),this.D=new hg(0,0,0,0),this.timestamp=-1));this.I=a};var v1={},fca=(v1.firstquartile=0,v1.midpoint=1,v1.thirdquartile=2,v1.complete=3,v1);g.u(uj,aj);g.k=uj.prototype;g.k.qj=function(){return!0}; -g.k.lD=function(a){return dj(this,a,Math.max(1E4,this.D/3))}; -g.k.oa=function(a,b,c,d,e,f,h){var l=this,m=this.aa(this)||{};g.Zb(m,e);this.D=m.duration||this.D;this.P=m.isVpaid||this.P;this.za=m.isYouTube||this.za;e=bca(this,b);1===zj(this)&&(f=e);aj.prototype.oa.call(this,a,b,c,d,m,f,h);this.C&&this.C.u&&g.Cb(this.K,function(n){pj(n,l)})}; -g.k.YA=function(a,b,c){aj.prototype.YA.call(this,a,b,c);yj(this).update(a,b,this.Je,c);this.Qa=jj(this.Je)&&jj(b);-1==this.ia&&this.Ga&&(this.ia=this.Xf().C.u);this.ze.C=0;a=this.Jm();b.isVisible()&&kj(this.ze,"vs");a&&kj(this.ze,"vw");ji(b.volume)&&kj(this.ze,"am");jj(b)&&kj(this.ze,"a");this.ko&&kj(this.ze,"f");-1!=b.B&&(kj(this.ze,"bm"),1==b.B&&kj(this.ze,"b"));jj(b)&&b.isVisible()&&kj(this.ze,"avs");this.Qa&&a&&kj(this.ze,"avw");0this.u.K&&(this.u=this,ri(this)),this.K=a);return 2==a}; -La(fk);La(gk);hk.prototype.xE=function(){kk(this,Uj(),!1)}; -hk.prototype.D=function(){var a=oi(),b=Xh();a?(Zh||($h=b,g.Cb(Tj.u,function(c){var d=c.Xf();d.ma=nj(d,b,1!=c.pe)})),Zh=!0):(this.K=nk(this,b),Zh=!1,Hj=b,g.Cb(Tj.u,function(c){c.vt&&(c.Xf().R=b)})); -kk(this,Uj(),!a)}; -La(hk);var ik=hk.getInstance();var ok=null,Wk="",Vk=!1;var w1=uk([void 0,1,2,3,4,8,16]),x1=uk([void 0,4,8,16]),KBa={sv:"sv",cb:"cb",e:"e",nas:"nas",msg:"msg","if":"if",sdk:"sdk",p:"p",p0:tk("p0",x1),p1:tk("p1",x1),p2:tk("p2",x1),p3:tk("p3",x1),cp:"cp",tos:"tos",mtos:"mtos",mtos1:sk("mtos1",[0,2,4],!1,x1),mtos2:sk("mtos2",[0,2,4],!1,x1),mtos3:sk("mtos3",[0,2,4],!1,x1),mcvt:"mcvt",ps:"ps",scs:"scs",bs:"bs",vht:"vht",mut:"mut",a:"a",a0:tk("a0",x1),a1:tk("a1",x1),a2:tk("a2",x1),a3:tk("a3",x1),ft:"ft",dft:"dft",at:"at",dat:"dat",as:"as",vpt:"vpt",gmm:"gmm", -std:"std",efpf:"efpf",swf:"swf",nio:"nio",px:"px",nnut:"nnut",vmer:"vmer",vmmk:"vmmk",vmiec:"vmiec",nmt:"nmt",tcm:"tcm",bt:"bt",pst:"pst",vpaid:"vpaid",dur:"dur",vmtime:"vmtime",dtos:"dtos",dtoss:"dtoss",dvs:"dvs",dfvs:"dfvs",dvpt:"dvpt",fmf:"fmf",vds:"vds",is:"is",i0:"i0",i1:"i1",i2:"i2",i3:"i3",ic:"ic",cs:"cs",c:"c",c0:tk("c0",x1),c1:tk("c1",x1),c2:tk("c2",x1),c3:tk("c3",x1),mc:"mc",nc:"nc",mv:"mv",nv:"nv",qmt:tk("qmtos",w1),qnc:tk("qnc",w1),qmv:tk("qmv",w1),qnv:tk("qnv",w1),raf:"raf",rafc:"rafc", -lte:"lte",ces:"ces",tth:"tth",femt:"femt",femvt:"femvt",emc:"emc",emuc:"emuc",emb:"emb",avms:"avms",nvat:"nvat",qi:"qi",psm:"psm",psv:"psv",psfv:"psfv",psa:"psa",pnk:"pnk",pnc:"pnc",pnmm:"pnmm",pns:"pns",ptlt:"ptlt",pngs:"pings",veid:"veid",ssb:"ssb",ss0:tk("ss0",x1),ss1:tk("ss1",x1),ss2:tk("ss2",x1),ss3:tk("ss3",x1),dc_rfl:"urlsigs",obd:"obd",omidp:"omidp",omidr:"omidr",omidv:"omidv",omida:"omida",omids:"omids",omidpv:"omidpv",omidam:"omidam",omidct:"omidct",omidia:"omidia"},LBa={c:pk("c"),at:"at", -atos:sk("atos",[0,2,4]),ta:function(a,b){return function(c){if(void 0===c[a])return b}}("tth","1"), -a:"a",dur:"dur",p:"p",tos:rk(),j:"dom",mtos:sk("mtos",[0,2,4]),gmm:"gmm",gdr:"gdr",ss:pk("ss"),vsv:$a("w2"),t:"t"},MBa={atos:"atos",amtos:"amtos",avt:sk("atos",[2]),davs:"davs",dafvs:"dafvs",dav:"dav",ss:pk("ss"),t:"t"},NBa={a:"a",tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),dur:"dur",fs:"fs",p:"p",vpt:"vpt",vsv:$a("ias_w2"),dom:"dom",gmm:"gmm",gdr:"gdr",t:"t"},OBa={tos:rk(),at:"at",c:pk("c"),mtos:sk("mtos",[0,2,4]),p:"p",vpt:"vpt",vsv:$a("dv_w4"),gmm:"gmm",gdr:"gdr",dom:"dom",t:"t",mv:"mv", -qmpt:sk("qmtos",[0,2,4]),qvs:function(a,b){return function(c){var d=c[a];if("number"===typeof d)return g.Oc(b,function(e){return 0=e?1:0})}}("qnc",[1, -.5,0]),qmv:"qmv",qa:"qas",a:"a"};var Dca={OW:"visible",GT:"audible",n3:"time",o3:"timetype"},zk={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, +g.k.scale=function(a,b){b="number"===typeof b?b:a;this.left*=a;this.width*=a;this.top*=b;this.height*=b;return this};var xia={};Gia.prototype.update=function(a){a&&a.document&&(this.J=Dm(!1,a,this.isMobileDevice),this.j=Dm(!0,a,this.isMobileDevice),Iia(this,a),Hia(this,a))};$m.prototype.cancel=function(){cm().clearTimeout(this.j);this.j=null}; +$m.prototype.schedule=function(){var a=this,b=cm(),c=fm().j.j;this.j=b.setTimeout(em(c,qm(143,function(){a.u++;a.B.sample()})),sia())};g.k=an.prototype;g.k.LA=function(){return!1}; +g.k.initialize=function(){return this.isInitialized=!0}; +g.k.zy=function(){return this.j.Ga}; +g.k.mC=function(){return this.j.Z}; +g.k.fail=function(a,b){if(!this.Z||(void 0===b?0:b))this.Z=!0,this.Ga=a,this.T=0,this.j!=this||rn(this)}; +g.k.getName=function(){return this.j.Qa}; +g.k.ws=function(){return this.j.PT()}; +g.k.PT=function(){return{}}; +g.k.cq=function(){return this.j.T}; +g.k.mR=function(){var a=Xm();a.j=Dm(!0,this.B,a.isMobileDevice)}; +g.k.nR=function(){Hia(Xm(),this.B)}; +g.k.dU=function(){return this.C.j}; +g.k.sample=function(){}; +g.k.isActive=function(){return this.j.I}; +g.k.Hy=function(a){var b=this.j;this.j=a.cq()>=this.T?a:this;b!==this.j?(this.I=this.j.I,rn(this)):this.I!==this.j.I&&(this.I=this.j.I,rn(this))}; +g.k.Hs=function(a){if(a.u===this.j){var b=!this.C.equals(a,this.ea);this.C=a;b&&Lia(this)}}; +g.k.ip=function(){return this.ea}; +g.k.dispose=function(){this.Aa=!0}; +g.k.isDisposed=function(){return this.Aa};g.k=sn.prototype;g.k.yJ=function(){return!0}; +g.k.MA=function(){}; +g.k.dispose=function(){if(!this.isDisposed()){var a=this.u;g.wb(a.D,this);a.ea&&this.ip()&&Kia(a);this.MA();this.Z=!0}}; +g.k.isDisposed=function(){return this.Z}; +g.k.ws=function(){return this.u.ws()}; +g.k.cq=function(){return this.u.cq()}; +g.k.zy=function(){return this.u.zy()}; +g.k.mC=function(){return this.u.mC()}; +g.k.Hy=function(){}; +g.k.Hs=function(){this.Hr()}; +g.k.ip=function(){return this.oa};g.k=tn.prototype;g.k.cq=function(){return this.j.cq()}; +g.k.zy=function(){return this.j.zy()}; +g.k.mC=function(){return this.j.mC()}; +g.k.create=function(a,b,c){var d=null;this.j&&(d=this.ME(a,b,c),bn(this.j,d));return d}; +g.k.oR=function(){return this.NA()}; +g.k.NA=function(){return!1}; +g.k.init=function(a){return this.j.initialize()?(bn(this.j,this),this.C=a,!0):!1}; +g.k.Hy=function(a){0==a.cq()&&this.C(a.zy(),this)}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.dispose=function(){this.D=!0}; +g.k.isDisposed=function(){return this.D}; +g.k.ws=function(){return{}};un.prototype.add=function(a,b,c){++this.B;a=new Mia(a,b,c);this.j.push(new Mia(a.u,a.j,a.B+this.B/4096));this.u=!0;return this};var xn;xn=["av.default","js","unreleased"].slice(-1)[0];Ria.prototype.toString=function(){var a="//pagead2.googlesyndication.com//pagead/gen_204",b=wn(this.j);0=h;h=!(0=h)||c;this.j[e].update(f&&l,d,!f||h)}};Fn.prototype.update=function(a,b,c,d){this.J=-1!=this.J?Math.min(this.J,b.Xd):b.Xd;this.oa=Math.max(this.oa,b.Xd);this.ya=-1!=this.ya?Math.min(this.ya,b.Tj):b.Tj;this.Ga=Math.max(this.Ga,b.Tj);this.ib.update(b.Tj,c.Tj,b.j,a,d);this.u.update(b.Xd,c.Xd,b.j,a,d);c=d||c.hv!=b.hv?c.isVisible()&&b.isVisible():c.isVisible();b=!b.isVisible()||b.j;this.Qa.update(c,a,b)}; +Fn.prototype.wq=function(){return this.Qa.B>=this.fb};if(Ym&&Ym.URL){var k$a=Ym.URL,l$a;if(l$a=!!k$a){var m$a;a:{if(k$a){var n$a=RegExp(".*[&#?]google_debug(=[^&]*)?(&.*)?$");try{var i3=n$a.exec(decodeURIComponent(k$a));if(i3){m$a=i3[1]&&1=(this.hv()?.3:.5),this.YP(f,a,d),this.Wo=b,0=e||0>=b||0>=c||0>=d||(e/=b,b=c/d,a=a.clone(),e>b?(c/=e,d=(d-c)/2,0=a.bottom||a.left>=a.right?new xm(0,0,0,0):a;a=this.u.C;b=e=d=0;0<(this.j.bottom-this.j.top)*(this.j.right-this.j.left)&&(this.VU(c)?c=new xm(0,0,0,0):(d=Xm().C,b=new xm(0,d.height,d.width,0),d=Jn(c,this.j),e=Jn(c,Xm().j),b=Jn(c,b)));c=c.top>=c.bottom||c.left>=c.right?new xm(0,0,0, +0):Am(c,-this.j.left,-this.j.top);Zm()||(e=d=0);this.J=new Cm(a,this.element,this.j,c,d,e,this.timestamp,b)}; +g.k.getName=function(){return this.u.getName()};var s$a=new xm(0,0,0,0);g.w(bo,ao);g.k=bo.prototype;g.k.yJ=function(){this.B();return!0}; +g.k.Hs=function(){ao.prototype.Hr.call(this)}; +g.k.JS=function(){}; +g.k.HK=function(){}; +g.k.Hr=function(){this.B();ao.prototype.Hr.call(this)}; +g.k.Hy=function(a){a=a.isActive();a!==this.I&&(a?this.B():(Xm().j=new xm(0,0,0,0),this.j=new xm(0,0,0,0),this.C=new xm(0,0,0,0),this.timestamp=-1));this.I=a};var m3={},Gja=(m3.firstquartile=0,m3.midpoint=1,m3.thirdquartile=2,m3.complete=3,m3);g.w(eo,Kn);g.k=eo.prototype;g.k.ip=function(){return!0}; +g.k.Zm=function(){return 2==this.Gi}; +g.k.VT=function(a){return ija(this,a,Math.max(1E4,this.B/3))}; +g.k.Pa=function(a,b,c,d,e,f,h){var l=this,m=this.J(this)||{};g.od(m,e);this.B=m.duration||this.B;this.ea=m.isVpaid||this.ea;this.La=m.isYouTube||this.La;e=yja(this,b);1===xja(this)&&(f=e);Kn.prototype.Pa.call(this,a,b,c,d,m,f,h);this.Bq&&this.Bq.B&&g.Ob(this.I,function(n){n.u(l)})}; +g.k.YP=function(a,b,c){Kn.prototype.YP.call(this,a,b,c);ho(this).update(a,b,this.Ah,c);this.ib=On(this.Ah)&&On(b);-1==this.Ga&&this.fb&&(this.Ga=this.cj().B.j);this.Rg.B=0;a=this.wq();b.isVisible()&&Un(this.Rg,"vs");a&&Un(this.Rg,"vw");Vm(b.volume)&&Un(this.Rg,"am");On(b)?Un(this.Rg,"a"):Un(this.Rg,"mut");this.Oy&&Un(this.Rg,"f");-1!=b.u&&(Un(this.Rg,"bm"),1==b.u&&(Un(this.Rg,"b"),On(b)&&Un(this.Rg,"umutb")));On(b)&&b.isVisible()&&Un(this.Rg,"avs");this.ib&&a&&Un(this.Rg,"avw");0this.j.T&&(this.j=this,rn(this)),this.T=a);return 2==a};xo.prototype.sample=function(){Ao(this,po(),!1)}; +xo.prototype.C=function(){var a=Zm(),b=sm();a?(um||(vm=b,g.Ob(oo.j,function(c){var d=c.cj();d.La=Xn(d,b,1!=c.Gi)})),um=!0):(this.J=gka(this,b),um=!1,Hja=b,g.Ob(oo.j,function(c){c.wB&&(c.cj().T=b)})); +Ao(this,po(),!a)}; +var yo=am(xo);var ika=null,kp="",jp=!1;var lka=kka().Bo,Co=kka().Do;var oka={xta:"visible",Yha:"audible",mZa:"time",qZa:"timetype"},pka={visible:function(a){return/^(100|[0-9]{1,2})$/.test(a)}, audible:function(a){return"0"==a||"1"==a}, timetype:function(a){return"mtos"==a||"tos"==a}, -time:function(a){return/^(100|[0-9]{1,2})%$/.test(a)||/^([0-9])+ms$/.test(a)}};g.u(Ak,qj);Ak.prototype.getId=function(){return this.K}; -Ak.prototype.F=function(){return!0}; -Ak.prototype.C=function(a){var b=a.Xf(),c=a.getDuration();return ki(this.I,function(d){if(void 0!=d.u)var e=Fca(d,b);else b:{switch(d.F){case "mtos":e=d.B?b.F.C:b.C.u;break b;case "tos":e=d.B?b.F.u:b.C.u;break b}e=0}0==e?d=!1:(d=-1!=d.C?d.C:void 0!==c&&0=d);return d})};g.u(Bk,qj);Bk.prototype.C=function(a){var b=Si(a.Xf().u,1);return Aj(a,b)};g.u(Ck,qj);Ck.prototype.C=function(a){return a.Xf().Jm()};g.u(Fk,Gca);Fk.prototype.u=function(a){var b=new Dk;b.u=Ek(a,KBa);b.C=Ek(a,MBa);return b};g.u(Gk,sj);Gk.prototype.C=function(){var a=g.Ja("ima.admob.getViewability"),b=ah(this.xb,"queryid");"function"===typeof a&&b&&a(b)}; -Gk.prototype.getName=function(){return"gsv"};g.u(Hk,Ai);Hk.prototype.getName=function(){return"gsv"}; -Hk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Hk.prototype.Su=function(a,b,c){return new Gk(this.u,b,c)};g.u(Ik,sj);Ik.prototype.C=function(){var a=this,b=g.Ja("ima.bridge.getNativeViewability"),c=ah(this.xb,"queryid");"function"===typeof b&&c&&b(c,function(d){g.Sb(d)&&a.F++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.u=ii(d.opt_nativeViewBounds||{});var h=a.B.C;h.u=f?IBa.clone():ii(e);a.timestamp=d.opt_nativeTime||-1;li.getInstance().u=h.u;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; -Ik.prototype.getName=function(){return"nis"};g.u(Jk,Ai);Jk.prototype.getName=function(){return"nis"}; -Jk.prototype.Uq=function(){var a=li.getInstance();Ch.getInstance();return a.B&&!1}; -Jk.prototype.Su=function(a,b,c){return new Ik(this.u,b,c)};g.u(Kk,qi);g.k=Kk.prototype;g.k.av=function(){return null!=this.B.Vh}; -g.k.hD=function(){var a={};this.ha&&(a.mraid=this.ha);this.Y&&(a.mlc=1);a.mtop=this.B.YR;this.I&&(a.mse=this.I);this.ia&&(a.msc=1);a.mcp=this.B.compatibility;return a}; -g.k.Gl=function(a,b){for(var c=[],d=1;d=d);return d})};g.w(Vo,rja);Vo.prototype.j=function(a){var b=new Sn;b.j=Tn(a,p$a);b.u=Tn(a,r$a);return b};g.w(Wo,Yn);Wo.prototype.j=function(a){return Aja(a)};g.w(Xo,wja);g.w(Yo,Yn);Yo.prototype.j=function(a){return a.cj().wq()};g.w(Zo,Zn);Zo.prototype.j=function(a){var b=g.rb(this.J,vl(fm().Cc,"ovms"));return!a.Ms&&(0!=a.Gi||b)};g.w($o,Xo);$o.prototype.u=function(){return new Zo(this.j)}; +$o.prototype.B=function(){return[new Yo("viewable_impression",this.j),new Wo(this.j)]};g.w(ap,bo);ap.prototype.B=function(){var a=g.Ga("ima.admob.getViewability"),b=vl(this.Cc,"queryid");"function"===typeof a&&b&&a(b)}; +ap.prototype.getName=function(){return"gsv"};g.w(bp,tn);bp.prototype.getName=function(){return"gsv"}; +bp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +bp.prototype.ME=function(a,b,c){return new ap(this.j,b,c)};g.w(cp,bo);cp.prototype.B=function(){var a=this,b=g.Ga("ima.bridge.getNativeViewability"),c=vl(this.Cc,"queryid");"function"===typeof b&&c&&b(c,function(d){g.hd(d)&&a.D++;var e=d.opt_nativeViewVisibleBounds||{},f=d.opt_nativeViewHidden;a.j=Eia(d.opt_nativeViewBounds||{});var h=a.u.C;h.j=f?s$a.clone():Eia(e);a.timestamp=d.opt_nativeTime||-1;Xm().j=h.j;d=d.opt_nativeVolume;void 0!==d&&(h.volume=d)})}; +cp.prototype.getName=function(){return"nis"};g.w(dp,tn);dp.prototype.getName=function(){return"nis"}; +dp.prototype.NA=function(){var a=Xm();fm();return a.u&&!1}; +dp.prototype.ME=function(a,b,c){return new cp(this.j,b,c)};g.w(ep,an);g.k=ep.prototype;g.k.LA=function(){return null!=this.u.jn}; +g.k.PT=function(){var a={};this.Ja&&(a.mraid=this.Ja);this.ya&&(a.mlc=1);a.mtop=this.u.f9;this.J&&(a.mse=this.J);this.La&&(a.msc=1);a.mcp=this.u.compatibility;return a}; +g.k.zt=function(a){var b=g.ya.apply(1,arguments);try{return this.u.jn[a].apply(this.u.jn,b)}catch(c){rm(538,c,.01,function(d){d.method=a})}}; +g.k.initialize=function(){var a=this;if(this.isInitialized)return!this.mC();this.isInitialized=!0;if(2===this.u.compatibility)return this.J="ng",this.fail("w"),!1;if(1===this.u.compatibility)return this.J="mm",this.fail("w"),!1;Xm().T=!0;this.B.document.readyState&&"complete"==this.B.document.readyState?vka(this):Hn(this.B,"load",function(){cm().setTimeout(qm(292,function(){return vka(a)}),100)},292); return!0}; -g.k.JE=function(){var a=li.getInstance(),b=Rk(this,"getMaxSize");a.u=new hg(0,b.width,b.height,0)}; -g.k.KE=function(){li.getInstance().D=Rk(this,"getScreenSize")}; -g.k.dispose=function(){Pk(this);qi.prototype.dispose.call(this)}; -La(Kk);g.k=Sk.prototype;g.k.cq=function(a){bj(a,!1);rca(a)}; -g.k.Xt=function(){}; -g.k.Hr=function(a,b,c,d){var e=this;this.B||(this.B=this.AC());b=c?b:-1;a=null==this.B?new uj(fh,a,b,7):new uj(fh,a,b,7,new qj("measurable_impression",this.B),Mca(this));a.mf=d;jba(a.xb);$g(a.xb,"queryid",a.mf);a.Sz("");Uba(a,function(f){for(var h=[],l=0;lthis.C?this.B:2*this.B)-this.C);a[0]=128;for(var b=1;bb;++b)for(var d=0;32>d;d+=8)a[c++]=this.u[b]>>>d&255;return a};g.u(ql,Fk);ql.prototype.u=function(a){var b=Fk.prototype.u.call(this,a);var c=fl=g.A();var d=gl(5);c=(il?!d:d)?c|2:c&-3;d=gl(2);c=(jl?!d:d)?c|8:c&-9;c={s1:(c>>>0).toString(16)};this.B||(this.B=Xca());b.F=this.B;b.I=Ek(a,LBa,c,"h",rl("kArwaWEsTs"));b.D=Ek(a,NBa,{},"h",rl("b96YPMzfnx"));b.B=Ek(a,OBa,{},"h",rl("yb8Wev6QDg"));return b};sl.prototype.u=function(){return g.Ja(this.B)};g.u(tl,sl);tl.prototype.u=function(a){if(!a.Qo)return sl.prototype.u.call(this,a);var b=this.D[a.Qo];if(b)return function(c,d,e){b.B(c,d,e)}; -Wh(393,Error());return null};g.u(ul,Sk);g.k=ul.prototype;g.k.Xt=function(a,b){var c=this,d=Xj.getInstance();if(null!=d.u)switch(d.u.getName()){case "nis":var e=ada(this,a,b);break;case "gsv":e=$ca(this,a,b);break;case "exc":e=bda(this,a)}e||(b.opt_overlayAdElement?e=void 0:b.opt_adElement&&(e=Qca(this,a,b.opt_adElement,b.opt_osdId)));e&&1==e.Oi()&&(e.aa==g.Ka&&(e.aa=function(f){return c.IE(f)}),Zca(this,e,b)); +g.k.mR=function(){var a=Xm(),b=Aka(this,"getMaxSize");a.j=new xm(0,b.width,b.height,0)}; +g.k.nR=function(){Xm().C=Aka(this,"getScreenSize")}; +g.k.dispose=function(){xka(this);an.prototype.dispose.call(this)};var aia=new function(a,b){this.key=a;this.defaultValue=void 0===b?!1:b;this.valueType="boolean"}("45378663");g.k=gp.prototype;g.k.rB=function(a){Ln(a,!1);Uja(a)}; +g.k.eG=function(){}; +g.k.ED=function(a,b,c,d){var e=this;a=new eo(Bl,a,c?b:-1,7,this.eL(),this.eT());a.Zh=d;wha(a.Cc);ul(a.Cc,"queryid",a.Zh);a.BO("");lja(a,function(){return e.nU.apply(e,g.u(g.ya.apply(0,arguments)))},function(){return e.P3.apply(e,g.u(g.ya.apply(0,arguments)))}); +(d=am(qo).j)&&hja(a,d);a.Cj.Ss&&am(cka);return a}; +g.k.Hy=function(a){switch(a.cq()){case 0:if(a=am(qo).j)a=a.j,g.wb(a.D,this),a.ea&&this.ip()&&Kia(a);ip();break;case 2:zo()}}; +g.k.Hs=function(){}; +g.k.ip=function(){return!1}; +g.k.P3=function(a,b){a.Ms=!0;switch(a.Io()){case 1:Gka(a,b);break;case 2:this.LO(a)}}; +g.k.Y3=function(a){var b=a.J(a);b&&(b=b.volume,a.kb=Vm(b)&&0=a.keyCode)a.keyCode=-1}catch(b){}};var Gl="closure_listenable_"+(1E6*Math.random()|0),hda=0;Jl.prototype.add=function(a,b,c,d,e){var f=a.toString();a=this.listeners[f];a||(a=this.listeners[f]=[],this.u++);var h=Ll(a,b,d,e);-1>>0);g.Va(g.am,g.C);g.am.prototype[Gl]=!0;g.k=g.am.prototype;g.k.addEventListener=function(a,b,c,d){Nl(this,a,b,c,d)}; -g.k.removeEventListener=function(a,b,c,d){Vl(this,a,b,c,d)}; -g.k.dispatchEvent=function(a){var b=this.za;if(b){var c=[];for(var d=1;b;b=b.za)c.push(b),++d}b=this.Ga;d=a.type||a;if("string"===typeof a)a=new g.El(a,b);else if(a instanceof g.El)a.target=a.target||b;else{var e=a;a=new g.El(d,b);g.Zb(a,e)}e=!0;if(c)for(var f=c.length-1;!a.u&&0<=f;f--){var h=a.currentTarget=c[f];e=bm(h,d,!0,a)&&e}a.u||(h=a.currentTarget=b,e=bm(h,d,!0,a)&&e,a.u||(e=bm(h,d,!1,a)&&e));if(c)for(f=0;!a.u&&f2*this.C&&Pm(this),!0):!1}; -g.k.get=function(a,b){return Om(this.B,a)?this.B[a]:b}; -g.k.set=function(a,b){Om(this.B,a)||(this.C++,this.u.push(a),this.Ol++);this.B[a]=b}; -g.k.forEach=function(a,b){for(var c=this.Sg(),d=0;d=d.u.length)throw fj;var f=d.u[b++];return a?f:d.B[f]}; -return e};g.Qm.prototype.toString=function(){var a=[],b=this.F;b&&a.push(Xm(b,VBa,!0),":");var c=this.u;if(c||"file"==b)a.push("//"),(b=this.R)&&a.push(Xm(b,VBa,!0),"@"),a.push(md(c).replace(/%25([0-9a-fA-F]{2})/g,"%$1")),c=this.D,null!=c&&a.push(":",String(c));if(c=this.B)this.u&&"/"!=c.charAt(0)&&a.push("/"),a.push(Xm(c,"/"==c.charAt(0)?WBa:XBa,!0));(c=this.C.toString())&&a.push("?",c);(c=this.I)&&a.push("#",Xm(c,YBa));return a.join("")}; -g.Qm.prototype.resolve=function(a){var b=this.clone(),c=!!a.F;c?g.Rm(b,a.F):c=!!a.R;c?b.R=a.R:c=!!a.u;c?g.Sm(b,a.u):c=null!=a.D;var d=a.B;if(c)g.Tm(b,a.D);else if(c=!!a.B){if("/"!=d.charAt(0))if(this.u&&!this.B)d="/"+d;else{var e=b.B.lastIndexOf("/");-1!=e&&(d=b.B.substr(0,e+1)+d)}e=d;if(".."==e||"."==e)d="";else if(-1!=e.indexOf("./")||-1!=e.indexOf("/.")){d=nc(e,"/");e=e.split("/");for(var f=[],h=0;ha&&0===a%1&&this.B[a]!=b&&(this.B[a]=b,this.u=-1)}; -fn.prototype.get=function(a){return!!this.B[a]};g.Va(g.gn,g.C);g.k=g.gn.prototype;g.k.start=function(){this.stop();this.D=!1;var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?(this.u=Nl(this.B,"MozBeforePaint",this.C),this.B.mozRequestAnimationFrame(null),this.D=!0):this.u=a&&b?a.call(this.B,this.C):this.B.setTimeout(kaa(this.C),20)}; -g.k.Sb=function(){this.isActive()||this.start()}; -g.k.stop=function(){if(this.isActive()){var a=hn(this),b=jn(this);a&&!b&&this.B.mozRequestAnimationFrame?Wl(this.u):a&&b?b.call(this.B,this.u):this.B.clearTimeout(this.u)}this.u=null}; -g.k.rg=function(){this.isActive()&&(this.stop(),this.sD())}; -g.k.isActive=function(){return null!=this.u}; -g.k.sD=function(){this.D&&this.u&&Wl(this.u);this.u=null;this.I.call(this.F,g.A())}; -g.k.ca=function(){this.stop();g.gn.Jd.ca.call(this)};g.Va(g.F,g.C);g.k=g.F.prototype;g.k.Bq=0;g.k.ca=function(){g.F.Jd.ca.call(this);this.stop();delete this.u;delete this.B}; -g.k.start=function(a){this.stop();this.Bq=g.Lm(this.C,void 0!==a?a:this.yf)}; -g.k.Sb=function(a){this.isActive()||this.start(a)}; -g.k.stop=function(){this.isActive()&&g.v.clearTimeout(this.Bq);this.Bq=0}; -g.k.rg=function(){this.isActive()&&g.kn(this)}; -g.k.isActive=function(){return 0!=this.Bq}; -g.k.tD=function(){this.Bq=0;this.u&&this.u.call(this.B)};g.Va(ln,kl);ln.prototype.reset=function(){this.u[0]=1732584193;this.u[1]=4023233417;this.u[2]=2562383102;this.u[3]=271733878;this.u[4]=3285377520;this.D=this.C=0}; -ln.prototype.update=function(a,b){if(null!=a){void 0===b&&(b=a.length);for(var c=b-this.B,d=0,e=this.I,f=this.C;dthis.C?this.update(this.F,56-this.C):this.update(this.F,this.B-(this.C-56));for(var c=this.B-1;56<=c;c--)this.I[c]=b&255,b/=256;mn(this,this.I);for(c=b=0;5>c;c++)for(var d=24;0<=d;d-=8)a[b]=this.u[c]>>d&255,++b;return a};g.Va(g.vn,g.am);g.k=g.vn.prototype;g.k.Hb=function(){return 1==this.Ka}; -g.k.wv=function(){this.Pg("begin")}; -g.k.sr=function(){this.Pg("end")}; -g.k.Zf=function(){this.Pg("finish")}; -g.k.Pg=function(a){this.dispatchEvent(a)};var ZBa=bb(function(){if(g.ye)return g.ae("10.0");var a=g.Fe("DIV"),b=g.Ae?"-webkit":wg?"-moz":g.ye?"-ms":g.xg?"-o":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");b={style:c};if(!xBa.test("div"))throw Error("");if("DIV"in zBa)throw Error("");c=null;var d="";if(b)for(h in b)if(Object.prototype.hasOwnProperty.call(b,h)){if(!xBa.test(h))throw Error("");var e=b[h];if(null!=e){var f=h;if(e instanceof ec)e=fc(e);else if("style"==f.toLowerCase()){if(!g.Pa(e))throw Error(""); -e instanceof Mc||(e=Sc(e));e=Nc(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in yBa)if(e instanceof ic)e=jc(e).toString();else if(e instanceof g.Ec)e=g.Fc(e);else if("string"===typeof e)e=g.Jc(e).Tg();else throw Error("");}e.Rj&&(e=e.Tg());f=f+'="'+xc(String(e))+'"';d+=" "+f}}var h="":(c=Gaa(d),h+=">"+g.bd(c).toString()+"",c=c.u());(b=b&&b.dir)&&(/^(ltr|rtl|auto)$/i.test(b)?c=0:c=null);b=cd(h,c);g.gd(a, -b);return""!=g.yg(a.firstChild,"transition")});g.Va(wn,g.vn);g.k=wn.prototype;g.k.play=function(){if(this.Hb())return!1;this.wv();this.Pg("play");this.startTime=g.A();this.Ka=1;if(ZBa())return g.ug(this.u,this.I),this.D=g.Lm(this.uR,void 0,this),!0;this.oy(!1);return!1}; -g.k.uR=function(){g.Lg(this.u);zda(this.u,this.K);g.ug(this.u,this.C);this.D=g.Lm((0,g.z)(this.oy,this,!1),1E3*this.F)}; -g.k.stop=function(){this.Hb()&&this.oy(!0)}; -g.k.oy=function(a){g.ug(this.u,"transition","");g.v.clearTimeout(this.D);g.ug(this.u,this.C);this.endTime=g.A();this.Ka=0;a?this.Pg("stop"):this.Zf();this.sr()}; -g.k.ca=function(){this.stop();wn.Jd.ca.call(this)}; -g.k.pause=function(){};var Ada={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};var Eda=yn("getPropertyValue"),Fda=yn("setProperty");var Dda={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};g.Cn.prototype.clone=function(){return new g.Cn(this.u,this.F,this.C,this.I,this.D,this.K,this.B,this.R)};g.En.prototype.B=0;g.En.prototype.reset=function(){this.u=this.C=this.D;this.B=0}; -g.En.prototype.getValue=function(){return this.C};Gn.prototype.clone=function(){return new Gn(this.start,this.end)}; -Gn.prototype.getLength=function(){return this.end-this.start};var $Ba=new WeakMap;(function(){if($Aa){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.Vc))?a[1]:"0"}return fE?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.Vc))?a[0].replace(/_/g,"."):"10"):g.qr?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.Vc))?a[1]:""):BBa||CBa||DBa?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.Vc))?a[1].replace(/_/g,"."):""):""})();var Mda=function(){if(g.vC)return Hn(/Firefox\/([0-9.]+)/);if(g.ye||g.hs||g.xg)return $d;if(g.pB)return Vd()?Hn(/CriOS\/([0-9.]+)/):Hn(/Chrome\/([0-9.]+)/);if(g.Ur&&!Vd())return Hn(/Version\/([0-9.]+)/);if(oD||sJ){var a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.Vc);if(a)return a[1]+"."+a[2]}else if(g.gD)return(a=Hn(/Android\s+([0-9.]+)/))?a:Hn(/Version\/([0-9.]+)/);return""}();g.Va(g.Jn,g.C);g.k=g.Jn.prototype;g.k.subscribe=function(a,b,c){var d=this.B[a];d||(d=this.B[a]=[]);var e=this.F;this.u[e]=a;this.u[e+1]=b;this.u[e+2]=c;this.F=e+3;d.push(e);return e}; -g.k.unsubscribe=function(a,b,c){if(a=this.B[a]){var d=this.u;if(a=g.fb(a,function(e){return d[e+1]==b&&d[e+2]==c}))return this.Cm(a)}return!1}; -g.k.Cm=function(a){var b=this.u[a];if(b){var c=this.B[b];0!=this.D?(this.C.push(a),this.u[a+1]=g.Ka):(c&&g.ob(c,a),delete this.u[a],delete this.u[a+1],delete this.u[a+2])}return!!b}; -g.k.V=function(a,b){var c=this.B[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)throw fj;var e=c.key(b++);if(a)return e;e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.pR=function(a){a.u=0;a.Aa=0;if("h"==a.C||"n"==a.C){fm();a.Ya&&(fm(),"h"!=mp(this)&&mp(this));var b=g.Ga("ima.common.getVideoMetadata");if("function"===typeof b)try{var c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2}else if("b"==a.C)if(b=g.Ga("ytads.bulleit.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else if("ml"==a.C)if(b=g.Ga("ima.common.getVideoMetadata"),"function"===typeof b)try{c=b(a.Zh)}catch(e){a.u|=4}else a.u|=2;else a.u|=1;a.u||(void 0===c?a.u|=8:null=== +c?a.u|=16:g.hd(c)?a.u|=32:null!=c.errorCode&&(a.Aa=c.errorCode,a.u|=64));null==c&&(c={});b=c;a.T=0;for(var d in j$a)null==b[d]&&(a.T|=j$a[d]);Kka(b,"currentTime");Kka(b,"duration");Vm(c.volume)&&Vm()&&(c.volume*=NaN);return c}; +g.k.gL=function(){fm();"h"!=mp(this)&&mp(this);var a=Rka(this);return null!=a?new Lka(a):null}; +g.k.LO=function(a){!a.j&&a.Ms&&np(this,a,"overlay_unmeasurable_impression")&&(a.j=!0)}; +g.k.nX=function(a){a.PX&&(a.wq()?np(this,a,"overlay_viewable_end_of_session_impression"):np(this,a,"overlay_unviewable_impression"),a.PX=!1)}; +g.k.nU=function(){}; +g.k.ED=function(a,b,c,d){if(bia()){var e=vl(fm().Cc,"mm"),f={};(e=(f[gm.fZ]="ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO",f[gm.VIDEO]="ACTIVE_VIEW_TRAFFIC_TYPE_VIDEO",f)[e])&&vp(this,e);"ACTIVE_VIEW_TRAFFIC_TYPE_UNSPECIFIED"===this.C&&rm(1044,Error())}a=gp.prototype.ED.call(this,a,b,c,d);this.D&&(b=this.I,null==a.D&&(a.D=new mja),b.j[a.Zh]=a.D,a.D.D=t$a);return a}; +g.k.rB=function(a){a&&1==a.Io()&&this.D&&delete this.I.j[a.Zh];return gp.prototype.rB.call(this,a)}; +g.k.eT=function(){this.j||(this.j=this.gL());return null==this.j?new $n:"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new rp(this.j):new $o(this.j)}; +g.k.eL=function(){return"ACTIVE_VIEW_TRAFFIC_TYPE_AUDIO"===this.C?new sp:new Vo}; +var up=new Sn;up.j="stopped";up.u="stopped";var u$a=pm(193,wp,void 0,Hka);g.Fa("Goog_AdSense_Lidar_sendVastEvent",u$a);var v$a=qm(194,function(a,b){b=void 0===b?{}:b;a=Uka(am(tp),a,b);return Vka(a)}); +g.Fa("Goog_AdSense_Lidar_getViewability",v$a);var w$a=pm(195,function(){return Wha()}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsArray",w$a);var x$a=qm(196,function(){return JSON.stringify(Wha())}); +g.Fa("Goog_AdSense_Lidar_getUrlSignalsList",x$a);var XIa={FSa:0,CSa:1,zSa:2,ASa:3,BSa:4,ESa:5,DSa:6};var Qna=(new Date).getTime();var y$a="client_dev_domain client_dev_regex_map client_dev_root_url client_rollout_override expflag forcedCapability jsfeat jsmode mods".split(" ");[].concat(g.u(y$a),["client_dev_set_cookie"]);var Zka="://secure-...imrworldwide.com/ ://cdn.imrworldwide.com/ ://aksecure.imrworldwide.com/ ://[^.]*.moatads.com ://youtube[0-9]+.moatpixel.com ://pm.adsafeprotected.com/youtube ://pm.test-adsafeprotected.com/youtube ://e[0-9]+.yt.srs.doubleverify.com www.google.com/pagead/xsul www.youtube.com/pagead/slav".split(" "),$ka=/\bocr\b/;var bla=/(?:\[|%5B)([a-zA-Z0-9_]+)(?:\]|%5D)/g;"undefined"!==typeof TextDecoder&&new TextDecoder;var z$a="undefined"!==typeof TextEncoder?new TextEncoder:null,qqa=z$a?function(a){return z$a.encode(a)}:function(a){a=g.fg(a); +for(var b=new Uint8Array(a.length),c=0;ca&&Number.isInteger(a)&&this.data_[a]!==b&&(this.data_[a]=b,this.j=-1)}; +Bp.prototype.get=function(a){return!!this.data_[a]};var Dp;g.Ta(g.Gp,g.C);g.k=g.Gp.prototype;g.k.start=function(){this.stop();this.C=!1;var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?(this.j=g.ud(this.u,"MozBeforePaint",this.B),this.u.mozRequestAnimationFrame(null),this.C=!0):this.j=a&&b?a.call(this.u,this.B):this.u.setTimeout(rba(this.B),20)}; +g.k.stop=function(){if(this.isActive()){var a=fla(this),b=gla(this);a&&!b&&this.u.mozRequestAnimationFrame?yd(this.j):a&&b?b.call(this.u,this.j):this.u.clearTimeout(this.j)}this.j=null}; +g.k.isActive=function(){return null!=this.j}; +g.k.N_=function(){this.C&&this.j&&yd(this.j);this.j=null;this.I.call(this.D,g.Ra())}; +g.k.qa=function(){this.stop();g.Gp.Gf.qa.call(this)};g.Ta(g.Ip,g.C);g.k=g.Ip.prototype;g.k.OA=0;g.k.qa=function(){g.Ip.Gf.qa.call(this);this.stop();delete this.j;delete this.u}; +g.k.start=function(a){this.stop();this.OA=g.ag(this.B,void 0!==a?a:this.Fi)}; +g.k.stop=function(){this.isActive()&&g.Ea.clearTimeout(this.OA);this.OA=0}; +g.k.isActive=function(){return 0!=this.OA}; +g.k.qR=function(){this.OA=0;this.j&&this.j.call(this.u)};Mp.prototype[Symbol.iterator]=function(){return this}; +Mp.prototype.next=function(){var a=this.j.next();return{value:a.done?void 0:this.u.call(void 0,a.value),done:a.done}};Vp.prototype.hk=function(){return new Wp(this.u())}; +Vp.prototype[Symbol.iterator]=function(){return new Xp(this.u())}; +Vp.prototype.j=function(){return new Xp(this.u())}; +g.w(Wp,g.Mn);Wp.prototype.next=function(){return this.u.next()}; +Wp.prototype[Symbol.iterator]=function(){return new Xp(this.u)}; +Wp.prototype.j=function(){return new Xp(this.u)}; +g.w(Xp,Vp);Xp.prototype.next=function(){return this.B.next()};g.k=g.Zp.prototype;g.k.Ml=function(){aq(this);for(var a=[],b=0;b2*this.size&&aq(this),!0):!1}; +g.k.get=function(a,b){return $p(this.u,a)?this.u[a]:b}; +g.k.set=function(a,b){$p(this.u,a)||(this.size+=1,this.j.push(a),this.Pt++);this.u[a]=b}; +g.k.forEach=function(a,b){for(var c=this.Xp(),d=0;d=d.j.length)return g.j3;var f=d.j[b++];return g.Nn(a?f:d.u[f])}; +return e};g.Ta(g.bq,g.Fd);g.k=g.bq.prototype;g.k.bd=function(){return 1==this.j}; +g.k.ZG=function(){this.Fl("begin")}; +g.k.Gq=function(){this.Fl("end")}; +g.k.onFinish=function(){this.Fl("finish")}; +g.k.Fl=function(a){this.dispatchEvent(a)};var A$a=Nd(function(){if(g.mf)return!0;var a=g.qf("DIV"),b=g.Pc?"-webkit":Im?"-moz":g.mf?"-ms":null,c={transition:"opacity 1s linear"};b&&(c[b+"-transition"]="opacity 1s linear");c={style:c};if(!c9a.test("div"))throw Error("");if("DIV"in e9a)throw Error("");b=void 0;var d="";if(c)for(h in c)if(Object.prototype.hasOwnProperty.call(c,h)){if(!c9a.test(h))throw Error("");var e=c[h];if(null!=e){var f=h;if(e instanceof Vd)e=Wd(e);else if("style"==f.toLowerCase()){if(!g.Ja(e))throw Error("");e instanceof +je||(e=Lba(e));e=ke(e)}else{if(/^on/i.test(f))throw Error("");if(f.toLowerCase()in d9a)if(e instanceof Zd)e=zba(e).toString();else if(e instanceof ae)e=g.be(e);else if("string"===typeof e)e=g.he(e).Ll();else throw Error("");}e.Qo&&(e=e.Ll());f=f+'="'+Ub(String(e))+'"';d+=" "+f}}var h="":(b=Vba(b),h+=">"+g.ve(b).toString()+"");h=g.we(h);g.Yba(a,h);return""!=g.Jm(a.firstChild,"transition")});g.Ta(cq,g.bq);g.k=cq.prototype;g.k.play=function(){if(this.bd())return!1;this.ZG();this.Fl("play");this.startTime=g.Ra();this.j=1;if(A$a())return g.Hm(this.u,this.I),this.B=g.ag(this.g8,void 0,this),!0;this.zJ(!1);return!1}; +g.k.g8=function(){g.Sm(this.u);lla(this.u,this.J);g.Hm(this.u,this.C);this.B=g.ag((0,g.Oa)(this.zJ,this,!1),1E3*this.D)}; +g.k.stop=function(){this.bd()&&this.zJ(!0)}; +g.k.zJ=function(a){g.Hm(this.u,"transition","");g.Ea.clearTimeout(this.B);g.Hm(this.u,this.C);this.endTime=g.Ra();this.j=0;if(a)this.Fl("stop");else this.onFinish();this.Gq()}; +g.k.qa=function(){this.stop();cq.Gf.qa.call(this)}; +g.k.pause=function(){};var nla={rgb:!0,rgba:!0,alpha:!0,rect:!0,image:!0,"linear-gradient":!0,"radial-gradient":!0,"repeating-linear-gradient":!0,"repeating-radial-gradient":!0,"cubic-bezier":!0,matrix:!0,perspective:!0,rotate:!0,rotate3d:!0,rotatex:!0,rotatey:!0,steps:!0,rotatez:!0,scale:!0,scale3d:!0,scalex:!0,scaley:!0,scalez:!0,skew:!0,skewx:!0,skewy:!0,translate:!0,translate3d:!0,translatex:!0,translatey:!0,translatez:!0};dq("Element","attributes")||dq("Node","attributes");dq("Element","innerHTML")||dq("HTMLElement","innerHTML");dq("Node","nodeName");dq("Node","nodeType");dq("Node","parentNode");dq("Node","childNodes");dq("HTMLElement","style")||dq("Element","style");dq("HTMLStyleElement","sheet");var tla=pla("getPropertyValue"),ula=pla("setProperty");dq("Element","namespaceURI")||dq("Node","namespaceURI");var sla={"-webkit-border-horizontal-spacing":!0,"-webkit-border-vertical-spacing":!0};var yla,G8a,xla,wla,zla;yla=RegExp("[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]");G8a=RegExp("^[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");g.B$a=RegExp("^[^\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]*[A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]"); +g.eq=RegExp("^[^A-Za-z\u00c0-\u00d6\u00d8-\u00f6\u00f8-\u02b8\u0300-\u0590\u0900-\u1fff\u200e\u2c00-\ud801\ud804-\ud839\ud83c-\udbff\uf900-\ufb1c\ufe00-\ufe6f\ufefd-\uffff]*[\u0591-\u06ef\u06fa-\u08ff\u200f\ud802-\ud803\ud83a-\ud83b\ufb1d-\ufdff\ufe70-\ufefc]");xla=/^http:\/\/.*/;g.C$a=RegExp("^(ar|ckb|dv|he|iw|fa|nqo|ps|sd|ug|ur|yi|.*[-_](Adlm|Arab|Hebr|Nkoo|Rohg|Thaa))(?!.*[-_](Latn|Cyrl)($|-|_))($|-|_)","i");wla=/\s+/;zla=/[\d\u06f0-\u06f9]/;gq.prototype.clone=function(){return new gq(this.j,this.J,this.B,this.D,this.C,this.I,this.u,this.T)}; +gq.prototype.equals=function(a){return this.j==a.j&&this.J==a.J&&this.B==a.B&&this.D==a.D&&this.C==a.C&&this.I==a.I&&this.u==a.u&&this.T==a.T};iq.prototype.clone=function(){return new iq(this.start,this.end)};(function(){if($0a){var a=/Windows NT ([0-9.]+)/;return(a=a.exec(g.hc()))?a[1]:"0"}return ZW?(a=/1[0|1][_.][0-9_.]+/,(a=a.exec(g.hc()))?a[0].replace(/_/g,"."):"10"):g.fz?(a=/Android\s+([^\);]+)(\)|;)/,(a=a.exec(g.hc()))?a[1]:""):R8a||S8a||T8a?(a=/(?:iPhone|CPU)\s+OS\s+(\S+)/,(a=a.exec(g.hc()))?a[1].replace(/_/g,"."):""):""})();var Bla=function(){if(g.fJ)return jq(/Firefox\/([0-9.]+)/);if(g.mf||g.oB||g.dK)return Ic;if(g.eI){if(Cc()||Dc()){var a=jq(/CriOS\/([0-9.]+)/);if(a)return a}return jq(/Chrome\/([0-9.]+)/)}if(g.BA&&!Cc())return jq(/Version\/([0-9.]+)/);if(cz||dz){if(a=/Version\/(\S+).*Mobile\/(\S+)/.exec(g.hc()))return a[1]+"."+a[2]}else if(g.eK)return(a=jq(/Android\s+([0-9.]+)/))?a:jq(/Version\/([0-9.]+)/);return""}();g.Ta(g.lq,g.C);g.k=g.lq.prototype;g.k.subscribe=function(a,b,c){var d=this.u[a];d||(d=this.u[a]=[]);var e=this.I;this.j[e]=a;this.j[e+1]=b;this.j[e+2]=c;this.I=e+3;d.push(e);return e}; +g.k.unsubscribe=function(a,b,c){if(a=this.u[a]){var d=this.j;if(a=a.find(function(e){return d[e+1]==b&&d[e+2]==c}))return this.Gh(a)}return!1}; +g.k.Gh=function(a){var b=this.j[a];if(b){var c=this.u[b];0!=this.C?(this.B.push(a),this.j[a+1]=function(){}):(c&&g.wb(c,a),delete this.j[a],delete this.j[a+1],delete this.j[a+2])}return!!b}; +g.k.ma=function(a,b){var c=this.u[a];if(c){for(var d=Array(arguments.length-1),e=1,f=arguments.length;e=c.length)return g.j3;var e=c.key(b++);if(a)return g.Nn(e);e=c.getItem(e);if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){this.u.clear()}; -g.k.key=function(a){return this.u.key(a)};g.Va(bo,ao);g.Va(co,ao);g.Va(fo,$n);var Pda={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},eo=null;g.k=fo.prototype;g.k.isAvailable=function(){return!!this.u}; -g.k.set=function(a,b){this.u.setAttribute(go(a),b);ho(this)}; -g.k.get=function(a){a=this.u.getAttribute(go(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; -g.k.remove=function(a){this.u.removeAttribute(go(a));ho(this)}; -g.k.wj=function(a){var b=0,c=this.u.XMLDocument.documentElement.attributes,d=new ej;d.next=function(){if(b>=c.length)throw fj;var e=c[b++];if(a)return decodeURIComponent(e.nodeName.replace(/\./g,"%")).substr(1);e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return e}; +g.k.clear=function(){this.j.clear()}; +g.k.key=function(a){return this.j.key(a)};g.Ta(sq,rq);g.Ta(Hla,rq);g.Ta(uq,qq);var Ila={".":".2E","!":".21","~":".7E","*":".2A","'":".27","(":".28",")":".29","%":"."},tq=null;g.k=uq.prototype;g.k.isAvailable=function(){return!!this.j}; +g.k.set=function(a,b){this.j.setAttribute(vq(a),b);wq(this)}; +g.k.get=function(a){a=this.j.getAttribute(vq(a));if("string"!==typeof a&&null!==a)throw"Storage mechanism: Invalid value was encountered";return a}; +g.k.remove=function(a){this.j.removeAttribute(vq(a));wq(this)}; +g.k.hk=function(a){var b=0,c=this.j.XMLDocument.documentElement.attributes,d=new g.Mn;d.next=function(){if(b>=c.length)return g.j3;var e=c[b++];if(a)return g.Nn(decodeURIComponent(e.nodeName.replace(/\./g,"%")).slice(1));e=e.nodeValue;if("string"!==typeof e)throw"Storage mechanism: Invalid value was encountered";return g.Nn(e)}; return d}; -g.k.clear=function(){for(var a=this.u.XMLDocument.documentElement,b=a.attributes.length;0=b)){if(1==b)lb(a);else{a[0]=a.pop();a=0;b=this.u;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; -g.k.Hf=function(){for(var a=this.u,b=[],c=a.length,d=0;d>1;if(b[d].getKey()>c.getKey())b[a]=b[d],a=d;else break}b[a]=c}; +g.k.remove=function(){var a=this.j,b=a.length,c=a[0];if(!(0>=b)){if(1==b)a.length=0;else{a[0]=a.pop();a=0;b=this.j;for(var d=b.length,e=b[a];a>1;){var f=2*a+1,h=2*a+2;f=he.getKey())break;b[a]=b[f];a=f}b[a]=e}return c.getValue()}}; +g.k.Ml=function(){for(var a=this.j,b=[],c=a.length,d=0;d>>16&65535|0;for(var f;0!==c;){f=2E3o3;o3++){n3=o3;for(var I$a=0;8>I$a;I$a++)n3=n3&1?3988292384^n3>>>1:n3>>>1;H$a[o3]=n3}nr=function(a,b,c,d){c=d+c;for(a^=-1;d>>8^H$a[(a^b[d])&255];return a^-1};var dr={};dr={2:"need dictionary",1:"stream end",0:"","-1":"file error","-2":"stream error","-3":"data error","-4":"insufficient memory","-5":"buffer error","-6":"incompatible version"};var Xq=[0,0,0,0,0,0,0,0,1,1,1,1,2,2,2,2,3,3,3,3,4,4,4,4,5,5,5,5,0],$q=[0,0,0,0,1,1,2,2,3,3,4,4,5,5,6,6,7,7,8,8,9,9,10,10,11,11,12,12,13,13],fma=[0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,0,2,3,7],Vla=[16,17,18,0,8,7,9,6,10,5,11,4,12,3,13,2,14,1,15],hr=Array(576);Pq(hr);var ir=Array(60);Pq(ir);var Zq=Array(512);Pq(Zq);var Wq=Array(256);Pq(Wq);var Yq=Array(29);Pq(Yq);var ar=Array(30);Pq(ar);var cma,dma,ema,bma=!1;var sr;sr=[new rr(0,0,0,0,function(a,b){var c=65535;for(c>a.Vl-5&&(c=a.Vl-5);;){if(1>=a.Yb){or(a);if(0===a.Yb&&0===b)return 1;if(0===a.Yb)break}a.xb+=a.Yb;a.Yb=0;var d=a.qk+c;if(0===a.xb||a.xb>=d)if(a.Yb=a.xb-d,a.xb=d,jr(a,!1),0===a.Sd.le)return 1;if(a.xb-a.qk>=a.Oi-262&&(jr(a,!1),0===a.Sd.le))return 1}a.Ph=0;if(4===b)return jr(a,!0),0===a.Sd.le?3:4;a.xb>a.qk&&jr(a,!1);return 1}), +new rr(4,4,8,4,pr),new rr(4,5,16,8,pr),new rr(4,6,32,32,pr),new rr(4,4,16,16,qr),new rr(8,16,32,32,qr),new rr(8,16,128,128,qr),new rr(8,32,128,256,qr),new rr(32,128,258,1024,qr),new rr(32,258,258,4096,qr)];var ama={};ama=function(){this.input=null;this.yw=this.Ti=this.Gv=0;this.Sj=null;this.LP=this.le=this.pz=0;this.msg="";this.state=null;this.iL=2;this.Cd=0};var gma=Object.prototype.toString; +tr.prototype.push=function(a,b){var c=this.Sd,d=this.options.chunkSize;if(this.ended)return!1;var e=b===~~b?b:!0===b?4:0;"string"===typeof a?c.input=Kla(a):"[object ArrayBuffer]"===gma.call(a)?c.input=new Uint8Array(a):c.input=a;c.Gv=0;c.Ti=c.input.length;do{0===c.le&&(c.Sj=new Oq.Nw(d),c.pz=0,c.le=d);a=$la(c,e);if(1!==a&&0!==a)return this.Gq(a),this.ended=!0,!1;if(0===c.le||0===c.Ti&&(4===e||2===e))if("string"===this.options.to){var f=Oq.rP(c.Sj,c.pz);b=f;f=f.length;if(65537>f&&(b.subarray&&G$a|| +!b.subarray))b=String.fromCharCode.apply(null,Oq.rP(b,f));else{for(var h="",l=0;la||a>c.length)throw Error();c[a]=b}; +var $ma=[1];g.w(Qu,J);Qu.prototype.j=function(a,b){return Sh(this,4,Du,a,b)}; +Qu.prototype.B=function(a,b){return Ih(this,5,a,b)}; +var ana=[4,5];g.w(Ru,J);g.w(Su,J);g.w(Tu,J);g.w(Uu,J);Uu.prototype.Qf=function(){return g.ai(this,2)};g.w(Vu,J);Vu.prototype.j=function(a,b){return Sh(this,1,Uu,a,b)}; +var bna=[1];g.w(Wu,J);g.w(Xu,J);Xu.prototype.Qf=function(){return g.ai(this,2)};g.w(Yu,J);Yu.prototype.j=function(a,b){return Sh(this,1,Xu,a,b)}; +var cna=[1];g.w(Zu,J);var $R=[1,2,3];g.w($u,J);$u.prototype.j=function(a,b){return Sh(this,1,Zu,a,b)}; +var dna=[1];g.w(av,J);var FD=[2,3,4,5];g.w(bv,J);bv.prototype.getMessage=function(){return g.ai(this,1)};g.w(cv,J);g.w(dv,J);g.w(ev,J);g.w(fv,J);fv.prototype.zi=function(a,b){return Sh(this,5,ev,a,b)}; +var ena=[5];g.w(gv,J);g.w(hv,J);hv.prototype.j=function(a,b){return Sh(this,3,gv,a,b)}; +var fna=[3];g.w(iv,J);g.w(jv,J);jv.prototype.B=function(a,b){return Sh(this,19,Ss,a,b)}; +jv.prototype.j=function(a,b){return Sh(this,20,Rs,a,b)}; +var gna=[19,20];g.w(kv,J);g.w(lv,J);g.w(mv,J);mv.prototype.j=function(a,b){return Sh(this,2,kv,a,b)}; +mv.prototype.setConfig=function(a){return I(this,lv,3,a)}; +mv.prototype.D=function(a,b){return Sh(this,5,kv,a,b)}; +mv.prototype.B=function(a,b){return Sh(this,9,wt,a,b)}; +var hna=[2,5,9];g.w(nv,J);nv.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(ov,J);ov.prototype.j=function(a,b){return Sh(this,9,nv,a,b)}; +var ina=[9];g.w(pv,J);g.w(qv,J);g.w(rv,J);g.w(tv,J);g.w(uv,J);uv.prototype.getType=function(){return bi(this,2)}; +uv.prototype.j=function(a,b){return Sh(this,3,tv,a,b)}; +var jna=[3];g.w(vv,J);vv.prototype.j=function(a,b){return Sh(this,10,wu,a,b)}; +vv.prototype.B=function(a,b){return Sh(this,17,ov,a,b)}; +var kna=[10,17];g.w(wv,J);var yHa={Gha:0,Fha:1,Cha:2,Dha:3,Eha:4};g.w(xv,J);xv.prototype.Qf=function(){return g.ai(this,2)}; +xv.prototype.GB=function(){return g.ai(this,7)};var $Ga={Ria:0,Qia:1,Kia:2,Lia:3,Mia:4,Nia:5,Oia:6,Pia:7};var fHa={Lpa:0,Mpa:3,Npa:1,Kpa:2};var WGa={Fqa:0,Vpa:1,Ypa:2,aqa:3,bqa:4,cqa:5,eqa:6,fqa:7,gqa:8,hqa:9,iqa:10,lqa:11,mqa:12,nqa:13,oqa:14,pqa:15,rqa:16,uqa:17,vqa:18,wqa:19,xqa:20,yqa:21,zqa:22,Aqa:23,Bqa:24,Gqa:25,Hqa:26,sqa:27,Cqa:28,tqa:29,kqa:30,dqa:31,jqa:32,Iqa:33,Jqa:34,Upa:35,Xpa:36,Dqa:37,Eqa:38,Zpa:39,qqa:40,Wpa:41};var ZGa={eta:0,ara:1,msa:2,Zsa:3,rta:4,isa:5,nsa:6,gra:7,ira:8,hra:9,zsa:10,hsa:11,gsa:12,Hsa:13,Lsa:14,ata:15,nta:16,fra:17,Qqa:18,xra:19,mra:20,lsa:21,tsa:22,bta:23,Rqa:24,Tqa:25,Esa:26,ora:116,Ara:27,Bra:28,ysa:29,cra:30,ura:31,ksa:32,xsa:33,Oqa:34,Pqa:35,Mqa:36,Nqa:37,qsa:38,rsa:39,Ksa:40,dra:41,pta:42,Csa:43,wsa:44,Asa:45,jsa:46,Bsa:47,pra:48,jra:49,tta:50,zra:51,yra:52,kra:53,lra:54,Xsa:55,Wsa:56,Vsa:57,Ysa:58,nra:59,qra:60,mta:61,Gsa:62,Dsa:63,Fsa:64,ssa:65,Rsa:66,Psa:67,Qsa:117,Ssa:68,vra:69, +wra:121,sta:70,tra:71,Tsa:72,Usa:73,Isa:74,Jsa:75,sra:76,rra:77,vsa:78,dta:79,usa:80,Kqa:81,Yqa:115,Wqa:120,Xqa:122,Zqa:123,Dra:124,Cra:125,Vqa:126,Osa:127,Msa:128,Nsa:129,qta:130,Lqa:131,Uqa:132,Sqa:133,Gra:82,Ira:83,Xra:84,Jra:85,esa:86,Hra:87,Lra:88,Rra:89,Ura:90,Zra:91,Wra:92,Yra:93,Fra:94,Mra:95,Vra:96,Ora:97,Nra:98,Era:99,Kra:100,bsa:101,Sra:102,fsa:103,csa:104,Pra:105,dsa:106,Tra:107,Qra:118,gta:108,kta:109,jta:110,ita:111,lta:112,hta:113,fta:114};var Hab={ula:0,tla:1,rla:2,sla:3};var hJa={aUa:0,HUa:1,MUa:2,uUa:3,vUa:4,wUa:5,OUa:39,PUa:6,KUa:7,GUa:50,NUa:69,IUa:70,JUa:71,EUa:74,xUa:32,yUa:44,zUa:33,LUa:8,AUa:9,BUa:10,DUa:11,CUa:12,FUa:73,bUa:56,cUa:57,dUa:58,eUa:59,fUa:60,gUa:61,lVa:13,mVa:14,nVa:15,vVa:16,qVa:17,xVa:18,wVa:19,sVa:20,tVa:21,oVa:34,uVa:35,rVa:36,pVa:49,kUa:37,lUa:38,nUa:40,pUa:41,oUa:42,qUa:43,rUa:51,mUa:52,jUa:67,hUa:22,iUa:23,TUa:24,ZUa:25,aVa:62,YUa:26,WUa:27,SUa:48,QUa:53,RUa:63,bVa:66,VUa:54,XUa:68,cVa:72,UUa:75,tUa:64,sUa:65,dVa:28,gVa:29,fVa:30,eVa:31, +iVa:45,kVa:46,jVa:47,hVa:55};var eJa={zVa:0,AVa:1,yVa:2};var jJa={DVa:0,CVa:1,BVa:2};var iJa={KVa:0,IVa:1,GVa:2,JVa:3,EVa:4,FVa:5,HVa:6};var PIa={cZa:0,bZa:1,aZa:2};var OIa={gZa:0,eZa:1,dZa:2,fZa:3};g.w(yv,J);g.w(zv,J);g.w(Av,J);g.w(Bv,J);g.w(Cv,J);g.w(Dv,J);Dv.prototype.hasFeature=function(){return null!=Ah(this,2)};g.w(Ev,J);Ev.prototype.OB=function(){return g.ai(this,7)};g.w(Fv,J);g.w(Gv,J);g.w(Hv,J);Hv.prototype.getName=function(){return bi(this,1)}; +Hv.prototype.getStatus=function(){return bi(this,2)}; +Hv.prototype.getState=function(){return bi(this,3)}; +Hv.prototype.qc=function(a){return H(this,3,a)};g.w(Iv,J);Iv.prototype.j=function(a,b){return Sh(this,2,Hv,a,b)}; +var lna=[2];g.w(Jv,J);g.w(Kv,J);Kv.prototype.j=function(a,b){return Sh(this,1,Iv,a,b)}; +Kv.prototype.B=function(a,b){return Sh(this,2,Iv,a,b)}; +var mna=[1,2];var dJa={fAa:0,dAa:1,eAa:2};var MIa={eGa:0,YFa:1,bGa:2,fGa:3,ZFa:4,aGa:5,cGa:6,dGa:7};var NIa={iGa:0,hGa:1,gGa:2};var LIa={FJa:0,GJa:1,EJa:2};var KIa={WJa:0,JJa:1,SJa:2,XJa:3,UJa:4,MJa:5,IJa:6,KJa:7,LJa:8,VJa:9,TJa:10,NJa:11,QJa:12,RJa:13,PJa:14,OJa:15,HJa:16};var HIa={NXa:0,JXa:1,MXa:2,LXa:3,KXa:4};var GIa={RXa:0,PXa:1,QXa:2,OXa:3};var IIa={YXa:0,UXa:1,WXa:2,SXa:3,XXa:4,TXa:5,VXa:6};var FIa={fYa:0,hYa:1,gYa:2,bYa:3,ZXa:4,aYa:5,iYa:6,cYa:7,jYa:8,dYa:9,eYa:10};var JIa={mYa:0,lYa:1,kYa:2};var TIa={d1a:0,a1a:1,Z0a:2,U0a:3,W0a:4,X0a:5,T0a:6,V0a:7,b1a:8,f1a:9,Y0a:10,R0a:11,S0a:12,e1a:13};var SIa={h1a:0,g1a:1};var $Ia={E1a:0,i1a:1,D1a:2,C1a:3,I1a:4,H1a:5,B1a:19,m1a:6,o1a:7,x1a:8,n1a:24,A1a:25,y1a:20,q1a:21,k1a:22,z1a:23,j1a:9,l1a:10,p1a:11,s1a:12,t1a:13,u1a:14,w1a:15,v1a:16,F1a:17,G1a:18};var UIa={M1a:0,L1a:1,N1a:2,J1a:3,K1a:4};var QIa={c2a:0,V1a:1,Q1a:2,Z1a:3,U1a:4,b2a:5,P1a:6,R1a:7,W1a:8,S1a:9,X1a:10,Y1a:11,T1a:12,a2a:13};var WIa={j2a:0,h2a:1,f2a:2,g2a:3,i2a:4};var VIa={n2a:0,k2a:1,l2a:2,m2a:3};var RIa={r2a:0,q2a:1,p2a:2};var aJa={u2a:0,s2a:1,t2a:2};var bJa={O2a:0,N2a:1,M2a:2,K2a:3,L2a:4};var cJa={S2a:0,Q2a:1,P2a:2,R2a:3};var Iab={Gla:0,Dla:1,Ela:2,Bla:3,Fla:4,Cla:5};var NFa={n1:0,Gxa:1,Eva:2,Fva:3,gAa:4,oKa:5,Xha:6};var WR={doa:0,Kna:101,Qna:102,Fna:103,Ina:104,Nna:105,Ona:106,Rna:107,Sna:108,Una:109,Vna:110,coa:111,Pna:112,Lna:113,Tna:114,Xna:115,eoa:116,Hna:117,Mna:118,foa:119,Yna:120,Zna:121,Jna:122,Gna:123,Wna:124,boa:125,aoa:126};var JHa={ooa:0,loa:1,moa:2,joa:3,koa:4,ioa:5,noa:6};var Jab={fpa:0,epa:1,cpa:2,dpa:3};var Kab={qpa:0,opa:1,hpa:2,npa:3,gpa:4,kpa:5,mpa:6,ppa:7,lpa:8,jpa:9,ipa:10};var Lab={spa:0,tpa:1,rpa:2};g.w(Lv,J);g.w(Mv,J);g.w(Nv,J);Nv.prototype.getState=function(){return Uh(this,1)}; +Nv.prototype.qc=function(a){return H(this,1,a)};g.w(Ov,J);g.w(Pv,J);g.w(Qv,J);g.w(Rv,J);g.w(Sv,J);Sv.prototype.Ce=function(){return g.ai(this,1)}; +Sv.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Tv,J);Tv.prototype.og=function(a){Rh(this,1,a)};g.w(Uv,J);Uv.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(Vv,J);Vv.prototype.hasFeature=function(){return null!=Ah(this,1)};g.w(Wv,J);g.w(Xv,J);g.w(Yv,J);Yv.prototype.Qf=function(){return bi(this,2)}; +var Mab=[1];g.w(Zv,J);g.w($v,J);g.w(aw,J);g.w(bw,J);bw.prototype.getVideoAspectRatio=function(){return kea(this,2)};g.w(cw,J);g.w(dw,J);g.w(ew,J);g.w(fw,J);g.w(gw,J);g.w(hw,J);g.w(iw,J);g.w(jw,J);g.w(kw,J);g.w(lw,J);g.w(mw,J);mw.prototype.getId=function(){return g.ai(this,1)};g.w(nw,J);g.w(ow,J);g.w(pw,J);pw.prototype.j=function(a,b){return Sh(this,5,ow,a,b)}; +var nna=[5];g.w(qw,J);g.w(rw,J);g.w(tw,J);tw.prototype.OB=function(){return g.ai(this,30)}; +tw.prototype.j=function(a,b){return Sh(this,27,rw,a,b)}; +var ona=[27];g.w(uw,J);g.w(vw,J);g.w(ww,J);g.w(xw,J);var s3=[1,2,3,4];g.w(yw,J);g.w(Aw,J);g.w(Fw,J);g.w(Gw,J);g.w(Hw,J);Hw.prototype.Jl=function(){return Th(Ah(this,2),0)};g.w(Iw,J);g.w(Jw,J);g.w(Kw,J);g.w(Lw,J);g.w(Mw,J);g.w(Nw,J);g.w(Ow,J);Ow.prototype.j=function(a,b){return Ih(this,1,a,b)}; +var pna=[1];g.w(Pw,J);Pw.prototype.Qf=function(){return bi(this,3)};g.w(Qw,J);g.w(Rw,J);g.w(Sw,J);g.w(Tw,J);Tw.prototype.Ce=function(){return Mh(this,Rw,2===Jh(this,t3)?2:-1)}; +Tw.prototype.setVideoId=function(a){return Oh(this,Rw,2,t3,a)}; +Tw.prototype.getPlaylistId=function(){return Mh(this,Qw,4===Jh(this,t3)?4:-1)}; +var t3=[2,3,4,5];g.w(Uw,J);Uw.prototype.getType=function(){return bi(this,1)}; +Uw.prototype.Ce=function(){return g.ai(this,3)}; +Uw.prototype.setVideoId=function(a){return H(this,3,a)};g.w(Vw,J);g.w(Ww,J);g.w(Xw,J);var DIa=[3];g.w(Yw,J);g.w(Zw,J);g.w($w,J);g.w(ax,J);g.w(bx,J);g.w(cx,J);g.w(dx,J);g.w(ex,J);g.w(fx,J);g.w(gx,J);gx.prototype.getStarted=function(){return Th(Uda(Ah(this,1)),!1)};g.w(hx,J);g.w(ix,J);g.w(jx,J);jx.prototype.getDuration=function(){return Uh(this,2)}; +jx.prototype.Sk=function(a){H(this,2,a)};g.w(kx,J);g.w(lx,J);g.w(mx,J);mx.prototype.OB=function(){return g.ai(this,1)};g.w(nx,J);g.w(ox,J);g.w(px,J);px.prototype.vg=function(){return Mh(this,nx,8)}; +px.prototype.a4=function(){return Ch(this,nx,8)}; +px.prototype.getVideoData=function(){return Mh(this,ox,15)}; +px.prototype.iP=function(a){I(this,ox,15,a)}; +var qna=[4];g.w(qx,J);g.w(rx,J);rx.prototype.j=function(a){return H(this,2,a)};g.w(sx,J);sx.prototype.j=function(a){return H(this,1,a)}; +var tna=[3];g.w(tx,J);tx.prototype.j=function(a){return H(this,1,a)}; +tx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(ux,J);ux.prototype.j=function(a){return H(this,1,a)}; +ux.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(vx,J);vx.prototype.j=function(a){return H(this,1,a)}; +vx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(wx,J);wx.prototype.j=function(a){return H(this,1,a)}; +wx.prototype.Dk=function(){return Ch(this,Tv,2)};g.w(xx,J);g.w(yx,J);yx.prototype.getId=function(){return g.ai(this,2)};g.w(Bx,J);Bx.prototype.getVisibilityState=function(){return bi(this,5)}; +var vna=[16];g.w(Cx,J);g.w(Dx,J);Dx.prototype.getPlayerType=function(){return bi(this,7)}; +Dx.prototype.Ce=function(){return g.ai(this,19)}; +Dx.prototype.setVideoId=function(a){return H(this,19,a)}; +var wna=[112,83,68];g.w(Fx,J);g.w(Gx,J);g.w(Hx,J);Hx.prototype.Ce=function(){return g.ai(this,1)}; +Hx.prototype.setVideoId=function(a){return H(this,1,a)}; +Hx.prototype.j=function(a,b){return Sh(this,9,Gx,a,b)}; +var xna=[9];g.w(Ix,J);Ix.prototype.j=function(a,b){return Sh(this,3,Hx,a,b)}; +var yna=[3];g.w(Jx,J);Jx.prototype.Ce=function(){return g.ai(this,1)}; +Jx.prototype.setVideoId=function(a){return H(this,1,a)};g.w(Kx,J);g.w(Lx,J);Lx.prototype.j=function(a,b){return Sh(this,1,Jx,a,b)}; +Lx.prototype.B=function(a,b){return Sh(this,2,Kx,a,b)}; +var zna=[1,2];g.w(Mx,J);g.w(Nx,J);Nx.prototype.getId=function(){return g.ai(this,1)}; +Nx.prototype.j=function(a,b){return Ih(this,2,a,b)}; +var Ana=[2];g.w(Ox,J);g.w(Px,J);g.w(Qx,J);Qx.prototype.j=function(a,b){return Ih(this,9,a,b)}; +var Bna=[9];g.w(Rx,J);g.w(Sx,J);g.w(Tx,J);Tx.prototype.getId=function(){return g.ai(this,1)}; +Tx.prototype.j=function(a,b){return Sh(this,14,Px,a,b)}; +Tx.prototype.B=function(a,b){return Sh(this,17,Rx,a,b)}; +var Cna=[14,17];g.w(Ux,J);Ux.prototype.B=function(a,b){return Sh(this,1,Tx,a,b)}; +Ux.prototype.j=function(a,b){return Sh(this,2,Nx,a,b)}; +var Dna=[1,2];g.w(Vx,J);g.w(Wx,J);Wx.prototype.getOrigin=function(){return g.ai(this,3)}; +Wx.prototype.Ye=function(){return Uh(this,6)};g.w(Xx,J);g.w(Yx,J);g.w(Zx,J);Zx.prototype.getContext=function(){return Mh(this,Yx,33)}; +var AD=[2,3,5,6,7,11,13,20,21,22,23,24,28,32,37,45,59,72,73,74,76,78,79,80,85,91,97,100,102,105,111,117,119,126,127,136,146,148,151,156,157,158,159,163,164,168,176,177,178,179,184,188,189,190,191,193,194,195,196,197,198,199,200,201,202,203,204,205,206,208,209,215,219,222,225,226,227,229,232,233,234,240,241,244,247,248,249,251,254,255,256,257,258,259,260,261,266,270,272,278,288,291,293,300,304,308,309,310,311,313,314,319,320,321,323,324,327,328,330,331,332,334,337,338,340,344,348,350,351,352,353,354, +355,356,357,358,361,363,364,368,369,370,373,374,375,378,380,381,383,388,389,402,403,410,411,412,413,414,415,416,417,418,423,424,425,426,427,429,430,431,439,441,444,448,458,469,471,473,474];var Nab={Eoa:0,Boa:1,Aoa:2,Doa:3,Coa:4,yoa:5,zoa:6};var Oab={Cua:0,oua:1,rua:2,pua:3,uua:4,qua:5,Wta:6,zua:7,hua:8,Qta:9,iua:10,vua:11,sua:12,Yta:13,Uta:14,Xta:15,Bua:16,Rta:17,Sta:18,Aua:19,Zta:20,Vta:21,yua:22,Hua:23,Gua:24,Dua:25,jua:26,tua:27,Iua:28,aua:29,Ota:30,Fua:31,Eua:32,gua:33,Lua:34,fua:35,wua:36,Kua:37,kua:38,xua:39,eua:40,cua:41,Tta:42,nua:43,Jua:44,Pta:45};var Pab={uva:0,fva:1,iva:2,gva:3,mva:4,hva:5,Vua:6,rva:7,ava:8,Oua:9,bva:10,nva:11,jva:12,Xua:13,Tua:14,Wua:15,tva:16,Qua:17,Rua:18,sva:19,Yua:20,Uua:21,qva:22,yva:23,xva:24,vva:25,cva:26,kva:27,zva:28,Zua:29,Mua:30,wva:31,Pua:32,Cva:33,ova:34,Bva:35,dva:36,pva:37,Sua:38,eva:39,Ava:40,Nua:41};var Qab={kxa:0,jxa:1,lxa:2};var Rab={nwa:0,lwa:1,hwa:3,jwa:4,kwa:5,mwa:6,iwa:7};var Sab={twa:0,qwa:1,swa:2,rwa:3,pwa:4,owa:5};var Uab={fxa:0,bxa:1,cxa:2,dxa:3,exa:4};var Vab={qxa:0,rxa:1,sxa:2,pxa:3,nxa:4,oxa:5};var QCa={aya:0,Hxa:1,Nxa:2,Oxa:4,Uxa:8,Pxa:16,Qxa:32,Zxa:64,Yxa:128,Jxa:256,Lxa:512,Sxa:1024,Kxa:2048,Mxa:4096,Ixa:8192,Rxa:16384,Vxa:32768,Txa:65536,Wxa:131072,Xxa:262144};var IHa={Eya:0,Dya:1,Cya:2,Bya:4};var HHa={Jya:0,Gya:1,Hya:2,Kya:3,Iya:4,Fya:5};var Wab={Ata:0,zta:1,yta:2};var Xab={mGa:0,lGa:1,kGa:2};var Yab={bHa:0,JGa:1,ZGa:2,LGa:3,RGa:4,dHa:5,aHa:6,zGa:7,yGa:8,xGa:9,DGa:10,IGa:11,HGa:12,AGa:13,SGa:14,NGa:15,PGa:16,pGa:17,YGa:18,tGa:19,OGa:20,oGa:21,QGa:22,GGa:23,qGa:24,sGa:25,VGa:26,cHa:27,WGa:28,MGa:29,BGa:30,EGa:31,FGa:32,wGa:33,eHa:34,uGa:35,CGa:36,TGa:37,rGa:38,nGa:39,vGa:41,KGa:42,UGa:43,XGa:44};var Zab={iHa:0,hHa:1,gHa:2,fHa:3};var bHa={MHa:0,LHa:1,JHa:2,KHa:7,IHa:8,HHa:25,wHa:3,xHa:4,FHa:5,GHa:27,EHa:28,yHa:9,mHa:10,kHa:11,lHa:6,vHa:12,tHa:13,uHa:14,sHa:15,AHa:16,BHa:17,zHa:18,DHa:19,CHa:20,pHa:26,qHa:21,oHa:22,rHa:23,nHa:24,NHa:29};var dHa={SHa:0,PHa:1,QHa:2,RHa:3,OHa:4};var cHa={XHa:0,VHa:1,WHa:2,THa:3,UHa:4};var LGa={eIa:0,YHa:1,aIa:2,ZHa:3,bIa:4,cIa:5,dIa:6,fIa:7};var UHa={Xoa:0,Voa:1,Woa:2,Soa:3,Toa:4,Uoa:5};var ZHa={rMa:0,qMa:1,jMa:2,oMa:3,kMa:4,nMa:5,pMa:6,mMa:7,lMa:8};var uHa={LMa:0,DMa:1,MMa:2,KMa:4,HMa:8,GMa:16,FMa:32,IMa:64,EMa:128,JMa:256};var VHa={eNa:0,ZMa:1,dNa:2,WMa:3,OMa:4,UMa:5,PMa:6,QMa:7,SMa:8,XMa:9,bNa:10,aNa:11,cNa:12,RMa:13,TMa:14,VMa:15,YMa:16,NMa:17};var sHa={gMa:0,dMa:1,eMa:2,fMa:3};var xHa={yMa:0,AMa:1,xMa:2,tMa:3,zMa:4,uMa:5,vMa:6,wMa:7};var PGa={F2a:0,Lla:1,XFa:2,tKa:3,vKa:4,wKa:5,qKa:6,wZa:7,MKa:8,LKa:9,rKa:10,uKa:11,a_a:12,Oda:13,Wda:14,Pda:15,oPa:16,YLa:17,NKa:18,QKa:19,CMa:20,PKa:21,sMa:22,fNa:23,VKa:24,iMa:25,sKa:26,tZa:27,CXa:28,NRa:29,jja:30,n6a:31,hMa:32};var OGa={I2a:0,V$:1,hNa:2,gNa:3,SUCCESS:4,hZa:5,Bta:6,CRa:7,gwa:9,Mla:10,Dna:11,CANCELLED:12,MRa:13,DXa:14,IXa:15,b3a:16};var NGa={o_a:0,f_a:1,k_a:2,j_a:3,g_a:4,h_a:5,b_a:6,n_a:7,m_a:8,e_a:9,d_a:10,i_a:11,l_a:12,c_a:13};var YGa={dPa:0,UOa:1,YOa:2,WOa:3,cPa:4,XOa:5,bPa:6,aPa:7,ZOa:8,VOa:9};var $ab={lQa:0,kQa:1,jQa:2};var abb={oQa:0,mQa:1,nQa:2};var aHa={LSa:0,KSa:1,JSa:2};var bbb={SSa:0,TSa:1};var zIa={ZSa:0,XSa:1,YSa:2,aTa:3};var cbb={iWa:0,gWa:1,hWa:2};var dbb={FYa:0,BYa:1,CYa:2,DYa:3,EYa:4};var wHa={lWa:0,jWa:1,kWa:2};var YHa={FWa:0,CWa:1,DWa:2,EWa:3};var oHa={aha:0,Zga:1,Xga:2,Yga:3};var OHa={Fia:0,zia:1,Cia:2,Dia:3,Bia:4,Eia:5,Gia:6,Aia:7};var iHa={hma:0,gma:1,jma:2};var SGa={D2a:0,fla:1,gla:2,ela:3,hla:4};var RGa={E2a:0,bQa:1,MOa:2};var RHa={Kta:0,Gta:1,Cta:2,Jta:3,Eta:4,Hta:5,Fta:6,Dta:7,Ita:8};var THa={ixa:0,hxa:1,gxa:2};var NHa={WFa:0,VFa:1,UFa:2};var QHa={fKa:0,eKa:1,dKa:2};var MHa={qSa:0,oSa:1,pSa:2};var mHa={lZa:0,kZa:1,jZa:2};var ebb={sFa:0,oFa:1,pFa:2,qFa:3,rFa:4,tFa:5};var fbb={mPa:0,jPa:1,hPa:2,ePa:3,iPa:4,kPa:5,fPa:6,gPa:7,lPa:8,nPa:9};var gbb={KZa:0,JZa:1,LZa:2};var yIa={j6a:0,T5a:1,a6a:2,Z5a:3,S5a:4,k6a:5,h6a:6,U5a:7,V5a:8,Y5a:9,X5a:12,P5a:10,i6a:11,d6a:13,e6a:14,l6a:15,b6a:16,f6a:17,Q5a:18,g6a:19,R5a:20,m6a:21,W5a:22};var tIa={eya:0,cya:1,dya:2,bya:3};g.w($x,J);g.w(ay,J);ay.prototype.Ce=function(){var a=1===Jh(this,kD)?1:-1;return Ah(this,a)}; +ay.prototype.setVideoId=function(a){return Kh(this,1,kD,a)}; +ay.prototype.getPlaylistId=function(){var a=2===Jh(this,kD)?2:-1;return Ah(this,a)}; +var kD=[1,2];g.w(by,J);by.prototype.getContext=function(){return Mh(this,rt,1)}; +var Ena=[3];var rM=new g.zr("changeKeyedMarkersVisibilityCommand");var hbb=new g.zr("changeMarkersVisibilityCommand");var wza=new g.zr("loadMarkersCommand");var qza=new g.zr("shoppingOverlayRenderer");g.Oza=new g.zr("musicEmbeddedPlayerOverlayVideoDetailsRenderer");var ibb=new g.zr("adFeedbackEndpoint");var wNa=new g.zr("phoneDialerEndpoint");var vNa=new g.zr("sendSmsEndpoint");var Mza=new g.zr("copyTextEndpoint");var jbb=new g.zr("webPlayerShareEntityServiceEndpoint");g.pM=new g.zr("urlEndpoint");g.oM=new g.zr("watchEndpoint");var LCa=new g.zr("watchPlaylistEndpoint");var cIa={ija:0,hja:1,gja:2,eja:3,fja:4};var tHa={KKa:0,IKa:1,JKa:2,HKa:3};var kbb={aLa:0,ZKa:1,XKa:2,YKa:3};var lbb={eLa:0,bLa:1,cLa:2,dLa:3,fLa:4};var mbb={VLa:0,QLa:1,WLa:2,SLa:3,JLa:4,BLa:37,mLa:5,jLa:36,oLa:38,wLa:39,xLa:40,sLa:41,ULa:42,pLa:27,GLa:31,ILa:6,KLa:7,LLa:8,MLa:9,NLa:10,OLa:11,RLa:29,qLa:30,HLa:32,ALa:12,zLa:13,lLa:14,FLa:15,gLa:16,iLa:35,nLa:43,rLa:28,DLa:17,CLa:18,ELa:19,TLa:20,vLa:25,kLa:33,XLa:21,yLa:22,uLa:26,tLa:34,PLa:23,hLa:24};var aIa={cMa:0,aMa:1,ZLa:2,bMa:3};var ZR={HXa:0,EXa:1,GXa:2,FXa:3};var QGa={ZZa:0,NZa:1,MZa:2,SZa:3,YZa:4,OZa:5,VZa:6,TZa:7,UZa:8,PZa:9,WZa:10,QZa:11,XZa:12,RZa:13};var rHa={BMa:0,WKa:1,OKa:2,TKa:3,UKa:4,RKa:5,SKa:6};var nbb={OSa:0,NSa:1};var obb={IYa:0,HYa:1,GYa:2,JYa:3};var pbb={MYa:0,LYa:1,KYa:2};var qbb={WYa:0,QYa:1,RYa:2,SYa:5,VYa:7,XYa:8,TYa:9,UYa:10};var rbb={PYa:0,OYa:1,NYa:2};var KKa=new g.zr("compositeVideoOverlayRenderer");var KNa=new g.zr("miniplayerRenderer");var bza=new g.zr("playerMutedAutoplayOverlayRenderer"),cza=new g.zr("playerMutedAutoplayEndScreenRenderer");var gya=new g.zr("unserializedPlayerResponse"),dza=new g.zr("unserializedPlayerResponse");var sbb=new g.zr("playlistEditEndpoint");var u3;g.mM=new g.zr("buttonRenderer");u3=new g.zr("toggleButtonRenderer");var YR={G2a:0,tCa:4,sSa:1,cwa:2,mia:3,uCa:5,vSa:6,dwa:7,ewa:8,fwa:9};var tbb=new g.zr("resolveUrlCommandMetadata");var ubb=new g.zr("modifyChannelNotificationPreferenceEndpoint");var $Da=new g.zr("pingingEndpoint");var vbb=new g.zr("unsubscribeEndpoint");var PFa={J2a:0,kJa:1,gJa:2,fJa:3,GIa:71,FIa:4,iJa:5,lJa:6,jJa:16,hJa:69,HIa:70,CIa:56,DIa:64,EIa:65,TIa:7,JIa:8,OIa:9,KIa:10,NIa:11,MIa:12,LIa:13,QIa:43,WIa:44,XIa:45,YIa:46,ZIa:47,aJa:48,bJa:49,cJa:50,dJa:51,eJa:52,UIa:53,VIa:54,SIa:63,IIa:14,RIa:15,PIa:68,b5a:17,k5a:18,u4a:19,a5a:20,O4a:21,c5a:22,m4a:23,W4a:24,R4a:25,y4a:26,k4a:27,F4a:28,Z4a:29,h4a:30,g4a:31,i4a:32,n4a:33,X4a:34,V4a:35,P4a:36,T4a:37,d5a:38,B4a:39,j5a:40,H4a:41,w4a:42,e5a:55,S4a:66,A5a:67,L4a:57,Y4a:58,o4a:59,j4a:60,C4a:61,Q4a:62};var wbb={BTa:0,DTa:1,uTa:2,mTa:3,yTa:4,zTa:5,ETa:6,dTa:7,eTa:8,kTa:9,vTa:10,nTa:11,rTa:12,pTa:13,qTa:14,sTa:15,tTa:19,gTa:16,xTa:17,wTa:18,iTa:20,oTa:21,fTa:22,CTa:23,lTa:24,hTa:25,ATa:26,jTa:27};g.FM=new g.zr("subscribeButtonRenderer");var xbb=new g.zr("subscribeEndpoint");var pHa={pWa:0,nWa:1,oWa:2};g.GKa=new g.zr("buttonViewModel");var ZIa={WTa:0,XTa:1,VTa:2,RTa:3,UTa:4,STa:5,QTa:6,TTa:7};var q2a=new g.zr("qrCodeRenderer");var zxa={BFa:"LIVING_ROOM_APP_MODE_UNSPECIFIED",yFa:"LIVING_ROOM_APP_MODE_MAIN",xFa:"LIVING_ROOM_APP_MODE_KIDS",zFa:"LIVING_ROOM_APP_MODE_MUSIC",AFa:"LIVING_ROOM_APP_MODE_UNPLUGGED",wFa:"LIVING_ROOM_APP_MODE_GAMING"};var lza=new g.zr("autoplaySwitchButtonRenderer");var HL,oza,xya,cPa;HL=new g.zr("decoratedPlayerBarRenderer");oza=new g.zr("chapteredPlayerBarRenderer");xya=new g.zr("multiMarkersPlayerBarRenderer");cPa=new g.zr("chapterRenderer");g.VOa=new g.zr("markerRenderer");var nM=new g.zr("desktopOverlayConfigRenderer");var rza=new g.zr("gatedActionsOverlayViewModel");var ZOa=new g.zr("heatMarkerRenderer");var YOa=new g.zr("heatmapRenderer");var vza=new g.zr("watchToWatchTransitionRenderer");var Pza=new g.zr("playlistPanelRenderer");var TKa=new g.zr("speedmasterEduViewModel");var lM=new g.zr("suggestedActionTimeRangeTrigger"),mza=new g.zr("suggestedActionsRenderer"),nza=new g.zr("suggestedActionRenderer");var $Oa=new g.zr("timedMarkerDecorationRenderer");var ybb={z5a:0,v5a:1,w5a:2,y5a:3,x5a:4,u5a:5,t5a:6,p5a:7,r5a:8,s5a:9,q5a:10,n5a:11,m5a:12,l5a:13,o5a:14};var MR={n1:0,USER:74,Hha:459,TRACK:344,Iha:493,Vha:419,gza:494,dja:337,zIa:237,Uwa:236,Cna:3,B5a:78,E5a:248,oJa:79,mRa:246,K5a:247,zKa:382,yKa:383,xKa:384,oZa:235,VIDEO:4,H5a:186,Vla:126,AYa:127,dma:117,iRa:125,nSa:151,woa:515,Ola:6,Pva:132,Uva:154,Sva:222,Tva:155,Qva:221,Rva:156,zYa:209,yYa:210,U3a:7,BRa:124,mWa:96,kKa:97,b4a:93,c4a:275,wia:110,via:120,iQa:121,wxa:72,N3a:351,FTa:495,L3a:377,O3a:378,Lta:496,Mta:497,GTa:498,xia:381,M3a:386,d4a:387,Bha:410,kya:437,Spa:338,uia:380,T$:352,ROa:113,SOa:114, +EZa:82,FZa:112,uoa:354,AZa:21,Ooa:523,Qoa:375,Poa:514,Qda:302,ema:136,xxa:85,dea:22,L5a:23,IZa:252,HZa:253,tia:254,Nda:165,xYa:304,Noa:408,Xya:421,zZa:422,V3a:423,gSa:463,PLAYLIST:63,S3a:27,R3a:28,T3a:29,pYa:30,sYa:31,rYa:324,tYa:32,Hia:398,vYa:399,wYa:400,mKa:411,lKa:413,nKa:414,pKa:415,uRa:39,vRa:143,zRa:144,qRa:40,rRa:145,tRa:146,F3a:504,yRa:325,BPa:262,DPa:263,CPa:264,FPa:355,GPa:249,IPa:250,HPa:251,Ala:46,PSa:49,RSa:50,Hda:62,hIa:105,aza:242,BXa:397,rQa:83,QOa:135,yha:87,Aha:153,zha:187,tha:89, +sha:88,uha:139,wha:91,vha:104,xha:137,kla:99,U2a:100,iKa:326,qoa:148,poa:149,nYa:150,oYa:395,Zha:166,fia:199,aia:534,eia:167,bia:168,jia:169,kia:170,cia:171,dia:172,gia:179,hia:180,lia:512,iia:513,j3a:200,V2a:476,k3a:213,Wha:191,EPa:192,yPa:305,zPa:306,KPa:329,yWa:327,zWa:328,uPa:195,vPa:197,TOa:301,pPa:223,qPa:224,Vya:227,nya:396,hza:356,cza:490,iza:394,kja:230,oia:297,o3a:298,Uya:342,xoa:346,uta:245,GZa:261,Axa:265,Fxa:266,Bxa:267,yxa:268,zxa:269,Exa:270,Cxa:271,Dxa:272,mFa:303,dEa:391,eEa:503, +gEa:277,uFa:499,vFa:500,kFa:501,nFa:278,fEa:489,zpa:332,Bpa:333,xpa:334,Apa:335,ypa:336,jla:340,Pya:341,E3a:349,D3a:420,xRa:281,sRa:282,QSa:286,qYa:288,wRa:291,ARa:292,cEa:295,uYa:296,bEa:299,Sda:417,lza:308,M5a:309,N5a:310,O5a:311,Dea:350,m3a:418,Vwa:424,W2a:425,AKa:429,jKa:430,fza:426,xXa:460,hKa:427,PRa:428,QRa:542,ORa:461,AWa:464,mIa:431,kIa:432,rIa:433,jIa:434,oIa:435,pIa:436,lIa:438,qIa:439,sIa:453,nIa:454,iIa:472,vQa:545,tQa:546,DQa:547,GQa:548,FQa:549,EQa:550,wQa:551,CQa:552,yQa:516,xQa:517, +zQa:544,BQa:519,AQa:553,sZa:520,sQa:521,uQa:522,dza:543,aQa:440,cQa:441,gQa:442,YPa:448,ZPa:449,dQa:450,hQa:451,fQa:491,POST:445,XPa:446,eQa:447,JQa:456,BKa:483,KQa:529,IQa:458,USa:480,VSa:502,WSa:482,Qya:452,ITa:465,JTa:466,Ena:467,HQa:468,Cpa:469,yla:470,xla:471,bza:474,Oya:475,vma:477,Rya:478,Yva:479,LPa:484,JPa:485,xPa:486,wPa:487,Xda:488,apa:492,Epa:505,Moa:506,W3a:507,uAa:508,Xva:509,Zva:510,bwa:511,n3a:524,P3a:530,wSa:531,Dpa:532,OTa:533,Sya:535,kza:536,Yya:537,eza:538,Tya:539,Zya:540,Wya:541};var Ita=new g.zr("cipher");var hya=new g.zr("playerVars");var eza=new g.zr("playerVars");var v3=g.Ea.window,zbb,Abb,cy=(null==v3?void 0:null==(zbb=v3.yt)?void 0:zbb.config_)||(null==v3?void 0:null==(Abb=v3.ytcfg)?void 0:Abb.data_)||{};g.Fa("yt.config_",cy);var ky=[];var Nna=/^[\w.]*$/,Lna={q:!0,search_query:!0},Kna=String(oy);var Ona=new function(){var a=window.document;this.j=window;this.u=a}; +g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return py(zy(a))});g.Ra();var Rna="XMLHttpRequest"in g.Ea?function(){return new XMLHttpRequest}:null;var Tna={Authorization:"AUTHORIZATION","X-Goog-EOM-Visitor-Id":"EOM_VISITOR_DATA","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-Youtube-Domain-Admin-State":"DOMAIN_ADMIN_STATE","X-Youtube-Chrome-Connected":"CHROME_CONNECTED_HEADER","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL", +"X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM","X-Goog-AuthUser":"SESSION_INDEX","X-Goog-PageId":"DELEGATED_SESSION_ID"},Vna="app debugcss debugjs expflag force_ad_params force_ad_encrypted force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address".split(" ").concat(g.u(y$a)),$na=!1,qDa=Fy;g.w(Jy,cb);My.prototype.then=function(a,b,c){return this.j?this.j.then(a,b,c):1===this.B&&a?(a=a.call(c,this.u))&&"function"===typeof a.then?a:Oy(a):2===this.B&&b?(a=b.call(c,this.u))&&"function"===typeof a.then?a:Ny(a):this}; +My.prototype.getValue=function(){return this.u}; +My.prototype.$goog_Thenable=!0;var Py=!1;var nB=cz||dz;var loa=/^([0-9\.]+):([0-9\.]+)$/;g.w(sz,cb);sz.prototype.name="BiscottiError";g.w(rz,cb);rz.prototype.name="BiscottiMissingError";var uz={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},tz=null;var voa=eaa(["data-"]),zoa={};var Bbb=0,vz=g.Pc?"webkit":Im?"moz":g.mf?"ms":g.dK?"o":"",Cbb=g.Ga("ytDomDomGetNextId")||function(){return++Bbb}; +g.Fa("ytDomDomGetNextId",Cbb);var Coa={stopImmediatePropagation:1,stopPropagation:1,preventMouseEvent:1,preventManipulation:1,preventDefault:1,layerX:1,layerY:1,screenX:1,screenY:1,scale:1,rotation:1,webkitMovementX:1,webkitMovementY:1};Cz.prototype.preventDefault=function(){this.event&&(this.event.returnValue=!1,this.event.preventDefault&&this.event.preventDefault())}; +Cz.prototype.UU=function(){return this.event?!1===this.event.returnValue:!1}; +Cz.prototype.stopPropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopPropagation&&this.event.stopPropagation())}; +Cz.prototype.stopImmediatePropagation=function(){this.event&&(this.event.cancelBubble=!0,this.event.stopImmediatePropagation&&this.event.stopImmediatePropagation())};var Dz=g.Ea.ytEventsEventsListeners||{};g.Fa("ytEventsEventsListeners",Dz);var Foa=g.Ea.ytEventsEventsCounter||{count:0};g.Fa("ytEventsEventsCounter",Foa);var Moa=Nd(function(){var a=!1;try{var b=Object.defineProperty({},"passive",{get:function(){a=!0}}); +window.addEventListener("test",null,b)}catch(c){}return a}),Goa=Nd(function(){var a=!1; try{var b=Object.defineProperty({},"capture",{get:function(){a=!0}}); -window.addEventListener("test",null,b)}catch(c){}return a});var iz=window.ytcsi&&window.ytcsi.now?window.ytcsi.now:window.performance&&window.performance.timing&&window.performance.now&&window.performance.timing.navigationStart?function(){return window.performance.timing.navigationStart+window.performance.now()}:function(){return(new Date).getTime()};g.Va(op,g.C);op.prototype.Y=function(a){void 0===a.u&&Zo(a);var b=a.u;void 0===a.B&&Zo(a);this.u=new g.ge(b,a.B)}; -op.prototype.Pk=function(){return this.u||new g.ge}; -op.prototype.K=function(){if(this.u){var a=iz();if(0!=this.D){var b=this.I,c=this.u,d=b.x-c.x;b=b.y-c.y;d=Math.sqrt(d*d+b*b)/(a-this.D);this.B[this.C]=.5c;c++)b+=this.B[c]||0;3<=b&&this.P();this.F=d}this.D=a;this.I=this.u;this.C=(this.C+1)%4}}; -op.prototype.ca=function(){window.clearInterval(this.X);g.dp(this.R)};g.u(tp,pp);tp.prototype.start=function(){var a=g.Ja("yt.scheduler.instance.start");a&&a()}; -tp.prototype.pause=function(){var a=g.Ja("yt.scheduler.instance.pause");a&&a()}; -La(tp);tp.getInstance();var Ap={};var y1;y1=window;g.N=y1.ytcsi&&y1.ytcsi.now?y1.ytcsi.now:y1.performance&&y1.performance.timing&&y1.performance.now&&y1.performance.timing.navigationStart?function(){return y1.performance.timing.navigationStart+y1.performance.now()}:function(){return(new Date).getTime()};var cea=g.wo("initial_gel_batch_timeout",1E3),Op=Math.pow(2,16)-1,Pp=null,Np=0,Ep=void 0,Cp=0,Dp=0,Rp=0,Ip=!0,Fp=g.v.ytLoggingTransportGELQueue_||new Map;g.Fa("ytLoggingTransportGELQueue_",Fp,void 0);var Lp=g.v.ytLoggingTransportTokensToCttTargetIds_||{};g.Fa("ytLoggingTransportTokensToCttTargetIds_",Lp,void 0);var Qp=g.v.ytLoggingGelSequenceIdObj_||{};g.Fa("ytLoggingGelSequenceIdObj_",Qp,void 0);var fea={q:!0,search_query:!0};var fq=new function(){var a=window.document;this.u=window;this.B=a}; -g.Fa("yt.ads_.signals_.getAdSignalsString",function(a){return Wp(hq(a))},void 0);var iq="XMLHttpRequest"in g.v?function(){return new XMLHttpRequest}:null;var lq={Authorization:"AUTHORIZATION","X-Goog-Visitor-Id":"SANDBOXED_VISITOR_ID","X-YouTube-Client-Name":"INNERTUBE_CONTEXT_CLIENT_NAME","X-YouTube-Client-Version":"INNERTUBE_CONTEXT_CLIENT_VERSION","X-YouTube-Delegation-Context":"INNERTUBE_CONTEXT_SERIALIZED_DELEGATION_CONTEXT","X-YouTube-Device":"DEVICE","X-Youtube-Identity-Token":"ID_TOKEN","X-YouTube-Page-CL":"PAGE_CL","X-YouTube-Page-Label":"PAGE_BUILD_LABEL","X-YouTube-Variants-Checksum":"VARIANTS_CHECKSUM"},jea="app debugcss debugjs expflag force_ad_params force_viral_ad_response_params forced_experiments innertube_snapshots innertube_goldens internalcountrycode internalipoverride absolute_experiments conditional_experiments sbb sr_bns_address client_dev_root_url".split(" "), -sq=!1,hG=mq;zq.prototype.set=function(a,b,c,d){c=c||31104E3;this.remove(a);if(this.u)try{this.u.set(a,b,g.A()+1E3*c);return}catch(f){}var e="";if(d)try{e=escape(g.Nj(b))}catch(f){return}else e=escape(b);g.wq(a,e,c,this.B)}; -zq.prototype.get=function(a,b){var c=void 0,d=!this.u;if(!d)try{c=this.u.get(a)}catch(e){d=!0}if(d&&(c=g.xq(a))&&(c=unescape(c),b))try{c=JSON.parse(c)}catch(e){this.remove(a),c=void 0}return c}; -zq.prototype.remove=function(a){this.u&&this.u.remove(a);g.yq(a,"/",this.B)};Bq.prototype.toString=function(){return this.topic};var eCa=g.Ja("ytPubsub2Pubsub2Instance")||new g.Jn;g.Jn.prototype.subscribe=g.Jn.prototype.subscribe;g.Jn.prototype.unsubscribeByKey=g.Jn.prototype.Cm;g.Jn.prototype.publish=g.Jn.prototype.V;g.Jn.prototype.clear=g.Jn.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",eCa,void 0);var Eq=g.Ja("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",Eq,void 0);var Gq=g.Ja("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",Gq,void 0); -var Fq=g.Ja("ytPubsub2Pubsub2IsAsync")||{};g.Fa("ytPubsub2Pubsub2IsAsync",Fq,void 0);g.Fa("ytPubsub2Pubsub2SkipSubKey",null,void 0);Jq.prototype.u=function(a,b){var c={},d=Dl([]);if(d){c.Authorization=d;var e=d=null===b||void 0===b?void 0:b.sessionIndex;void 0===e&&(e=Number(g.L("SESSION_INDEX",0)),e=isNaN(e)?0:e);c["X-Goog-AuthUser"]=e;"INNERTUBE_HOST_OVERRIDE"in ro||(c["X-Origin"]=window.location.origin);g.vo("pageid_as_header_web")&&void 0===d&&"DELEGATED_SESSION_ID"in ro&&(c["X-Goog-PageId"]=g.L("DELEGATED_SESSION_ID"))}return c};var ey={identityType:"UNAUTHENTICATED_IDENTITY_TYPE_UNKNOWN"};var Oq=[],Lq,Qq=!1;Sq.all=function(a){return new Sq(function(b,c){var d=[],e=a.length;0===e&&b(d);for(var f={vn:0};f.vnc;c++)b+=this.u[c]||0;3<=b&&this.J();this.D=d}this.C=a;this.I=this.j;this.B=(this.B+1)%4}}; +Iz.prototype.qa=function(){window.clearInterval(this.T);g.Fz(this.oa)};g.w(Jz,g.C);Jz.prototype.S=function(a,b,c,d,e){c=g.my((0,g.Oa)(c,d||this.Pb));c={target:a,name:b,callback:c};var f;e&&Moa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.T.push(c);return c}; +Jz.prototype.Hc=function(a){for(var b=0;bb&&a.u.createObjectStore("databases",{keyPath:"actualName"})}});var A1=new g.am;var is;g.u(ps,ds);ps.prototype.Kz=function(a,b,c){c=void 0===c?{}:c;return(this.options.WR?Fea:Eea)(a,b,Object.assign(Object.assign({},c),{clearDataOnAuthChange:this.options.clearDataOnAuthChange}))}; -ps.prototype.sC=function(a){A1.Bu.call(A1,"authchanged",a)}; -ps.prototype.tC=function(a){A1.Mb("authchanged",a)}; -ps.prototype["delete"]=function(a){a=void 0===a?{}:a;return(this.options.WR?Hea:Gea)(this.name,a)};g.u(qs,Sq);qs.reject=Sq.reject;qs.resolve=Sq.resolve;qs.all=Sq.all;var rs;g.u(vs,g.am);g.u(ys,g.am);var zs;g.Cs.prototype.isReady=function(){!this.Tf&&uq()&&(this.Tf=g.Kp());return!!this.Tf};var Nea=[{wE:function(a){return"Cannot read property '"+a.key+"'"}, -Nz:{TypeError:[{hh:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{hh:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{hh:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./,groups:["value","key"]},{hh:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/, -groups:["key"]},{hh:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]}],Error:[{hh:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}]}},{wE:function(a){return"Cannot call '"+a.key+"'"}, -Nz:{TypeError:[{hh:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{hh:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{hh:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{hh:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{hh:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, -{hh:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}}];var Ds;var Ls=new g.Jn;var Ks=new Set,Js=0,Ms=0,Oea=["PhantomJS","Googlebot","TO STOP THIS SECURITY SCAN go/scan"];Ns.prototype.initialize=function(a,b,c,d,e,f){var h=this;f=void 0===f?!1:f;b?(this.Pd=!0,g.So(b,function(){h.Pd=!1;var l=0<=b.indexOf("/th/");if(l?window.trayride:window.botguard)Os(h,c,d,f,l);else{l=To(b);var m=document.getElementById(l);m&&(Ro(l),m.parentNode.removeChild(m));g.Is(new g.tr("Unable to load Botguard","from "+b))}},e)):a&&(e=g.Fe("SCRIPT"),e.textContent=a,e.nonce=Ia(),document.head.appendChild(e),document.head.removeChild(e),((a=a.includes("trayride"))?window.trayride:window.botguard)? -Os(this,c,d,f,a):g.Is(Error("Unable to load Botguard from JS")))}; -Ns.prototype.Yd=function(){return!!this.u}; -Ns.prototype.dispose=function(){this.u=null};var Rea=[],Rs=!1;g.u(Ts,Ya);Ws.prototype.then=function(a,b,c){return 1===this.Ka&&a?(a=a.call(c,this.u),pm(a)?a:Ys(a)):2===this.Ka&&b?(a=b.call(c,this.u),pm(a)?a:Xs(a)):this}; -Ws.prototype.getValue=function(){return this.u}; -Ws.prototype.$goog_Thenable=!0;g.u($s,Ya);$s.prototype.name="BiscottiError";g.u(Zs,Ya);Zs.prototype.name="BiscottiMissingError";var bt={format:"RAW",method:"GET",timeout:5E3,withCredentials:!0},at=null;var gt=g.Ja("ytglobal.prefsUserPrefsPrefs_")||{};g.Fa("ytglobal.prefsUserPrefsPrefs_",gt,void 0);g.k=g.ht.prototype;g.k.get=function(a,b){lt(a);kt(a);var c=void 0!==gt[a]?gt[a].toString():null;return null!=c?c:b?b:""}; -g.k.set=function(a,b){lt(a);kt(a);if(null==b)throw Error("ExpectedNotNull");gt[a]=b.toString()}; -g.k.remove=function(a){lt(a);kt(a);delete gt[a]}; -g.k.save=function(){g.wq(this.u,this.dump(),63072E3,this.B)}; -g.k.clear=function(){g.Tb(gt)}; -g.k.dump=function(){var a=[],b;for(b in gt)a.push(b+"="+encodeURIComponent(String(gt[b])));return a.join("&")}; -La(g.ht);var Uea=new Map([["dark","USER_INTERFACE_THEME_DARK"],["light","USER_INTERFACE_THEME_LIGHT"]]),Wea=["/fashion","/channel/UCrpQ4p1Ql_hG8rKXIKM1MOQ","/channel/UCTApTkbpcqiLL39WUlne4ig","/channel/UCW5PCzG3KQvbOX4zc3KY0lQ"];g.u(rt,g.C);rt.prototype.N=function(a,b,c,d,e){c=Eo((0,g.z)(c,d||this.Ga));c={target:a,name:b,callback:c};var f;e&&dCa()&&(f={passive:!0});a.addEventListener(b,c.callback,f);this.I.push(c);return c}; -rt.prototype.Mb=function(a){for(var b=0;b=L.Cm)||l.j.version>=P||l.j.objectStoreNames.contains(D)||F.push(D)}m=F;if(0===m.length){z.Ka(5);break}n=Object.keys(c.options.Fq);p=l.objectStoreNames(); +if(c.Dc.options.version+1)throw r.close(),c.B=!1,xpa(c,v);return z.return(r);case 8:throw b(),q instanceof Error&&!g.gy("ytidb_async_stack_killswitch")&& +(q.stack=q.stack+"\n"+h.substring(h.indexOf("\n")+1)),CA(q,c.name,"",null!=(x=c.options.version)?x:-1);}})} +function b(){c.j===d&&(c.j=void 0)} +var c=this;if(!this.B)throw xpa(this);if(this.j)return this.j;var d,e={blocking:function(f){f.close()}, +closed:b,q9:b,upgrade:this.options.upgrade};return this.j=d=a()};var lB=new jB("YtIdbMeta",{Fq:{databases:{Cm:1}},upgrade:function(a,b){b(1)&&g.LA(a,"databases",{keyPath:"actualName"})}});var qB,pB=new function(){}(new function(){});new g.Wj;g.w(tB,jB);tB.prototype.u=function(a,b,c){c=void 0===c?{}:c;return(this.options.shared?Gpa:Fpa)(a,b,Object.assign({},c))}; +tB.prototype.delete=function(a){a=void 0===a?{}:a;return(this.options.shared?Kpa:Hpa)(this.name,a)};var Jbb={},Mpa=g.uB("ytGcfConfig",{Fq:(Jbb.coldConfigStore={Cm:1},Jbb.hotConfigStore={Cm:1},Jbb),shared:!1,upgrade:function(a,b){b(1)&&(g.RA(g.LA(a,"hotConfigStore",{keyPath:"key",autoIncrement:!0}),"hotTimestampIndex","timestamp"),g.RA(g.LA(a,"coldConfigStore",{keyPath:"key",autoIncrement:!0}),"coldTimestampIndex","timestamp"))}, +version:1});HB.prototype.jp=function(){return{version:this.version,args:this.args}};IB.prototype.toString=function(){return this.topic};var Kbb=g.Ga("ytPubsub2Pubsub2Instance")||new g.lq;g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsub2Pubsub2Instance",Kbb);var LB=g.Ga("ytPubsub2Pubsub2SubscribedKeys")||{};g.Fa("ytPubsub2Pubsub2SubscribedKeys",LB);var MB=g.Ga("ytPubsub2Pubsub2TopicToKeys")||{};g.Fa("ytPubsub2Pubsub2TopicToKeys",MB);var lqa=g.Ga("ytPubsub2Pubsub2IsAsync")||{}; +g.Fa("ytPubsub2Pubsub2IsAsync",lqa);g.Fa("ytPubsub2Pubsub2SkipSubKey",null);var oqa=g.hy("max_body_size_to_compress",5E5),pqa=g.hy("min_body_size_to_compress",500),PB=!0,SB=0,RB=0,rqa=g.hy("compression_performance_threshold",250),sqa=g.hy("slow_compressions_before_abandon_count",10);g.k=VB.prototype;g.k.writeThenSend=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ih.set(d,this.yf).then(function(e){d.id=e;c.Zg.Rh()&&c.pC(d)}).catch(function(e){c.pC(d); +WB(c,e)})}else this.Qq(a,b)}; +g.k.sendThenWrite=function(a,b,c){var d=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var e={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0};this.ob&&this.ob("nwl_skip_retry")&&(e.skipRetry=c);if(this.Zg.Rh()||this.ob&&this.ob("nwl_aggressive_send_then_write")&&!e.skipRetry){if(!e.skipRetry){var f=b.onError?b.onError:function(){}; +b.onError=function(h,l){return g.A(function(m){if(1==m.j)return g.y(m,d.ih.set(e,d.yf).catch(function(n){WB(d,n)}),2); +f(h,l);g.oa(m)})}}this.Qq(a,b,e.skipRetry)}else this.ih.set(e,this.yf).catch(function(h){d.Qq(a,b,e.skipRetry); +WB(d,h)})}else this.Qq(a,b,this.ob&&this.ob("nwl_skip_retry")&&c)}; +g.k.sendAndWrite=function(a,b){var c=this;b=void 0===b?{}:b;if(UB(this)&&this.cg){var d={url:a,options:b,timestamp:this.now(),status:"NEW",sendCount:0},e=!1,f=b.onSuccess?b.onSuccess:function(){}; +d.options.onSuccess=function(h,l){void 0!==d.id?c.ih.ly(d.id,c.yf):e=!0;c.Zg.Fv&&c.ob&&c.ob("vss_network_hint")&&c.Zg.Fv(!0);f(h,l)}; +this.Qq(d.url,d.options);this.ih.set(d,this.yf).then(function(h){d.id=h;e&&c.ih.ly(d.id,c.yf)}).catch(function(h){WB(c,h)})}else this.Qq(a,b)}; +g.k.eA=function(){var a=this;if(!UB(this))throw g.DA("throttleSend");this.j||(this.j=this.cn.xi(function(){var b;return g.A(function(c){if(1==c.j)return g.y(c,a.ih.XT("NEW",a.yf),2);if(3!=c.j)return b=c.u,b?g.y(c,a.pC(b),3):(a.JK(),c.return());a.j&&(a.j=0,a.eA());g.oa(c)})},this.gY))}; +g.k.JK=function(){this.cn.Em(this.j);this.j=0}; +g.k.pC=function(a){var b=this,c,d;return g.A(function(e){switch(e.j){case 1:if(!UB(b))throw c=g.DA("immediateSend"),c;if(void 0===a.id){e.Ka(2);break}return g.y(e,b.ih.C4(a.id,b.yf),3);case 3:(d=e.u)||b.Iy(Error("The request cannot be found in the database."));case 2:if(b.SH(a,b.pX)){e.Ka(4);break}b.Iy(Error("Networkless Logging: Stored logs request expired age limit"));if(void 0===a.id){e.Ka(5);break}return g.y(e,b.ih.ly(a.id,b.yf),5);case 5:return e.return();case 4:a.skipRetry||(a=zqa(b,a));if(!a){e.Ka(0); +break}if(!a.skipRetry||void 0===a.id){e.Ka(8);break}return g.y(e,b.ih.ly(a.id,b.yf),8);case 8:b.Qq(a.url,a.options,!!a.skipRetry),g.oa(e)}})}; +g.k.SH=function(a,b){a=a.timestamp;return this.now()-a>=b?!1:!0}; +g.k.VH=function(){var a=this;if(!UB(this))throw g.DA("retryQueuedRequests");this.ih.XT("QUEUED",this.yf).then(function(b){b&&!a.SH(b,a.kX)?a.cn.xi(function(){return g.A(function(c){if(1==c.j)return void 0===b.id?c.Ka(2):g.y(c,a.ih.SO(b.id,a.yf),2);a.VH();g.oa(c)})}):a.Zg.Rh()&&a.eA()})};var XB;var Lbb={},Jqa=g.uB("ServiceWorkerLogsDatabase",{Fq:(Lbb.SWHealthLog={Cm:1},Lbb),shared:!0,upgrade:function(a,b){b(1)&&g.RA(g.LA(a,"SWHealthLog",{keyPath:"id",autoIncrement:!0}),"swHealthNewRequest",["interface","timestamp"])}, +version:1});var $B={},Pqa=0;aC.prototype.requestComplete=function(a,b){b&&(this.u=!0);a=this.removeParams(a);this.j.get(a)||this.j.set(a,b)}; +aC.prototype.isEndpointCFR=function(a){a=this.removeParams(a);return(a=this.j.get(a))?!1:!1===a&&this.u?!0:null}; +aC.prototype.removeParams=function(a){return a.split("?")[0]}; +aC.prototype.removeParams=aC.prototype.removeParams;aC.prototype.isEndpointCFR=aC.prototype.isEndpointCFR;aC.prototype.requestComplete=aC.prototype.requestComplete;aC.getInstance=bC;var cC;g.w(eC,g.Fd);g.k=eC.prototype;g.k.Rh=function(){return this.j.Rh()}; +g.k.Fv=function(a){this.j.j=a}; +g.k.x3=function(){var a=window.navigator.onLine;return void 0===a?!0:a}; +g.k.P2=function(){this.u=!0}; +g.k.Ra=function(a,b){return this.j.Ra(a,b)}; +g.k.aI=function(a){a=yp(this.j,a);a.then(function(b){g.gy("use_cfr_monitor")&&bC().requestComplete("generate_204",b)}); +return a}; +eC.prototype.sendNetworkCheckRequest=eC.prototype.aI;eC.prototype.listen=eC.prototype.Ra;eC.prototype.enableErrorFlushing=eC.prototype.P2;eC.prototype.getWindowStatus=eC.prototype.x3;eC.prototype.networkStatusHint=eC.prototype.Fv;eC.prototype.isNetworkAvailable=eC.prototype.Rh;eC.getInstance=Rqa;g.w(g.fC,g.Fd);g.fC.prototype.Rh=function(){var a=g.Ga("yt.networkStatusManager.instance.isNetworkAvailable");return a?a.bind(this.u)():!0}; +g.fC.prototype.Fv=function(a){var b=g.Ga("yt.networkStatusManager.instance.networkStatusHint").bind(this.u);b&&b(a)}; +g.fC.prototype.aI=function(a){var b=this,c;return g.A(function(d){c=g.Ga("yt.networkStatusManager.instance.sendNetworkCheckRequest").bind(b.u);return g.gy("skip_network_check_if_cfr")&&bC().isEndpointCFR("generate_204")?d.return(new Promise(function(e){var f;b.Fv((null==(f=window.navigator)?void 0:f.onLine)||!0);e(b.Rh())})):c?d.return(c(a)):d.return(!0)})};var gC;g.w(hC,VB);hC.prototype.writeThenSend=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.writeThenSend.call(this,a,b)}; +hC.prototype.sendThenWrite=function(a,b,c){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendThenWrite.call(this,a,b,c)}; +hC.prototype.sendAndWrite=function(a,b){b||(b={});g.dA()||(this.cg=!1);VB.prototype.sendAndWrite.call(this,a,b)}; +hC.prototype.awaitInitialization=function(){return this.u.promise};var Wqa=g.Ea.ytNetworklessLoggingInitializationOptions||{isNwlInitialized:!1};g.Fa("ytNetworklessLoggingInitializationOptions",Wqa);g.jC.prototype.isReady=function(){!this.config_&&Zpa()&&(this.config_=g.EB());return!!this.config_};var Mbb,mC,oC;Mbb=g.Ea.ytPubsubPubsubInstance||new g.lq;mC=g.Ea.ytPubsubPubsubSubscribedKeys||{};oC=g.Ea.ytPubsubPubsubTopicToKeys||{};g.nC=g.Ea.ytPubsubPubsubIsSynchronous||{};g.lq.prototype.subscribe=g.lq.prototype.subscribe;g.lq.prototype.unsubscribeByKey=g.lq.prototype.Gh;g.lq.prototype.publish=g.lq.prototype.ma;g.lq.prototype.clear=g.lq.prototype.clear;g.Fa("ytPubsubPubsubInstance",Mbb);g.Fa("ytPubsubPubsubTopicToKeys",oC);g.Fa("ytPubsubPubsubIsSynchronous",g.nC); +g.Fa("ytPubsubPubsubSubscribedKeys",mC);var $qa=/\.vflset|-vfl[a-zA-Z0-9_+=-]+/,ara=/-[a-zA-Z]{2,3}_[a-zA-Z]{2,3}(?=(\/|$))/,dra={};g.w(xC,g.C);var c2a=new Map([["TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL","trigger_category_layout_exit_normal"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED","trigger_category_layout_exit_user_skipped"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED","trigger_category_layout_exit_user_muted"],["TRIGGER_CATEGORY_SLOT_EXPIRATION","trigger_category_slot_expiration"],["TRIGGER_CATEGORY_SLOT_FULFILLMENT","trigger_category_slot_fulfillment"],["TRIGGER_CATEGORY_SLOT_ENTRY","trigger_category_slot_entry"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED", +"trigger_category_layout_exit_user_input_submitted"],["TRIGGER_CATEGORY_LAYOUT_EXIT_USER_CANCELLED","trigger_category_layout_exit_user_cancelled"]]);g.w(N,cb);var fsa=[{oN:function(a){return"Cannot read property '"+a.key+"'"}, +oH:{Error:[{pj:/(Permission denied) to access property "([^']+)"/,groups:["reason","key"]}],TypeError:[{pj:/Cannot read property '([^']+)' of (null|undefined)/,groups:["key","value"]},{pj:/\u65e0\u6cd5\u83b7\u53d6\u672a\u5b9a\u4e49\u6216 (null|undefined) \u5f15\u7528\u7684\u5c5e\u6027\u201c([^\u201d]+)\u201d/,groups:["value","key"]},{pj:/\uc815\uc758\ub418\uc9c0 \uc54a\uc74c \ub610\ub294 (null|undefined) \ucc38\uc870\uc778 '([^']+)' \uc18d\uc131\uc744 \uac00\uc838\uc62c \uc218 \uc5c6\uc2b5\ub2c8\ub2e4./, +groups:["value","key"]},{pj:/No se puede obtener la propiedad '([^']+)' de referencia nula o sin definir/,groups:["key"]},{pj:/Unable to get property '([^']+)' of (undefined or null) reference/,groups:["key","value"]},{pj:/(null) is not an object \(evaluating '(?:([^.]+)\.)?([^']+)'\)/,groups:["value","base","key"]}]}},{oN:function(a){return"Cannot call '"+a.key+"'"}, +oH:{TypeError:[{pj:/(?:([^ ]+)?\.)?([^ ]+) is not a function/,groups:["base","key"]},{pj:/([^ ]+) called on (null or undefined)/,groups:["key","value"]},{pj:/Object (.*) has no method '([^ ]+)'/,groups:["base","key"]},{pj:/Object doesn't support property or method '([^ ]+)'/,groups:["key"]},{pj:/\u30aa\u30d6\u30b8\u30a7\u30af\u30c8\u306f '([^']+)' \u30d7\u30ed\u30d1\u30c6\u30a3\u307e\u305f\u306f\u30e1\u30bd\u30c3\u30c9\u3092\u30b5\u30dd\u30fc\u30c8\u3057\u3066\u3044\u307e\u305b\u3093/,groups:["key"]}, +{pj:/\uac1c\uccb4\uac00 '([^']+)' \uc18d\uc131\uc774\ub098 \uba54\uc11c\ub4dc\ub97c \uc9c0\uc6d0\ud558\uc9c0 \uc54a\uc2b5\ub2c8\ub2e4./,groups:["key"]}]}},{oN:function(a){return a.key+" is not defined"}, +oH:{ReferenceError:[{pj:/(.*) is not defined/,groups:["key"]},{pj:/Can't find variable: (.*)/,groups:["key"]}]}}];var pra={Dq:[],Ir:[{callback:mra,weight:500}]};var EC;var ED=new g.lq;var sra=new Set([174,173,175]),MC={};var RC=Symbol("injectionDeps");OC.prototype.toString=function(){return"InjectionToken("+this.name+")"}; +tra.prototype.resolve=function(a){return a instanceof PC?SC(this,a.key,[],!0):SC(this,a,[])};var TC;VC.prototype.storePayload=function(a,b){a=WC(a);this.store[a]?this.store[a].push(b):(this.u={},this.store[a]=[b]);this.j++;return a}; +VC.prototype.smartExtractMatchingEntries=function(a){if(!a.keys.length)return[];for(var b=YC(this,a.keys.splice(0,1)[0]),c=[],d=0;d=this.start&&(aRbb.length)Pbb=void 0;else{var Sbb=Qbb.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);Pbb=Sbb&&6===Sbb.length?Number(Sbb[5].replace("_",".")):0}var dM=Pbb,RT=0<=dM;var Yya={soa:1,upa:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var xM=Hta()?!0:"function"!==typeof window.fetch||!window.ReadableStream||!window.AbortController||g.oB||g.fJ?!1:!0;var H3={},HI=(H3.FAIRPLAY="fairplay",H3.PLAYREADY="playready",H3.WIDEVINE="widevine",H3.CLEARKEY=null,H3.FLASHACCESS=null,H3.UNKNOWN=null,H3.WIDEVINE_CLASSIC=null,H3);var Tbb=["h","H"],Ubb=["9","("],Vbb=["9h","(h"],Wbb=["8","*"],Xbb=["a","A"],Ybb=["o","O"],Zbb=["m","M"],$bb=["mac3","MAC3"],acb=["meac3","MEAC3"],I3={},twa=(I3.h=Tbb,I3.H=Tbb,I3["9"]=Ubb,I3["("]=Ubb,I3["9h"]=Vbb,I3["(h"]=Vbb,I3["8"]=Wbb,I3["*"]=Wbb,I3.a=Xbb,I3.A=Xbb,I3.o=Ybb,I3.O=Ybb,I3.m=Zbb,I3.M=Zbb,I3.mac3=$bb,I3.MAC3=$bb,I3.meac3=acb,I3.MEAC3=acb,I3);g.hF.prototype.getLanguageInfo=function(){return this.Jc}; +g.hF.prototype.getXtags=function(){if(!this.xtags){var a=this.id.split(";");1=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{oC:b,Wk:c}}; +LF.prototype.isFocused=function(a){return a>=this.B&&a=e.length?(b.append(e),a-=e.length):a?(b.append(new Uint8Array(e.buffer,e.byteOffset,a)),c.append(new Uint8Array(e.buffer,e.byteOffset+a,e.length-a)),a=0):c.append(e);return{iu:b,ln:c}}; -g.k.isFocused=function(a){return a>=this.C&&athis.info.rb||4==this.info.type)return!0;var b=Yv(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2==this.info.type)return c==this.info.rb&&1936286840==b;if(3==this.info.type&&0==this.info.C)return 1836019558==b||1936286840== -b||1937013104==b||1718909296==b||1701671783==b||1936419184==b}else if(2==this.info.u.info.containerType){if(4>this.info.rb||4==this.info.type)return!0;c=Yv(this).getUint32(0,!1);a.ebm=c.toString();if(3==this.info.type&&0==this.info.C)return 524531317==c||440786851==c}return!0};var hw={Wt:function(a){a.reverse()}, -bS:function(a,b){var c=a[0];a[0]=a[b%a.length];a[b%a.length]=c}, -O2:function(a,b){a.splice(0,b)}};var MAa=/^https?:\/\/([^.]*\.moatads\.com\/|e[0-9]+\.yt\.srs\.doubleverify\.com|pagead2\.googlesyndication\.com\/pagead\/gen_204\?id=yt3p&sr=1&|pm\.adsafeprotected\.com\/youtube|pm\.test-adsafeprotected\.com\/youtube|youtube[0-9]+\.moatpixel\.com\/)/,mw=/^http:\/\/0\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.l2gfe\.[a-z0-9_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?\/|^https:\/\/([a-z]+\.)?[0-9a-f]{1,63}\.sslproxy\.corp\.google\.com\/|^https:\/\/([a-z]+\.)?[a-z0-9\-]{1,63}\.demos\.corp\.google\.com\/|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com\/|^https?:\/\/((?:uytfe\.corp|dev-uytfe\.corp|uytfe\.sandbox)\.google\.com\/|([-\w]*www[-\w]*\.|[-\w]*web[-\w]*\.|[-\w]*canary[-\w]*\.|[-\w]*dev[-\w]*\.|[-\w]{1,3}\.)+youtube(-nocookie|kids)?\.com\/|([A-Za-z0-9-]{1,63}\.)*(youtube\.googleapis\.com)[.]?(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.([a-z]{3}|i)\.corp\.google\.com(:[0-9]+)?\/|([a-z]+\.)?[a-z0-9\-]{1,63}\.c\.googlers\.com(:[0-9]+)?\/|(docs|drive)\.google\.com\/(a\/[^/\\%]+\/|)|(tv|tv-green-qa|tv-release-qa)\.youtube\.com\/|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?\/|m?web-ppg\.corp\.google\.com\/)/, -NAa=/^https?:\/\/(www\.google\.com\/pagead\/xsul|www\.youtube\.com\/pagead\/slav)/,vfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|docs\.google\.com|drive\.google\.com|prod\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|youtube\-nocookie\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/, -wfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tfa=/^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|prod\.google\.com|youtube\.com|youtubekids\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$))/,qfa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|play\.google\.com|prod\.google\.com|currents\.google\.com|video\.google\.com|youtube\.com|ytimg\.com|ytimg\.sandbox\.google\.com|chat\.google\.com)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|s2\.googleusercontent\.com\/s2\/favicons\?|yt[3-4]\.ggpht\.com\/)/, -rfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,OAa=/^https?.*#ocr$|^https?:\/\/(aksecure\.imrworldwide\.com\/|cdn\.imrworldwide\.com\/|secure\-..\.imrworldwide\.com\/)/,sfa=/^https?:\/\/(googleads\.g\.doubleclick\.net\/(aclk|pagead\/conversion)|www\.google\.com\/(aclk|pagead\/conversion)|www\.googleadservices\.com\/(aclk|pagead\/(aclk|conversion))|www\.youtube\.com\/pagead\/conversion)/,ofa=/^((http(s)?):)?\/\/((((lh[3-6](-tt|-d[a-g,z])?\.((ggpht)|(googleusercontent)|(google)))|(([1-4]\.bp\.blogspot)|(bp[0-3]\.blogger))|(ccp-lh\.googleusercontent)|((((cp|ci|gp)[3-6])|(ap[1-2]))\.(ggpht|googleusercontent))|(gm[1-4]\.ggpht)|(play-(ti-)?lh\.googleusercontent)|(gz0\.googleusercontent)|(((yt[3-4])|(sp[1-3]))\.(ggpht|googleusercontent)))\.com)|(dp[3-6]\.googleusercontent\.cn)|(dp4\.googleusercontent\.com)|(photos\-image\-(dev|qa)(-auth)?\.corp\.google\.com)|((dev|dev2|dev3|qa|qa2|qa3|qa-red|qa-blue|canary)[-.]lighthouse\.sandbox\.google\.com\/image)|(image\-(dev|qa)\-lighthouse(-auth)?\.sandbox\.google\.com(\/image)?))\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleplex\.com|googlevideo\.com|prod\.google\.com|lh3\.photos\.google\.com|currents\.google\.com|mail\.google\.com|youtube\.com|xfx7\.com|yt\.akamaized\.net|chat\.google\.com|shopping\.google\.com|cdn\.shoploop\.tv)[.]?(:[0-9]+)?\/|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|([A-Za-z0-9-]{1,63}\.)*c\.lh3(-d[a-gz]|-testonly)?\.(googleusercontent|photos\.google)\.com\/.*$)/, -pfa=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?\//,tha=/^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|2mdn\.net|googlesyndication\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|googleads\.g\.doubleclick\.net|prod\.google\.com|static\.doubleclick\.net|static\.googleadsserving\.cn|studioapi\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|ytimg\.com|ytimg\.sandbox\.google\.com)[.]?(:[0-9]+)?\/|lightbox-(demos|builder)\.appspot\.com\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/ytplayer)/, -rha=/^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com\/|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com(\/(?!url\b)|$)|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com(\/|$)|^https:\/\/canvastester-3fd0b\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-d\.appspot\.com(\/|$)|^https:\/\/narrative-news-cast-receiver-f\.appspot\.com(\/|$)|^https:\/\/one\.google\.com(\/|$)|^https:\/\/www\.gstatic\.com\/aog_howto|^https:\/\/www\.gstatic\.com\/narrative_cast_receiver\/news|^https?:\/\/(([A-Za-z0-9-]{1,63}\.)*(imasdk\.googleapis\.com|corp\.google\.com|proxy\.googleprod\.com|c\.googlers\.com|borg\.google\.com|docs\.google\.com|drive\.google\.com|googleads\.g\.doubleclick\.net|googleplex\.com|play\.google\.com|prod\.google\.com|photos\.google\.com|get\.google\.com|class\.photos\.google\.com|currents\.google\.com|books\.googleusercontent\.com|play\-books\-autopush\-sandbox\.googleusercontent\.com|play\-books\-canary\-sandbox\.googleusercontent\.com|play\-books\-internal\-sandbox\.googleusercontent\.com|play\-books\-staging\-sandbox\.googleusercontent\.com|blogger\.com|mail\.google\.com|survey\.g\.doubleclick\.net|youtube\.com|youtube\.googleapis\.com|youtube\-nocookie\.com|youtubekids\.com|vevo\.com|chat\.google\.com|meet\.google\.com|stadia\.google\.com|shoploop\.area120\.google\.com|shopping\.google\.com)[.]?(:[0-9]+)?(\/|$)|([A-Za-z0-9-]{1,63}\.)*(sandbox\.google\.com)(:[0-9]+)?(\/(?!url\b)|$)|(www\.|encrypted\.)?google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/(search|webhp)\?|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|lightbox-(demos|builder)\.appspot\.com\/|s0\.2mdn\.net\/instream\/html5\/native\/|s[01](qa)?\.2mdn\.net\/ads\/richmedia\/studio\/mu\/templates\/tetris|www\.gstatic\.com\/doubleclick\/studio\/innovation\/h5\/layouts\/tetris)/, -sha=/^https?:\/\/([A-Za-z0-9-]{1,63}\.)*(plus\.google\.com)[.]?(:[0-9]+)?(\/|$)/,nCa=/^(https\:\/\/photos\.google\.com|https\:\/\/get\.google\.com|https\:\/\/class\.photos\.google\.com|https\:\/\/currents\.google\.com|https\:\/\/mail\.google\.com|https\:\/\/chat\.google\.com|https\:\/\/stadia\.google\.com|https\:\/\/one\.google\.com|https\:\/\/shoploop\.area120\.google\.com|https\:\/\/shopping\.google\.com)$|^http:\/\/[0-9]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.[a-z0-9\-_]+\.([a-z]{2}|i)\.borg\.google\.com(:[0-9]+)?$|^https:\/\/((staging|stream|today)\.)?meet\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*(crowdsource|datacompute)\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)*youtube\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+demos\.corp\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sandbox\.google\.com$|^https:\/\/([A-Za-z0-9-]{1,63}\.)+sslproxy\.corp\.google\.com$|^https:\/\/(books|play-books-(autopush|canary|internal|staging)-sandbox)\.googleusercontent\.com$|^https:\/\/(draft|www|(www\.)?dev\.sandbox|(www\.)?autopush\.sandbox|(www\.)?restore\.sandbox)\.blogger\.com$|^https:\/\/[0-9a-f]{1,63}\.proxy\.googleprod\.com$|^https?:\/\/(((docs|m|sing|ss|sss|www)\.)?drive\.google\.com$|([A-Za-z0-9-]{1,63}\.)*c\.googlers\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*corp\.google\.com(:[0-9]+)?$|([A-Za-z0-9-]{1,63}\.)*googleplex\.com(:[0-9]+)?$|(www\.|encrypted\.)google\.(cat|com(\.(a[fgiru]|b[dhnorz]|c[ouy]|do|e[cgt]|fj|g[hit]|hk|jm|kh|kw|l[bcy]|m[mtxy]|n[afgip]|om|p[aeghkry]|qa|s[abglv]|t[jnrw]|ua|uy|vc|vn))?|a[cdelmstz]|c[acdfghilmnvz]|b[aefgijsty]|ee|es|d[ejkmz]|g[aefglmpry]|f[imr]|i[emoqrst]|h[nrtu]|k[giz]|je|jo|m[degklnsuvw]|l[aiktuv]|n[eloru]|p[lnst]|s[cehikmnort]|r[osuw]|us|t[dgklmnot]|ws|vg|vu|co\.(ao|bw|ck|cr|i[dln]|jp|ke|kr|ls|ma|mz|nz|th|tz|u[gkz]|ve|vi|z[amw]))\/?$|[A-Za-z0-9-]+\.prod\.google\.com(:[0-9]+)?$|docs\.google\.com$)/, -oCa=/^(https\:\/\/plus\.google\.com)$/;var kw=!1;vw.prototype.set=function(a,b){this.u[a]!==b&&(this.u[a]=b,this.url="")}; -vw.prototype.get=function(a){ww(this);return this.u[a]||null}; -vw.prototype.Ld=function(){this.url||(this.url=xfa(this));return this.url}; -vw.prototype.clone=function(){var a=new vw(this.B,this.D);a.scheme=this.scheme;a.path=this.path;a.C=this.C;a.u=g.Vb(this.u);a.url=this.url;return a};Ew.prototype.set=function(a,b){this.og.get(a);this.u[a]=b;this.url=""}; -Ew.prototype.get=function(a){return this.u[a]||this.og.get(a)}; -Ew.prototype.Ld=function(){this.url||(this.url=yfa(this));return this.url};Qw.prototype.Ng=function(){return Ju(this.u[0])};var C1={},jC=(C1.WIDTH={name:"width",video:!0,valid:640,invalid:99999},C1.HEIGHT={name:"height",video:!0,valid:360,invalid:99999},C1.FRAMERATE={name:"framerate",video:!0,valid:30,invalid:9999},C1.BITRATE={name:"bitrate",video:!0,valid:3E5,invalid:2E9},C1.EOTF={name:"eotf",video:!0,valid:"bt709",invalid:"catavision"},C1.CHANNELS={name:"channels",video:!1,valid:2,invalid:99},C1.CRYPTOBLOCKFORMAT={name:"cryptoblockformat",video:!0,valid:"subsample",invalid:"invalidformat"},C1.DECODETOTEXTURE={name:"decode-to-texture", -video:!0,valid:"false",invalid:"nope"},C1.AV1_CODECS={name:"codecs",video:!0,valid:"av01.0.05M.08",invalid:"av99.0.05M.08"},C1.EXPERIMENTAL={name:"experimental",video:!0,valid:"allowed",invalid:"invalid"},C1);var cx={0:"f",160:"h",133:"h",134:"h",135:"h",136:"h",137:"h",264:"h",266:"h",138:"h",298:"h",299:"h",304:"h",305:"h",214:"h",216:"h",374:"h",375:"h",140:"a",141:"ah",327:"sa",258:"m",380:"mac3",328:"meac3",161:"H",142:"H",143:"H",144:"H",222:"H",223:"H",145:"H",224:"H",225:"H",146:"H",226:"H",227:"H",147:"H",384:"H",376:"H",385:"H",377:"H",149:"A",261:"M",381:"MAC3",329:"MEAC3",598:"9",278:"9",242:"9",243:"9",244:"9",247:"9",248:"9",353:"9",355:"9",271:"9",313:"9",272:"9",302:"9",303:"9",407:"9", -408:"9",308:"9",315:"9",330:"9h",331:"9h",332:"9h",333:"9h",334:"9h",335:"9h",336:"9h",337:"9h",338:"so",600:"o",250:"o",251:"o",194:"*",195:"*",220:"*",221:"*",196:"*",197:"*",279:"(",280:"(",317:"(",318:"(",273:"(",274:"(",357:"(",358:"(",275:"(",359:"(",360:"(",276:"(",583:"(",584:"(",314:"(",585:"(",561:"(",277:"(",362:"(h",363:"(h",364:"(h",365:"(h",366:"(h",591:"(h",592:"(h",367:"(h",586:"(h",587:"(h",368:"(h",588:"(h",562:"(h",409:"(",410:"(",411:"(",412:"(",557:"(",558:"(",394:"1",395:"1", -396:"1",397:"1",398:"1",399:"1",400:"1",401:"1",571:"1",402:"1",386:"3",387:"w",406:"6"};var hha={JT:"auto",q3:"tiny",EY:"light",T2:"small",w_:"medium",BY:"large",vX:"hd720",rX:"hd1080",sX:"hd1440",tX:"hd2160",uX:"hd2880",BX:"highres",UNKNOWN:"unknown"};var D1;D1={};g.Yw=(D1.auto=0,D1.tiny=144,D1.light=144,D1.small=240,D1.medium=360,D1.large=480,D1.hd720=720,D1.hd1080=1080,D1.hd1440=1440,D1.hd2160=2160,D1.hd2880=2880,D1.highres=4320,D1);var ax="highres hd2880 hd2160 hd1440 hd1080 hd720 large medium small tiny".split(" ");Zw.prototype.Vg=function(){return"smpte2084"===this.u||"arib-std-b67"===this.u};g.k=dx.prototype;g.k.Ma=function(){return this.video}; -g.k.Yb=function(){return this.id.split(";",1)[0]}; -g.k.Zd=function(){return 2===this.containerType}; -g.k.isEncrypted=function(){return!!this.Ud}; -g.k.isAudio=function(){return!!this.audio}; -g.k.isVideo=function(){return!!this.video};g.k=Nx.prototype;g.k.tf=function(){}; -g.k.po=function(){}; -g.k.Fe=function(){return!!this.u&&this.index.Uc()}; -g.k.ek=function(){}; -g.k.GE=function(){return!1}; -g.k.wm=function(){}; -g.k.Sm=function(){}; -g.k.Ok=function(){}; -g.k.Kj=function(){}; -g.k.gu=function(){}; -g.k.HE=function(a){return[a]}; -g.k.Yv=function(a){return[a]}; -g.k.Fv=function(){}; -g.k.Qt=function(){};g.k=g.Ox.prototype;g.k.ME=function(a){this.segments.push(a)}; -g.k.getDuration=function(a){return(a=this.Li(a))?a.duration:0}; -g.k.cD=function(a){return this.getDuration(a)}; -g.k.Eh=function(){return this.segments.length?this.segments[0].qb:-1}; -g.k.Ue=function(a){return(a=this.Li(a))?a.ingestionTime:NaN}; -g.k.pD=function(a){return(a=this.Li(a))?a.B:null}; -g.k.Xb=function(){return this.segments.length?this.segments[this.segments.length-1].qb:-1}; -g.k.Nk=function(){var a=this.segments[this.segments.length-1];return a?a.endTime:NaN}; -g.k.Kc=function(){return this.segments[0].startTime}; -g.k.fo=function(){return this.segments.length}; -g.k.Wu=function(){return 0}; -g.k.Gh=function(a){return(a=this.Xn(a))?a.qb:-1}; -g.k.ky=function(a){return(a=this.Li(a))?a.sourceURL:""}; -g.k.Xe=function(a){return(a=this.Li(a))?a.startTime:0}; -g.k.Vt=ba(1);g.k.Uc=function(){return 0a.B&&this.index.Eh()<=a.B+1}; -g.k.update=function(a,b,c){this.index.append(a);Px(this.index,c);this.R=b}; -g.k.Fe=function(){return this.I?!0:Nx.prototype.Fe.call(this)}; -g.k.ql=function(a,b){var c=this.index.ky(a),d=this.index.Xe(a),e=this.index.getDuration(a),f;b?e=f=0:f=0=this.Xb())return 0;for(var c=0,d=this.Xe(a)+b,e=a;ethis.Xe(e);e++)c=Math.max(c,(e+1=this.index.Wu(c+1);)c++;return Ux(this,c,b,a.rb).u}; -g.k.ek=function(a){return this.Fe()?!0:isNaN(this.I)?!1:a.range.end+1this.I&&(c=new Du(c.start,this.I-1));c=[new Iu(4,a.u,c,"getNextRequestInfoByLength")];return new Qw(c)}4==a.type&&(c=this.Yv(a),a=c[c.length-1]);c=0;var d=a.range.start+a.C+a.rb;3==a.type&&(c=a.B,d==a.range.end+1&&(c+=1));return Ux(this,c,d,b)}; -g.k.Ok=function(){return null}; -g.k.Kj=function(a,b){var c=this.index.Gh(a);b&&(c=Math.min(this.index.Xb(),c+1));return Ux(this,c,this.index.Wu(c),0)}; -g.k.tf=function(){return!0}; -g.k.po=function(){return!1}; -g.k.Qt=function(){return this.indexRange.length+this.initRange.length}; -g.k.Fv=function(){return this.indexRange&&this.initRange&&this.initRange.end+1==this.indexRange.start?!0:!1};var Vx=void 0;var E1={},gy=function(a,b){var c;return function(){c||(c=new ps(a,b));return c}}("yt-player-local-media",{zF:(E1.index=!0,E1.media=!0,E1.metadata=!0,E1.playerdata=!0,E1), -upgrade:function(a,b){2>b&&(a.u.createObjectStore("index",void 0),a.u.createObjectStore("media",void 0));3>b&&a.u.createObjectStore("metadata",void 0);4>b&&a.u.createObjectStore("playerdata",void 0)}, -version:4}),dy=!1;py.prototype.then=function(a,b){return this.promise.then(a,b)}; -py.prototype.resolve=function(a){this.B(a)}; -py.prototype.reject=function(a){this.u(a)};g.k=vy.prototype;g.k.ay=function(){return 0}; -g.k.eF=function(){return null}; -g.k.gD=function(){return null}; -g.k.isFailed=function(){return 6===this.state}; -g.k.Iz=function(){this.callback&&this.callback(this)}; -g.k.na=function(){return-1===this.state}; -g.k.dispose=function(){this.info.Ng()&&5!==this.state&&(this.info.u[0].u.D=!1);yy(this,-1)};By.prototype.skip=function(a){this.offset+=a};var Qy=!1;g.u(Ey,g.O);Ey.prototype.Bi=function(){this.I=null}; -Ey.prototype.getDuration=function(){return this.C.index.Nk()};g.k=Wy.prototype;g.k.qe=function(a){return"content-type"===a?this.fl.get("type"):""}; -g.k.abort=function(){}; -g.k.Dm=function(){return!0}; -g.k.nq=function(){return this.range.length}; -g.k.Uu=function(){return this.loaded}; -g.k.hu=function(){return!!this.u.getLength()}; -g.k.Mh=function(){return!!this.u.getLength()}; -g.k.Vu=function(){var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){return this.u}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return!!this.error}; -g.k.Qm=function(){return this.error};Yy.prototype.deactivate=function(){this.isActive&&(this.isActive=!1)};var iga=0;g.k=qz.prototype;g.k.start=function(a){var b=this,c={method:this.method,credentials:this.credentials};this.headers&&(c.headers=new Headers(this.headers));this.body&&(c.body=this.body);this.D&&(c.signal=this.D.signal);a=new Request(a,c);fetch(a).then(function(d){b.status=d.status;if(d.ok&&d.body)b.status=b.status||242,b.C=d.body.getReader(),b.na()?b.C.cancel("Cancelling"):(b.K=d.headers,b.fa(),sz(b));else b.onDone()},function(d){b.onError(d)}).then(void 0,M)}; -g.k.onDone=function(){if(!this.na()){this.ea();this.P=!0;if(rz(this)&&!this.u.getLength()&&!this.I&&this.B){pz(this);var a=new Uint8Array(8),b=new DataView(a.buffer);b.setUint32(0,8);b.setUint32(4,1936419184);this.u.append(a);this.B+=a.length}this.Y()}}; -g.k.onError=function(a){this.ea();this.errorMessage=String(a);this.I=!0;this.onDone()}; -g.k.qe=function(a){return this.K?this.K.get(a):null}; -g.k.Dm=function(){return!!this.K}; -g.k.Uu=function(){return this.B}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.B}; -g.k.ea=function(){}; -g.k.Mh=function(){if(this.P)return!!this.u.getLength();var a=this.policy.C;if(a&&this.R+a>Date.now())return!1;a=this.nq()||0;a=Math.max(16384,this.policy.u*a);this.X||(a=Math.max(a,16384));this.policy.rf&&pz(this)&&(a=1);return this.u.getLength()>=a}; -g.k.Vu=function(){this.Mh();this.R=Date.now();this.X=!0;var a=this.u;this.u=new Mv;return a}; -g.k.hz=function(){this.Mh();return this.u}; -g.k.na=function(){return this.aborted}; -g.k.abort=function(){this.ea();this.C&&this.C.cancel("Cancelling");this.D&&this.D.abort();this.aborted=!0}; -g.k.tj=function(){return!0}; -g.k.bA=function(){return this.I}; -g.k.Qm=function(){return this.errorMessage};g.k=tz.prototype;g.k.onDone=function(){if(!this.na){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.B=!0;this.C()}}; -g.k.ie=function(a){this.na||(this.status=this.xhr.status,this.D(a.timeStamp,a.loaded))}; -g.k.Dm=function(){return 2<=this.xhr.readyState}; -g.k.qe=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.Fo(Error("Could not read XHR header "+a)),""}}; -g.k.nq=function(){return+this.qe("content-length")}; -g.k.Uu=function(){return this.u}; -g.k.hu=function(){return 200<=this.status&&300>this.status&&!!this.response&&!!this.response.byteLength}; -g.k.Mh=function(){return this.B&&!!this.response&&!!this.response.byteLength}; -g.k.Vu=function(){this.Mh();var a=this.response;this.response=void 0;return new Mv([new Uint8Array(a)])}; -g.k.hz=function(){this.Mh();return new Mv([new Uint8Array(this.response)])}; -g.k.abort=function(){this.na=!0;this.xhr.abort()}; -g.k.tj=function(){return!1}; -g.k.bA=function(){return!1}; -g.k.Qm=function(){return""};vz.prototype.iH=function(a,b){var c=this;b=void 0===b?1:b;this.u+=b;this.C+=a;var d=a/b;uz.forEach(function(e,f){dd.u&&4E12>a?a:g.A();kz(d,a,b);50>a-d.D&&lz(d)&&3!==bz(d)||hz(d,a,b,c);b=this.timing;b.B>b.Ga&&cz(b,b.B)&&3>this.state?yy(this,3):this.Ab.tj()&&Tz(this)&&yy(this,Math.max(2,this.state))}}; -g.k.iR=function(){if(!this.na()&&this.Ab){if(!this.K&&this.Ab.Dm()&&this.Ab.qe("X-Walltime-Ms")){var a=parseInt(this.Ab.qe("X-Walltime-Ms"),10);this.K=(g.A()-a)/1E3}this.Ab.Dm()&&this.Ab.qe("X-Restrict-Formats-Hint")&&this.u.FB&&!Kz()&&sCa(!0);a=parseInt(this.Ab.qe("X-Head-Seqnum"),10);var b=parseInt(this.Ab.qe("X-Head-Time-Millis"),10);this.C=a||this.C;this.D=b||this.D}}; -g.k.hR=function(){var a=this.Ab;!this.na()&&a&&(this.F.stop(),this.hj=a.status,a=oga(this,a),6===a?Gz(this):yy(this,a))}; -g.k.Iz=function(a){4<=this.state&&(this.u.ke?Rz(this):this.timing.deactivate());vy.prototype.Iz.call(this,a)}; -g.k.JR=function(){if(!this.na()){var a=g.A(),b=!1;lz(this.timing)?(a=this.timing.P,az(this.timing),this.timing.P-a>=.8*this.X?(this.mk++,b=5<=this.mk):this.mk=0):(b=this.timing,b.dj&&nz(b,g.A()),a-=b.X,this.u.Sl&&01E3*b);this.mk&&this.callback&&this.callback(this);b?Sz(this,!1):this.F.start()}}; -g.k.dispose=function(){vy.prototype.dispose.call(this);this.F.dispose();this.u.ke||Rz(this)}; -g.k.ay=function(){return this.K}; -g.k.eF=function(){this.Ab&&(this.C=parseInt(this.Ab.qe("X-Head-Seqnum"),10));return this.C}; -g.k.gD=function(){this.Ab&&(this.D=parseInt(this.Ab.qe("X-Head-Time-Millis"),10));return this.D}; -var kga=0,Pz=-1;hA.prototype.getDuration=function(){return this.u.index.Nk()}; -hA.prototype.Bi=function(){this.C.Bi()};KA.prototype.C=function(a,b){var c=Math.pow(this.alpha,a);this.B=b*(1-c)+c*this.B;this.D+=a}; -KA.prototype.u=function(){return this.B/(1-Math.pow(this.alpha,this.D))};MA.prototype.C=function(a,b){var c=Math.min(this.B,Math.max(1,Math.round(a*this.resolution)));c+this.valueIndex>=this.B&&(this.D=!0);for(;c--;)this.values[this.valueIndex]=b,this.valueIndex=(this.valueIndex+1)%this.B;this.I=!0}; -MA.prototype.u=function(){return this.K?(NA(this,this.F-this.K)+NA(this,this.F)+NA(this,this.F+this.K))/3:NA(this,this.F)};TA.prototype.setPlaybackRate=function(a){this.C=Math.max(1,a)}; -TA.prototype.getPlaybackRate=function(){return this.C};g.u($A,g.Ox);g.k=$A.prototype;g.k.Eh=function(){return this.Ai?this.segments.length?this.Xn(this.Kc()).qb:-1:g.Ox.prototype.Eh.call(this)}; -g.k.Kc=function(){if(this.he)return 0;if(!this.Ai)return g.Ox.prototype.Kc.call(this);if(!this.segments.length)return 0;var a=Math.max(g.db(this.segments).endTime-this.Hj,0);return 0c&&(this.segments=this.segments.slice(b))}}; -g.k.Xn=function(a){if(!this.Ai)return g.Ox.prototype.Xn.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.qb+Math.floor((a-b.endTime)/this.Qf+1);else{b=yb(this.segments,function(d){return a=d.endTime?1:0}); -if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.qb-b.qb-1))+1)+b.qb}return this.Li(b)}; -g.k.Li=function(a){if(!this.Ai)return g.Ox.prototype.Li.call(this,a);if(!this.segments.length)return null;var b=aB(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.Qf;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].qb-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.qb-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.qb-d.qb-1),d=d.endTime+(a-d.qb-1)*b);return new Cu(a,d,b,0,"sq/"+a,void 0,void 0, -!0)};g.u(cB,Qx);g.k=cB.prototype;g.k.po=function(){return!0}; -g.k.Fe=function(){return!0}; -g.k.ek=function(a){return!a.F}; -g.k.wm=function(){return[]}; -g.k.Kj=function(a,b){if("number"===typeof a&&!isFinite(a)){var c=new Iu(3,this,null,"mlLiveGetReqInfoStubForTime",-1,void 0,this.kh,void 0,this.kh*this.info.zb);return new Qw([c],"")}return Qx.prototype.Kj.call(this,a,b)}; -g.k.ql=function(a,b){var c=void 0===c?!1:c;if(bB(this.index,a))return Qx.prototype.ql.call(this,a,b);var d=this.index.Xe(a),e=b?0:this.kh*this.info.zb,f=!b;c=new Iu(c?6:3,this,null,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,e,a==this.index.Xb()&&!this.R&&0a.B&&this.index.Eh()<=a.B+1}; -g.k.Qt=function(){return this.initRange&&this.indexRange?this.initRange.length+this.indexRange.length:0}; -g.k.Fv=function(){return!1};lB.prototype.getName=function(){return this.name}; -lB.prototype.getId=function(){return this.id}; -lB.prototype.getIsDefault=function(){return this.isDefault}; -lB.prototype.toString=function(){return this.name}; -lB.prototype.getName=lB.prototype.getName;lB.prototype.getId=lB.prototype.getId;lB.prototype.getIsDefault=lB.prototype.getIsDefault;g.u(tB,g.O);g.k=tB.prototype;g.k.appendBuffer=function(a,b,c){if(this.Rc.Nt()!==this.appendWindowStart+this.start||this.Rc.Yx()!==this.appendWindowEnd+this.start||this.Rc.yc()!==this.timestampOffset+this.start)this.Rc.supports(1),this.Rc.qA(this.appendWindowStart+this.start,this.appendWindowEnd+this.start),this.Rc.ip(this.timestampOffset+this.start);this.Rc.appendBuffer(a,b,c)}; -g.k.abort=function(){this.Rc.abort()}; -g.k.remove=function(a,b){this.Rc.remove(a+this.start,b+this.start)}; -g.k.qA=function(a,b){this.appendWindowStart=a;this.appendWindowEnd=b}; -g.k.ly=function(){return this.timestampOffset+this.start}; -g.k.Nt=function(){return this.appendWindowStart}; -g.k.Yx=function(){return this.appendWindowEnd}; -g.k.ip=function(a){this.timestampOffset=a}; -g.k.yc=function(){return this.timestampOffset}; -g.k.Se=function(a){a=this.Rc.Se(void 0===a?!1:a);return gA(a,this.start,this.end)}; -g.k.Kf=function(){return this.Rc.Kf()}; -g.k.qm=function(){return this.Rc.qm()}; -g.k.Ot=function(){return this.Rc.Ot()}; -g.k.WA=function(a,b){this.Rc.WA(a,b)}; -g.k.supports=function(a){return this.Rc.supports(a)}; -g.k.Pt=function(){return this.Rc.Pt()}; +var c=new Uint8Array([1]);return 1===c.length&&1===c[0]?b:a}(); +VF=Array(1024);TF=window.TextDecoder?new TextDecoder:void 0;XF=window.TextEncoder?new TextEncoder:void 0;ZF.prototype.skip=function(a){this.j+=a};var K3={},ccb=(K3.predictStart="predictStart",K3.start="start",K3["continue"]="continue",K3.stop="stop",K3),nua={EVENT_PREDICT_START:"predictStart",EVENT_START:"start",EVENT_CONTINUE:"continue",EVENT_STOP:"stop"};hG.prototype.nC=function(){return!!(this.data["Stitched-Video-Id"]||this.data["Stitched-Video-Cpn"]||this.data["Stitched-Video-Duration-Us"]||this.data["Stitched-Video-Start-Frame-Index"]||this.data["Serialized-State"]||this.data["Is-Ad-Break-Finished"])}; +hG.prototype.toString=function(){for(var a="",b=g.t(Object.keys(this.data)),c=b.next();!c.done;c=b.next())c=c.value,a+=c+":"+this.data[c]+";";return a};var L3={},Tva=(L3.STEREO_LAYOUT_UNKNOWN=0,L3.STEREO_LAYOUT_LEFT_RIGHT=1,L3.STEREO_LAYOUT_TOP_BOTTOM=2,L3);uG.prototype.Xm=function(){var a=this.pos;this.pos=0;var b=!1;try{yG(this,440786851)&&(this.pos=0,yG(this,408125543)&&(b=!0))}catch(c){if(c instanceof RangeError)this.pos=0,b=!1,g.DD(c);else throw c;}this.pos=a;return b};IG.prototype.set=function(a,b){this.zj.get(a);this.j[a]=b;this.url=""}; +IG.prototype.get=function(a){return this.j[a]||this.zj.get(a)}; +IG.prototype.Ze=function(){this.url||(this.url=Iua(this));return this.url};MG.prototype.OB=function(){return this.B.get("cpn")||""}; +MG.prototype.Bk=function(a,b){a.zj===this.j&&(this.j=JG(a,b));a.zj===this.C&&(this.C=JG(a,b))};RG.prototype.Jg=function(){return!!this.j&&this.index.isLoaded()}; +RG.prototype.Vy=function(){return!1}; +RG.prototype.rR=function(a){return[a]}; +RG.prototype.Jz=function(a){return[a]};TG.prototype.toString=function(){return this.start+"-"+(null==this.end?"":this.end)};XG.prototype.isEncrypted=function(){return this.j.info.isEncrypted()}; +XG.prototype.equals=function(a){return!(!a||a.j!==this.j||a.type!==this.type||(this.range&&a.range?a.range.start!==this.range.start||a.range.end!==this.range.end:a.range!==this.range)||a.Ma!==this.Ma||a.Ob!==this.Ob||a.u!==this.u)}; +XG.prototype.Xg=function(){return!!this.j.info.video};fH.prototype.Im=function(){return this.u?this.u.Ze():""}; +fH.prototype.Ds=function(){return this.J}; +fH.prototype.Mr=function(){return ZG(this.gb[0])}; +fH.prototype.Bk=function(a,b){this.j.Bk(a,b);if(this.u){this.u=JG(a,b);b=g.t(["acpns","cpn","daistate","skipsq"]);for(var c=b.next();!c.done;c=b.next())this.u.set(c.value,null)}this.requestId=a.get("req_id")};g.w(jH,RG);g.k=jH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.Vy=function(){return!this.I}; +g.k.Uu=function(){return new fH([new XG(1,this,this.initRange,"getMetadataRequestInfo")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return this.ov()&&a.u&&!a.bf?new fH([new XG(a.type,a.j,a.range,"liveGetNextRequestInfoBySegment",a.Ma,a.startTime,a.duration,a.Ob+a.u,NaN,!0)],this.index.bG(a.Ma)):this.Br(bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.Br(a,!0)}; +g.k.mM=function(a){dcb?yH(a):this.j=new Uint8Array(tH(a).buffer)}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.update=function(a,b,c){this.index.append(a);eua(this.index,c);this.index.u=b}; +g.k.Jg=function(){return this.Vy()?!0:RG.prototype.Jg.call(this)}; +g.k.Br=function(a,b){var c=this.index.bG(a),d=this.index.getStartTime(a),e=this.index.getDuration(a),f;b?e=f=0:f=0c&&(this.segments=this.segments.slice(b))}}; +g.k.RF=function(){return this.Po}; +g.k.vy=function(a){if(!this.Dm)return g.KF.prototype.vy.call(this,a);if(!this.segments.length)return null;var b=this.segments[this.segments.length-1];if(a=b.endTime)b=b.Ma+Math.floor((a-b.endTime)/this.sj+1);else{b=Kb(this.segments,function(d){return a=d.endTime?1:0}); +if(0<=b)return this.segments[b];var c=-(b+1);b=this.segments[c-1];c=this.segments[c];b=Math.floor((a-b.endTime)/((c.startTime-b.endTime)/(c.Ma-b.Ma-1))+1)+b.Ma}return this.Go(b)}; +g.k.Go=function(a){if(!this.Dm)return g.KF.prototype.Go.call(this,a);if(!this.segments.length)return null;var b=oH(this,a);if(0<=b)return this.segments[b];var c=-(b+1);b=this.sj;if(0===c)var d=Math.max(0,this.segments[0].startTime-(this.segments[0].Ma-a)*b);else c===this.segments.length?(d=this.segments[this.segments.length-1],d=d.endTime+(a-d.Ma-1)*b):(d=this.segments[c-1],b=this.segments[c],b=(b.startTime-d.endTime)/(b.Ma-d.Ma-1),d=d.endTime+(a-d.Ma-1)*b);return new JF(a,d,b,0,"sq/"+a,void 0,void 0, +!0)};g.w(qH,jH);g.k=qH.prototype;g.k.zC=function(){return!0}; +g.k.Jg=function(){return!0}; +g.k.Ar=function(a){return this.ov()&&a.u&&!a.bf||!a.j.index.OM(a.Ma)}; +g.k.Uu=function(){}; +g.k.Zp=function(a,b){return"number"!==typeof a||isFinite(a)?jH.prototype.Zp.call(this,a,void 0===b?!1:b):new fH([new XG(3,this,void 0,"mlLiveGetReqInfoStubForTime",-1,void 0,this.Xj,void 0,this.Xj*this.info.dc)],"")}; +g.k.Br=function(a,b){var c=void 0===c?!1:c;if(pH(this.index,a))return jH.prototype.Br.call(this,a,b);var d=this.index.getStartTime(a);return new fH([new XG(c?6:3,this,void 0,"mlLiveCreateReqInfoForSeg",a,d,void 0,void 0,b?0:this.Xj*this.info.dc,!b)],0<=a?"sq/"+a:"")};g.w(rH,RG);g.k=rH.prototype;g.k.Ym=function(){return!1}; +g.k.ov=function(){return!1}; +g.k.zC=function(){return!1}; +g.k.Uu=function(){return new fH([new XG(1,this,void 0,"otfInit")],this.I)}; +g.k.hx=function(){return null}; +g.k.PA=function(a){this.Ar(a);return kva(this,bH(a),!1)}; +g.k.Zp=function(a,b){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return kva(this,a,!0)}; +g.k.mM=function(a){1===a.info.type&&(this.j||(this.j=iua(a.j)),a.u&&"http://youtube.com/streaming/otf/durations/112015"===a.u.uri&&lva(this,a.u))}; +g.k.Ar=function(a){return 0===a.u?!0:this.index.td()>a.Ma&&this.index.Lm()<=a.Ma+1}; +g.k.WL=function(){return 0}; +g.k.wO=function(){return!1};sH.prototype.verify=function(a){if(this.info.u!==this.j.totalLength)return a.slength=this.info.u.toString(),a.range=this.j.totalLength.toString(),!1;if(1===this.info.j.info.containerType){if(8>this.info.u||4===this.info.type)return!0;var b=tH(this),c=b.getUint32(0,!1);b=b.getUint32(4,!1);a.infotype=this.info.type.toString();a.slicesize=c.toString();a.boxtype=b.toString();if(2===this.info.type)return c===this.info.u&&1936286840===b;if(3===this.info.type&&0===this.info.Ob)return 1836019558===b||1936286840=== +b||1937013104===b||1718909296===b||1701671783===b||1936419184===b}else if(2===this.info.j.info.containerType){if(4>this.info.u||4===this.info.type)return!0;c=tH(this).getUint32(0,!1);a.ebm=c.toString();if(3===this.info.type&&0===this.info.Ob)return 524531317===c||440786851===c}return!0};g.k=g.zH.prototype;g.k.Yp=function(a){return this.offsets[a]}; +g.k.getStartTime=function(a){return this.Li[a]/this.j}; +g.k.dG=aa(1);g.k.Pf=function(){return NaN}; +g.k.getDuration=function(a){a=this.KT(a);return 0<=a?a/this.j:-1}; +g.k.KT=function(a){return a+1=this.td())return 0;var c=0;for(b=this.getStartTime(a)+b;athis.getStartTime(a);a++)c=Math.max(c,uva(this,a)/this.getDuration(a));return c}; +g.k.resize=function(a){a+=2;var b=this.offsets;this.offsets=new Float64Array(a+1);var c=this.Li;this.Li=new Float64Array(a+1);for(a=0;a=b+c)break}e.length||g.CD(new g.bA("b189619593",""+a,""+b,""+c));return new fH(e)}; +g.k.rR=function(a){for(var b=this.Jz(a.info),c=a.info.range.start+a.info.Ob,d=a.B,e=[],f=0;f=this.index.Yp(c+1);)c++;return this.cC(c,b,a.u).gb}; +g.k.Ar=function(a){YG(a);return this.Jg()?!0:a.range.end+1this.info.contentLength&&(b=new TG(b.start,this.info.contentLength-1)),new fH([new XG(4,a.j,b,"getNextRequestInfoByLength",void 0,void 0,void 0,void 0,void 0,void 0,a.clipId)]);4===a.type&&(a=this.Jz(a),a=a[a.length-1]);var c=0,d=a.range.start+a.Ob+a.u;3===a.type&&(YG(a),c=a.Ma,d===a.range.end+1&&(c+=1));return this.cC(c,d,b)}; +g.k.PA=function(){return null}; +g.k.Zp=function(a,b,c){b=void 0===b?!1:b;a=this.index.uh(a);b&&(a=Math.min(this.index.td(),a+1));return this.cC(a,this.index.Yp(a),0,c)}; +g.k.Ym=function(){return!0}; +g.k.ov=function(){return!0}; +g.k.zC=function(){return!1}; +g.k.WL=function(){return this.indexRange.length+this.initRange.length}; +g.k.wO=function(){return this.indexRange&&this.initRange&&this.initRange.end+1===this.indexRange.start?!0:!1};CH.prototype.isMultiChannelAudio=function(){return 2this.Nt()?(this.jc.appendWindowEnd=b,this.jc.appendWindowStart=a):(this.jc.appendWindowStart=a,this.jc.appendWindowEnd=b))}; -g.k.ly=function(){return this.timestampOffset}; -g.k.ip=function(a){Qy?this.timestampOffset=a:this.supports(1)&&(this.jc.timestampOffset=a)}; -g.k.yc=function(){return Qy?this.timestampOffset:this.supports(1)?this.jc.timestampOffset:0}; -g.k.Se=function(a){if(void 0===a?0:a)return this.Xs||this.Kf()||(this.cC=this.Se(!1),this.Xs=!0),this.cC;try{return this.jc?this.jc.buffered:this.de?this.de.webkitSourceBuffered(this.id):Vz([0],[Infinity])}catch(b){return Vz([],[])}}; -g.k.Kf=function(){var a;return(null===(a=this.jc)||void 0===a?void 0:a.updating)||!1}; -g.k.qm=function(){return this.yu}; -g.k.Ot=function(){return this.iE}; -g.k.WA=function(a,b){this.containerType!==a&&(this.supports(4),yB()&&this.jc.changeType(b));this.containerType=a}; -g.k.Pt=function(){return this.Zy}; +g.k.tI=function(a,b,c){return this.isActive?this.Ed.tI(a,b,c):!1}; +g.k.eF=function(){return this.Ed.eF()?this.isActive:!1}; +g.k.isLocked=function(){return this.rE&&!this.isActive}; +g.k.lc=function(a){a=this.Ed.lc(a);a.vw=this.start+"-"+this.end;return a}; +g.k.UB=function(){return this.Ed.UB()}; +g.k.ZL=function(){return this.Ed.ZL()}; +g.k.qa=function(){fE(this.Ed,this.tU);g.dE.prototype.qa.call(this)};var CX=!1;g.w(sI,g.dE);g.k=sI.prototype; +g.k.appendBuffer=function(a,b,c){this.iB=!1;c&&(this.FC=c);if(!ecb&&(b&&Cva(this,b),!a.length))return;if(ecb){if(a.length){var d;(null==(d=this.Vb)?0:d.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}b&&Cva(this,b)}else{var e;(null==(e=this.Vb)?0:e.appendBuffer)?this.Vb.appendBuffer(a):this.Vb?this.Vb.append(a):this.Dg&&this.Dg.webkitSourceAppend(this.id,a)}this.Kz&&(2<=this.Kz.length||1048576this.IB()?(this.Vb.appendWindowEnd=b,this.Vb.appendWindowStart=a):(this.Vb.appendWindowStart=a,this.Vb.appendWindowEnd=b))}; +g.k.dM=function(){return this.timestampOffset}; +g.k.Vq=function(a){CX?this.timestampOffset=a:this.supports(1)&&(this.Vb.timestampOffset=a)}; +g.k.Jd=function(){return CX?this.timestampOffset:this.supports(1)?this.Vb.timestampOffset:0}; +g.k.Ig=function(a){if(void 0===a?0:a)return this.iB||this.gj()||(this.GK=this.Ig(!1),this.iB=!0),this.GK;try{return this.Vb?this.Vb.buffered:this.Dg?this.Dg.webkitSourceBuffered(this.id):iI([0],[Infinity])}catch(b){return iI([],[])}}; +g.k.gj=function(){var a;return(null==(a=this.Vb)?void 0:a.updating)||!1}; +g.k.Ol=function(){return this.jF}; +g.k.IM=function(){return!this.jF&&this.gj()}; +g.k.Tx=function(){this.jF=!1}; +g.k.Wy=function(a){var b=null==a?void 0:a.Lb;a=null==a?void 0:a.containerType;return!b&&!a||b===this.Lb&&a===this.containerType}; +g.k.qs=function(){return this.FC}; +g.k.SF=function(){return this.XM}; +g.k.VP=function(a,b){this.containerType!==a&&(this.supports(4),tI()&&this.Vb.changeType(b));this.containerType=a}; +g.k.TF=function(){return this.Cf}; g.k.isView=function(){return!1}; -g.k.supports=function(a){var b,c,d,e,f;switch(a){case 1:return void 0!==(null===(b=this.jc)||void 0===b?void 0:b.timestampOffset);case 0:return!(null===(c=this.jc)||void 0===c||!c.appendBuffer);case 2:return!(null===(d=this.jc)||void 0===d||!d.remove);case 3:return!!((null===(e=this.jc)||void 0===e?0:e.addEventListener)&&(null===(f=this.jc)||void 0===f?0:f.removeEventListener));case 4:return!(!this.jc||!this.jc.changeType);default:return!1}}; -g.k.lx=function(){return!this.Kf()}; +g.k.supports=function(a){switch(a){case 1:var b;return void 0!==(null==(b=this.Vb)?void 0:b.timestampOffset);case 0:var c;return!(null==(c=this.Vb)||!c.appendBuffer);case 2:var d;return!(null==(d=this.Vb)||!d.remove);case 3:var e,f;return!!((null==(e=this.Vb)?0:e.addEventListener)&&(null==(f=this.Vb)?0:f.removeEventListener));case 4:return!(!this.Vb||!this.Vb.changeType);default:return!1}}; +g.k.eF=function(){return!this.gj()}; g.k.isLocked=function(){return!1}; -g.k.sb=function(a){var b,c;a.to=""+this.yc();a.up=""+ +this.Kf();var d=(null===(b=this.jc)||void 0===b?void 0:b.appendWindowStart)||0,e=(null===(c=this.jc)||void 0===c?void 0:c.appendWindowEnd)||Infinity;a.aw=d.toFixed(3)+"-"+e.toFixed(3);try{a.bu=Wz(this.Se())}catch(f){}return g.vB(a)}; -g.k.ca=function(){this.supports(3)&&(this.jc.removeEventListener("updateend",this.Oj),this.jc.removeEventListener("error",this.Oj));g.O.prototype.ca.call(this)}; -g.k.us=function(a,b,c){if(!this.supports(2)||this.Kf())return!1;var d=this.Se(),e=Xz(d,a);if(0>e)return!1;try{if(b&&e+1this.K&&this.Qa;this.ha=parseInt(dB(a,SB(this,"earliestMediaSequence")),10)|| -0;if(b=Date.parse(gB(dB(a,SB(this,"mpdResponseTime")))))this.R=(g.A()-b)/1E3;this.isLive&&0>=a.getElementsByTagName("SegmentTimeline").length||g.qh(a.getElementsByTagName("Period"),this.sR,this);this.Ka=2;this.V("loaded");XB(this);return this}; -g.k.HK=function(a){this.aa=a.xhr.status;this.Ka=3;this.V("loaderror");return wm(a.xhr)}; -g.k.refresh=function(){if(1!=this.Ka&&!this.na()){var a=g.Md(this.sourceUrl,{start_seq:Vga(this).toString()});Cm(VB(this,a),function(){})}}; -g.k.resume=function(){XB(this)}; -g.k.Oc=function(){if(this.isManifestless&&this.I&&YB(this))return YB(this);var a=this.u,b=!1,c=NaN,d=NaN,e;for(e in a){var f=a[e],h=f.index;h.Uc()&&(f.K&&(b=!0),h=h.Nk(),f.info.isAudio()&&(isNaN(c)||hxCa){H1=xCa;break a}}var yCa=I1.match("("+g.Mb(vCa).join("|")+")");H1=yCa?vCa[yCa[0]]:0}else H1=void 0}var lD=H1,kD=0<=lD;yC.prototype.canPlayType=function(a,b){var c=a.canPlayType?a.canPlayType(b):!1;or?c=c||zCa[b]:2.2===lD?c=c||ACa[b]:er()&&(c=c||BCa[b]);return!!c}; -yC.prototype.isTypeSupported=function(a){this.ea();return this.F?window.cast.receiver.platform.canDisplayType(a):oB(a)}; -yC.prototype.disableAv1=function(){this.K=!0}; -yC.prototype.ea=function(){}; -var ACa={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},BCa={"application/x-mpegURL":"maybe"},zCa={"application/x-mpegURL":"maybe"};CC.prototype.getLanguageInfo=function(){return this.u}; -CC.prototype.toString=function(){return this.u.name}; -CC.prototype.getLanguageInfo=CC.prototype.getLanguageInfo;DC.prototype.isLocked=function(){return this.C&&!!this.B&&this.B===this.u}; -DC.prototype.compose=function(a){if(a.C&&GC(a))return UD;if(a.C||GC(this))return a;if(this.C||GC(a))return this;var b=this.B&&a.B?Math.max(this.B,a.B):this.B||a.B,c=this.u&&a.u?Math.min(this.u,a.u):this.u||a.u;b=Math.min(b,c);return b===this.B&&c===this.u?this:new DC(b,c,!1,c===this.u?this.reason:a.reason)}; -DC.prototype.D=function(a){return a.video?IC(this,a.video.quality):!1}; -var CCa=FC("auto","hd1080",!1,"l"),vxa=FC("auto","large",!1,"l"),UD=FC("auto","auto",!1,"p");FC("small","auto",!1,"p");JC.prototype.nm=function(a){a=a||UD;for(var b=g.Ke(this.videoInfos,function(h){return a.D(h)}),c=[],d={},e=0;e'}; -g.k.supportsGaplessAudio=function(){return g.pB&&!or&&74<=br()||g.vC&&g.ae(68)?!0:!1}; -g.k.getPlayerType=function(){return this.deviceParams.cplayer}; -var wha=["www.youtube-nocookie.com","youtube.googleapis.com"];g.u(iE,g.O);g.u(oE,Aq);g.u(pE,Aq);var Kha=new Bq("aft-recorded",oE),aF=new Bq("timing-sent",pE);var J1=window,XE=J1.performance||J1.mozPerformance||J1.msPerformance||J1.webkitPerformance||new Jha;var BE=!1,Lha=(0,g.z)(XE.clearResourceTimings||XE.webkitClearResourceTimings||XE.mozClearResourceTimings||XE.msClearResourceTimings||XE.oClearResourceTimings||g.Ka,XE);var IE=g.v.ytLoggingLatencyUsageStats_||{};g.Fa("ytLoggingLatencyUsageStats_",IE,void 0);GE.prototype.tick=function(a,b,c){JE(this,"tick_"+a+"_"+b)||g.Nq("latencyActionTicked",{tickName:a,clientActionNonce:b},{timestamp:c})}; -GE.prototype.info=function(a,b){var c=Object.keys(a).join("");JE(this,"info_"+c+"_"+b)||(c=Object.assign({},a),c.clientActionNonce=b,g.Nq("latencyActionInfo",c))}; -GE.prototype.span=function(a,b){var c=Object.keys(a).join("");JE(this,"span_"+c+"_"+b)||(a.clientActionNonce=b,g.Nq("latencyActionSpan",a))};var K1={},QE=(K1.ad_to_ad="LATENCY_ACTION_AD_TO_AD",K1.ad_to_video="LATENCY_ACTION_AD_TO_VIDEO",K1.app_startup="LATENCY_ACTION_APP_STARTUP",K1["artist.analytics"]="LATENCY_ACTION_CREATOR_ARTIST_ANALYTICS",K1["artist.events"]="LATENCY_ACTION_CREATOR_ARTIST_CONCERTS",K1["artist.presskit"]="LATENCY_ACTION_CREATOR_ARTIST_PROFILE",K1.browse="LATENCY_ACTION_BROWSE",K1.channels="LATENCY_ACTION_CHANNELS",K1.creator_channel_dashboard="LATENCY_ACTION_CREATOR_CHANNEL_DASHBOARD",K1["channel.analytics"]="LATENCY_ACTION_CREATOR_CHANNEL_ANALYTICS", -K1["channel.comments"]="LATENCY_ACTION_CREATOR_CHANNEL_COMMENTS",K1["channel.content"]="LATENCY_ACTION_CREATOR_POST_LIST",K1["channel.copyright"]="LATENCY_ACTION_CREATOR_CHANNEL_COPYRIGHT",K1["channel.editing"]="LATENCY_ACTION_CREATOR_CHANNEL_EDITING",K1["channel.monetization"]="LATENCY_ACTION_CREATOR_CHANNEL_MONETIZATION",K1["channel.music"]="LATENCY_ACTION_CREATOR_CHANNEL_MUSIC",K1["channel.translations"]="LATENCY_ACTION_CREATOR_CHANNEL_TRANSLATIONS",K1["channel.videos"]="LATENCY_ACTION_CREATOR_CHANNEL_VIDEOS", -K1["channel.live_streaming"]="LATENCY_ACTION_CREATOR_LIVE_STREAMING",K1.chips="LATENCY_ACTION_CHIPS",K1["dialog.copyright_strikes"]="LATENCY_ACTION_CREATOR_DIALOG_COPYRIGHT_STRIKES",K1["dialog.uploads"]="LATENCY_ACTION_CREATOR_DIALOG_UPLOADS",K1.embed="LATENCY_ACTION_EMBED",K1.home="LATENCY_ACTION_HOME",K1.library="LATENCY_ACTION_LIBRARY",K1.live="LATENCY_ACTION_LIVE",K1.live_pagination="LATENCY_ACTION_LIVE_PAGINATION",K1.onboarding="LATENCY_ACTION_KIDS_ONBOARDING",K1.parent_profile_settings="LATENCY_ACTION_KIDS_PARENT_PROFILE_SETTINGS", -K1.parent_tools_collection="LATENCY_ACTION_PARENT_TOOLS_COLLECTION",K1.parent_tools_dashboard="LATENCY_ACTION_PARENT_TOOLS_DASHBOARD",K1.player_att="LATENCY_ACTION_PLAYER_ATTESTATION",K1["post.comments"]="LATENCY_ACTION_CREATOR_POST_COMMENTS",K1["post.edit"]="LATENCY_ACTION_CREATOR_POST_EDIT",K1.prebuffer="LATENCY_ACTION_PREBUFFER",K1.prefetch="LATENCY_ACTION_PREFETCH",K1.profile_settings="LATENCY_ACTION_KIDS_PROFILE_SETTINGS",K1.profile_switcher="LATENCY_ACTION_KIDS_PROFILE_SWITCHER",K1.results= -"LATENCY_ACTION_RESULTS",K1.search_ui="LATENCY_ACTION_SEARCH_UI",K1.search_zero_state="LATENCY_ACTION_SEARCH_ZERO_STATE",K1.secret_code="LATENCY_ACTION_KIDS_SECRET_CODE",K1.settings="LATENCY_ACTION_SETTINGS",K1.tenx="LATENCY_ACTION_TENX",K1.video_to_ad="LATENCY_ACTION_VIDEO_TO_AD",K1.watch="LATENCY_ACTION_WATCH",K1.watch_it_again="LATENCY_ACTION_KIDS_WATCH_IT_AGAIN",K1["watch,watch7"]="LATENCY_ACTION_WATCH",K1["watch,watch7_html5"]="LATENCY_ACTION_WATCH",K1["watch,watch7ad"]="LATENCY_ACTION_WATCH", -K1["watch,watch7ad_html5"]="LATENCY_ACTION_WATCH",K1.wn_comments="LATENCY_ACTION_LOAD_COMMENTS",K1.ww_rqs="LATENCY_ACTION_WHO_IS_WATCHING",K1["video.analytics"]="LATENCY_ACTION_CREATOR_VIDEO_ANALYTICS",K1["video.comments"]="LATENCY_ACTION_CREATOR_VIDEO_COMMENTS",K1["video.edit"]="LATENCY_ACTION_CREATOR_VIDEO_EDIT",K1["video.translations"]="LATENCY_ACTION_CREATOR_VIDEO_TRANSLATIONS",K1["video.video_editor"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR",K1["video.video_editor_async"]="LATENCY_ACTION_CREATOR_VIDEO_VIDEO_EDITOR_ASYNC", -K1["video.monetization"]="LATENCY_ACTION_CREATOR_VIDEO_MONETIZATION",K1.voice_assistant="LATENCY_ACTION_VOICE_ASSISTANT",K1.cast_load_by_entity_to_watch="LATENCY_ACTION_CAST_LOAD_BY_ENTITY_TO_WATCH",K1.networkless_performance="LATENCY_ACTION_NETWORKLESS_PERFORMANCE",K1),L1={},TE=(L1.ad_allowed="adTypesAllowed",L1.yt_abt="adBreakType",L1.ad_cpn="adClientPlaybackNonce",L1.ad_docid="adVideoId",L1.yt_ad_an="adNetworks",L1.ad_at="adType",L1.aida="appInstallDataAgeMs",L1.browse_id="browseId",L1.p="httpProtocol", -L1.t="transportProtocol",L1.cpn="clientPlaybackNonce",L1.ccs="creatorInfo.creatorCanaryState",L1.cseg="creatorInfo.creatorSegment",L1.csn="clientScreenNonce",L1.docid="videoId",L1.GetHome_rid="requestIds",L1.GetSearch_rid="requestIds",L1.GetPlayer_rid="requestIds",L1.GetWatchNext_rid="requestIds",L1.GetBrowse_rid="requestIds",L1.GetLibrary_rid="requestIds",L1.is_continuation="isContinuation",L1.is_nav="isNavigation",L1.b_p="kabukiInfo.browseParams",L1.is_prefetch="kabukiInfo.isPrefetch",L1.is_secondary_nav= -"kabukiInfo.isSecondaryNav",L1.prev_browse_id="kabukiInfo.prevBrowseId",L1.query_source="kabukiInfo.querySource",L1.voz_type="kabukiInfo.vozType",L1.yt_lt="loadType",L1.mver="creatorInfo.measurementVersion",L1.yt_ad="isMonetized",L1.nr="webInfo.navigationReason",L1.nrsu="navigationRequestedSameUrl",L1.ncnp="webInfo.nonPreloadedNodeCount",L1.pnt="performanceNavigationTiming",L1.prt="playbackRequiresTap",L1.plt="playerInfo.playbackType",L1.pis="playerInfo.playerInitializedState",L1.paused="playerInfo.isPausedOnLoad", -L1.yt_pt="playerType",L1.fmt="playerInfo.itag",L1.yt_pl="watchInfo.isPlaylist",L1.yt_pre="playerInfo.preloadType",L1.yt_ad_pr="prerollAllowed",L1.pa="previousAction",L1.yt_red="isRedSubscriber",L1.rce="mwebInfo.responseContentEncoding",L1.scrh="screenHeight",L1.scrw="screenWidth",L1.st="serverTimeMs",L1.ssdm="shellStartupDurationMs",L1.br_trs="tvInfo.bedrockTriggerState",L1.kebqat="kabukiInfo.earlyBrowseRequestInfo.abandonmentType",L1.kebqa="kabukiInfo.earlyBrowseRequestInfo.adopted",L1.label="tvInfo.label", -L1.is_mdx="tvInfo.isMdx",L1.preloaded="tvInfo.isPreloaded",L1.upg_player_vis="playerInfo.visibilityState",L1.query="unpluggedInfo.query",L1.upg_chip_ids_string="unpluggedInfo.upgChipIdsString",L1.yt_vst="videoStreamType",L1.vph="viewportHeight",L1.vpw="viewportWidth",L1.yt_vis="isVisible",L1.rcl="mwebInfo.responseContentLength",L1.GetSettings_rid="requestIds",L1.GetTrending_rid="requestIds",L1.GetMusicSearchSuggestions_rid="requestIds",L1.REQUEST_ID="requestIds",L1),Mha="isContinuation isNavigation kabukiInfo.earlyBrowseRequestInfo.adopted kabukiInfo.isPrefetch kabukiInfo.isSecondaryNav isMonetized navigationRequestedSameUrl performanceNavigationTiming playerInfo.isPausedOnLoad prerollAllowed isRedSubscriber tvInfo.isMdx tvInfo.isPreloaded isVisible watchInfo.isPlaylist playbackRequiresTap".split(" "), -M1={},UE=(M1.ccs="CANARY_STATE_",M1.mver="MEASUREMENT_VERSION_",M1.pis="PLAYER_INITIALIZED_STATE_",M1.yt_pt="LATENCY_PLAYER_",M1.pa="LATENCY_ACTION_",M1.yt_vst="VIDEO_STREAM_TYPE_",M1),Nha="all_vc ap aq c cver cbrand cmodel cplatform ctheme ei l_an l_mm plid srt yt_fss yt_li vpst vpni2 vpil2 icrc icrt pa GetAccountOverview_rid GetHistory_rid cmt d_vpct d_vpnfi d_vpni nsru pc pfa pfeh pftr pnc prerender psc rc start tcrt tcrc ssr vpr vps yt_abt yt_fn yt_fs yt_pft yt_pre yt_pt yt_pvis ytu_pvis yt_ref yt_sts tds".split(" ");var N1=window;N1.ytcsi&&(N1.ytcsi.info=OE,N1.ytcsi.tick=PE);bF.prototype.Ma=function(){this.tick("gv")}; -bF.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.N)()};cF.prototype.send=function(){g.qq(this.target,{format:"RAW",responseType:"arraybuffer",timeout:1E4,Zf:this.B,Bg:this.B,context:this});this.u=(0,g.N)()}; -cF.prototype.B=function(a){var b,c={rc:a.status,lb:(null===(b=a.response)||void 0===b?void 0:b.byteLength)||0,rt:(((0,g.N)()-this.u)/1E3).toFixed(3),shost:g.yd(this.target),trigger:this.trigger};204===a.status||a.response?this.C&&this.C(g.vB(c)):this.D(new uB("pathprobe.net",!1,c))};var O1={},dF=(O1.AD_MARKER="ytp-ad-progress",O1.CHAPTER_MARKER="ytp-chapter-marker",O1.TIME_MARKER="ytp-time-marker",O1);g.eF.prototype.getId=function(){return this.id}; -g.eF.prototype.toString=function(){return"CueRange{"+this.namespace+":"+this.id+"}["+fF(this.start)+", "+fF(this.end)+"]"}; -g.eF.prototype.contains=function(a,b){return a>=this.start&&(aa&&this.D.start()))}; -g.k.fk=function(){this.F=!0;if(!this.I){for(var a=3;this.F&&a;)this.F=!1,this.I=!0,this.UD(),this.I=!1,a--;this.K().Hb()&&(a=lF(this.u,this.C),!isNaN(a)&&0x7ffffffffffff>a&&(a=(a-this.C)/this.Y(),this.D.start(a)))}}; -g.k.UD=function(){if(this.started&&!this.na()){this.D.stop();var a=this.K();g.U(a,32)&&this.P.start();for(var b=g.U(this.K(),2)?0x8000000000000:1E3*this.X(),c=g.U(a,2),d=[],e=[],f=g.q(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(qF(this,e));f=e=null;c?(a=kF(this.u,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=Uha(this.u)):a=this.C<=b&&HM(a)?Tha(this.u,this.C,b):kF(this.u,b); -d=d.concat(pF(this,a));e&&(d=d.concat(qF(this,e)));f&&(d=d.concat(pF(this,f)));this.C=b;Vha(this,d)}}; -g.k.ca=function(){this.B=[];this.u.u=[];g.C.prototype.ca.call(this)}; -(function(a,b){if(yz&&b){var c={},d;for(d in b)b.hasOwnProperty(d)&&(c.Nw=a.prototype[d],c.Pw=b[d],a.prototype[d]=function(e){return function(f){for(var h=[],l=0;lb&&c.B.pop();a.D.length?a.B=g.db(g.db(a.D).info.u):a.C.B.length?a.B=Gy(a.C).info:a.B=jA(a);a.B&&bFCa.length)P1=void 0;else{var Q1=ECa.match(/\((iPad|iPhone|iPod)( Simulator)?; (U; )?CPU (iPhone )?OS (\d+_\d)[_ ]/);P1=Q1&&6==Q1.length?Number(Q1[5].replace("_",".")):0}var tJ=P1,UU=0<=tJ;UU&&0<=g.Vc.search("Safari")&&g.Vc.search("Version");var Ela={mW:1,EW:2,PAUSED:3,1:"DISABLED",2:"ENABLED",3:"PAUSED"};var dZ=16/9,GCa=[.25,.5,.75,1,1.25,1.5,1.75,2],HCa=GCa.concat([3,4,5,6,7,8,9,10,15]);g.u(yH,g.C); -yH.prototype.initialize=function(a,b){for(var c=this,d=g.q(Object.keys(a)),e=d.next();!e.done;e=d.next()){e=g.q(a[e.value]);for(var f=e.next();!f.done;f=e.next())if(f=f.value,f.Ud)for(var h=g.q(Object.keys(f.Ud)),l=h.next();!l.done;l=h.next())if(l=l.value,xC[l])for(var m=g.q(xC[l]),n=m.next();!n.done;n=m.next())n=n.value,this.B[n]=this.B[n]||new nC(l,n,f.Ud[l],this.experiments),this.D[l]=this.D[l]||{},this.D[l][f.mimeType]=!0}hr()&&(this.B["com.youtube.fairplay"]=new nC("fairplay","com.youtube.fairplay","", -this.experiments),this.D.fairplay={'video/mp4; codecs="avc1.4d400b"':!0,'audio/mp4; codecs="mp4a.40.5"':!0});this.u=fha(b,this.useCobaltWidevine,g.kB(this.experiments,"html5_hdcp_probing_stream_url")).filter(function(p){return!!c.B[p]})}; -yH.prototype.ea=function(){}; -yH.prototype.ba=function(a){return g.Q(this.experiments,a)};g.k=BH.prototype;g.k.Te=function(){return this.Oa}; -g.k.Yq=function(){return null}; -g.k.dD=function(){var a=this.Yq();return a?(a=g.Zp(a.u),Number(a.expire)):NaN}; -g.k.nA=function(){}; -g.k.Yb=function(){return this.Oa.Yb()}; -g.k.getHeight=function(){return this.Oa.Ma().height};g.u(GH,BH);GH.prototype.dD=function(){return this.expiration}; -GH.prototype.Yq=function(){if(!this.u||this.u.na()){var a=this.B;Iia(a);var b=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],c={};a:if(a.u)var d=a.u;else{d="";for(var e=g.q(a.C),f=e.next();!f.done;f=e.next())if(f=f.value,f.u){if(f.u.getIsDefault()){d=f.u.getId();break a}d||(d=f.u.getId())}}e=g.q(a.C);for(f=e.next();!f.done;f=e.next())f=f.value,f.u&&f.u.getId()!==d||(c[f.itag]=f);d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,f=c[e.B]){var h=b,l=h.push,m=a,n="#EXT-X-MEDIA:TYPE=AUDIO,",p="YES", -r="audio";if(f.u){r=f.u;var t=r.getId().split(".")[0];t&&(n+='LANGUAGE="'+t+'",');m.u||r.getIsDefault()||(p="NO");r=r.getName()}t="";null!==e&&(t=e.itag.toString());m=DH(m,f.url,t);n=n+('NAME="'+r+'",DEFAULT='+(p+',AUTOSELECT=YES,GROUP-ID="'))+(EH(f,e)+'",URI="'+(m+'"'));l.call(h,n)}d=g.q(a.B);for(e=d.next();!e.done;e=d.next())if(e=e.value,h=c[e.B])f=a,h="#EXT-X-STREAM-INF:BANDWIDTH="+(e.bitrate+h.bitrate)+',CODECS="'+(e.codecs+","+h.codecs+'",RESOLUTION=')+(e.width+"x"+e.height+',AUDIO="')+(EH(h, -e)+'",CLOSED-CAPTIONS=NONE'),1e)return!1;try{if(b&&e+1rcb){T3=rcb;break a}}var scb=U3.match("("+Object.keys(pcb).join("|")+")");T3=scb?pcb[scb[0]]:0}else T3=void 0}var jK=T3,iK=0<=jK;var wxa={RED:"red",F5a:"white"};var uxa={aea:"adunit",goa:"detailpage",Roa:"editpage",Zoa:"embedded",bpa:"embedded_unbranded",vCa:"leanback",pQa:"previewpage",fRa:"profilepage",iS:"unplugged",APa:"playlistoverview",rWa:"sponsorshipsoffer",HTa:"shortspage",Vva:"handlesclaiming",vxa:"immersivelivepage",wma:"creatormusic"};Lwa.prototype.ob=function(a){return"true"===this.flags[a]};var Mwa=Promise.resolve(),Pwa=window.queueMicrotask?window.queueMicrotask.bind(window):Nwa;tJ.prototype.canPlayType=function(a,b){a=a.canPlayType?a.canPlayType(b):!1;nB?a=a||tcb[b]:2.2===jK?a=a||ucb[b]:Xy()&&(a=a||vcb[b]);return!!a}; +tJ.prototype.isTypeSupported=function(a){return this.J?window.cast.receiver.platform.canDisplayType(a):fI(a)}; +var ucb={'video/mp4; codecs="avc1.42001E, mp4a.40.2"':"maybe"},vcb={"application/x-mpegURL":"maybe"},tcb={"application/x-mpegURL":"maybe"};wJ.prototype.gf=function(){this.j=!1;if(this.queue.length&&!(this.u&&5>=this.queue.length&&15E3>(0,g.M)()-this.C)){var a=this.queue.shift(),b=a.url;a=a.options;a.timeout=1E4;g.Ly(b,a,3,1E3).then(this.B,this.B);this.u=!0;this.C=(0,g.M)();5this.j;)a[d++]^=c[this.j++];for(var e=b-(b-d)%16;db;b++)this.counter[b]=a[4*b]<<24|a[4*b+1]<<16|a[4*b+2]<<8|a[4*b+3];this.j=16};var FJ=!1;(function(){function a(d){for(var e=new Uint8Array(d.length),f=0;f=this.j&&(this.B=!0);for(;a--;)this.values[this.u]=b,this.u=(this.u+1)%this.j;this.D=!0}; +TJ.prototype.bj=function(){return this.J?(UJ(this,this.C-this.J)+UJ(this,this.C)+UJ(this,this.C+this.J))/3:UJ(this,this.C)};g.w(pxa,g.C);aK.prototype.then=function(a,b){return this.promise.then(a,b)}; +aK.prototype.resolve=function(a){this.u(a)}; +aK.prototype.reject=function(a){this.j(a)};var vxa="blogger gac books docs duo google-live google-one play shopping chat hangouts-meet photos-edu picasaweb gmail jamboard".split(" "),Bxa={Sia:"cbrand",bja:"cbr",cja:"cbrver",fya:"c",iya:"cver",hya:"ctheme",gya:"cplayer",mJa:"cmodel",cKa:"cnetwork",bOa:"cos",cOa:"cosver",POa:"cplatform"};g.w(vK,g.C);g.k=vK.prototype;g.k.K=function(a){return this.experiments.ob(a)}; +g.k.getVideoUrl=function(a,b,c,d,e,f,h){b={list:b};c&&(e?b.time_continue=c:b.t=c);c=g.zK(this);e="www.youtube.com"===c;f=f&&this.K("embeds_enable_shorts_links_for_eligible_shorts");h&&this.K("fill_live_watch_url_in_watch_endpoint")&&e?h="https://"+c+"/live/"+a:!f&&d&&e?h="https://youtu.be/"+a:g.mK(this)?(h="https://"+c+"/fire",b.v=a):(f&&e?(h=this.protocol+"://"+c+"/shorts/"+a,d&&(b.feature="share")):(h=this.protocol+"://"+c+"/watch",b.v=a),nB&&(a=Fna())&&(b.ebc=a));return g.Zi(h,b)}; +g.k.getVideoEmbedCode=function(a,b,c,d){b="https://"+g.zK(this)+"/embed/"+b;d&&(b=g.Zi(b,{list:d}));d=c.width;c=c.height;b=g.Me(b);a=g.Me(null!=a?a:"YouTube video player");return'')}; +g.k.supportsGaplessAudio=function(){return g.eI&&!nB&&74<=goa()||g.fJ&&g.Nc(68)?!0:!1}; +g.k.getPlayerType=function(){return this.j.cplayer}; +g.k.Rd=function(){return this.If}; +var Dxa=["www.youtube-nocookie.com","youtube.googleapis.com","www.youtubeeducation.com","youtubeeducation.com"],Axa=["EMBEDDED_PLAYER_LITE_MODE_UNKNOWN","EMBEDDED_PLAYER_LITE_MODE_NONE","EMBEDDED_PLAYER_LITE_MODE_FIXED_PLAYBACK_LIMIT","EMBEDDED_PLAYER_LITE_MODE_DYNAMIC_PLAYBACK_LIMIT"];g.k=SK.prototype;g.k.rh=function(){return this.j}; +g.k.QA=function(){return null}; +g.k.sR=function(){var a=this.QA();return a?(a=g.sy(a.j),Number(a.expire)):NaN}; +g.k.ZO=function(){}; +g.k.getHeight=function(){return this.j.video.height};Exa.prototype.wf=function(){Hxa(this);var a=["#EXTM3U","#EXT-X-INDEPENDENT-SEGMENTS"],b={};a:if(this.j)var c=this.j;else{c="";for(var d=g.t(this.B),e=d.next();!e.done;e=d.next())if(e=e.value,e.Jc){if(e.Jc.getIsDefault()){c=e.Jc.getId();break a}c||(c=e.Jc.getId())}}d=g.t(this.B);for(var f=d.next();!f.done;f=d.next())if(e=f.value,this.I||!e.Jc||e.Jc.getId()===c)b[e.itag]||(b[e.itag]=[]),b[e.itag].push(e);c=g.t(this.u);for(e=c.next();!e.done;e=c.next())if(d=e.value,e=b[d.j])for(e=g.t(e),f=e.next();!f.done;f= +e.next()){var h=a,l=h.push;f=f.value;var m="#EXT-X-MEDIA:TYPE=AUDIO,",n="YES",p="audio";if(f.Jc){p=f.Jc;var q=p.getId().split(".")[0];q&&(m+='LANGUAGE="'+q+'",');(this.j?this.j===p.getId():p.getIsDefault())||(n="NO");p=p.getName()}q="";null!==d&&(q=d.itag.toString());q=UK(this,f.url,q);m=m+('NAME="'+p+'",DEFAULT='+(n+',AUTOSELECT=YES,GROUP-ID="'))+(Gxa(f,d)+'",URI="'+(q+'"'));l.call(h,m)}c=g.t(this.D);for(d=c.next();!d.done;d=c.next())d=d.value,e=ycb,d=(h=d.Jc)?'#EXT-X-MEDIA:URI="'+UK(this,d.url)+ +'",TYPE=SUBTITLES,GROUP-ID="'+e+'",LANGUAGE="'+h.getId()+'",NAME="'+h.getName()+'",DEFAULT=NO,AUTOSELECT=YES':void 0,d&&a.push(d);c=0=this.oz()&&this.dr();var b=Math.floor(a/(this.columns*this.rows)),c=this.columns*this.rows,d=a%c;a=d%this.columns;d=Math.floor(d/this.columns);var e=this.dr()+1-c*b;if(eh.getHeight())&&c.push(h)}return c}; -nI.prototype.F=function(a,b,c,d){return new g.mI(a,b,c,d)};g.u(pI,g.mI);g.k=pI.prototype;g.k.fy=function(){return this.B.fo()}; -g.k.dv=function(a){var b=this.rows*this.columns*this.I,c=this.B,d=c.Xb();a=c.Gh(a);return a>d-b?-1:a}; -g.k.dr=function(){return this.B.Xb()}; -g.k.oz=function(){return this.B.Eh()}; -g.k.SE=function(a){this.B=a};g.u(qI,nI);qI.prototype.B=function(a,b){return nI.prototype.B.call(this,"$N|"+a,b)}; -qI.prototype.F=function(a,b,c){return new pI(a,b,c,this.isLive)};g.u(g.rI,g.O);g.k=g.rI.prototype;g.k.nh=function(a,b,c){c&&(this.errorCode=null,this.errorDetail="",this.Ki=this.errorReason=null);b?(bD(a),this.setData(a),bJ(this)&&DI(this)):(a=a||{},this.ba("embeds_enable_updatedata_from_embeds_response_killswitch")||dJ(this,a),yI(this,a),uI(this,a),this.V("dataupdated"))}; -g.k.setData=function(a){a=a||{};var b=a.errordetail;null!=b&&(this.errorDetail=b);var c=a.errorcode;null!=c?this.errorCode=c:"fail"==a.status&&(this.errorCode="150");var d=a.reason;null!=d&&(this.errorReason=d);var e=a.subreason;null!=e&&(this.Ki=e);this.clientPlaybackNonce||(this.clientPlaybackNonce=a.cpn||this.Wx());this.Zi=R(this.Sa.Zi,a.livemonitor);dJ(this,a);var f=a.raw_player_response;if(!f){var h=a.player_response;h&&(f=JSON.parse(h))}f&&(this.playerResponse=f);if(this.playerResponse){var l= -this.playerResponse.annotations;if(l)for(var m=g.q(l),n=m.next();!n.done;n=m.next()){var p=n.value.playerAnnotationsUrlsRenderer;if(p){p.adsOnly&&(this.Ss=!0);p.allowInPlaceSwitch&&(this.bx=!0);var r=p.loadPolicy;r&&(this.annotationsLoadPolicy=ICa[r]);var t=p.invideoUrl;t&&(this.Mg=uw(t));this.ru=!0;break}}var w=this.playerResponse.attestation;w&&fI(this,w);var y=this.playerResponse.heartbeatParams;if(y){var x=y.heartbeatToken;x&&(this.drmSessionId=y.drmSessionId||"",this.heartbeatToken=x,this.GD= -Number(y.intervalMilliseconds),this.HD=Number(y.maxRetries),this.ID=!!y.softFailOnError,this.QD=!!y.useInnertubeHeartbeatsForDrm,this.Ds=!0)}var B=this.playerResponse.messages;B&&Wia(this,B);var E=this.playerResponse.multicamera;if(E){var G=E.playerLegacyMulticameraRenderer;if(G){var K=G.metadataList;K&&(this.rF=K,this.Vl=Yp(K))}}var H=this.playerResponse.overlay;if(H){var ya=H.playerControlsOverlayRenderer;if(ya){var ia=ya.controlBgHtml;null!=ia?(this.Gj=ia,this.qc=!0):(this.Gj="",this.qc=!1);if(ya.mutedAutoplay){var Oa= -ya.mutedAutoplay.playerMutedAutoplayOverlayRenderer;if(Oa&&Oa.endScreen){var Ra=Oa.endScreen.playerMutedAutoplayEndScreenRenderer;Ra&&Ra.text&&(this.tF=g.T(Ra.text))}}else this.mutedAutoplay=!1}}var Wa=this.playerResponse.playabilityStatus;if(Wa){var kc=Wa.backgroundability;kc&&kc.backgroundabilityRenderer.backgroundable&&(this.backgroundable=!0);var Yb=Wa.offlineability;Yb&&Yb.offlineabilityRenderer.offlineable&&(this.offlineable=!0);var Qe=Wa.contextParams;Qe&&(this.contextParams=Qe);var ue=Wa.pictureInPicture; -ue&&ue.pictureInPictureRenderer.playableInPip&&(this.pipable=!0);Wa.playableInEmbed&&(this.allowEmbed=!0);var lf=Wa.ypcClickwrap;if(lf){var Uf=lf.playerLegacyDesktopYpcClickwrapRenderer,Qc=lf.ypcRentalActivationRenderer;if(Uf)this.Bs=Uf.durationMessage||"",this.Bp=!0;else if(Qc){var kx=Qc.durationMessage;this.Bs=kx?g.T(kx):"";this.Bp=!0}}var Rd=Wa.errorScreen;if(Rd){if(Rd.playerLegacyDesktopYpcTrailerRenderer){var Hd=Rd.playerLegacyDesktopYpcTrailerRenderer;this.Jw=Hd.trailerVideoId||"";var lx=Rd.playerLegacyDesktopYpcTrailerRenderer.ypcTrailer; -var vi=lx&&lx.ypcTrailerRenderer}else if(Rd.playerLegacyDesktopYpcOfferRenderer)Hd=Rd.playerLegacyDesktopYpcOfferRenderer;else if(Rd.ypcTrailerRenderer){vi=Rd.ypcTrailerRenderer;var zr=vi.fullVideoMessage;this.Cs=zr?g.T(zr):""}Hd&&(this.Ew=Hd.itemTitle||"",Hd.itemUrl&&(this.Fw=Hd.itemUrl),Hd.itemBuyUrl&&(this.Cw=Hd.itemBuyUrl),this.Dw=Hd.itemThumbnail||"",this.Hw=Hd.offerHeadline||"",this.Es=Hd.offerDescription||"",this.Iw=Hd.offerId||"",this.Gw=Hd.offerButtonText||"",this.fB=Hd.offerButtonFormattedText|| -null,this.Fs=Hd.overlayDurationMsec||NaN,this.Cs=Hd.fullVideoMessage||"",this.un=!0);if(vi){var mx=vi.unserializedPlayerResponse;if(mx)this.Cp={raw_player_response:mx};else{var Ar=vi.playerVars;this.Cp=Ar?Xp(Ar):null}this.un=!0}}}var mf=this.playerResponse.playbackTracking;if(mf){var nx=a,Br=dI(mf.googleRemarketingUrl);Br&&(this.googleRemarketingUrl=Br);var ox=dI(mf.youtubeRemarketingUrl);ox&&(this.youtubeRemarketingUrl=ox);var Pn=dI(mf.ptrackingUrl);if(Pn){var Qn=eI(Pn),px=Qn.oid;px&&(this.zG=px); -var xh=Qn.pltype;xh&&(this.AG=xh);var qx=Qn.ptchn;qx&&(this.yG=qx);var Cr=Qn.ptk;Cr&&(this.Ev=encodeURIComponent(Cr))}var rx=dI(mf.ppvRemarketingUrl);rx&&(this.ppvRemarketingUrl=rx);var uE=dI(mf.qoeUrl);if(uE){for(var Rn=g.Zp(uE),Dr=g.q(Object.keys(Rn)),Er=Dr.next();!Er.done;Er=Dr.next()){var sx=Er.value,Sn=Rn[sx];Rn[sx]=Array.isArray(Sn)?Sn.join(","):Sn}var Tn=Rn.cat;Tn&&(this.Br=Tn);var Fr=Rn.live;Fr&&(this.dz=Fr)}var zc=dI(mf.remarketingUrl);if(zc){this.remarketingUrl=zc;var Ig=eI(zc);Ig.foc_id&& -(this.qd.focEnabled=!0);var Gr=Ig.data;Gr&&(this.qd.rmktEnabled=!0,Gr.engaged&&(this.qd.engaged="1"));this.qd.baseUrl=zd(zc)+vd(g.xd(5,zc))}var tx=dI(mf.videostatsPlaybackUrl);if(tx){var hd=eI(tx),ux=hd.adformat;ux&&(nx.adformat=ux);var vx=hd.aqi;vx&&(nx.ad_query_id=vx);var Hr=hd.autoplay;Hr&&(this.eh="1"==Hr);var Ir=hd.autonav;Ir&&(this.Kh="1"==Ir);var wx=hd.delay;wx&&(this.yh=g.rd(wx));var xx=hd.ei;xx&&(this.eventId=xx);"adunit"===hd.el&&(this.eh=!0);var yx=hd.feature;yx&&(this.Gr=yx);var Jr=hd.list; -Jr&&(this.playlistId=Jr);var Kr=hd.of;Kr&&(this.Mz=Kr);var vE=hd.osid;vE&&(this.osid=vE);var ml=hd.referrer;ml&&(this.referrer=ml);var Kj=hd.sdetail;Kj&&(this.Sv=Kj);var Lr=hd.ssrt;Lr&&(this.Ur="1"==Lr);var Mr=hd.subscribed;Mr&&(this.subscribed="1"==Mr,this.qd.subscribed=Mr);var zx=hd.uga;zx&&(this.userGenderAge=zx);var Ax=hd.upt;Ax&&(this.tw=Ax);var Bx=hd.vm;Bx&&(this.videoMetadata=Bx)}var wE=dI(mf.videostatsWatchtimeUrl);if(wE){var Re=eI(wE).ald;Re&&(this.Qs=Re)}var Un=this.ba("use_player_params_for_passing_desktop_conversion_urls"); -if(mf.promotedPlaybackTracking){var id=mf.promotedPlaybackTracking;id.startUrls&&(Un||(this.Mv=id.startUrls[0]),this.Nv=id.startUrls);id.firstQuartileUrls&&(Un||(this.Vz=id.firstQuartileUrls[0]),this.Wz=id.firstQuartileUrls);id.secondQuartileUrls&&(Un||(this.Xz=id.secondQuartileUrls[0]),this.Yz=id.secondQuartileUrls);id.thirdQuartileUrls&&(Un||(this.Zz=id.thirdQuartileUrls[0]),this.aA=id.thirdQuartileUrls);id.completeUrls&&(Un||(this.Tz=id.completeUrls[0]),this.Uz=id.completeUrls);id.engagedViewUrls&& -(1f.getHeight())&&c.push(f)}return c}; +WL.prototype.D=function(a,b,c,d){return new g.VL(a,b,c,d)};g.w(XL,g.VL);g.k=XL.prototype;g.k.NE=function(){return this.u.Fy()}; +g.k.OE=function(a){var b=this.rows*this.columns*this.I,c=this.u,d=c.td();a=c.uh(a);return a>d-b?-1:a}; +g.k.ix=function(){return this.u.td()}; +g.k.BJ=function(){return this.u.Lm()}; +g.k.tR=function(a){this.u=a};g.w(YL,WL);YL.prototype.u=function(a,b){return WL.prototype.u.call(this,"$N|"+a,b)}; +YL.prototype.D=function(a,b,c){return new XL(a,b,c,this.isLive)};g.w(g.$L,g.dE);g.k=g.$L.prototype;g.k.V=function(){return this.B}; +g.k.K=function(a){return this.B.K(a)}; +g.k.yh=function(){return!this.isLivePlayback||this.allowLiveDvr}; +g.k.hasSupportedAudio51Tracks=function(){var a;return!(null==(a=this.jm)||!a.Xb)}; +g.k.gW=function(){this.isDisposed()||(this.j.u||this.j.unsubscribe("refresh",this.gW,this),this.SS(-1))}; +g.k.SS=function(a){if(!this.isLivePlayback||!this.J||"fairplay"!=this.J.flavor){var b=Xva(this.j,this.dK);if(0=this.K&&(M(Error("durationMs was specified incorrectly with a value of: "+this.K)), -this.Ye());this.bd();this.J.addEventListener("progresssync",this.P)}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandonedreset")}; -g.k.bd=function(){var a=this.J.T();HK.prototype.bd.call(this);this.u=Math.floor(this.J.getCurrentTime());this.D=this.u+this.K/1E3;g.wD(a)?this.J.xa("onAdMessageChange",{renderer:this.C.u,startTimeSecs:this.u}):LK(this,[new iL(this.C.u)]);a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs;b&&g.Nq("adNotify",{clientScreenNonce:b,adMediaTimeSec:this.D, -timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)});if(this.I)for(this.R=!0,a=g.q(this.I.listeners),b=a.next();!b.done;b=a.next())if(b=b.value,b.B)if(b.u)S("Received AdNotify started event before another one exited");else{b.u=b.B;c=b.C();b=b.u;kL(c.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",b);c=g.q(c.B);for(var d=c.next();!d.done;d=c.next())d.value.cf(b)}else S("Received AdNotify started event without start requested event");g.U(g.uK(this.J,1),512)&& -(a=(a=this.J.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.Rt(),c=g.Q(this.J.T().experiments,"use_video_ad_break_offset_ms_int64")?this.C.u.videoAdBreakOffsetMsInt64:this.C.u.videoAdBreakOffsetMs,b&&g.Nq("adNotifyFailure",{clientScreenNonce:b,adMediaTimeSec:this.D,timeToAdBreakSec:Math.ceil(this.D-this.u),clientPlaybackNonce:a,videoAdBreakOffsetSec:Math.floor(c/1E3)}),this.Ye())}; -g.k.Ye=function(){HK.prototype.Ye.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.J.removeEventListener("progresssync",this.P);this.uh();this.V(a);lL(this)}; -g.k.dispose=function(){this.J.removeEventListener("progresssync",this.P);lL(this);HK.prototype.dispose.call(this)}; -g.k.uh=function(){g.wD(this.J.T())?this.J.xa("onAdMessageChange",{renderer:null,startTimeSecs:this.u}):HK.prototype.uh.call(this)};g.u(mL,BK);g.u(nL,HK);nL.prototype.je=function(){LK(this,[new mL(this.ad.u,this.macros)])}; -nL.prototype.If=function(a){yK(this.Ia,a)};g.u(oL,BK);g.u(pL,HK);pL.prototype.je=function(){var a=new oL(this.u.u,this.macros);LK(this,[a])};g.u(qL,BK);g.u(rL,HK);rL.prototype.je=function(){this.bd()}; -rL.prototype.bd=function(){LK(this,[new qL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -rL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(sL,BK);yL.prototype.sendAdsPing=function(a){this.F.send(a,CL(this),{})};g.u(EL,BK);g.u(FL,NK);FL.prototype.je=function(){PK(this)||this.Jl()}; -FL.prototype.Jl=function(){LK(this,[this.C])}; -FL.prototype.If=function(a){yK(this.Ia,a)};g.u(HL,g.O);HL.prototype.getProgressState=function(){return this.C}; -HL.prototype.start=function(){this.D=Date.now();GL(this,{current:this.u/1E3,duration:this.B/1E3});this.Za.start()}; -HL.prototype.stop=function(){this.Za.stop()};g.u(IL,BK);g.u(JL,HK);g.k=JL.prototype;g.k.je=function(){this.bd()}; -g.k.bd=function(){var a=this.D.u;g.wD(this.J.T())?(a=pma(this.I,a),this.J.xa("onAdInfoChange",a),this.K=Date.now(),this.u&&this.u.start()):LK(this,[new IL(a)]);HK.prototype.bd.call(this)}; -g.k.getDuration=function(){return this.D.B}; -g.k.Vk=function(){HK.prototype.Vk.call(this);this.u&&this.u.stop()}; -g.k.Nj=function(){HK.prototype.Nj.call(this);this.u&&this.u.start()}; -g.k.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -g.k.Wk=function(){HK.prototype.Wk.call(this);this.ac("adended")}; -g.k.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")}; -g.k.ac=function(a){this.uh();this.V(a)}; -g.k.If=function(a){switch(a){case "skip-button":this.Wk();break;case "survey-submit":this.ac("adended")}}; -g.k.uh=function(){g.wD(this.J.T())?(this.u&&this.u.stop(),this.J.xa("onAdInfoChange",null)):HK.prototype.uh.call(this)};g.u(KL,BK);g.u(LL,HK);LL.prototype.je=function(){this.bd()}; -LL.prototype.bd=function(){LK(this,[new KL(this.u.u,this.macros)]);HK.prototype.bd.call(this)}; -LL.prototype.oe=function(){HK.prototype.oe.call(this);this.ac("adabandoned")}; -LL.prototype.Wd=function(a){HK.prototype.Wd.call(this,a);this.ac("aderror")};g.u(ML,BK);g.u(NL,HK);g.k=NL.prototype;g.k.je=function(){0b&&RAa(this.J.app,d,b-a);return d}; -g.k.dispose=function(){dK(this.J)&&!this.daiEnabled&&this.J.stopVideo(2);aM(this,"adabandoned");HK.prototype.dispose.call(this)};fM.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.u[b];c?b=c:(c={Sn:null,nE:-Infinity},b=this.u[b]=c);c=a.startSecs+a.u/1E3;if(!(ctJ?.1:0,Zra=new yM;g.k=yM.prototype;g.k.Gs=null;g.k.getDuration=function(){return this.duration||0}; -g.k.getCurrentTime=function(){return this.currentTime||0}; -g.k.fi=function(){this.src&&(or&&0b.u.getCurrentTime(2,!1)&&!g.Q(b.u.T().experiments,"html5_dai_pseudogapless_seek_killswitch")))){c=b.B;if(c.Kq()){var d=g.Q(b.R.u.T().experiments,"html5_dai_enable_active_view_creating_completed_adblock");Al(c.K,d)}b.B.R.seek= -!0}0>FK(a,4)&&!(0>FK(a,2))&&(b=this.B.Ia,jK(b)||(lK(b)?vK(b,"resume"):pK(b,"resume")));!g.Q(this.J.T().experiments,"html5_dai_handle_suspended_state_killswitch")&&this.daiEnabled&&g.GK(a,512)&&!g.IM(a.state)&&vM(this.K)}}}; -g.k.Ra=function(){if(!this.daiEnabled)return!1;g.Q(this.J.T().experiments,"html5_dai_debug_logging_killswitch")||S("AdPlacementCoordinator handled video data change",void 0,void 0,{adCpn:(this.J.getVideoData(2)||{}).clientPlaybackNonce,contentCpn:(this.J.getVideoData(1)||{}).clientPlaybackNonce});return NM(this)}; -g.k.hn=function(){}; -g.k.resume=function(){this.B&&this.B.iA()}; -g.k.Jk=function(){this.B&&this.B.ac("adended")}; -g.k.Ii=function(){this.Jk()}; -g.k.fF=function(a){var b=this.Xc;b.C&&g.Q(b.u.T().experiments,"html5_bulleit_dai_publish_ad_ux_killswitch")||b.u.xa("onAdUxUpdate",a)}; -g.k.onAdUxClicked=function(a){this.B.If(a)}; -g.k.WC=function(){return 0}; -g.k.YC=function(){return 1}; -g.k.qw=function(a){this.daiEnabled&&this.u.R&&this.u.u.start<=a&&a=Math.abs(c-this.u.u.end/1E3)):c=!0;if(c&&!this.u.I.hasOwnProperty("ad_placement_end")){c=g.q(this.u.X);for(var d=c.next();!d.done;d=c.next())OM(d.value);this.u.I.ad_placement_end=!0}c=this.u.F;null!==c&&(qM(this.xh,{cueIdentifier:this.u.C&&this.u.C.identifier,driftRecoveryMs:c,CG:this.u.u.start,pE:SM(this)}),this.u.F=null);b||this.daiEnabled?wN(this.Xc, -!0):this.X&&this.uz()&&this.bl()?wN(this.Xc,!1,Ema(this)):wN(this.Xc,!1);PM(this,!0)}; -g.k.wy=function(a){AN(this.Xc,a)}; -g.k.Ut=function(){return this.F}; -g.k.isLiveStream=function(){return this.X}; -g.k.reset=function(){return new MM(this.Xc,this.J,this.K.reset(),this.u,this.xh,this.Tn,this.zk,this.daiEnabled)}; -g.k.ca=function(){g.fg(this.B);this.B=null;g.O.prototype.ca.call(this)};UM.prototype.create=function(a){return(a.B instanceof IJ?this.D:a.B instanceof iM?this.C:""===a.K?this.u:this.B)(a)};VM.prototype.clickCommand=function(a){var b=g.Rt();if(!a.clickTrackingParams||!b)return!1;$t(this.client,b,g.Lt(a.clickTrackingParams),void 0);return!0};g.u($M,g.O);g.k=$M.prototype;g.k.ir=function(){return this.u.u}; -g.k.kr=function(){return RJ(this.u)}; -g.k.uz=function(){return QJ(this.u)}; -g.k.Xi=function(){return!1}; -g.k.Ny=function(){return!1}; -g.k.no=function(){return!1}; -g.k.Jy=function(){return!1}; -g.k.pu=function(){return!1}; -g.k.Ty=function(){return!1}; -g.k.jr=function(){return!1}; +g.k.isDaiEnabled=function(){return!!(this.playerResponse&&this.playerResponse.playerConfig&&this.playerResponse.playerConfig.daiConfig&&this.playerResponse.playerConfig.daiConfig.enableDai)}; +g.k.lP=function(){return this.Uo||this.Vf}; +g.k.VD=function(){return this.ij||this.Vf}; +g.k.tK=function(){return fM(this,"html5_samsung_vp9_live")}; +g.k.useInnertubeDrmService=function(){return!0}; +g.k.xa=function(a,b,c){this.ma("ctmp",a,b,c)}; +g.k.IO=function(a,b,c){this.ma("ctmpstr",a,b,c)}; +g.k.hasProgressBarBoundaries=function(){return!(!this.progressBarStartPosition||!this.progressBarEndPosition)}; +g.k.qa=function(){g.dE.prototype.qa.call(this);this.uA=null;delete this.l1;delete this.accountLinkingConfig;delete this.j;this.C=this.QJ=this.playerResponse=this.jd=null;this.Jf=this.adaptiveFormats="";delete this.botguardData;this.ke=this.suggestions=this.Ow=null};bN.prototype.D=function(){return!1}; +bN.prototype.Ja=function(){return function(){return null}};var jN=null;g.w(iN,g.dE);iN.prototype.RB=function(a){return this.j.hasOwnProperty(a)?this.j[a].RB():{}}; +g.Fa("ytads.bulleit.getVideoMetadata",function(a){return kN().RB(a)}); +g.Fa("ytads.bulleit.triggerExternalActivityEvent",function(a,b,c){var d=kN();c=dAa(c);null!==c&&d.ma(c,{queryId:a,viewabilityString:b})});g.w(pN,bN);pN.prototype.isSkippable=function(){return null!=this.Aa}; +pN.prototype.Ce=function(){return this.T}; +pN.prototype.getVideoUrl=function(){return null}; +pN.prototype.D=function(){return!0};g.w(yN,bN);yN.prototype.D=function(){return!0}; +yN.prototype.Ja=function(){return function(){return g.kf("video-ads")}};$Aa.prototype.isPostroll=function(){return"AD_PLACEMENT_KIND_END"==this.j.j};var d5a={b$:"FINAL",eZ:"AD_BREAK_LENGTH",Kda:"AD_CPN",Rda:"AH",Vda:"AD_MT",Yda:"ASR",cea:"AW",mla:"NM",nla:"NX",ola:"NY",oZ:"CONN",fma:"CPN",Loa:"DV_VIEWABILITY",Hpa:"ERRORCODE",Qpa:"ERROR_MSG",Tpa:"EI",FZ:"GOOGLE_VIEWABILITY",mxa:"IAS_VIEWABILITY",tAa:"LACT",P0:"LIVE_TARGETING_CONTEXT",SFa:"I_X",TFa:"I_Y",gIa:"MT",uIa:"MIDROLL_POS",vIa:"MIDROLL_POS_MS",AIa:"MOAT_INIT",BIa:"MOAT_VIEWABILITY",X0:"P_H",sPa:"PV_H",tPa:"PV_W",Y0:"P_W",MPa:"TRIGGER_TYPE",tSa:"SDKV",f1:"SLOT_POS",ZYa:"SURVEY_LOCAL_TIME_EPOCH_S", +YYa:"SURVEY_ELAPSED_MS",t1:"VIS",Q3a:"VIEWABILITY",X3a:"VED",u1:"VOL",a4a:"WT",A1:"YT_ERROR_CODE"};var GBa=["FINAL","CPN","MIDROLL_POS","SDKV","SLOT_POS"];EN.prototype.send=function(a,b,c){try{HBa(this,a,b,c)}catch(d){}};g.w(FN,EN);FN.prototype.j=function(){return this.Dl?g.NK(this.Dl.V(),g.VM(this.Dl)):Oy("")}; +FN.prototype.B=function(){return this.Dl?this.Dl.V().pageId:""}; +FN.prototype.u=function(){return this.Dl?this.Dl.V().authUser:""}; +FN.prototype.K=function(a){return this.Dl?this.Dl.K(a):!1};var Icb=eaa(["attributionsrc"]); +JN.prototype.send=function(a,b,c){var d=!1;try{var e=new g.Bk(a);if("2"===e.u.get("ase"))g.DD(Error("Queries for attributionsrc label registration when sending pings.")),d=!0,a=HN(a);else if("1"===e.u.get("ase")&&"video_10s_engaged_view"===e.u.get("label")){var f=document.createElement("img");zga([new Yj(Icb[0].toLowerCase(),woa)],f,"attributionsrc",a+"&asr=1")}var h=a.match(Si);if("https"===h[1])var l=a;else h[1]="https",l=Qi("https",h[2],h[3],h[4],h[5],h[6],h[7]);var m=ala(l);h=[];yy(l)&&(h.push({headerType:"USER_AUTH"}), +h.push({headerType:"PLUS_PAGE_ID"}),h.push({headerType:"VISITOR_ID"}),h.push({headerType:"EOM_VISITOR_ID"}),h.push({headerType:"AUTH_USER"}));d&&h.push({headerType:"ATTRIBUTION_REPORTING_ELIGIBLE"});this.ou.send({baseUrl:l,scrubReferrer:m,headers:h},b,c)}catch(n){}};g.w(MBa,g.C);g.w(ZN,g.dE);g.k=ZN.prototype;g.k.RB=function(){return{}}; +g.k.sX=function(){}; +g.k.kh=function(a){this.Eu();this.ma(a)}; +g.k.Eu=function(){SBa(this,this.oa,3);this.oa=[]}; +g.k.getDuration=function(){return this.F.getDuration(2,!1)}; +g.k.iC=function(){var a=this.Za;KN(a)||!SN(a,"impression")&&!SN(a,"start")||SN(a,"abandon")||SN(a,"complete")||SN(a,"skip")||VN(a,"pause");this.B||(a=this.Za,KN(a)||!SN(a,"unmuted_impression")&&!SN(a,"unmuted_start")||SN(a,"unmuted_abandon")||SN(a,"unmuted_complete")||VN(a,"unmuted_pause"))}; +g.k.jC=function(){this.ya||this.J||this.Rm()}; +g.k.Ei=function(){NN(this.Za,this.getDuration());if(!this.B){var a=this.Za;this.getDuration();KN(a)||(PBa(a,0,!0),QBa(a,0,0,!0),MN(a,"unmuted_complete"))}}; +g.k.Ko=function(){var a=this.Za;!SN(a,"impression")||SN(a,"skip")||SN(a,"complete")||RN(a,"abandon");this.B||(a=this.Za,SN(a,"unmuted_impression")&&!SN(a,"unmuted_complete")&&RN(a,"unmuted_abandon"))}; +g.k.jM=function(){var a=this.Za;a.daiEnabled?MN(a,"skip"):!SN(a,"impression")||SN(a,"abandon")||SN(a,"complete")||MN(a,"skip")}; +g.k.Rm=function(){if(!this.J){var a=this.GB();this.Za.macros.AD_CPN=a;a=this.Za;if(a.daiEnabled){var b=a.u.getCurrentTime(2,!1);QN(a,"impression",b,0)}else MN(a,"impression");MN(a,"start");KN(a)||a.u.isFullscreen()&&RN(a,"fullscreen");this.J=!0;this.B=this.F.isMuted()||0==this.F.getVolume();this.B||(a=this.Za,MN(a,"unmuted_impression"),MN(a,"unmuted_start"),KN(a)||a.u.isFullscreen()&&RN(a,"unmuted_fullscreen"))}}; +g.k.Lo=function(a){a=a||"";var b="",c="",d="";cN(this.F)&&(b=this.F.Cb(2).state,this.F.qe()&&(c=this.F.qe().xj(),null!=this.F.qe().Ye()&&(d=this.F.qe().Ye())));var e=this.Za;e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d)));MN(e,"error");this.B||(e=this.Za,e.macros=DN(e.macros,FBa("There was an error playing the video ad. Error code: "+(a+"; s:"+b+"; rs:")+(c+"; ec:"+d))),MN(e,"unmuted_error"))}; +g.k.gh=function(){}; +g.k.cX=function(){this.ma("adactiveviewmeasurable")}; +g.k.dX=function(){this.ma("adfullyviewableaudiblehalfdurationimpression")}; +g.k.eX=function(){this.ma("adoverlaymeasurableimpression")}; +g.k.fX=function(){this.ma("adoverlayunviewableimpression")}; +g.k.gX=function(){this.ma("adoverlayviewableendofsessionimpression")}; +g.k.hX=function(){this.ma("adoverlayviewableimmediateimpression")}; +g.k.iX=function(){this.ma("adviewableimpression")}; +g.k.dispose=function(){this.isDisposed()||(this.Eu(),this.j.unsubscribe("adactiveviewmeasurable",this.cX,this),this.j.unsubscribe("adfullyviewableaudiblehalfdurationimpression",this.dX,this),this.j.unsubscribe("adoverlaymeasurableimpression",this.eX,this),this.j.unsubscribe("adoverlayunviewableimpression",this.fX,this),this.j.unsubscribe("adoverlayviewableendofsessionimpression",this.gX,this),this.j.unsubscribe("adoverlayviewableimmediateimpression",this.hX,this),this.j.unsubscribe("adviewableimpression", +this.iX,this),delete this.j.j[this.ad.J],g.dE.prototype.dispose.call(this))}; +g.k.GB=function(){var a=this.F.getVideoData(2);return a&&a.clientPlaybackNonce||""}; +g.k.rT=function(){return""};g.w($N,bN);g.w(aO,gN);g.w(bO,ZN);g.k=bO.prototype;g.k.PE=function(){0=this.T&&(g.CD(Error("durationMs was specified incorrectly with a value of: "+this.T)),this.Ei());this.Rm();this.F.addEventListener("progresssync",this.Z)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandonedreset",!0)}; +g.k.Rm=function(){var a=this.F.V();fF("apbs",void 0,"video_to_ad");ZN.prototype.Rm.call(this);this.C=a.K("disable_rounding_ad_notify")?this.F.getCurrentTime():Math.floor(this.F.getCurrentTime());this.D=this.C+this.T/1E3;g.tK(a)?this.F.Na("onAdMessageChange",{renderer:this.u.j,startTimeSecs:this.C}):TBa(this,[new hO(this.u.j)]);a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"";var b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64;b&&g.rA("adNotify",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3* +this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:Number(c)});if(this.I){this.ea=!0;b=this.u.j;if(!gO(b)){g.DD(Error("adMessageRenderer is not augmented on ad started"));return}a=b.slot;b=b.layout;c=g.t(this.I.listeners);for(var d=c.next();!d.done;d=c.next()){d=d.value;var e=a,f=b;gCa(d.j(),e);j0(d.j(),e,f)}}g.S(this.F.Cb(1),512)&&(g.DD(Error("player stuck during adNotify")),a=(a=this.F.getVideoData(1))&&a.clientPlaybackNonce||"",b=g.FE(),c=this.u.j.videoAdBreakOffsetMsInt64, +b&&g.rA("adNotifyFailure",{clientScreenNonce:b,adMediaTimeMs:Math.floor(1E3*this.D),timeToAdBreakSec:Math.ceil(this.D-this.C),clientPlaybackNonce:a,videoAdBreakOffsetMs:c}),this.Ei())}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended",!0)}; +g.k.Lo=function(a){g.DD(new g.bA("Player error during adNotify.",{errorCode:a}));ZN.prototype.Lo.call(this,a);this.kh("aderror",!0)}; +g.k.kh=function(a,b){(void 0===b?0:b)||g.DD(Error("TerminateAd directly called from other class during adNotify."));this.F.removeEventListener("progresssync",this.Z);this.Eu();ZBa(this,a);"adended"===a||"aderror"===a?this.ma("adnotifyexitednormalorerror"):this.ma(a)}; +g.k.dispose=function(){this.F.removeEventListener("progresssync",this.Z);ZBa(this);ZN.prototype.dispose.call(this)}; +g.k.Eu=function(){g.tK(this.F.V())?this.F.Na("onAdMessageChange",{renderer:null,startTimeSecs:this.C}):ZN.prototype.Eu.call(this)};mO.prototype.sendAdsPing=function(a){this.B.send(a,$Ba(this),{})}; +mO.prototype.Hg=function(a){var b=this;if(a){var c=$Ba(this);Array.isArray(a)?a.forEach(function(d){return b.j.executeCommand(d,c)}):this.j.executeCommand(a,c)}};g.w(nO,ZN);g.k=nO.prototype;g.k.RB=function(){return{currentTime:this.F.getCurrentTime(2,!1),duration:this.u.u,isPlaying:bAa(this.F),isVpaid:!1,isYouTube:!0,volume:this.F.isMuted()?0:this.F.getVolume()/100}}; +g.k.PE=function(){var a=this.u.j.legacyInfoCardVastExtension,b=this.u.Ce();a&&b&&this.F.V().Aa.add(b,{jB:a});try{var c=this.u.j.sodarExtensionData;if(c&&c.siub&&c.bgub&&c.scs&&c.bgp)try{Yka(c.siub,c.scs,c.bgub,c.bgp)}catch(e){var d=g.Xd("//tpc.googlesyndication.com/sodar/%{path}");g.DD(new g.bA("Load Sodar Error.",d instanceof Vd,d.constructor===Vd,{Message:e.message,"Escaped injector basename":g.Me(c.siub),"BG vm basename":c.bgub}));if(d.constructor===Vd)throw e;}}catch(e){g.CD(e)}eN(this.F,!1); +a=iAa(this.u);b=this.F.V();a.iv_load_policy=b.u||g.tK(b)||g.FK(b)?3:1;b=this.F.getVideoData(1);b.Ki&&(a.ctrl=b.Ki);b.qj&&(a.ytr=b.qj);b.Kp&&(a.ytrcc=b.Kp);b.isMdxPlayback&&(a.mdx="1");a.vvt&&(a.vss_credentials_token=a.vvt,b.ek&&(a.vss_credentials_token_type=b.ek),b.mdxEnvironment&&(a.mdx_environment=b.mdxEnvironment));this.ma("adunstarted",-1);this.T?this.D.start():(this.F.cueVideoByPlayerVars(a,2),this.D.start(),this.F.playVideo(2))}; +g.k.iC=function(){ZN.prototype.iC.call(this);this.ma("adpause",2)}; +g.k.jC=function(){ZN.prototype.jC.call(this);this.ma("adplay",1)}; +g.k.Rm=function(){ZN.prototype.Rm.call(this);this.D.stop();this.ea.S(this.F,g.ZD("bltplayback"),this.Q_);var a=new g.XD(0x7ffffffffffff,0x8000000000000,{id:"bltcompletion",namespace:"bltplayback",priority:2});this.F.ye([a],2);a=rO(this);this.C.Ga=a;if(this.F.isMuted()){a=this.Za;var b=this.F.isMuted();a.daiEnabled||MN(a,b?"mute":"unmute")}this.ma("adplay",1);if(null!==this.I){a=null!==this.C.j.getVideoData(1)?this.C.j.getVideoData(1).clientPlaybackNonce:"";b=cCa(this);for(var c=this.u,d=bCa(this), +e=g.t(this.I.listeners),f=e.next();!f.done;f=e.next()){f=f.value;var h=b,l=c,m=d,n=[],p=l.Ce(),q=l.getVideoUrl();p&&n.push(new y_(p));q&&n.push(new v1a(q));(q=(p=l.j)&&p.playerOverlay&&p.playerOverlay.instreamAdPlayerOverlayRenderer)?(n.push(new A_(q)),(q=q.elementId)&&n.push(new E_(q))):GD("instreamVideoAdRenderer without instreamAdPlayerOverlayRenderer");(p=p&&p.playerUnderlay)&&n.push(new B_(p));l.j.adNextParams&&n.push(new p_(l.j.adNextParams||""));(p=l.Ga)&&n.push(new q_(p));(p=f.Va.get().vg(2))? +(n.push(new r_({channelId:p.bk,channelThumbnailUrl:p.profilePicture,channelTitle:p.author,videoTitle:p.title})),n.push(new s_(p.isListed))):GD("Expected meaningful PlaybackData on ad started.");n.push(new u_(l.B));n.push(new J_(l.u));n.push(new z_(a));n.push(new G_({current:this}));p=l.Qa;null!=p.kind&&n.push(new t_(p));(p=l.La)&&n.push(new V_(p));void 0!==m&&n.push(new W_(m));f.j?GD(f.j.layoutId===h?"Received repeat AD_START event.":"Received a new AD_START event before received AD_ENDED event."): +dCa(f,h,n,!0,l.j.adLayoutLoggingData)}}this.F.Na("onAdStart",rO(this));a=g.t(this.u.j.impressionCommands||[]);for(b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Q_=function(a){"bltcompletion"==a.getId()&&(this.F.Ff("bltplayback",2),NN(this.Za,this.getDuration()),qO(this,"adended"))}; +g.k.Ei=function(){ZN.prototype.Ei.call(this);this.kh("adended");for(var a=g.t(this.u.j.completeCommands||[]),b=a.next();!b.done;b=a.next())this.C.executeCommand(b.value,this.macros)}; +g.k.Ko=function(){ZN.prototype.Ko.call(this);this.kh("adabandoned")}; +g.k.PH=function(){var a=this.Za;KN(a)||RN(a,"clickthrough");this.B||(a=this.Za,KN(a)||RN(a,"unmuted_clickthrough"))}; +g.k.gD=function(){this.jM()}; +g.k.jM=function(){ZN.prototype.jM.call(this);this.kh("adended")}; +g.k.Lo=function(a){ZN.prototype.Lo.call(this,a);this.kh("aderror")}; +g.k.kh=function(a){this.D.stop();eN(this.F,!0);"adabandoned"!=a&&this.F.Na("onAdComplete");qO(this,a);this.F.Na("onAdEnd",rO(this));this.ma(a)}; +g.k.Eu=function(){var a=this.F.V();g.tK(a)&&(g.FK(a)||a.K("enable_topsoil_wta_for_halftime")||a.K("enable_topsoil_wta_for_halftime_live_infra")||g.tK(a))?this.F.Na("onAdInfoChange",null):ZN.prototype.Eu.call(this)}; +g.k.sX=function(){this.s4&&this.F.playVideo()}; +g.k.s4=function(){return 2==this.F.getPlayerState(2)}; +g.k.rT=function(a,b){if(!Number.isFinite(a))return g.CD(Error("Playing the video after the current media has finished is not supported")),"";if(b<=a)return g.CD(Error("Start time is not earlier than end time")),"";var c=1E3*this.u.u,d=iAa(this.u);d=this.F.Kx(d,"",2,c,a,b);a+c>b&&this.F.jA(d,b-a);return d}; +g.k.dispose=function(){bAa(this.F)&&!this.T&&this.F.stopVideo(2);qO(this,"adabandoned");ZN.prototype.dispose.call(this)};sO.prototype.reduce=function(a){switch(a.event){case "start":case "continue":case "predictStart":case "stop":break;case "unknown":return;default:return}var b=a.identifier;var c=this.j[b];c?b=c:(c={oB:null,kV:-Infinity},b=this.j[b]=c);c=a.startSecs+a.j/1E3;if(!(cdM&&(a=Math.max(.1,a)),this.setCurrentTime(a))}; +g.k.Dn=function(){if(!this.u&&this.Wa)if(this.Wa.D)try{var a;yI(this,{l:"mer",sr:null==(a=this.va)?void 0:zI(a),rs:BI(this.Wa)});this.Wa.clear();this.u=this.Wa;this.Wa=void 0}catch(b){a=new g.bA("Error while clearing Media Source in MediaElement: "+b.name+", "+b.message),g.CD(a),this.stopVideo()}else this.stopVideo()}; +g.k.stopVideo=function(){var a=this,b;null==(b=this.Wa)||Hva(b);if(!this.u)if(Lcb){if(!this.C){var c=new aK;c.then(void 0,function(){}); +this.C=c;Mcb&&this.pause();g.Cy(function(){a.C===c&&(IO(a),c.resolve())},200)}}else IO(this)}; +g.k.Dy=function(){var a=this.Nh();return 0performance.now()?c-Date.now()+performance.now():c;c=this.u||this.Wa;if((null==c?0:c.Ol())||b<=((null==c?void 0:c.I)||0)){var d;yI(this,{l:"mede",sr:null==(d=this.va)?void 0:zI(d)});return!1}if(this.xM)return c&&"seeking"===a.type&&(c.I=performance.now(),this.xM=!1),!1}return this.D.dispatchEvent(a)}; +g.k.nL=function(){this.J=!1}; +g.k.lL=function(){this.J=!0;this.Sz(!0)}; +g.k.VS=function(){this.J&&!this.VF()&&this.Sz(!0)}; +g.k.equals=function(a){return!!a&&a.ub()===this.ub()}; +g.k.qa=function(){this.T&&this.removeEventListener("volumechange",this.VS);Lcb&&IO(this);g.C.prototype.qa.call(this)}; +var Lcb=!1,Mcb=!1,Kcb=!1,CCa=!1;g.k=g.KO.prototype;g.k.getData=function(){return this.j}; +g.k.bd=function(){return g.S(this,8)&&!g.S(this,512)&&!g.S(this,64)&&!g.S(this,2)}; +g.k.isCued=function(){return g.S(this,64)&&!g.S(this,8)&&!g.S(this,4)}; +g.k.isError=function(){return g.S(this,128)}; +g.k.isSuspended=function(){return g.S(this,512)}; +g.k.BC=function(){return g.S(this,64)&&g.S(this,4)}; +g.k.toString=function(){return"PSt."+this.state.toString(16)}; +var $3={},a4=($3.BUFFERING="buffering-mode",$3.CUED="cued-mode",$3.ENDED="ended-mode",$3.PAUSED="paused-mode",$3.PLAYING="playing-mode",$3.SEEKING="seeking-mode",$3.UNSTARTED="unstarted-mode",$3);g.w(VO,g.dE);g.k=VO.prototype;g.k.fv=function(){var a=this.u;return a.u instanceof pN||a.u instanceof yN||a.u instanceof qN}; +g.k.uJ=function(){return!1}; +g.k.iR=function(){return this.u.j}; +g.k.vJ=function(){return"AD_PLACEMENT_KIND_START"==this.u.j.j}; +g.k.jR=function(){return zN(this.u)}; +g.k.iU=function(a){if(!bE(a)){this.ea&&(this.Aa=this.F.isAtLiveHead(),this.ya=Math.ceil(g.Ra()/1E3));var b=new vO(this.wi);a=kCa(a);b.Ch(a)}this.kR()}; +g.k.XU=function(){return!0}; +g.k.DC=function(){return this.J instanceof pN}; +g.k.kR=function(){var a=this.wi;this.XU()&&(a.u&&YO(a,!1),a.u=this,this.fv()&&yEa(a));this.D.mI();this.QW()}; +g.k.QW=function(){this.J?this.RA(this.J):ZO(this)}; +g.k.onAdEnd=function(a,b){b=void 0===b?!1:b;this.Yl(0);ZO(this,b)}; +g.k.RV=function(){this.onAdEnd()}; +g.k.d5=function(){MN(this.j.Za,"active_view_measurable")}; +g.k.g5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_fully_viewable_audible_half_duration")}; +g.k.j5=function(){}; +g.k.k5=function(){}; +g.k.l5=function(){}; +g.k.m5=function(){}; +g.k.p5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"active_view_viewable")}; +g.k.e5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_audible")}; +g.k.f5=function(){var a=this.j.Za;KN(a)||UN(a)||MN(a,"audio_measurable")}; +g.k.HT=function(){return this.DC()?[this.YF()]:[]}; +g.k.yd=function(a){if(null!==this.j){this.oa||(a=new g.WN(a.state,new g.KO),this.oa=!0);var b=a.state;if(g.YN(a,2))this.j.Ei();else{var c=a;(this.F.V().experiments.ob("html5_bulleit_handle_gained_playing_state")?c.state.bd()&&!c.Hv.bd():c.state.bd())?(this.D.bP(),this.j.jC()):b.isError()?this.j.Lo(b.getData().errorCode):g.YN(a,4)&&(this.Z||this.j.iC())}if(null!==this.j){if(g.YN(a,16)&&(b=this.j.Za,!(KN(b)||.5>b.u.getCurrentTime(2,!1)))){c=b.ad;if(c.D()){var d=b.C.F.V().K("html5_dai_enable_active_view_creating_completed_adblock"); +Wka(c.J,d)}b.ad.I.seek=!0}0>XN(a,4)&&!(0>XN(a,2))&&(b=this.j,c=b.Za,KN(c)||VN(c,"resume"),b.B||(b=b.Za,KN(b)||VN(b,"unmuted_resume")));this.daiEnabled&&g.YN(a,512)&&!g.TO(a.state)&&this.D.aA()}}}; +g.k.onVideoDataChange=function(){return this.daiEnabled?ECa(this):!1}; +g.k.resume=function(){this.j&&this.j.sX()}; +g.k.sy=function(){this.j&&this.j.kh("adended")}; +g.k.Sr=function(){this.sy()}; +g.k.Yl=function(a){this.wi.Yl(a)}; +g.k.R_=function(a){this.wi.j.Na("onAdUxUpdate",a)}; +g.k.onAdUxClicked=function(a){this.j.gh(a)}; +g.k.FT=function(){return 0}; +g.k.GT=function(){return 1}; +g.k.QP=function(a){this.daiEnabled&&this.u.I&&this.u.j.start<=a&&a=this.I?this.D.B:this.D.B.slice(this.I)).some(function(a){return a.Jf()})}; -g.k.lr=function(){return this.R instanceof OJ||this.R instanceof eL}; -g.k.bl=function(){return this.R instanceof EJ||this.R instanceof ZK}; -g.k.DG=function(){this.daiEnabled?cK(this.J)&&NM(this):cN(this)}; -g.k.je=function(a){var b=aN(a);this.R&&b&&this.P!==b&&(b?Ana(this.Xc):Cna(this.Xc),this.P=b);this.R=a;(g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_action")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_image")||g.Q(this.J.T().experiments,"html5_enable_clear_companion_for_composite_in_player_ads_for_shopping"))&&xna(this.Xc,this);this.daiEnabled&&(this.I=this.D.B.findIndex(function(c){return c===a})); -MM.prototype.je.call(this,a)}; -g.k.Ik=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.C&&(g.fg(this.C),this.C=null);MM.prototype.Ik.call(this,a,b)}; -g.k.Ii=function(){this.I=this.D.B.length;this.C&&this.C.ac("adended");this.B&&this.B.ac("adended");this.Ik()}; -g.k.hn=function(){cN(this)}; -g.k.Jk=function(){this.Um()}; -g.k.lc=function(a){MM.prototype.lc.call(this,a);a=a.state;g.U(a,2)&&this.C?this.C.Ye():a.Hb()?(null==this.C&&(a=this.D.D)&&(this.C=this.zk.create(a,XJ(VJ(this.u)),this.u.u.u),this.C.subscribe("onAdUxUpdate",this.fF,this),JK(this.C)),this.C&&this.C.Nj()):a.isError()&&this.C&&this.C.Wd(a.getData().errorCode)}; -g.k.Um=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(AN(this.Xc,0),a?this.Ik(a,b):cN(this))}; -g.k.AF=function(){1==this.D.C?this.Ik():this.Um()}; -g.k.onAdUxClicked=function(a){MM.prototype.onAdUxClicked.call(this,a);this.C&&this.C.If(a)}; -g.k.Ut=function(){var a=0>=this.I?this.D.B:this.D.B.slice(this.I);return 0FK(a,16)&&(this.K.forEach(this.xv,this),this.K.clear())}; -g.k.YQ=function(a,b){if(this.C&&g.Q(this.u.T().experiments,"html5_dai_debug_bulleit_cue_range")){if(!this.B||this.B.Ra())for(var c=g.q(this.Ga),d=c.next();!d.done;d=c.next())d=d.value,d instanceof bN&&d.u.P[b.Hc]&&d.Tm()}else if(this.B&&this.B.Ra(),this.C){c=1E3*this.u.getCurrentTime(1);d=g.q(this.F.keys());for(var e=d.next();!e.done;e=d.next())if(e=e.value,e.start<=c&&c=this.C?this.B.j:this.B.j.slice(this.C)).some(function(){return!0})}; +g.k.DC=function(){return this.I instanceof pN||this.I instanceof cO}; +g.k.QW=function(){this.daiEnabled?cN(this.F)&&ECa(this):HDa(this)}; +g.k.RA=function(a){var b=GDa(a);this.I&&b&&this.T!==b&&(b?yEa(this.wi):AEa(this.wi),this.T=b);this.I=a;this.daiEnabled&&(this.C=this.B.j.findIndex(function(c){return c===a})); +VO.prototype.RA.call(this,a)}; +g.k.dN=function(a){var b=this;VO.prototype.dN.call(this,a);a.subscribe("adnotifyexitednormalorerror",function(){return void ZO(b)})}; +g.k.Sr=function(){this.C=this.B.j.length;this.j&&this.j.kh("adended");ZO(this)}; +g.k.sy=function(){this.onAdEnd()}; +g.k.onAdEnd=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.daiEnabled||(this.Yl(0),a?ZO(this,b):HDa(this))}; +g.k.RV=function(){if(1==this.B.u)this.I instanceof dO&&g.DD(Error("AdNotify error with FailureMode.TERMINATING")),ZO(this);else this.onAdEnd()}; +g.k.YF=function(){var a=0>=this.C?this.B.j:this.B.j.slice(this.C);return 0XN(a,16)&&(this.J.forEach(this.IN,this),this.J.clear())}; +g.k.Q7=function(){if(this.u)this.u.onVideoDataChange()}; +g.k.T7=function(){if(cN(this.j)&&this.u){var a=this.j.getCurrentTime(2,!1),b=this.u;b.j&&UBa(b.j,a)}}; +g.k.b5=function(){this.Xa=!0;if(this.u){var a=this.u;a.j&&a.j.Ko()}}; +g.k.n5=function(a){if(this.u)this.u.onAdUxClicked(a)}; +g.k.U7=function(){if(2==this.j.getPresentingPlayerType()&&this.u){var a=this.u.j,b=a.Za,c=a.F.isMuted();b.daiEnabled||MN(b,c?"mute":"unmute");a.B||(b=a.F.isMuted(),MN(a.Za,b?"unmuted_mute":"unmuted_unmute"))}}; +g.k.a6=function(a){if(this.u){var b=this.u.j,c=b.Za;KN(c)||RN(c,a?"fullscreen":"end_fullscreen");b.B||(b=b.Za,KN(b)||RN(b,a?"unmuted_fullscreen":"unmuted_end_fullscreen"))}}; +g.k.Ch=function(a,b){GD("removeCueRanges called in AdService");this.j.Ch(a,b);a=g.t(a);for(b=a.next();!b.done;b=a.next())b=b.value,this.mu.delete(b),this.B.delete(b)}; +g.k.M9=function(){for(var a=[],b=g.t(this.mu),c=b.next();!c.done;c=b.next())c=c.value,bE(c)||a.push(c);this.j.WP(a,1)}; +g.k.Yl=function(a){this.j.Yl(a);switch(a){case 1:this.qG=1;break;case 0:this.qG=0}}; +g.k.qP=function(){var a=this.j.getVideoData(2);return a&&a.isListed&&!this.T?(GD("showInfoBarDuring Ad returns true"),!0):!1}; +g.k.sy=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAd"),this.u.sy())}; +g.k.Sr=function(){this.u&&this.u.fv()&&(GD("Active Bulleit Coordinator for endLinearAdPlacement"),this.u.Sr())}; +g.k.yc=function(a){if(this.u){var b=this.u;b.j&&UBa(b.j,a)}}; +g.k.executeCommand=function(a,b,c){var d=this.tb,e=d.executeCommand;if(c=void 0===c?null:c){var f=!!this.u&&this.u||null;f?(f=f.j,c=f.ad.D()?ON(f.Za,c):{}):c={}}else c={};e.call(d,a,b,c)}; +g.k.isDaiEnabled=function(){return!1}; +g.k.DT=function(){return this.Aa}; +g.k.ET=function(){return this.Ja};g.w(WP,g.C);WP.prototype.append=function(a){if(!this.u)throw Error("This does not support the append operation");a=a.ub();this.ub().appendChild(a)}; +g.w(XP,WP);XP.prototype.ub=function(){return this.j};g.w(CEa,g.C);var qSa=16/9,Pcb=[.25,.5,.75,1,1.25,1.5,1.75,2],Qcb=Pcb.concat([3,4,5,6,7,8,9,10,15]);var EEa=1;g.w(g.ZP,g.C);g.k=g.ZP.prototype; +g.k.createElement=function(a,b){b=b||"svg"===a.G;var c=a.N,d=a.Ia;if(b){var e=document.createElementNS("http://www.w3.org/2000/svg",a.G);g.HK&&(a.X||(a.X={}),a.X.focusable="false")}else e=g.qf(a.G);if(c){if(c=$P(this,e,"class",c))aQ(this,e,"class",c),this.Pb[c]=e}else if(d){c=g.t(d);for(var f=c.next();!f.done;f=c.next())this.Pb[f.value]=e;aQ(this,e,"class",d.join(" "))}d=a.ra;c=a.W;if(d)b=$P(this,e,"child",d),void 0!==b&&e.appendChild(g.rf(b));else if(c)for(d=0,c=g.t(c),f=c.next();!f.done;f=c.next())if(f= +f.value)if("string"===typeof f)f=$P(this,e,"child",f),null!=f&&e.appendChild(g.rf(f));else if(f.element)e.appendChild(f.element);else{var h=f;f=this.createElement(h,b);e.appendChild(f);h.xc&&(h=YP(),f.id=h,f=document.createElementNS("http://www.w3.org/2000/svg","use"),f.setAttribute("class","ytp-svg-shadow"),f.setAttributeNS("http://www.w3.org/1999/xlink","href","#"+h),g.wf(e,f,d++))}if(a=a.X)for(b=e,d=g.t(Object.keys(a)),c=d.next();!c.done;c=d.next())c=c.value,f=a[c],aQ(this,b,c,"string"===typeof f? +$P(this,b,c,f):f);return e}; +g.k.Da=function(a){return this.Pb[a]}; +g.k.Ea=function(a,b){"number"===typeof b?g.wf(a,this.element,b):a.appendChild(this.element)}; +g.k.detach=function(){g.xf(this.element)}; +g.k.update=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next())c=c.value,this.updateValue(c,a[c])}; +g.k.updateValue=function(a,b){(a=this.Nd["{{"+a+"}}"])&&aQ(this,a[0],a[1],b)}; +g.k.qa=function(){this.Pb={};this.Nd={};this.detach();g.C.prototype.qa.call(this)};g.w(g.U,g.ZP);g.k=g.U.prototype;g.k.ge=function(a,b){this.updateValue(b||"content",a)}; +g.k.show=function(){this.yb||(g.Hm(this.element,"display",""),this.yb=!0)}; +g.k.hide=function(){this.yb&&(g.Hm(this.element,"display","none"),this.yb=!1)}; +g.k.Zb=function(a){this.ea=a}; +g.k.Ra=function(a,b,c){return this.S(this.element,a,b,c)}; +g.k.S=function(a,b,c,d){c=(0,g.Oa)(c,d||this);d={target:a,type:b,listener:c};this.listeners.push(d);a.addEventListener(b,c);return d}; +g.k.Hc=function(a){var b=this;this.listeners.forEach(function(c,d){c===a&&(c=b.listeners.splice(d,1)[0],c.target.removeEventListener(c.type,c.listener))})}; +g.k.focus=function(){var a=this.element;Bf(a);a.focus()}; +g.k.qa=function(){for(;this.listeners.length;){var a=this.listeners.pop();a&&a.target.removeEventListener(a.type,a.listener)}g.ZP.prototype.qa.call(this)};g.w(g.dQ,g.U);g.dQ.prototype.subscribe=function(a,b,c){return this.La.subscribe(a,b,c)}; +g.dQ.prototype.unsubscribe=function(a,b,c){return this.La.unsubscribe(a,b,c)}; +g.dQ.prototype.Gh=function(a){return this.La.Gh(a)}; +g.dQ.prototype.ma=function(a){return this.La.ma.apply(this.La,[a].concat(g.u(g.ya.apply(1,arguments))))};var Rcb=new WeakSet;g.w(eQ,g.dQ);g.k=eQ.prototype;g.k.bind=function(a){this.Xa||a.renderer&&this.init(a.id,a.renderer,{},a);return Promise.resolve()}; +g.k.init=function(a,b,c){this.Xa=a;this.element.setAttribute("id",this.Xa);this.kb&&g.Qp(this.element,this.kb);this.T=b&&b.adRendererCommands;this.macros=c;this.I=b.trackingParams||null;null!=this.I&&this.Zf(this.element,this.I)}; g.k.clear=function(){}; -g.k.hide=function(){g.KN.prototype.hide.call(this);null!=this.K&&RN(this,this.element,!1)}; -g.k.show=function(){g.KN.prototype.show.call(this);if(!this.Zb){this.Zb=!0;var a=this.X&&this.X.impressionCommand;a&&Lna(this,a,null)}null!=this.K&&RN(this,this.element,!0)}; -g.k.onClick=function(a){if(this.K&&!RCa.has(a)){var b=this.element;g.PN(this.api,b)&&this.fb&&g.$T(this.api,b,this.u);RCa.add(a)}(a=this.X&&this.X.clickCommand)&&Lna(this,a,this.bD())}; -g.k.bD=function(){return null}; -g.k.yN=function(a){var b=this.aa;b.K=!0;b.B=a.touches.length;b.u.isActive()&&(b.u.stop(),b.F=!0);a=a.touches;b.I=Ina(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.R=Infinity,b.P=Infinity):(b.R=c.clientX,b.P=c.clientY);for(c=b.C.length=0;cMath.pow(5,2))b.D=!0}; -g.k.wN=function(a){if(this.aa){var b=this.aa,c=a.changedTouches;c&&b.K&&1==b.B&&!b.D&&!b.F&&!b.I&&Ina(b,c)&&(b.X=a,b.u.start());b.B=a.touches.length;0===b.B&&(b.K=!1,b.D=!1,b.C.length=0);b.F=!1}}; -g.k.ca=function(){this.clear(null);this.Mb(this.kb);for(var a=g.q(this.ha),b=a.next();!b.done;b=a.next())this.Mb(b.value);g.KN.prototype.ca.call(this)};g.u(TN,W);TN.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b=(a=b.thumbnail)&&SN(a)||"";g.pc(b)?(g.Q(this.api.T().experiments,"web_player_ad_image_error_rate_sampling_killswitch")||.01>Math.random())&&g.Fo(Error("Found AdImage without valid image URL")):(this.B?g.ug(this.element,"backgroundImage","url("+b+")"):ve(this.element,{src:b}),ve(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),this.show())}; -TN.prototype.clear=function(){this.hide()};g.u(fO,W); -fO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.B=b;if(null==b.text&&null==b.icon)g.Fo(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.I(this.element,a);null!=b.text&&(a=g.T(b.text),g.pc(a)||(this.element.setAttribute("aria-label",a),this.D=new g.KN({G:"span",L:"ytp-ad-button-text",Z:a}),g.D(this,this.D),this.D.ga(this.element)));null!=b.icon&&(b=eO(b.icon),null!= -b&&(this.C=new g.KN({G:"span",L:"ytp-ad-button-icon",S:[b]}),g.D(this,this.C)),this.F?g.Ie(this.element,this.C.element,0):this.C.ga(this.element))}}; -fO.prototype.clear=function(){this.hide()}; -fO.prototype.onClick=function(a){var b=this;W.prototype.onClick.call(this,a);boa(this).forEach(function(c){return b.Ha.executeCommand(c,b.macros)}); -this.api.onAdUxClicked(this.componentType,this.layoutId)};var apa={seekableStart:0,seekableEnd:1,current:0};g.u(gO,W);gO.prototype.clear=function(){this.dispose()};g.u(jO,gO);g.k=jO.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);g.ug(this.D,"stroke-dasharray","0 "+this.C);this.show()}; +g.k.hide=function(){g.dQ.prototype.hide.call(this);null!=this.I&&this.Ua(this.element,!1)}; +g.k.show=function(){g.dQ.prototype.show.call(this);if(!this.tb){this.tb=!0;var a=this.T&&this.T.impressionCommand;a&&this.WO(a)}null!=this.I&&this.Ua(this.element,!0)}; +g.k.onClick=function(a){if(this.I&&!Rcb.has(a)){var b=this.element;this.api.Dk(b)&&this.yb&&this.api.qb(b,this.interactionLoggingClientData);Rcb.add(a)}if(a=this.T&&this.T.clickCommand)a=this.bX(a),this.WO(a)}; +g.k.bX=function(a){return a}; +g.k.W_=function(a){var b=this.oa;b.J=!0;b.u=a.touches.length;b.j.isActive()&&(b.j.stop(),b.D=!0);a=a.touches;b.I=DEa(b,a)||1!=a.length;var c=a.item(0);b.I||!c?(b.T=Infinity,b.ea=Infinity):(b.T=c.clientX,b.ea=c.clientY);for(c=b.B.length=0;cMath.pow(5,2))b.C=!0}; +g.k.U_=function(a){if(this.oa){var b=this.oa,c=a.changedTouches;c&&b.J&&1==b.u&&!b.C&&!b.D&&!b.I&&DEa(b,c)&&(b.Z=a,b.j.start());b.u=a.touches.length;0===b.u&&(b.J=!1,b.C=!1,b.B.length=0);b.D=!1}}; +g.k.WO=function(a){this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(new g.bA("There is undefined layoutId when calling the runCommand method.",{componentType:this.componentType}))}; +g.k.Zf=function(a,b){this.api.Zf(a,this);this.api.og(a,b)}; +g.k.Ua=function(a,b){this.api.Dk(a)&&this.api.Ua(a,b,this.interactionLoggingClientData)}; +g.k.qa=function(){this.clear(null);this.Hc(this.ib);for(var a=g.t(this.ya),b=a.next();!b.done;b=a.next())this.Hc(b.value);g.dQ.prototype.qa.call(this)};g.w(vQ,eQ); +vQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(null==b.text&&null==b.icon)g.DD(Error("ButtonRenderer did not have text or an icon set."));else{switch(b.style||null){case "STYLE_UNKNOWN":a="ytp-ad-button-link";break;default:a=null}null!=a&&g.Qp(this.element,a);null!=b.text&&(a=g.gE(b.text),g.Tb(a)||(this.element.setAttribute("aria-label",a),this.B=new g.dQ({G:"span",N:"ytp-ad-button-text",ra:a}),g.E(this,this.B),this.B.Ea(this.element)));this.api.V().K("use_accessibility_data_on_desktop_player_button")&&b.accessibilityData&& +b.accessibilityData.accessibilityData&&b.accessibilityData.accessibilityData.label&&!g.Tb(b.accessibilityData.accessibilityData.label)&&this.element.setAttribute("aria-label",b.accessibilityData.accessibilityData.label);null!=b.icon&&(b=uQ(b.icon),null!=b&&(this.u=new g.dQ({G:"span",N:"ytp-ad-button-icon",W:[b]}),g.E(this,this.u)),this.C?g.wf(this.element,this.u.element,0):this.u.Ea(this.element))}}; +vQ.prototype.clear=function(){this.hide()}; +vQ.prototype.onClick=function(a){eQ.prototype.onClick.call(this,a);a=g.t(WEa(this));for(var b=a.next();!b.done;b=a.next())b=b.value,this.layoutId?this.rb.executeCommand(b,this.layoutId):g.CD(Error("Missing layoutId for button."));this.api.onAdUxClicked(this.componentType,this.layoutId)};g.w(wQ,g.C);wQ.prototype.qa=function(){this.u&&g.Fz(this.u);this.j.clear();xQ=null;g.C.prototype.qa.call(this)}; +wQ.prototype.register=function(a,b){b&&this.j.set(a,b)}; +var xQ=null;g.w(zQ,eQ); +zQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&g.K(b.button,g.mM)||null;null==b?g.CD(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),g.E(this,this.button),this.button.init(fN("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.gE(a)),this.button.Ea(this.element),this.D&&!g.Pp(this.button.element,"ytp-ad-clickable")&&g.Qp(this.button.element, +"ytp-ad-clickable"),a&&(this.u=new g.dQ({G:"div",N:"ytp-ad-hover-text-container"}),this.C&&(b=new g.dQ({G:"div",N:"ytp-ad-hover-text-callout"}),b.Ea(this.u.element),g.E(this,b)),g.E(this,this.u),this.u.Ea(this.element),b=yQ(a),g.wf(this.u.element,b,0)),this.show())}; +zQ.prototype.hide=function(){this.button&&this.button.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this)}; +zQ.prototype.show=function(){this.button&&this.button.show();eQ.prototype.show.call(this)};g.w(BQ,eQ); +BQ.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);c=(a=b.thumbnail)&&AQ(a)||"";g.Tb(c)?.01>Math.random()&&g.DD(Error("Found AdImage without valid image URL")):(this.j?g.Hm(this.element,"backgroundImage","url("+c+")"):lf(this.element,{src:c}),lf(this.element,{alt:a&&a.accessibility&&a.accessibility.label||""}),b&&b.adRendererCommands&&b.adRendererCommands.clickCommand?this.element.classList.add("ytp-ad-clickable-element"):this.element.classList.remove("ytp-ad-clickable-element"),this.show())}; +BQ.prototype.clear=function(){this.hide()};g.w(CQ,eQ);g.k=CQ.prototype;g.k.hide=function(){eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.B=document.activeElement;eQ.prototype.show.call(this);this.C.focus()}; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?g.CD(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?g.CD(Error("ConfirmDialogRenderer.cancelLabel was not set.")):$Ea(this,b):g.CD(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; +g.k.clear=function(){g.Lz(this.j);this.hide()}; +g.k.FN=function(){this.hide()}; +g.k.CJ=function(){var a=this.u.cancelEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()}; +g.k.GN=function(){var a=this.u.confirmNavigationEndpoint||this.u.confirmEndpoint;a&&(this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for confirm dialog.")));this.hide()};g.w(DQ,eQ);g.k=DQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.u=b;if(null==b.defaultText&&null==b.defaultIcon)g.CD(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)g.CD(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.Qp(this.B,a)}a={};b.defaultText? +(c=g.gE(b.defaultText),g.Tb(c)||(a.buttonText=c,this.j.setAttribute("aria-label",c))):g.Tm(this.Aa,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.j.hasAttribute("aria-label")||this.Z.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=uQ(b.defaultIcon),this.updateValue("untoggledIconTemplateSpec",c),b.toggledIcon?(this.J=!0,c=uQ(b.toggledIcon),this.updateValue("toggledIconTemplateSpec",c)):(g.Tm(this.D,!0),g.Tm(this.C,!1)),g.Tm(this.j,!1)):g.Tm(this.Z,!1);g.hd(a)||this.update(a); +b.isToggled&&(g.Qp(this.B,"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));EQ(this);this.S(this.element,"change",this.uR);this.show()}}; +g.k.onClick=function(a){0a&&M(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ga&&g.I(this.C.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.ia=null==a||0===a?this.B.gF():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.D.init(AK("ad-text"),d,c);(d=this.api.getVideoData(1))&& -d.Vr&&b.thumbnail?this.I.init(AK("ad-image"),b.thumbnail,c):this.P.hide()}; +g.k.toggleButton=function(a){g.Up(this.B,"ytp-ad-toggle-button-toggled",a);this.j.checked=a;EQ(this)}; +g.k.isToggled=function(){return this.j.checked};g.w(FQ,Jz);FQ.prototype.I=function(a){if(Array.isArray(a)){a=g.t(a);for(var b=a.next();!b.done;b=a.next())b=b.value,b instanceof cE&&this.C(b)}};g.w(GQ,eQ);g.k=GQ.prototype;g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?g.CD(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.DD(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.DD(Error("AdFeedbackRenderer.title was not set.")),eFa(this,b)):g.CD(Error("AdFeedbackRenderer.reasons were not set."))}; +g.k.clear=function(){Hz(this.D);Hz(this.J);this.C.length=0;this.hide()}; +g.k.hide=function(){this.j&&this.j.hide();this.u&&this.u.hide();eQ.prototype.hide.call(this);this.B&&this.B.focus()}; +g.k.show=function(){this.j&&this.j.show();this.u&&this.u.show();this.B=document.activeElement;eQ.prototype.show.call(this);this.D.focus()}; +g.k.aW=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.ma("a");this.hide()}; +g.k.P7=function(){this.hide()}; +HQ.prototype.ub=function(){return this.j.element}; +HQ.prototype.isChecked=function(){return this.B.checked};g.w(IQ,CQ);IQ.prototype.FN=function(a){CQ.prototype.FN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.CJ=function(a){CQ.prototype.CJ.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; +IQ.prototype.GN=function(a){CQ.prototype.GN.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.ma("b")};g.w(JQ,eQ);g.k=JQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.D=b;if(null==b.dialogMessage&&null==b.title)g.CD(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.DD(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&g.K(b.closeOverlayRenderer,g.mM)||null)this.j=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"), +g.E(this,this.j),this.j.init(fN("button"),a,this.macros),this.j.Ea(this.element);b.title&&(a=g.gE(b.title),this.updateValue("title",a));if(b.adReasons)for(a=b.adReasons,c=0;ca&&g.CD(Error("durationMilliseconds was specified incorrectly in AdPreviewRenderer with a value of: "+a));this.Ya&&g.Qp(this.u.element,"countdown-next-to-thumbnail");a=b.durationMilliseconds;this.Aa=null==a||0===a?this.j.Jl():a;if(b.templatedCountdown)var d=b.templatedCountdown.templatedAdText;else b.staticPreview&&(d=b.staticPreview);this.B.init(fN("ad-text"),d,c);(d=this.api.getVideoData(1))&& +d.Zn&&b.thumbnail?this.C.init(fN("ad-image"),b.thumbnail,c):this.J.hide()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){this.C.hide();this.D.hide();this.I.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.show=function(){hO(this);this.C.show();this.D.show();this.I.show();gO.prototype.show.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.za&&a>=this.ia?(g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")||this.Y.hide(),this.za=!0,this.V("c")):this.D&&this.D.isTemplated()&&(a=Math.max(0,Math.ceil((this.ia-a)/1E3)),a!=this.Aa&&(lO(this.D,{TIME_REMAINING:String(a)}),this.Aa=a)))}};g.u(qO,g.C);g.k=qO.prototype;g.k.ca=function(){this.reset();g.C.prototype.ca.call(this)}; -g.k.reset=function(){g.ut(this.F);this.I=!1;this.u&&this.u.stop();this.D.stop();this.B&&(this.B=!1,this.K.play())}; -g.k.start=function(){this.reset();this.F.N(this.C,"mouseover",this.CN,this);this.F.N(this.C,"mouseout",this.BN,this);this.u?this.u.start():(this.I=this.B=!0,g.ug(this.C,{opacity:this.P}))}; -g.k.CN=function(){this.B&&(this.B=!1,this.K.play());this.D.stop();this.u&&this.u.stop()}; -g.k.BN=function(){this.I?this.D.start():this.u&&this.u.start()}; -g.k.WB=function(){this.B||(this.B=!0,this.R.play(),this.I=!0)};g.u(rO,gO);g.k=rO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);this.P=b;this.ia=coa(this);if(!b||g.Sb(b))M(Error("SkipButtonRenderer was not specified or empty."));else if(!b.message||g.Sb(b.message))M(Error("SkipButtonRenderer.message was not specified or empty."));else{a={iconType:"SKIP_NEXT"};b=eO(a);null==b?M(Error("Icon for SkipButton was unable to be retrieved. yt.innertube.Icon.IconType: "+a.iconType+".")):(this.I=new g.KN({G:"button",la:["ytp-ad-skip-button","ytp-button"],S:[{G:"span",L:"ytp-ad-skip-button-icon", -S:[b]}]}),g.D(this,this.I),this.I.ga(this.D.element),this.C=new kO(this.api,this.Ha,this.layoutId,this.u,"ytp-ad-skip-button-text"),this.C.init(AK("ad-text"),this.P.message,c),g.D(this,this.C),g.Ie(this.I.element,this.C.element,0));var d=void 0===d?null:d;c=this.api.T();!(0this.B&&(this.u=this.B,this.Za.stop(),a=!0);this.D={seekableStart:0,seekableEnd:this.B/1E3,current:this.u/1E3};this.F&&this.F.sc(this.D.current);this.V("b");a&&this.V("a")}; -g.k.getProgressState=function(){return this.D};g.u(tO,W);g.k=tO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&b.actionButton.buttonRenderer)if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)M(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!= -e&&0f)M(Error("timeoutSeconds was specified incorrectly in AdChoiceInterstitialRenderer with a value of: "+f));else if(b.completeCommands)if(b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer){foa(this,b.text);var m=goa(b.defaultButtonChoiceIndex);ioa(this,e,a,m)?(koa(this,b.completeCommands,c,f),b&&b.adDurationRemaining&&b.adDurationRemaining.timedPieCountdownRenderer&&loa(this,b.adDurationRemaining.timedPieCountdownRenderer, -c),b&&b.background&&(c=this.ka("ytp-ad-choice-interstitial"),eoa(c,b.background)),joa(this,a),this.show(),g.Q(this.api.T().experiments,"self_podding_default_button_focused")&&g.mm(function(){0===m?d.B&&d.B.focus():d.D&&d.D.focus()})):M(Error("AdChoiceInterstitialRenderer failed to initialize buttons."))}else M(Error("AdChoiceInterstitialRenderer requires a timed_pie_countdown_renderer.")); -else M(Error("timeoutSeconds was specified yet no completeCommands were specified"))}else M(Error("AdChoiceInterstitialRenderer should have two choices."));else M(Error("AdChoiceInterstitialRenderer has no title."))}; -uO.prototype.clear=function(){this.hide()};g.u(vO,W);g.k=vO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.text?(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a?M(Error("durationMilliseconds was specified incorrectly in AdTextInterstitialRenderer with a value of: "+a)):(this.B.init(AK("ad-text"),b.text,c),this.show())):M(Error("AdTextInterstitialRenderer has no message AdText."))}; +g.k.hide=function(){this.u.hide();this.B.hide();this.C.hide();PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);this.u.show();this.B.show();this.C.show();NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(null!=this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Ja&&a>=this.Aa?(this.Z.hide(),this.Ja=!0,this.ma("i")):this.B&&this.B.isTemplated()&&(a=Math.max(0,Math.ceil((this.Aa-a)/1E3)),a!=this.Qa&&(MQ(this.B,{TIME_REMAINING:String(a)}),this.Qa=a)))}};g.w(UQ,NQ);g.k=UQ.prototype; +g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if((a=b.actionButton&&g.K(b.actionButton,g.mM))&&a.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d)if(b.image&&b.image.thumbnail){var e=b.image.thumbnail.thumbnails;null!=e&&0=this.Aa&&(PQ(this),g.Sp(this.element,"ytp-flyout-cta-inactive"),this.u.element.removeAttribute("tabIndex"))}}; +g.k.Vv=function(){this.clear()}; +g.k.clear=function(){this.hide();this.api.removeEventListener("playerUnderlayVisibilityChange",this.wR.bind(this))}; +g.k.show=function(){this.u&&this.u.show();NQ.prototype.show.call(this)}; +g.k.hide=function(){this.u&&this.u.hide();NQ.prototype.hide.call(this)}; +g.k.wR=function(a){"hidden"==a?this.show():this.hide()};g.w(VQ,eQ);g.k=VQ.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);this.j=b;if(this.j.rectangle)for(a=this.j.likeButton&&g.K(this.j.likeButton,u3),b=this.j.dislikeButton&&g.K(this.j.dislikeButton,u3),this.B.init(fN("toggle-button"),a,c),this.u.init(fN("toggle-button"),b,c),this.S(this.element,"change",this.xR),this.C.show(100),this.show(),c=g.t(this.j&&this.j.impressionCommands||[]),a=c.next();!a.done;a=c.next())a=a.value,this.layoutId?this.rb.executeCommand(a,this.layoutId):g.CD(Error("Missing layoutId for instream user sentiment."))}; g.k.clear=function(){this.hide()}; -g.k.show=function(){moa(!0);W.prototype.show.call(this)}; -g.k.hide=function(){moa(!1);W.prototype.hide.call(this)}; -g.k.onClick=function(){};g.u(wO,g.C);wO.prototype.ca=function(){this.B&&g.dp(this.B);this.u.clear();xO=null;g.C.prototype.ca.call(this)}; -wO.prototype.register=function(a,b){b&&this.u.set(a,b)}; -var xO=null;g.u(zO,W); -zO.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);a=b.hoverText||null;b=b.button&&b.button.buttonRenderer||null;null==b?M(Error("AdHoverTextButtonRenderer.button was not set in response.")):(this.button=new fO(this.api,this.Ha,this.layoutId,this.u),g.D(this,this.button),this.button.init(AK("button"),b,this.macros),a&&this.button.element.setAttribute("aria-label",g.T(a)),this.button.ga(this.element),this.I&&!g.qn(this.button.element,"ytp-ad-clickable")&&g.I(this.button.element,"ytp-ad-clickable"), -a&&(this.C=new g.KN({G:"div",L:"ytp-ad-hover-text-container"}),this.F&&(b=new g.KN({G:"div",L:"ytp-ad-hover-text-callout"}),b.ga(this.C.element),g.D(this,b)),g.D(this,this.C),this.C.ga(this.element),b=yO(a),g.Ie(this.C.element,b,0)),this.show())}; -zO.prototype.hide=function(){this.button&&this.button.hide();this.C&&this.C.hide();W.prototype.hide.call(this)}; -zO.prototype.show=function(){this.button&&this.button.show();W.prototype.show.call(this)};g.u(AO,W);g.k=AO.prototype;g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.reasons?null==b.confirmLabel?M(Error("AdFeedbackRenderer.confirmLabel was not set.")):(null==b.cancelLabel&&g.Fo(Error("AdFeedbackRenderer.cancelLabel was not set.")),null==b.title&&g.Fo(Error("AdFeedbackRenderer.title was not set.")),toa(this,b)):M(Error("AdFeedbackRenderer.reasons were not set."))}; -g.k.clear=function(){np(this.F);np(this.P);this.D.length=0;this.hide()}; -g.k.hide=function(){this.B&&this.B.hide();this.C&&this.C.hide();W.prototype.hide.call(this);this.I&&this.I.focus()}; -g.k.show=function(){this.B&&this.B.show();this.C&&this.C.show();this.I=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.kF=function(){this.api.onAdUxClicked("ad-feedback-dialog-close-button",this.layoutId);this.V("f");this.hide()}; -g.k.VQ=function(){this.hide()}; -BO.prototype.Pa=function(){return this.u.element}; -BO.prototype.isChecked=function(){return this.C.checked};g.u(CO,W);g.k=CO.prototype;g.k.hide=function(){W.prototype.hide.call(this);this.D&&this.D.focus()}; -g.k.show=function(){this.D=document.activeElement;W.prototype.show.call(this);this.F.focus()}; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;b.dialogMessages||null!=b.title?null==b.confirmLabel?M(Error("ConfirmDialogRenderer.confirmLabel was not set.")):null==b.cancelLabel?M(Error("ConfirmDialogRenderer.cancelLabel was not set.")):uoa(this,b):M(Error("Neither ConfirmDialogRenderer.title nor ConfirmDialogRenderer.dialogMessages were set."))}; -g.k.clear=function(){g.ut(this.B);this.hide()}; -g.k.Bz=function(){this.hide()}; -g.k.vz=function(){var a=this.C.cancelEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()}; -g.k.Cz=function(){var a=this.C.confirmNavigationEndpoint||this.C.confirmEndpoint;a&&this.Ha.executeCommand(a,this.macros);this.hide()};g.u(DO,CO);DO.prototype.Bz=function(a){CO.prototype.Bz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.vz=function(a){CO.prototype.vz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-close-button")}; -DO.prototype.Cz=function(a){CO.prototype.Cz.call(this,a);this.api.onAdUxClicked("ad-mute-confirm-dialog-confirm-button");this.V("g")};g.u(EO,W);g.k=EO.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.I=b;if(null==b.dialogMessage&&null==b.title)M(Error("Neither AdInfoDialogRenderer.dialogMessage nor AdInfoDialogRenderer.title was set."));else{null==b.confirmLabel&&g.Fo(Error("AdInfoDialogRenderer.confirmLabel was not set."));if(a=b.closeOverlayRenderer&&b.closeOverlayRenderer.buttonRenderer||null)this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-info-dialog-close-button"],"ad-info-dialog-close-button"),g.D(this,this.B), -this.B.init(AK("button"),a,this.macros),this.B.ga(this.element);b.title&&(a=g.T(b.title),this.ya("title",a));if(b.adReasons)for(a=b.adReasons,c=0;c=a&&M(Error("durationMs was specified incorrectly in AdMessageRenderer with a value of: "+a));a=b.durationMs;this.I=null==a||0===a?0:a+1E3*this.B.getProgressState().current;if(b.text)var d=b.text.templatedAdText;else b.staticMessage&&(d=b.staticMessage);this.C.init(AK("ad-text"),d,c);this.C.ga(this.D.element);this.P.show(100);this.show()}; +g.k.hide=function(){this.B.hide();this.u.hide();eQ.prototype.hide.call(this)}; +g.k.show=function(){this.B.show();this.u.show();eQ.prototype.show.call(this)}; +g.k.xR=function(){jla(this.element,"ytp-ad-instream-user-sentiment-selected");this.j.postMessageAction&&this.api.Na("onYtShowToast",this.j.postMessageAction);this.C.hide()}; +g.k.onClick=function(a){0=this.J&&pFa(this,!0)};g.w($Q,vQ);$Q.prototype.init=function(a,b,c){vQ.prototype.init.call(this,a,b,c);a=!1;null!=b.text&&(a=g.gE(b.text),a=!g.Tb(a));a?null==b.navigationEndpoint?g.DD(Error("No visit advertiser clickthrough provided in renderer,")):"STYLE_UNKNOWN"!==b.style?g.DD(Error("Button style was not a link-style type in renderer,")):this.show():g.DD(Error("No visit advertiser text was present in the renderer."))};g.w(aR,eQ);aR.prototype.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);a=b.text;g.Tb(fQ(a))?g.DD(Error("SimpleAdBadgeRenderer has invalid or empty text")):(a&&a.text&&(b=a.text,this.j&&(b=this.api.V(),b=a.text+" "+(b&&b.u?"\u2022":"\u00b7")),b={text:b,isTemplated:a.isTemplated},a.style&&(b.style=a.style),a.targetId&&(b.targetId=a.targetId),a=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb),a.init(fN("simple-ad-badge"),b,c),a.Ea(this.element),g.E(this,a)),this.show())}; +aR.prototype.clear=function(){this.hide()};g.w(bR,gN);g.w(cR,g.dE);g.k=cR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(a){this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:a.current};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(dR,g.dE);g.k=dR.prototype;g.k.Jl=function(){return this.durationMs}; +g.k.start=function(){this.j||(this.j=!0,this.timer.start())}; +g.k.stop=function(){this.j&&(this.j=!1,this.timer.stop())}; +g.k.yc=function(){this.Mi+=100;var a=!1;this.Mi>this.durationMs&&(this.Mi=this.durationMs,this.timer.stop(),a=!0);this.u={seekableStart:0,seekableEnd:this.durationMs/1E3,current:this.Mi/1E3};this.xe&&this.xe.yc(this.u.current);this.ma("h");a&&this.ma("g")}; +g.k.getProgressState=function(){return this.u};g.w(gR,NQ);g.k=gR.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);var d;if(null==b?0:null==(d=b.templatedCountdown)?0:d.templatedAdText){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.DD(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.u=new LQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb);this.u.init(fN("ad-text"),a,{});this.u.Ea(this.element);g.E(this,this.u)}this.show()}; g.k.clear=function(){this.hide()}; -g.k.hide=function(){Noa(this,!1);gO.prototype.hide.call(this);this.D.hide();this.C.hide();iO(this)}; -g.k.show=function(){Noa(this,!0);gO.prototype.show.call(this);hO(this);this.D.show();this.C.show()}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();null!=a&&null!=a.current&&(a=1E3*a.current,!this.Y&&a>=this.I?(this.P.hide(),this.Y=!0):this.C&&this.C.isTemplated()&&(a=Math.max(0,Math.ceil((this.I-a)/1E3)),a!=this.ia&&(lO(this.C,{TIME_REMAINING:String(a)}),this.ia=a)))}};g.u(ZO,gO);g.k=ZO.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);a=b&&b.preskipRenderer&&b.preskipRenderer.adPreviewRenderer||{};if(a=g.Sb(a)?null:a){this.I=null!=a.durationMilliseconds&&void 0!==a.durationMilliseconds?a.durationMilliseconds:5E3;var d="countdown_next_to_thumbnail"==g.kB(this.api.T().experiments,"preskip_button_style_ads_backend")&&uD(this.api.T());this.C=new oO(this.api,this.Ha,this.layoutId,this.u,this.B,d);this.C.init(AK("preskip-component"),a,c);pO(this.C);g.D(this,this.C);this.C.ga(this.element); -g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")&&this.C.subscribe("c",this.PP,this)}else b.skipOffsetMilliseconds&&(this.I=b.skipOffsetMilliseconds);b=b&&b.skippableRenderer&&b.skippableRenderer.skipButtonRenderer||{};b=g.Sb(b)?null:b;null==b?M(Error("SkipButtonRenderer was not set in player response.")):(this.D=new rO(this.api,this.Ha,this.layoutId,this.u,this.B),this.D.init(AK("skip-button"),b,c),g.D(this,this.D),this.D.ga(this.element),this.show())}; -g.k.show=function(){this.P&&this.D?this.D.show():this.C&&this.C.show();hO(this);gO.prototype.show.call(this)}; -g.k.bn=function(){}; -g.k.clear=function(){this.C&&this.C.clear();this.D&&this.D.clear();iO(this);gO.prototype.hide.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();this.D&&this.D.hide();iO(this);gO.prototype.hide.call(this)}; -g.k.PP=function(){$O(this,!0)}; -g.k.Cl=function(){g.Q(this.api.T().experiments,"enable_pubsub_for_skip_transition_bulleit")?this.C||1E3*this.B.getProgressState().current>=this.I&&$O(this,!0):1E3*this.B.getProgressState().current>=this.I&&$O(this,!0)};g.u(aP,W);aP.prototype.init=function(a,b,c){W.prototype.init.call(this,a,b,c);b.skipAd&&(a=b.skipAd,a.skipAdRenderer&&(b=new ZO(this.api,this.Ha,this.layoutId,this.u,this.B),b.ga(this.C),b.init(AK("skip-button"),a.skipAdRenderer,this.macros),g.D(this,b)));this.show()};g.u(dP,gO);g.k=dP.prototype;g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.templatedCountdown){a=b.templatedCountdown.templatedAdText;if(!a.isTemplated){g.Fo(Error("AdDurationRemainingRenderer has no templated ad text."));return}this.C=new kO(this.api,this.Ha,this.layoutId,this.u);this.C.init(AK("ad-text"),a,{});this.C.ga(this.element);g.D(this,this.C)}this.show()}; -g.k.clear=function(){this.hide()}; -g.k.hide=function(){iO(this);gO.prototype.hide.call(this)}; -g.k.bn=function(){this.hide()}; -g.k.Cl=function(){if(null!=this.B){var a=this.B.getProgressState();if(null!=a&&null!=a.current&&this.C){a=(void 0!==this.D?this.D:this.B instanceof sO?a.seekableEnd:this.api.getDuration(2,!1))-a.current;var b=g.bP(a);lO(this.C,{FORMATTED_AD_DURATION_REMAINING:String(b),TIME_REMAINING:String(Math.ceil(a))})}}}; -g.k.show=function(){hO(this);gO.prototype.show.call(this)};g.u(eP,kO);eP.prototype.onClick=function(a){kO.prototype.onClick.call(this,a);this.api.onAdUxClicked(this.componentType)};g.u(fP,gO);g.k=fP.prototype; -g.k.init=function(a,b,c){gO.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.actionButton&&b.actionButton.buttonRenderer&&b.actionButton.buttonRenderer.navigationEndpoint){a=this.api.getVideoData(2);if(null!=a)if(b.image&&b.image.thumbnail){var d=b.image.thumbnail.thumbnails;null!=d&&0=this.ia&&(iO(this),g.sn(this.element,"ytp-flyout-cta-inactive"))}}; -g.k.bn=function(){this.clear()}; -g.k.clear=function(){this.hide()}; -g.k.show=function(){this.C&&this.C.show();gO.prototype.show.call(this)}; -g.k.hide=function(){this.C&&this.C.hide();gO.prototype.hide.call(this)};g.u(gP,W);g.k=gP.prototype; -g.k.init=function(a,b,c){W.prototype.init.call(this,a,b,c);this.C=b;if(null==b.defaultText&&null==b.defaultIcon)M(Error("ToggleButtonRenderer must have either text or icon set."));else if(null==b.defaultIcon&&null!=b.toggledIcon)M(Error("ToggleButtonRenderer cannot have toggled icon set without a default icon."));else{if(b.style){switch(b.style.styleType){case "STYLE_UNKNOWN":case "STYLE_DEFAULT":a="ytp-ad-toggle-button-default-style";break;default:a=null}null!=a&&g.I(this.D,a)}a={};b.defaultText? -(c=g.T(b.defaultText),g.pc(c)||(a.buttonText=c,this.B.setAttribute("aria-label",c))):g.Mg(this.ia,!1);b.defaultTooltip&&(a.tooltipText=b.defaultTooltip,this.B.hasAttribute("aria-label")||this.Y.setAttribute("aria-label",b.defaultTooltip));b.defaultIcon?(c=eO(b.defaultIcon),this.ya("untoggledIconTemplateSpec",c),b.toggledIcon?(this.P=!0,c=eO(b.toggledIcon),this.ya("toggledIconTemplateSpec",c)):(g.Mg(this.I,!0),g.Mg(this.F,!1)),g.Mg(this.B,!1)):g.Mg(this.Y,!1);g.Sb(a)||this.update(a);b.isToggled&&(g.I(this.D, -"ytp-ad-toggle-button-toggled"),this.toggleButton(b.isToggled));hP(this);this.N(this.element,"change",this.iF);this.show()}}; -g.k.onClick=function(a){0a)M(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&b.ctaButton.buttonRenderer)if(b.brandImage)if(b.backgroundImage&&b.backgroundImage.thumbnailLandscapePortraitRenderer&&b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape){Zoa(this.F,b.backgroundImage.thumbnailLandscapePortraitRenderer.landscape);Zoa(this.P, -b.brandImage);g.Ne(this.Y,g.T(b.text));this.B=new fO(this.api,this.Ha,this.layoutId,this.u,["ytp-ad-survey-interstitial-action-button"]);g.D(this,this.B);this.B.ga(this.I);this.B.init(AK("button"),b.ctaButton.buttonRenderer,c);this.B.show();var e=b.timeoutCommands;this.D=new sO(1E3*a);this.D.subscribe("a",function(){d.C.hide();e.forEach(function(f){return d.Ha.executeCommand(f,c)}); -d.Ha.executeCommand({adLifecycleCommand:{action:"END_LINEAR_AD"}},c)}); -g.D(this,this.D);this.N(this.element,"click",function(f){return Yoa(d,f,b)}); -this.C.show(100);b.impressionCommands&&b.impressionCommands.forEach(function(f){return d.Ha.executeCommand(f,c)})}else M(Error("SurveyTextInterstitialRenderer has no landscape background image.")); -else M(Error("SurveyTextInterstitialRenderer has no brandImage."));else M(Error("SurveyTextInterstitialRenderer has no button."));else M(Error("SurveyTextInterstitialRenderer has no text."));else M(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; -zP.prototype.clear=function(){this.hide()}; -zP.prototype.show=function(){$oa(!0);W.prototype.show.call(this)}; -zP.prototype.hide=function(){$oa(!1);W.prototype.hide.call(this)};g.u(AP,g.O);g.k=AP.prototype;g.k.gF=function(){return 1E3*this.u.getDuration(this.C,!1)}; -g.k.stop=function(){this.D&&this.B.Mb(this.D)}; -g.k.hF=function(){var a=this.u.getProgressState(this.C);this.F={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:g.Q(this.u.T().experiments,"halftime_ux_killswitch")?a.current:this.u.getCurrentTime(this.C,!1)};this.V("b")}; -g.k.getProgressState=function(){return this.F}; -g.k.vN=function(a){g.GK(a,2)&&this.V("a")};var SCa="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.u(CP,BN); -CP.prototype.C=function(a){var b=a.id,c=a.content;if(c){var d=c.componentType;if(!SCa.includes(d))switch(a.actionType){case 1:a=this.K();var e=this.D,f=c.layoutId,h=c.u;h=void 0===h?{}:h;switch(d){case "invideo-overlay":a=new SO(e,a,f,h);break;case "persisting-overlay":a=new aP(e,a,f,h,new AP(e));break;case "player-overlay":a=new pP(e,a,f,h,new AP(e));break;case "survey":a=new yP(e,a,f,h);break;case "ad-action-interstitial":a=new tO(e,a,f,h);break;case "ad-text-interstitial":a=new vO(e,a,f,h);break; -case "survey-interstitial":a=new zP(e,a,f,h);break;case "ad-choice-interstitial":a=new uO(e,a,f,h);break;case "ad-message":a=new YO(e,a,f,h,new AP(e,1));break;default:a=null}if(!a){g.Fo(Error("No UI component returned from ComponentFactory for type: "+d));break}Ob(this.B,b)?g.Fo(Error("Ad UI component already registered: "+b)):this.B[b]=a;a.bind(c);this.F.append(a.Nb);break;case 2:b=bpa(this,a);if(null==b)break;b.bind(c);break;case 3:c=bpa(this,a),null!=c&&(g.fg(c),Ob(this.B,b)?(c=this.B,b in c&& -delete c[b]):g.Fo(Error("Ad UI component does not exist: "+b)))}}}; -CP.prototype.ca=function(){g.gg(Object.values(this.B));this.B={};BN.prototype.ca.call(this)};var TCa={V1:"replaceUrlMacros",XX:"isExternalShelfAllowedFor"};DP.prototype.Dh=function(){return"adLifecycleCommand"}; -DP.prototype.handle=function(a){var b=this;switch(a.action){case "START_LINEAR_AD":g.mm(function(){b.controller.hn()}); -break;case "END_LINEAR_AD":g.mm(function(){b.controller.Jk()}); -break;case "END_LINEAR_AD_PLACEMENT":g.mm(function(){b.controller.Ii()}); -break;case "FILL_INSTREAM_SLOT":g.mm(function(){a.elementId&&b.controller.Ct(a.elementId)}); -break;case "FILL_ABOVE_FEED_SLOT":g.mm(function(){a.elementId&&b.controller.kq(a.elementId)}); -break;case "CLEAR_ABOVE_FEED_SLOT":g.mm(function(){b.controller.Vp()})}}; -DP.prototype.Si=function(a){this.handle(a)};EP.prototype.Dh=function(){return"adPlayerControlsCommand"}; -EP.prototype.handle=function(a){var b=this.Xp();switch(a.action){case "AD_PLAYER_CONTROLS_ACTION_SEEK_TO_END":var c=cK(b.u)&&b.B.bl()?b.u.getDuration(2):0;if(0>=c)break;b.seekTo(g.ce(c-(Number(a.seekOffsetMilliseconds)||0)/1E3,0,c));break;case "AD_PLAYER_CONTROLS_ACTION_RESUME":b.resume()}}; -EP.prototype.Si=function(a){this.handle(a)};FP.prototype.Dh=function(){return"clearCueRangesCommand"}; -FP.prototype.handle=function(){var a=this.Xp();g.mm(function(){mM(a,Array.from(a.I))})}; -FP.prototype.Si=function(a){this.handle(a)};GP.prototype.Dh=function(){return"muteAdEndpoint"}; -GP.prototype.handle=function(a){dpa(this,a)}; -GP.prototype.Si=function(a,b){dpa(this,a,b)};HP.prototype.Dh=function(){return"openPopupAction"}; -HP.prototype.handle=function(){}; -HP.prototype.Si=function(a){this.handle(a)};IP.prototype.Dh=function(){return"pingingEndpoint"}; -IP.prototype.handle=function(){}; -IP.prototype.Si=function(a){this.handle(a)};JP.prototype.Dh=function(){return"urlEndpoint"}; -JP.prototype.handle=function(a,b){var c=g.en(a.url,b);g.RL(c)}; -JP.prototype.Si=function(){S("Trying to handle UrlEndpoint with no macro in controlflow")};KP.prototype.Dh=function(){return"adPingingEndpoint"}; -KP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;this.Ip.send(a,b,c)}; -KP.prototype.Si=function(a,b,c){Gqa(this.Fa.get(),a,b,void 0,c)};LP.prototype.Dh=function(){return"changeEngagementPanelVisibilityAction"}; -LP.prototype.handle=function(a){this.J.xa("changeEngagementPanelVisibility",{changeEngagementPanelVisibilityAction:a})}; -LP.prototype.Si=function(a){this.handle(a)};MP.prototype.Dh=function(){return"loggingUrls"}; -MP.prototype.handle=function(a,b,c){b=void 0===b?{}:b;c=void 0===c?{}:c;a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,this.ci.send(d.baseUrl,b,c,d.headers)}; -MP.prototype.Si=function(a,b,c){a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,Gqa(this.Fa.get(),d.baseUrl,b,d.headers,c)};g.u(fpa,g.C);var upa=new Map([[0,"normal"],[1,"skipped"],[2,"muted"],[6,"user_input_submitted"]]);var npa=new Map([["opportunity_type_ad_break_service_response_received","OPPORTUNITY_TYPE_AD_BREAK_SERVICE_RESPONSE_RECEIVED"],["opportunity_type_live_stream_break_signal","OPPORTUNITY_TYPE_LIVE_STREAM_BREAK_SIGNAL"],["opportunity_type_player_bytes_media_layout_entered","OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED"],["opportunity_type_player_response_received","OPPORTUNITY_TYPE_PLAYER_RESPONSE_RECEIVED"],["opportunity_type_throttled_ad_break_request_slot_reentry","OPPORTUNITY_TYPE_THROTTLED_AD_BREAK_REQUEST_SLOT_REENTRY"]]), -jpa=new Map([["trigger_type_on_new_playback_after_content_video_id","TRIGGER_TYPE_ON_NEW_PLAYBACK_AFTER_CONTENT_VIDEO_ID"],["trigger_type_on_different_slot_id_enter_requested","TRIGGER_TYPE_ON_DIFFERENT_SLOT_ID_ENTER_REQUESTED"],["trigger_type_slot_id_entered","TRIGGER_TYPE_SLOT_ID_ENTERED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_exited","TRIGGER_TYPE_SLOT_ID_EXITED"],["trigger_type_slot_id_scheduled","TRIGGER_TYPE_SLOT_ID_SCHEDULED"],["trigger_type_slot_id_fulfilled_empty", -"TRIGGER_TYPE_SLOT_ID_FULFILLED_EMPTY"],["trigger_type_slot_id_fulfilled_non_empty","TRIGGER_TYPE_SLOT_ID_FULFILLED_NON_EMPTY"],["trigger_type_layout_id_entered","TRIGGER_TYPE_LAYOUT_ID_ENTERED"],["trigger_type_on_different_layout_id_entered","TRIGGER_TYPE_ON_DIFFERENT_LAYOUT_ID_ENTERED"],["trigger_type_layout_id_exited","TRIGGER_TYPE_LAYOUT_ID_EXITED"],["trigger_type_layout_exited_for_reason","TRIGGER_TYPE_LAYOUT_EXITED_FOR_REASON"],["trigger_type_on_layout_self_exit_requested","TRIGGER_TYPE_ON_LAYOUT_SELF_EXIT_REQUESTED"], -["trigger_type_on_element_self_enter_requested","TRIGGER_TYPE_ON_SLOT_SELF_ENTER_REQUESTED"],["trigger_type_before_content_video_id_started","TRIGGER_TYPE_BEFORE_CONTENT_VIDEO_ID_STARTED"],["trigger_type_after_content_video_id_ended","TRIGGER_TYPE_CONTENT_VIDEO_ID_ENDED"],["trigger_type_media_time_range","TRIGGER_TYPE_MEDIA_TIME_RANGE"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED","TRIGGER_TYPE_LIVE_STREAM_BREAK_STARTED"],["TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED","TRIGGER_TYPE_LIVE_STREAM_BREAK_ENDED"], -["trigger_type_close_requested","TRIGGER_TYPE_CLOSE_REQUESTED"],["trigger_type_time_relative_to_layout_enter","TRIGGER_TYPE_TIME_RELATIVE_TO_LAYOUT_ENTER"],["trigger_type_not_in_media_time_range","TRIGGER_TYPE_NOT_IN_MEDIA_TIME_RANGE"],["trigger_type_survey_submitted","TRIGGER_TYPE_SURVEY_SUBMITTED"],["trigger_type_skip_requested","TRIGGER_TYPE_SKIP_REQUESTED"],["trigger_type_on_opportunity_received","TRIGGER_TYPE_ON_OPPORTUNITY_TYPE_RECEIVED"],["trigger_type_layout_id_active_and_slot_id_has_exited", -"TRIGGER_TYPE_LAYOUT_ID_ACTIVE_AND_SLOT_ID_HAS_EXITED"],["trigger_type_playback_minimized","TRIGGER_TYPE_PLAYBACK_MINIMIZED"]]),mpa=new Map([[5,"TRIGGER_CATEGORY_SLOT_ENTRY"],[4,"TRIGGER_CATEGORY_SLOT_FULFILLMENT"],[3,"TRIGGER_CATEGORY_SLOT_EXPIRATION"],[0,"TRIGGER_CATEGORY_LAYOUT_EXIT_NORMAL"],[1,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"],[2,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"],[6,"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_INPUT_SUBMITTED"]]),ipa=new Map([["unspecified","CONTROL_FLOW_MANAGER_LAYER_UNSPECIFIED"], -["core","CONTROL_FLOW_MANAGER_LAYER_CORE"],["adapter","CONTROL_FLOW_MANAGER_LAYER_ADAPTER"],["surface","CONTROL_FLOW_MANAGER_LAYER_SURFACE"],["external","CONTROL_FLOW_MANAGER_LAYER_EXTERNAL"]]),gpa=new Map([["normal",{Lr:"ADS_CLIENT_EVENT_TYPE_NORMAL_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_NORMALLY"}],["skipped",{Lr:"ADS_CLIENT_EVENT_TYPE_SKIP_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_SKIP"}],["muted",{Lr:"ADS_CLIENT_EVENT_TYPE_MUTE_EXIT_LAYOUT_REQUESTED", -gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_MUTE"}],["abandoned",{Lr:"ADS_CLIENT_EVENT_TYPE_ABANDON_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_ABANDON"}],["user_input_submitted",{Lr:"ADS_CLIENT_EVENT_TYPE_USER_INPUT_SUBMITTED_EXIT_LAYOUT_REQUESTED",gs:"ADS_CLIENT_EVENT_TYPE_LAYOUT_EXITED_USER_INPUT_SUBMITTED"}]]);g.u(UP,g.C);g.k=UP.prototype;g.k.Zg=function(a,b){IQ(this.Gb,"ADS_CLIENT_EVENT_TYPE_OPPORTUNITY_RECEIVED",a,b,void 0);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.Zg(a,b)}; -g.k.cf=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_ENTERED",a);this.u.cf(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.cf(a);qpa(this,a)}}; -g.k.df=function(a){if(YP(this.u,a)){kL(this.Gb,"ADS_CLIENT_EVENT_TYPE_SLOT_EXITED",a);this.u.df(a);for(var b=g.q(this.B),c=b.next();!c.done;c=b.next())c.value.df(a);YP(this.u,a)&&ZP(this.u,a).F&&WP(this,a,!1)}}; -g.k.xd=function(a,b){if(YP(this.u,a)){$P(this.Gb,"ADS_CLIENT_EVENT_TYPE_LAYOUT_ENTERED",a,b);for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.xd(a,b)}}; -g.k.yd=function(a,b,c){if(YP(this.u,a)){$P(this.Gb,hpa(c),a,b);this.u.yd(a,b);for(var d=g.q(this.B),e=d.next();!e.done;e=d.next())e.value.yd(a,b,c);(c=lQ(this.u,a))&&b.layoutId===c.layoutId&&Bpa(this,a,!1)}}; -g.k.Nf=function(a,b,c){S(c,a,b,void 0,c.Ul);WP(this,a,!0)}; -g.k.ca=function(){var a=Cpa(this.u);a=g.q(a);for(var b=a.next();!b.done;b=a.next())WP(this,b.value,!1);g.C.prototype.ca.call(this)};oQ.prototype.isActive=function(){switch(this.u){case "entered":case "rendering":case "rendering_stop_requested":case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Vy=function(){switch(this.D){case "fill_requested":return!0;default:return!1}}; -oQ.prototype.Uy=function(){switch(this.u){case "exit_requested":return!0;default:return!1}}; -oQ.prototype.Qy=function(){switch(this.u){case "rendering_stop_requested":return!0;default:return!1}};g.u(aQ,Ya);g.u(pQ,g.C);g.k=pQ.prototype;g.k.Ag=function(a){a=ZP(this,a);"not_scheduled"!==a.u&&mQ(a.slot,a.u,"onSlotScheduled");a.u="scheduled"}; -g.k.lq=function(a){a=ZP(this,a);a.D="fill_requested";a.I.lq()}; -g.k.cf=function(a){a=ZP(this,a);"enter_requested"!==a.u&&mQ(a.slot,a.u,"onSlotEntered");a.u="entered"}; -g.k.Nn=function(a){ZP(this,a).Nn=!0}; -g.k.Vy=function(a){return ZP(this,a).Vy()}; -g.k.Uy=function(a){return ZP(this,a).Uy()}; -g.k.Qy=function(a){return ZP(this,a).Qy()}; -g.k.df=function(a){a=ZP(this,a);"exit_requested"!==a.u&&mQ(a.slot,a.u,"onSlotExited");a.u="scheduled"}; -g.k.yd=function(a,b){var c=ZP(this,a);null!=c.layout&&c.layout.layoutId===b.layoutId&&("rendering_stop_requested"!==c.u&&mQ(c.slot,c.u,"onLayoutExited"),c.u="entered")};g.u(Gpa,g.C);g.u(sQ,g.C);sQ.prototype.get=function(){this.na()&&S("Tried to retrieve object during dispose",void 0,void 0,{type:typeof this.u});this.u||(this.u=this.B());return this.u};g.u(HQ,g.C);g.u(LQ,g.C);LQ.prototype.Tu=function(){}; -LQ.prototype.gz=function(a){var b=this,c=this.u.get(a);c&&(this.u["delete"](a),this.Bb.get().removeCueRange(a),nG(this.tb.get(),"opportunity_type_throttled_ad_break_request_slot_reentry",function(){var d=b.ib.get();d=OQ(d.Ua.get(),"SLOT_TYPE_AD_BREAK_REQUEST");return[Object.assign(Object.assign({},c),{slotId:d,hc:c.hc?vqa(c.slotId,d,c.hc):void 0,Me:wqa(c.slotId,d,c.Me),Af:wqa(c.slotId,d,c.Af)})]},c.slotId))}; -LQ.prototype.ej=function(){for(var a=g.q(this.u.keys()),b=a.next();!b.done;b=a.next())b=b.value,this.Bb.get().removeCueRange(b);this.u.clear()}; -LQ.prototype.Pm=function(){};g.u(MQ,g.C);g.k=MQ.prototype;g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(a,b){this.B.has(a)||this.B.set(a,new Set);this.B.get(a).add(b)}; -g.k.jj=function(a,b){this.u.has(a)&&this.u.get(a)===b&&S("Unscheduled a Layout that is currently entered.",a,b);if(this.B.has(a)){var c=this.B.get(a);c.has(b)?(c["delete"](b),0===c.size&&this.B["delete"](a)):S("Trying to unscheduled a Layout that was not scheduled.",a,b)}else S("Trying to unscheduled a Layout that was not scheduled.",a,b)}; -g.k.xd=function(a,b){this.u.set(a,b)}; -g.k.yd=function(a){this.u["delete"](a)}; -g.k.Zg=function(){};ZQ.prototype.clone=function(a){var b=this;return new ZQ(function(){return b.triggerId},a)};$Q.prototype.clone=function(a){var b=this;return new $Q(function(){return b.triggerId},a)};aR.prototype.clone=function(a){var b=this;return new aR(function(){return b.triggerId},a)};bR.prototype.clone=function(a){var b=this;return new bR(function(){return b.triggerId},a)};cR.prototype.clone=function(a){var b=this;return new cR(function(){return b.triggerId},a)};g.u(fR,g.C);fR.prototype.logEvent=function(a){IQ(this,a)};g.u(hR,g.C);hR.prototype.addListener=function(a){this.listeners.push(a)}; -hR.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -hR.prototype.B=function(){g.Q(this.Ca.get().J.T().experiments,"html5_mark_internal_abandon_in_pacf")&&this.u&&Aqa(this,this.u)};g.u(iR,g.C);iR.prototype.addCueRange=function(a,b,c,d,e,f,h){f=void 0===f?2:f;h=void 0===h?1:h;this.u.has(a)?S("Tried to register duplicate cue range",void 0,void 0,{CueRangeID:a}):(a=new Bqa(a,b,c,d,f),this.u.set(a.id,{Kd:a,listener:e,yp:h}),g.zN(this.J,[a],h))}; -iR.prototype.removeCueRange=function(a){var b=this.u.get(a);b?(this.J.app.Zo([b.Kd],b.yp),this.u["delete"](a)):S("Requested to remove unknown cue range",void 0,void 0,{CueRangeID:a})}; -iR.prototype.C=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.Tu(a.id)}; -iR.prototype.D=function(a){this.u.has(a.id)&&this.u.get(a.id).listener.gz(a.id)}; -g.u(Bqa,g.eF);mR.prototype.C=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.BE()}; -mR.prototype.B=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.AE()}; -mR.prototype.D=function(a){var b;null===(b=this.u.get(a.queryId))||void 0===b?void 0:b.CE()};g.u(oR,ZJ);oR.prototype.uf=function(){return this.u()}; -oR.prototype.B=function(){return this.C()};pR.prototype.Yf=function(){var a=this.J.dc();return a&&(a=a.Yf(1))?a:null};g.u(g.tR,rt);g.tR.prototype.N=function(a,b,c,d,e){return rt.prototype.N.call(this,a,b,c,d,e)};g.u(uR,g.C);g.k=uR.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.ZQ=function(a,b,c){var d=this.Vs(b,c);this.u=d;this.listeners.forEach(function(e){e.cG(d)}); -a=pG(this,1);a.clientPlaybackNonce!==this.contentCpn&&(this.contentCpn=a.clientPlaybackNonce,this.listeners.forEach(function(){}))}; -g.k.Vs=function(a,b){var c,d,e,f,h=a.author,l=a.clientPlaybackNonce,m=a.isListed,n=a.Hc,p=a.title,r=a.gg,t=a.nf,w=a.isMdxPlayback,y=a.Gg,x=a.mdxEnvironment,B=a.Kh,E=a.eh,G=a.videoId||"",K=a.lf||"",H=a.kg||"",ya=a.Cj||void 0;n=this.Sc.get().u.get(n)||{layoutId:null,slotId:null};var ia=this.J.getVideoData(1),Oa=ia.Wg(),Ra=ia.getPlayerResponse();ia=1E3*this.J.getDuration(b);var Wa=1E3*this.J.getDuration(1);Ra=(null===(d=null===(c=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===c?void 0:c.daiConfig)|| -void 0===d?void 0:d.enableDai)||(null===(f=null===(e=null===Ra||void 0===Ra?void 0:Ra.playerConfig)||void 0===e?void 0:e.daiConfig)||void 0===f?void 0:f.enableServerStitchedDai)||!1;return Object.assign(Object.assign({},n),{videoId:G,author:h,clientPlaybackNonce:l,playbackDurationMs:ia,uC:Wa,daiEnabled:Ra,isListed:m,Wg:Oa,lf:K,title:p,kg:H,gg:r,nf:t,Cj:ya,isMdxPlayback:w,Gg:y,mdxEnvironment:x,Kh:B,eh:E})}; -g.k.ca=function(){this.listeners.length=0;this.u=null;g.C.prototype.ca.call(this)};g.u(vR,g.C);g.k=vR.prototype;g.k.ej=function(){var a=this;this.u=cb(function(){a.J.na()||a.J.Wc("ad",1)})}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.playVideo=function(){this.J.playVideo()}; -g.k.pauseVideo=function(){this.J.pauseVideo()}; -g.k.getVolume=function(){return this.J.getVolume()}; -g.k.isMuted=function(){return this.J.isMuted()}; -g.k.getPresentingPlayerType=function(){return this.J.getPresentingPlayerType()}; -g.k.getPlayerState=function(a){return this.J.getPlayerState(a)}; -g.k.isFullscreen=function(){return this.J.isFullscreen()}; -g.k.XP=function(){if(2===this.J.getPresentingPlayerType())for(var a=kQ(this,2,!1),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Io(a)}; -g.k.OP=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ko(a)}; -g.k.UL=function(a){for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.yo(a)}; -g.k.VL=function(){for(var a=g.q(this.listeners),b=a.next();!b.done;b=a.next())b.value.zo()}; -g.k.kj=function(){for(var a=this.J.app.visibility.u,b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.kj(a)}; -g.k.Va=function(){for(var a=g.cG(this.J).getPlayerSize(),b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.Ho(a)};g.u(Mqa,g.C);wR.prototype.executeCommand=function(a,b){pN(this.u(),a,b)};yR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH),Zp:X(a.slot.va,"metadata_type_cue_point")})},function(b){b=b.ph; -(!b.length||2<=b.length)&&S("Unexpected ad placement renderers length",a.slot,null,{length:b.length})})}; -yR.prototype.u=function(){Qqa(this.B)};zR.prototype.lq=function(){var a=this;Pqa(this.B,function(){var b=X(a.slot.va,"metadata_type_ad_break_request_data");return a.od.get().fetch({pI:b.getAdBreakUrl,DC:new g.eF(b.eH,b.dH)})})}; -zR.prototype.u=function(){Qqa(this.B)};KQ.prototype.lq=function(){rpa(this.callback,this.slot,X(this.slot.va,"metadata_type_fulfilled_layout"))}; -KQ.prototype.u=function(){XP(this.callback,this.slot,new gH("Got CancelSlotFulfilling request for "+this.slot.ab+" in DirectFulfillmentAdapter."))};g.u(AR,Rqa);AR.prototype.u=function(a,b){if(JQ(b,{Be:["metadata_type_ad_break_request_data","metadata_type_cue_point"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new yR(a,b,this.od,this.Cb,this.gb,this.Ca);if(JQ(b,{Be:["metadata_type_ad_break_request_data"],ab:"SLOT_TYPE_AD_BREAK_REQUEST"}))return new zR(a,b,this.od,this.Cb,this.gb,this.Ca);throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in AdBreakRequestSlotFulfillmentAdapterFactory.");};g.u(BR,Rqa);BR.prototype.u=function(a,b){throw new gH("Unsupported slot with type: "+b.ab+" and client metadata: "+PP(b.va)+" in DefaultFulfillmentAdapterFactory.");};g.k=Sqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var b=X(a.va,"metadata_type_ad_break_response_data");"SLOT_TYPE_AD_BREAK_REQUEST"===this.slot.ab?(this.callback.xd(this.slot,a),yia(this.u,this.slot,b)):S("Unexpected slot type in AdBreakResponseLayoutRenderingAdapter - this should never happen", -this.slot,a)}}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};DR.prototype.u=function(a,b,c,d){if(CR(d,{Be:["metadata_type_ad_break_response_data"],wg:["LAYOUT_TYPE_AD_BREAK_RESPONSE","LAYOUT_TYPE_THROTTLED_AD_BREAK_RESPONSE"]}))return new Sqa(a,c,d,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in AdBreakRequestLayoutRenderingAdapterFactory.");};g.k=Tqa.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){}; -g.k.release=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.callback.xd(this.slot,a),LO(this.Ia,"impression"),OR(this.u,a.layoutId))}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):this.callback.yd(this.slot,a,b)};ER.prototype.u=function(a,b,c,d){if(CR(d,Uqa()))return new Tqa(a,c,d,this.Fa,this.B);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in ForecastingLayoutRenderingAdapterFactory.");};g.u(FR,g.O);g.k=FR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){this.u.get().addListener(this)}; -g.k.release=function(){this.u.get().removeListener(this);this.dispose()}; -g.k.Eq=function(){}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){}; -g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(a=this.u.get(),kra(a,this.wk,1))}; -g.k.jh=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else{var c=this.u.get();kra(c,this.wk,3);this.wk=[];this.callback.yd(this.slot,a,b)}}; -g.k.ca=function(){this.u.get().removeListener(this);g.O.prototype.ca.call(this)};g.u(IR,FR);g.k=IR.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_action_companion_ad_renderer",function(b,c,d,e,f){return new RK(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(JR,FR);JR.prototype.init=function(){FR.prototype.init.call(this);var a=X(this.layout.va,"metadata_type_instream_ad_player_overlay_renderer"),b={adsClientData:this.layout.td};this.wk.push(new VL(a,this.layout.layoutId,X(this.layout.va,"METADATA_TYPE_MEDIA_LAYOUT_DURATION_seconds"),b))}; -JR.prototype.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -JR.prototype.If=function(a){a:{var b=this.Nd.get();var c=this.cj;b=g.q(b.u.values());for(var d=b.next();!d.done;d=b.next())if(d.value.layoutId===c){c=!0;break a}c=!1}if(c)switch(a){case "visit-advertiser":this.Fa.get().J.sendVideoStatsEngageEvent(3,void 0,2)}switch(a){case "ad-mute-confirm-dialog-close-button":case "ad-feedback-undo-mute-button":case "ad-info-dialog-close-button":this.B||(a=this.ua.get(),2===a.J.getPlayerState(2)&&a.J.playVideo());break;case "ad-info-icon-button":(this.B=2===this.ua.get().J.getPlayerState(2))|| -this.ua.get().pauseVideo();break;case "visit-advertiser":this.ua.get().pauseVideo();X(this.layout.va,"metadata_type_player_bytes_callback").dA();break;case "skip-button":a=X(this.layout.va,"metadata_type_player_bytes_callback"),a.Y&&a.pG()}}; -JR.prototype.ca=function(){FR.prototype.ca.call(this)};LR.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in OtherWebInPlayerLayoutRenderingAdapterFactory.");};g.u(MR,g.C);MR.prototype.startRendering=function(a){if(a.layoutId!==this.Vd().layoutId)this.callback.Nf(this.Ve(),a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.Vd().layoutId+("and LayoutType: "+this.Vd().layoutType)));else{var b=this.ua.get().J;g.xN(b.app,2);uM(this.Tc.get());this.IH(a)}}; -MR.prototype.jh=function(a,b){this.JH(a,b);g.yN(this.ua.get().J,2);this.Yc.get().J.cueVideoByPlayerVars({},2);var c=nR(this.ua.get(),1);g.U(c,4)&&!g.U(c,2)&&this.ua.get().playVideo()};g.u(NR,MR);g.k=NR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){if(1>=this.u.length)throw new gH("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b=b.value,b.init(),eQ(this.D,this.slot,b.Vd())}; -g.k.release=function(){for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())b.value.release()}; -g.k.IH=function(){PR(this)}; -g.k.HQ=function(a,b){fQ(this.D,a,b)}; -g.k.JH=function(a,b){var c=this;if(this.B!==this.u.length-1){var d=this.u[this.B];d.jh(d.Vd(),b);this.C=function(){c.callback.yd(c.slot,c.layout,b)}}else this.callback.yd(this.slot,this.layout,b)}; -g.k.JQ=function(a,b,c){$L(this.D,a,b,c);this.C?this.C():PR(this)}; -g.k.IQ=function(a,b){$L(this.D,a,b,"error");this.C?this.C():PR(this)};g.u(TR,g.C);g.k=TR.prototype;g.k.Ve=function(){return this.slot}; -g.k.Vd=function(){return this.layout}; -g.k.init=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=this;VP(this.me(),this);this.ua.get().addListener(this);var a=X(this.layout.va,"metadata_type_video_length_seconds");Dqa(this.jb.get(),this.layout.layoutId,a,this);rR(this.Fa.get(),this)}; -g.k.release=function(){X(this.layout.va,"metadata_type_player_bytes_callback_ref").current=null;this.me().B["delete"](this);this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId);sR(this.Fa.get(),this);this.u&&this.Bb.get().removeCueRange(this.u);this.u=void 0;this.D.dispose()}; -g.k.startRendering=function(a){if(a.layoutId!==this.layout.layoutId)this.callback.Nf(this.slot,a,new aQ("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType)));else if(DK(this.Dd.get(),1)){Zqa(this,!1);var b=X(a.va,"metadata_type_ad_video_id"),c=X(a.va,"metadata_type_legacy_info_card_vast_extension");b&&c&&this.Gd.get().J.T().K.add(b,{Up:c});(b=X(a.va,"metadata_type_sodar_extension_data"))&&Nqa(this.Bd.get(), -b);Lqa(this.ua.get(),!1);this.C(-1);this.B="rendering_start_requested";b=this.Yc.get();a=X(a.va,"metadata_type_player_vars");b.J.cueVideoByPlayerVars(a,2);this.D.start();this.Yc.get().J.playVideo(2)}else SR(this,"ui_unstable",new aQ("Failed to render media layout because ad ui unstable."))}; -g.k.xd=function(a,b){var c,d;if(b.layoutId===this.layout.layoutId){this.B="rendering";LO(this.Ia,"impression");LO(this.Ia,"start");this.ua.get().isMuted()&&KO(this.Ia,"mute");this.ua.get().isFullscreen()&&KO(this.Ia,"fullscreen");this.D.stop();this.u="adcompletioncuerange:"+this.layout.layoutId;this.Bb.get().addCueRange(this.u,0x7ffffffffffff,0x8000000000000,!1,this,1,2);(this.adCpn=(null===(c=pG(this.Da.get(),2))||void 0===c?void 0:c.clientPlaybackNonce)||"")||S("Media layout confirmed started, but ad CPN not set."); -xM(this.Tc.get());this.C(1);this.ld.get().u("onAdStart",this.adCpn);var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.impressionCommands)||[],f=this.oc.get(),h=this.layout.layoutId;nN(f.u(),e,h)}}; -g.k.dA=function(){KO(this.Ia,"clickthrough")}; -g.k.jh=function(a,b){a.layoutId!==this.layout.layoutId?this.callback.Nf(this.slot,a,new aQ("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType))):(this.B="rendering_stop_requested",this.F=b,this.D.stop(),Lqa(this.ua.get(),!0))}; -g.k.Tu=function(a){a!==this.u?S("Received CueRangeEnter signal for unknown layout.",this.slot,this.layout,{cueRangeId:a}):(this.Bb.get().removeCueRange(this.u),this.u=void 0,a=X(this.layout.va,"metadata_type_video_length_seconds"),Yqa(this,a,!0),LO(this.Ia,"complete"))}; -g.k.yd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.B="not_rendering",this.F=void 0,wM(this.Tc.get()),Zqa(this,!0),"abandoned"!==c&&this.ld.get().u("onAdComplete"),this.ld.get().u("onAdEnd",this.adCpn),this.C(0),c){case "abandoned":var d;LO(this.Ia,"abandon");var e=(null===(d=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===d?void 0:d.onAbandonCommands)||[];d=this.oc.get();a=this.layout.layoutId;nN(d.u(),e,a);break;case "normal":LO(this.Ia,"complete");d= -(null===(e=X(this.layout.va,"metadata_type_instream_video_ad_commands"))||void 0===e?void 0:e.completeCommands)||[];e=this.oc.get();a=this.layout.layoutId;nN(e.u(),d,a);break;case "skipped":LO(this.Ia,"skip")}}; -g.k.tq=function(){return this.layout.layoutId}; -g.k.Xx=function(){return this.R}; -g.k.gz=function(){}; -g.k.Io=function(a){Yqa(this,a)}; -g.k.Ko=function(a){var b,c;if("not_rendering"!==this.B){this.I||(a=new g.EK(a.state,new g.AM),this.I=!0);var d=2===this.ua.get().getPresentingPlayerType();"rendering_start_requested"===this.B?d&&QR(a)&&this.callback.xd(this.slot,this.layout):g.GK(a,2)||!d?this.K():(QR(a)?this.C(1):a.state.isError()?SR(this,null===(b=a.state.getData())||void 0===b?void 0:b.errorCode,new aQ("There was a player error during this media layout.",{playerErrorCode:null===(c=a.state.getData())||void 0===c?void 0:c.errorCode})): -g.GK(a,4)&&!g.GK(a,2)&&(KO(this.Ia,"pause"),this.C(2)),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"))}}; -g.k.BE=function(){LO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){LO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){LO(this.Ia,"active_view_viewable")}; -g.k.yo=function(a){2===this.ua.get().getPresentingPlayerType()&&(a?KO(this.Ia,"fullscreen"):KO(this.Ia,"end_fullscreen"))}; -g.k.zo=function(){2===this.ua.get().getPresentingPlayerType()&&KO(this.Ia,this.ua.get().isMuted()?"mute":"unmute")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){};g.u(UR,MR);g.k=UR.prototype;g.k.Ve=function(){return this.u.Ve()}; -g.k.Vd=function(){return this.u.Vd()}; -g.k.init=function(){this.u.init()}; -g.k.release=function(){this.u.release()}; -g.k.IH=function(a){this.u.startRendering(a)}; -g.k.JH=function(a,b){this.u.jh(a,b)};VR.prototype.u=function(a,b,c,d){if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb,this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.u(WR,g.C);g.k=WR.prototype;g.k.xd=function(a,b){var c=this;if(bra(this)&&"LAYOUT_TYPE_MEDIA"===b.layoutType&&NP(b,this.C)){var d=pG(this.Da.get(),2),e=this.u(b,d);e?nG(this.tb.get(),"opportunity_type_player_bytes_media_layout_entered",function(){return[xqa(c.ib.get(),e.contentCpn,e.pw,function(f){return c.B(f.slotId,"core",e,SP(c.gb.get(),f))},e.MD)]}):S("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.cf=function(){}; -g.k.bi=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.yd=function(){};var HS=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=dra.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot)}; -g.k.release=function(){};ZR.prototype.u=function(a,b){return new dra(a,b)};g.k=era.prototype;g.k.init=function(){}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");this.callback.cf(this.slot)}; -g.k.Qx=function(){this.callback.df(this.slot);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing")}; -g.k.release=function(){};g.k=fra.prototype;g.k.init=function(){lH(this.slot)&&(this.u=!0)}; -g.k.Ve=function(){return this.slot}; -g.k.Lx=function(){var a=this.ua.get();g.I(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.I(a.J.getRootNode(),"ad-interrupting");this.callback.cf(this.slot)}; -g.k.Qx=function(){gra(this);var a=this.ua.get();g.sn(a.J.getRootNode(),"ad-showing");a=this.ua.get();g.sn(a.J.getRootNode(),"ad-interrupting");this.callback.df(this.slot)}; -g.k.release=function(){gra(this)};$R.prototype.u=function(a,b){if(eH(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new era(a,b,this.ua);if(eH(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new fra(a,b,this.ua);throw new gH("Unsupported slot with type "+b.ab+" and client metadata: "+(PP(b.va)+" in PlayerBytesSlotAdapterFactory."));};g.u(bS,g.C);bS.prototype.Eq=function(a){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof xQ&&2===d.category&&e.u===a&&b.push(d)}b.length&&gQ(this.kz(),b)};g.u(cS,bS);g.k=cS.prototype;g.k.If=function(a,b){if(b)if("survey-submit"===a){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f instanceof yQ&&f.u===b&&c.push(e)}c.length?gQ(this.kz(),c):S("Survey is submitted but no registered triggers can be activated.")}else if("skip-button"===a){c=[];d=g.q(this.ob.values());for(e=d.next();!e.done;e=d.next())e=e.value,f=e.trigger,f instanceof xQ&&1===e.category&&f.u===b&&c.push(e);c.length&&gQ(this.kz(),c)}}; -g.k.Eq=function(a){bS.prototype.Eq.call(this,a)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof yQ||b instanceof xQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.uy=function(){}; -g.k.ty=function(){}; -g.k.eu=function(){};g.u(dS,g.C);g.k=dS.prototype; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof ZQ||b instanceof $Q||b instanceof aR||b instanceof bR||b instanceof cR||b instanceof RQ||b instanceof mH||b instanceof wQ||b instanceof DQ||b instanceof QQ||b instanceof VQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new aS(a,b,c,d);this.ob.set(b.triggerId,a);b instanceof cR&&this.F.has(b.B)&& -gQ(this.u(),[a]);b instanceof ZQ&&this.C.has(b.B)&&gQ(this.u(),[a]);b instanceof mH&&this.B.has(b.u)&&gQ(this.u(),[a])}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(a){this.F.add(a.slotId);for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof cR&&a.slotId===d.trigger.B&&b.push(d);0FK(a,16)){a=g.q(this.u);for(var b=a.next();!b.done;b=a.next())this.Tu(b.value);this.u.clear()}}; -g.k.Io=function(){}; -g.k.yo=function(){}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.zo=function(){};g.u(hS,g.C);g.k=hS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof zQ||b instanceof YQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.hn=function(){}; -g.k.Jk=function(){}; -g.k.Ii=function(){}; -g.k.xd=function(a,b){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.u?S("called onLayoutEntered with AboveFeedSlot but there is already a layout entered"):this.u=b.layoutId)}; -g.k.yd=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(this.u=null)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null!=this.B?S("called onSlotEntered with AboveFeedSlot but there is already a slot entered"):this.B=a.slotId)}; -g.k.df=function(a){"SLOT_TYPE_ABOVE_FEED"===a.ab&&(null===this.B?S("called onSlotExited with AboveFeedSlot but there is no entered slot"):this.B=null)}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.Vp=function(){null!=this.u&&OR(this,this.u)}; -g.k.kq=function(a){if(null===this.B){for(var b=[],c=g.q(this.ob.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof YQ&&d.trigger.slotId===a&&b.push(d);b.length&&gQ(this.C(),b)}}; -g.k.Ct=function(){};g.u(iS,g.C);g.k=iS.prototype;g.k.Zg=function(a,b){for(var c=[],d=g.q(this.ob.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&gQ(this.u(),c)}; -g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof rqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -g.k.mh=function(a){this.ob["delete"](a.triggerId)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.xd=function(){}; -g.k.yd=function(){};g.u(jS,g.C);jS.prototype.init=function(){}; -jS.prototype.release=function(){}; -jS.prototype.ca=function(){this.Od.get().removeListener(this);g.C.prototype.ca.call(this)};kS.prototype.fetch=function(a){var b=this,c=a.DC;return this.Qw.fetch(a.pI,{Zp:void 0===a.Zp?void 0:a.Zp,Kd:c}).then(function(d){var e=null,f=null;if(g.Q(b.Ca.get().J.T().experiments,"get_midroll_info_use_client_rpc"))f=d;else try{(e=JSON.parse(d.response))&&(f=e)}catch(h){d.response&&(d=d.response,d.startsWith("GIF89")||(h.params=d.substr(0,256),g.Is(h)))}return jra(f,c)})};g.u(lS,g.C);g.k=lS.prototype;g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.onAdUxClicked=function(a,b){mS(this,function(c){c.If(a,b)})}; -g.k.TL=function(a){mS(this,function(b){b.uy(a)})}; -g.k.SL=function(a){mS(this,function(b){b.ty(a)})}; -g.k.aO=function(a){mS(this,function(b){b.eu(a)})};oS.prototype.u=function(a,b){for(var c=[],d=1;d=Math.abs(e-f)}e&&LO(this.Ia,"ad_placement_end")}; -g.k.cG=function(a){a=a.layoutId;var b,c;this.u&&(null===(b=this.u.zi)||void 0===b?void 0:b.layout.layoutId)!==a&&(null===(c=this.u.zi)||void 0===c?void 0:c.jh("normal"),ora(this,a))}; -g.k.UF=function(){}; -g.k.LF=function(a){var b=X(this.layout.va,"metadata_type_layout_enter_ms"),c=X(this.layout.va,"metadata_type_layout_exit_ms");a*=1E3;b<=a&&ad&&(c=d-c,d=this.eg.get(),RAa(d.J.app,b,c))}else S("Unexpected failure to add to playback timeline",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}))}else S("Expected non-zero layout duration",this.slot,this.layout,Object.assign(Object.assign({},sS(this.layout)),{compositeLayout:tra(X(this.slot.va,"metadata_type_fulfilled_layout"))}));this.ua.get().addListener(this); -Dqa(this.jb.get(),this.layout.layoutId,a,this);eQ(this.callback,this.slot,this.layout)}; -g.k.release=function(){this.ua.get().removeListener(this);Eqa(this.jb.get(),this.layout.layoutId)}; -g.k.startRendering=function(){if(this.u)S("Expected the layout not to be entered before start rendering",this.slot,this.layout);else{this.u={bz:null,tH:!1};var a=X(this.layout.va,"metadata_type_sodar_extension_data");if(a)try{Nqa(this.Bd.get(),a)}catch(b){S("Unexpected error when loading Sodar",this.slot,this.layout,{error:b})}fQ(this.callback,this.slot,this.layout)}}; -g.k.jh=function(a){this.u?(this.u=null,$L(this.callback,this.slot,this.layout,a)):S("Expected the layout to be entered before stop rendering",this.slot,this.layout)}; -g.k.Io=function(a){if(this.u){if(this.Ia.u.has("impression")){var b=nR(this.ua.get());sra(this,b,a,this.u.bz)}this.u.bz=a}}; -g.k.Ko=function(a){if(this.u){this.u.tH||(this.u.tH=!0,a=new g.EK(a.state,new g.AM));var b=kQ(this.ua.get(),2,!1);QR(a)&&RR(b,0,null)&&LO(this.Ia,"impression");if(this.Ia.u.has("impression")&&(g.GK(a,4)&&!g.GK(a,2)&&KO(this.Ia,"pause"),0>FK(a,4)&&!(0>FK(a,2))&&KO(this.Ia,"resume"),g.GK(a,16)&&.5<=kQ(this.ua.get(),2,!1)&&KO(this.Ia,"seek"),g.GK(a,2))){var c=X(this.layout.va,"metadata_type_video_length_seconds"),d=1>=Math.abs(c-b);sra(this,a.state,d?c:b,this.u.bz);d&&LO(this.Ia,"complete")}}}; -g.k.yo=function(a){this.Ia.u.has("impression")&&KO(this.Ia,a?"fullscreen":"end_fullscreen")}; -g.k.kj=function(){}; -g.k.Ho=function(){}; -g.k.pG=function(){}; -g.k.zo=function(){}; -g.k.dA=function(){this.Ia.u.has("impression")&&KO(this.Ia,"clickthrough")}; -g.k.BE=function(){KO(this.Ia,"active_view_measurable")}; -g.k.AE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_fully_viewable_audible_half_duration")}; -g.k.CE=function(){this.Ia.u.has("impression")&&!this.Ia.u.has("seek")&&KO(this.Ia,"active_view_viewable")};tS.prototype.u=function(a,b,c,d){if(c.va.u.has("metadata_type_dai")){a:{var e=X(d.va,"metadata_type_sub_layouts"),f=X(d.va,"metadata_type_ad_placement_config");if(CR(d,{Be:["metadata_type_layout_enter_ms","metadata_type_drift_recovery_ms","metadata_type_layout_exit_ms"],wg:["LAYOUT_TYPE_COMPOSITE_PLAYER_BYTES"]})&&void 0!==e&&void 0!==f){var h=[];e=g.q(e);for(var l=e.next();!l.done;l=e.next()){l=l.value;var m=X(l.va,"metadata_type_sub_layout_index");if(!CR(l,{Be:["metadata_type_video_length_seconds", -"metadata_type_player_vars","metadata_type_layout_enter_ms","metadata_type_layout_exit_ms","metadata_type_player_bytes_callback_ref"],wg:["LAYOUT_TYPE_MEDIA"]})||void 0===m){a=null;break a}m=new GO(l.kd,this.Fa,f,l.layoutId,m);h.push(new rra(b,c,l,this.eg,m,this.ua,this.Sc,this.jb,this.Bd))}b=new GO(d.kd,this.Fa,f,d.layoutId);a=new mra(a,c,d,this.Da,this.eg,this.ee,this.ua,b,this.Fa,h)}else a=null}if(a)return a}else if(a=ara(a,b,c,d,this.me,this.B,this.Fa,this.jb,this.Bd,this.Yc,this.Da,this.ua,this.Bb, -this.Tc,this.ld,this.Dd,this.oc,this.Gd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in PlayerBytesLayoutRenderingAdapterFactory.");};g.u(uS,g.C);g.k=uS.prototype;g.k.UF=function(a){this.u&&ura(this,this.u,a)}; -g.k.LF=function(){}; -g.k.ej=function(a){this.u&&this.u.contentCpn!==a&&(S("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn}),this.u=null)}; -g.k.Pm=function(a){this.u&&this.u.contentCpn!==a&&S("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.u.contentCpn});this.u=null}; -g.k.ca=function(){g.C.prototype.ca.call(this);this.u=null};g.u(vS,g.C); -vS.prototype.ih=function(a,b,c,d){if(this.B.has(b.triggerId)||this.C.has(b.triggerId))throw new gH("Tried to re-register the trigger.");a=new aS(a,b,c,d);if(a.trigger instanceof uqa)this.B.set(a.trigger.triggerId,a);else if(a.trigger instanceof qqa)this.C.set(a.trigger.triggerId,a);else throw new gH("Incorrect TriggerType: Tried to register trigger of type "+a.trigger.triggerType+" in LiveStreamBreakTransitionTriggerAdapter");this.B.has(a.trigger.triggerId)&&a.slot.slotId===this.u&&gQ(this.D(),[a])}; -vS.prototype.mh=function(a){this.B["delete"](a.triggerId);this.C["delete"](a.triggerId)}; -vS.prototype.cG=function(a){a=a.slotId;if(this.u!==a){var b=[];null!=this.u&&b.push.apply(b,g.ma(vra(this.C,this.u)));null!=a&&b.push.apply(b,g.ma(vra(this.B,a)));this.u=a;b.length&&gQ(this.D(),b)}};g.u(wS,g.C);g.k=wS.prototype;g.k.ej=function(){this.D=new fM(this,Cqa(this.Ca.get()));this.C=new gM;wra(this)}; -g.k.Pm=function(){}; -g.k.addListener=function(a){this.listeners.push(a)}; -g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; -g.k.VF=function(a){this.u.push(a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.UF(a)}; -g.k.MF=function(a){g.Bb(this.C.u,1E3*a);for(var b=g.q(this.listeners),c=b.next();!c.done;c=b.next())c.value.LF(a)}; -g.k.Ez=function(a){var b=pG(this.Da.get(),1),c=b.clientPlaybackNonce;b=b.daiEnabled;var d=Date.now();a=g.q(a);for(var e=a.next();!e.done;e=a.next())e=e.value,b&&qR(this.Fa.get(),{cuepointTrigger:{event:xra(e.event),cuepointId:e.identifier,totalCueDurationMs:1E3*e.durationSecs,playheadTimeMs:e.u,cueStartTimeMs:1E3*e.startSecs,cuepointReceivedTimeMs:d,contentCpn:c}}),this.B.add(e),this.D.reduce(e)}; -g.k.ca=function(){this.J.getVideoData(1).unsubscribe("cuepointupdated",this.Ez,this);this.listeners.length=0;this.B.clear();this.u.length=0;g.C.prototype.ca.call(this)};xS.prototype.addListener=function(a){this.listeners.add(a)}; -xS.prototype.removeListener=function(a){this.listeners["delete"](a)};g.u(yS,FR);g.k=yS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_image_companion_ad_renderer",function(b,c,d,e,f){return new Fna(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};g.u(zS,FR);g.k=zS.prototype;g.k.If=function(a,b){HR(this.Jp,a,this.Nd.get().u,this.Fa.get(),this.Ah,this.cj,this.Ve(),this.Vd(),b)}; -g.k.startRendering=function(a){GR(this.Ia,this.Ve(),this.Vd(),this.callback,"metadata_type_shopping_companion_carousel_renderer",function(b,c,d,e,f){return new EL(b,c,d,e,f)},this.wk); -FR.prototype.startRendering.call(this,a)}; -g.k.xd=function(a,b){b.layoutId===this.layout.layoutId?LO(this.Ia,"impression"):this.cj===b.layoutId&&(null===this.Ah?this.Ah=this.Fa.get().Yf():S("OnLayoutEntered should set engagePingCallback, but it was not null",this.slot,this.layout))}; -g.k.yd=function(){}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.ca=function(){this.me().B["delete"](this);FR.prototype.ca.call(this)};Dra.prototype.u=function(a,b,c,d){if(CR(d,Vqa()))return new IR(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Bra()))return new yS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);if(CR(d,Cra()))return new zS(a,c,d,this.Vb,this.Fa,this.me,this.jb,this.Nd);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in DesktopAboveFeedLayoutRenderingAdapterFactory.");};g.u(AS,FR);g.k=AS.prototype;g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout);if(this.C=PO(a,Kqa(this.ua.get())))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};g.u(BS,FR);g.k=BS.prototype;g.k.init=function(){FR.prototype.init.call(this);rR(this.Fa.get(),this);this.ua.get().addListener(this);this.wk.push(new oL(QO(this.layout),JO(this.Ia),this.layout.layoutId,{adsClientData:this.layout.td}))}; -g.k.startRendering=function(a){FR.prototype.startRendering.call(this,a);this.callback.xd(this.slot,a)}; -g.k.If=function(a){"in_video_overlay_close_button"===a&&ES(this.B,this.layout)}; -g.k.uy=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.stop()}}; -g.k.eu=function(a){"invideo-overlay"===a&&ES(this.B,this.layout)}; -g.k.ty=function(a){if("invideo-overlay"===a){a=Fra(this.D,this.layout);a=g.q(a);for(var b=a.next();!b.done;b=a.next())b.value.start()}}; -g.k.Io=function(){}; -g.k.Ko=function(){}; -g.k.yo=function(){}; -g.k.kj=function(a){a&&ES(this.B,this.layout)}; -g.k.Ho=function(a){var b=QO(this.layout),c=b.contentSupportedRenderer.imageOverlayAdContentRenderer,d=Kqa(this.ua.get());a:{c=c.image;c=void 0===c?null:c;if(null!=c&&(c=c.thumbnail,null!=c&&null!=c.thumbnails&&!g.kb(c.thumbnails)&&null!=c.thumbnails[0].width&&null!=c.thumbnails[0].height)){c=new g.ie(c.thumbnails[0].width||0,c.thumbnails[0].height||0);break a}c=new g.ie(0,0)}if(this.C=PO(a,d,c))b.onErrorCommand&&this.oc.get().executeCommand(b.onErrorCommand,this.layout.layoutId),ES(this.B,this.layout)}; -g.k.zo=function(){}; -g.k.tq=function(){return this.Vd().layoutId}; -g.k.Xx=function(){return this.C}; -g.k.release=function(){FR.prototype.release.call(this);this.ua.get().removeListener(this);sR(this.Fa.get(),this)};CS.prototype.u=function(a,b,c,d){if(b=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return b;b=["metadata_type_invideo_overlay_ad_renderer"];for(var e=g.q(HO()),f=e.next();!f.done;f=e.next())b.push(f.value);if(CR(d,{Be:b,wg:["LAYOUT_TYPE_IN_VIDEO_IMAGE_OVERLAY"]}))return new BS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.C,this.ua,this.oc,this.Ca);if(CR(d,Era()))return new AS(c,d,this.Fa,this.jb,this.Vb,a,this.B,this.ua,this.oc,this.Ca);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+ -PP(d.va)+" in WebDesktopMainAndEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.u(DS,g.C);DS.prototype.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof pqa))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in CloseRequestedTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d))}; -DS.prototype.mh=function(a){this.ob["delete"](a.triggerId)};g.u(FS,g.C);g.k=FS.prototype;g.k.ih=function(a,b,c,d){if(this.ob.has(b.triggerId))throw new gH("Tried to register duplicate trigger for slot.");if(!(b instanceof CQ))throw new gH("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.ob.set(b.triggerId,new aS(a,b,c,d));a=this.u.has(b.u)?this.u.get(b.u):new Set;a.add(b);this.u.set(b.u,a)}; -g.k.mh=function(a){this.ob["delete"](a.triggerId);if(!(a instanceof CQ))throw new gH("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.B.get(a.triggerId);b&&(b.dispose(),this.B["delete"](a.triggerId));if(b=this.u.get(a.u))b["delete"](a),0===b.size&&this.u["delete"](a.u)}; -g.k.Ag=function(){}; -g.k.nj=function(){}; -g.k.bi=function(){}; -g.k.cf=function(){}; -g.k.df=function(){}; -g.k.lj=function(){}; -g.k.mj=function(){}; -g.k.ai=function(){}; -g.k.jj=function(){}; -g.k.Zg=function(){}; -g.k.xd=function(a,b){var c=this;if(this.u.has(b.layoutId)){var d=this.u.get(b.layoutId),e={};d=g.q(d);for(var f=d.next();!f.done;e={Ep:e.Ep},f=d.next())e.Ep=f.value,f=new g.F(function(h){return function(){var l=c.ob.get(h.Ep.triggerId);gQ(c.C(),[l])}}(e),e.Ep.durationMs),f.start(),this.B.set(e.Ep.triggerId,f)}}; -g.k.yd=function(){};g.u(GS,g.C);GS.prototype.init=function(){}; -GS.prototype.release=function(){}; -GS.prototype.ca=function(){this.bj.get().removeListener(this);g.C.prototype.ca.call(this)};g.u(Gra,g.C);g.u(Hra,g.C);g.u(Ira,g.C);g.u(Jra,g.C);g.u(IS,JR);IS.prototype.startRendering=function(a){JR.prototype.startRendering.call(this,a);X(this.layout.va,"metadata_ad_video_is_listed")&&(a=X(this.layout.va,"metadata_type_ad_info_ad_metadata"),this.Jn.get().J.xa("onAdMetadataAvailable",a))};Kra.prototype.u=function(a,b,c,d){b=Wqa();b.Be.push("metadata_type_ad_info_ad_metadata");if(CR(d,b))return new IS(a,c,d,this.Vb,this.ua,this.Fa,this.Nd,this.Jn);throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.u(Lra,g.C);Mra.prototype.u=function(a,b,c,d){if(a=KR(a,c,d,this.Vb,this.ua,this.Fa,this.Nd))return a;throw new aQ("Unsupported layout with type: "+d.layoutType+" and client metadata: "+PP(d.va)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.u(Nra,g.C);g.u(Pra,g.C);g.k=Qra.prototype;g.k.kq=function(a){a:{var b=g.q(this.B.u.u.values());for(var c=b.next();!c.done;c=b.next()){c=g.q(c.value.values());for(var d=c.next();!d.done;d=c.next())if(d=d.value,d.slot.slotId===a&&"scheduled"===d.u){b=!0;break a}}b=!1}if(b)this.yi.kq(a);else try{this.u().kq(a)}catch(e){g.Fo(e)}}; -g.k.Vp=function(){a:{var a=jQ(this.B.u,"SLOT_TYPE_ABOVE_FEED_1");a=g.q(a.values());for(var b=a.next();!b.done;b=a.next())if(iQ(b.value)){a=!0;break a}a=!1}a?this.yi.Vp():this.u().Vp()}; -g.k.Ct=function(a){this.u().Ct(a)}; -g.k.hn=function(){this.u().hn()}; -g.k.Jk=function(){this.u().Jk()}; -g.k.Ii=function(){this.u().Ii()};g.u(g.JS,g.O);g.k=g.JS.prototype;g.k.create=function(){}; -g.k.load=function(){this.loaded=!0}; -g.k.unload=function(){this.loaded=!1}; -g.k.Ae=function(){}; -g.k.ii=function(){return!0}; -g.k.ca=function(){this.loaded&&this.unload();g.O.prototype.ca.call(this)}; -g.k.sb=function(){return{}}; -g.k.getOptions=function(){return[]};g.u(KS,g.JS);g.k=KS.prototype;g.k.create=function(){this.load();this.created=!0}; -g.k.load=function(){g.JS.prototype.load.call(this);this.player.getRootNode().classList.add("ad-created");var a=this.B.u.Ke.qg,b=this.F(),c=this.player.getVideoData(1),d=c&&c.videoId||"",e=c&&c.getPlayerResponse()||{},f=(e&&e.adPlacements||[]).map(function(l){return l.adPlacementRenderer}); -e=e.playerConfig&&e.playerConfig.daiConfig&&e.playerConfig.daiConfig.enableDai||!1;f=Tra(f,a,e);c=c&&c.clientPlaybackNonce||"";var h=1E3*this.player.getDuration(1);uN(a)?(this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em),zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),sN(this.u)):(zqa(this.B.u.ik,c,h,f.Mo,f.Mo.concat(f.em),e,d),this.u=new rN(this,this.player,this.D,b,this.B.u.Ke),qna(this.u,f.em))}; -g.k.destroy=function(){var a=this.player.getVideoData(1);Aqa(this.B.u.ik,a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; -g.k.unload=function(){g.JS.prototype.unload.call(this);this.player.getRootNode().classList.remove("ad-created");if(null!==this.u){var a=this.u;this.u=null;a.dispose()}null!=this.C&&(a=this.C,this.C=null,a.dispose());this.D.reset()}; -g.k.ii=function(){return!1}; -g.k.yA=function(){return null===this.u?!1:this.u.yA()}; -g.k.ij=function(a){null!==this.u&&this.u.ij(a)}; -g.k.getAdState=function(){return this.u?this.u.Aa:-1}; -g.k.getOptions=function(){return Object.values(TCa)}; -g.k.Ae=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":var c=b;if(c.url){var d=TJ(this.player);Object.assign(d,c.u);this.u&&!d.AD_CPN&&(d.AD_CPN=this.u.Ja);c=g.en(c.url,d)}else c=null;return c;case "isExternalShelfAllowedFor":a:if(b.playerResponse){c=b.playerResponse.adPlacements||[];for(d=0;dthis.B;)a[e++]^=d[this.B++];for(var f=c-(c-e)%16;ea||10tJ&&(a=Math.max(.1,a)),this.Zv(a))}; -g.k.stopVideo=function(){this.We()&&(XCa&&or&&0=a)){a-=this.u.length;for(var b=0;b=(a||1)}; -g.k.pJ=function(){for(var a=this.C.length-1;0<=a;a--)XS(this,this.C[a]);this.u.length==this.B.length&&4<=this.u.length||(4>this.B.length?this.QC(4):(this.u=[],g.Cb(this.B,function(b){XS(this,b)},this)))}; -WS.prototype.fillPool=WS.prototype.QC;WS.prototype.getTag=WS.prototype.xK;WS.prototype.releaseTag=WS.prototype.ER;WS.prototype.hasTags=WS.prototype.bL;WS.prototype.activateTags=WS.prototype.pJ;g.u(g.YS,g.RS);g.k=g.YS.prototype;g.k.ol=function(){return!0}; -g.k.isView=function(){return!1}; -g.k.Wv=function(){return!1}; -g.k.Pa=function(){return this.u}; -g.k.We=function(){return this.u.src}; -g.k.bw=function(a){var b=this.getPlaybackRate();this.u.src=a;this.setPlaybackRate(b)}; -g.k.Uv=function(){this.u.removeAttribute("src")}; -g.k.getPlaybackRate=function(){try{return 0<=this.u.playbackRate?this.u.playbackRate:1}catch(a){return 1}}; -g.k.setPlaybackRate=function(a){this.getPlaybackRate()!=a&&(this.u.playbackRate=a);return a}; -g.k.sm=function(){return this.u.loop}; -g.k.setLoop=function(a){this.u.loop=a}; -g.k.canPlayType=function(a,b){return this.u.canPlayType(a,b)}; -g.k.pl=function(){return this.u.paused}; -g.k.Wq=function(){return this.u.seeking}; -g.k.Yi=function(){return this.u.ended}; -g.k.Rt=function(){return this.u.muted}; -g.k.gp=function(a){sB();this.u.muted=a}; -g.k.xm=function(){return this.u.played||Vz([],[])}; -g.k.Gf=function(){try{var a=this.u.buffered}catch(b){}return a||Vz([],[])}; -g.k.yq=function(){return this.u.seekable||Vz([],[])}; -g.k.Zu=function(){return this.u.getStartDate?this.u.getStartDate():null}; -g.k.getCurrentTime=function(){return this.u.currentTime}; -g.k.Zv=function(a){this.u.currentTime=a}; -g.k.getDuration=function(){return this.u.duration}; -g.k.load=function(){var a=this.u.playbackRate;this.u.load&&this.u.load();this.u.playbackRate=a}; -g.k.pause=function(){this.u.pause()}; -g.k.play=function(){var a=this.u.play();if(!a||!a.then)return null;a.then(void 0,function(){}); -return a}; -g.k.yg=function(){return this.u.readyState}; -g.k.St=function(){return this.u.networkState}; -g.k.Sh=function(){return this.u.error?this.u.error.code:null}; -g.k.Bo=function(){return this.u.error?this.u.error.message:""}; -g.k.getVideoPlaybackQuality=function(){var a={};if(this.u){if(this.u.getVideoPlaybackQuality)return this.u.getVideoPlaybackQuality();this.u.webkitDecodedFrameCount&&(a.totalVideoFrames=this.u.webkitDecodedFrameCount,a.droppedVideoFrames=this.u.webkitDroppedFrameCount)}return a}; -g.k.Ze=function(){return!!this.u.webkitCurrentPlaybackTargetIsWireless}; -g.k.fn=function(){return!!this.u.webkitShowPlaybackTargetPicker()}; -g.k.togglePictureInPicture=function(){qB()?this.u!=window.document.pictureInPictureElement?this.u.requestPictureInPicture():window.document.exitPictureInPicture():rB()&&this.u.webkitSetPresentationMode("picture-in-picture"==this.u.webkitPresentationMode?"inline":"picture-in-picture")}; -g.k.Pk=function(){var a=this.u;return new g.ge(a.offsetLeft,a.offsetTop)}; -g.k.setPosition=function(a){return g.Cg(this.u,a)}; -g.k.Co=function(){return g.Lg(this.u)}; -g.k.setSize=function(a){return g.Kg(this.u,a)}; -g.k.getVolume=function(){return this.u.volume}; -g.k.setVolume=function(a){sB();this.u.volume=a}; -g.k.Kx=function(a){if(!this.B[a]){var b=(0,g.z)(this.DL,this);this.u.addEventListener(a,b);this.B[a]=b}}; -g.k.DL=function(a){this.dispatchEvent(new VS(this,a.type,a))}; -g.k.setAttribute=function(a,b){this.u.setAttribute(a,b)}; -g.k.removeAttribute=function(a){this.u.removeAttribute(a)}; -g.k.hasAttribute=function(a){return this.u.hasAttribute(a)}; -g.k.Lp=ba(7);g.k.hs=ba(9);g.k.jn=ba(4);g.k.Wp=ba(11);g.k.iq=function(){return pt(this.u)}; -g.k.Aq=function(a){return g.yg(this.u,a)}; -g.k.Ky=function(){return g.Me(document.body,this.u)}; -g.k.ca=function(){for(var a in this.B)this.u.removeEventListener(a,this.B[a]);g.RS.prototype.ca.call(this)};g.u(g.ZS,g.RS);g.k=g.ZS.prototype;g.k.isView=function(){return!0}; -g.k.Wv=function(){var a=this.u.getCurrentTime();if(a=c.lk.length)c=!1;else{for(var d=g.q(c.lk),e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof GH)){c=!1;break a}var f=a.u.getId();e.B&&(e.B.u=f,e.u=null)}c.Qr=a;c= -!0}c&&(b.V("internalaudioformatchange",b.videoData,!0),V_(b)&&b.Na("hlsaudio",a.id))}}}; -g.k.dK=function(){return this.getAvailableAudioTracks()}; -g.k.getAvailableAudioTracks=function(){return g.Z(this.app,this.playerType).getAvailableAudioTracks()}; -g.k.getMaxPlaybackQuality=function(){var a=g.Z(this.app,this.playerType);return a&&a.getVideoData().Oa?HC(a.Id?Pxa(a.cg,a.Id,a.co()):UD):"unknown"}; -g.k.getUserPlaybackQualityPreference=function(){var a=g.Z(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; -g.k.getSubtitlesUserSettings=function(){var a=g.nU(this.app.C);return a?a.yK():null}; -g.k.resetSubtitlesUserSettings=function(){g.nU(this.app.C).MR()}; +g.k.setUserEngagement=function(a){this.app.V().jl!==a&&(this.app.V().jl=a,(a=g.qS(this.app,this.playerType))&&wZ(a))}; +g.k.updateSubtitlesUserSettings=function(a,b){b=void 0===b?!0:b;g.JT(this.app.wb()).IY(a,b)}; +g.k.getCaptionWindowContainerId=function(){var a=g.JT(this.app.wb());return a?a.getCaptionWindowContainerId():""}; +g.k.toggleSubtitlesOn=function(){var a=g.JT(this.app.wb());a&&a.mY()}; +g.k.isSubtitlesOn=function(){var a=g.JT(this.app.wb());return a?a.isSubtitlesOn():!1}; +g.k.getPresentingPlayerType=function(){var a=this.app.getPresentingPlayerType(!0);2===a&&this.app.mf()&&(a=1);return a}; +g.k.getPlayerResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getPlayerResponse():null}; +g.k.getHeartbeatResponse=function(){var a=g.qS(this.app,this.playerType);return a?a.getVideoData().getHeartbeatResponse():null}; +g.k.getStoryboardFrame=function(a,b){var c=this.app.Hj();if(!c)return null;b=c.levels[b];return b?(a=g.UL(b,a))?{column:a.column,columns:a.columns,height:a.Dv,row:a.row,rows:a.rows,url:a.url,width:a.NC}:null:null}; +g.k.getStoryboardFrameIndex=function(a,b){var c=this.app.Hj();if(!c)return-1;b=c.levels[b];if(!b)return-1;a-=this.Jd();return b.OE(a)}; +g.k.getStoryboardLevel=function(a){var b=this.app.Hj();return b?(b=b.levels[a])?{index:a,intervalMs:b.j,maxFrameIndex:b.ix(),minFrameIndex:b.BJ()}:null:null}; +g.k.getNumberOfStoryboardLevels=function(){var a=this.app.Hj();return a?a.levels.length:0}; +g.k.X2=function(){return this.getAudioTrack()}; +g.k.getAudioTrack=function(){var a=g.qS(this.app,this.playerType);return a?a.getAudioTrack():this.app.getVideoData().wm}; +g.k.setAudioTrack=function(a,b){3===this.getPresentingPlayerType()&&JS(this.app.wb()).bp("control_set_audio_track",a);var c=g.qS(this.app,this.playerType);if(c)if(c.isDisposed()||g.S(c.playerState,128))a=!1;else{var d;if(null==(d=c.videoData.C)?0:d.j)b=b?c.getCurrentTime()-c.Jd():NaN,c.Fa.setAudioTrack(a,b);else if(O_a(c)){b:{b=c.mediaElement.audioTracks();for(d=0;d=b.Nd.length)b=!1;else{d=g.t(b.Nd);for(e=d.next();!e.done;e=d.next()){e=e.value;if(!(e instanceof VK)){b=!1;break b}var f=a.Jc.getId();e.B&&(Fxa(e.B,f),e.u=null)}b.Xn=a;b=!0}b&&oZ(c)&&(c.ma("internalaudioformatchange",c.videoData,!0),c.xa("hlsaudio",{id:a.id}))}a=!0}else a=!1;return a}; +g.k.Y2=function(){return this.getAvailableAudioTracks()}; +g.k.getAvailableAudioTracks=function(){return g.qS(this.app,this.playerType).getAvailableAudioTracks()}; +g.k.getMaxPlaybackQuality=function(){var a=g.qS(this.app,this.playerType);return a&&a.getVideoData().u?nF(a.Df?oYa(a.Ji,a.Df,a.Su()):ZL):"unknown"}; +g.k.getUserPlaybackQualityPreference=function(){var a=g.qS(this.app,this.playerType);return a?a.getUserPlaybackQualityPreference():"auto"}; +g.k.getSubtitlesUserSettings=function(){var a=g.JT(this.app.wb());return a?a.v3():null}; +g.k.resetSubtitlesUserSettings=function(){g.JT(this.app.wb()).J8()}; g.k.setMinimized=function(a){this.app.setMinimized(a)}; -g.k.setGlobalCrop=function(a){this.app.template.setGlobalCrop(a)}; -g.k.getVisibilityState=function(){var a=this.app.T();a=this.app.visibility.u&&!g.Q(a.experiments,"kevlar_miniplayer_disable_vis");return this.app.getVisibilityState(this.Ze(),this.isFullscreen()||mD(this.app.T()),a,this.isInline(),this.app.visibility.pictureInPicture,this.app.visibility.B)}; -g.k.isMutedByMutedAutoplay=function(){return this.app.Ta}; +g.k.setInlinePreview=function(a){this.app.setInlinePreview(a)}; +g.k.setGlobalCrop=function(a){this.app.jb().setGlobalCrop(a)}; +g.k.getVisibilityState=function(){var a=this.zg();return this.app.getVisibilityState(this.wh(),this.isFullscreen()||g.kK(this.app.V()),a,this.isInline(),this.app.Ty(),this.app.Ry())}; +g.k.isMutedByMutedAutoplay=function(){return this.app.oz}; g.k.isInline=function(){return this.app.isInline()}; -g.k.setInternalSize=function(a,b){this.app.template.setInternalSize(new g.ie(a,b))}; -g.k.yc=function(){var a=g.Z(this.app,void 0);return a?a.yc():0}; -g.k.Ze=function(){var a=g.Z(this.app,this.playerType);return!!a&&a.Ze()}; +g.k.setInternalSize=function(a,b){this.app.jb().setInternalSize(new g.He(a,b))}; +g.k.Jd=function(){var a=g.qS(this.app);return a?a.Jd():0}; +g.k.zg=function(){return this.app.zg()}; +g.k.wh=function(){var a=g.qS(this.app,this.playerType);return!!a&&a.wh()}; g.k.isFullscreen=function(){return this.app.isFullscreen()}; -g.k.setSafetyMode=function(a){this.app.T().enableSafetyMode=a}; +g.k.setSafetyMode=function(a){this.app.V().enableSafetyMode=a}; g.k.canPlayType=function(a){return this.app.canPlayType(a)}; -g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;if(b&&b!==a.list)if(this.ba("player_enable_playback_playlist_change"))c=!0;else return;void 0!==a.external_list&&this.app.setIsExternalPlaylist(a.external_list);var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==b.Ma().videoId||(a.index=b.index)):H0(this.app,{list:a.list,index:a.index,playlist_length:d.length});iU(this.app.getPlaylist(),a);this.xa("onPlaylistUpdate")}else this.app.updatePlaylist()}; -g.k.updateVideoData=function(a,b){var c=g.Z(this.app,this.playerType||1);c&&c.getVideoData().nh(a,b)}; -g.k.updateEnvironmentData=function(a){this.app.T().nh(a,!1)}; +g.k.updatePlaylist=function(a){if(a){var b=this.getPlaylistId(),c=!1;b&&b!==a.list&&(c=!0);void 0!==a.external_list&&(this.app.Lh=jz(!1,a.external_list));var d=a.video;(b=this.app.getPlaylist())&&!c?this.isFullscreen()&&((c=d[b.index])&&c.encrypted_id!==g.zT(b).videoId||(a.index=b.index)):JZ(this.app,{list:a.list,index:a.index,playlist_length:d.length});pLa(this.app.getPlaylist(),a);this.Na("onPlaylistUpdate")}else this.app.updatePlaylist()}; +g.k.updateVideoData=function(a,b){var c=g.qS(this.app,this.playerType||1);c&&g.cM(c.getVideoData(),a,b)}; +g.k.updateEnvironmentData=function(a){rK(this.app.V(),a,!1)}; g.k.sendVideoStatsEngageEvent=function(a){this.app.sendVideoStatsEngageEvent(a,this.playerType)}; -g.k.setCardsVisible=function(a,b,c){var d=g.RT(this.app.C);d&&d.Vq()&&d.setCardsVisible(a,b,c)}; -g.k.productsInVideoVisibilityUpdated=function(a){this.V("changeProductsInVideoVisibility",a)}; +g.k.productsInVideoVisibilityUpdated=function(a){this.ma("changeProductsInVideoVisibility",a)}; g.k.setInline=function(a){this.app.setInline(a)}; g.k.isAtLiveHead=function(a,b){return this.app.isAtLiveHead(a,void 0===b?!0:b)}; -g.k.getVideoAspectRatio=function(){return this.app.template.getVideoAspectRatio()}; -g.k.getPreferredQuality=function(){var a=g.Z(this.app);return a?a.getPreferredQuality():"unknown"}; -g.k.setPlaybackQualityRange=function(a,b){var c=g.Z(this.app,this.playerType);if(c){var d=FC(a,b||a,!0,"m");Qsa(c,d)}}; -g.k.onAdUxClicked=function(a,b){this.V("aduxclicked",a,b)}; -g.k.getLoopVideo=function(){return this.app.getLoopVideo()}; -g.k.setLoopVideo=function(a){this.app.setLoopVideo(a)}; -g.k.V=function(a,b){for(var c=[],d=1;da)){var d=this.api.getVideoData(),e=d.Pk;if(e&&aMath.random()){b=b?"pbp":"pbs";var c={startTime:this.j};a.T&&(c.cttAuthInfo={token:a.T,videoId:a.videoId});cF("seek",c);g.dF("cpn",a.clientPlaybackNonce,"seek");isNaN(this.u)||eF("pl_ss",this.u,"seek");eF(b,(0,g.M)(),"seek")}this.reset()}};g.k=hLa.prototype;g.k.reset=function(){$E(this.timerName)}; +g.k.tick=function(a,b){eF(a,b,this.timerName)}; +g.k.di=function(a){return Gta(a,this.timerName)}; +g.k.Mt=function(a){xT(a,void 0,this.timerName)}; +g.k.info=function(a,b){g.dF(a,b,this.timerName)};g.w(kLa,g.dE);g.k=kLa.prototype;g.k.Ck=function(a){return this.loop||!!a||this.index+1([^<>]+)<\/a>/;g.u(KU,g.tR);KU.prototype.Ra=function(){var a=this;this.B();var b=this.J.getVideoData();if(b.isValid()){var c=[];this.J.T().R||c.push({src:b.ne("mqdefault.jpg")||"",sizes:"320x180"});this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:c});c=b=null;g.NT(this.J)&&(this.u["delete"]("nexttrack"),this.u["delete"]("previoustrack"),b=function(){a.J.nextVideo()},c=function(){a.J.previousVideo()}); -JU(this,"nexttrack",b);JU(this,"previoustrack",c)}}; -KU.prototype.B=function(){var a=g.uK(this.J);a=a.isError()?"none":g.GM(a)?"playing":"paused";this.mediaSession.playbackState=a}; -KU.prototype.ca=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.q(this.u),b=a.next();!b.done;b=a.next())JU(this,b.value,null);g.tR.prototype.ca.call(this)};g.u(LU,g.V);LU.prototype.Ra=function(a,b){Ita(this,b);this.Pc&&Jta(this,this.Pc)}; -LU.prototype.lc=function(a){var b=this.J.getVideoData();this.videoId!==b.videoId&&Ita(this,b);this.u&&Jta(this,a.state);this.Pc=a.state}; -LU.prototype.Bc=function(){this.B.show();this.J.V("paidcontentoverlayvisibilitychange",!0)}; -LU.prototype.nb=function(){this.B.hide();this.J.V("paidcontentoverlayvisibilitychange",!1)};g.u(NU,g.V);NU.prototype.hide=function(){this.u.stop();this.message.style.display="none";g.V.prototype.hide.call(this)}; -NU.prototype.B=function(a){MU(this,a.state)}; -NU.prototype.C=function(){MU(this,g.uK(this.api))}; -NU.prototype.D=function(){this.message.style.display="block"};g.u(g.OU,g.KN);g.k=g.OU.prototype;g.k.show=function(){var a=this.zf();g.KN.prototype.show.call(this);this.Y&&(this.K.N(window,"blur",this.nb),this.K.N(document,"click",this.VM));a||this.V("show",!0)}; -g.k.hide=function(){var a=this.zf();g.KN.prototype.hide.call(this);Kta(this);a&&this.V("show",!1)}; -g.k.Bc=function(a,b){this.u=a;this.X.show();b?(this.P||(this.P=this.K.N(this.J,"appresize",this.TB)),this.TB()):this.P&&(this.K.Mb(this.P),this.P=void 0)}; -g.k.TB=function(){var a=g.BT(this.J);this.u&&a.To(this.element,this.u)}; -g.k.nb=function(){var a=this.zf();Kta(this);this.X.hide();a&&this.V("show",!1)}; -g.k.VM=function(a){var b=fp(a);b&&(g.Me(this.element,b)||this.u&&g.Me(this.u,b)||!g.cP(a))||this.nb()}; -g.k.zf=function(){return this.fb&&4!==this.X.state};g.u(QU,g.OU);QU.prototype.D=function(a){this.C&&(a?(Lta(this),this.Bc()):(this.seen&&Mta(this),this.nb()))}; -QU.prototype.F=function(a){this.api.isMutedByMutedAutoplay()&&g.GK(a,2)&&this.nb()}; -QU.prototype.onClick=function(){this.api.unMute();Mta(this)};g.u(g.SU,g.tR);g.k=g.SU.prototype;g.k.init=function(){var a=g.uK(this.api);this.vb(a);this.vk();this.Va()}; -g.k.Ra=function(a,b){if(this.fa!==b.videoId){this.fa=b.videoId;var c=this.Nc;c.fa=b&&0=b){this.C=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.D-1);02*b&&d<3*b&&(this.Jr(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.ip(a)}this.Aa=Date.now();this.Ja.start()}}; -g.k.nQ=function(a){Pta(this,a)||(Ota(this)||!VU(this,a)||this.F.isActive()||(RU(this),g.ip(a)),this.C&&(this.C=!1))}; -g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!0});HAa(!0);Hp();window.location.reload()},function(){g.Nq("embedsRequestStorageAccessResult",{resolved:!1}); -a.ev()})}; -g.k.ju=function(){}; -g.k.gn=function(){}; -g.k.Jr=function(){}; -g.k.ev=function(){var a=g.uK(this.api);g.U(a,2)&&JT(this.api)||(g.GM(a)?this.api.pauseVideo():(this.api.app.Ig=!0,this.api.playVideo(),this.B&&document.activeElement===this.B.D.element&&this.api.getRootNode().focus()))}; -g.k.oQ=function(a){var b=this.api.getPresentingPlayerType();if(!TU(this,fp(a)))if(a=this.api.T(),(g.Q(this.api.T().experiments,"player_doubletap_to_seek")||g.Q(this.api.T().experiments,"embeds_enable_mobile_dtts"))&&this.C)this.C=!1;else if(a.za&&3!==b)try{this.api.toggleFullscreen()["catch"](function(c){Qta(c)})}catch(c){Qta(c)}}; -g.k.pQ=function(a){Rta(this,.3,a.scale);g.ip(a)}; -g.k.qQ=function(a){Rta(this,.1,a.scale)}; -g.k.Va=function(){var a=g.cG(this.api).getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Nc.resize();g.J(b,"ytp-fullscreen",this.api.isFullscreen());g.J(b,"ytp-large-width-mode",c);g.J(b,"ytp-small-mode",this.Ie());g.J(b,"ytp-tiny-mode",this.Ie()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height));g.J(b,"ytp-big-mode",this.ge());this.u&&this.u.resize(a)}; -g.k.HM=function(a){this.vb(a.state);this.vk()}; -g.k.gy=function(){var a=!!this.fa&&!g.IT(this.api),b=2===this.api.getPresentingPlayerType(),c=this.api.T();if(b){if(CBa&&g.Q(c.experiments,"enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=sU(g.HT(this.api));return a&&b.yA()}return a&&(c.En||this.api.isFullscreen()||c.ng)}; -g.k.vk=function(){var a=this.gy();this.Vi!==a&&(this.Vi=a,g.J(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; -g.k.vb=function(a){var b=a.isCued()||this.api.Qj()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.ma&&this.Mb(this.ma),this.ma=this.N(g.cG(this.api),"touchstart",this.rQ,void 0,b));var c=a.Hb()&&!g.U(a,32)||UT(this.api);wU(this.Nc,128,!c);c=3===this.api.getPresentingPlayerType();wU(this.Nc,256,c);c=this.api.getRootNode();if(g.U(a,2))var d=[b2.ENDED];else d=[],g.U(a,8)?d.push(b2.PLAYING):g.U(a,4)&&d.push(b2.PAUSED),g.U(a,1)&&!g.U(a,32)&&d.push(b2.BUFFERING),g.U(a,32)&& -d.push(b2.SEEKING),g.U(a,64)&&d.push(b2.UNSTARTED);g.Ab(this.X,d)||(g.tn(c,this.X),this.X=d,g.rn(c,d));d=this.api.T();var e=g.U(a,2);g.J(c,"ytp-hide-controls",("3"===d.controlsType?!e:"1"!==d.controlsType)||b);g.J(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.aa);g.U(a,128)&&!g.hD(d)?(this.u||(this.u=new g.FU(this.api),g.D(this,this.u),g.BP(this.api,this.u.element,4)),this.u.B(a.getData()),this.u.show()):this.u&&(this.u.dispose(),this.u=null)}; -g.k.Ij=function(){return g.ST(this.api)&&g.TT(this.api)?(this.api.setCardsVisible(!1,!1),!0):g.IT(this.api)?(g.KT(this.api,!0),!0):!1}; -g.k.GM=function(a){this.aa=a;this.Fg()}; -g.k.ge=function(){return!1}; -g.k.Ie=function(){return!this.ge()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; -g.k.Nh=function(){return this.R}; -g.k.Qk=function(){return null}; -g.k.Pi=function(){var a=g.cG(this.api).getPlayerSize();return new g.jg(0,0,a.width,a.height)}; +g.k.Ak=function(){return this.u.getVideoUrl(g.zT(this).videoId,this.getPlaylistId())}; +g.k.qa=function(){this.j=null;g.$a(this.items);g.dE.prototype.qa.call(this)};var AT=new Map;g.w(g.CT,g.dE);g.k=g.CT.prototype;g.k.create=function(){}; +g.k.load=function(){this.loaded=!0}; +g.k.unload=function(){this.loaded=!1}; +g.k.qh=function(){}; +g.k.Tk=function(){return!0}; +g.k.qa=function(){this.loaded&&this.unload();g.dE.prototype.qa.call(this)}; +g.k.lc=function(){return{}}; +g.k.getOptions=function(){return[]};g.w(g.FT,g.C);g.k=g.FT.prototype;g.k.Qs=aa(29);g.k.cz=function(){}; +g.k.gr=function(){}; +g.k.Wu=function(){return""}; +g.k.AO=aa(30);g.k.qa=function(){this.gr();g.C.prototype.qa.call(this)};g.w(g.GT,g.FT);g.GT.prototype.Qs=aa(28);g.GT.prototype.cz=function(a){if(this.audioTrack)for(var b=g.t(this.audioTrack.captionTracks),c=b.next();!c.done;c=b.next())g.ET(this.j,c.value);a()}; +g.GT.prototype.Wu=function(a,b){var c=a.Ze(),d={fmt:b};if("srv3"===b||"3"===b||"json3"===b)g.Yy()?Object.assign(d,{xorb:2,xobt:1,xovt:1}):Object.assign(d,{xorb:2,xobt:3,xovt:3});a.translationLanguage&&(d.tlang=g.aL(a));this.Y.K("web_player_topify_subtitles_for_shorts")&&this.B&&(d.xosf="1");this.Y.K("captions_url_add_ei")&&this.eventId&&(d.ei=this.eventId);Object.assign(d,this.Y.j);return ty(c,d)}; +g.GT.prototype.gr=function(){this.u&&this.u.abort()};g.xLa.prototype.override=function(a){a=g.t(Object.entries(a));for(var b=a.next();!b.done;b=a.next()){var c=g.t(b.value);b=c.next().value;c=c.next().value;Object.defineProperty(this,b,{value:c})}};g.Vcb=new Map;g.w(g.IT,g.FT);g.IT.prototype.Qs=aa(27); +g.IT.prototype.cz=function(a){var b=this,c=this.B,d={type:"list",tlangs:1,v:this.videoId,vssids:1};this.JU&&(d.asrs=1);c=ty(c,d);this.gr();this.u=g.Hy(c,{format:"RAW",onSuccess:function(e){b.u=null;if((e=e.responseXML)&&e.firstChild){for(var f=e.getElementsByTagName("track"),h=0;h([^<>]+)<\/a>/;g.w(aU,g.bI);aU.prototype.Hi=function(){zMa(this)}; +aU.prototype.onVideoDataChange=function(){var a=this,b=this.F.getVideoData();if(b.De()){var c=this.F.V(),d=[],e="";if(!c.oa){var f=xMa(this);c.K("enable_web_media_session_metadata_fix")&&g.nK(c)&&f?(d=yMa(f.thumbnailDetails),f.album&&(e=g.gE(f.album))):d=[{src:b.wg("mqdefault.jpg")||"",sizes:"320x180",type:"image/jpeg"}]}zMa(this);wMa(this);this.mediaSession.metadata=new MediaMetadata({title:b.title,artist:b.author,artwork:d,album:e});c=b=null;g.KS(this.F)&&(this.j.delete("nexttrack"),this.j.delete("previoustrack"), +b=function(){a.F.nextVideo()},c=function(){a.F.previousVideo()}); +bU(this,"nexttrack",b);bU(this,"previoustrack",c)}}; +aU.prototype.qa=function(){this.mediaSession.playbackState="none";this.mediaSession.metadata=null;for(var a=g.t(this.j),b=a.next();!b.done;b=a.next())bU(this,b.value,null);g.bI.prototype.qa.call(this)};g.w(AMa,g.U);g.k=AMa.prototype;g.k.onClick=function(a){g.UT(a,this.F,!0);this.F.qb(this.element)}; +g.k.onVideoDataChange=function(a,b){CMa(this,b);this.Te&&DMa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&CMa(this,b);this.j&&DMa(this,a.state);this.Te=a.state}; +g.k.od=function(){this.C.show();this.F.ma("paidcontentoverlayvisibilitychange",!0);this.F.Ua(this.element,!0)}; +g.k.Fb=function(){this.C.hide();this.F.ma("paidcontentoverlayvisibilitychange",!1);this.F.Ua(this.element,!1)};g.w(cU,g.U);cU.prototype.hide=function(){this.j.stop();this.message.style.display="none";g.U.prototype.hide.call(this)}; +cU.prototype.onStateChange=function(a){this.qc(a.state)}; +cU.prototype.qc=function(a){if(g.S(a,128))var b=!1;else{var c;b=(null==(c=this.api.Rc())?0:c.Ns)?!1:g.S(a,16)||g.S(a,1)?!0:!1}b?this.j.start():this.hide()}; +cU.prototype.u=function(){this.message.style.display="block"};g.w(dU,g.PS);dU.prototype.onMutedAutoplayChange=function(a){this.B&&(a?(EMa(this),this.od()):(this.j&&this.qb(),this.Fb()))}; +dU.prototype.Hi=function(a){this.api.isMutedByMutedAutoplay()&&g.YN(a,2)&&this.Fb()}; +dU.prototype.onClick=function(){this.api.unMute();this.qb()}; +dU.prototype.qb=function(){this.clicked||(this.clicked=!0,this.api.qb(this.element))};g.w(g.eU,g.bI);g.k=g.eU.prototype;g.k.init=function(){var a=this.api,b=a.Cb();this.qC=a.getPlayerSize();this.pc(b);this.wp();this.Db();this.api.ma("basechromeinitialized",this)}; +g.k.onVideoDataChange=function(a,b){var c=this.GC!==b.videoId;if(c||"newdata"===a)a=this.api,a.isFullscreen()||(this.qC=a.getPlayerSize());c&&(this.GC=b.videoId,c=this.Ve,c.Aa=b&&0=b){this.vB=!0;b=this.api.getPlayerSize().width/3;var c=this.api.getRootNode().getBoundingClientRect(),d=a.targetTouches[0].clientX-c.left;c=a.targetTouches[0].clientY-c.top;var e=10*(this.PC-1);02*b&&d<3*b&&(this.GD(1,d,c,e),this.api.seekBy(10*this.api.getPlaybackRate()));g.EO(a)}else RT&&this.api.K("embeds_web_enable_mobile_dtts")&& +this.api.V().T&&fU(this,a)&&g.EO(a);this.hV=Date.now();this.qX.start()}}; +g.k.h7=function(){this.uN.HU=!1;this.api.ma("rootnodemousedown",this.uN)}; +g.k.d7=function(a){this.uN.HU||JMa(this,a)||(IMa(this)||!fU(this,a)||this.uF.isActive()||(g.GK(this.api.V())&&this.api.Cb().isCued()&&yT(this.api.Oh()),GMa(this),g.EO(a)),this.vB&&(this.vB=!1))}; +g.k.requestStorageAccess=function(){var a=this;this.api.requestStorageAccess(function(){g.rA("embedsRequestStorageAccessResult",{resolved:!0});qwa(!0);xD();window.location.reload()},function(){g.rA("embedsRequestStorageAccessResult",{resolved:!1}); +a.fA()})}; +g.k.nG=function(){}; +g.k.nw=function(){}; +g.k.GD=function(){}; +g.k.FD=function(){}; +g.k.fA=function(){var a=this.api.Cb();g.S(a,2)&&g.HS(this.api)||(g.RO(a)?this.api.pauseVideo():(this.Fm&&(a=this.Fm.B,document.activeElement===a.element&&this.api.ma("largeplaybuttonclicked",a.element)),this.api.GG(),this.api.playVideo(),this.Fm&&document.activeElement===this.Fm.B.element&&this.api.getRootNode().focus()))}; +g.k.e7=function(a){var b=this,c=this.api.getPresentingPlayerType();if(!HMa(this,CO(a)))if(a=this.api.V(),(this.api.V().K("player_doubletap_to_seek")||this.api.K("embeds_web_enable_mobile_dtts")&&this.api.V().T)&&this.vB)this.vB=!1;else if(a.Tb&&3!==c)try{this.api.toggleFullscreen().catch(function(d){b.lC(d)})}catch(d){this.lC(d)}}; +g.k.lC=function(a){String(a).includes("fullscreen error")?g.DD(a):g.CD(a)}; +g.k.f7=function(a){KMa(this,.3,a.scale);g.EO(a)}; +g.k.g7=function(a){KMa(this,.1,a.scale)}; +g.k.Db=function(){var a=this.api.jb().getPlayerSize(),b=this.api.getRootNode(),c=650<=a.width;this.Ve.resize();g.Up(b,"ytp-fullscreen",this.api.isFullscreen());g.Up(b,"ytp-large-width-mode",c);g.Up(b,"ytp-small-mode",this.Wg());g.Up(b,"ytp-tiny-mode",this.xG());g.Up(b,"ytp-big-mode",this.yg());this.rg&&this.rg.resize(a)}; +g.k.Hi=function(a){this.pc(a.state);this.wp()}; +g.k.TD=aa(31);g.k.SL=function(){var a=!!this.GC&&!this.api.Af()&&!this.pO,b=2===this.api.getPresentingPlayerType(),c=this.api.V();if(b){if(S8a&&c.K("enable_visit_advertiser_support_on_ipad_mweb"))return!1;b=MT(this.api.wb());return a&&b.qP()}return a&&(c.vl||this.api.isFullscreen()||c.ij)}; +g.k.wp=function(){var a=this.SL();this.To!==a&&(this.To=a,g.Up(this.api.getRootNode(),"ytp-hide-info-bar",!a))}; +g.k.pc=function(a){var b=a.isCued()||this.api.Mo()&&3!==this.api.getPresentingPlayerType();b!==this.isCued&&(this.isCued=b,this.OP&&this.Hc(this.OP),this.OP=this.S(this.api.jb(),"touchstart",this.i7,void 0,b));var c=a.bd()&&!g.S(a,32)||this.api.AC();QT(this.Ve,128,!c);c=3===this.api.getPresentingPlayerType();QT(this.Ve,256,c);c=this.api.getRootNode();if(g.S(a,2))var d=[a4.ENDED];else d=[],g.S(a,8)?d.push(a4.PLAYING):g.S(a,4)&&d.push(a4.PAUSED),g.S(a,1)&&!g.S(a,32)&&d.push(a4.BUFFERING),g.S(a,32)&& +d.push(a4.SEEKING),g.S(a,64)&&d.push(a4.UNSTARTED);g.Mb(this.jK,d)||(g.Tp(c,this.jK),this.jK=d,g.Rp(c,d));d=this.api.V();var e=g.S(a,2);a:{var f=this.api.V();var h=f.controlsType;switch(h){case "2":case "0":f=!1;break a}f="3"===h&&!g.S(a,2)||this.isCued||(2!==this.api.getPresentingPlayerType()?0:z8a(MT(this.api.wb())))||g.fK(f)&&2===this.api.getPresentingPlayerType()?!1:!0}g.Up(c,"ytp-hide-controls",!f);g.Up(c,"ytp-native-controls","3"===d.controlsType&&!b&&!e&&!this.vM);g.S(a,128)&&!g.fK(d)?(this.rg|| +(this.rg=new g.XT(this.api),g.E(this,this.rg),g.NS(this.api,this.rg.element,4)),this.rg.u(a.getData()),this.rg.show()):this.rg&&(this.rg.dispose(),this.rg=null)}; +g.k.Il=function(){return this.api.nk()&&this.api.xo()?(this.api.Rz(!1,!1),!0):this.api.Af()?(g.IS(this.api,!0),!0):!1}; +g.k.onMutedAutoplayChange=function(a){this.vM=a;this.fl()}; +g.k.yg=function(){return!1}; +g.k.Wg=function(){return!this.yg()&&(480>this.api.getPlayerSize().width||290>this.api.getPlayerSize().height)}; +g.k.xG=function(){return this.Wg()&&(240>this.api.getPlayerSize().width||140>this.api.getPlayerSize().height)}; +g.k.Sb=function(){var a=this.api.V();if(!g.fK(a)||"EMBEDDED_PLAYER_MODE_DEFAULT"!==(a.Qa||"EMBEDDED_PLAYER_MODE_DEFAULT")||this.api.getPlaylist())return!1;a=this.qC;var b,c;return a.width<=a.height&&!!(null==(b=this.api.getVideoData())?0:null==(c=b.embeddedPlayerConfig)?0:c.isShortsExperienceEligible)}; +g.k.Ql=function(){return this.qI}; +g.k.Nm=function(){return null}; +g.k.PF=function(){return null}; +g.k.zk=function(){var a=this.api.jb().getPlayerSize();return new g.Em(0,0,a.width,a.height)}; g.k.handleGlobalKeyDown=function(){return!1}; g.k.handleGlobalKeyUp=function(){return!1}; -g.k.To=function(){}; -g.k.showControls=function(a){void 0!==a&&fK(g.cG(this.api),a)}; -g.k.tk=function(){}; -g.k.oD=function(){return null};g.u(WU,g.V);WU.prototype.onClick=function(){this.J.xa("BACK_CLICKED")};g.u(g.XU,g.V);g.XU.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -g.XU.prototype.hide=function(){this.B.stop();g.V.prototype.hide.call(this)}; -g.XU.prototype.gn=function(a){a?g.U(g.uK(this.J),64)||YU(this,Zna(),"Play"):(a=this.J.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?YU(this,aoa(),"Stop live playback"):YU(this,Xna(),"Pause"))};g.u($U,g.V);g.k=$U.prototype;g.k.fI=function(){g.ST(this.J)&&g.TT(this.J)&&this.zf()&&this.nb()}; -g.k.kS=function(){this.nb();g.Po("iv-teaser-clicked",null!=this.u);this.J.setCardsVisible(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}; -g.k.IM=function(){g.Po("iv-teaser-mouseover");this.u&&this.u.stop()}; -g.k.LQ=function(a){this.u||!a||g.TT(this.J)||this.B&&this.B.isActive()||(this.Bc(a),g.Po("iv-teaser-shown"))}; -g.k.Bc=function(a){this.ya("text",a.teaserText);this.element.setAttribute("dir",g.Bn(a.teaserText));this.D.show();this.B=new g.F(function(){g.I(this.J.getRootNode(),"ytp-cards-teaser-shown");this.ZA()},0,this); -this.B.start();aV(this.Di,!1);this.u=new g.F(this.nb,580+a.durationMs,this);this.u.start();this.F.push(this.wa("mouseover",this.VE,this));this.F.push(this.wa("mouseout",this.UE,this))}; -g.k.ZA=function(){if(g.hD(this.J.T())&&this.fb){var a=this.Di.element.offsetLeft,b=g.se("ytp-cards-button-icon"),c=this.J.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Di.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; -g.k.GJ=function(){g.hD(this.J.T())&&this.X.Ie()&&this.fb&&this.P.start()}; -g.k.VE=function(){this.I.stop();this.u&&this.u.isActive()&&this.K.start()}; -g.k.UE=function(){this.K.stop();this.u&&!this.u.isActive()&&this.I.start()}; -g.k.wP=function(){this.u&&this.u.stop()}; -g.k.vP=function(){this.nb()}; -g.k.nb=function(){!this.u||this.C&&this.C.isActive()||(g.Po("iv-teaser-hidden"),this.D.hide(),g.sn(this.J.getRootNode(),"ytp-cards-teaser-shown"),this.C=new g.F(function(){for(var a=g.q(this.F),b=a.next();!b.done;b=a.next())this.Mb(b.value);this.F=[];this.u&&(this.u.dispose(),this.u=null);aV(this.Di,!0)},330,this),this.C.start())}; -g.k.zf=function(){return this.fb&&4!==this.D.state}; -g.k.ca=function(){var a=this.J.getRootNode();a&&g.sn(a,"ytp-cards-teaser-shown");g.gg(this.B,this.C,this.u);g.V.prototype.ca.call(this)};g.u(bV,g.V);g.k=bV.prototype;g.k.Bc=function(){this.B.show();g.Po("iv-button-shown")}; -g.k.nb=function(){g.Po("iv-button-hidden");this.B.hide()}; -g.k.zf=function(){return this.fb&&4!==this.B.state}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)}; -g.k.YO=function(){g.Po("iv-button-mouseover")}; -g.k.onClicked=function(a){g.ST(this.J);var b=g.qn(this.J.getRootNode(),"ytp-cards-teaser-shown");g.Po("iv-teaser-clicked",b);a=0===a.screenX&&0===a.screenY;this.J.setCardsVisible(!g.TT(this.J),a,"YOUTUBE_DRAWER_MANUAL_OPEN")};var Tta=new Set("embed_config endscreen_ad_tracking home_group_info ic_track player_request watch_next_request".split(" "));var f2={},fV=(f2.BUTTON="ytp-button",f2.TITLE_NOTIFICATIONS="ytp-title-notifications",f2.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f2.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f2.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f2);g.u(gV,g.V);gV.prototype.onClick=function(){g.$T(this.api,this.element);var a=!this.u;this.ya("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.ya("pressed",a);Wta(this,a)};g.u(g.iV,g.V);g.iV.prototype.B=function(){g.I(this.element,"ytp-sb-subscribed")}; -g.iV.prototype.C=function(){g.sn(this.element,"ytp-sb-subscribed")};g.u(jV,g.V);g.k=jV.prototype;g.k.hA=function(){aua(this);this.channel.classList.remove("ytp-title-expanded")}; +g.k.Uv=function(){}; +g.k.showControls=function(a){void 0!==a&&this.api.jb().SD(a)}; +g.k.tp=function(){}; +g.k.TL=function(){return this.qC};g.w(gU,g.dE);g.k=gU.prototype;g.k.Jl=function(){return 1E3*this.api.getDuration(this.In,!1)}; +g.k.stop=function(){this.j&&this.ud.Hc(this.j)}; +g.k.yc=function(){var a=this.api.getProgressState(this.In);this.u={seekableStart:a.seekableStart,seekableEnd:a.seekableEnd,current:this.api.getCurrentTime(this.In,!1)};this.ma("h")}; +g.k.getProgressState=function(){return this.u}; +g.k.yd=function(a){g.YN(a,2)&&this.ma("g")};g.w(LMa,g.U);LMa.prototype.onClick=function(){this.F.Na("BACK_CLICKED")};g.w(g.hU,g.U);g.hU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.j)}; +g.hU.prototype.hide=function(){this.u.stop();g.U.prototype.hide.call(this)}; +g.hU.prototype.nw=function(a){a?g.S(this.F.Cb(),64)||iU(this,pQ(),"Play"):(a=this.F.getVideoData(),a.isLivePlayback&&!a.allowLiveDvr?iU(this,VEa(),"Stop live playback"):iU(this,REa(),"Pause"))};g.w(PMa,g.U);g.k=PMa.prototype;g.k.od=function(){this.F.V().K("player_new_info_card_format")&&g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown")&&!g.fK(this.F.V())||(this.u.show(),g.rC("iv-button-shown"))}; +g.k.Fb=function(){g.rC("iv-button-hidden");this.u.hide()}; +g.k.ej=function(){return this.yb&&4!==this.u.state}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)}; +g.k.f6=function(){g.rC("iv-button-mouseover")}; +g.k.L5=function(a){this.F.nk();var b=g.Pp(this.F.getRootNode(),"ytp-cards-teaser-shown");g.rC("iv-teaser-clicked",b);var c;if(null==(c=this.F.getVideoData())?0:g.MM(c)){var d;a=null==(d=this.F.getVideoData())?void 0:g.NM(d);(null==a?0:a.onIconTapCommand)&&this.F.Na("innertubeCommand",a.onIconTapCommand)}else d=0===a.screenX&&0===a.screenY,this.F.Rz(!this.F.xo(),d,"YOUTUBE_DRAWER_MANUAL_OPEN")};g.w(QMa,g.U);g.k=QMa.prototype;g.k.CY=function(){this.F.nk()&&this.F.xo()&&this.ej()&&this.Fb()}; +g.k.DP=function(){this.Fb();!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb();g.rC("iv-teaser-clicked",null!=this.j);if(this.onClickCommand)this.F.Na("innertubeCommand",this.onClickCommand);else{var a;(null==(a=this.F.getVideoData())?0:g.MM(a))||this.F.Rz(!0,!1,"YOUTUBE_DRAWER_MANUAL_OPEN")}}; +g.k.g0=function(){g.rC("iv-teaser-mouseover");this.j&&this.j.stop()}; +g.k.E7=function(a){this.F.V().K("player_new_info_card_format")&&!g.fK(this.F.V())?this.Wi.Fb():this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.od();this.j||!a||this.F.xo()||this.u&&this.u.isActive()||(this.od(a),g.rC("iv-teaser-shown"))}; +g.k.od=function(a){this.onClickCommand=a.onClickCommand;this.updateValue("text",a.teaserText);this.element.setAttribute("dir",g.fq(a.teaserText));this.C.show();this.u=new g.Ip(function(){g.Qp(this.F.getRootNode(),"ytp-cards-teaser-shown");this.F.K("player_new_info_card_format")&&!g.fK(this.F.V())&&this.Wi.Fb();this.aQ()},0,this); +this.u.start();OMa(this.Wi,!1);this.j=new g.Ip(this.Fb,580+a.durationMs,this);this.j.start();this.D.push(this.Ra("mouseover",this.ER,this));this.D.push(this.Ra("mouseout",this.DR,this))}; +g.k.aQ=function(){if(!this.F.V().K("player_new_info_card_format")&&g.fK(this.F.V())&&this.yb){var a=this.Wi.element.offsetLeft,b=g.kf("ytp-cards-button-icon"),c=this.F.isFullscreen()?54:36;if(b){var d=a+b.offsetLeft;this.element.style.marginRight=this.Wi.element.offsetParent.offsetWidth-a-b.offsetLeft-c+"px";this.element.style.marginLeft=d+"px"}}}; +g.k.m2=function(){g.fK(this.F.V())&&this.Z.Wg()&&this.yb&&this.T.start()}; +g.k.ER=function(){this.I.stop();this.j&&this.j.isActive()&&this.J.start()}; +g.k.DR=function(){this.J.stop();this.j&&!this.j.isActive()&&this.I.start()}; +g.k.s6=function(){this.j&&this.j.stop()}; +g.k.r6=function(){this.Fb()}; +g.k.Zo=function(){this.Fb()}; +g.k.Fb=function(){!this.j||this.B&&this.B.isActive()||(g.rC("iv-teaser-hidden"),this.C.hide(),g.Sp(this.F.getRootNode(),"ytp-cards-teaser-shown"),this.B=new g.Ip(function(){for(var a=g.t(this.D),b=a.next();!b.done;b=a.next())this.Hc(b.value);this.D=[];this.j&&(this.j.dispose(),this.j=null);OMa(this.Wi,!0);!this.F.nk()&&this.F.V().K("enable_error_corrections_infocards_icon_web")&&this.Wi.Fb()},330,this),this.B.start())}; +g.k.ej=function(){return this.yb&&4!==this.C.state}; +g.k.qa=function(){var a=this.F.getRootNode();a&&g.Sp(a,"ytp-cards-teaser-shown");g.$a(this.u,this.B,this.j);g.U.prototype.qa.call(this)};var f4={},kU=(f4.BUTTON="ytp-button",f4.TITLE_NOTIFICATIONS="ytp-title-notifications",f4.TITLE_NOTIFICATIONS_ON="ytp-title-notifications-on",f4.TITLE_NOTIFICATIONS_OFF="ytp-title-notifications-off",f4.NOTIFICATIONS_ENABLED="ytp-notifications-enabled",f4);g.w(RMa,g.U);RMa.prototype.onClick=function(){this.api.qb(this.element);var a=!this.j;this.updateValue("label",a?"Stop getting notified about every new video":"Get notified about every new video");this.updateValue("pressed",a);SMa(this,a)};g.Fa("yt.pubsub.publish",g.rC);g.w(g.nU,g.U);g.nU.prototype.C=function(){window.location.reload()}; +g.nU.prototype.j=function(){g.Qp(this.element,"ytp-sb-subscribed")}; +g.nU.prototype.u=function(){g.Sp(this.element,"ytp-sb-subscribed")};g.w(VMa,g.U);g.k=VMa.prototype;g.k.I5=function(a){this.api.qb(this.j);var b=this.api.V();b.u||b.tb?XMa(this)&&(this.isExpanded()?this.nF():this.CF()):g.gk(oU(this));a.preventDefault()}; +g.k.RO=function(){ZMa(this);this.channel.classList.remove("ytp-title-expanded")}; g.k.isExpanded=function(){return this.channel.classList.contains("ytp-title-expanded")}; -g.k.Sx=function(){if(Zta(this)&&!this.isExpanded()){this.ya("flyoutUnfocusable","false");this.ya("channelTitleFocusable","0");this.C&&this.C.stop();this.subscribeButton&&(this.subscribeButton.show(),g.QN(this.api,this.subscribeButton.element,!0));var a=this.api.getVideoData();this.B&&a.kp&&a.subscribed&&(this.B.show(),g.QN(this.api,this.B.element,!0));this.channel.classList.add("ytp-title-expanded");this.channel.classList.add("ytp-title-show-expanded")}}; -g.k.yx=function(){this.ya("flyoutUnfocusable","true");this.ya("channelTitleFocusable","-1");this.C&&this.C.start()}; -g.k.oa=function(){var a=this.api.getVideoData(),b=this.api.T(),c=!1;2===this.api.getPresentingPlayerType()?c=!!a.videoId&&!!a.isListed&&!!a.author&&!!a.Ek&&!!a.lf:g.hD(b)&&(c=!!a.videoId&&!!a.Ek&&!!a.lf&&!(a.qc&&b.pfpChazalUi));b=g.TD(this.api.T())+a.Ek;g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_ch_name_ex")));var d=a.Ek,e=a.lf,f=a.author;d=void 0===d?"":d;e=void 0===e?"":e;f=void 0===f?"":f;c?(d=g.TD(this.api.T())+d,this.I!==e&&(this.u.style.backgroundImage="url("+e+")",this.I=e),this.ya("channelLink", -d),this.ya("channelLogoLabel",g.tL("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:f})),g.I(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.sn(this.api.getRootNode(),"ytp-title-enable-channel-logo");g.QN(this.api,this.u,c&&this.R);this.subscribeButton&&(this.subscribeButton.channelId=a.kg);this.ya("expandedTitle",a.Rx);this.ya("channelTitleLink",b);this.ya("expandedSubtitle",a.expandedSubtitle)};g.u(g.lV,g.KN);g.lV.prototype.ya=function(a,b){g.KN.prototype.ya.call(this,a,b);this.V("size-change")};g.u(oV,g.KN);oV.prototype.JF=function(){this.V("size-change")}; -oV.prototype.focus=function(){this.content.focus()}; -oV.prototype.rO=function(){this.V("back")};g.u(g.pV,oV);g.pV.prototype.Wb=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{var c=g.xb(this.items,a,bua);if(0<=c)return;c=~c;g.ub(this.items,c,0,a);g.Ie(this.menuItems.element,a.element,c)}a.subscribe("size-change",this.Hz,this);this.menuItems.V("size-change")}; -g.pV.prototype.re=function(a){a.unsubscribe("size-change",this.Hz,this);this.na()||(g.ob(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.V("size-change"))}; -g.pV.prototype.Hz=function(){this.menuItems.V("size-change")}; -g.pV.prototype.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone(); -d&&(h=a,e=b,f=5,65==(f&65)&&(h.x=d.right)&&(f&=-2),132==(f&132)&&(h.y=d.bottom)&&(f&=-5),h.xd.right&&(e.width=Math.min(d.right-h.x,c+e.width-d.left),e.width=Math.max(e.width,0))),h.x+e.width>d.right&&f&1&&(h.x=Math.max(d.right-e.width,d.left)),h.yd.bottom&&(e.height=Math.min(d.bottom-h.y,c+e.height-d.top),e.height=Math.max(e.height, -0))),h.y+e.height>d.bottom&&f&4&&(h.y=Math.max(d.bottom-e.height,d.top)));d=new g.jg(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Cg(this.element,new g.ge(d.left,d.top));g.ut(this.I);this.I.N(document,"contextmenu",this.OO);this.I.N(this.J,"fullscreentoggled",this.KM);this.I.N(this.J,"pageTransition",this.LM)}}; -g.k.OO=function(a){if(!g.kp(a)){var b=fp(a);g.Me(this.element,b)||this.nb();this.J.T().disableNativeContextMenu&&g.ip(a)}}; -g.k.KM=function(){this.nb();hua(this)}; -g.k.LM=function(){this.nb()};g.u(CV,g.V);CV.prototype.onClick=function(){return We(this,function b(){var c=this,d,e,f,h;return xa(b,function(l){if(1==l.u)return d=c.api.T(),e=c.api.getVideoData(),f=c.api.getPlaylistId(),h=d.getVideoUrl(e.videoId,f,void 0,!0),sa(l,jua(c,h),2);l.B&&iua(c);g.$T(c.api,c.element);l.u=0})})}; -CV.prototype.oa=function(){var a=this.api.T(),b=this.api.getVideoData();this.ya("icon",{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.ya("title-attr","Copy link");var c=g.cG(this.api).getPlayerSize().width;this.visible= -!!b.videoId&&240<=c&&b.Xr&&!(b.qc&&a.pfpChazalUi);g.J(this.element,"ytp-copylink-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -CV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -CV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-copylink-button-visible")};g.u(FV,g.V);FV.prototype.show=function(){g.V.prototype.show.call(this);this.u.Sb()}; -FV.prototype.hide=function(){this.B.stop();g.sn(this.element,"ytp-chapter-seek");g.V.prototype.hide.call(this)}; -FV.prototype.Jr=function(a,b,c,d){var e=-1===a?this.D:this.C;e&&g.$T(this.J,e);this.u.rg();this.B.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*g.cG(this.J).getPlayerSize().height;e=g.cG(this.J).getPlayerSize();e=e.width/3-3*e.height;var h=this.ka("ytp-doubletap-static-circle");h.style.width=f+"px";h.style.height=f+"px";1===a?(h.style.left="",h.style.right=e+"px"):-1===a&&(h.style.right="",h.style.left=e+"px");var l=2.5*f;f=l/2;h=this.ka("ytp-doubletap-ripple");h.style.width= -l+"px";h.style.height=l+"px";1===a?(a=g.cG(this.J).getPlayerSize().width-b+Math.abs(e),h.style.left="",h.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,h.style.right="",h.style.left=a-f+"px");h.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.ka("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");kua(this,d)};var ZCa={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(ZCa).reduce(function(a,b){a[ZCa[b]]=b;return a},{}); -var $Ca={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys($Ca).reduce(function(a,b){a[$Ca[b]]=b;return a},{}); -var aDa={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(aDa).reduce(function(a,b){a[aDa[b]]=b;return a},{});var g2,bDa;g2=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];bDa=[{option:0,text:HV(0)},{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]; -g.KV=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:g2},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:HV(.5)},{option:-1,text:HV(.75)},{option:0,text:HV(1)},{option:1,text:HV(1.5)},{option:2,text:HV(2)}, -{option:3,text:HV(3)},{option:4,text:HV(4)}]},{option:"background",text:"Background color",options:g2},{option:"backgroundOpacity",text:"Background opacity",options:bDa},{option:"windowColor",text:"Window color",options:g2},{option:"windowOpacity",text:"Window opacity",options:bDa},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity",text:"Font opacity", -options:[{option:.25,text:HV(.25)},{option:.5,text:HV(.5)},{option:.75,text:HV(.75)},{option:1,text:HV(1)}]}];g.u(g.JV,g.tR);g.k=g.JV.prototype; -g.k.AD=function(a){var b=!1,c=g.lp(a),d=fp(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey,f=!1,h=!1,l=this.api.T();g.kp(a)?(e=!1,h=!0):l.Hg&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role");break;case 38:case 40:m=d.getAttribute("role"), -d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);ZU(this.Tb,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);ZU(this.Tb,f,!0);this.api.setVolume(f);h=f=!0;break;case 36:this.api.He()&&(this.api.seekTo(0), -h=f=!0);break;case 35:this.api.He()&&(this.api.seekTo(Infinity),h=f=!0)}}b&&this.tA(!0);(b||h)&&this.Nc.tk();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.ip(a);l.C&&(a={keyCode:g.lp(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.kp(a),fullscreen:this.api.isFullscreen()},this.api.xa("onKeyPress",a))}; -g.k.BD=function(a){this.handleGlobalKeyUp(g.lp(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; -g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.PT(g.HT(this.api));c&&(c=c.Ml)&&c.fb&&(c.yD(a),b=!0);9===a&&(this.tA(!0),b=!0);return b}; -g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){e=!1;c=this.api.T();if(c.Hg)return e;var h=g.PT(g.HT(this.api));if(h&&(h=h.Ml)&&h.fb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:e=h.xD(a)}c.I||e||(e=f||String.fromCharCode(a).toLowerCase(),this.B+=e,0==="awesome".indexOf(this.B)?(e=!0,7===this.B.length&&un(this.api.getRootNode(),"ytp-color-party")):(this.B=e,e=0==="awesome".indexOf(this.B)));if(!e){f=(f=this.api.getVideoData())?f.Ea:[];switch(a){case 80:b&&!c.aa&&(YU(this.Tb, -$na(),"Previous"),this.api.previousVideo(),e=!0);break;case 78:b&&!c.aa&&(YU(this.Tb,$N(),"Next"),this.api.nextVideo(),e=!0);break;case 74:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(-10*this.api.getPlaybackRate()),e=!0);break;case 76:this.api.He()&&(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,1,10):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), -this.api.seekBy(10*this.api.getPlaybackRate()),e=!0);break;case 37:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=nua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,-1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&this.u?GV(this.u,-1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), -this.api.seekBy(-5*this.api.getPlaybackRate()),e=!0));break;case 39:this.api.He()&&(d&&c.ba("web_player_seek_chapters_by_shortcut")?(b=mua(f,1E3*this.api.getCurrentTime()),-1!==b&&null!=this.u&&(lua(this.u,1,f[b].title),this.api.seekTo(f[b].startTime/1E3),e=!0)):(c.ba("web_player_seek_chapters_by_shortcut")&&null!=this.u?GV(this.u,1,5):YU(this.Tb,{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), -this.api.seekBy(5*this.api.getPlaybackRate()),e=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),ZU(this.Tb,this.api.getVolume(),!1)):(this.api.mute(),ZU(this.Tb,0,!0));e=!0;break;case 32:case 75:c.aa||(b=!g.GM(g.uK(this.api)),this.Tb.gn(b),b?this.api.playVideo():this.api.pauseVideo(),e=!0);break;case 190:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b+.25,!0),Sta(this.Tb,!1),e=!0):this.api.He()&&(pua(this,1),e=!0);break;case 188:b?c.Qc&&(b=this.api.getPlaybackRate(),this.api.setPlaybackRate(b- -.25,!0),Sta(this.Tb,!0),e=!0):this.api.He()&&(pua(this,-1),e=!0);break;case 70:Eta(this.api)&&(this.api.toggleFullscreen()["catch"](function(){}),e=!0); -break;case 27:this.D()&&(e=!0)}if("3"!==c.controlsType)switch(a){case 67:g.nU(g.HT(this.api))&&(c=this.api.getOption("captions","track"),this.api.toggleSubtitles(),YU(this.Tb,Sna(),!c||c&&!c.displayName?"Subtitles/closed captions on":"Subtitles/closed captions off"),e=!0);break;case 79:LV(this,"textOpacity");break;case 87:LV(this,"windowOpacity");break;case 187:case 61:LV(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LV(this,"fontSizeIncrement",!0,!0)}var l;48<=a&&57>=a?l=a-48:96<=a&&105>= -a&&(l=a-96);null!=l&&this.api.He()&&(a=this.api.getProgressState(),this.api.seekTo(l/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),e=!0);e&&this.Nc.tk()}return e}; -g.k.tA=function(a){g.J(this.api.getRootNode(),"ytp-probably-keyboard-focus",a);g.J(this.contextMenu.element,"ytp-probably-keyboard-focus",a)}; -g.k.ca=function(){this.C.rg();g.tR.prototype.ca.call(this)};g.u(MV,g.V);MV.prototype.oa=function(){var a=g.hD(this.J.T())&&g.NT(this.J)&&g.U(g.uK(this.J),128),b=this.J.getPlayerSize();this.visible=this.u.Ie()&&!a&&240<=b.width&&!(this.J.getVideoData().qc&&this.J.T().pfpChazalUi);g.J(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&EV(this.tooltip);g.QN(this.J,this.element,this.visible&&this.R)}; -MV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)}; -MV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-overflow-button-visible")};g.u(NV,g.OU);g.k=NV.prototype;g.k.RM=function(a){a=fp(a);g.Me(this.element,a)&&(g.Me(this.B,a)||g.Me(this.closeButton,a)||PU(this))}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){this.fb&&this.J.V("OVERFLOW_PANEL_OPENED");g.OU.prototype.show.call(this);qua(this,!0)}; -g.k.hide=function(){g.OU.prototype.hide.call(this);qua(this,!1)}; -g.k.QM=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){for(var a=g.q(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.fb){b.focus();break}};g.u(PV,g.V);PV.prototype.Mc=function(a){this.element.setAttribute("aria-checked",String(a))}; -PV.prototype.onClick=function(a){g.AU(a,this.api)&&this.api.playVideoAt(this.index)};g.u(QV,g.OU);g.k=QV.prototype;g.k.show=function(){g.OU.prototype.show.call(this);this.C.N(this.api,"videodatachange",this.qz);this.C.N(this.api,"onPlaylistUpdate",this.qz);this.qz()}; -g.k.hide=function(){g.OU.prototype.hide.call(this);g.ut(this.C);this.updatePlaylist(null)}; -g.k.qz=function(){this.updatePlaylist(this.api.getPlaylist())}; -g.k.Xv=function(){var a=this.playlist,b=a.xu;if(b===this.D)this.selected.Mc(!1),this.selected=this.B[a.index];else{for(var c=g.q(this.B),d=c.next();!d.done;d=c.next())d.value.dispose();c=a.getLength();this.B=[];for(d=0;dthis.api.getPlayerSize().width));c=b.profilePicture;a=g.fK(a)?b.ph:b.author;c=void 0===c?"":c;a=void 0===a?"":a;this.C?(this.J!==c&&(this.j.style.backgroundImage="url("+c+")",this.J=c),this.api.K("web_player_ve_conversion_fixes_for_channel_info")|| +this.updateValue("channelLink",oU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,this.C&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",oU(this));this.updateValue("expandedSubtitle", +b.expandedSubtitle)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.j,this.C&&a)};g.w(pU,g.dQ);pU.prototype.cW=function(){this.ma("size-change")}; +pU.prototype.focus=function(){this.content.focus()}; +pU.prototype.WV=function(){this.ma("back")};g.w(g.qU,pU);g.k=g.qU.prototype;g.k.Zc=function(a,b){if(void 0===b?0:b)this.items.push(a),this.menuItems.element.appendChild(a.element);else{b=g.Jb(this.items,a,aNa);if(0<=b)return;b=~b;g.Gb(this.items,b,0,a);g.wf(this.menuItems.element,a.element,b)}a.subscribe("size-change",this.WN,this);this.menuItems.ma("size-change")}; +g.k.jh=function(a){a.unsubscribe("size-change",this.WN,this);this.isDisposed()||(g.wb(this.items,a),this.menuItems.element.removeChild(a.element),this.menuItems.ma("size-change"))}; +g.k.WN=function(){this.menuItems.ma("size-change")}; +g.k.focus=function(){for(var a=0,b=0;bb.top&&b.right>b.left?b:null;b=this.size;a=a.clone();b=b.clone();d&&(h=b,e=5,65==(e&65)&&(a.x=d.right)&&(e&=-2),132==(e&132)&&(a.y< +d.top||a.y>=d.bottom)&&(e&=-5),a.xd.right&&(h.width=Math.min(d.right-a.x,f+h.width-d.left),h.width=Math.max(h.width,0))),a.x+h.width>d.right&&e&1&&(a.x=Math.max(d.right-h.width,d.left)),a.yd.bottom&&(h.height=Math.min(d.bottom-a.y,f+h.height-d.top),h.height=Math.max(h.height,0))),a.y+h.height>d.bottom&&e&4&&(a.y=Math.max(d.bottom-h.height,d.top))); +d=new g.Em(0,0,0,0);d.left=a.x;d.top=a.y;d.width=b.width;d.height=b.height;g.Nm(this.element,new g.Fe(d.left,d.top));g.Lz(this.C);this.C.S(document,"contextmenu",this.W5);this.C.S(this.F,"fullscreentoggled",this.onFullscreenToggled);this.C.S(this.F,"pageTransition",this.l0)}; +g.k.W5=function(a){if(!g.DO(a)){var b=CO(a);g.zf(this.element,b)||this.Fb();this.F.V().disableNativeContextMenu&&g.EO(a)}}; +g.k.onFullscreenToggled=function(){this.Fb();kNa(this)}; +g.k.l0=function(){this.Fb()};g.w(g.yU,g.U);g.yU.prototype.onClick=function(){var a=this,b,c,d,e;return g.A(function(f){if(1==f.j)return b=a.api.V(),c=a.api.getVideoData(),d=a.api.getPlaylistId(),e=b.getVideoUrl(c.videoId,d,void 0,!0),g.y(f,nNa(a,e),2);f.u&&mNa(a);a.api.qb(a.element);g.oa(f)})}; +g.yU.prototype.Pa=function(){this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M21.9,8.3H11.3c-0.9,0-1.7,.8-1.7,1.7v12.3h1.7V10h10.6V8.3z M24.6,11.8h-9.7c-1,0-1.8,.8-1.8,1.8v12.3 c0,1,.8,1.8,1.8,1.8h9.7c1,0,1.8-0.8,1.8-1.8V13.5C26.3,12.6,25.5,11.8,24.6,11.8z M24.6,25.9h-9.7V13.5h9.7V25.9z"}}]});this.updateValue("title-attr","Copy link");this.visible=lNa(this);g.Up(this.element,"ytp-copylink-button-visible", +this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,this.visible&&this.ea)}; +g.yU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.yU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-copylink-button-visible")};g.w(AU,g.U);AU.prototype.show=function(){g.U.prototype.show.call(this);g.Jp(this.u)}; +AU.prototype.hide=function(){this.C.stop();this.B=0;g.Sp(this.element,"ytp-chapter-seek");g.Sp(this.element,"ytp-time-seeking");g.U.prototype.hide.call(this)}; +AU.prototype.GD=function(a,b,c,d){this.B=a===this.I?this.B+d:d;this.I=a;var e=-1===a?this.T:this.J;e&&this.F.qb(e);this.D?this.u.stop():g.Lp(this.u);this.C.start();this.element.setAttribute("data-side",-1===a?"back":"forward");var f=3*this.F.jb().getPlayerSize().height;e=this.F.jb().getPlayerSize();e=e.width/3-3*e.height;this.j.style.width=f+"px";this.j.style.height=f+"px";1===a?(this.j.style.left="",this.j.style.right=e+"px"):-1===a&&(this.j.style.right="",this.j.style.left=e+"px");var h=2.5*f;f= +h/2;var l=this.Da("ytp-doubletap-ripple");l.style.width=h+"px";l.style.height=h+"px";1===a?(a=this.F.jb().getPlayerSize().width-b+Math.abs(e),l.style.left="",l.style.right=a-f+"px"):-1===a&&(a=Math.abs(e)+b,l.style.right="",l.style.left=a-f+"px");l.style.top="calc((33% + "+Math.round(c)+"px) - "+f+"px)";if(c=this.Da("ytp-doubletap-ripple"))c.classList.remove("ytp-doubletap-ripple"),c.classList.add("ytp-doubletap-ripple");oNa(this,this.D?this.B:d)};g.w(EU,g.U);g.k=EU.prototype;g.k.YG=function(){}; +g.k.WC=function(){}; +g.k.Yz=function(){return!0}; +g.k.g9=function(){if(this.expanded){this.Ga.show();var a=this.B.element.scrollWidth}else a=this.B.element.scrollWidth,this.Ga.hide();this.fb=34+a;g.Up(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.fb)+"px";this.Aa.start()}; +g.k.S2=function(){this.badge.element.style.width=(this.expanded?this.fb:34)+"px";this.La.start()}; +g.k.K9=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!0)}; +g.k.oP=function(){return this.Z||this.C||!this.D}; +g.k.dl=function(){this.Yz()?this.I.show():this.I.hide();qNa(this)}; +g.k.n0=function(){this.enabled=!1;this.dl()}; +g.k.J9=function(){this.dl()}; +g.k.F5=function(a){this.Xa=1===a;this.dl();g.Up(this.badge.element,"ytp-suggested-action-badge-with-offline-slate",!1)}; +g.k.Z5=function(){g.Up(this.badge.element,"ytp-suggested-action-badge-fullscreen",this.F.isFullscreen());this.dl()};g.w(sNa,EU);g.k=sNa.prototype;g.k.Yz=function(){return!!this.J}; +g.k.oP=function(){return!!this.J}; +g.k.YG=function(a){a.target===this.dismissButton.element?a.preventDefault():FU(this,!1)}; +g.k.WC=function(){FU(this,!0);this.NH()}; +g.k.W8=function(a){var b;if(a.id!==(null==(b=this.J)?void 0:b.identifier)){this.NH();b=g.t(this.T);for(var c=b.next();!c.done;c=b.next()){var d=c.value,e=void 0,f=void 0;(c=null==(e=d)?void 0:null==(f=e.bannerData)?void 0:f.itemData)&&d.identifier===a.id&&(this.J=d,cQ(this.banner,c.accessibilityLabel||""),f=d=void 0,e=null==(f=g.K(g.K(c.onTapCommand,g.gT),g.pM))?void 0:f.url,this.banner.update({url:e,thumbnail:null==(d=(c.thumbnailSources||[])[0])?void 0:d.url,title:c.productTitle,vendor:c.vendorName, +price:c.price}),c.trackingParams&&(this.j=!0,this.F.og(this.badge.element,c.trackingParams)),this.I.show(),DU(this))}}}; +g.k.NH=function(){this.J&&(this.J=void 0,this.dl())}; +g.k.onVideoDataChange=function(a,b){var c=this;"dataloaded"===a&&tNa(this);var d,e;if(null==b?0:null==(d=b.getPlayerResponse())?0:null==(e=d.videoDetails)?0:e.isLiveContent){a=b.shoppingOverlayRenderer;var f=null==a?void 0:a.featuredProductsEntityKey,h;if(b=null==a?void 0:null==(h=a.dismissButton)?void 0:h.trackingParams)this.F.og(this.dismissButton.element,b),this.u=!0;var l;(h=null==a?void 0:null==(l=a.dismissButton)?void 0:l.a11yLabel)&&cQ(this.dismissButton,g.gE(h));this.T.length||uNa(this,f); +var m;null==(m=this.Ja)||m.call(this);this.Ja=g.sM.subscribe(function(){uNa(c,f)})}else this.NH()}; +g.k.qa=function(){tNa(this);EU.prototype.qa.call(this)};g.w(xNa,g.U);xNa.prototype.onClick=function(){this.F.qb(this.element,this.u)};g.w(yNa,g.PS);g.k=yNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.F.ma("infopaneldetailvisibilitychange",!0);this.F.Ua(this.element,!0);zNa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.F.ma("infopaneldetailvisibilitychange",!1);this.F.Ua(this.element,!1);zNa(this,!1)}; +g.k.getId=function(){return this.C}; +g.k.Ho=function(){return this.itemData.length}; +g.k.onVideoDataChange=function(a,b){if(b){var c,d,e,f;this.update({title:(null==(c=b.lm)?void 0:null==(d=c.title)?void 0:d.content)||"",body:(null==(e=b.lm)?void 0:null==(f=e.bodyText)?void 0:f.content)||""});var h;a=(null==(h=b.lm)?void 0:h.trackingParams)||null;this.F.og(this.element,a);h=g.t(this.itemData);for(a=h.next();!a.done;a=h.next())a.value.dispose();this.itemData=[];var l;if(null==(l=b.lm)?0:l.ctaButtons)for(b=g.t(b.lm.ctaButtons),l=b.next();!l.done;l=b.next())if(l=g.K(l.value,dab))l=new xNa(this.F, +l,this.j),l.De&&(this.itemData.push(l),l.Ea(this.items))}}; +g.k.qa=function(){this.hide();g.PS.prototype.qa.call(this)};g.w(CNa,g.U);g.k=CNa.prototype;g.k.onVideoDataChange=function(a,b){BNa(this,b);this.Te&&ENa(this,this.Te)}; +g.k.yd=function(a){var b=this.F.getVideoData();this.videoId!==b.videoId&&BNa(this,b);ENa(this,a.state);this.Te=a.state}; +g.k.dW=function(a){(this.C=a)?this.hide():this.j&&this.show()}; +g.k.q0=function(){this.u||this.od();this.showControls=!0}; +g.k.o0=function(){this.u||this.Fb();this.showControls=!1}; +g.k.od=function(){this.j&&!this.C&&(this.B.show(),this.F.ma("infopanelpreviewvisibilitychange",!0),this.F.Ua(this.element,!0))}; +g.k.Fb=function(){this.j&&!this.C&&(this.B.hide(),this.F.ma("infopanelpreviewvisibilitychange",!1),this.F.Ua(this.element,!1))}; +g.k.Z8=function(){this.u=!1;this.showControls||this.Fb()};var Wcb={"default":0,monoSerif:1,propSerif:2,monoSans:3,propSans:4,casual:5,cursive:6,smallCaps:7};Object.keys(Wcb).reduce(function(a,b){a[Wcb[b]]=b;return a},{}); +var Xcb={none:0,raised:1,depressed:2,uniform:3,dropShadow:4};Object.keys(Xcb).reduce(function(a,b){a[Xcb[b]]=b;return a},{}); +var Ycb={normal:0,bold:1,italic:2,bold_italic:3};Object.keys(Ycb).reduce(function(a,b){a[Ycb[b]]=b;return a},{});var Zcb,$cb;Zcb=[{option:"#fff",text:"White"},{option:"#ff0",text:"Yellow"},{option:"#0f0",text:"Green"},{option:"#0ff",text:"Cyan"},{option:"#00f",text:"Blue"},{option:"#f0f",text:"Magenta"},{option:"#f00",text:"Red"},{option:"#080808",text:"Black"}];$cb=[{option:0,text:GU(0)},{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]; +g.KU=[{option:"fontFamily",text:"Font family",options:[{option:1,text:"Monospaced Serif"},{option:2,text:"Proportional Serif"},{option:3,text:"Monospaced Sans-Serif"},{option:4,text:"Proportional Sans-Serif"},{option:5,text:"Casual"},{option:6,text:"Cursive"},{option:7,text:"Small Capitals"}]},{option:"color",text:"Font color",options:Zcb},{option:"fontSizeIncrement",text:"Font size",options:[{option:-2,text:GU(.5)},{option:-1,text:GU(.75)},{option:0,text:GU(1)},{option:1,text:GU(1.5)},{option:2, +text:GU(2)},{option:3,text:GU(3)},{option:4,text:GU(4)}]},{option:"background",text:"Background color",options:Zcb},{option:"backgroundOpacity",text:"Background opacity",options:$cb},{option:"windowColor",text:"Window color",options:Zcb},{option:"windowOpacity",text:"Window opacity",options:$cb},{option:"charEdgeStyle",text:"Character edge style",options:[{option:0,text:"None"},{option:4,text:"Drop Shadow"},{option:1,text:"Raised"},{option:2,text:"Depressed"},{option:3,text:"Outline"}]},{option:"textOpacity", +text:"Font opacity",options:[{option:.25,text:GU(.25)},{option:.5,text:GU(.5)},{option:.75,text:GU(.75)},{option:1,text:GU(1)}]}];var adb=[27,9,33,34,13,32,187,61,43,189,173,95,79,87,67,80,78,75,70,65,68,87,83,107,221,109,219];g.w(g.JU,g.bI);g.k=g.JU.prototype; +g.k.oU=function(a){var b=!1,c=g.zO(a),d=CO(a),e=!a.altKey&&!a.ctrlKey&&!a.metaKey&&(!g.wS(this.api.app)||adb.includes(c)),f=!1,h=!1,l=this.api.V();g.DO(a)?(e=!1,h=!0):l.aj&&!g.wS(this.api.app)&&(e=!1);if(9===c)b=!0;else{if(d)switch(c){case 32:case 13:if("BUTTON"===d.tagName||"A"===d.tagName||"INPUT"===d.tagName)b=!0,e=!1;else if(e){var m=d.getAttribute("role");!m||"option"!==m&&"button"!==m&&0!==m.indexOf("menuitem")||(b=!0,d.click(),f=!0)}break;case 37:case 39:case 36:case 35:b="slider"===d.getAttribute("role"); +break;case 38:case 40:m=d.getAttribute("role"),d=38===c?d.previousSibling:d.nextSibling,"slider"===m?b=!0:e&&("option"===m?(d&&"option"===d.getAttribute("role")&&d.focus(),f=b=!0):m&&0===m.indexOf("menuitem")&&(d&&d.hasAttribute("role")&&0===d.getAttribute("role").indexOf("menuitem")&&d.focus(),f=b=!0))}if(e&&!f)switch(c){case 38:f=Math.min(this.api.getVolume()+5,100);jU(this.Qc,f,!1);this.api.setVolume(f);h=f=!0;break;case 40:f=Math.max(this.api.getVolume()-5,0);jU(this.Qc,f,!0);this.api.setVolume(f); +h=f=!0;break;case 36:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(0),h=f=!0);break;case 35:this.api.yh()&&(this.api.startSeekCsiAction(),this.api.seekTo(Infinity),h=f=!0)}}b&&IU(this,!0);(b||h)&&this.Ve.tp();(f||e&&this.handleGlobalKeyDown(c,a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code))&&g.EO(a);l.I&&(a={keyCode:g.zO(a),altKey:a.altKey,ctrlKey:a.ctrlKey,metaKey:a.metaKey,shiftKey:a.shiftKey,handled:g.DO(a),fullscreen:this.api.isFullscreen()},this.api.Na("onKeyPress",a))}; +g.k.pU=function(a){this.handleGlobalKeyUp(g.zO(a),a.shiftKey,a.ctrlKey,a.altKey,a.metaKey,a.key,a.code)}; +g.k.handleGlobalKeyUp=function(a){var b=!1,c=g.LS(this.api.wb());c&&(c=c.Et)&&c.yb&&(c.kU(a),b=!0);9===a&&(IU(this,!0),b=!0);return b}; +g.k.handleGlobalKeyDown=function(a,b,c,d,e,f){var h=!1;e=this.api.V();if(e.aj&&!g.wS(this.api.app))return h;var l=g.LS(this.api.wb());if(l&&(l=l.Et)&&l.yb)switch(a){case 65:case 68:case 87:case 83:case 107:case 221:case 109:case 219:h=l.jU(a)}e.J||h||(h=f||String.fromCharCode(a).toLowerCase(),this.u+=h,0==="awesome".indexOf(this.u)?(h=!0,7===this.u.length&&jla(this.api.getRootNode(),"ytp-color-party")):(this.u=h,h=0==="awesome".indexOf(this.u)));if(!h&&(!g.wS(this.api.app)||adb.includes(a))){l=this.api.getVideoData(); +var m,n;f=null==(m=this.Kc)?void 0:null==(n=m.u)?void 0:n.isEnabled;m=l?l.Pk:[];n=ZW?d:c;switch(a){case 80:b&&!e.Xa&&(iU(this.Qc,UEa(),"Previous"),this.api.previousVideo(),h=!0);break;case 78:b&&!e.Xa&&(iU(this.Qc,mQ(),"Next"),this.api.nextVideo(),h=!0);break;case 74:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,-1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z M 16.9,22 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 -0.2,0 -0.4,.1 -0.6,.1 -0.2,0 -0.4,0 -0.6,-0.1 -0.2,-0.1 -0.3,-0.2 -0.5,-0.3 -0.2,-0.1 -0.2,-0.3 -0.3,-0.6 -0.1,-0.3 -0.1,-0.5 -0.1,-0.8 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.9,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(-10*this.api.getPlaybackRate()),h=!0);break;case 76:this.api.yh()&&(this.api.startSeekCsiAction(),this.j?BU(this.j,1,10):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.8,3 H 16 V 18.7 L 15,19 v -0.7 l 1.8,-0.6 h .1 V 22 z m 4.3,-1.8 c 0,.3 0,.6 -0.1,.8 l -0.3,.6 c 0,0 -0.3,.3 -0.5,.3 C 20,21.9 19.8,22 19.6,22 19.4,22 19.2,22 19,21.9 18.8,21.8 18.7,21.7 18.5,21.6 18.3,21.5 18.3,21.3 18.2,21 18.1,20.7 18.1,20.5 18.1,20.2 v -0.7 c 0,-0.3 0,-0.6 .1,-0.8 l .3,-0.6 c 0,0 .3,-0.3 .5,-0.3 .2,0 .4,-0.1 .6,-0.1 .2,0 .4,0 .6,.1 .2,.1 .3,.2 .5,.3 .2,.1 .2,.3 .3,.6 .1,.3 .1,.5 .1,.8 v .7 z m -0.8,-0.8 v -0.5 c 0,0 -0.1,-0.2 -0.1,-0.3 0,-0.1 -0.1,-0.1 -0.2,-0.2 -0.1,-0.1 -0.2,-0.1 -0.3,-0.1 -0.1,0 -0.2,0 -0.3,.1 l -0.2,.2 c 0,0 -0.1,.2 -0.1,.3 v 2 c 0,0 .1,.2 .1,.3 0,.1 .1,.1 .2,.2 .1,.1 .2,.1 .3,.1 .1,0 .2,0 .3,-0.1 l .2,-0.2 c 0,0 .1,-0.2 .1,-0.3 v -1.5 z"}}]}), +this.api.seekBy(10*this.api.getPlaybackRate()),h=!0);break;case 37:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=HNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,-1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(this.j?BU(this.j,-1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 18,11 V 7 l -5,5 5,5 v -4 c 3.3,0 6,2.7 6,6 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 h -2 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 0,-4.4 -3.6,-8 -8,-8 z m -1.3,8.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.4,.3 C 18.5,22 18.2,22 18,22 17.8,22 17.6,22 17.5,21.9 17.4,21.8 17.2,21.8 17,21.7 16.8,21.6 16.8,21.5 16.7,21.3 16.6,21.1 16.6,21 16.6,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.5,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.7 z"}}]}), +this.api.seekBy(-5*this.api.getPlaybackRate()),h=!0));break;case 39:this.api.yh()&&(this.api.startSeekCsiAction(),n?(n=GNa(m,1E3*this.api.getCurrentTime()),-1!==n&&null!=this.j&&(pNa(this.j,1,m[n].title),this.api.seekTo(m[n].startTime/1E3),h=!0)):(null!=this.j?BU(this.j,1,5):iU(this.Qc,{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,19 c 0,4.4 3.6,8 8,8 4.4,0 8,-3.6 8,-8 h -2 c 0,3.3 -2.7,6 -6,6 -3.3,0 -6,-2.7 -6,-6 0,-3.3 2.7,-6 6,-6 v 4 l 5,-5 -5,-5 v 4 c -4.4,0 -8,3.6 -8,8 z m 6.7,.9 .2,-2.2 h 2.4 v .7 h -1.7 l -0.1,.9 c 0,0 .1,0 .1,-0.1 0,-0.1 .1,0 .1,-0.1 0,-0.1 .1,0 .2,0 h .2 c .2,0 .4,0 .5,.1 .1,.1 .3,.2 .4,.3 .1,.1 .2,.3 .3,.5 .1,.2 .1,.4 .1,.6 0,.2 0,.4 -0.1,.5 -0.1,.1 -0.1,.3 -0.3,.5 -0.2,.2 -0.3,.2 -0.5,.3 C 18.3,22 18.1,22 17.9,22 17.7,22 17.5,22 17.4,21.9 17.3,21.8 17.1,21.8 16.9,21.7 16.7,21.6 16.7,21.5 16.6,21.3 16.5,21.1 16.5,21 16.5,20.8 h .8 c 0,.2 .1,.3 .2,.4 .1,.1 .2,.1 .4,.1 .1,0 .2,0 .3,-0.1 L 18.4,21 c 0,0 .1,-0.2 .1,-0.3 v -0.6 l -0.1,-0.2 -0.2,-0.2 c 0,0 -0.2,-0.1 -0.3,-0.1 h -0.2 c 0,0 -0.1,0 -0.2,.1 -0.1,.1 -0.1,0 -0.1,.1 0,.1 -0.1,.1 -0.1,.1 h -0.6 z"}}]}), +this.api.seekBy(5*this.api.getPlaybackRate()),h=!0));break;case 77:this.api.isMuted()?(this.api.unMute(),jU(this.Qc,this.api.getVolume(),!1)):(this.api.mute(),jU(this.Qc,0,!0));h=!0;break;case 32:case 75:e.Xa||(LNa(this)&&this.api.Na("onExpandMiniplayer"),f?this.Kc.AL():(h=!g.RO(this.api.Cb()),this.Qc.nw(h),h?this.api.playVideo():this.api.pauseVideo()),h=!0);break;case 190:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h+.25,!0),MMa(this.Qc,!1),h=!0):this.api.yh()&&(this.step(1),h= +!0);break;case 188:b?e.uf&&(h=this.api.getPlaybackRate(),this.api.setPlaybackRate(h-.25,!0),MMa(this.Qc,!0),h=!0):this.api.yh()&&(this.step(-1),h=!0);break;case 70:oMa(this.api)&&(this.api.toggleFullscreen().catch(function(){}),h=!0); +break;case 27:f?(this.Kc.Vr(),h=!0):this.C()&&(h=!0)}if("3"!==e.controlsType)switch(a){case 67:g.JT(this.api.wb())&&(e=this.api.getOption("captions","track"),this.api.toggleSubtitles(),NMa(this.Qc,!e||e&&!e.displayName),h=!0);break;case 79:LU(this,"textOpacity");break;case 87:LU(this,"windowOpacity");break;case 187:case 61:LU(this,"fontSizeIncrement",!1,!0);break;case 189:case 173:LU(this,"fontSizeIncrement",!0,!0)}var p;b||c||d||(48<=a&&57>=a?p=a-48:96<=a&&105>=a&&(p=a-96));null!=p&&this.api.yh()&& +(this.api.startSeekCsiAction(),a=this.api.getProgressState(),this.api.seekTo(p/10*(a.seekableEnd-a.seekableStart)+a.seekableStart),h=!0);h&&this.Ve.tp()}return h}; +g.k.step=function(a){this.api.yh();if(g.QO(this.api.Cb())){var b=this.api.getVideoData().u;b&&(b=b.video)&&this.api.seekBy(a/(b.fps||30))}}; +g.k.qa=function(){g.Lp(this.B);g.bI.prototype.qa.call(this)};g.w(g.MU,g.U);g.MU.prototype.Sq=aa(33); +g.MU.prototype.Pa=function(){var a=this.F.V(),b=a.B||this.F.K("web_player_hide_overflow_button_if_empty_menu")&&this.Bh.Bf(),c=g.fK(a)&&g.KS(this.F)&&g.S(this.F.Cb(),128),d=this.F.getPlayerSize(),e=a.K("shorts_mode_to_player_api")?this.F.Sb():this.j.Sb();this.visible=this.j.Wg()&&!c&&240<=d.width&&!(this.F.getVideoData().D&&a.Z)&&!b&&!this.u&&!e;g.Up(this.element,"ytp-overflow-button-visible",this.visible);this.visible&&$S(this.tooltip);this.F.Ua(this.element,this.visible&&this.ea)}; +g.MU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.F.Ua(this.element,this.visible&&a)}; +g.MU.prototype.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-overflow-button-visible")};g.w(MNa,g.PS);g.k=MNa.prototype;g.k.r0=function(a){a=CO(a);g.zf(this.element,a)&&(g.zf(this.j,a)||g.zf(this.closeButton,a)||QS(this))}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element)}; +g.k.show=function(){this.yb&&this.F.ma("OVERFLOW_PANEL_OPENED");g.PS.prototype.show.call(this);this.element.setAttribute("aria-modal","true");ONa(this,!0)}; +g.k.hide=function(){g.PS.prototype.hide.call(this);this.element.removeAttribute("aria-modal");ONa(this,!1)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.Bf=function(){return 0===this.actionButtons.length}; +g.k.focus=function(){for(var a=g.t(this.actionButtons),b=a.next();!b.done;b=a.next())if(b=b.value,b.yb){b.focus();break}};g.w(PNa,g.U);PNa.prototype.onClick=function(a){g.UT(a,this.api)&&this.api.playVideoAt(this.index)};g.w(QNa,g.PS);g.k=QNa.prototype;g.k.show=function(){g.PS.prototype.show.call(this);this.B.S(this.api,"videodatachange",this.GJ);this.B.S(this.api,"onPlaylistUpdate",this.GJ);this.GJ()}; +g.k.hide=function(){g.PS.prototype.hide.call(this);g.Lz(this.B);this.updatePlaylist(null)}; +g.k.GJ=function(){this.updatePlaylist(this.api.getPlaylist());this.api.V().B&&(this.Da("ytp-playlist-menu-title-name").removeAttribute("href"),this.C&&(this.Hc(this.C),this.C=null))}; +g.k.TH=function(){var a=this.playlist,b=a.author,c=b?"by $AUTHOR \u2022 $CURRENT_POSITION/$PLAYLIST_LENGTH":"$CURRENT_POSITION/$PLAYLIST_LENGTH",d={CURRENT_POSITION:String(a.index+1),PLAYLIST_LENGTH:String(a.length)};b&&(d.AUTHOR=b);this.update({title:a.title,subtitle:g.lO(c,d),playlisturl:this.api.getVideoUrl(!0)});b=a.B;if(b===this.D)this.selected.element.setAttribute("aria-checked","false"),this.selected=this.j[a.index];else{c=g.t(this.j);for(d=c.next();!d.done;d=c.next())d.value.dispose();c=a.length; +this.j=[];for(d=0;dg.cG(this.api).getPlayerSize().width&&!a);this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.tL("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.getLength())}),title:g.tL("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}),this.fb||(this.show(),EV(this.tooltip)),this.visible=!0):this.fb&& -(this.hide(),EV(this.tooltip))}; -RV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -RV.prototype.u=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.oa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.oa,this);this.oa()};g.u(SV,g.V);g.k=SV.prototype; -g.k.rz=function(a,b){if(!this.C){if(a){this.tooltipRenderer=a;var c,d,e,f,h,l,m,n,p=this.tooltipRenderer.text,r=!1;(null===(c=null===p||void 0===p?void 0:p.runs)||void 0===c?0:c.length)&&p.runs[0].text&&(this.update({title:p.runs[0].text.toString()}),r=!0);g.Mg(this.title,r);p=this.tooltipRenderer.detailsText;c=!1;if((null===(d=null===p||void 0===p?void 0:p.runs)||void 0===d?0:d.length)&&p.runs[0].text){r=p.runs[0].text.toString();d=r.indexOf("$TARGET_ICON");if(-1=this.B&&!a;g.J(this.element,"ytp-share-button-visible",this.visible);g.JN(this,this.visible);EV(this.tooltip);g.QN(this.api,this.element,this.visible&&this.R)}; -g.VV.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)}; -g.VV.prototype.ca=function(){g.V.prototype.ca.call(this);g.sn(this.element,"ytp-share-button-visible")};g.u(g.WV,g.OU);g.k=g.WV.prototype;g.k.bN=function(a){a=fp(a);g.Me(this.F,a)||g.Me(this.closeButton,a)||PU(this)}; -g.k.nb=function(){g.OU.prototype.nb.call(this);this.tooltip.Ci(this.element)}; -g.k.show=function(){var a=this.fb;g.OU.prototype.show.call(this);this.oa();a||this.api.xa("onSharePanelOpened")}; -g.k.oa=function(){var a=this;g.I(this.element,"ytp-share-panel-loading");g.sn(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId(),d=c&&this.D.checked,e=this.api.T();g.Q(e.experiments,"web_player_innertube_share_panel")&&b.getSharePanelCommand?cT(dG(this.api.app),b.getSharePanelCommand,{includeListId:d}).then(function(f){uua(a,f)}):(g.J(this.element,"ytp-share-panel-has-playlist",!!c),b={action_get_share_info:1, -video_id:b.videoId},e.ye&&(b.authuser=e.ye),e.pageId&&(b.pageid=e.pageId),g.hD(e)&&g.eV(b,"emb_share"),d&&(b.list=c),g.qq(e.P+"share_ajax",{method:"GET",onError:function(){wua(a)}, -onSuccess:function(f,h){h?uua(a,h):wua(a)}, -si:b,withCredentials:!0}));c=this.api.getVideoUrl(!0,!0,!1,!1);this.ya("link",c);this.ya("linkText",c);this.ya("shareLinkWithUrl",g.tL("Share link $URL",{URL:c}));DU(this.C)}; -g.k.aN=function(a){!a&&this.zf()&&PU(this)}; -g.k.focus=function(){this.C.focus()}; -g.k.ca=function(){g.OU.prototype.ca.call(this);vua(this)};g.u(ZV,g.V);g.k=ZV.prototype;g.k.DF=function(){}; -g.k.EF=function(){}; -g.k.cw=function(){return!0}; -g.k.ZR=function(){if(this.expanded){this.Y.show();var a=this.D.element.scrollWidth}else a=this.D.element.scrollWidth,this.Y.hide();this.Ga=34+a;g.J(this.badge.element,"ytp-suggested-action-badge-expanded",this.expanded);this.badge.element.style.width=(this.expanded?34:this.Ga)+"px";this.X.start()}; -g.k.ZJ=function(){this.badge.element.style.width=(this.expanded?this.Ga:34)+"px";this.ha.start()}; -g.k.ri=function(){this.cw()?this.P.show():this.P.hide();xua(this)}; -g.k.TM=function(){this.enabled=!1;this.ri()}; -g.k.zS=function(a){this.Qa=a;this.ri()}; -g.k.vO=function(a){this.za=1===a;this.ri()};g.u($V,ZV);g.k=$V.prototype;g.k.ca=function(){aW(this);ZV.prototype.ca.call(this)}; -g.k.DF=function(a){a.target!==this.dismissButton.element&&(yua(this,!1),this.J.xa("innertubeCommand",this.onClickCommand))}; -g.k.EF=function(){this.dismissed=!0;yua(this,!0);this.ri()}; -g.k.QP=function(a){this.fa=a;this.ri()}; -g.k.HP=function(a){var b=this.J.getVideoData();b&&b.videoId===this.videoId&&this.aa&&(this.K=a,a||(a=3+this.J.getCurrentTime(),zua(this,a)))}; -g.k.Ra=function(a,b){var c,d=!!b.videoId&&this.videoId!==b.videoId;d&&(this.videoId=b.videoId,this.dismissed=!1,this.u=!0,this.K=this.aa=this.F=this.I=!1,aW(this));if(d||!b.videoId)this.C=this.B=!1;d=b.shoppingOverlayRenderer;this.fa=this.enabled=!1;if(d){this.enabled=!0;var e,f;this.B||(this.B=!!d.trackingParams)&&g.NN(this.J,this.badge.element,d.trackingParams||null);this.C||(this.C=!(null===(e=d.dismissButton)||void 0===e||!e.trackingParams))&&g.NN(this.J,this.dismissButton.element,(null===(f= -d.dismissButton)||void 0===f?void 0:f.trackingParams)||null);this.text=g.T(d.text);if(e=null===(c=d.dismissButton)||void 0===c?void 0:c.a11yLabel)this.Aa=g.T(e);this.onClickCommand=d.onClickCommand;this.timing=d.timing;YI(b)?this.K=this.aa=!0:zua(this)}d=this.text||"";g.Ne(g.se("ytp-suggested-action-badge-title",this.element),d);this.badge.element.setAttribute("aria-label",d);this.dismissButton.element.setAttribute("aria-label",this.Aa?this.Aa:"");YV(this);this.ri()}; -g.k.cw=function(){return this.Qa&&!this.fa&&this.enabled&&!this.dismissed&&!this.Ta.Ie()&&!this.J.isFullscreen()&&!this.za&&!this.K&&(this.F||this.u)}; -g.k.ff=function(a){(this.F=a)?(XV(this),YV(this,!1)):(aW(this),this.ma.start());this.ri()};g.u(bW,g.OU);bW.prototype.show=function(){g.OU.prototype.show.call(this);this.B.start()}; -bW.prototype.hide=function(){g.OU.prototype.hide.call(this);this.B.stop()};g.u(cW,g.V);cW.prototype.onClick=function(){this.J.fn()}; -cW.prototype.oa=function(){g.JN(this,this.J.Jq());this.ya("icon",this.J.Ze()?{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"path",wb:!0,U:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}:{G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"}, -S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};new zq("yt.autonav");g.u(dW,g.V);g.k=dW.prototype; -g.k.er=function(){var a=this.J.getPresentingPlayerType();if(2!==a&&3!==a&&g.XT(this.J)&&400<=g.cG(this.J).getPlayerSize().width)this.u||(this.u=!0,g.JN(this,this.u),this.B.push(this.N(this.J,"videodatachange",this.er)),this.B.push(this.N(this.J,"videoplayerreset",this.er)),this.B.push(this.N(this.J,"onPlaylistUpdate",this.er)),this.B.push(this.N(this.J,"autonavchange",this.TE)),a=this.J.getVideoData(),this.TE(a.autonavState),g.QN(this.J,this.element,this.u));else{this.u=!1;g.JN(this,this.u);a=g.q(this.B); -for(var b=a.next();!b.done;b=a.next())this.Mb(b.value)}}; -g.k.TE=function(a){this.isChecked=1!==a||!g.jt(g.ht.getInstance(),140);Aua(this)}; -g.k.onClick=function(){this.isChecked=!this.isChecked;var a=this.J,b=this.isChecked?2:1;cBa(a.app,b);b&&a1(a.app,b);Aua(this);g.$T(this.J,this.element)}; -g.k.getValue=function(){return this.isChecked}; -g.k.setValue=function(a){this.isChecked=a;this.ka("ytp-autonav-toggle-button").setAttribute("aria-checked",String(this.isChecked))};g.u(g.fW,g.V);g.fW.prototype.ca=function(){this.u=null;g.V.prototype.ca.call(this)};g.u(gW,g.V);gW.prototype.Y=function(a){var b=g.Lg(this.I).width,c=g.Lg(this.X).width,d=this.K.ge()?3:1;a=a.width-b-c-40*d-52;0d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.Fz()}}; -g.k.disable=function(){var a=this;if(!this.message){var b=(null!=Xo(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.OU(this.J,{G:"div",la:["ytp-popup","ytp-generic-popup"],U:{role:"alert",tabindex:"0"},S:[b[0],{G:"a",U:{href:"https://support.google.com/youtube/answer/6276924", -target:this.J.T().F},Z:b[2]},b[4]]},100,!0);this.message.hide();g.D(this,this.message);this.message.subscribe("show",function(c){a.C.hq(a.message,c)}); -g.BP(this.J,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.u)();this.u=null}}; -g.k.oa=function(){g.JN(this,Eta(this.J))}; -g.k.WE=function(a){if(a){var b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", -L:"ytp-fullscreen-button-corner-1",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.EU(this.J,"Exit full screen","f");document.activeElement===this.element&&this.J.getRootNode().focus()}else b={G:"svg",U:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},S:[{G:"g",L:"ytp-fullscreen-button-corner-0",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-1",S:[{G:"path", -wb:!0,L:"ytp-svg-fill",U:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-2",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",L:"ytp-fullscreen-button-corner-3",S:[{G:"path",wb:!0,L:"ytp-svg-fill",U:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.EU(this.J,"Full screen","f");this.ya("icon",b);this.ya("title",this.message?null:a);EV(this.C.Rb())}; -g.k.ca=function(){this.message||((0,this.u)(),this.u=null);g.V.prototype.ca.call(this)};g.u(mW,g.V);mW.prototype.onClick=function(){this.J.xa("onCollapseMiniplayer");g.$T(this.J,this.element)}; -mW.prototype.oa=function(){this.visible=!this.J.isFullscreen();g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -mW.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.J,this.element,this.visible&&a)};g.u(nW,g.V);nW.prototype.Ra=function(a){this.oa("newdata"===a)}; -nW.prototype.oa=function(a){var b=this.J.getVideoData(),c=b.Vl,d=g.uK(this.J);d=(g.GM(d)||g.U(d,4))&&0a&&this.delay.start()}; -var dDa=new g.Cn(0,0,.4,0,.2,1,1,1),Hua=/[0-9.-]+|[^0-9.-]+/g;g.u(rW,g.V);g.k=rW.prototype;g.k.XE=function(a){this.visible=300<=a.width;g.JN(this,this.visible);g.QN(this.J,this.element,this.visible&&this.R)}; -g.k.yP=function(){this.J.T().X?this.J.isMuted()?this.J.unMute():this.J.mute():PU(this.message,this.element,!0);g.$T(this.J,this.element)}; -g.k.PM=function(a){this.setVolume(a.volume,a.muted)}; -g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.J.T(),f=0===d?1:50this.clipEnd)&&this.Tv()}; -g.k.XM=function(a){if(!g.kp(a)){var b=!1;switch(g.lp(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.ip(a)}}; -g.k.YE=function(a,b){this.updateVideoData(b,"newdata"===a)}; -g.k.MK=function(){this.YE("newdata",this.api.getVideoData())}; -g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.isValid();this.fd=c&&a.allowLiveDvr;fva(this,this.api.He());b&&(c?(c=a.clipEnd,this.clipStart=a.clipStart,this.clipEnd=c,pX(this),lX(this,this.K,this.ma)):this.Tv(),g.dY(this.tooltip));if(a){c=a.watchNextResponse;if(c=!a.isLivePlayback&&c){c=this.api.getVideoData().multiMarkersPlayerBarRenderer;var d=this.api.getVideoData().sx;c=null!=c||null!=d&&0a.position&&(n=1);!m&&h/2>this.C-a.position&&(n=2);yva(this.tooltip, -c,d,b,!!f,l,e,n)}else yva(this.tooltip,c,d,b,!!f,l);g.J(this.api.getRootNode(),"ytp-progress-bar-hover",!g.U(g.uK(this.api),64));Zua(this)}; -g.k.SP=function(){g.dY(this.tooltip);g.sn(this.api.getRootNode(),"ytp-progress-bar-hover")}; -g.k.RP=function(a,b){this.D&&(this.D.dispose(),this.D=null);this.Ig=b;1e||1e&&a.D.start()}); -this.D.start()}if(g.U(g.uK(this.api),32)||3===this.api.getPresentingPlayerType())1.1*(this.B?60:40),f=iX(this));g.J(this.element,"ytp-pull-ui",e);d&&g.I(this.element,"ytp-pulling");d=0;f.B&&0>=f.position&&1===this.Ea.length?d=-1:f.F&&f.position>=f.width&&1===this.Ea.length&&(d=1);if(this.ub!==d&&1===this.Ea.length&&(this.ub=d,this.D&&(this.D.dispose(),this.D=null),d)){var h=(0,g.N)();this.D=new g.gn(function(){var l=c.C*(c.ha-1); -c.X=g.ce(c.X+c.ub*((0,g.N)()-h)*.3,0,l);mX(c);c.api.seekTo(oX(c,iX(c)),!1);0this.api.jb().getPlayerSize().width&&!a);(this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb())?this.hide():this.playlist&&2!==this.api.getPresentingPlayerType()?(this.update({text:g.lO("$CURRENT_POSITION/$PLAYLIST_LENGTH",{CURRENT_POSITION:String(this.playlist.index+1),PLAYLIST_LENGTH:String(this.playlist.length)}),title:g.lO("Playlist: $PLAYLIST_NAME",{PLAYLIST_NAME:this.playlist.title})}), +this.yb||(this.show(),$S(this.tooltip)),this.visible=!0,this.Zb(!0)):this.yb&&this.hide()}; +NU.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +NU.prototype.j=function(){this.playlist&&this.playlist.unsubscribe("shuffle",this.Pa,this);(this.playlist=this.api.getPlaylist())&&this.playlist.subscribe("shuffle",this.Pa,this);this.Pa()};g.w(RNa,g.U);g.k=RNa.prototype;g.k.t0=function(){this.C?VNa(this):UNa(this)}; +g.k.s0=function(){this.C?(OU(this),this.I=!0):UNa(this)}; +g.k.c5=function(){this.D=!0;this.QD(1);this.F.ma("promotooltipacceptbuttonclicked",this.acceptButton);OU(this);this.u&&this.F.qb(this.acceptButton)}; +g.k.V5=function(){this.D=!0;this.QD(2);OU(this);this.u&&this.F.qb(this.dismissButton)}; +g.k.u0=function(a){if(1===this.F.getPresentingPlayerType()||2===this.F.getPresentingPlayerType()&&this.T){var b=!0,c=g.kf("ytp-ad-overlay-ad-info-dialog-container"),d=CO(a);if(this.B&&d&&g.zf(this.B,d))this.B=null;else{1===this.F.getPresentingPlayerType()&&d&&Array.from(d.classList).forEach(function(l){l.startsWith("ytp-ad")&&(b=!1)}); +var e=WNa(this.tooltipRenderer),f;if("TOOLTIP_DISMISS_TYPE_TAP_ANYWHERE"===(null==(f=this.tooltipRenderer.dismissStrategy)?void 0:f.type))e&&(b=b&&!g.zf(this.element,d));else{var h;"TOOLTIP_DISMISS_TYPE_TAP_INTERNAL"===(null==(h=this.tooltipRenderer.dismissStrategy)?void 0:h.type)&&(b=e?!1:b&&g.zf(this.element,d))}this.j&&this.yb&&!c&&(!d||b&&g.fR(a))&&(this.D=!0,OU(this))}}}; +g.k.QD=function(a){var b=this.tooltipRenderer.promoConfig;if(b){switch(a){case 0:var c;if(null==(c=b.impressionEndpoints)?0:c.length)var d=b.impressionEndpoints[0];break;case 1:d=b.acceptCommand;break;case 2:d=b.dismissCommand}var e;a=null==(e=g.K(d,cab))?void 0:e.feedbackToken;d&&a&&(e={feedbackTokens:[a]},a=this.F.Mm(),(null==a?0:vFa(d,a.rL))&&tR(a,d,e))}}; +g.k.Db=function(){this.I||(this.j||(this.j=SNa(this)),VNa(this))}; +var TNa={"ytp-settings-button":g.rQ()};g.w(PU,g.U);PU.prototype.onStateChange=function(a){this.qc(a.state)}; +PU.prototype.qc=function(a){g.bQ(this,g.S(a,2))}; +PU.prototype.onClick=function(){this.F.Cb();this.F.playVideo()};g.w(g.QU,g.U);g.k=g.QU.prototype;g.k.Tq=aa(35);g.k.onClick=function(){var a=this,b=this.api.V(),c=this.api.getVideoData(this.api.getPresentingPlayerType()),d=this.api.getPlaylistId();b=b.getVideoUrl(c.videoId,d,void 0,!0);if(navigator.share)try{var e=navigator.share({title:c.title,url:b});e instanceof Promise&&e.catch(function(f){YNa(a,f)})}catch(f){f instanceof Error&&YNa(this,f)}else this.j.Il(),QS(this.B,this.element,!1); +this.api.qb(this.element)}; +g.k.showShareButton=function(a){var b=!0;if(this.api.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){var c,d,e=null==(c=a.kf)?void 0:null==(d=c.embedPreview)?void 0:d.thumbnailPreviewRenderer;e&&(b=!!e.shareButton);var f,h;(c=null==(f=a.jd)?void 0:null==(h=f.playerOverlays)?void 0:h.playerOverlayRenderer)&&(b=!!c.shareButton);var l,m,n,p;if(null==(p=g.K(null==(l=a.jd)?void 0:null==(m=l.contents)?void 0:null==(n=m.twoColumnWatchNextResults)?void 0:n.desktopOverlay,nM))?0:p.suppressShareButton)b= +!1}else b=a.showShareButton;return b}; +g.k.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.j.Sb();g.Up(this.element,"ytp-show-share-title",g.fK(a)&&!g.oK(a)&&!b);this.j.yg()&&b?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.element,"right",a+"px")):b&&g.Hm(this.element,"right","0px");this.updateValue("icon",{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20.20,14.19 0,-4.45 7.79,7.79 -7.79,7.79 0,-4.56 C 16.27,20.69 12.10,21.81 9.34,24.76 8.80,25.13 7.60,27.29 8.12,25.65 9.08,21.32 11.80,17.18 15.98,15.38 c 1.33,-0.60 2.76,-0.98 4.21,-1.19 z"}}]}); +this.visible=XNa(this);g.Up(this.element,"ytp-share-button-visible",this.visible);g.bQ(this,this.visible);$S(this.tooltip);this.api.Ua(this.element,XNa(this)&&this.ea)}; +g.k.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.element,"ytp-share-button-visible")};g.w(g.RU,g.PS);g.k=g.RU.prototype;g.k.v0=function(a){a=CO(a);g.zf(this.D,a)||g.zf(this.closeButton,a)||QS(this)}; +g.k.Fb=function(){g.PS.prototype.Fb.call(this);this.tooltip.rk(this.element);this.api.Ua(this.j,!1);for(var a=g.t(this.B),b=a.next();!b.done;b=a.next())b=b.value,this.api.Dk(b.element)&&this.api.Ua(b.element,!1)}; +g.k.show=function(){var a=this.yb;g.PS.prototype.show.call(this);this.Pa();a||this.api.Na("onSharePanelOpened")}; +g.k.B4=function(){this.yb&&this.Pa()}; +g.k.Pa=function(){var a=this;g.Qp(this.element,"ytp-share-panel-loading");g.Sp(this.element,"ytp-share-panel-fail");var b=this.api.getVideoData(),c=this.api.getPlaylistId()&&this.C.checked;b.getSharePanelCommand&&tR(this.api.Mm(),b.getSharePanelCommand,{includeListId:c}).then(function(d){a.isDisposed()||(g.Sp(a.element,"ytp-share-panel-loading"),aOa(a,d))}); +b=this.api.getVideoUrl(!0,!0,!1,!1);g.oK(this.api.V())&&(b=g.Zi(b,g.hS({},"emb_share")));this.updateValue("link",b);this.updateValue("linkText",b);this.updateValue("shareLinkWithUrl",g.lO("Share link $URL",{URL:b}));rMa(this.j);this.api.Ua(this.j,!0)}; +g.k.onFullscreenToggled=function(a){!a&&this.ej()&&QS(this)}; +g.k.focus=function(){this.j.focus()}; +g.k.qa=function(){g.PS.prototype.qa.call(this);$Na(this)};g.w(cOa,EU);g.k=cOa.prototype;g.k.qa=function(){dOa(this);EU.prototype.qa.call(this)}; +g.k.YG=function(a){a.target!==this.dismissButton.element&&(FU(this,!1),this.F.Na("innertubeCommand",this.onClickCommand))}; +g.k.WC=function(){this.ya=!0;FU(this,!0);this.dl()}; +g.k.I6=function(a){this.Ja=a;this.dl()}; +g.k.B6=function(a){var b=this.F.getVideoData();b&&b.videoId===this.videoId&&this.T&&(this.J=a,a||(a=3+this.F.getCurrentTime(),this.ye(a)))}; +g.k.onVideoDataChange=function(a,b){if(a=!!b.videoId&&this.videoId!==b.videoId)this.videoId=b.videoId,this.ya=!1,this.C=!0,this.J=this.T=this.D=this.Z=!1,dOa(this);if(a||!b.videoId)this.u=this.j=!1;var c,d;if(this.F.K("web_player_enable_featured_product_banner_on_desktop")&&(null==b?0:null==(c=b.getPlayerResponse())?0:null==(d=c.videoDetails)?0:d.isLiveContent))this.Bg(!1);else{var e,f,h;c=b.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")?g.K(null==(e=b.jd)?void 0:null==(f=e.playerOverlays)? +void 0:null==(h=f.playerOverlayRenderer)?void 0:h.productsInVideoOverlayRenderer,qza):b.shoppingOverlayRenderer;this.Ja=this.enabled=!1;if(c){this.enabled=!0;if(!this.j){var l;e=null==(l=c.badgeInteractionLogging)?void 0:l.trackingParams;(this.j=!!e)&&this.F.og(this.badge.element,e||null)}if(!this.u){var m;if(this.u=!(null==(m=c.dismissButton)||!m.trackingParams)){var n;this.F.og(this.dismissButton.element,(null==(n=c.dismissButton)?void 0:n.trackingParams)||null)}}this.text=g.gE(c.text);var p;if(l= +null==(p=c.dismissButton)?void 0:p.a11yLabel)this.Ya=g.gE(l);this.onClickCommand=c.onClickCommand;this.timing=c.timing;BM(b)?this.J=this.T=!0:this.ye()}rNa(this);DU(this);this.dl()}}; +g.k.Yz=function(){return!this.Ja&&this.enabled&&!this.ya&&!this.kb.Wg()&&!this.Xa&&!this.J&&(this.D||this.C)}; +g.k.Bg=function(a){(this.D=a)?(CU(this),DU(this,!1)):(dOa(this),this.oa.start());this.dl()}; +g.k.ye=function(a){a=void 0===a?0:a;var b=[],c=this.timing.visible,d=this.timing.expanded;c&&b.push(new g.XD(1E3*(c.startSec+a),1E3*(c.endSec+a),{priority:9,namespace:"shopping_overlay_visible"}));d&&b.push(new g.XD(1E3*(d.startSec+a),1E3*(d.endSec+a),{priority:9,namespace:"shopping_overlay_expanded"}));this.F.ye(b)};g.w(fOa,g.U); +fOa.prototype.Pa=function(){var a=this.api.V(),b=a.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.bQ(this,g.fK(a)&&b);this.subscribeButton&&this.api.Ua(this.subscribeButton.element,this.yb);b=this.api.getVideoData();var c=!1;2===this.api.getPresentingPlayerType()?c=!!b.videoId&&!!b.isListed&&!!b.author&&!!b.Lc&&!!b.profilePicture:g.fK(a)&&(c=!!b.videoId&&!!b.Lc&&!!b.profilePicture&&!(b.D&&a.Z)&&!a.B&&!(a.T&&200>this.api.getPlayerSize().width));var d=b.profilePicture;a=g.fK(a)?b.ph:b.author; +d=void 0===d?"":d;a=void 0===a?"":a;c?(this.B!==d&&(this.j.style.backgroundImage="url("+d+")",this.B=d),this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelLink",SU(this)),this.updateValue("channelLogoLabel",g.lO("Photo image of $CHANNEL_NAME",{CHANNEL_NAME:a})),g.Qp(this.api.getRootNode(),"ytp-title-enable-channel-logo")):g.Sp(this.api.getRootNode(),"ytp-title-enable-channel-logo");this.api.Ua(this.j,c&&this.ea);this.api.K("web_player_ve_conversion_fixes_for_channel_info")&& +this.api.Ua(this.channelName,c&&this.ea);this.subscribeButton&&(this.subscribeButton.channelId=b.bk);this.updateValue("expandedTitle",b.ph);this.api.K("web_player_ve_conversion_fixes_for_channel_info")||this.updateValue("channelTitleLink",SU(this))};g.w(TU,g.PS);TU.prototype.show=function(){g.PS.prototype.show.call(this);this.j.start()}; +TU.prototype.hide=function(){g.PS.prototype.hide.call(this);this.j.stop()}; +TU.prototype.Gs=function(a,b){"dataloaded"===a&&((this.ri=b.ri,this.vf=b.vf,isNaN(this.ri)||isNaN(this.vf))?this.B&&(this.F.Ff("intro"),this.F.removeEventListener(g.ZD("intro"),this.I),this.F.removeEventListener(g.$D("intro"),this.D),this.F.removeEventListener("onShowControls",this.C),this.hide(),this.B=!1):(this.F.addEventListener(g.ZD("intro"),this.I),this.F.addEventListener(g.$D("intro"),this.D),this.F.addEventListener("onShowControls",this.C),a=new g.XD(this.ri,this.vf,{priority:9,namespace:"intro"}), +this.F.ye([a]),this.B=!0))};g.w(UU,g.U);UU.prototype.onClick=function(){this.F.Dt()}; +UU.prototype.Pa=function(){var a=!0;g.fK(this.F.V())&&(a=a&&480<=this.F.jb().getPlayerSize().width);g.bQ(this,a);this.updateValue("icon",this.F.wh()?{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,X:{d:"M11,13 L25,13 L25,21 L11,21 L11,13 Z M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z",fill:"#fff"}}]}: +{G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M12,28 L24,28 L18,22 L12,28 Z M27,9 L9,9 C7.9,9 7,9.9 7,11 L7,23 C7,24.1 7.9,25 9,25 L13,25 L13,23 L9,23 L9,11 L27,11 L27,23 L23,23 L23,25 L27,25 C28.1,25 29,24.1 29,23 L29,11 C29,9.9 28.1,9 27,9 L27,9 Z"}}]})};g.w(g.WU,g.U);g.WU.prototype.qa=function(){this.j=null;g.U.prototype.qa.call(this)};g.w(XU,g.U);XU.prototype.onClick=function(){this.F.Na("innertubeCommand",this.j)}; +XU.prototype.J=function(a){a!==this.D&&(this.update({title:a}),this.D=a);a?this.show():this.hide()}; +XU.prototype.I=function(){this.B.disabled=null==this.j;g.Up(this.B,"ytp-chapter-container-disabled",this.B.disabled);this.yc()};g.w(YU,XU);YU.prototype.onClickCommand=function(a){g.K(a,rM)&&this.yc()}; +YU.prototype.updateVideoData=function(a,b){var c;if(b.K("embeds_web_enable_video_data_refactoring_offline_and_progress_bar")){var d,e;a=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.decoratedPlayerBarRenderer,HL);c=g.K(null==a?void 0:a.playerBarActionButton,g.mM)}else c=b.z1;var f;this.j=null==(f=c)?void 0:f.command;XU.prototype.I.call(this)}; +YU.prototype.yc=function(){var a="",b=this.C.j,c,d="clips"===(null==(c=this.F.getLoopRange())?void 0:c.type);if(1d!==a>b){var e=c;c=d;d=e}a>c&&b>d&&this.NN()}}; +g.k.disable=function(){var a=this;if(!this.message){var b=(null!=wz(["requestFullscreen","webkitRequestFullscreen","mozRequestFullScreen","msRequestFullscreen"],document.body)?"Full screen is unavailable. $BEGIN_LINKLearn More$END_LINK":"Your browser doesn't support full screen. $BEGIN_LINKLearn More$END_LINK").split(/\$(BEGIN|END)_LINK/);this.message=new g.PS(this.F,{G:"div",Ia:["ytp-popup","ytp-generic-popup"],X:{role:"alert",tabindex:"0"},W:[b[0],{G:"a",X:{href:"https://support.google.com/youtube/answer/6276924", +target:this.F.V().ea},ra:b[2]},b[4]]},100,!0);this.message.hide();g.E(this,this.message);this.message.subscribe("show",function(c){a.u.qy(a.message,c)}); +g.NS(this.F,this.message.element,4);this.element.setAttribute("aria-disabled","true");this.element.setAttribute("aria-haspopup","true");(0,this.j)();this.j=null}}; +g.k.Pa=function(){var a=oMa(this.F),b=this.F.V().T&&250>this.F.getPlayerSize().width;g.bQ(this,a&&!b);this.F.Ua(this.element,this.yb)}; +g.k.cm=function(a){if(a){var b={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 14,14 -4,0 0,2 6,0 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 22,14 0,-4 -2,0 0,6 6,0 0,-2 -4,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,26 2,0 0,-4 4,0 0,-2 -6,0 0,6 0,0 z"}}]},{G:"g", +N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,22 4,0 0,4 2,0 0,-6 -6,0 0,2 0,0 z"}}]}]};a=g.WT(this.F,"Exit full screen","f");this.update({"data-title-no-tooltip":"Exit full screen"});document.activeElement===this.element&&this.F.getRootNode().focus();document.u&&document.j().catch(function(c){g.DD(c)})}else b={G:"svg", +X:{height:"100%",version:"1.1",viewBox:"0 0 36 36",width:"100%"},W:[{G:"g",N:"ytp-fullscreen-button-corner-0",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 10,16 2,0 0,-4 4,0 0,-2 L 10,10 l 0,6 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-1",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 20,10 0,2 4,0 0,4 2,0 L 26,10 l -6,0 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-2",W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"m 24,24 -4,0 0,2 L 26,26 l 0,-6 -2,0 0,4 0,0 z"}}]},{G:"g",N:"ytp-fullscreen-button-corner-3", +W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 12,20 10,20 10,26 l 6,0 0,-2 -4,0 0,-4 0,0 z"}}]}]},a=g.WT(this.F,"Full screen","f"),this.update({"data-title-no-tooltip":"Full screen"});a=this.message?null:a;this.update({title:a,icon:b});$S(this.u.Ic())}; +g.k.qa=function(){this.message||((0,this.j)(),this.j=null);g.U.prototype.qa.call(this)};g.w(aV,g.U);aV.prototype.onClick=function(){this.F.qb(this.element);this.F.seekBy(this.j,!0);null!=this.C.Ou&&BU(this.C.Ou,0this.j&&a.push("backwards");this.element.classList.add.apply(this.element.classList,g.u(a));g.Jp(this.u)}};g.w(bV,XU);bV.prototype.onClickCommand=function(a){g.K(a,hbb)&&this.yc()}; +bV.prototype.updateVideoData=function(){var a,b;this.j=null==(a=kOa(this))?void 0:null==(b=a.onTap)?void 0:b.innertubeCommand;XU.prototype.I.call(this)}; +bV.prototype.yc=function(){var a="",b=this.C.I,c,d=null==(c=kOa(this))?void 0:c.headerTitle;c=d?g.gE(d):"";var e;d="clips"===(null==(e=this.F.getLoopRange())?void 0:e.type);1a&&this.delay.start()}; +var bdb=new gq(0,0,.4,0,.2,1,1,1),rOa=/[0-9.-]+|[^0-9.-]+/g;g.w(g.fV,g.U);g.k=g.fV.prototype;g.k.FR=function(a){this.visible=300<=a.width||this.Ga;g.bQ(this,this.visible);this.F.Ua(this.element,this.visible&&this.ea)}; +g.k.t6=function(){this.F.V().Ya?this.F.isMuted()?this.F.unMute():this.F.mute():QS(this.message,this.element,!0);this.F.qb(this.element)}; +g.k.onVolumeChange=function(a){this.setVolume(a.volume,a.muted)}; +g.k.setVolume=function(a,b){var c=this,d=b?0:a/100,e=this.F.V();a=0===d?1:50=HOa(this)){this.api.seekTo(a,!1);g.Hm(this.B,"transform","translateX("+this.u+"px)");var b=g.eR(a),c=g.lO("Seek to $PROGRESS",{PROGRESS:g.eR(a,!0)});this.update({ariamin:0,ariamax:Math.floor(this.api.getDuration()),arianow:Math.floor(a),arianowtext:c,seekTime:b})}else this.u=this.J}; +g.k.x0=function(){var a=300>(0,g.M)()-this.Ja;if(5>Math.abs(this.T)&&!a){this.Ja=(0,g.M)();a=this.Z+this.T;var b=this.C/2-a;this.JJ(a);this.IJ(a+b);DOa(this);this.api.qb(this.B)}DOa(this)}; +g.k.xz=function(){iV(this,this.api.getCurrentTime())}; +g.k.play=function(a){this.api.seekTo(IOa(this,this.u));this.api.playVideo();a&&this.api.qb(this.playButton)}; +g.k.Db=function(a,b){this.Ga=a;this.C=b;iV(this,this.api.getCurrentTime())}; +g.k.enable=function(){this.isEnabled||(this.isEnabled=!0,this.La=this.api.getCurrentTime(),g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled),this.Aa=this.S(this.element,"wheel",this.y0),this.Ua(this.isEnabled))}; +g.k.disable=function(){this.isEnabled=!1;this.hide();g.Up(this.api.getRootNode(),"ytp-fine-scrubbing-enable",this.isEnabled);this.Aa&&this.Hc(this.Aa);this.Ua(this.isEnabled)}; +g.k.reset=function(){this.disable();this.D=[];this.ya=!1}; +g.k.Ua=function(a){this.api.Ua(this.element,a);this.api.Ua(this.B,a);this.api.Ua(this.dismissButton,a);this.api.Ua(this.playButton,a)}; +g.k.qa=function(){for(;this.j.length;){var a=void 0;null==(a=this.j.pop())||a.dispose()}g.U.prototype.qa.call(this)}; +g.w(EOa,g.U);g.w(FOa,g.U);g.w(LOa,g.U);g.w(jV,g.U);jV.prototype.ub=function(a){return"PLAY_PROGRESS"===a?this.I:"LOAD_PROGRESS"===a?this.D:"LIVE_BUFFER"===a?this.C:this.u};NOa.prototype.update=function(a,b,c,d){c=void 0===c?0:c;this.width=b;this.B=c;this.j=b-c-(void 0===d?0:d);this.position=g.ze(a,c,c+this.j);this.u=this.position-c;this.fraction=this.u/this.j};g.w(OOa,g.U);g.w(g.mV,g.dQ);g.k=g.mV.prototype; +g.k.EY=function(){var a=!1,b=this.api.getVideoData();if(!b)return a;this.api.Ff("timedMarkerCueRange");ROa(this);for(var c=g.t(b.ke),d=c.next();!d.done;d=c.next()){d=d.value;var e=void 0,f=null==(e=this.uc[d])?void 0:e.markers;if(f){a=g.t(f);for(e=a.next();!e.done;e=a.next()){f=e.value;e=new OOa;var h=void 0;e.title=(null==(h=f.title)?void 0:h.simpleText)||"";e.timeRangeStartMillis=Number(f.startMillis);e.j=Number(f.durationMillis);var l=h=void 0;e.onActiveCommand=null!=(l=null==(h=f.onActive)?void 0: +h.innertubeCommand)?l:void 0;WOa(this,e)}XOa(this,this.I);a=this.I;e=this.Od;f=[];h=null;for(l=0;lm&&(h.end=m);m=INa(m,m+p);f.push(m);h=m;e[m.id]=a[l].onActiveCommand}}this.api.ye(f);this.vf=this.uc[d];a=!0}}b.JR=this.I;g.Up(this.element,"ytp-timed-markers-enabled",a);return a}; +g.k.Db=function(){g.nV(this);pV(this);XOa(this,this.I);if(this.u){var a=g.Pm(this.element).x||0;this.u.Db(a,this.J)}}; +g.k.onClickCommand=function(a){if(a=g.K(a,rM)){var b=a.key;a.isVisible&&b&&aPa(this,b)}}; +g.k.H7=function(a){this.api.Na("innertubeCommand",this.Od[a.id])}; +g.k.yc=function(){pV(this);var a=this.api.getCurrentTime();(athis.clipEnd)&&this.LH()}; +g.k.A0=function(a){if(!g.DO(a)){var b=!1;switch(g.zO(a)){case 36:this.api.seekTo(0);b=!0;break;case 35:this.api.seekTo(Infinity);b=!0;break;case 34:this.api.seekBy(-60);b=!0;break;case 33:this.api.seekBy(60);b=!0;break;case 38:this.api.seekBy(5);b=!0;break;case 40:this.api.seekBy(-5),b=!0}b&&g.EO(a)}}; +g.k.Gs=function(a,b){this.updateVideoData(b,"newdata"===a)}; +g.k.I3=function(){this.Gs("newdata",this.api.getVideoData())}; +g.k.updateVideoData=function(a,b){b=void 0===b?!1:b;var c=!!a&&a.De();c&&(aN(a)||hPa(this)?this.je=!1:this.je=a.allowLiveDvr,g.Up(this.api.getRootNode(),"ytp-enable-live-buffer",!(null==a||!aN(a))));qPa(this,this.api.yh());if(b){if(c){b=a.clipEnd;this.clipStart=a.clipStart;this.clipEnd=b;tV(this);for(qV(this,this.Z,this.ib);0m&&(c=m,a.position=jR(this.B,m)*oV(this).j),b=this.B.u;hPa(this)&& +(b=this.B.u);m=f||g.eR(this.je?c-this.B.j:c-b);b=a.position+this.Jf;c-=this.api.Jd();var n;if(null==(n=this.u)||!n.isEnabled)if(this.api.Hj()){if(1=n);d=this.tooltip.scale;l=(isNaN(l)?0:l)-45*d;this.api.K("web_key_moments_markers")?this.vf?(n=FNa(this.I,1E3*c),n=null!=n?this.I[n].title:""):(n=HU(this.j,1E3*c),n=this.j[n].title):(n=HU(this.j,1E3*c),n=this.j[n].title);n||(l+=16*d);.6===this.tooltip.scale&&(l=n?110:126);d=HU(this.j,1E3*c);this.Xa=jPa(this,c,d)?d:jPa(this,c,d+1)?d+1:-1;g.Up(this.api.getRootNode(),"ytp-progress-bar-snap",-1!==this.Xa&&1=h.visibleTimeRangeStartMillis&&p<=h.visibleTimeRangeEndMillis&&(n=h.label,m=g.eR(h.decorationTimeMillis/1E3),d=!0)}this.rd!==d&&(this.rd=d,this.api.Ua(this.Vd,this.rd));g.Up(this.api.getRootNode(),"ytp-progress-bar-decoration",d);d=320*this.tooltip.scale;e=n.length*(this.C?8.55:5.7);e=e<=d?e:d;h=e<160*this.tooltip.scale;d=3;!h&&e/2>a.position&&(d=1);!h&&e/2>this.J-a.position&&(d=2);this.api.V().T&&(l-=10); +this.D.length&&this.D[0].De&&(l-=14*(this.C?2:1),this.Ga||(this.Ga=!0,this.api.Ua(this.oa,this.Ga)));var q;if(lV(this)&&((null==(q=this.u)?0:q.isEnabled)||0=.5*a?(this.u.enable(),iV(this.u,this.api.getCurrentTime()),pPa(this,a)):zV(this)}if(g.S(this.api.Cb(),32)||3===this.api.getPresentingPlayerType()){var b;if(null==(b=this.u)?0:b.isEnabled)this.api.pauseVideo();else{this.api.startSeekCsiAction();if(1=c.visibleTimeRangeStartMillis&&1E3*a<=c.visibleTimeRangeEndMillis&&this.api.qb(this.Vd)}g.Sp(this.element,"ytp-drag");this.ke&&!g.S(this.api.Cb(),2)&&this.api.playVideo()}}}; +g.k.N6=function(a,b){a=oV(this);a=sV(this,a);this.api.seekTo(a,!1);var c;lV(this)&&(null==(c=this.u)?0:c.ya)&&(iV(this.u,a),this.u.isEnabled||(this.Qa=g.ze(this.Kf-b-10,0,vV(this)),pPa(this,this.Qa)))}; +g.k.ZV=function(){this.Bb||(this.updateValue("clipstarticon",JEa()),this.updateValue("clipendicon",JEa()),g.Qp(this.element,"ytp-clip-hover"))}; +g.k.YV=function(){this.Bb||(this.updateValue("clipstarticon",LEa()),this.updateValue("clipendicon",KEa()),g.Sp(this.element,"ytp-clip-hover"))}; +g.k.LH=function(){this.clipStart=0;this.clipEnd=Infinity;tV(this);qV(this,this.Z,this.ib)}; +g.k.GY=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())if(b=b.value,b.visible){var c=b.getId();if(!this.Ja[c]){var d=g.qf("DIV");b.tooltip&&d.setAttribute("data-tooltip",b.tooltip);this.Ja[c]=b;this.jc[c]=d;g.Op(d,b.style);kPa(this,c);this.api.V().K("disable_ad_markers_on_content_progress_bar")||this.j[0].B.appendChild(d)}}else oPa(this,b)}; +g.k.D8=function(a){a=g.t(a);for(var b=a.next();!b.done;b=a.next())oPa(this,b.value)}; +g.k.Vr=function(a){if(this.u){var b=this.u;a=null!=a;b.api.seekTo(b.La);b.api.playVideo();a&&b.api.qb(b.dismissButton);zV(this)}}; +g.k.AL=function(a){this.u&&(this.u.play(null!=a),zV(this))}; +g.k.qa=function(){qPa(this,!1);g.dQ.prototype.qa.call(this)};g.w(AV,g.U);AV.prototype.isActive=function(){return!!this.F.getOption("remote","casting")}; +AV.prototype.Pa=function(){var a=!1;this.F.getOptions().includes("remote")&&(a=1=c;g.bQ(this,a);this.F.Ua(this.element,a)}; +BV.prototype.B=function(){if(this.Eb.yb)this.Eb.Fb();else{var a=g.JT(this.F.wb());a&&!a.loaded&&(a.qh("tracklist",{includeAsr:!0}).length||a.load());this.F.qb(this.element);this.Eb.od(this.element)}}; +BV.prototype.updateBadge=function(){var a=this.F.isHdr(),b=this.F.getPresentingPlayerType(),c=2!==b&&3!==b,d=g.MS(this.F),e=c&&!!g.LS(this.F.wb());b=e&&1===d.displayMode;d=e&&2===d.displayMode;c=(e=b||d)||!c?null:this.F.getPlaybackQuality();g.Up(this.element,"ytp-hdr-quality-badge",a);g.Up(this.element,"ytp-hd-quality-badge",!a&&("hd1080"===c||"hd1440"===c));g.Up(this.element,"ytp-4k-quality-badge",!a&&"hd2160"===c);g.Up(this.element,"ytp-5k-quality-badge",!a&&"hd2880"===c);g.Up(this.element,"ytp-8k-quality-badge", +!a&&"highres"===c);g.Up(this.element,"ytp-3d-badge-grey",!a&&e&&b);g.Up(this.element,"ytp-3d-badge",!a&&e&&d)};g.w(CV,aT);CV.prototype.isLoaded=function(){var a=g.PT(this.F.wb());return void 0!==a&&a.loaded}; +CV.prototype.Pa=function(){void 0!==g.PT(this.F.wb())&&3!==this.F.getPresentingPlayerType()?this.j||(this.Eb.Zc(this),this.j=!0):this.j&&(this.Eb.jh(this),this.j=!1);bT(this,this.isLoaded())}; +CV.prototype.onSelect=function(a){this.isLoaded();a?this.F.loadModule("annotations_module"):this.F.unloadModule("annotations_module");this.F.ma("annotationvisibility",a)}; +CV.prototype.qa=function(){this.j&&this.Eb.jh(this);aT.prototype.qa.call(this)};g.w(g.DV,g.SS);g.k=g.DV.prototype;g.k.open=function(){g.tU(this.Eb,this.u)}; +g.k.yj=function(a){tPa(this);this.options[a].element.setAttribute("aria-checked","true");this.ge(this.gk(a));this.B=a}; +g.k.DK=function(a,b,c){var d=this;b=new g.SS({G:"div",Ia:["ytp-menuitem"],X:{tabindex:"0",role:"menuitemradio","aria-checked":c?"true":void 0},W:[{G:"div",Ia:["ytp-menuitem-label"],ra:"{{label}}"}]},b,this.gk(a,!0));b.Ra("click",function(){d.eh(a)}); return b}; -g.k.enable=function(a){this.F?a||(this.F=!1,this.Go(!1)):a&&(this.F=!0,this.Go(!0))}; -g.k.Go=function(a){a?this.Xa.Wb(this):this.Xa.re(this)}; -g.k.af=function(a){this.V("select",a)}; -g.k.Th=function(a){return a.toString()}; -g.k.ZM=function(a){g.kp(a)||39!==g.lp(a)||(this.open(),g.ip(a))}; -g.k.ca=function(){this.F&&this.Xa.re(this);g.lV.prototype.ca.call(this);for(var a=g.q(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.u(yX,g.wX);yX.prototype.oa=function(){var a=this.J.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.F:this.F;this.en(b);g.ip(a)}; -g.k.dN=function(a){a=(a-g.Eg(this.B).x)/this.K*this.range+this.minimumValue;this.en(a)}; -g.k.en=function(a,b){b=void 0===b?"":b;var c=g.ce(a,this.minimumValue,this.maximumValue);""===b&&(b=c.toString());this.ya("valuenow",c);this.ya("valuetext",b);this.X.style.left=(c-this.minimumValue)/this.range*(this.K-this.P)+"px";this.u=c}; -g.k.focus=function(){this.aa.focus()};g.u(GX,EX);GX.prototype.Y=function(){this.J.setPlaybackRate(this.u,!0)}; -GX.prototype.en=function(a){EX.prototype.en.call(this,a,HX(this,a).toString());this.C&&(FX(this),this.fa())}; -GX.prototype.ha=function(){var a=this.J.getPlaybackRate();HX(this,this.u)!==a&&(this.en(a),FX(this))};g.u(IX,g.KN);IX.prototype.focus=function(){this.u.focus()};g.u(jva,oV);g.u(JX,g.wX);g.k=JX.prototype;g.k.Th=function(a){return"1"===a?"Normal":a.toLocaleString()}; -g.k.oa=function(){var a=this.J.getPresentingPlayerType();this.enable(2!==a&&3!==a);mva(this)}; -g.k.Go=function(a){g.wX.prototype.Go.call(this,a);a?(this.K=this.N(this.J,"onPlaybackRateChange",this.fN),mva(this),kva(this,this.J.getPlaybackRate())):(this.Mb(this.K),this.K=null)}; -g.k.fN=function(a){var b=this.J.getPlaybackRate();this.I.includes(b)||lva(this,b);kva(this,a)}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);a===this.u?this.J.setPlaybackRate(this.D,!0):this.J.setPlaybackRate(Number(a),!0);this.Xa.fg()};g.u(LX,g.wX);g.k=LX.prototype;g.k.Mc=function(a){g.wX.prototype.Mc.call(this,a)}; +g.k.enable=function(a){this.I?a||(this.I=!1,this.jx(!1)):a&&(this.I=!0,this.jx(!0))}; +g.k.jx=function(a){a?this.Eb.Zc(this):this.Eb.jh(this)}; +g.k.eh=function(a){this.ma("select",a)}; +g.k.gk=function(a){return a.toString()}; +g.k.B0=function(a){g.DO(a)||39!==g.zO(a)||(this.open(),g.EO(a))}; +g.k.qa=function(){this.I&&this.Eb.jh(this);g.SS.prototype.qa.call(this);for(var a=g.t(Object.keys(this.options)),b=a.next();!b.done;b=a.next())this.options[b.value].dispose()};g.w(FV,g.DV);FV.prototype.Pa=function(){var a=this.F.getAvailableAudioTracks();1(a.deltaX||-a.deltaY)?-this.J:this.J;this.hw(b);g.EO(a)}; +g.k.D0=function(a){a=(a-g.Pm(this.B).x)/this.Z*this.range+this.u;this.hw(a)}; +g.k.hw=function(a,b){b=void 0===b?"":b;a=g.ze(a,this.u,this.C);""===b&&(b=a.toString());this.updateValue("valuenow",a);this.updateValue("valuetext",b);this.oa.style.left=(a-this.u)/this.range*(this.Z-this.Aa)+"px";this.j=a}; +g.k.focus=function(){this.Ga.focus()};g.w(IV,HV);IV.prototype.ya=function(){this.F.setPlaybackRate(this.j,!0)}; +IV.prototype.hw=function(a){HV.prototype.hw.call(this,a,APa(this,a).toString());this.D&&(zPa(this),this.Ja())}; +IV.prototype.updateValues=function(){var a=this.F.getPlaybackRate();APa(this,this.j)!==a&&(this.hw(a),zPa(this))};g.w(BPa,g.dQ);BPa.prototype.focus=function(){this.j.focus()};g.w(CPa,pU);g.w(DPa,g.DV);g.k=DPa.prototype;g.k.gk=function(a){return"1"===a?"Normal":a.toLocaleString()}; +g.k.Pa=function(){var a=this.F.getPresentingPlayerType();this.enable(2!==a&&3!==a);HPa(this)}; +g.k.jx=function(a){g.DV.prototype.jx.call(this,a);a?(this.J=this.S(this.F,"onPlaybackRateChange",this.onPlaybackRateChange),HPa(this),FPa(this,this.F.getPlaybackRate())):(this.Hc(this.J),this.J=null)}; +g.k.onPlaybackRateChange=function(a){var b=this.F.getPlaybackRate();this.D.includes(b)||GPa(this,b);FPa(this,a)}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);a===this.j?this.F.setPlaybackRate(this.C,!0):this.F.setPlaybackRate(Number(a),!0);this.Eb.nj()};g.w(JPa,g.DV);g.k=JPa.prototype;g.k.yj=function(a){g.DV.prototype.yj.call(this,a)}; g.k.getKey=function(a){return a.option.toString()}; g.k.getOption=function(a){return this.settings[a]}; -g.k.Th=function(a){return this.getOption(a).text||""}; -g.k.af=function(a){g.wX.prototype.af.call(this,a);this.V("settingChange",this.setting,this.settings[a].option)};g.u(MX,g.pV);MX.prototype.se=function(a){for(var b=g.q(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.kl[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.Mc(e),c.D.element.setAttribute("aria-checked",String(!d)),c.u.element.setAttribute("aria-checked",String(d)))}}}; -MX.prototype.ag=function(a,b){this.V("settingChange",a,b)};g.u(NX,g.wX);NX.prototype.getKey=function(a){return a.languageCode}; -NX.prototype.Th=function(a){return this.languages[a].languageName||""}; -NX.prototype.af=function(a){this.V("select",a);g.AV(this.Xa)};g.u(OX,g.wX);g.k=OX.prototype;g.k.getKey=function(a){return g.Sb(a)?"__off__":a.displayName}; -g.k.Th=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":("__off__"===a?{}:this.tracks[a]).displayName}; -g.k.af=function(a){"__translate__"===a?this.u.open():"__contribute__"===a?(this.J.pauseVideo(),this.J.isFullscreen()&&this.J.toggleFullscreen(),a=g.dV(this.J.T(),this.J.getVideoData()),g.RL(a)):(this.J.setOption("captions","track","__off__"===a?{}:this.tracks[a]),g.wX.prototype.af.call(this,a),this.Xa.fg())}; -g.k.oa=function(){var a=this.J.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.J.getVideoData();b=b&&b.gt;var c={};if(a||b){if(a){var d=this.J.getOption("captions","track");c=this.J.getOption("captions","tracklist",{includeAsr:!0});var e=this.J.getOption("captions","translationLanguages");this.tracks=g.Db(c,this.getKey,this);var f=g.Oc(c,this.getKey);if(e.length&&!g.Sb(d)){var h=d.translationLanguage;if(h&&h.languageName){var l=h.languageName;h=e.findIndex(function(m){return m.languageName=== -l}); -saa(e,h)}ova(this.u,e);f.push("__translate__")}e=this.getKey(d)}else this.tracks={},f=[],e="__off__";f.unshift("__off__");this.tracks.__off__={};b&&f.unshift("__contribute__");this.tracks[e]||(this.tracks[e]=d,f.push(e));g.xX(this,f);this.Mc(e);d&&d.translationLanguage?this.u.Mc(this.u.getKey(d.translationLanguage)):hva(this.u);a&&this.D.se(this.J.getSubtitlesUserSettings());this.K.Gc(c&&c.length?" ("+c.length+")":"");this.V("size-change");this.enable(!0)}else this.enable(!1)}; -g.k.jN=function(a){var b=this.J.getOption("captions","track");b=g.Vb(b);b.translationLanguage=this.u.languages[a];this.J.setOption("captions","track",b)}; -g.k.ag=function(a,b){if("reset"===a)this.J.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.J.updateSubtitlesUserSettings(c)}pva(this,!0);this.I.start();this.D.se(this.J.getSubtitlesUserSettings())}; -g.k.yQ=function(a){a||this.I.rg()}; -g.k.ca=function(){this.I.rg();g.wX.prototype.ca.call(this)};g.u(PX,g.xV);g.k=PX.prototype;g.k.initialize=function(){if(!this.Yd){this.Yd=!0;this.cz=new BX(this.J,this);g.D(this,this.cz);var a=new DX(this.J,this);g.D(this,a);a=new OX(this.J,this);g.D(this,a);a=new vX(this.J,this);g.D(this,a);this.J.T().Qc&&(a=new JX(this.J,this),g.D(this,a));this.J.T().Zb&&!g.Q(this.J.T().experiments,"web_player_move_autonav_toggle")&&(a=new zX(this.J,this),g.D(this,a));a=new yX(this.J,this);g.D(this,a);uX(this.settingsButton,this.sd.items.length)}}; -g.k.Wb=function(a){this.initialize();this.sd.Wb(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.re=function(a){this.fb&&1>=this.sd.items.length&&this.hide();this.sd.re(a);uX(this.settingsButton,this.sd.items.length)}; -g.k.Bc=function(a){this.initialize();0=this.K&&(!this.B||!g.U(g.uK(this.api),64));g.JN(this,b);g.J(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.current:this.api.getCurrentTime(b,!1));this.C!==c&&(this.ya("currenttime",c),this.C=c);b=g.bP(g.Q(this.api.T().experiments,"halftime_ux_killswitch")?a.duration:this.api.getDuration(b, -!1));this.D!==b&&(this.ya("duration",b),this.D=b)}this.B&&(a=a.isAtLiveHead,this.I!==a||this.F!==this.isPremiere)&&(this.I=a,this.F=this.isPremiere,this.sc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.Gc(this.isPremiere?"Premiere":"Live"),a?this.u&&(this.u(),this.u=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.u=g.cV(this.tooltip,this.liveBadge.element)))}; -g.k.Ra=function(a,b,c){this.updateVideoData(g.Q(this.api.T().experiments,"enable_topsoil_wta_for_halftime")&&2===c?this.api.getVideoData(1):b);this.sc()}; -g.k.updateVideoData=function(a){this.B=a.isLivePlayback&&!a.Zi;this.isPremiere=a.isPremiere;g.J(this.element,"ytp-live",this.B)}; +g.k.gk=function(a){return this.getOption(a).text||""}; +g.k.eh=function(a){g.DV.prototype.eh.call(this,a);this.ma("settingChange",this.J,this.settings[a].option)};g.w(JV,g.qU);JV.prototype.ah=function(a){for(var b=g.t(Object.keys(a)),c=b.next();!c.done;c=b.next()){var d=c.value;if(c=this.Vs[d]){var e=a[d].toString();d=!!a[d+"Override"];c.options[e]&&(c.yj(e),c.C.element.setAttribute("aria-checked",String(!d)),c.j.element.setAttribute("aria-checked",String(d)))}}}; +JV.prototype.Pj=function(a,b){this.ma("settingChange",a,b)};g.w(KV,g.DV);KV.prototype.getKey=function(a){return a.languageCode}; +KV.prototype.gk=function(a){return this.languages[a].languageName||""}; +KV.prototype.eh=function(a){this.ma("select",a);this.F.qb(this.element);g.wU(this.Eb)};g.w(MPa,g.DV);g.k=MPa.prototype;g.k.getKey=function(a){return g.hd(a)?"__off__":a.displayName}; +g.k.gk=function(a){return"__off__"===a?"Off":"__translate__"===a?"Auto-translate":"__contribute__"===a?"Add subtitles/CC":"__correction__"===a?"Suggest caption corrections":("__off__"===a?{}:this.tracks[a]).displayName}; +g.k.eh=function(a){if("__translate__"===a)this.j.open();else if("__contribute__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var b=g.zJa(this.F.V(),this.F.getVideoData());g.IN(b)}else if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();var c=NPa(this);LV(this,c);g.DV.prototype.eh.call(this,this.getKey(c));var d,e;c=null==(b=this.F.getVideoData().getPlayerResponse())?void 0:null==(d=b.captions)?void 0:null==(e=d.playerCaptionsTracklistRenderer)? +void 0:e.openTranscriptCommand;this.F.Na("innertubeCommand",c);this.Eb.nj();this.C&&this.F.qb(this.C)}else{if("__correction__"===a){this.F.pauseVideo();this.F.isFullscreen()&&this.F.toggleFullscreen();b=NPa(this);LV(this,b);g.DV.prototype.eh.call(this,this.getKey(b));var f,h;b=null==(c=this.F.getVideoData().getPlayerResponse())?void 0:null==(f=c.captions)?void 0:null==(h=f.playerCaptionsTracklistRenderer)?void 0:h.openTranscriptCommand;this.F.Na("innertubeCommand",b)}else this.F.qb(this.element), +LV(this,"__off__"===a?{}:this.tracks[a]),g.DV.prototype.eh.call(this,a);this.Eb.nj()}}; +g.k.Pa=function(){var a=this.F.getOptions();a=a&&-1!==a.indexOf("captions");var b=this.F.getVideoData(),c=b&&b.gF,d,e=!(null==(d=this.F.getVideoData())||!g.ZM(d));d={};if(a||c){var f;if(a){var h=this.F.getOption("captions","track");d=this.F.getOption("captions","tracklist",{includeAsr:!0});var l=e?[]:this.F.getOption("captions","translationLanguages");this.tracks=g.Pb(d,this.getKey,this);e=g.Yl(d,this.getKey);var m=NPa(this),n,p;b.K("suggest_caption_correction_menu_item")&&m&&(null==(f=b.getPlayerResponse())? +0:null==(n=f.captions)?0:null==(p=n.playerCaptionsTracklistRenderer)?0:p.openTranscriptCommand)&&e.push("__correction__");if(l.length&&!g.hd(h)){if((f=h.translationLanguage)&&f.languageName){var q=f.languageName;f=l.findIndex(function(r){return r.languageName===q}); +Daa(l,f)}KPa(this.j,l);e.push("__translate__")}f=this.getKey(h)}else this.tracks={},e=[],f="__off__";e.unshift("__off__");this.tracks.__off__={};c&&e.unshift("__contribute__");this.tracks[f]||(this.tracks[f]=h,e.push(f));g.EV(this,e);this.yj(f);h&&h.translationLanguage?this.j.yj(this.j.getKey(h.translationLanguage)):tPa(this.j);a&&this.D.ah(this.F.getSubtitlesUserSettings());this.T.ge(d&&d.length?" ("+d.length+")":"");this.ma("size-change");this.F.Ua(this.element,!0);this.enable(!0)}else this.enable(!1)}; +g.k.F0=function(a){var b=this.F.getOption("captions","track");b=g.md(b);b.translationLanguage=this.j.languages[a];LV(this,b)}; +g.k.Pj=function(a,b){if("reset"===a)this.F.resetSubtitlesUserSettings();else{var c={};c[a]=b;this.F.updateSubtitlesUserSettings(c)}LPa(this,!0);this.J.start();this.D.ah(this.F.getSubtitlesUserSettings())}; +g.k.q7=function(a){a||g.Lp(this.J)}; +g.k.qa=function(){g.Lp(this.J);g.DV.prototype.qa.call(this)}; +g.k.open=function(){g.DV.prototype.open.call(this);this.options.__correction__&&!this.C&&(this.C=this.options.__correction__.element,this.F.sb(this.C,this,167341),this.F.Ua(this.C,!0))};g.w(OPa,g.vU);g.k=OPa.prototype; +g.k.initialize=function(){if(!this.isInitialized){var a=this.F.V();this.isInitialized=!0;var b=new vPa(this.F,this);g.E(this,b);b=new MPa(this.F,this);g.E(this,b);a.B||(b=new CV(this.F,this),g.E(this,b));a.uf&&(b=new DPa(this.F,this),g.E(this,b));this.F.K("embeds_web_enable_new_context_menu_triggering")&&(g.fK(a)||a.J)&&(a.u||a.tb)&&(b=new uPa(this.F,this),g.E(this,b));a.Od&&!a.K("web_player_move_autonav_toggle")&&(a=new GV(this.F,this),g.E(this,a));a=new FV(this.F,this);g.E(this,a);this.F.ma("settingsMenuInitialized"); +sPa(this.settingsButton,this.Of.Ho())}}; +g.k.Zc=function(a){this.initialize();this.Of.Zc(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.jh=function(a){this.yb&&1>=this.Of.Ho()&&this.hide();this.Of.jh(a);sPa(this.settingsButton,this.Of.Ho())}; +g.k.od=function(a){this.initialize();0=b;g.bQ(this,c);this.F.Ua(this.element,c);a&&this.updateValue("pressed",this.isEnabled())};g.w(g.PV,g.U);g.k=g.PV.prototype; +g.k.yc=function(){var a=this.api.jb().getPlayerSize().width,b=this.J;this.api.V().T&&(b=400);b=a>=b&&(!RV(this)||!g.S(this.api.Cb(),64));g.bQ(this,b);g.Up(this.element,"ytp-time-display-allow-autohide",b&&400>a);a=this.api.getProgressState();if(b){b=this.api.getPresentingPlayerType();var c=this.api.getCurrentTime(b,!1);this.u&&(c-=a.airingStart);QV(this)&&(c-=this.Bb.startTimeMs/1E3);c=g.eR(c);this.B!==c&&(this.updateValue("currenttime",c),this.B=c);b=QV(this)?g.eR((this.Bb.endTimeMs-this.Bb.startTimeMs)/ +1E3):g.eR(this.api.getDuration(b,!1));this.C!==b&&(this.updateValue("duration",b),this.C=b)}a=a.isAtLiveHead;!RV(this)||this.I===a&&this.D===this.isPremiere||(this.I=a,this.D=this.isPremiere,this.yc(),b=this.liveBadge.element,b.disabled=a,this.liveBadge.ge(this.isPremiere?"Premiere":"Live"),a?this.j&&(this.j(),this.j=null,b.removeAttribute("title")):(b.title="Skip ahead to live broadcast.",this.j=g.ZS(this.tooltip,this.liveBadge.element)));a=this.api.getLoopRange();b=this.Bb!==a;this.Bb=a;b&&OV(this)}; +g.k.onLoopRangeChange=function(a){var b=this.Bb!==a;this.Bb=a;b&&(this.yc(),OV(this))}; +g.k.V7=function(){this.api.setLoopRange(null)}; +g.k.onVideoDataChange=function(a,b,c){this.updateVideoData((this.api.V().K("enable_topsoil_wta_for_halftime")||this.api.V().K("enable_topsoil_wta_for_halftime_live_infra"))&&2===c?this.api.getVideoData(1):b);this.yc();OV(this)}; +g.k.updateVideoData=function(a){this.yC=a.isLivePlayback&&!a.Xb;this.u=aN(a);this.isPremiere=a.isPremiere;g.Up(this.element,"ytp-live",RV(this))}; g.k.onClick=function(a){a.target===this.liveBadge.element&&(this.api.seekTo(Infinity),this.api.playVideo())}; -g.k.ca=function(){this.u&&this.u();g.V.prototype.ca.call(this)};g.u(VX,g.V);g.k=VX.prototype;g.k.jk=function(){var a=this.B.ge();this.F!==a&&(this.F=a,UX(this,this.api.getVolume(),this.api.isMuted()))}; -g.k.cF=function(a){g.JN(this,350<=a.width)}; -g.k.oN=function(a){if(!g.kp(a)){var b=g.lp(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ce(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.ip(a))}}; -g.k.mN=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ce(b/10,-10,10));g.ip(a)}; -g.k.CQ=function(){TX(this,this.u,!0,this.D,this.B.Nh());this.Y=this.volume;this.api.isMuted()&&this.api.unMute()}; -g.k.nN=function(a){var b=this.F?78:52,c=this.F?18:12;a-=g.Eg(this.X).x;this.api.setVolume(100*g.ce((a-c/2)/(b-c),0,1))}; -g.k.BQ=function(){TX(this,this.u,!1,this.D,this.B.Nh());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Y))}; -g.k.pN=function(a){UX(this,a.volume,a.muted)}; -g.k.pC=function(){TX(this,this.u,this.C,this.D,this.B.Nh())}; -g.k.ca=function(){g.V.prototype.ca.call(this);g.sn(this.K,"ytp-volume-slider-active")};g.u(g.WX,g.V);g.WX.prototype.Ra=function(){var a=this.api.getVideoData(1).qc,b=this.api.T();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.pfpChazalUi);g.JN(this,this.visible);g.QN(this.api,this.element,this.visible&&this.R);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.ya("url",a))}; -g.WX.prototype.onClick=function(a){var b=this.api.getVideoUrl(!g.cP(a),!1,!0,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_logo")));g.BU(b,this.api,a);g.$T(this.api,this.element)}; -g.WX.prototype.Eb=function(a){g.V.prototype.Eb.call(this,a);g.QN(this.api,this.element,this.visible&&a)};g.u(YX,g.tR);g.k=YX.prototype;g.k.ie=function(){this.nd.sc();this.mi.sc()}; -g.k.Yh=function(){this.sz();this.Nc.B?this.ie():g.dY(this.nd.tooltip)}; -g.k.ur=function(){this.ie();this.Xd.start()}; -g.k.sz=function(){var a=!this.J.T().u&&300>g.gva(this.nd)&&g.uK(this.J).Hb()&&!!window.requestAnimationFrame,b=!a;this.Nc.B||(a=b=!1);b?this.K||(this.K=this.N(this.J,"progresssync",this.ie)):this.K&&(this.Mb(this.K),this.K=null);a?this.Xd.isActive()||this.Xd.start():this.Xd.stop()}; -g.k.Va=function(){var a=this.B.ge(),b=g.cG(this.J).getPlayerSize(),c=ZX(this),d=Math.max(b.width-2*c,100);if(this.za!==b.width||this.ma!==a){this.za=b.width;this.ma=a;var e=tva(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";this.nd.setPosition(c,e,a);this.B.Rb().fa=e}c=this.u;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-$X(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.fv=e;c.tp();this.sz();!this.J.T().ba("html5_player_bottom_linear_gradient")&&g.Q(this.J.T().experiments, -"html5_player_dynamic_bottom_gradient")&&g.eW(this.ha,b.height)}; -g.k.Ra=function(){var a=this.J.getVideoData();this.X.style.background=a.qc?a.Gj:"";g.JN(this.Y,a.zA)}; -g.k.Pa=function(){return this.C.element};var h2={},aY=(h2.CHANNEL_NAME="ytp-title-channel-name",h2.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",h2.LINK="ytp-title-link",h2.SESSIONLINK="yt-uix-sessionlink",h2.SUBTEXT="ytp-title-subtext",h2.TEXT="ytp-title-text",h2.TITLE="ytp-title",h2);g.u(bY,g.V);bY.prototype.onClick=function(a){g.$T(this.api,this.element);var b=this.api.getVideoUrl(!g.cP(a),!1,!0);g.hD(this.api.T())&&(b=g.Md(b,g.eV({},"emb_title")));g.BU(b,this.api,a)}; -bY.prototype.oa=function(){var a=this.api.getVideoData(),b=this.api.T();this.ya("title",a.title);uva(this);if(2===this.api.getPresentingPlayerType()){var c=this.api.getVideoData();c.videoId&&c.isListed&&c.author&&c.Ek&&c.lf?(this.ya("channelLink",c.Ek),this.ya("channelName",c.author)):uva(this)}c=b.externalFullscreen||!this.api.isFullscreen()&&b.ng;g.J(this.link,aY.FULLERSCREEN_LINK,c);b.R||!a.videoId||c||a.qc&&b.pfpChazalUi?this.u&&(this.ya("url",null),this.Mb(this.u),this.u=null):(this.ya("url", -this.api.getVideoUrl(!0)),this.u||(this.u=this.N(this.link,"click",this.onClick)))};g.u(g.cY,g.V);g.k=g.cY.prototype;g.k.QF=function(a,b){if(a<=this.C&&this.C<=b){var c=this.C;this.C=NaN;wva(this,c)}}; -g.k.rL=function(){lI(this.u,this.C,160*this.scale)}; -g.k.gj=function(){switch(this.type){case 2:var a=this.B;a.removeEventListener("mouseout",this.X);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.X);a.addEventListener("focus",this.D);zva(this);break;case 3:zva(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.QF,this),this.u=null),this.api.removeEventListener("videoready",this.Y),this.aa.stop()}this.type=null;this.K&&this.I.hide()}; -g.k.Ci=function(a){for(var b=0;b(b.height-d.height)/2?m=l.y-f.height-12:m=l.y+d.height+12);a.style.top=m+(e||0)+"px";a.style.left=c+"px"}; -g.k.Yh=function(a){a&&(this.tooltip.Ci(this.Cg.element),this.Bf&&this.tooltip.Ci(this.Bf.Pa()));g.SU.prototype.Yh.call(this,a)}; -g.k.Pi=function(a,b){var c=g.cG(this.api).getPlayerSize();c=new g.jg(0,0,c.width,c.height);if(a||this.Nc.B&&!this.Il()){if(this.api.T().En||b){var d=this.ge()?this.xx:this.wx;c.top+=d;c.height-=d}this.Bf&&(c.height-=$X(this.Bf))}return c}; -g.k.jk=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.T().externalFullscreen||(b.parentElement.insertBefore(this.Ht.element,b),b.parentElement.insertBefore(this.Gt.element,b.nextSibling))):M(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.Ht.detach(),this.Gt.detach());this.Va();this.vk()}; -g.k.ge=function(){var a=this.api.T();a=a.ba("embeds_enable_mobile_custom_controls")&&a.u;return this.api.isFullscreen()&&!a||!1}; -g.k.showControls=function(a){this.mt=!a;this.Fg()}; -g.k.Va=function(){var a=this.ge();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.J(this.contextMenu.element,"ytp-big-mode",a);this.Fg();if(this.Ie()&&this.dg)this.mg&&OV(this.dg,this.mg),this.shareButton&&OV(this.dg,this.shareButton),this.Dj&&OV(this.dg,this.Dj);else{if(this.dg){a=this.dg;for(var b=g.q(a.actionButtons),c=b.next();!c.done;c=b.next())c.value.detach();a.actionButtons=[]}this.mg&&!g.Me(this.Rf.element,this.mg.element)&&this.mg.ga(this.Rf.element);this.shareButton&&!g.Me(this.Rf.element, -this.shareButton.element)&&this.shareButton.ga(this.Rf.element);this.Dj&&!g.Me(this.Rf.element,this.Dj.element)&&this.Dj.ga(this.Rf.element)}this.vk();g.SU.prototype.Va.call(this)}; -g.k.gy=function(){if(Fva(this)&&!g.NT(this.api))return!1;var a=this.api.getVideoData();return!g.hD(this.api.T())||2===this.api.getPresentingPlayerType()||!this.Qg||((a=this.Qg||a.Qg)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&a.videoDetails.embeddedPlayerOverlayVideoDetailsRenderer||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.SU.prototype.gy.call(this):!1}; -g.k.vk=function(){g.SU.prototype.vk.call(this);g.QN(this.api,this.title.element,!!this.Vi);this.So&&this.So.Eb(!!this.Vi);this.channelAvatar.Eb(!!this.Vi);this.overflowButton&&this.overflowButton.Eb(this.Ie()&&!!this.Vi);this.shareButton&&this.shareButton.Eb(!this.Ie()&&!!this.Vi);this.mg&&this.mg.Eb(!this.Ie()&&!!this.Vi);this.Dj&&this.Dj.Eb(!this.Ie()&&!!this.Vi);if(!this.Vi){this.tooltip.Ci(this.Cg.element);for(var a=0;ae?jY(this,"next_player_future"):(this.I=d,this.C=GB(a,c,d,!0),this.D=GB(a,e,f,!1),a=this.B.getVideoData().clientPlaybackNonce,this.u.Na("gaplessPrep","cpn."+a),mY(this.u,this.C),this.u.setMediaElement(Lva(b,c,d,!this.u.getVideoData().isAd())), -lY(this,2),Rva(this))):this.ea():this.ea()}else jY(this,"no-elem")}else this.ea()}; -g.k.Lo=function(a){var b=Qva(this).xH,c=a===b;b=c?this.C.u:this.C.B;c=c?this.D.u:this.D.B;if(b.isActive&&!c.isActive){var d=this.I;cA(a.Se(),d-.01)&&(lY(this,4),b.isActive=!1,b.zs=b.zs||b.isActive,this.B.Na("sbh","1"),c.isActive=!0,c.zs=c.zs||c.isActive);a=this.D.B;this.D.u.isActive&&a.isActive&&lY(this,5)}}; -g.k.WF=function(){4<=this.status.status&&6>this.status.status&&jY(this,"player-reload-after-handoff")}; -g.k.ca=function(){Pva(this);this.u.unsubscribe("newelementrequired",this.WF,this);if(this.C){var a=this.C.B;this.C.u.Rc.unsubscribe("updateend",this.Lo,this);a.Rc.unsubscribe("updateend",this.Lo,this)}g.C.prototype.ca.call(this)}; -g.k.lc=function(a){g.GK(a,128)&&jY(this,"player-error-event")}; -g.k.ea=function(){};g.u(pY,g.C);pY.prototype.clearQueue=function(){this.ea();this.D&&this.D.reject("Queue cleared");qY(this)}; -pY.prototype.ca=function(){qY(this);g.C.prototype.ca.call(this)}; -pY.prototype.ea=function(){};g.u(tY,g.O);g.k=tY.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:Wva()?3:b?2:c?1:d?5:e?7:f?8:0}; -g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.ff())}; -g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.ff())}; -g.k.setImmersivePreview=function(a){this.B!==a&&(this.B=a,this.ff())}; -g.k.Ze=function(){return this.C}; +g.k.qa=function(){this.j&&this.j();g.U.prototype.qa.call(this)};g.w(RPa,g.U);g.k=RPa.prototype;g.k.Hq=function(){var a=this.j.yg();this.C!==a&&(this.C=a,QPa(this,this.api.getVolume(),this.api.isMuted()))}; +g.k.IR=function(a){g.bQ(this,350<=a.width)}; +g.k.I0=function(a){if(!g.DO(a)){var b=g.zO(a),c=null;37===b?c=this.volume-5:39===b?c=this.volume+5:36===b?c=0:35===b&&(c=100);null!==c&&(c=g.ze(c,0,100),0===c?this.api.mute():(this.api.isMuted()&&this.api.unMute(),this.api.setVolume(c)),g.EO(a))}}; +g.k.G0=function(a){var b=a.deltaX||-a.deltaY;a.deltaMode?this.api.setVolume(this.volume+(0>b?-10:10)):this.api.setVolume(this.volume+g.ze(b/10,-10,10));g.EO(a)}; +g.k.v7=function(){SV(this,this.u,!0,this.B,this.j.Ql());this.Z=this.volume;this.api.isMuted()&&this.api.unMute()}; +g.k.H0=function(a){var b=this.C?78:52,c=this.C?18:12;a-=g.Pm(this.T).x;this.api.setVolume(100*g.ze((a-c/2)/(b-c),0,1))}; +g.k.u7=function(){SV(this,this.u,!1,this.B,this.j.Ql());0===this.volume&&(this.api.mute(),this.api.setVolume(this.Z))}; +g.k.onVolumeChange=function(a){QPa(this,a.volume,a.muted)}; +g.k.US=function(){SV(this,this.u,this.isDragging,this.B,this.j.Ql())}; +g.k.qa=function(){g.U.prototype.qa.call(this);g.Sp(this.J,"ytp-volume-slider-active")};g.w(g.TV,g.U); +g.TV.prototype.onVideoDataChange=function(){var a=this.api.getVideoData(1).D,b=this.api.V();this.visible=!!this.api.getVideoData().videoId&&!(a&&b.Z);g.bQ(this,this.visible);this.api.Ua(this.element,this.visible&&this.ea);this.visible&&(a=this.api.getVideoUrl(!0,!1,!1,!0),this.updateValue("url",a));b.B&&(this.j&&(this.Hc(this.j),this.j=null),this.element.removeAttribute("href"),this.element.removeAttribute("title"),this.element.removeAttribute("aria-label"),g.Qp(this.element,"no-link"));this.Db()}; +g.TV.prototype.onClick=function(a){this.api.K("web_player_log_click_before_generating_ve_conversion_params")&&this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0,!0);if(g.fK(b)||g.oK(b)){var d={};b.ya&&g.fK(b)&&g.iS(d,b.loaderUrl);g.fK(b)&&g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_logo"))}g.VT(c,this.api,a);this.api.K("web_player_log_click_before_generating_ve_conversion_params")||this.api.qb(this.element)}; +g.TV.prototype.Db=function(){var a={G:"svg",X:{height:"100%",version:"1.1",viewBox:"0 0 67 36",width:"100%"},W:[{G:"path",xc:!0,N:"ytp-svg-fill",X:{d:"M 45.09 10 L 45.09 25.82 L 47.16 25.82 L 47.41 24.76 L 47.47 24.76 C 47.66 25.14 47.94 25.44 48.33 25.66 C 48.72 25.88 49.16 25.99 49.63 25.99 C 50.48 25.99 51.1 25.60 51.5 24.82 C 51.9 24.04 52.09 22.82 52.09 21.16 L 52.09 19.40 C 52.12 18.13 52.05 17.15 51.90 16.44 C 51.75 15.74 51.50 15.23 51.16 14.91 C 50.82 14.59 50.34 14.44 49.75 14.44 C 49.29 14.44 48.87 14.57 48.47 14.83 C 48.27 14.96 48.09 15.11 47.93 15.29 C 47.78 15.46 47.64 15.65 47.53 15.86 L 47.51 15.86 L 47.51 10 L 45.09 10 z M 8.10 10.56 L 10.96 20.86 L 10.96 25.82 L 13.42 25.82 L 13.42 20.86 L 16.32 10.56 L 13.83 10.56 L 12.78 15.25 C 12.49 16.62 12.31 17.59 12.23 18.17 L 12.16 18.17 C 12.04 17.35 11.84 16.38 11.59 15.23 L 10.59 10.56 L 8.10 10.56 z M 30.10 10.56 L 30.10 12.58 L 32.59 12.58 L 32.59 25.82 L 35.06 25.82 L 35.06 12.58 L 37.55 12.58 L 37.55 10.56 L 30.10 10.56 z M 19.21 14.46 C 18.37 14.46 17.69 14.63 17.17 14.96 C 16.65 15.29 16.27 15.82 16.03 16.55 C 15.79 17.28 15.67 18.23 15.67 19.43 L 15.67 21.06 C 15.67 22.24 15.79 23.19 16 23.91 C 16.21 24.62 16.57 25.15 17.07 25.49 C 17.58 25.83 18.27 26 19.15 26 C 20.02 26 20.69 25.83 21.19 25.5 C 21.69 25.17 22.06 24.63 22.28 23.91 C 22.51 23.19 22.63 22.25 22.63 21.06 L 22.63 19.43 C 22.63 18.23 22.50 17.28 22.27 16.56 C 22.04 15.84 21.68 15.31 21.18 14.97 C 20.68 14.63 20.03 14.46 19.21 14.46 z M 56.64 14.47 C 55.39 14.47 54.51 14.84 53.99 15.61 C 53.48 16.38 53.22 17.60 53.22 19.27 L 53.22 21.23 C 53.22 22.85 53.47 24.05 53.97 24.83 C 54.34 25.40 54.92 25.77 55.71 25.91 C 55.97 25.96 56.26 25.99 56.57 25.99 C 57.60 25.99 58.40 25.74 58.96 25.23 C 59.53 24.72 59.81 23.94 59.81 22.91 C 59.81 22.74 59.79 22.61 59.78 22.51 L 57.63 22.39 C 57.62 23.06 57.54 23.54 57.40 23.83 C 57.26 24.12 57.01 24.27 56.63 24.27 C 56.35 24.27 56.13 24.18 56.00 24.02 C 55.87 23.86 55.79 23.61 55.75 23.25 C 55.71 22.89 55.68 22.36 55.68 21.64 L 55.68 21.08 L 59.86 21.08 L 59.86 19.16 C 59.86 17.99 59.77 17.08 59.58 16.41 C 59.39 15.75 59.07 15.25 58.61 14.93 C 58.15 14.62 57.50 14.47 56.64 14.47 z M 23.92 14.67 L 23.92 23.00 C 23.92 24.03 24.11 24.79 24.46 25.27 C 24.82 25.76 25.35 26.00 26.09 26.00 C 27.16 26.00 27.97 25.49 28.5 24.46 L 28.55 24.46 L 28.76 25.82 L 30.73 25.82 L 30.73 14.67 L 28.23 14.67 L 28.23 23.52 C 28.13 23.73 27.97 23.90 27.77 24.03 C 27.57 24.16 27.37 24.24 27.15 24.24 C 26.89 24.24 26.70 24.12 26.59 23.91 C 26.48 23.70 26.43 23.35 26.43 22.85 L 26.43 14.67 L 23.92 14.67 z M 36.80 14.67 L 36.80 23.00 C 36.80 24.03 36.98 24.79 37.33 25.27 C 37.60 25.64 37.97 25.87 38.45 25.96 C 38.61 25.99 38.78 26.00 38.97 26.00 C 40.04 26.00 40.83 25.49 41.36 24.46 L 41.41 24.46 L 41.64 25.82 L 43.59 25.82 L 43.59 14.67 L 41.09 14.67 L 41.09 23.52 C 40.99 23.73 40.85 23.90 40.65 24.03 C 40.45 24.16 40.23 24.24 40.01 24.24 C 39.75 24.24 39.58 24.12 39.47 23.91 C 39.36 23.70 39.31 23.35 39.31 22.85 L 39.31 14.67 L 36.80 14.67 z M 56.61 16.15 C 56.88 16.15 57.08 16.23 57.21 16.38 C 57.33 16.53 57.42 16.79 57.47 17.16 C 57.52 17.53 57.53 18.06 57.53 18.78 L 57.53 19.58 L 55.69 19.58 L 55.69 18.78 C 55.69 18.05 55.71 17.52 55.75 17.16 C 55.79 16.81 55.87 16.55 56.00 16.39 C 56.13 16.23 56.32 16.15 56.61 16.15 z M 19.15 16.19 C 19.50 16.19 19.75 16.38 19.89 16.75 C 20.03 17.12 20.09 17.7 20.09 18.5 L 20.09 21.97 C 20.09 22.79 20.03 23.39 19.89 23.75 C 19.75 24.11 19.51 24.29 19.15 24.30 C 18.80 24.30 18.54 24.11 18.41 23.75 C 18.28 23.39 18.22 22.79 18.22 21.97 L 18.22 18.5 C 18.22 17.7 18.28 17.12 18.42 16.75 C 18.56 16.38 18.81 16.19 19.15 16.19 z M 48.63 16.22 C 48.88 16.22 49.08 16.31 49.22 16.51 C 49.36 16.71 49.45 17.05 49.50 17.52 C 49.55 17.99 49.58 18.68 49.58 19.55 L 49.58 21 L 49.59 21 C 49.59 21.81 49.57 22.45 49.5 22.91 C 49.43 23.37 49.32 23.70 49.16 23.89 C 49.00 24.08 48.78 24.17 48.51 24.17 C 48.30 24.17 48.11 24.12 47.94 24.02 C 47.76 23.92 47.62 23.78 47.51 23.58 L 47.51 17.25 C 47.59 16.95 47.75 16.70 47.96 16.50 C 48.17 16.31 48.39 16.22 48.63 16.22 z "}}]}, +b=this.api.V(),c=b.K("shorts_mode_to_player_api")?this.api.Sb():this.u.Sb();g.oK(b)?(b=this.Da("ytp-youtube-music-button"),a=(c=300>this.api.getPlayerSize().width)?{G:"svg",X:{fill:"none",height:"24",width:"24"},W:[{G:"circle",X:{cx:"12",cy:"12",fill:"red",r:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09z",fill:"#fff"}}]}:{G:"svg",X:{viewBox:"0 0 80 24"},W:[{G:"ellipse",X:{cx:"12.18", +cy:"12",fill:"red",rx:"12.18",ry:"12"}},{G:"ellipse",X:{cx:"12.18",cy:"12",fill:"red",rx:"7.308",ry:"7.2",stroke:"#fff","stroke-width":"1.2"}},{G:"path",X:{d:"M9.74 15.54l6.32-3.54-6.32-3.54v7.09zM37.43 9.64c-.57 2.85-1.01 6.33-1.25 7.77h-.16c-.18-1.48-.62-4.94-1.22-7.75L33.31 2.67h-4.52v18.85h2.80V5.98l.27 1.45 2.85 14.08h2.80l2.80-14.08.3-1.45v15.54h2.80V2.67h-4.56l-1.43 6.96zM51.01 18.69c-.25.51-.81.87-1.36.87-.64 0-.90-.49-.90-1.70V7.75H45.54v10.29c0 2.54.85 3.70 2.75 3.70 1.29 0 2.33-.56 3.05-1.90h.07l.27 1.68h2.50V7.75h-3.19v10.94h.00zM60.39 13.19c-1.04-.74-1.69-1.23-1.69-2.31 0-.76.37-1.19 1.25-1.19.90 0 1.20.60 1.22 2.67l2.68-.11c.20-3.34-.92-4.74-3.87-4.74-2.73 0-4.07 1.19-4.07 3.63 0 2.22 1.11 3.23 2.92 4.56 1.55 1.16 2.45 1.82 2.45 2.76 0 .72-.46 1.21-1.27 1.21-.95 0-1.50-.87-1.36-2.40l-2.71.04c-.41 2.85.76 4.51 3.91 4.51 2.75 0 4.19-1.23 4.19-3.70-.00-2.24-1.16-3.14-3.66-4.94zM68.87 7.75h-3.05v13.77h3.06V7.75zM67.36 2.31c-1.18 0-1.73.42-1.73 1.91 0 1.52.55 1.90 1.73 1.90 1.20 0 1.73-.38 1.73-1.90 0-1.41-.53-1.91-1.73-1.91zM79.15 16.56l-2.80-.13c0 2.42-.27 3.21-1.22 3.21-.95 0-1.11-.87-1.11-3.73v-2.67c0-2.76.18-3.63 1.13-3.63.88 0 1.11.83 1.11 3.39l2.77-.17c.18-2.13-.09-3.59-.94-4.42-.62-.60-1.57-.89-2.89-.89-3.10 0-4.37 1.61-4.37 6.15v1.93c0 4.67 1.08 6.17 4.26 6.17 1.34 0 2.27-.27 2.89-.85.90-.81 1.24-2.20 1.18-4.34z", +fill:"#fff"}}]},g.Up(b,"ytp-youtube-music-logo-icon-only",c)):c&&(a={G:"svg",X:{fill:"none",height:"100%",viewBox:"-10 -8 67 36",width:"100%"},W:[{G:"path",X:{d:"m.73 13.78 2.57-.05c-.05 2.31.36 3.04 1.34 3.04.95 0 1.34-.61 1.34-1.88 0-1.88-.97-2.83-2.37-4.04C1.47 8.99.55 7.96.55 5.23c0-2.60 1.15-4.14 4.17-4.14 2.91 0 4.12 1.70 3.71 5.20l-2.57.15c.05-2.39-.20-3.22-1.26-3.22-.97 0-1.31.64-1.31 1.82 0 1.77.74 2.31 2.34 3.84 1.98 1.88 3.09 2.98 3.09 5.54 0 3.24-1.26 4.48-4.20 4.48-3.06.02-4.30-1.62-3.78-5.12ZM9.67.74h2.83V4.58c0 1.15-.05 1.95-.15 2.93h.05c.54-1.15 1.44-1.75 2.60-1.75 1.75 0 2.5 1.23 2.5 3.35v9.53h-2.83V9.32c0-1.03-.25-1.54-.90-1.54-.48 0-.92.28-1.23.79V18.65H9.70V.74h-.02ZM18.67 13.27v-1.82c0-4.07 1.18-5.64 3.99-5.64 2.80 0 3.86 1.62 3.86 5.64v1.82c0 3.96-1.00 5.59-3.94 5.59-2.98 0-3.91-1.67-3.91-5.59Zm5 1.03v-3.94c0-1.72-.25-2.60-1.08-2.60-.79 0-1.05.87-1.05 2.60v3.94c0 1.80.25 2.62 1.05 2.62.82 0 1.08-.82 1.08-2.62ZM27.66 6.03h2.19l.25 2.73h.10c.28-2.01 1.21-3.01 2.39-3.01.15 0 .30.02.51.05l-.15 3.27c-1.18-.25-2.13-.05-2.57.72V18.63h-2.73V6.03ZM34.80 15.67V8.27h-1.03V6.05h1.15l.36-3.73h2.11V6.05h1.93v2.21h-1.80v6.98c0 1.18.15 1.44.61 1.44.41 0 .77-.05 1.10-.18l.36 1.80c-.85.41-1.93.54-2.60.54-1.82-.02-2.21-.97-2.21-3.19ZM40.26 14.81l2.39-.05c-.12 1.39.36 2.19 1.21 2.19.72 0 1.13-.46 1.13-1.10 0-.87-.79-1.46-2.16-2.5-1.62-1.23-2.60-2.16-2.60-4.20 0-2.24 1.18-3.32 3.63-3.32 2.60 0 3.63 1.28 3.42 4.35l-2.39.10c-.02-1.90-.28-2.44-1.08-2.44-.77 0-1.10.38-1.10 1.08 0 .97.56 1.44 1.49 2.11 2.21 1.64 3.24 2.47 3.24 4.53 0 2.26-1.28 3.40-3.73 3.40-2.78-.02-3.81-1.54-3.45-4.14Z", +fill:"#fff"}}]});a.X=Object.assign({},a.X,{"aria-hidden":"true"});this.updateValue("logoSvg",a)}; +g.TV.prototype.Zb=function(a){g.U.prototype.Zb.call(this,a);this.api.Ua(this.element,this.visible&&a)};g.w(TPa,g.bI);g.k=TPa.prototype;g.k.Ie=function(){g.S(this.F.Cb(),2)||(this.Kc.yc(),this.tj.yc())}; +g.k.qn=function(){this.KJ();if(this.Ve.u){this.Ie();var a;null==(a=this.tb)||a.show()}else{g.XV(this.Kc.tooltip);var b;null==(b=this.tb)||b.hide()}}; +g.k.Iv=function(){this.Ie();this.lf.start()}; +g.k.KJ=function(){var a=!this.F.V().u&&300>g.rPa(this.Kc)&&this.F.Cb().bd()&&!!window.requestAnimationFrame,b=!a;this.Ve.u||(a=b=!1);b?this.ea||(this.ea=this.S(this.F,"progresssync",this.Ie)):this.ea&&(this.Hc(this.ea),this.ea=null);a?this.lf.isActive()||this.lf.start():this.lf.stop()}; +g.k.Db=function(){var a=this.u.yg(),b=this.F.jb().getPlayerSize(),c=VPa(this),d=Math.max(b.width-2*c,100);if(this.ib!==b.width||this.fb!==a){this.ib=b.width;this.fb=a;var e=WPa(this);this.C.element.style.width=e+"px";this.C.element.style.left=c+"px";g.yV(this.Kc,c,e,a);this.u.Ic().LJ=e}c=this.B;e=Math.min(413*(a?1.5:1),Math.round(.82*(b.height-XPa(this))));c.maxWidth=Math.min(570*(a?1.5:1),d);c.UE=e;c.lA();this.KJ();this.F.V().K("html5_player_dynamic_bottom_gradient")&&g.VU(this.kb,b.height)}; +g.k.onVideoDataChange=function(){var a=this.F.getVideoData(),b,c,d,e=null==(b=a.kf)?void 0:null==(c=b.embedPreview)?void 0:null==(d=c.thumbnailPreviewRenderer)?void 0:d.controlBgHtml;b=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?!!e:a.D;e=a.K("embeds_web_enable_video_data_refactoring_embedded_player_response")?null!=e?e:"":a.Wc;this.Ja.style.background=b?e:"";g.bQ(this.ya,a.jQ);this.oa&&jOa(this.oa,a.showSeekingControls);this.Z&&jOa(this.Z,a.showSeekingControls)}; +g.k.ub=function(){return this.C.element};g.w(YPa,EU);g.k=YPa.prototype;g.k.YG=function(a){a.target!==this.dismissButton.element&&(this.onClickCommand&&this.F.Na("innertubeCommand",this.onClickCommand),this.WC())}; +g.k.WC=function(){this.enabled=!1;this.I.hide()}; +g.k.onVideoDataChange=function(a,b){"dataloaded"===a&&ZPa(this);if(this.F.K("embeds_web_enable_video_data_refactoring_player_overlay_renderer")){a=[];var c,d,e,f;if(b=null==(f=g.K(null==(c=b.jd)?void 0:null==(d=c.playerOverlays)?void 0:null==(e=d.playerOverlayRenderer)?void 0:e.suggestedActionsRenderer,mza))?void 0:f.suggestedActions)for(c=g.t(b),d=c.next();!d.done;d=c.next())(d=g.K(d.value,nza))&&g.K(d.trigger,lM)&&a.push(d)}else a=b.suggestedActions;c=a;if(0!==c.length){a=[];c=g.t(c);for(d=c.next();!d.done;d= +c.next())if(d=d.value,e=g.K(d.trigger,lM))f=(f=d.title)?g.gE(f):"View Chapters",b=e.timeRangeStartMillis,e=e.timeRangeEndMillis,null!=b&&null!=e&&d.tapCommand&&(a.push(new g.XD(b,e,{priority:9,namespace:"suggested_action_button_visible",id:f})),this.suggestedActions[f]=d.tapCommand);this.F.ye(a)}}; +g.k.Yz=function(){return this.enabled}; +g.k.Bg=function(){this.enabled?this.oa.start():CU(this);this.dl()}; +g.k.qa=function(){ZPa(this);EU.prototype.qa.call(this)};var g4={},UV=(g4.CHANNEL_NAME="ytp-title-channel-name",g4.FULLERSCREEN_LINK="ytp-title-fullerscreen-link",g4.LINK="ytp-title-link",g4.SESSIONLINK="yt-uix-sessionlink",g4.SUBTEXT="ytp-title-subtext",g4.TEXT="ytp-title-text",g4.TITLE="ytp-title",g4);g.w(VV,g.U); +VV.prototype.onClick=function(a){this.api.qb(this.element);var b=this.api.V(),c=this.api.getVideoUrl(!g.fR(a),!1,!0);if(g.fK(b)){var d={};b.ya&&g.iS(d,b.loaderUrl);g.pS(this.api,"addEmbedsConversionTrackingParams",[d]);c=g.Zi(c,g.hS(d,"emb_title"))}g.VT(c,this.api,a)}; +VV.prototype.Pa=function(){var a=this.api.getVideoData(),b=this.api.V();this.updateValue("title",a.title);var c={G:"a",N:UV.CHANNEL_NAME,X:{href:"{{channelLink}}",target:"_blank"},ra:"{{channelName}}"};this.api.V().B&&(c={G:"span",N:UV.CHANNEL_NAME,ra:"{{channelName}}",X:{tabIndex:"{{channelSubtextFocusable}}"}});this.updateValue("subtextElement",c);$Pa(this);2===this.api.getPresentingPlayerType()&&(c=this.api.getVideoData(),c.videoId&&c.isListed&&c.author&&c.Lc&&c.profilePicture?(this.updateValue("channelLink", +c.Lc),this.updateValue("channelName",c.author),this.updateValue("channelTitleFocusable","0")):$Pa(this));c=b.externalFullscreen||!this.api.isFullscreen()&&b.ij;g.Up(this.link,UV.FULLERSCREEN_LINK,c);b.oa||!a.videoId||c||a.D&&b.Z||b.B?this.j&&(this.updateValue("url",null),this.Hc(this.j),this.j=null):(this.updateValue("url",this.api.getVideoUrl(!0)),this.j||(this.j=this.S(this.link,"click",this.onClick)));b.B&&(this.element.classList.add("ytp-no-link"),this.updateValue("channelName",g.fK(b)?a.ph:a.author), +this.updateValue("channelTitleFocusable","0"),this.updateValue("channelSubtextFocusable","0"))};g.w(g.WV,g.U);g.k=g.WV.prototype;g.k.fP=function(a){if(null!=this.type)if(a)switch(this.type){case 3:case 2:eQa(this);this.I.show();break;default:this.I.show()}else this.I.hide();this.T=a}; +g.k.iW=function(a,b){a<=this.C&&this.C<=b&&(a=this.C,this.C=NaN,bQa(this,a))}; +g.k.x4=function(){Qya(this.u,this.C,this.J*this.scale)}; +g.k.Nn=function(){switch(this.type){case 2:var a=this.j;a.removeEventListener("mouseout",this.oa);a.addEventListener("mouseover",this.D);a.removeEventListener("blur",this.oa);a.addEventListener("focus",this.D);fQa(this);break;case 3:fQa(this);break;case 1:this.u&&(this.u.unsubscribe("l",this.iW,this),this.u=null),this.api.removeEventListener("videoready",this.ya),this.Aa.stop()}this.type=null;this.T&&this.I.hide()}; +g.k.rk=function(){if(this.j)for(var a=0;a(b.height-d.height)/2?l.y-f.height-12:l.y+d.height+12);a.style.top=f+(e||0)+"px";a.style.left=c+"px"}; +g.k.qn=function(a){a&&(this.tooltip.rk(this.Fh.element),this.dh&&this.tooltip.rk(this.dh.ub()));this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide",a),g.Up(this.contextMenu.element,"ytp-autohide-active",!0));g.eU.prototype.qn.call(this,a)}; +g.k.DN=function(){g.eU.prototype.DN.call(this);this.rG&&(g.Up(this.contextMenu.element,"ytp-autohide-active",!1),this.rG&&(this.contextMenu.hide(),this.Bh&&this.Bh.hide()))}; +g.k.zk=function(a,b){var c=this.api.jb().getPlayerSize();c=new g.Em(0,0,c.width,c.height);if(a||this.Ve.u&&!this.Ct()){if(this.api.V().vl||b)a=this.yg()?this.RK:this.QK,c.top+=a,c.height-=a;this.dh&&(c.height-=XPa(this.dh))}return c}; +g.k.Hq=function(a){var b=this.api.getRootNode();a?b.parentElement?(b.setAttribute("aria-label","YouTube Video Player in Fullscreen"),this.api.V().externalFullscreen||(b.parentElement.insertBefore(this.IF.element,b),b.parentElement.insertBefore(this.HF.element,b.nextSibling))):g.CD(Error("Player not in DOM.")):(b.setAttribute("aria-label","YouTube Video Player"),this.IF.detach(),this.HF.detach());this.Db();this.wp()}; +g.k.yg=function(){var a=this.api.V();return this.api.isFullscreen()&&!a.T||!1}; +g.k.showControls=function(a){this.pF=!a;this.fl()}; +g.k.Db=function(){var a=this.yg();this.tooltip.scale=a?1.5:1;this.contextMenu&&g.Up(this.contextMenu.element,"ytp-big-mode",a);this.fl();this.api.K("web_player_hide_overflow_button_if_empty_menu")||nQa(this);this.wp();var b=this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.Sb();b&&a?(a=(this.api.jb().getPlayerSize().width-this.api.getVideoContentRect().width)/2,g.Hm(this.Fh.element,"padding-left",a+"px"),g.Hm(this.Fh.element,"padding-right",a+"px")):b&&(g.Hm(this.Fh.element,"padding-left", +""),g.Hm(this.Fh.element,"padding-right",""));g.eU.prototype.Db.call(this)}; +g.k.SL=function(){if(mQa(this)&&!g.KS(this.api))return!1;var a=this.api.getVideoData();return!g.fK(this.api.V())||2===this.api.getPresentingPlayerType()||!this.kf||((a=this.kf||a.kf)?(a=a.embedPreview)?(a=a.thumbnailPreviewRenderer,a=a.videoDetails&&g.K(a.videoDetails,Nza)||null):a=null:a=null,a&&a.collapsedRenderer&&a.expandedRenderer)?g.eU.prototype.SL.call(this):!1}; +g.k.wp=function(){g.eU.prototype.wp.call(this);this.api.Ua(this.title.element,!!this.To);this.Dz&&this.Dz.Zb(!!this.To);this.channelAvatar.Zb(!!this.To);this.overflowButton&&this.overflowButton.Zb(this.Wg()&&!!this.To);this.shareButton&&this.shareButton.Zb(!this.Wg()&&!!this.To);this.Jn&&this.Jn.Zb(!this.Wg()&&!!this.To);this.Bi&&this.Bi.Zb(!this.Wg()&&!!this.To);if(!this.To){this.tooltip.rk(this.Fh.element);for(var a=0;a=b)return d.return();(c=a.j.get(0))&&uQa(a,c);g.oa(d)})}; +var rQa={qQa:0,xSa:1,pRa:2,ySa:3,Ima:4,0:"PRIMARY",1:"SECONDARY",2:"RANDOM",3:"SENSITIVE_CONTENT",4:"C_YOUTUBE"};g.eW.prototype.info=function(){}; +var CQa=new Map;fW.prototype.Vj=function(){if(!this.Le.length)return[];var a=this.Le;this.Le=[];this.B=g.jb(a).info;return a}; +fW.prototype.Rv=function(){return this.Le};g.w(hW,g.C);g.k=hW.prototype;g.k.Up=function(){return Array.from(this.Xc.keys())}; +g.k.lw=function(a){a=this.Xc.get(a);var b=a.Le;a.Qx+=b.totalLength;a.Le=new LF;return b}; +g.k.Vg=function(a){return this.Xc.get(a).Vg}; +g.k.Qh=function(a){return this.Xc.get(a).Qh}; +g.k.Kv=function(a,b,c,d){this.Xc.get(a)||this.Xc.set(a,{Le:new LF,Cq:[],Qx:0,bytesReceived:0,KU:0,CO:!1,Vg:!1,Qh:!1,Ek:b,AX:[],gb:[],OG:[]});b=this.Xc.get(a);this.Sa?(c=MQa(this,a,c,d),LQa(this,a,b,c)):(c.Xm?b.KU=c.Pq:b.OG.push(c),b.AX.push(c))}; +g.k.Om=function(a){var b;return(null==(b=this.Xc.get(a))?void 0:b.gb)||[]}; +g.k.qz=function(){for(var a=g.t(this.Xc.values()),b=a.next();!b.done;b=a.next())b=b.value,b.CO&&(b.Ie&&b.Ie(),b.CO=!1)}; +g.k.Iq=function(a){a=this.Xc.get(a);iW&&a.Cq.push({data:new LF([]),qL:!0});a&&!a.Qh&&(a.Qh=!0)}; +g.k.Vj=function(a){var b,c=null==(b=this.Xc.get(a))?void 0:b.Zd;if(!c)return[];this.Sm(a,c);return c.Vj()}; +g.k.Nk=function(a){var b,c,d;return!!(null==(c=null==(b=this.Xc.get(a))?void 0:b.Zd)?0:null==(d=c.Rv())?0:d.length)||JQa(this,a)}; +g.k.Sm=function(a,b){for(;JQa(this,a);)if(iW){var c=this.Xc.get(a),d=c.Cq.shift();c.Qx+=(null==d?void 0:d.data.totalLength)||0;c=d;gW(b,c.data,c.qL)}else c=this.lw(a),d=a,d=this.Xc.get(d).Vg&&!IQa(this,d),gW(b,c,d&&KQa(this,a))}; +g.k.qa=function(){g.C.prototype.qa.call(this);for(var a=g.t(this.Xc.keys()),b=a.next();!b.done;b=a.next())FQa(this,b.value);this.Xc.clear()}; +var iW=!1;var lW=[],m0a=!1;g.PY=Nd(function(){var a="";try{var b=g.qf("CANVAS").getContext("webgl");b&&(b.getExtension("WEBGL_debug_renderer_info"),a=b.getParameter(37446),a=a.replace(/[ :]/g,"_"))}catch(c){}return a});g.w(mW,g.C);mW.prototype.B=function(){null!=this.j&&this.app.getVideoData()!==this.j&&aM(this.j)&&R0a(this.app,this.j,void 0,void 0,this.u)}; +mW.prototype.qa=function(){this.j=null;g.C.prototype.qa.call(this)};g.w(g.nW,FO);g.k=g.nW.prototype;g.k.isView=function(){return!0}; +g.k.QO=function(){var a=this.mediaElement.getCurrentTime();if(ae?this.Eg("next_player_future"):(this.D=d,this.currentVideoDuration=d-c,this.B=Gva(a,c,d,!0),this.C=Gva(a,e,h,!1),a=this.u.getVideoData().clientPlaybackNonce,this.j.xa("gaplessPrep",{cpn:a}),ZQa(this.j,this.B),this.j.setMediaElement(VQa(b,c,d,!this.j.getVideoData().isAd())), +pW(this,2),bRa(this))))}else this.Eg("no-elem")}; +g.k.kx=function(a){var b=a===aRa(this).LX,c=b?this.B.j:this.B.u;b=b?this.C.j:this.C.u;if(c.isActive&&!b.isActive){var d=this.D;lI(a.Ig(),d-.01)&&(pW(this,4),c.isActive=!1,c.rE=c.rE||c.isActive,this.u.xa("sbh",{}),b.isActive=!0,b.rE=b.rE||b.isActive);a=this.C.u;this.C.j.isActive&&a.isActive&&(pW(this,5),0!==this.T&&(this.j.getVideoData().QR=!0,this.j.setLoopRange({startTimeMs:0,endTimeMs:1E3*this.currentVideoDuration})))}}; +g.k.nW=function(){4<=this.status.status&&6>this.status.status&&this.Eg("player-reload-after-handoff")}; +g.k.Eg=function(a,b){b=void 0===b?{}:b;if(!this.isDisposed()&&6!==this.status.status){var c=4<=this.status.status&&"player-reload-after-handoff"!==a;this.status={status:Infinity,error:a};if(this.j&&this.u){var d=this.u.getVideoData().clientPlaybackNonce;this.j.Kd(new PK("dai.transitionfailure",Object.assign(b,{cpn:d,transitionTimeMs:this.fm,msg:a})));a=this.j;a.videoData.fb=!1;c&&IY(a);a.Fa&&XWa(a.Fa)}this.rp.reject(void 0);this.dispose()}}; +g.k.qa=function(){$Qa(this);this.j.unsubscribe("newelementrequired",this.nW,this);if(this.B){var a=this.B.u;this.B.j.Ed.unsubscribe("updateend",this.kx,this);a.Ed.unsubscribe("updateend",this.kx,this)}g.C.prototype.qa.call(this)}; +g.k.yd=function(a){g.YN(a,128)&&this.Eg("player-error-event")};g.w(rW,g.C);rW.prototype.clearQueue=function(){this.C&&this.C.reject("Queue cleared");sW(this)}; +rW.prototype.vv=function(){return!this.j}; +rW.prototype.qa=function(){sW(this);g.C.prototype.qa.call(this)};g.w(lRa,g.dE);g.k=lRa.prototype;g.k.getVisibilityState=function(a,b,c,d,e,f){return a?4:hRa()?3:b?2:c?1:d?5:e?7:f?8:0}; +g.k.cm=function(a){this.fullscreen!==a&&(this.fullscreen=a,this.Bg())}; +g.k.setMinimized=function(a){this.u!==a&&(this.u=a,this.Bg())}; +g.k.setInline=function(a){this.inline!==a&&(this.inline=a,this.Bg())}; +g.k.Uz=function(a){this.pictureInPicture!==a&&(this.pictureInPicture=a,this.Bg())}; +g.k.wh=function(){return this.j}; g.k.isFullscreen=function(){return 0!==this.fullscreen}; +g.k.Ay=function(){return this.fullscreen}; +g.k.zg=function(){return this.u}; g.k.isInline=function(){return this.inline}; -g.k.isBackground=function(){return Wva()}; -g.k.ff=function(){this.V("visibilitychange");var a=this.getVisibilityState(this.Ze(),this.isFullscreen(),this.u,this.isInline(),this.pictureInPicture,this.B);a!==this.F&&this.V("visibilitystatechange");this.F=a}; -g.k.ca=function(){Zva(this.D);g.O.prototype.ca.call(this)};g.u(vY,g.C);g.k=vY.prototype; -g.k.CM=function(a){var b,c,d,e;if(a=this.C.get(a))if(this.api.V("serverstitchedvideochange",a.Hc),a.cpn&&(null===(c=null===(b=a.playerResponse)||void 0===b?void 0:b.videoDetails)||void 0===c?0:c.videoId)){for(var f,h,l=0;l=a.pw?a.pw:void 0;return{Pz:{lK:f?KRa(this,f):[],S1:h,Qr:d,RX:b,T9:Se(l.split(";")[0]),U9:l.split(";")[1]||""}}}; +g.k.Im=function(a,b,c,d,e){var f=Number(c.split(";")[0]),h=3===d;a=GRa(this,a,b,d,c);this.Qa&&this.va.xa("sdai",{gdu:1,seg:b,itag:f,pb:""+!!a});if(!a)return KW(this,b,h),null;a.locations||(a.locations=new Map);if(!a.locations.has(f)){var l,m,n=null==(l=a.videoData.getPlayerResponse())?void 0:null==(m=l.streamingData)?void 0:m.adaptiveFormats;if(!n)return this.va.xa("sdai",{gdu:"noadpfmts",seg:b,itag:f}),KW(this,b,h),null;l=n.find(function(z){return z.itag===f}); +if(!l||!l.url){var p=a.videoData.videoId;a=[];d=g.t(n);for(var q=d.next();!q.done;q=d.next())a.push(q.value.itag);this.va.xa("sdai",{gdu:"nofmt",seg:b,vid:p,itag:f,fullitag:c,itags:a.join(",")});KW(this,b,h);return null}a.locations.set(f,new g.DF(l.url,!0))}n=a.locations.get(f);if(!n)return this.va.xa("sdai",{gdu:"nourl",seg:b,itag:f}),KW(this,b,h),null;n=new IG(n);this.Wc&&(n.get("dvc")?this.va.xa("sdai",{dvc:n.get("dvc")||""}):n.set("dvc","webm"));var r;(e=null==(r=JW(this,b-1,d,e))?void 0:r.Qr)&& +n.set("daistate",e);a.pw&&b>=a.pw&&n.set("skipsq",""+a.pw);(e=this.va.getVideoData().clientPlaybackNonce)&&n.set("cpn",e);r=[];a.Am&&(r=KRa(this,a.Am),0d?(this.kI(a,c,!0),this.va.seekTo(d),!0):!1}; +g.k.kI=function(a,b,c){c=void 0===c?!1:c;if(a=IW(this,a,b)){var d=a.Am;if(d){this.va.xa("sdai",{skipadonsq:b,sts:c,abid:d,acpn:a.cpn,avid:a.videoData.videoId});c=this.ea.get(d);if(!c)return;c=g.t(c);for(d=c.next();!d.done;d=c.next())d.value.pw=b}this.u=a.cpn;HRa(this)}}; +g.k.TO=function(){for(var a=g.t(this.T),b=a.next();!b.done;b=a.next())b.value.pw=NaN;HRa(this);this.va.xa("sdai",{rsac:"resetSkipAd",sac:this.u});this.u=""}; +g.k.kE=aa(38); +g.k.fO=function(a,b,c,d,e,f,h,l,m){m&&(h?this.Xa.set(a,{Qr:m,YA:l}):this.Aa.set(a,{Qr:m,YA:l}));if(h){if(d.length&&e.length)for(this.u&&this.u===d[0]&&this.va.xa("sdai",{skipfail:1,sq:a,acpn:this.u}),a=b+this.aq(),h=0;h=b+a)b=h.end;else{if(l=!1,h?bthis.C;)(c=this.data.shift())&&OY(this,c,!0);MY(this)}; -NY.prototype.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); -c&&(OY(this,c,b),g.pb(this.data,function(d){return d.key===a}),MY(this))}; -NY.prototype.ca=function(){var a=this;g.C.prototype.ca.call(this);this.data.forEach(function(b){OY(a,b,!0)}); -this.data=[]};PY.prototype.add=function(a){this.u=(this.u+1)%this.data.length;this.data[this.u]=a}; -PY.prototype.forEach=function(a){for(var b=this.u+1;b=c||cthis.C&&(this.C=c,g.Sb(this.u)||(this.u={},this.D.stop(),this.B.stop())),this.u[b]=a,this.B.Sb())}}; -iZ.prototype.F=function(){for(var a=g.q(Object.keys(this.u)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.V;for(var d=this.C,e=this.u[c].match(wd),f=[],h=g.q(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+md(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=a.size||(a.forEach(function(c,d){var e=qC(b.B)?d:c,f=new Uint8Array(qC(b.B)?c:d);qC(b.B)&&mxa(f);var h=g.sf(f,4);mxa(f);f=g.sf(f,4);b.u[h]?b.u[h].status=e:b.u[f]?b.u[f].status=e:b.u[h]={type:"",status:e}}),this.ea("Key statuses changed: "+ixa(this,",")),kZ(this,"onkeystatuschange"),this.status="kc",this.V("keystatuseschange",this))}; -g.k.error=function(a,b,c,d){this.na()||this.V("licenseerror",a,b,c,d);b&&this.dispose()}; -g.k.shouldRetry=function(a,b){return this.fa&&this.I?!1:!a&&this.requestNumber===b.requestNumber}; -g.k.ca=function(){g.O.prototype.ca.call(this)}; -g.k.sb=function(){var a={requestedKeyIds:this.aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.C&&(a.keyStatuses=this.u);return a}; -g.k.Te=function(){var a=this.F.join();if(mZ(this)){var b=[],c;for(c in this.u)"usable"!==this.u[c].status&&b.push(this.u[c].type);a+="/UKS."+b}return a+="/"+this.cryptoPeriodIndex}; -g.k.ea=function(){}; -g.k.Ld=function(){return this.url}; -var k2={},fxa=(k2.widevine="DRM_SYSTEM_WIDEVINE",k2.fairplay="DRM_SYSTEM_FAIRPLAY",k2.playready="DRM_SYSTEM_PLAYREADY",k2);g.u(oZ,g.C);g.k=oZ.prototype;g.k.NL=function(a){if(this.F){var b=a.messageType||"license-request";this.F(new Uint8Array(a.message),b)}}; -g.k.xl=function(){this.K&&this.K(this.u.keyStatuses)}; -g.k.fG=function(a){this.F&&this.F(a.message,"license-request")}; -g.k.eG=function(a){if(this.C){if(this.B){var b=this.B.error.code;a=this.B.error.u}else b=a.errorCode,a=a.systemCode;this.C("t.prefixedKeyError;c."+b+";sc."+a)}}; -g.k.dG=function(){this.I&&this.I()}; -g.k.update=function(a){var b=this;if(this.u)return this.u.update(a).then(null,Eo(function(c){pxa(b,"t.update",c)})); -this.B?this.B.update(a):this.element.addKey?this.element.addKey(this.R.u,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.R.u,a,this.initData,this.sessionId);return Ys()}; -g.k.ca=function(){this.u&&this.u.close();this.element=null;g.C.prototype.ca.call(this)};g.u(pZ,g.C);g.k=pZ.prototype;g.k.createSession=function(a,b){var c=a.initData;if(this.u.keySystemAccess){b&&b("createsession");var d=this.B.createSession();tC(this.u)&&(c=sxa(c,this.u.Bh));b&&b("genreq");c=d.generateRequest(a.contentType,c);var e=new oZ(null,null,null,d,null);c.then(function(){b&&b("genreqsuccess")},Eo(function(f){pxa(e,"t.generateRequest",f)})); -return e}if(pC(this.u))return uxa(this,c);if(sC(this.u))return txa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.u.u,c):this.element.webkitGenerateKeyRequest(this.u.u,c);return this.D=new oZ(this.element,this.u,c,null,null)}; -g.k.QL=function(a){var b=rZ(this,a);b&&b.fG(a)}; -g.k.PL=function(a){var b=rZ(this,a);b&&b.eG(a)}; -g.k.OL=function(a){var b=rZ(this,a);b&&b.dG(a)}; -g.k.ca=function(){g.C.prototype.ca.call(this);delete this.element};g.u(sZ,g.C); -sZ.prototype.init=function(){return We(this,function b(){var c=this,d,e;return xa(b,function(f){if(1==f.u)return g.ug(c.u,{position:"absolute",width:"1px",height:"1px",display:"block"}),c.u.src=c.C.D,document.body.appendChild(c.u),c.F.N(c.u,"encrypted",c.I),d=[{initDataTypes:["keyids","cenc"],audioCapabilities:[{contentType:'audio/mp4; codecs="mp4a"'}],videoCapabilities:[{contentType:'video/mp4; codecs="avc1"'}]}],sa(f,navigator.requestMediaKeySystemAccess("com.youtube.fairplay",d),2);e=f.B;c.C.keySystemAccess= -e;c.B=new pZ(c.u,c.C);g.D(c,c.B);qZ(c.B);f.u=0})})}; -sZ.prototype.I=function(a){var b=this;if(!this.na()){var c=new Uint8Array(a.initData);a=new zy(c,a.initDataType);var d=Lwa(c).replace("skd://","https://"),e={},f=this.B.createSession(a,function(){b.ea()}); -f&&(g.D(this,f),this.D.push(f),Wwa(f,function(h){nxa(h,f.u,d,e,"fairplay")},function(){b.ea()},function(){},function(){}))}}; -sZ.prototype.ea=function(){}; -sZ.prototype.ca=function(){this.D=[];this.u&&this.u.parentNode&&this.u.parentNode.removeChild(this.u);g.C.prototype.ca.call(this)};g.u(tZ,hZ);tZ.prototype.F=function(a){var b=(0,g.N)(),c;if(!(c=this.D)){a:{c=a.cryptoPeriodIndex;if(!isNaN(c))for(var d=g.q(this.C.values),e=d.next();!e.done;e=d.next())if(1>=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}c=!1}c=!c}c?c=0:(c=a.u,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30)));this.u.push({time:b+c,info:a});this.B.Sb(c)};uZ.prototype.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; -uZ.prototype.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; -uZ.prototype.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; -uZ.prototype.findIndex=function(a){return g.gb(this.keys,function(b){return g.Ab(a,b)})};g.u(wZ,g.O);g.k=wZ.prototype;g.k.RL=function(a){vZ(this,"onecpt");a.initData&&yxa(this,new Uint8Array(a.initData),a.initDataType)}; -g.k.BP=function(a){vZ(this,"onndky");yxa(this,a.initData,a.contentType)}; -g.k.SB=function(a){this.C.push(a);yZ(this)}; -g.k.createSession=function(a){this.B.get(a.initData);this.Y=!0;var b=new lZ(this.videoData,this.W,a,this.drmSessionId);this.B.set(a.initData,b);b.subscribe("ctmp",this.FF,this);b.subscribe("hdentitled",this.RF,this);b.subscribe("keystatuseschange",this.xl,this);b.subscribe("licenseerror",this.yv,this);b.subscribe("newlicense",this.YF,this);b.subscribe("newsession",this.aG,this);b.subscribe("sessionready",this.nG,this);b.subscribe("fairplay_next_need_key_info",this.OF,this);Ywa(b,this.D)}; -g.k.YF=function(a){this.na()||(this.ea(),vZ(this,"onnelcswhb"),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.V("heartbeatparams",a)))}; -g.k.aG=function(){this.na()||(this.ea(),vZ(this,"newlcssn"),this.C.shift(),this.Y=!1,yZ(this))}; -g.k.nG=function(){if(pC(this.u)&&(this.ea(),vZ(this,"onsnrdy"),this.Ja--,0===this.Ja)){var a=this.X;a.element.msSetMediaKeys(a.C)}}; -g.k.xl=function(a){this.na()||(!this.ma&&this.videoData.ba("html5_log_drm_metrics_on_key_statuses")&&(Dxa(this),this.ma=!0),this.ea(),vZ(this,"onksch"),Cxa(this,hxa(a,this.ha)),this.V("keystatuseschange",a))}; -g.k.RF=function(){this.na()||this.fa||!rC(this.u)||(this.ea(),vZ(this,"onhdet"),this.Aa=CCa,this.V("hdproberequired"),this.V("qualitychange"))}; -g.k.FF=function(a,b){this.na()||this.V("ctmp",a,b)}; -g.k.OF=function(a,b){this.na()||this.V("fairplay_next_need_key_info",a,b)}; -g.k.yv=function(a,b,c,d){this.na()||(this.videoData.ba("html5_log_drm_metrics_on_error")&&Dxa(this),this.V("licenseerror",a,b,c,d))}; -g.k.co=function(a){return(void 0===a?0:a)&&this.Aa?this.Aa:this.K}; -g.k.ca=function(){this.u.keySystemAccess&&this.element.setMediaKeys(null);this.element=null;this.C=[];for(var a=g.q(this.B.values),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.FF,this),b.unsubscribe("hdentitled",this.RF,this),b.unsubscribe("keystatuseschange",this.xl,this),b.unsubscribe("licenseerror",this.yv,this),b.unsubscribe("newlicense",this.YF,this),b.unsubscribe("newsession",this.aG,this),b.unsubscribe("sessionready",this.nG,this),b.unsubscribe("fairplay_next_need_key_info", -this.OF,this),b.dispose();a=this.B;a.keys=[];a.values=[];g.O.prototype.ca.call(this)}; -g.k.sb=function(){for(var a={systemInfo:this.u.sb(),sessions:[]},b=g.q(this.B.values),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.sb());return a}; -g.k.Te=function(){return 0>=this.B.values.length?"no session":this.B.values[0].Te()+(this.F?"/KR":"")}; -g.k.ea=function(){};g.u(AZ,g.O); -AZ.prototype.handleError=function(a,b){var c=this;Hxa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!DZ(this,a.errorCode,a.details))&&!Kxa(this,a,b))if(Ixa(a)&&this.videoData.La&&this.videoData.La.B)BZ(this,a.errorCode,a.details),EZ(this,"highrepfallback","1",{BA:!0}),!this.videoData.ba("html5_hr_logging_killswitch")&&/^hr/.test(this.videoData.clientPlaybackNonce)&&btoa&&EZ(this,"afmts",btoa(this.videoData.adaptiveFormats),{BA:!0}), -Ola(this.videoData),this.V("highrepfallback");else if(a.u){var d=this.Ba?this.Ba.K.F:null;if(Ixa(a)&&d&&d.isLocked())var e="FORMAT_UNAVAILABLE";else if(!this.Sa.I&&"auth"===a.errorCode&&"429"===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}this.V("playererror",a.errorCode,e,g.vB(a.details),f)}else d=/^pp/.test(this.videoData.clientPlaybackNonce),BZ(this,a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(d="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+ -"&t="+(0,g.N)(),(new cF(d,"manifest",function(h){c.F=!0;EZ(c,"pathprobe",h)},function(h){BZ(c,h.errorCode,h.details)})).send())}; -AZ.prototype.ca=function(){this.Ba=null;this.setMediaElement(null);g.O.prototype.ca.call(this)}; -AZ.prototype.setMediaElement=function(a){this.da=a}; -AZ.prototype.ea=function(){};GZ.prototype.setPlaybackRate=function(a){this.playbackRate=a}; -GZ.prototype.ba=function(a){return g.Q(this.W.experiments,a)};g.u(JZ,g.C);JZ.prototype.lc=function(a){cya(this);this.playerState=a.state;0<=this.B&&g.GK(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; -JZ.prototype.onError=function(a){"player.fatalexception"!==a&&(a.match(fDa)?this.networkErrorCount++:this.nonNetworkErrorCount++)}; -JZ.prototype.send=function(){if(!(this.C||0>this.u)){cya(this);var a=g.rY(this.provider)-this.u,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.U(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.U(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.U(this.playerState,16)||g.U(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.U(this.playerState,1)&& -g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.U(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.U(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.U(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");var d=ZI(this.provider.videoData);c="LIVE_STREAM_MODE_UNKNOWN";"live"===d?c="LIVE_STREAM_MODE_LIVE":"dvr"===d&&(c="LIVE_STREAM_MODE_DVR");d=dya(this.provider);var e=0>this.B?a:this.B-this.u;a=this.provider.W.Ta+36E5<(0,g.N)();b={started:0<=this.B,stateAtSend:b, -joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.WI(this.provider.videoData),isGapless:this.provider.videoData.Lh};!a&&this.provider.ba("html5_health_to_gel")&&g.Nq("html5PlayerHealthEvent",b);this.provider.ba("html5_health_to_qoe")&&(b.muted=a,this.I(g.vB(b)));this.C=!0; -this.dispose()}}; -JZ.prototype.ca=function(){this.C||this.send();g.C.prototype.ca.call(this)}; -var fDa=/\bnet\b/;g.u(g.NZ,g.C);g.k=g.NZ.prototype;g.k.OK=function(){var a=g.rY(this.provider);OZ(this,a)}; -g.k.rq=function(){return this.ia}; -g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.na()&&(a=0<=a?a:g.rY(this.provider),-1<["PL","B","S"].indexOf(this.Pc)&&(!g.Sb(this.u)||a>=this.C+30)&&(g.MZ(this,a,"vps",[this.Pc]),this.C=a),!g.Sb(this.u)))if(7E3===this.sequenceNumber&&g.Is(Error("Sent over 7000 pings")),7E3<=this.sequenceNumber)this.u={};else{PZ(this,a);var b=a,c=this.provider.C(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Ga,h=e&&!this.Ya;if(d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.fu(),this.u.qoealert=["1"],this.ha=!0)}"B"!==a||"PL"!==this.Pc&&"PB"!==this.Pc||(this.Y=!0);this.C=c}"B"=== -a&&"PL"===this.Pc||this.provider.videoData.nk?PZ(this,c):OZ(this,c);"PL"===a&&this.Nb.Sb();g.MZ(this,c,"vps",[a]);this.Pc=a;this.C=this.ma=c;this.P=!0}a=b.getData();g.U(b,128)&&a&&this.Er(c,a.errorCode,a.cH);(g.U(b,2)||g.U(b,128))&&this.reportStats(c);b.Hb()&&!this.D&&(0<=this.B&&(this.u.user_intent=[this.B.toString()]),this.D=!0);QZ(this)}; -g.k.wl=ba(20);g.k.vl=ba(23);g.k.Zh=ba(16);g.k.getPlayerState=function(a){if(g.U(a,128))return"ER";if(g.U(a,512))return"SU";if(g.U(a,16)||g.U(a,32))return"S";var b=gDa[JM(a)];g.wD(this.provider.W)&&"B"===b&&3===this.provider.getVisibilityState()&&(b="SU");"B"===b&&g.U(a,4)&&(b="PB");return b}; -g.k.ca=function(){g.C.prototype.ca.call(this);window.clearInterval(this.Aa)}; -g.k.Na=function(a,b,c){var d=this.u.ctmp||[],e=-1!==this.Zb.indexOf(a);e||this.Zb.push(a);if(!c||!e){/[^a-zA-Z0-9;.!_-]/.test(b)&&(b=b.replace(/[+]/g,"-").replace(/[^a-zA-Z0-9;.!_-]/g,"_"));if(!c&&!/^t[.]/.test(b)){var f=1E3*g.rY(this.provider);b="t."+f.toFixed()+";"+b}hDa(a,b);d.push(a+":"+b);this.u.ctmp=d;QZ(this);return f}}; -g.k.Fr=function(a,b,c){this.F={NR:Number(this.Na("glrem","nst."+a.toFixed()+";rem."+b.toFixed()+";ca."+ +c)),xF:a,FR:b,isAd:c}}; -g.k.Yo=function(a,b,c){g.MZ(this,g.rY(this.provider),"ad_playback",[a,b,c])}; -g.k.cn=function(a,b,c,d,e,f){1===e&&this.reportStats();this.adCpn=a;this.K=b;this.adFormat=f;a=g.rY(this.provider);b=this.provider.u();1===e&&g.MZ(this,a,"vps",[this.Pc]);f=this.u.xvt||[];f.push("t."+a.toFixed(3)+";m."+b.toFixed(3)+";g.2;tt."+e+";np.0;c."+c+";d."+d);this.u.xvt=f;0===e&&(this.reportStats(),this.K=this.adCpn="",this.adFormat=void 0)}; -var hDa=g.Ka,l2={},gDa=(l2[5]="N",l2[-1]="N",l2[3]="B",l2[0]="EN",l2[2]="PA",l2[1]="PL",l2);jya.prototype.update=function(){if(this.K){var a=this.provider.u()||0,b=g.rY(this.provider);if(a!==this.u||oya(this,a,b)){var c;if(!(c=ab-this.lastUpdateTime+2||oya(this,a,b))){var d=this.provider.De();c=d.volume;var e=c!==this.P;d=d.muted;d!==this.R?(this.R=d,c=!0):(!e||0<=this.D||(this.P=c,this.D=b),c=b-this.D,0<=this.D&&2=this.provider.videoData.yh){if(this.C&&this.provider.videoData.yh){var a=$Z(this,"delayplay");a.ub=!0;a.send();this.X=!0}sya(this)}}; -g.k.lc=function(a){this.na()||(g.U(a.state,2)?(this.currentPlayerState="paused",g.GK(a,2)&&this.C&&d_(this).send()):g.U(a.state,8)?(this.currentPlayerState="playing",this.C&&isNaN(this.B)&&a_(this,!1)):this.currentPlayerState="paused",this.D&&g.U(a.state,128)&&(c_(this,"error-100"),g.Io(this.D)))}; -g.k.ca=function(){g.C.prototype.ca.call(this);g.Io(this.B);this.B=NaN;mya(this.u);g.Io(this.D)}; -g.k.sb=function(){return XZ($Z(this,"playback"))}; -g.k.rp=function(){this.provider.videoData.qd.eventLabel=kJ(this.provider.videoData);this.provider.videoData.qd.playerStyle=this.provider.W.playerStyle;this.provider.videoData.Wo&&(this.provider.videoData.qd.feature="pyv");this.provider.videoData.qd.vid=this.provider.videoData.videoId;var a=this.provider.videoData.qd;var b=this.provider.videoData;b=b.isAd()||!!b.Wo;a.isAd=b}; -g.k.Yf=function(a){var b=$Z(this,"engage");b.K=a;return pya(b,yya(this.provider))};xya.prototype.isEmpty=function(){return this.endTime===this.startTime};e_.prototype.ba=function(a){return g.Q(this.W.experiments,a)}; -var zya={other:1,none:2,wifi:3,cellular:7};g.u(g.f_,g.C);g.k=g.f_.prototype;g.k.lc=function(a){var b;if(g.GK(a,1024)||g.GK(a,2048)||g.GK(a,512)||g.GK(a,4)){if(this.B){var c=this.B;0<=c.B||(c.u=-1,c.delay.stop())}this.qoe&&(c=this.qoe,c.D||(c.B=-1))}this.provider.videoData.enableServerStitchedDai&&this.C?null===(b=this.D.get(this.C))||void 0===b?void 0:b.lc(a):this.u&&this.u.lc(a);this.qoe&&this.qoe.lc(a);this.B&&this.B.lc(a)}; -g.k.ie=function(){var a;this.provider.videoData.enableServerStitchedDai&&this.C?null===(a=this.D.get(this.C))||void 0===a?void 0:a.ie():this.u&&this.u.ie()}; -g.k.onError=function(a,b){if(this.qoe)this.qoe.onError(a,b);if(this.B)this.B.onError(a)}; -g.k.wl=ba(19);g.k.Na=function(a,b,c){this.qoe&&this.qoe.Na(a,b,c)}; -g.k.Fr=function(a,b,c){this.qoe&&this.qoe.Fr(a,b,c)}; -g.k.Dr=function(a){this.qoe&&this.qoe.Dr(a)}; -g.k.Yo=function(a,b,c){this.qoe&&this.qoe.Yo(a,b,c)}; -g.k.vl=ba(22);g.k.Zh=ba(15);g.k.rq=function(){if(this.qoe)return this.qoe.rq()}; -g.k.sb=function(){var a;if(this.provider.videoData.enableServerStitchedDai&&this.C)null===(a=this.D.get(this.C))||void 0===a?void 0:a.sb();else if(this.u)return this.u.sb();return{}}; -g.k.Yf=function(a){return this.u?this.u.Yf(a):function(){}}; -g.k.rp=function(){this.u&&this.u.rp()};Fya.prototype.Lc=function(){return this.La.Lc()};g.u(j_,g.O);j_.prototype.Tj=function(){return this.K}; -j_.prototype.Fh=function(){return Math.max(this.R()-Jya(this,!0),this.videoData.Kc())}; -j_.prototype.ea=function(){};g.u(o_,g.C);o_.prototype.setMediaElement=function(a){(this.da=a)&&this.C.Sb()}; -o_.prototype.lc=function(a){this.playerState=a.state}; -o_.prototype.X=function(){var a=this;if(this.da&&!this.playerState.isError()){var b=this.da,c=b.getCurrentTime(),d=8===this.playerState.state&&c>this.u,e=Bma(this.playerState),f=this.visibility.isBackground()||this.playerState.isSuspended();p_(this,this.fa,e&&!f,d,"qoe.slowseek",function(){},"timeout"); -e=e&&isFinite(this.u)&&0c-this.D;f=this.videoData.isAd()&&d&&!e&&f;p_(this,this.ia,f,!f,"ad.rebuftimeout",function(){return a.V("skipslowad")},"skip_slow_ad"); -this.D=c;this.C.start()}}; -o_.prototype.sb=function(a){a=a.sb();this.u&&(a.stt=this.u.toFixed(3));this.Ba&&Object.assign(a,this.Ba.sb());this.da&&Object.assign(a,this.da.sb());return a}; -m_.prototype.reset=function(){this.u=this.B=this.C=this.startTimestamp=0;this.D=!1}; -m_.prototype.sb=function(){var a={},b=(0,g.N)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.B&&(a.wtd=(b-this.B).toFixed());this.u&&(a.wssd=(b-this.u).toFixed());return a};g.u(r_,g.O);g.k=r_.prototype;g.k.hi=function(a){t_(this);this.videoData=a;this.K=this.u=null;this.C=this.Ga=this.timestampOffset=0;this.ia=!0;this.I.dispose();this.I=new o_(this.W,this.videoData,(0,g.z)(this.V,this),this.visibility,this.Ta);this.I.setMediaElement(this.da);this.I.Ba=this.Ba}; -g.k.setMediaElement=function(a){g.ut(this.Aa);(this.da=a)?(Yya(this),q_(this)):t_(this);this.I.setMediaElement(a)}; -g.k.lc=function(a){this.I.lc(a);this.ba("html5_exponential_memory_for_sticky")&&(a.state.Hb()?this.Y.Sb():this.Y.stop());var b;if(b=this.da)b=8===a.hk.state&&HM(a.state)&&g.IM(a.state)&&this.policy.D;if(b){a=this.da.getCurrentTime();b=this.da.Gf();var c=this.ba("manifestless_post_live_ufph")||this.ba("manifestless_post_live")?Xz(b,Math.max(a-3.5,0)):Xz(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.Qa-c)||(this.V("ctmp","seekover","b."+Wz(b, -"_")+";cmt."+a),this.Qa=c,this.seekTo(c,{Gq:!0})))}}; -g.k.getCurrentTime=function(){return!isNaN(this.B)&&isFinite(this.B)?this.B:this.da&&Wya(this)?this.da.getCurrentTime()+this.timestampOffset:this.C||0}; -g.k.Mi=function(){return this.getCurrentTime()-this.yc()}; -g.k.Fh=function(){return this.u?this.u.Fh():Infinity}; -g.k.isAtLiveHead=function(a){if(!this.u)return!1;void 0===a&&(a=this.getCurrentTime());return l_(this.u,a)}; -g.k.Tj=function(){return!!this.u&&this.u.Tj()}; -g.k.seekTo=function(a,b){var c=void 0===b?{}:b,d=void 0===c.bI?!1:c.bI,e=void 0===c.cI?0:c.cI,f=void 0===c.Gq?!1:c.Gq;c=void 0===c.OA?0:c.OA;var h=a,l=!isFinite(h)||(this.u?l_(this.u,h):h>=this.Oc())||!g.eJ(this.videoData);l||this.V("ctmp","seeknotallowed",h+";"+this.Oc());if(!l)return this.D&&(this.D=null,Tya(this)),vm(this.getCurrentTime());this.ea();if(a===this.B&&this.P)return this.ea(),this.F;this.P&&t_(this);this.F||(this.F=new py);a&&!isFinite(a)&&s_(this,!1);h=a;(v_(this)&&!(this.da&&0this.B;)(c=this.data.shift())&&TW(this,c,!0);RW(this)}; +g.k.remove=function(a,b){b=void 0===b?!1:b;var c=this.data.find(function(d){return d.key===a}); +c&&(TW(this,c,b),g.yb(this.data,function(d){return d.key===a}),RW(this))}; +g.k.Ef=function(){var a;if(a=void 0===a?!1:a)for(var b=g.t(this.data),c=b.next();!c.done;c=b.next())TW(this,c.value,a);this.data=[];RW(this)}; +g.k.qa=function(){var a=this;g.C.prototype.qa.call(this);this.data.forEach(function(b){TW(a,b,!0)}); +this.data=[]};g.w(UW,g.C);UW.prototype.QF=function(a){if(a)return this.u.get(a)}; +UW.prototype.qa=function(){this.j.Ef();this.u.Ef();g.C.prototype.qa.call(this)};g.w(VW,g.lq);VW.prototype.ma=function(a){var b=g.ya.apply(1,arguments);if(this.D.has(a))return this.D.get(a).push(b),!0;var c=!1;try{for(b=[b],this.D.set(a,b);b.length;)c=g.lq.prototype.ma.call.apply(g.lq.prototype.ma,[this,a].concat(g.u(b.shift())))}finally{this.D.delete(a)}return c};g.w(jSa,g.C);jSa.prototype.qa=function(){g.C.prototype.qa.call(this);this.j=null;this.u&&this.u.disconnect()};g.cdb=Nd(function(){var a=window.AudioContext||window.webkitAudioContext;try{return new a}catch(b){return b.name}});var h4;h4={};g.WW=(h4.STOP_EVENT_PROPAGATION="html5-stop-propagation",h4.IV_DRAWER_ENABLED="ytp-iv-drawer-enabled",h4.IV_DRAWER_OPEN="ytp-iv-drawer-open",h4.MAIN_VIDEO="html5-main-video",h4.VIDEO_CONTAINER="html5-video-container",h4.VIDEO_CONTAINER_TRANSITIONING="html5-video-container-transitioning",h4.HOUSE_BRAND="house-brand",h4);g.w(mSa,g.U);g.k=mSa.prototype;g.k.Dr=function(){g.Rp(this.element,g.ya.apply(0,arguments))}; +g.k.rj=function(){this.kc&&(this.kc.removeEventListener("focus",this.MN),g.xf(this.kc),this.kc=null)}; +g.k.jL=function(){this.isDisposed();var a=this.app.V();a.wm||this.Dr("tag-pool-enabled");a.J&&this.Dr(g.WW.HOUSE_BRAND);"gvn"===a.playerStyle&&(this.Dr("ytp-gvn"),this.element.style.backgroundColor="transparent");a.Dc&&(this.YK=g.pC("yt-dom-content-change",this.resize,this));this.S(window,"orientationchange",this.resize,this);this.S(window,"resize",this.resize,this)}; +g.k.SD=function(a){g.kK(this.app.V());this.mG=!a;XW(this)}; +g.k.resize=function(){if(this.kc){var a=this.Ij();if(!a.Bf()){var b=!g.Ie(a,this.Ez.getSize()),c=rSa(this);b&&(this.Ez.width=a.width,this.Ez.height=a.height);a=this.app.V();(c||b||a.Dc)&&this.app.Ta.ma("resize",this.getPlayerSize())}}}; +g.k.Gs=function(a,b){this.updateVideoData(b)}; +g.k.updateVideoData=function(a){if(this.kc){var b=this.app.V();nB&&(this.kc.setAttribute("x-webkit-airplay","allow"),a.title?this.kc.setAttribute("title",a.title):this.kc.removeAttribute("title"));Cza(a)?this.kc.setAttribute("disableremoteplayback",""):this.kc.removeAttribute("disableremoteplayback");this.kc.setAttribute("controlslist","nodownload");b.Xo&&a.videoId&&(this.kc.poster=a.wg("default.jpg"))}b=g.DM(a,"yt:bgcolor");this.kB.style.backgroundColor=b?b:"";this.qN=nz(g.DM(a,"yt:stretch"));this.rN= +nz(g.DM(a,"yt:crop"),!0);g.Up(this.element,"ytp-dni",a.D);this.resize()}; +g.k.setGlobalCrop=function(a){this.gM=nz(a,!0);this.resize()}; +g.k.setCenterCrop=function(a){this.QS=a;this.resize()}; +g.k.cm=function(){}; +g.k.getPlayerSize=function(){var a=this.app.V(),b=this.app.Ta.isFullscreen();if(b&&Xy())return new g.He(window.outerWidth,window.outerHeight);if(b||a.Vn){if(window.matchMedia){a="(width: "+window.innerWidth+"px) and (height: "+window.innerHeight+"px)";this.LC&&this.LC.media===a||(this.LC=window.matchMedia(a));var c=this.LC&&this.LC.matches}if(c)return new g.He(window.innerWidth,window.innerHeight)}else if(!isNaN(this.FB.width)&&!isNaN(this.FB.height))return this.FB.clone();return new g.He(this.element.clientWidth, +this.element.clientHeight)}; +g.k.Ij=function(){var a=this.app.V().K("enable_desktop_player_underlay"),b=this.getPlayerSize(),c=g.gJ(this.app.V().experiments,"player_underlay_min_player_width");return a&&this.zO&&b.width>c?new g.He(b.width*g.gJ(this.app.V().experiments,"player_underlay_video_width_fraction"),b.height):b}; +g.k.getVideoAspectRatio=function(){return isNaN(this.qN)?oSa(this):this.qN}; +g.k.getVideoContentRect=function(a){var b=this.Ij();a=pSa(this,b,this.getVideoAspectRatio(),a);return new g.Em((b.width-a.width)/2,(b.height-a.height)/2,a.width,a.height)}; +g.k.Wz=function(a){this.zO=a;this.resize()}; +g.k.uG=function(){return this.vH}; +g.k.onMutedAutoplayChange=function(){XW(this)}; +g.k.setInternalSize=function(a){g.Ie(this.FB,a)||(this.FB=a,this.resize())}; +g.k.qa=function(){this.YK&&g.qC(this.YK);this.rj();g.U.prototype.qa.call(this)};g.k=sSa.prototype;g.k.click=function(a,b){this.elements.has(a);this.j.has(a);var c=g.FE();c&&a.visualElement&&g.kP(c,a.visualElement,b)}; +g.k.sb=function(a,b,c,d){var e=this;d=void 0===d?!1:d;this.elements.has(a);this.elements.add(a);c=fta(c);a.visualElement=c;var f=g.FE(),h=g.EE();f&&h&&g.my(g.bP)(void 0,f,h,c);g.bb(b,function(){tSa(e,a)}); +d&&this.u.add(a)}; +g.k.Zf=function(a,b,c){var d=this;c=void 0===c?!1:c;this.elements.has(a);this.elements.add(a);g.bb(b,function(){tSa(d,a)}); +c&&this.u.add(a)}; +g.k.fL=function(a,b){this.clientPlaybackNonce!==b&&(this.clientPlaybackNonce=b,pP().wk(a),uSa(this))}; +g.k.og=function(a,b){this.elements.has(a);b&&(a.visualElement=g.BE(b))}; +g.k.Dk=function(a){return this.elements.has(a)};vSa.prototype.setPlaybackRate=function(a){this.playbackRate=Math.max(1,a)}; +vSa.prototype.getPlaybackRate=function(){return this.playbackRate};zSa.prototype.seek=function(a,b){a!==this.j&&(this.seekCount=0);this.j=a;var c=this.videoTrack.u,d=this.audioTrack.u,e=this.audioTrack.Vb,f=CSa(this,this.videoTrack,a,this.videoTrack.Vb,b);b=CSa(this,this.audioTrack,this.policy.uf?a:f,e,b);a=Math.max(a,f,b);this.C=!0;this.Sa.isManifestless&&(ASa(this.videoTrack,c),ASa(this.audioTrack,d));return a}; +zSa.prototype.hh=function(){return this.C}; +var BSa=2/24;HSa.prototype.tick=function(a,b){this.ticks[a]=b?window.performance.timing.navigationStart+b:(0,g.M)()};g.w(JSa,g.dE);g.k=JSa.prototype; +g.k.VN=function(a,b,c,d){if(this.C&&d){d=[];var e=[],f=[],h=void 0,l=0;b&&(d=b.j,e=b.u,f=b.C,h=b.B,l=b.YA);this.C.fO(a.Ma,a.startTime,this.u,d,e,f,c,l,h)}if(c){if(b&&!this.ya.has(a.Ma)){c=a.startTime;d=[];for(e=0;ethis.policy.ya&&(null==(c=this.j)?0:KH(c.info))&&(null==(d=this.nextVideo)||!KH(d.info))&&(this.T=!0)}};$Sa.prototype.Vq=function(a){this.timestampOffset=a};lTa.prototype.dispose=function(){this.oa=!0}; +lTa.prototype.isDisposed=function(){return this.oa}; +g.w(xX,Error);ATa.prototype.skip=function(a){this.offset+=a}; +ATa.prototype.Yp=function(){return this.offset};g.k=ETa.prototype;g.k.bU=function(){return this.u}; +g.k.vk=function(){this.u=[];BX(this);DTa(this)}; +g.k.lw=function(a){this.Qa=this.u.shift().info;a.info.equals(this.Qa)}; +g.k.Om=function(){return g.Yl(this.u,function(a){return a.info})}; +g.k.Ek=function(){return!!this.I.info.audio}; +g.k.getDuration=function(){return this.I.index.ys()};var WTa=0;g.k=EX.prototype;g.k.gs=function(){this.oa||(this.oa=this.callbacks.gs?this.callbacks.gs():1);return this.oa}; +g.k.wG=function(){return this.Hk?1!==this.gs():!1}; +g.k.Mv=function(){this.Qa=this.now();this.callbacks.Mv()}; +g.k.nt=function(a,b){$Ta(this,a,b);50>a-this.C&&HX(this)||aUa(this,a,b);this.callbacks.nt(a,b)}; +g.k.Jq=function(){this.callbacks.Jq()}; +g.k.qv=function(){return this.u>this.kH&&cUa(this,this.u)}; +g.k.now=function(){return(0,g.M)()};KX.prototype.feed=function(a){MF(this.j,a);this.gf()}; +KX.prototype.gf=function(){if(this.C){if(!this.j.totalLength)return;var a=this.j.split(this.B-this.u),b=a.oC;a=a.Wk;this.callbacks.aO(this.C,b,this.u,this.B);this.u+=b.totalLength;this.j=a;this.u===this.B&&(this.C=this.B=this.u=void 0)}for(;;){var c=0;a=g.t(jUa(this.j,c));b=a.next().value;c=a.next().value;c=g.t(jUa(this.j,c));a=c.next().value;c=c.next().value;if(0>b||0>a)break;if(!(c+a<=this.j.totalLength)){if(!(this.callbacks.aO&&c+1<=this.j.totalLength))break;c=this.j.split(c).Wk;this.callbacks.aO(b, +c,0,a)&&(this.C=b,this.u=c.totalLength,this.B=a,this.j=new LF([]));break}a=this.j.split(c).Wk.split(a);c=a.Wk;this.callbacks.yz(b,a.oC);this.j=c}}; +KX.prototype.dispose=function(){this.j=new LF};g.k=LX.prototype;g.k.JL=function(){return 0}; +g.k.RF=function(){return null}; +g.k.OT=function(){return null}; +g.k.Os=function(){return 1<=this.state}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.onStateChange=function(){}; +g.k.qc=function(a){var b=this.state;this.state=a;this.onStateChange(b);this.callback&&this.callback(this,b)}; +g.k.qz=function(a){a&&this.state=this.xhr.HEADERS_RECEIVED}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.B}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&!!this.B}; +g.k.nq=function(){return 0this.status&&!!this.u}; +g.k.nq=function(){return!!this.j.totalLength}; +g.k.jw=function(){var a=this.j;this.j=new LF;return a}; +g.k.pH=function(){return this.j}; +g.k.isDisposed=function(){return this.I}; +g.k.abort=function(){this.hp&&this.hp.cancel().catch(function(){}); +this.B&&this.B.abort();this.I=!0}; +g.k.Jt=function(){return!0}; +g.k.GH=function(){return this.J}; +g.k.zf=function(){return this.errorMessage};g.k=qUa.prototype;g.k.onDone=function(){if(!this.isDisposed){this.status=this.xhr.status;try{this.response=this.xhr.response,this.u=this.response.byteLength}catch(a){}this.j=!0;this.callbacks.Jq()}}; +g.k.wz=function(){2===this.xhr.readyState&&this.callbacks.Mv()}; +g.k.Ie=function(a){this.isDisposed||(this.status=this.xhr.status,this.j||(this.u=a.loaded),this.callbacks.nt((0,g.M)(),a.loaded))}; +g.k.Zu=function(){return 2<=this.xhr.readyState}; +g.k.getResponseHeader=function(a){try{return this.xhr.getResponseHeader(a)}catch(b){return g.DD(Error("Could not read XHR header "+a)),""}}; +g.k.NB=function(){return+this.getResponseHeader("content-length")}; +g.k.Kl=function(){return this.u}; +g.k.BD=function(){return 200<=this.status&&300>this.status&&this.j&&!!this.u}; +g.k.nq=function(){return this.j&&!!this.response&&!!this.response.byteLength}; +g.k.jw=function(){var a=this.response;this.response=void 0;return new LF([new Uint8Array(a)])}; +g.k.pH=function(){return new LF([new Uint8Array(this.response)])}; +g.k.abort=function(){this.isDisposed=!0;this.xhr.abort()}; +g.k.Jt=function(){return!1}; +g.k.GH=function(){return!1}; +g.k.zf=function(){return""};g.w(MX,g.C);g.k=MX.prototype;g.k.G8=function(){if(!this.isDisposed()&&!this.D){var a=(0,g.M)(),b=!1;HX(this.timing)?(a=this.timing.ea,YTa(this.timing),this.timing.ea-a>=.8*this.policy.Nd?(this.u++,b=this.u>=this.policy.wm):this.u=0):(b=this.timing,b.Hk&&iUa(b,b.now()),a-=b.T,this.policy.zm&&01E3*b);0this.state)return!1;if(this.Zd&&this.Zd.Le.length)return!0;var a;return(null==(a=this.xhr)?0:a.nq())?!0:!1}; +g.k.Rv=function(){this.Sm(!1);return this.Zd?this.Zd.Rv():[]}; +g.k.Sm=function(a){try{if(a||this.xhr.Zu()&&this.xhr.nq()&&!yUa(this)&&!this.Bz){if(!this.Zd){var b;this.xhr.Jt()||this.uj?b=this.info.C:b=this.xhr.Kl();this.Zd=new fW(this.policy,this.info.gb,b)}this.xhr.nq()&&(this.uj?this.uj.feed(this.xhr.jw()):gW(this.Zd,this.xhr.jw(),a&&!this.xhr.nq()))}}catch(c){this.uj?xUa(this,c):g.DD(c)}}; +g.k.yz=function(a,b){switch(a){case 21:a=b.split(1).Wk;gW(this.Zd,a,!1);break;case 22:this.xY=!0;gW(this.Zd,new LF([]),!0);break;case 43:if(a=nL(new hL(b),1))this.info.Bk(this.Me,a),this.yY=!0;break;case 45:this.policy.Rk&&(b=KLa(new hL(b)),a=b.XH,b=b.YH,a&&b&&(this.FK=a/b))}}; +g.k.aO=function(a,b,c){if(21!==a)return!1;if(!c){if(1===b.totalLength)return!0;b=b.split(1).Wk}gW(this.Zd,b,!1);return!0}; +g.k.Kl=function(){return this.xhr.Kl()}; +g.k.JL=function(){return this.Wx}; +g.k.gs=function(){return this.wG()?2:1}; +g.k.wG=function(){if(!this.policy.I.dk||!isNaN(this.info.Tg)&&0this.info.gb[0].Ma?!1:!0}; +g.k.bM=function(){return+this.xhr.getResponseHeader("X-Segment-Lmt")||0}; +g.k.RF=function(){this.xhr&&(this.Po=Number(this.xhr.getResponseHeader("X-Head-Seqnum")));return this.Po}; +g.k.OT=function(){this.xhr&&(this.kq=Number(this.xhr.getResponseHeader("X-Head-Time-Millis")));return this.kq}; +g.k.Ye=function(){return this.Bd.Ye()};g.w(bX,LX);g.k=bX.prototype;g.k.onStateChange=function(){this.isDisposed()&&(jW(this.eg,this.formatId),this.j.dispose())}; +g.k.Vp=function(){var a=HQa(this.eg,this.formatId),b;var c=(null==(b=this.eg.Xc.get(this.formatId))?void 0:b.bytesReceived)||0;var d;b=(null==(d=this.eg.Xc.get(this.formatId))?void 0:d.Qx)||0;return{expected:a,received:c,bytesShifted:b,sliceLength:IQa(this.eg,this.formatId),isEnded:this.eg.Qh(this.formatId)}}; +g.k.JT=function(){return 0}; +g.k.qv=function(){return!0}; +g.k.Vj=function(){return this.eg.Vj(this.formatId)}; +g.k.Rv=function(){return[]}; +g.k.Nk=function(){return this.eg.Nk(this.formatId)}; +g.k.Ye=function(){return this.lastError}; +g.k.As=function(){return 0};g.k=zUa.prototype;g.k.lw=function(a){this.C.lw(a);var b;null!=(b=this.T)&&(b.j=fTa(b,b.ze,b.Az,b.j,a));this.dc=Math.max(this.dc,a.info.j.info.dc||0)}; +g.k.getDuration=function(){return this.j.index.ys()}; +g.k.vk=function(){dX(this);this.C.vk()}; +g.k.VL=function(){return this.C}; +g.k.isRequestPending=function(a){return this.B.length?a===this.B[this.B.length-1].info.gb[0].Ma:!1}; +g.k.Vq=function(a){var b;null==(b=this.T)||b.Vq(a)};g.w($X,g.C); +$X.prototype.Fs=function(a){var b=a.info.gb[0].j,c=a.Ye();if(GF(b.u.j)){var d=g.hg(a.zf(),3);this.Fa.xa("dldbrerr",{em:d||"none"})}d=a.info.gb[0].Ma;var e=LSa(this.j,a.info.gb[0].C,d);"net.badstatus"===c&&(this.I+=1);if(a.canRetry()){if(!(3<=a.info.j.u&&this.u&&a.info.Im()&&"net.badstatus"===a.Ye()&&this.u.Fs(e,d))){d=(b.info.video&&1b.SG||0b.tN)){this.Bd.iE(!1);this.NO=(0,g.M)();var c;null==(c=this.ID)||c.stop()}}}; +g.k.eD=function(a){this.callbacks.eD(a)}; +g.k.dO=function(a){this.yX=!0;this.info.j.Bk(this.Me,a.redirectUrl)}; +g.k.hD=function(a){this.callbacks.hD(a)}; +g.k.ZC=function(a){if(this.policy.C){var b=a.videoId,c=a.formatId,d=iVa({videoId:b,itag:c.itag,jj:c.jj,xtags:c.xtags}),e=a.mimeType||"",f,h,l=new TG((null==(f=a.LU)?void 0:f.first)||0,(null==(h=a.LU)?void 0:h.eV)||0),m,n;f=new TG((null==(m=a.indexRange)?void 0:m.first)||0,(null==(n=a.indexRange)?void 0:n.eV)||0);this.Sa.I.get(d)||(a=this.Sa,d=a.j[c.itag],c=JI({lmt:""+c.jj,itag:""+c.itag,xtags:c.xtags,type:e},null),EI(a,new BH(d.T,c,l,f),b));this.policy.C&&this.callbacks.ZC(b)}}; +g.k.fD=function(a){a.XH&&a.YH&&this.callbacks.fD(a)}; +g.k.canRetry=function(){this.isDisposed();return this.Bd.canRetry(!1)}; +g.k.dispose=function(){if(!this.isDisposed()){g.C.prototype.dispose.call(this);this.Bd.dispose();var a;null==(a=this.ID)||a.dispose();this.qc(-1)}}; +g.k.qc=function(a){this.state=a;qY(this.callbacks,this)}; +g.k.uv=function(){return this.info.uv()}; +g.k.Kv=function(a,b,c,d){d&&(this.clipId=d);this.eg.Kv(a,b,c,d)}; +g.k.Iq=function(a){this.eg.Iq(a);qY(this.callbacks,this)}; +g.k.Vj=function(a){return this.eg.Vj(a)}; +g.k.Om=function(a){return this.eg.Om(a)}; +g.k.Nk=function(a){return this.eg.Nk(a)}; +g.k.Up=function(){return this.eg.Up()}; +g.k.gs=function(){return 1}; +g.k.aG=function(){return this.Dh.requestNumber}; +g.k.hs=function(){return this.clipId}; +g.k.UV=function(){this.WA()}; +g.k.WA=function(){var a;null==(a=this.xhr)||a.abort();IX(this.Dh)}; +g.k.isComplete=function(){return 3<=this.state}; +g.k.YU=function(){return 3===this.state}; +g.k.Wm=function(){return 5===this.state}; +g.k.ZU=function(){return 4===this.state}; +g.k.Os=function(){return 1<=this.state}; +g.k.As=function(){return this.Bd.As()}; +g.k.IT=function(){return this.info.data.EK}; +g.k.rU=function(){}; +g.k.Ye=function(){return this.Bd.Ye()}; +g.k.Vp=function(){var a=uUa(this.Bd);Object.assign(a,PVa(this.info));a.req="sabr";a.rn=this.aG();var b;if(null==(b=this.xhr)?0:b.status)a.rc=this.policy.Eq?this.xhr.status:this.xhr.status.toString();var c;(b=null==(c=this.xhr)?void 0:c.zf())&&(a.msg=b);this.NO&&(c=OVa(this,this.NO-this.Dh.j),a.letm=c.u4,a.mrbps=c.SG,a.mram=c.tN);return a};gY.prototype.uv=function(){return 1===this.requestType}; +gY.prototype.ML=function(){var a;return(null==(a=this.callbacks)?void 0:a.ML())||0};g.w(hY,g.C);hY.prototype.encrypt=function(a){(0,g.M)();if(this.u)var b=this.u;else this.B?(b=new QJ(this.B,this.j.j),g.E(this,b),this.u=b):this.u=new PJ(this.j.j),b=this.u;return b.encrypt(a,this.iv)}; +hY.prototype.decrypt=function(a,b){(0,g.M)();return(new PJ(this.j.j)).decrypt(a,b)};bWa.prototype.decrypt=function(a){var b=this,c,d,e,f,h,l;return g.A(function(m){switch(m.j){case 1:if(b.j.length&&!b.j[0].isEncrypted)return m.return();b.u=!0;b.Mk.Vc("omd_s");c=new Uint8Array(16);HJ()?d=new OJ(a):e=new PJ(a);case 2:if(!b.j.length||!b.j[0].isEncrypted){m.Ka(3);break}f=b.j.shift();if(!d){h=e.decrypt(QF(f.buffer),c);m.Ka(4);break}return g.y(m,d.decrypt(QF(f.buffer),c),5);case 5:h=m.u;case 4:l=h;for(var n=0;nc&&d.u.pop();EUa(b);b.u&&cf||f!==h)&&b.xa("sbu_mismatch",{b:jI(e),c:b.currentTime,s:dH(d)})},0))}this.gf()}; +g.k.v5=function(a){if(this.Wa){var b=RX(a===this.Wa.j?this.audioTrack:this.videoTrack);if(a=a.ZL())for(var c=0;c=c||cthis.B&&(this.B=c,g.hd(this.j)||(this.j={},this.C.stop(),this.u.stop())),this.j[b]=a,g.Jp(this.u))}}; +AY.prototype.D=function(){for(var a=g.t(Object.keys(this.j)),b=a.next();!b.done;b=a.next()){var c=b.value;b=this.ma;for(var d=this.B,e=this.j[c].match(Si),f=[],h=g.t(e[6].split("&")),l=h.next();!l.done;l=h.next())l=l.value,0===l.indexOf("cpi=")?f.push("cpi="+d.toString()):0===l.indexOf("ek=")?f.push("ek="+g.Ke(c)):f.push(l);e[6]="?"+f.join("&");c="skd://"+e.slice(2).join("");e=2*c.length;d=new Uint8Array(e+4);d[0]=e%256;d[1]=(e-d[0])/256;for(e=0;e=Math.abs(e.value.cryptoPeriodIndex-c)){c=!0;break a}}c=!1}c?(c=a.j,c=1E3*Math.max(0,Math.random()*((isNaN(c)?120:c)-30))):c=0;this.ma("log_qoe",{wvagt:"delay."+c,cpi:a.cryptoPeriodIndex,reqlen:this.j.length}); +0>=c?nXa(this,a):(this.j.push({time:b+c,info:a}),g.Jp(this.u,c))}}; +BY.prototype.qa=function(){this.j=[];zY.prototype.qa.call(this)};var q4={},uXa=(q4.DRM_TRACK_TYPE_AUDIO="AUDIO",q4.DRM_TRACK_TYPE_SD="SD",q4.DRM_TRACK_TYPE_HD="HD",q4.DRM_TRACK_TYPE_UHD1="UHD1",q4);g.w(rXa,g.C);rXa.prototype.RD=function(a,b){this.onSuccess=a;this.onError=b};g.w(wXa,g.dE);g.k=wXa.prototype;g.k.ep=function(a){var b=this;this.isDisposed()||0>=a.size||(a.forEach(function(c,d){var e=aJ(b.u)?d:c;d=new Uint8Array(aJ(b.u)?c:d);aJ(b.u)&&MXa(d);c=g.gg(d,4);MXa(d);d=g.gg(d,4);b.j[c]?b.j[c].status=e:b.j[d]?b.j[d].status=e:b.j[c]={type:"",status:e}}),HXa(this,","),CY(this,{onkeystatuschange:1}),this.status="kc",this.ma("keystatuseschange",this))}; +g.k.error=function(a,b,c,d){this.isDisposed()||(this.ma("licenseerror",a,b,c,d),"drm.provision"===a&&(a=(Date.now()-this.I)/1E3,this.I=NaN,this.ma("ctmp","provf",{et:a.toFixed(3)})));QK(b)&&this.dispose()}; +g.k.shouldRetry=function(a,b){return this.Ga&&this.J?!1:!a&&this.requestNumber===b.requestNumber}; +g.k.qa=function(){this.j={};g.dE.prototype.qa.call(this)}; +g.k.lc=function(){var a={ctype:this.ea.contentType||"",length:this.ea.initData.length,requestedKeyIds:this.Aa,cryptoPeriodIndex:this.cryptoPeriodIndex};this.B&&(a.keyStatuses=this.j);return a}; +g.k.rh=function(){var a=this.C.join();if(DY(this)){var b=new Set,c;for(c in this.j)"usable"!==this.j[c].status&&b.add(this.j[c].type);a+="/UKS."+Array.from(b)}return a+="/"+this.cryptoPeriodIndex}; +g.k.Ze=function(){return this.url};g.w(EY,g.C);g.k=EY.prototype;g.k.RD=function(a,b,c,d){this.D=a;this.B=b;this.I=c;this.J=d}; +g.k.K0=function(a){if(this.D){var b=a.messageType||"license-request";this.D(new Uint8Array(a.message),b)}}; +g.k.ep=function(){this.J&&this.J(this.j.keyStatuses)}; +g.k.vW=function(a){this.D&&this.D(a.message,"license-request")}; +g.k.uW=function(a){if(this.B){if(this.u){var b=this.u.error.code;a=this.u.error.systemCode}else b=a.errorCode,a=a.systemCode;this.B("t.prefixedKeyError;c."+b+";sc."+a,b,a)}}; +g.k.tW=function(){this.I&&this.I()}; +g.k.update=function(a){var b=this;if(this.j)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emeupd",this.j.update).call(this.j,a):this.j.update(a)).then(null,XI(function(c){OXa(b,"t.update",c)})); +this.u?this.u.update(a):this.element.addKey?this.element.addKey(this.T.keySystem,a,this.initData,this.sessionId):this.element.webkitAddKey&&this.element.webkitAddKey(this.T.keySystem,a,this.initData,this.sessionId);return Oy()}; +g.k.qa=function(){this.j&&this.j.close();this.element=null;g.C.prototype.qa.call(this)};g.w(FY,g.C);g.k=FY.prototype;g.k.attach=function(){var a=this;if(this.j.keySystemAccess)return(qJ.isActive()&&qJ.ww()?qJ.Dw("emenew",this.j.keySystemAccess.createMediaKeys).call(this.j.keySystemAccess):this.j.keySystemAccess.createMediaKeys()).then(function(b){a.isDisposed()||(a.u=b,qJ.isActive()&&qJ.ww()?qJ.Dw("emeset",a.element.setMediaKeys).call(a.element,b):a.element.setMediaKeys(b))}); +$I(this.j)?this.B=new (ZI())(this.j.keySystem):bJ(this.j)?(this.B=new (ZI())(this.j.keySystem),this.element.webkitSetMediaKeys(this.B)):(Kz(this.D,this.element,["keymessage","webkitkeymessage"],this.N0),Kz(this.D,this.element,["keyerror","webkitkeyerror"],this.M0),Kz(this.D,this.element,["keyadded","webkitkeyadded"],this.L0));return null}; +g.k.setServerCertificate=function(){return this.u.setServerCertificate?"widevine"===this.j.flavor&&this.j.rl?this.u.setServerCertificate(this.j.rl):dJ(this.j)&&this.j.Ya?this.u.setServerCertificate(this.j.Ya):null:null}; +g.k.createSession=function(a,b){var c=a.initData;if(this.j.keySystemAccess){b&&b("createsession");var d=this.u.createSession();cJ(this.j)?c=PXa(c,this.j.Ya):dJ(this.j)&&(c=mXa(c)||new Uint8Array(0));b&&b("genreq");a=qJ.isActive()&&qJ.ww()?qJ.Dw("emegen",d.generateRequest).call(d,a.contentType,c):d.generateRequest(a.contentType,c);var e=new EY(null,null,null,d,null);a.then(function(){b&&b("genreqsuccess")},XI(function(f){OXa(e,"t.generateRequest",f)})); +return e}if($I(this.j))return RXa(this,c);if(bJ(this.j))return QXa(this,c);this.element.generateKeyRequest?this.element.generateKeyRequest(this.j.keySystem,c):this.element.webkitGenerateKeyRequest(this.j.keySystem,c);return this.C=new EY(this.element,this.j,c,null,null)}; +g.k.N0=function(a){var b=SXa(this,a);b&&b.vW(a)}; +g.k.M0=function(a){var b=SXa(this,a);b&&b.uW(a)}; +g.k.L0=function(a){var b=SXa(this,a);b&&b.tW(a)}; +g.k.getMetrics=function(){if(this.u&&this.u.getMetrics)try{var a=this.u.getMetrics()}catch(b){}return a}; +g.k.qa=function(){this.B=this.u=null;var a;null==(a=this.C)||a.dispose();a=g.t(Object.values(this.I));for(var b=a.next();!b.done;b=a.next())b.value.dispose();this.I={};g.C.prototype.qa.call(this);delete this.element};g.k=GY.prototype;g.k.get=function(a){a=this.findIndex(a);return-1!==a?this.values[a]:null}; +g.k.remove=function(a){a=this.findIndex(a);-1!==a&&(this.keys.splice(a,1),this.values.splice(a,1))}; +g.k.Ef=function(){this.keys=[];this.values=[]}; +g.k.set=function(a,b){var c=this.findIndex(a);-1!==c?this.values[c]=b:(this.keys.push(a),this.values.push(b))}; +g.k.findIndex=function(a){return g.ob(this.keys,function(b){return g.Mb(a,b)})};g.w(VXa,g.dE);g.k=VXa.prototype;g.k.Y5=function(a){this.Ri({onecpt:1});a.initData&&YXa(this,new Uint8Array(a.initData),a.initDataType)}; +g.k.v6=function(a){this.Ri({onndky:1});YXa(this,a.initData,a.contentType)}; +g.k.vz=function(a){this.Ri({onneedkeyinfo:1});this.Y.K("html5_eme_loader_sync")&&(this.J.get(a.initData)||this.J.set(a.initData,a));XXa(this,a)}; +g.k.wS=function(a){this.B.push(a);HY(this)}; +g.k.createSession=function(a){var b=$Xa(this)?yTa(a):g.gg(a.initData);this.u.get(b);this.ya=!0;a=new wXa(this.videoData,this.Y,a,this.drmSessionId);this.u.set(b,a);a.subscribe("ctmp",this.XV,this);a.subscribe("keystatuseschange",this.ep,this);a.subscribe("licenseerror",this.bH,this);a.subscribe("newlicense",this.pW,this);a.subscribe("newsession",this.qW,this);a.subscribe("sessionready",this.EW,this);a.subscribe("fairplay_next_need_key_info",this.hW,this);this.Y.K("html5_enable_vp9_fairplay")&&a.subscribe("qualitychange", +this.bQ,this);zXa(a,this.C)}; +g.k.pW=function(a){this.isDisposed()||(this.Ri({onnelcswhb:1}),a&&!this.heartbeatParams&&(this.heartbeatParams=a,this.ma("heartbeatparams",a)))}; +g.k.qW=function(){this.isDisposed()||(this.Ri({newlcssn:1}),this.B.shift(),this.ya=!1,HY(this))}; +g.k.EW=function(){if($I(this.j)&&(this.Ri({onsnrdy:1}),this.Ja--,0===this.Ja)){var a=this.Z;a.element.msSetMediaKeys(a.B)}}; +g.k.ep=function(a){if(!this.isDisposed()){!this.Ga&&this.videoData.K("html5_log_drm_metrics_on_key_statuses")&&(aYa(this),this.Ga=!0);this.Ri({onksch:1});var b=this.bQ;if(!DY(a)&&g.oB&&"com.microsoft.playready"===a.u.keySystem&&navigator.requestMediaKeySystemAccess)var c="large";else{c=[];var d=!0;if(DY(a))for(var e=g.t(Object.keys(a.j)),f=e.next();!f.done;f=e.next())f=f.value,"usable"===a.j[f].status&&c.push(a.j[f].type),"unknown"!==a.j[f].status&&(d=!1);if(!DY(a)||d)c=a.C;c=GXa(c)}b.call(this,c); +this.ma("keystatuseschange",a)}}; +g.k.XV=function(a,b){this.isDisposed()||this.ma("ctmp",a,b)}; +g.k.hW=function(a,b){this.isDisposed()||this.ma("fairplay_next_need_key_info",a,b)}; +g.k.bH=function(a,b,c,d){this.isDisposed()||(this.videoData.K("html5_log_drm_metrics_on_error")&&aYa(this),this.ma("licenseerror",a,b,c,d))}; +g.k.Su=function(){return this.T}; +g.k.bQ=function(a){var b=g.kF("auto",a,!1,"l");if(this.videoData.hm){if(this.T.equals(b))return}else if(Jta(this.T,a))return;this.T=b;this.ma("qualitychange");this.Ri({updtlq:a})}; +g.k.qa=function(){this.j.keySystemAccess&&this.element&&this.element.setMediaKeys(null);this.element=null;this.B=[];for(var a=g.t(this.u.values()),b=a.next();!b.done;b=a.next())b=b.value,b.unsubscribe("ctmp",this.XV,this),b.unsubscribe("keystatuseschange",this.ep,this),b.unsubscribe("licenseerror",this.bH,this),b.unsubscribe("newlicense",this.pW,this),b.unsubscribe("newsession",this.qW,this),b.unsubscribe("sessionready",this.EW,this),b.unsubscribe("fairplay_next_need_key_info",this.hW,this),this.Y.K("html5_enable_vp9_fairplay")&& +b.unsubscribe("qualitychange",this.bQ,this),b.dispose();this.u.clear();this.I.Ef();this.J.Ef();this.heartbeatParams=null;g.dE.prototype.qa.call(this)}; +g.k.lc=function(){for(var a={systemInfo:this.j.lc(),sessions:[]},b=g.t(this.u.values()),c=b.next();!c.done;c=b.next())a.sessions.push(c.value.lc());return a}; +g.k.rh=function(){return 0>=this.u.size?"no session":""+this.u.values().next().value.rh()+(this.D?"/KR":"")}; +g.k.Ri=function(a,b){b=void 0===b?!1:b;this.isDisposed()||(OK(a),(this.Y.Rd()||b)&&this.ma("ctmp","drmlog",a))};g.w(JY,g.C);JY.prototype.yG=function(){return this.B}; +JY.prototype.handleError=function(a){var b=this;fYa(this,a);if(("html5.invalidstate"!==a.errorCode&&"fmt.unplayable"!==a.errorCode&&"fmt.unparseable"!==a.errorCode||!eYa(this,a.errorCode,a.details))&&!jYa(this,a)){if(this.J&&"yt"!==this.j.Ja&&hYa(this,a)&&this.videoData.jo&&(0,g.M)()/1E3>this.videoData.jo&&"hm"===this.j.Ja){var c=Object.assign({e:a.errorCode},a.details);c.stalesigexp="1";c.expire=this.videoData.jo;c.init=this.videoData.uY/1E3;c.now=(0,g.M)()/1E3;c.systelapsed=((0,g.M)()-this.videoData.uY)/ +1E3;a=new PK(a.errorCode,c,2);this.va.Ng(a.errorCode,2,"SIGNATURE_EXPIRED",OK(a.details))}if(QK(a.severity)){var d;c=null==(d=this.va.Fa)?void 0:d.ue.B;if(this.j.K("html5_use_network_error_code_enums"))if(gYa(a)&&c&&c.isLocked())var e="FORMAT_UNAVAILABLE";else{if(!this.j.J&&"auth"===a.errorCode&&429===a.details.rc){e="TOO_MANY_REQUESTS";var f="6"}}else gYa(a)&&c&&c.isLocked()?e="FORMAT_UNAVAILABLE":this.j.J||"auth"!==a.errorCode||"429"!==a.details.rc||(e="TOO_MANY_REQUESTS",f="6");this.va.Ng(a.errorCode, +a.severity,e,OK(a.details),f)}else this.va.ma("nonfatalerror",a),d=/^pp/.test(this.videoData.clientPlaybackNonce),this.Kd(a.errorCode,a.details),d&&"manifest.net.connect"===a.errorCode&&(a="https://www.youtube.com/generate_204?cpn="+this.videoData.clientPlaybackNonce+"&t="+(0,g.M)(),$V(a,"manifest",function(h){b.I=!0;b.xa("pathprobe",h)},function(h){b.Kd(h.errorCode,h.details)}))}}; +JY.prototype.xa=function(a,b){this.va.zc.xa(a,b)}; +JY.prototype.Kd=function(a,b){b=OK(b);this.va.zc.Kd(a,b)};mYa.prototype.K=function(a){return this.Y.K(a)};g.w(LY,g.C);LY.prototype.yd=function(a){EYa(this);this.playerState=a.state;0<=this.u&&g.YN(a,16)&&this.seekCount++;a.state.isError()&&this.send()}; +LY.prototype.onError=function(a){if("player.fatalexception"!==a||this.provider.K("html5_exception_to_health"))a.match(edb)?this.networkErrorCount++:this.nonNetworkErrorCount++}; +LY.prototype.send=function(){if(!(this.B||0>this.j)){EYa(this);var a=g.uW(this.provider)-this.j,b="PLAYER_PLAYBACK_STATE_UNKNOWN",c=this.playerState.getData();this.playerState.isError()?b=c&&"auth"===c.errorCode?"PLAYER_PLAYBACK_STATE_UNKNOWN":"PLAYER_PLAYBACK_STATE_ERROR":g.S(this.playerState,2)?b="PLAYER_PLAYBACK_STATE_ENDED":g.S(this.playerState,64)?b="PLAYER_PLAYBACK_STATE_UNSTARTED":g.S(this.playerState,16)||g.S(this.playerState,32)?b="PLAYER_PLAYBACK_STATE_SEEKING":g.S(this.playerState,1)&& +g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED_BUFFERING":g.S(this.playerState,1)?b="PLAYER_PLAYBACK_STATE_BUFFERING":g.S(this.playerState,4)?b="PLAYER_PLAYBACK_STATE_PAUSED":g.S(this.playerState,8)&&(b="PLAYER_PLAYBACK_STATE_PLAYING");c=$_a[CM(this.provider.videoData)];a:switch(this.provider.Y.playerCanaryState){case "canary":var d="HTML5_PLAYER_CANARY_TYPE_EXPERIMENT";break a;case "holdback":d="HTML5_PLAYER_CANARY_TYPE_CONTROL";break a;default:d="HTML5_PLAYER_CANARY_TYPE_UNSPECIFIED"}var e= +0>this.u?a:this.u-this.j;a=this.provider.Y.Jf+36E5<(0,g.M)();b={started:0<=this.u,stateAtSend:b,joinLatencySecs:e,playTimeSecs:this.playTimeSecs,rebufferTimeSecs:this.rebufferTimeSecs,seekCount:this.seekCount,networkErrorCount:this.networkErrorCount,nonNetworkErrorCount:this.nonNetworkErrorCount,playerCanaryType:d,isAd:this.provider.videoData.isAd(),liveMode:c,hasDrm:!!g.AM(this.provider.videoData),isGapless:this.provider.videoData.fb,isServerStitchedDai:this.provider.videoData.enableServerStitchedDai}; +a||g.rA("html5PlayerHealthEvent",b);this.B=!0;this.dispose()}}; +LY.prototype.qa=function(){this.B||this.send();g.C.prototype.qa.call(this)}; +var edb=/\bnet\b/;var HYa=window;var FYa=/[?&]cpn=/;g.w(g.NY,g.C);g.k=g.NY.prototype;g.k.K3=function(){var a=g.uW(this.provider);LYa(this,a)}; +g.k.VB=function(){return this.ya}; +g.k.reportStats=function(a){a=void 0===a?NaN:a;if(!this.isDisposed()&&(a=0<=a?a:g.uW(this.provider),-1<["PL","B","S"].indexOf(this.Te)&&(!g.hd(this.j)||a>=this.C+30)&&(g.MY(this,a,"vps",[this.Te]),this.C=a),!g.hd(this.j))){7E3===this.sequenceNumber&&g.DD(Error("Sent over 7000 pings"));if(!(7E3<=this.sequenceNumber)){OYa(this,a);var b=a,c=this.provider.va.hC(),d=c.droppedVideoFrames||0,e=c.totalVideoFrames||0,f=d-this.Pb,h=e&&!this.jc;d>c.totalVideoFrames||5E3=this.playTimeSecs&&(this.provider.va.YC(),this.j.qoealert=["1"],this.Ya=!0)),"B"!==a||"PL"!==this.Te&&"PB"!==this.Te||(this.Z=!0),this.C=c),"PL"===this.Te&&("B"===a||"S"===a)||this.provider.Y.Rd()?OYa(this,c):(this.fb||"PL"!==a||(this.fb= +!0,NYa(this,c,this.provider.va.eC())),LYa(this,c)),"PL"===a&&g.Jp(this.Oc),g.MY(this,c,"vps",[a]),this.Te=a,this.C=this.ib=c,this.D=!0);a=b.getData();g.S(b,128)&&a&&(a.EH=a.EH||"",SYa(this,c,a.errorCode,a.AF,a.EH));(g.S(b,2)||g.S(b,128))&&this.reportStats(c);b.bd()&&!this.I&&(0<=this.u&&(this.j.user_intent=[this.u.toString()]),this.I=!0);QYa(this)}; +g.k.iD=function(a){var b=g.uW(this.provider);g.MY(this,b,"vfs",[a.j.id,a.u,this.uc,a.reason]);this.uc=a.j.id;var c=this.provider.va.getPlayerSize();if(0b-this.Wo+2||aZa(this,a,b))){c=this.provider.va.getVolume();var d=c!==this.ea,e=this.provider.va.isMuted()?1:0;e!==this.T?(this.T=e,c=!0):(!d||0<=this.C||(this.ea=c,this.C=b),c=b-this.C,0<=this.C&&2=this.provider.videoData.Pb;a&&(this.u&&this.provider.videoData.Pb&&(a=UY(this,"delayplay"),a.vf=!0,a.send(),this.oa=!0),jZa(this))}; +g.k.yd=function(a){if(!this.isDisposed())if(g.S(a.state,2)||g.S(a.state,512))this.I="paused",(g.YN(a,2)||g.YN(a,512))&&this.u&&(XY(this),YY(this).send(),this.D=NaN);else if(g.S(a.state,8)){this.I="playing";var b=this.u&&isNaN(this.C)?VY(this):NaN;!isNaN(b)&&(0>XN(a,64)||0>XN(a,512))&&(a=oZa(this,!1),a.D=b,a.send())}else this.I="paused"}; +g.k.qa=function(){g.C.prototype.qa.call(this);XY(this);ZYa(this.j)}; +g.k.lc=function(){return dZa(UY(this,"playback"))}; +g.k.kA=function(){this.provider.videoData.ea.eventLabel=PM(this.provider.videoData);this.provider.videoData.ea.playerStyle=this.provider.Y.playerStyle;this.provider.videoData.Ui&&(this.provider.videoData.ea.feature="pyv");this.provider.videoData.ea.vid=this.provider.videoData.videoId;var a=this.provider.videoData.ea;var b=this.provider.videoData;b=b.isAd()||!!b.Ui;a.isAd=b}; +g.k.Gj=function(a){var b=UY(this,"engage");b.T=a;return eZa(b,tZa(this.provider))};rZa.prototype.Bf=function(){return this.endTime===this.startTime};sZa.prototype.K=function(a){return this.Y.K(a)}; +var uZa={other:1,none:2,wifi:3,cellular:7};g.w(g.ZY,g.C);g.k=g.ZY.prototype;g.k.yd=function(a){if(g.YN(a,1024)||g.YN(a,512)||g.YN(a,4)){var b=this.B;0<=b.u||(b.j=-1,b.delay.stop());this.qoe&&(b=this.qoe,b.I||(b.u=-1))}if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var c;null==(c=this.u.get(this.Ci))||c.yd(a)}else this.j&&this.j.yd(a);this.qoe&&this.qoe.yd(a);this.B.yd(a)}; +g.k.Ie=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.Ie()}else this.j&&this.j.Ie()}; +g.k.Kd=function(a,b){this.qoe&&TYa(this.qoe,a,b);this.B.onError(a)}; +g.k.iD=function(a){this.qoe&&this.qoe.iD(a)}; +g.k.VC=function(a){this.qoe&&this.qoe.VC(a)}; +g.k.onPlaybackRateChange=function(a){if(this.qoe)this.qoe.onPlaybackRateChange(a)}; +g.k.jt=aa(42);g.k.xa=function(a,b,c){this.qoe&&this.qoe.xa(a,b,c)}; +g.k.CD=function(a,b,c){this.qoe&&this.qoe.CD(a,b,c)}; +g.k.Hz=function(a,b,c){this.qoe&&this.qoe.Hz(a,b,c)}; +g.k.vn=aa(15);g.k.VB=function(){if(this.qoe)return this.qoe.VB()}; +g.k.lc=function(){if(this.provider.videoData.enableServerStitchedDai&&this.Ci){var a;null==(a=this.u.get(this.Ci))||a.lc()}else if(this.j)return this.j.lc();return{}}; +g.k.Gj=function(a){return this.j?this.j.Gj(a):function(){}}; +g.k.kA=function(){this.j&&this.j.kA()};g.w($Y,g.C);g.k=$Y.prototype;g.k.ye=function(a,b){this.On();b&&2E3<=this.j.array.length&&this.CB("captions",1E4);b=this.j;if(1b.array.length)b.array=b.array.concat(a),b.array.sort(b.j);else{a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,!b.array.length||0a&&this.C.start()))}; +g.k.tL=function(a){var b=[];if(!a.length)return b;for(var c=0;ca&&(a=(a-this.u)/this.oa(),this.C.start(a)))}}; +g.k.RU=function(){if(this.started&&!this.isDisposed()){this.C.stop();var a=this.D();g.S(a,32)&&this.Z.start();for(var b=g.S(this.D(),2)?0x8000000000000:1E3*this.T(),c=g.S(a,2),d=[],e=[],f=g.t(this.B),h=f.next();!h.done;h=f.next())h=h.value,h.active&&(c?0x8000000000000>h.end:!h.contains(b))&&e.push(h);d=d.concat(this.wL(e));f=e=null;c?(a=FZa(this.j,0x7ffffffffffff),e=a.filter(function(l){return 0x8000000000000>l.end}),f=GZa(this.j)):a=this.u<=b&&SO(a)?EZa(this.j,this.u,b):FZa(this.j,b); +d=d.concat(this.tL(a));e&&(d=d.concat(this.wL(e)));f&&(d=d.concat(this.tL(f)));this.u=b;JZa(this,d)}}; +g.k.qa=function(){this.B=[];this.j.array=[];g.C.prototype.qa.call(this)}; +g.oW.ev($Y,{ye:"crmacr",tL:"crmncr",wL:"crmxcr",RU:"crmis",Ch:"crmrcr"});g.w(cZ,g.dE);cZ.prototype.uq=function(){return this.J}; +cZ.prototype.Wp=function(){return Math.max(this.T()-QZa(this,!0),this.videoData.Id())};g.w(hZ,g.C);hZ.prototype.yd=function(){g.Jp(this.B)}; +hZ.prototype.gf=function(){var a=this,b=this.va.qe(),c=this.va.getPlayerState();if(b&&!c.isError()){var d=b.getCurrentTime(),e=8===c.state&&d>this.j,f=g.S(c,8)&&g.S(c,16),h=this.va.Es().isBackground()||c.isSuspended();iZ(this,this.Ja,f&&!h,e,"qoe.slowseek",function(){},"timeout"); +var l=isFinite(this.j);l=f&&l&&BCa(b,this.j);var m=!d||10d+5,z=q&&n&&x;x=this.va.getVideoData();var B=.002>d&&.002>this.j,F=0<=v,G=1===b.xj();iZ(this,this.ya,B&&f&&g.QM(x)&&!h,e,"qoe.slowseek",m,"slow_seek_shorts");iZ(this,this.Aa,B&&f&&g.QM(x)&&!h&&G,e,"qoe.slowseek",m,"slow_seek_shorts_vrs");iZ(this,this.oa,B&&f&&g.QM(x)&&!h&&F,e,"qoe.slowseek",m,"slow_seek_shorts_buffer_range");iZ(this,this.I,z&&!h,q&&!n,"qoe.longrebuffer",p,"jiggle_cmt"); +iZ(this,this.J,z&&!h,q&&!n,"qoe.longrebuffer",m,"new_elem_nnr");if(l){var D=l.getCurrentTime();f=b.Vu();f=Bva(f,D);f=!l.hh()&&d===f;iZ(this,this.fb,q&&n&&f&&!h,q&&!n&&!f,"qoe.longrebuffer",function(){b.seekTo(D)},"seek_to_loader")}f={}; +p=kI(r,Math.max(d-3.5,0));z=0<=p&&d>r.end(p)-1.1;B=0<=p&&p+1B;f.close2edge=z;f.gapsize=B;f.buflen=r.length;iZ(this,this.T,q&&n&&!h,q&&!n,"qoe.longrebuffer",function(){},"timeout",f); +r=c.isSuspended();r=g.rb(this.va.zn,"ad")&&!r;iZ(this,this.D,r,!r,"qoe.start15s",function(){a.va.jg("ad")},"ads_preroll_timeout"); +r=.5>d-this.C;v=x.isAd()&&q&&!n&&r;q=function(){var L=a.va,P=L.Nf.Rc();(!P||!L.videoData.isAd()||P.getVideoData().Nc!==L.getVideoData().Nc)&&L.videoData.mf||L.Ng("ad.rebuftimeout",2,"RETRYABLE_ERROR","skipslad.vid."+L.videoData.videoId)}; +iZ(this,this.Qa,v,!v,"ad.rebuftimeout",q,"skip_slow_ad");n=x.isAd()&&n&&lI(b.Nh(),d+5)&&r;iZ(this,this.Xa,n,!n,"ad.rebuftimeout",q,"skip_slow_ad_buf");iZ(this,this.Ya,g.RO(c)&&g.S(c,64)&&!h,e,"qoe.start15s",function(){},"timeout"); +iZ(this,this.ea,!!l&&!l.Wa&&g.RO(c),e,"qoe.start15s",m,"newElemMse");this.C=d;this.B.start()}}; +hZ.prototype.Kd=function(a,b,c){b=this.lc(b);b.wn=c;b.wdup=this.u[a]?"1":"0";this.va.Kd(new PK(a,b));this.u[a]=!0}; +hZ.prototype.lc=function(a){a=Object.assign(this.va.lc(!0),a.lc());this.j&&(a.stt=this.j.toFixed(3));delete a.uga;delete a.euri;delete a.referrer;delete a.fexp;delete a.vm;return a}; +fZ.prototype.reset=function(){this.j=this.u=this.B=this.startTimestamp=0;this.C=!1}; +fZ.prototype.lc=function(){var a={},b=(0,g.M)();this.startTimestamp&&(a.wsd=(b-this.startTimestamp).toFixed());this.u&&(a.wtd=(b-this.u).toFixed());this.j&&(a.wssd=(b-this.j).toFixed());return a};g.w(XZa,g.C);g.k=XZa.prototype;g.k.setMediaElement=function(a){g.Lz(this.Qa);(this.mediaElement=a)?(i_a(this),jZ(this)):kZ(this)}; +g.k.yd=function(a){this.Z.yd(a);this.K("html5_exponential_memory_for_sticky")&&(a.state.bd()?g.Jp(this.oa):this.oa.stop());if(this.mediaElement)if(8===a.Hv.state&&SO(a.state)&&g.TO(a.state)){a=this.mediaElement.getCurrentTime();var b=this.mediaElement.Nh();var c=this.K("manifestless_post_live_ufph")||this.K("manifestless_post_live")?kI(b,Math.max(a-3.5,0)):kI(b,a-3.5);0<=c&&a>b.end(c)-1.1&&c+1b.start(c+1)-b.end(c)&&(c=b.start(c+1)+.2,.2>Math.abs(this.fb-c)||(this.va.xa("seekover",{b:jI(b, +"_"),cmt:a}),this.fb=c,this.seekTo(c,{bv:!0,Je:"seektimeline_postLiveDisc"})))}else(null==(b=a.state)?0:8===b.state)&&this.Y.K("embeds_enable_muted_autoplay")&&!this.Ya&&0=this.pe())||!g.GM(this.videoData))||this.va.xa("seeknotallowed",{st:v,mst:this.pe()});if(!m)return this.B&&(this.B=null,e_a(this)),Qf(this.getCurrentTime());if(.005>Math.abs(a-this.u)&&this.T)return this.D;h&&(v=a,(this.Y.Rd()||this.K("html5_log_seek_reasons"))&& +this.va.xa("seekreason",{reason:h,tgt:v}));this.T&&kZ(this);this.D||(this.D=new aK);a&&!isFinite(a)&&$Za(this,!1);if(h=!c)h=a,h=this.videoData.isLivePlayback&&this.videoData.C&&!this.videoData.C.j&&!(this.mediaElement&&0e.videoData.endSeconds&&isFinite(f)&&J_a(e);fb.start&&J_a(this.va);return this.D}; +g.k.pe=function(a){if(!this.videoData.isLivePlayback)return j0a(this.va);var b;if(aN(this.videoData)&&(null==(b=this.mediaElement)?0:b.Ip())&&this.videoData.j)return a=this.getCurrentTime(),Yza(1E3*this.Pf(a))+a;if(jM(this.videoData)&&this.videoData.rd&&this.videoData.j)return this.videoData.j.pe()+this.timestampOffset;if(this.videoData.C&&this.videoData.C.j){if(!a&&this.j)return this.j.Wp();a=j0a(this.va);this.policy.j&&this.mediaElement&&(a=Math.max(a,DCa(this.mediaElement)));return a+this.timestampOffset}return this.mediaElement? +Zy()?Yza(this.mediaElement.RE().getTime()):GO(this.mediaElement)+this.timestampOffset||this.timestampOffset:this.timestampOffset}; +g.k.Id=function(){var a=this.videoData?this.videoData.Id()+this.timestampOffset:this.timestampOffset;if(aN(this.videoData)&&this.videoData.j){var b,c=Number(null==(b=this.videoData.progressBarStartPosition)?void 0:b.utcTimeMillis)/1E3;b=this.getCurrentTime();b=this.Pf(b)-b;if(!isNaN(c)&&!isNaN(b))return Math.max(a,c-b)}return a}; +g.k.CL=function(){this.D||this.seekTo(this.C,{Je:"seektimeline_forceResumeTime_singleMediaSourceTransition"})}; +g.k.vG=function(){return this.T&&!isFinite(this.u)}; +g.k.qa=function(){a_a(this,null);this.Z.dispose();g.C.prototype.qa.call(this)}; +g.k.lc=function(){var a={};this.Fa&&Object.assign(a,this.Fa.lc());this.mediaElement&&Object.assign(a,this.mediaElement.lc());return a}; +g.k.gO=function(a){this.timestampOffset=a}; +g.k.getStreamTimeOffset=function(){return jM(this.videoData)?0:this.videoData.j?this.videoData.j.getStreamTimeOffset():0}; +g.k.Jd=function(){return this.timestampOffset}; +g.k.Pf=function(a){return this.videoData.j.Pf(a-this.timestampOffset)}; +g.k.Tu=function(){if(!this.mediaElement)return 0;if(HM(this.videoData)){var a=DCa(this.mediaElement)+this.timestampOffset-this.Id(),b=this.pe()-this.Id();return Math.max(0,Math.min(1,a/b))}return this.mediaElement.Tu()}; +g.k.bD=function(a){this.I&&(this.I.j=a.audio.index)}; +g.k.K=function(a){return this.Y&&this.Y.K(a)};lZ.prototype.Os=function(){return this.started}; +lZ.prototype.start=function(){this.started=!0}; +lZ.prototype.reset=function(){this.finished=this.started=!1};var o_a=!1;g.w(g.pZ,g.dE);g.k=g.pZ.prototype;g.k.qa=function(){this.oX();this.BH.stop();window.clearInterval(this.rH);kRa(this.Bg);this.visibility.unsubscribe("visibilitystatechange",this.Bg);xZa(this.zc);g.Za(this.zc);uZ(this);g.Ap.Em(this.Wv);this.rj();this.Df=null;g.Za(this.videoData);g.Za(this.Gl);g.$a(this.a5);this.Pp=null;g.dE.prototype.qa.call(this)}; +g.k.Hz=function(a,b,c,d){this.zc.Hz(a,b,c);this.K("html5_log_media_perf_info")&&this.xa("adloudness",{ld:d.toFixed(3),cpn:a})}; +g.k.KL=function(){var a;return null==(a=this.Fa)?void 0:a.KL()}; +g.k.NL=function(){var a;return null==(a=this.Fa)?void 0:a.NL()}; +g.k.OL=function(){var a;return null==(a=this.Fa)?void 0:a.OL()}; +g.k.LL=function(){var a;return null==(a=this.Fa)?void 0:a.LL()}; +g.k.Pl=function(){return this.videoData.Pl()}; g.k.getVideoData=function(){return this.videoData}; -g.k.T=function(){return this.W}; -g.k.Zc=function(){return this.da}; -g.k.vx=function(){if(this.videoData.Uc()){var a=this.Ac;0=a.start);return a}; -g.k.Tj=function(){return this.Kb.Tj()}; -g.k.Hb=function(){return this.playerState.Hb()}; +g.k.sendAbandonmentPing=function(){g.S(this.getPlayerState(),128)||(this.ma("internalAbandon"),this.aP(!0),xZa(this.zc),g.Za(this.zc),g.Ap.Em(this.Wv));var a;null==(a=this.Y.Rk)||a.flush()}; +g.k.jr=function(){wZa(this.zc)}; +g.k.Ng=function(a,b,c,d,e,f){var h,l;g.ad(Jcb,c)?h=c:c?l=c:h="GENERIC_WITHOUT_LINK";d=(d||"")+(";a6s."+FR());b={errorCode:a,errorDetail:e,errorMessage:l||g.$T[h]||"",uL:h,Gm:f||"",EH:d,AF:b,cpn:this.videoData.clientPlaybackNonce};this.videoData.errorCode=a;tZ(this,"dataloaderror");this.pc(LO(this.playerState,128,b));g.Ap.Em(this.Wv);uZ(this);this.Dn()}; +g.k.jg=function(a){this.zn=this.zn.filter(function(b){return a!==b}); +this.Lq.Os()&&E_a(this)}; +g.k.Mo=function(){var a;(a=!!this.zn.length)||(a=this.Xi.j.array[0],a=!!a&&-0x8000000000000>=a.start);return a}; +g.k.uq=function(){return this.xd.uq()}; +g.k.bd=function(){return this.playerState.bd()}; +g.k.BC=function(){return this.playerState.BC()&&this.videoData.Tn}; g.k.getPlayerState=function(){return this.playerState}; g.k.getPlayerType=function(){return this.playerType}; -g.k.getPreferredQuality=function(){if(this.Id){var a=this.Id;a=a.videoData.yw.compose(a.videoData.bC);a=HC(a)}else a="auto";return a}; -g.k.wq=ba(12);g.k.isGapless=function(){return!!this.da&&this.da.isView()}; -g.k.setMediaElement=function(a){this.ea();if(this.da&&a.Pa()===this.da.Pa()&&(a.isView()||this.da.isView())){if(a.isView()||!this.da.isView())g.ut(this.xp),this.da=a,gAa(this),this.Kb.setMediaElement(this.da),this.Ac.setMediaElement(this.da)}else{this.da&&this.Pf();if(!this.playerState.isError()){var b=DM(this.playerState,512);g.U(b,8)&&!g.U(b,2)&&(b=CM(b,1));a.isView()&&(b=DM(b,64));this.vb(b)}this.da=a;this.da.setLoop(this.loop);this.da.setPlaybackRate(this.playbackRate);gAa(this);this.Kb.setMediaElement(this.da); -this.Ac.setMediaElement(this.da)}}; -g.k.Pf=function(a,b){a=void 0===a?!1:a;b=void 0===b?!1:b;this.ea();if(this.da){var c=this.getCurrentTime();0c.u.length)c.u=c.u.concat(a),c.u.sort(c.B);else{a=g.q(a);for(var d=a.next();!d.done;d=a.next())d=d.value,!c.u.length||0this.da.getCurrentTime()&&this.Ba)return;break;case "resize":oAa(this);this.videoData.Oa&&"auto"===this.videoData.Oa.Ma().quality&&this.V("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.YB&&g.U(this.playerState,8)&&!g.U(this.playerState,1024)&&0===this.getCurrentTime()&&g.Ur){e0(this,"safari_autoplay_disabled");return}}if(this.da&&this.da.We()===b){this.V("videoelementevent",a);b=this.playerState;if(!g.U(b,128)){c=this.Sp; -e=this.da;var f=this.W.experiments;d=b.state;e=e?e:a.target;var h=e.getCurrentTime();if(!g.U(b,64)||"ended"!==a.type&&"pause"!==a.type){var l=e.Yi()||1Math.abs(h-e.getDuration());h="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.U(b,4)&&!g_(c,h);if("pause"===a.type&&e.Yi()||l&&h)0a-this.wu)){var b=this.da.Ze();this.wu=a;b!==this.Ze()&&(a=this.visibility,a.C!==b&&(a.C=b,a.ff()),Z_(this));this.V("airplayactivechange")}}; -g.k.du=function(a){if(this.Ba){var b=this.Ba,c=b.R,d=b.I;c.V("ctmp","sdai","adfetchdone_to_"+a,!1);a||isNaN(c.F)||(a=c.F,zA(c.P,c.D,a,d),zA(c.aa,c.D,a,d),c.V("ctmp","sdai","joinad_rollbk2_seg_"+c.D+"_rbt_"+a.toFixed(3)+"_lt_"+d.toFixed(3),!1));c.B=4;KF(b)}}; -g.k.sc=function(a){var b=this;a=void 0===a?!1:a;if(this.da&&this.videoData){Rya(this.Kb,this.Hb());var c=this.getCurrentTime();this.Ba&&(g.U(this.playerState,4)&&g.eJ(this.videoData)||gia(this.Ba,c));5Math.abs(l-f)?(b.Na("setended","ct."+f+";bh."+h+";dur."+l+";live."+ +m),m&&b.ba("html5_set_ended_in_pfx_live_cfl")||(b.da.sm()?(b.ea(),b.seekTo(0)):sY(b))):(g.IM(b.playerState)||s0(b,"progress_fix"),b.vb(CM(b.playerState,1)))):(l&&!m&&!n&&0m-1&&b.Na("misspg", -"t:"+f.toFixed(2)+";d:"+m.toFixed(2)+";r:"+l.toFixed(2)+";bh:"+h.toFixed(2))),g.U(b.playerState,4)&&g.IM(b.playerState)&&5FK(b,8)||g.GK(b,1024))&&this.Mm.stop();!g.GK(b,8)||this.videoData.Rg||g.U(b.state,1024)||this.Mm.start();g.U(b.state,8)&&0>FK(b,16)&&!g.U(b.state,32)&&!g.U(b.state,2)&&this.playVideo();g.U(b.state,2)&&fJ(this.videoData)&&(this.gi(this.getCurrentTime()),this.sc(!0));g.GK(b,2)&&this.oA(!0);g.GK(b,128)&&this.fi();this.videoData.ra&&this.videoData.isLivePlayback&&!this.iI&&(0>FK(b,8)?(a=this.videoData.ra,a.D&&a.D.stop()):g.GK(b,8)&&this.videoData.ra.resume()); -this.Kb.lc(b);this.Jb.lc(b);if(c&&!this.na())try{for(var e=g.q(this.Iv),f=e.next();!f.done;f=e.next()){var h=f.value;this.Vf.lc(h);this.V("statechange",h)}}finally{this.Iv.length=0}}}; -g.k.fu=function(){this.videoData.isLivePlayback||this.V("connectionissue")}; -g.k.yv=function(a,b,c,d){a:{var e=this.Ac;d=void 0===d?"LICENSE":d;c=c.substr(0,256);if("drm.keyerror"===a&&this.Jc&&1e.C)a="drm.sessionlimitexhausted",b=!1;else if(e.videoData.ba("html5_drm_fallback_to_playready_on_retry")&&"drm.keyerror"===a&&2>e.D&&(e.D++,e.V("removedrmplaybackmanager"),1=e.B.values.length){var f="ns;";e.P||(f+="nr;");e=f+="ql."+e.C.length}else e=jxa(e.B.values[0]);d.drmp=e}g.Ua(c,(null===(a=this.Ba)||void 0===a?void 0:a.sb())||{});g.Ua(c,(null===(b=this.da)||void 0===b?void 0:b.sb())||{})}this.Jb.onError("qoe.start15s",g.vB(c));this.V("loadsofttimeout")}}; -g.k.DQ=function(){g.U(this.playerState,128)||this.mediaSource&&CB(this.mediaSource)||(this.Jb.onError("qoe.restart",g.vB({detail:"bufferattach"})),this.EH++,nY(this))}; -g.k.gi=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,c0(this))}; -g.k.oA=function(a){var b=this;a=void 0===a?!1:a;if(!this.Ln){WE("att_s","player_att")||ZE("att_s","player_att");var c=new ysa(this.videoData,this.ba("web_player_inline_botguard"));if("c1a"in c.u&&!oT(c)&&(ZE("att_wb","player_att"),2===this.Np&&.01>Math.random()&&g.Is(Error("Botguard not available after 2 attempts")),!a&&5>this.Np)){this.fx.Sb();this.Np++;return}if("c1b"in c.u){var d=Cya(this.Jb);d&&Bsa(c).then(function(e){e&&!b.Ln&&d?(ZE("att_f","player_att"),d(e),b.Ln=!0):ZE("att_e","player_att")}, -function(){ZE("att_e","player_att")})}else(a=zsa(c))?(ZE("att_f","player_att"),Bya(this.Jb,a),this.Ln=!0):ZE("att_e","player_att")}}; -g.k.Oc=function(a){return this.Kb.Oc(void 0===a?!1:a)}; -g.k.Kc=function(){return this.Kb.Kc()}; -g.k.yc=function(){return this.Kb?this.Kb.yc():0}; -g.k.getStreamTimeOffset=function(){return this.Kb?this.Kb.getStreamTimeOffset():0}; -g.k.setPlaybackRate=function(a){var b=this.videoData.La&&this.videoData.La.videoInfos&&32this.mediaElement.getCurrentTime()&&this.Fa)return;break;case "resize":i0a(this);this.videoData.u&&"auto"===this.videoData.u.video.quality&&this.ma("internalvideoformatchange",this.videoData,!1);break;case "pause":if(this.DS&&g.S(this.playerState,8)&&!g.S(this.playerState,1024)&&0===this.getCurrentTime()&&g.BA){vZ(this,"safari_autoplay_disabled");return}}if(this.mediaElement&&this.mediaElement.Qf()===b){this.ma("videoelementevent",a);b=this.playerState;c=this.videoData.clientPlaybackNonce; +if(!g.S(b,128)){d=this.gB;var e=this.mediaElement,f=this.Y.experiments,h=b.state;e=e?e:a.target;var l=e.getCurrentTime();if(!g.S(b,64)||"ended"!==a.type&&"pause"!==a.type){var m=e.Qh()||1Math.abs(l-e.getDuration()),n="pause"===a.type&&e.Qh();l="ended"===a.type||"waiting"===a.type||"timeupdate"===a.type&&!g.S(b,4)&&!aZ(d,l);if(n||m&&l)0a-this.AG||(this.AG=a,b!==this.wh()&&(a=this.visibility,a.j!==b&&(a.j=b,a.Bg()),this.xa("airplay",{rbld:b}),KY(this)),this.ma("airplayactivechange"))}; +g.k.kC=function(a){if(this.Fa){var b=this.Fa,c=b.B,d=b.currentTime,e=Date.now()-c.ea;c.ea=NaN;c.xa("sdai",{adfetchdone:a,d:e});a&&!isNaN(c.D)&&3!==c.u&&VWa(c.Fa,d,c.D,c.B);c.J=NaN;iX(c,4,3===c.u?"adfps":"adf");xY(b)}}; +g.k.yc=function(a){var b=this;a=void 0===a?!1:a;if(this.mediaElement&&this.videoData){b_a(this.xd,this.bd());var c=this.getCurrentTime();this.Fa&&(g.S(this.playerState,4)&&g.GM(this.videoData)||iXa(this.Fa,c));5Math.abs(m-h)?(b.xa("setended",{ct:h,bh:l,dur:m,live:n}),b.mediaElement.xs()?b.seekTo(0,{Je:"videoplayer_loop"}):vW(b)):(g.TO(b.playerState)||f0a(b,"progress_fix"),b.pc(MO(b.playerState,1)))):(m&&!n&&!p&&0n-1&&b.xa("misspg",{t:h.toFixed(2),d:n.toFixed(2), +r:m.toFixed(2),bh:l.toFixed(2)})),g.QO(b.playerState)&&g.TO(b.playerState)&&5XN(b,8)||g.YN(b,1024))&&this.Bv.stop();!g.YN(b,8)||this.videoData.kb||g.S(b.state,1024)||this.Bv.start();g.S(b.state,8)&&0>XN(b,16)&&!g.S(b.state,32)&&!g.S(b.state,2)&&this.playVideo();g.S(b.state,2)&&HM(this.videoData)&&(this.Sk(this.getCurrentTime()),this.yc(!0));g.YN(b,2)&&this.aP(!0);g.YN(b,128)&&this.Dn();this.videoData.j&&this.videoData.isLivePlayback&&!this.FY&&(0>XN(b,8)?(a=this.videoData.j,a.C&&a.C.stop()): +g.YN(b,8)&&this.videoData.j.resume());this.xd.yd(b);this.zc.yd(b);if(c&&!this.isDisposed())try{for(var e=g.t(this.uH),f=e.next();!f.done;f=e.next()){var h=f.value;this.Xi.yd(h);this.ma("statechange",h)}}finally{this.uH.length=0}}}; +g.k.YC=function(){this.videoData.isLivePlayback||this.K("html5_disable_connection_issue_event")||this.ma("connectionissue")}; +g.k.cO=function(){this.vb.tick("qoes")}; +g.k.CL=function(){this.xd.CL()}; +g.k.bH=function(a,b,c,d){a:{var e=this.Gl;d=void 0===d?"LICENSE":d;c=c.substr(0,256);var f=QK(b);"drm.keyerror"===a&&this.oe&&1e.D&&(a="drm.sessionlimitexhausted",f=!1);if(f)if(e.videoData.u&&e.videoData.u.video.isHdr())kYa(e,a);else{if(e.va.Ng(a,b,d,c),bYa(e,{detail:c}))break a}else e.Kd(a,{detail:c});"drm.sessionlimitexhausted"===a&&(e.xa("retrydrm",{sessionLimitExhausted:1}),e.D++,e0a(e.va))}}; +g.k.h6=function(){var a=this,b=g.gJ(this.Y.experiments,"html5_license_constraint_delay"),c=hz();b&&c?(b=new g.Ip(function(){wZ(a);tZ(a)},b),g.E(this,b),b.start()):(wZ(this),tZ(this))}; +g.k.aD=function(a){this.ma("heartbeatparams",a)}; +g.k.ep=function(a){this.xa("keystatuses",IXa(a));var b="auto",c=!1;this.videoData.u&&(b=this.videoData.u.video.quality,c=this.videoData.u.video.isHdr());if(this.K("html5_drm_check_all_key_error_states")){var d=JXa(b,c);d=DY(a)?KXa(a,d):a.C.includes(d)}else{a:{b=JXa(b,c);for(d in a.j)if("output-restricted"===a.j[d].status){var e=a.j[d].type;if(""===b||"AUDIO"===e||b===e){d=!0;break a}}d=!1}d=!d}if(this.K("html5_enable_vp9_fairplay")){if(c)if(a.T){var f;if(null==(f=this.oe)?0:dJ(f.j))if(null==(c=this.oe))c= +0;else{b=f=void 0;e=g.t(c.u.values());for(var h=e.next();!h.done;h=e.next())h=h.value,f||(f=LXa(h,"SD")),b||(b=LXa(h,"AUDIO"));c.Ri({sd:f,audio:b});c="output-restricted"===f||"output-restricted"===b}else c=!d;if(c){this.xa("drm",{dshdr:1});kYa(this.Gl);return}}else{this.videoData.WI||(this.videoData.WI=!0,this.xa("drm",{dphdr:1}),IY(this,!0));return}var l;if(null==(l=this.oe)?0:dJ(l.j))return}else if(l=a.T&&d,c&&!l){kYa(this.Gl);return}d||KXa(a,"AUDIO")&&KXa(a,"SD")||(a=IXa(a),this.UO?(this.ma("drmoutputrestricted"), +this.K("html5_report_fatal_drm_restricted_error_killswitch")||this.Ng("drm.keyerror",2,void 0,"info."+a)):(this.UO=!0,this.Kd(new PK("qoe.restart",Object.assign({},{retrydrm:1},a))),nZ(this),e0a(this)))}; +g.k.j6=function(){if(!this.videoData.kb&&this.mediaElement&&!this.isBackground()){var a="0";0=b.u.size){var c="ns;";b.ea||(c+="nr;");b=c+="ql."+b.B.length}else b=IXa(b.u.values().next().value),b=OK(b);a.drmp=b}var d;Object.assign(a,(null==(d=this.Fa)?void 0:d.lc())||{});var e;Object.assign(a,(null==(e=this.mediaElement)?void 0:e.lc())||{});this.zc.Kd("qoe.start15s",OK(a));this.ma("loadsofttimeout")}}; +g.k.Sk=function(a){this.videoData.lengthSeconds!==a&&(this.videoData.lengthSeconds=a,tZ(this))}; +g.k.aP=function(a){var b=this;a=void 0===a?!1:a;if(!this.ZE){aF("att_s","player_att")||fF("att_s",void 0,"player_att");var c=new g.AJa(this.videoData);if("c1a"in c.j&&!g.fS.isInitialized()&&(fF("att_wb",void 0,"player_att"),2===this.xK&&.01>Math.random()&&g.DD(Error("Botguard not available after 2 attempts")),!a&&5>this.xK)){g.Jp(this.yK);this.xK++;return}if("c1b"in c.j){var d=zZa(this.zc);d&&DJa(c).then(function(e){e&&!b.ZE&&d?(fF("att_f",void 0,"player_att"),d(e),b.ZE=!0):fF("att_e",void 0,"player_att")}, +function(){fF("att_e",void 0,"player_att")})}else(a=g.BJa(c))?(fF("att_f",void 0,"player_att"),yZa(this.zc,a),this.ZE=!0):fF("att_e",void 0,"player_att")}}; +g.k.pe=function(a){return this.xd.pe(void 0===a?!1:a)}; +g.k.Id=function(){return this.xd.Id()}; +g.k.Jd=function(){return this.xd?this.xd.Jd():0}; +g.k.getStreamTimeOffset=function(){return this.xd?this.xd.getStreamTimeOffset():0}; +g.k.aq=function(){var a=0;this.Y.K("web_player_ss_media_time_offset")&&(a=0===this.getStreamTimeOffset()?this.Jd():this.getStreamTimeOffset());return a}; +g.k.setPlaybackRate=function(a){var b;this.playbackRate!==a&&pYa(this.Ji,null==(b=this.videoData.C)?void 0:b.videoInfos)&&nZ(this);this.playbackRate=a;this.mediaElement&&this.mediaElement.setPlaybackRate(a)}; g.k.getPlaybackRate=function(){return this.playbackRate}; -g.k.getPlaybackQuality=function(){var a="unknown";if(this.videoData.Oa&&(a=this.videoData.Oa.Ma().quality,"auto"===a&&this.da)){var b=xK(this);b&&0=c,b.dis=this.da.Aq("display"));(a=a?(0,g.SZ)():null)&&(b.gpu=a);b.cgr=!0;b.debug_playbackQuality=this.u.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; -g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.T().experiments.experimentIds.join(", ")},b=LT(this).getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; -g.k.getPresentingPlayerType=function(){return 1===this.Y?1:v0(this)?3:g.Z(this).getPlayerType()}; -g.k.getAppState=function(){return this.Y}; -g.k.Jz=function(a){switch(a.type){case "loadedmetadata":WE("fvb",this.eb.timerName)||this.eb.tick("fvb");ZE("fvb","video_to_ad");this.kc.start();break;case "loadstart":WE("gv",this.eb.timerName)||this.eb.tick("gv");ZE("gv","video_to_ad");break;case "progress":case "timeupdate":!WE("l2s",this.eb.timerName)&&2<=eA(a.target.Gf())&&this.eb.tick("l2s");break;case "playing":g.OD&&this.kc.start();if(g.wD(this.W))a=!1;else{var b=g.PT(this.C);a="none"===this.da.Aq("display")||0===ke(this.da.Co());var c=bZ(this.template), -d=this.D.getVideoData(),e=KD(this.W)||g.qD(this.W);d=AI(d);b=!c||b||e||d||this.W.ke;a=a&&!b}a&&(this.D.Na("hidden","1",!0),this.getVideoData().pj||(this.ba("html5_new_elem_on_hidden")?(this.getVideoData().pj=1,this.XF(null),this.D.playVideo()):bBa(this,"hidden",!0)))}}; -g.k.eP=function(a,b){this.u.xa("onLoadProgress",b)}; -g.k.GQ=function(){this.u.V("playbackstalledatstart")}; -g.k.xr=function(a,b){var c=D0(this,a);b=R0(this,c.getCurrentTime(),c);this.u.xa("onVideoProgress",b)}; -g.k.PO=function(){this.u.xa("onDompaused")}; -g.k.WP=function(){this.u.V("progresssync")}; -g.k.mO=function(a){if(1===this.getPresentingPlayerType()){g.GK(a,1)&&!g.U(a.state,64)&&E0(this).isLivePlayback&&this.B.isAtLiveHead()&&1=+c),b.dis=this.mediaElement.getStyle("display"));(a=a?(0,g.PY)():null)&&(b.gpu=a);b.debug_playbackQuality=this.Ta.getPlaybackQuality(1);b.debug_date=(new Date).toString();delete b.uga;delete b.q;return JSON.stringify(b,null,2)}; +g.k.getFeedbackProductData=function(){var a={player_debug_info:this.getDebugText(!0),player_experiment_ids:this.V().experiments.experimentIds.join(", ")},b=this.Cb().getData();b&&(a.player_error_code=b.errorCode,a.player_error_details=JSON.stringify(b.errorDetail));return a}; +g.k.getPresentingPlayerType=function(a){if(1===this.appState)return 1;if(HZ(this))return 3;var b;return a&&(null==(b=this.Ke)?0:zRa(b,this.getCurrentTime()))?2:g.qS(this).getPlayerType()}; +g.k.Cb=function(a){return 3===this.getPresentingPlayerType()?JS(this.hd).Te:g.qS(this,a).getPlayerState()}; +g.k.getAppState=function(){return this.appState}; +g.k.iO=function(a){switch(a.type){case "loadedmetadata":this.UH.start();a=g.t(this.Mz);for(var b=a.next();!b.done;b=a.next())b=b.value,V0a(this,b.id,b.R9,b.Q9,void 0,!1);this.Mz=[];break;case "loadstart":this.vb.Mt("gv");break;case "progress":case "timeupdate":2<=nI(a.target.Nh())&&this.vb.Mt("l2s");break;case "playing":g.HK&&this.UH.start();if(g.tK(this.Y))a=!1;else{b=g.LS(this.wb());a="none"===this.mediaElement.getStyle("display")||0===Je(this.mediaElement.getSize());var c=YW(this.template),d=this.Kb.getVideoData(), +e=g.nK(this.Y)||g.oK(this.Y);d=uM(d);b=!c||b||e||d||this.Y.Ld;a=a&&!b}a&&(this.Kb.xa("hidden",{},!0),this.getVideoData().Dc||(this.getVideoData().Dc=1,this.oW(),this.Kb.playVideo()))}}; +g.k.onLoadProgress=function(a,b){this.Ta.Na("onLoadProgress",b)}; +g.k.y7=function(){this.Ta.ma("playbackstalledatstart")}; +g.k.onVideoProgress=function(a,b){a=GZ(this,a);b=QZ(this,a.getCurrentTime(),a);this.Ta.Na("onVideoProgress",b)}; +g.k.onAutoplayBlocked=function(){this.Ta.Na("onAutoplayBlocked")}; +g.k.P6=function(){this.Ta.ma("progresssync")}; +g.k.y5=function(a){if(1===this.getPresentingPlayerType()){g.YN(a,1)&&!g.S(a.state,64)&&this.Hd().isLivePlayback&&this.zb.isAtLiveHead()&&1=1E3*(this.getDuration()-1)){J0a(this);return}A0a(this)}if(g.S(a.state,128)){var b=a.state;this.cancelPlayback(5);b=b.getData();JSON.stringify({errorData:b,debugInfo:this.getDebugText(!0)});this.Ta.Na("onError",TJa(b.errorCode));this.Ta.Na("onDetailedError",{errorCode:b.errorCode, +errorDetail:b.errorDetail,message:b.errorMessage,messageKey:b.uL,cpn:b.cpn});6048E5<(0,g.M)()-this.Y.Jf&&this.Ta.Na("onReloadRequired")}b={};if(a.state.bd()&&!g.TO(a.state)&&!aF("pbresume","ad_to_video")&&aF("_start","ad_to_video")){var c=this.getVideoData();b.clientPlaybackNonce=c.clientPlaybackNonce;c.videoId&&(b.videoId=c.videoId);bF(b,"ad_to_video");eF("pbresume",void 0,"ad_to_video");eMa(this.hd)}this.Ta.ma("applicationplayerstatechange",a)}}; +g.k.JW=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("presentingplayerstatechange",a)}; +g.k.Hi=function(a){EZ(this,UO(a.state));g.S(a.state,1024)&&this.Ta.isMutedByMutedAutoplay()&&(tS(this,{muted:!1,volume:this.ji.volume},!1),OZ(this,!1))}; +g.k.u5=function(a,b,c){"newdata"===a&&t0a(this);b=c.clipConfig;"dataloaded"===a&&b&&null!=b.startTimeMs&&null!=b.endTimeMs&&this.setLoopRange({startTimeMs:Math.floor(Number(b.startTimeMs)),endTimeMs:Math.floor(Number(b.endTimeMs)),postId:b.postId,type:"clips"})}; +g.k.VC=function(){this.Ta.Na("onPlaybackAudioChange",this.Ta.getAudioTrack().Jc.name)}; +g.k.iD=function(a){var b=this.Kb.getVideoData();a===b&&this.Ta.Na("onPlaybackQualityChange",a.u.video.quality)}; +g.k.onVideoDataChange=function(a,b,c){b===this.zb&&(this.Y.Zi=c.oauthToken);if(b===this.zb&&(this.getVideoData().enableServerStitchedDai&&!this.Ke?this.Ke=new g.zW(this.Ta,this.Y,this.zb):!this.getVideoData().enableServerStitchedDai&&this.Ke&&(this.Ke.dispose(),this.Ke=null),YM(this.getVideoData())&&"newdata"===a)){this.Sv.Ef();var d=oRa(this.Sv,1,0,this.getDuration(1),void 0,{video_id:this.getVideoData().videoId});var e=this.Sv;d.B===e&&(0===e.segments.length&&(e.j=d),e.segments.push(d));this.Og= +new LW(this.Ta,this.Sv,this.zb)}if("newdata"===a)LT(this.hd,2),this.Ta.ma("videoplayerreset",b);else{if(!this.mediaElement)return;"dataloaded"===a&&(this.Kb===this.zb?(rK(c.B,c.RY),this.zb.getPlayerState().isError()||(d=HZ(this),this.Hd().isLoaded(),d&&this.mp(6),E0a(this),cMa(this.hd)||D0a(this))):E0a(this));if(1===b.getPlayerType()&&(this.Y.Ya&&c1a(this),this.getVideoData().isLivePlayback&&!this.Y.Eo&&this.Eg("html5.unsupportedlive",2,"DEVICE_FALLBACK"),c.isLoaded())){if(Lza(c)||this.getVideoData().uA){d= +this.Lx;var f=this.getVideoData();e=this.zb;kS(d,"part2viewed",1,0x8000000000000,e);kS(d,"engagedview",Math.max(1,1E3*f.Pb),0x8000000000000,e);f.isLivePlayback||(f=1E3*f.lengthSeconds,kS(d,"videoplaytime25",.25*f,f,e),kS(d,"videoplaytime50",.5*f,f,e),kS(d,"videoplaytime75",.75*f,f,e),kS(d,"videoplaytime100",f,0x8000000000000,e),kS(d,"conversionview",f,0x8000000000000,e),kS(d,"videoplaybackstart",1,f,e),kS(d,"videoplayback2s",2E3,f,e),kS(d,"videoplayback10s",1E4,f,e))}if(c.hasProgressBarBoundaries()){var h; +d=Number(null==(h=this.getVideoData().progressBarEndPosition)?void 0:h.utcTimeMillis)/1E3;!isNaN(d)&&(h=this.Pf())&&(h-=this.getCurrentTime(),h=1E3*(d-h),d=this.CH.progressEndBoundary,(null==d?void 0:d.start)!==h&&(d&&this.MH([d]),h=new g.XD(h,0x7ffffffffffff,{id:"progressEndBoundary",namespace:"appprogressboundary"}),this.zb.addCueRange(h),this.CH.progressEndBoundary=h))}}this.Ta.ma("videodatachange",a,c,b.getPlayerType())}this.Ta.Na("onVideoDataChange",{type:a,playertype:b.getPlayerType()});this.ZH(); +(a=c.Nz)?this.Ls.fL(a,c.clientPlaybackNonce):uSa(this.Ls)}; +g.k.iF=function(){JZ(this,null);this.Ta.Na("onPlaylistUpdate")}; +g.k.TV=function(a){var b=a.getId(),c=this.Hd(),d=!this.isInline();if(!c.inlineMetricEnabled&&!this.Y.experiments.ob("enable_player_logging_lr_home_infeed_ads")||d){if("part2viewed"===b){if(c.pQ&&g.ZB(c.pQ),c.cN&&WZ(this,c.cN),c.zx)for(var e={CPN:this.getVideoData().clientPlaybackNonce},f=g.t(c.zx),h=f.next();!h.done;h=f.next())WZ(this,g.xp(h.value,e))}else"conversionview"===b?this.zb.kA():"engagedview"===b&&c.Ui&&(e={CPN:this.getVideoData().clientPlaybackNonce},g.ZB(g.xp(c.Ui,e)));c.qQ&&(e=a.getId(), +e=ty(c.qQ,{label:e}),g.ZB(e));switch(b){case "videoplaytime25":c.bZ&&WZ(this,c.bZ);c.yN&&XZ(this,c.yN);c.sQ&&g.ZB(c.sQ);break;case "videoplaytime50":c.cZ&&WZ(this,c.cZ);c.vO&&XZ(this,c.vO);c.xQ&&g.ZB(c.xQ);break;case "videoplaytime75":c.oQ&&WZ(this,c.oQ);c.FO&&XZ(this,c.FO);c.yQ&&g.ZB(c.yQ);break;case "videoplaytime100":c.aZ&&WZ(this,c.aZ),c.jN&&XZ(this,c.jN),c.rQ&&g.ZB(c.rQ)}(e=this.getVideoData().uA)&&Q0a(this,e,a.getId())&&Q0a(this,e,a.getId()+"gaia")}if(c.inlineMetricEnabled&&!d)switch(b){case "videoplaybackstart":var l, +m=null==(l=c.Ax)?void 0:l.j;m&&WZ(this,m);break;case "videoplayback2s":(l=null==(m=c.Ax)?void 0:m.B)&&WZ(this,l);break;case "videoplayback10s":var n;(l=null==(n=c.Ax)?void 0:n.u)&&WZ(this,l)}this.zb.removeCueRange(a)}; +g.k.O6=function(a){delete this.CH[a.getId()];this.zb.removeCueRange(a);a:{a=this.getVideoData();var b,c,d,e,f,h,l,m,n,p,q=(null==(b=a.jd)?void 0:null==(c=b.contents)?void 0:null==(d=c.singleColumnWatchNextResults)?void 0:null==(e=d.autoplay)?void 0:null==(f=e.autoplay)?void 0:f.sets)||(null==(h=a.jd)?void 0:null==(l=h.contents)?void 0:null==(m=l.twoColumnWatchNextResults)?void 0:null==(n=m.autoplay)?void 0:null==(p=n.autoplay)?void 0:p.sets);if(q)for(b=g.t(q),c=b.next();!c.done;c=b.next())if(c=c.value, +e=d=void 0,c=c.autoplayVideo||(null==(d=c.autoplayVideoRenderer)?void 0:null==(e=d.autoplayEndpointRenderer)?void 0:e.endpoint),d=g.K(c,g.oM),f=e=void 0,null!=c&&(null==(e=d)?void 0:e.videoId)===a.videoId&&(null==(f=d)?0:f.continuePlayback)){a=c;break a}a=null}(b=g.K(a,g.oM))&&this.Ta.Na("onPlayVideo",{sessionData:{autonav:"1",itct:null==a?void 0:a.clickTrackingParams},videoId:b.videoId,watchEndpoint:b})}; +g.k.mp=function(a){a!==this.appState&&(2===a&&1===this.getPresentingPlayerType()&&(EZ(this,-1),EZ(this,5)),this.appState=a,this.Ta.ma("appstatechange",a))}; +g.k.Eg=function(a,b,c,d,e){this.zb.Ng(a,b,c,d,e)}; +g.k.Uq=function(a,b){this.zb.handleError(new PK(a,b))}; +g.k.isAtLiveHead=function(a,b){b=void 0===b?!1:b;var c=g.qS(this,a);if(!c)return!1;a=FZ(this,c);c=GZ(this,c);return a!==c?a.isAtLiveHead(QZ(this,c.getCurrentTime(),c),!0):a.isAtLiveHead(void 0,b)}; +g.k.us=function(){var a=g.qS(this);return a?FZ(this,a).us():0}; +g.k.seekTo=function(a,b,c,d){b=!1!==b;if(d=g.qS(this,d))2===this.appState&&MZ(this),this.mf(d)?PZ(this)?this.Ke.seekTo(a,b,c):this.kd.seekTo(a,b,c):d.seekTo(a,{vY:!b,wY:c,Je:"application"})}; g.k.seekBy=function(a,b,c,d){this.seekTo(this.getCurrentTime()+a,b,c,d)}; -g.k.LL=function(){this.u.xa("SEEK_COMPLETE")}; -g.k.wQ=function(a,b){var c=a.getVideoData();if(1===this.Y||2===this.Y)c.startSeconds=b;2===this.Y?L0(this):(this.u.xa("SEEK_TO",b),!this.ba("hoffle_api")&&this.F&&uT(this.F,c.videoId))}; -g.k.cO=function(){this.u.V("airplayactivechange")}; -g.k.dO=function(){this.u.V("airplayavailabilitychange")}; -g.k.tO=function(){this.u.V("beginseeking")}; -g.k.SO=function(){this.u.V("endseeking")}; -g.k.getStoryboardFormat=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().getStoryboardFormat():null}; -g.k.tg=function(a){return(a=g.Z(this,a))?C0(this,a).getVideoData().tg():null}; -g.k.cd=function(a){if(a=a||this.D){a=a.getVideoData();if(this.I)a=a===this.I.u.getVideoData();else a:{var b=this.te;if(a===b.B.getVideoData()&&b.u.length)a=!0;else{b=g.q(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Hc===c.value.Hc){a=!0;break a}a=!1}}if(a)return!0}return!1}; -g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.cd();a=new g.rI(this.W,a);d&&(a.Hc=d);!g.Q(this.W.experiments,"html5_report_dai_ad_playback_killswitch")&&2===b&&this.B&&this.B.Yo(a.clientPlaybackNonce,a.Xo||"",a.breakType||0);SAa(this,a,b,c)}; -g.k.clearQueue=function(){this.ea();this.Ga.clearQueue()}; -g.k.loadVideoByPlayerVars=function(a,b,c,d,e){var f=!1,h=new g.rI(this.W,a);if(!this.ba("web_player_load_video_context_killswitch")&&e){for(;h.bk.length&&h.bk[0].isExpired();)h.bk.shift();for(var l=g.q(h.bk),m=l.next();!m.done;m=l.next())e.B(m.value)&&(f=!0);h.bk.push(e)}c||(a&&gU(a)?(FD(this.W)&&!this.R&&(a.fetch=0),H0(this,a)):this.playlist&&H0(this,null),a&&this.setIsExternalPlaylist(a.external_list),FD(this.W)&&!this.R&&I0(this));a=KY(this,h,b,d);f&&(f=("loadvideo.1;emsg."+h.bk.join()).replace(/[;:,]/g, -"_"),this.B.Rd("player.fatalexception","GENERIC_WITH_LINK_AND_CPN",f,void 0));return a}; -g.k.preloadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;c=void 0===c?NaN:c;e=void 0===e?"":e;d=bD(a);d=V0(b,d,e);this.kb.get(d)?this.ea():this.D&&this.D.di.started&&d===V0(this.D.getPlayerType(),this.D.getVideoData().videoId,this.D.getVideoData().Hc)?this.ea():(a=new g.rI(this.W,a),e&&(a.Hc=e),UAa(this,a,b,c))}; -g.k.setMinimized=function(a){this.visibility.setMinimized(a);a=this.C;a=a.J.T().showMiniplayerUiWhenMinimized?a.Vc.get("miniplayer"):void 0;a&&(this.visibility.u?a.load():a.unload());this.u.V("minimized")}; +g.k.xz=function(){this.Ta.Na("SEEK_COMPLETE")}; +g.k.n7=function(a,b){var c=a.getVideoData();if(1===this.appState||2===this.appState)c.startSeconds=b;2===this.appState?g.S(a.getPlayerState(),512)||MZ(this):this.Ta.Na("SEEK_TO",b)}; +g.k.onAirPlayActiveChange=function(){this.Ta.ma("airplayactivechange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayActiveChange",this.Ta.wh())}; +g.k.onAirPlayAvailabilityChange=function(){this.Ta.ma("airplayavailabilitychange");this.Y.K("html5_external_airplay_events")&&this.Ta.Na("onAirPlayAvailabilityChange",this.Ta.vC())}; +g.k.showAirplayPicker=function(){var a;null==(a=this.Kb)||a.Dt()}; +g.k.EN=function(){this.Ta.ma("beginseeking")}; +g.k.JN=function(){this.Ta.ma("endseeking")}; +g.k.getStoryboardFormat=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().getStoryboardFormat():null}; +g.k.Hj=function(a){return(a=g.qS(this,a))?FZ(this,a).getVideoData().Hj():null}; +g.k.mf=function(a){a=a||this.Kb;var b=!1;if(a){a=a.getVideoData();if(PZ(this))a=a===this.Ke.va.getVideoData();else a:if(b=this.kd,a===b.j.getVideoData()&&b.u.length)a=!0;else{b=g.t(b.u);for(var c=b.next();!c.done;c=b.next())if(a.Nc===c.value.Nc){a=!0;break a}a=!1}b=a}return b}; +g.k.Kx=function(a,b,c,d,e,f,h){var l=PZ(this),m;null==(m=g.qS(this))||m.xa("appattl",{sstm:this.Ke?1:0,ssenable:this.getVideoData().enableServerStitchedDai,susstm:l});return l?wRa(this.Ke,a,b,c,d,e,f,h):WRa(this.kd,a,c,d,e,f)}; +g.k.rC=function(a,b,c,d,e,f,h){PZ(this)&&wRa(this.Ke,a,b,c,d,e,f,h);return""}; +g.k.kt=function(a){var b;null==(b=this.Ke)||b.kt(a)}; +g.k.Fu=function(a,b){a=void 0===a?-1:a;b=void 0===b?Infinity:b;PZ(this)||eSa(this.kd,a,b)}; +g.k.jA=function(a,b,c){if(PZ(this)){var d=this.Ke,e=d.Oc.get(a);e?(void 0===c&&(c=e.Dd),e.durationMs=b,e.Dd=c):d.KC("Invalid_timelinePlaybackId_"+a+"_specified")}else{d=this.kd;e=null;for(var f=g.t(d.u),h=f.next();!h.done;h=f.next())if(h=h.value,h.Nc===a){e=h;break}e?(void 0===c&&(c=e.Dd),dSa(d,e,b,c)):MW(d,"InvalidTimelinePlaybackId timelinePlaybackId="+a)}}; +g.k.enqueueVideoByPlayerVars=function(a,b,c,d){c=void 0===c?Infinity:c;d=void 0===d?"":d;this.mf();a=new g.$L(this.Y,a);d&&(a.Nc=d);R0a(this,a,b,c)}; +g.k.queueNextVideo=function(a,b,c,d,e){c=void 0===c?NaN:c;a.prefer_gapless=!0;if((a=this.preloadVideoByPlayerVars(a,void 0===b?1:b,c,void 0===d?"":d,void 0===e?"":e))&&g.QM(a)&&!a.Xl){var f;null==(f=g.qS(this))||f.xa("sgap",{pcpn:a.clientPlaybackNonce});f=this.SY;f.j!==a&&(f.j=a,f.u=1,a.isLoaded()?f.B():f.j.subscribe("dataloaded",f.B,f))}}; +g.k.yF=function(a,b,c,d){var e=this;c=void 0===c?0:c;d=void 0===d?0:d;var f=g.qS(this);f&&(FZ(this,f).FY=!0);dRa(this.ir,a,b,c,d).then(function(){e.Ta.Na("onQueuedVideoLoaded")},function(){})}; +g.k.vv=function(){return this.ir.vv()}; +g.k.clearQueue=function(){this.ir.clearQueue()}; +g.k.loadVideoByPlayerVars=function(a,b,c,d,e){b=void 0===b?1:b;var f=!1,h=new g.$L(this.Y,a);g.GK(this.Y)&&!h.Xl&&yT(this.vb);var l,m=null!=(l=h.Qa)?l:"";this.vb.timerName=m;this.vb.di("pl_i");this.K("web_player_early_cpn")&&h.clientPlaybackNonce&&this.vb.info("cpn",h.clientPlaybackNonce);if(this.K("html5_enable_short_gapless")){l=gRa(this.ir,h,b);if(null==l){EZ(this,-1);h=this.ir;h.app.setLoopRange(null);h.app.getVideoData().ZI=!0;var n;null==(n=h.j)||vZa(n.zc);h.app.seekTo(fRa(h));if(!h.app.Cb(b).bd()){var p; +null==(p=g.qS(h.app))||p.playVideo(!0)}h.I();return!0}this.ir.clearQueue();var q;null==(q=g.qS(this))||q.xa("sgap",{f:l})}if(e){for(;h.Sl.length&&h.Sl[0].isExpired();)h.Sl.shift();n=h.Sl.length-1;f=0Math.random()&&g.Nq("autoplayTriggered",{intentional:this.Ig});this.ng=!1;this.u.xa("onPlaybackStartExternal");g.Q(this.W.experiments,"mweb_client_log_screen_associated")||a();SE("player_att",["att_f","att_e"]);if(this.ba("web_player_inline_botguard")){var c=this.getVideoData().botguardData;c&&(this.ba("web_player_botguard_inline_skip_config_killswitch")&& -(so("BG_I",c.interpreterScript),so("BG_IU",c.interpreterUrl),so("BG_P",c.program)),g.HD(this.W)?rp(function(){M0(b)}):M0(this))}}; -g.k.IL=function(){this.u.V("internalAbandon");this.ba("html5_ad_module_cleanup_killswitch")||S0(this)}; -g.k.KF=function(a){a=a.u;!isNaN(a)&&0Math.random()&&g.rA("autoplayTriggered",{intentional:this.QU});this.pV=!1;eMa(this.hd);this.K("web_player_defer_ad")&&D0a(this);this.Ta.Na("onPlaybackStartExternal");(this.Y.K("mweb_client_log_screen_associated"),this.Y.K("kids_web_client_log_screen_associated")&&uK(this.Y))||a();var c={};this.getVideoData().T&&(c.cttAuthInfo={token:this.getVideoData().T, +videoId:this.getVideoData().videoId});cF("player_att",c);if(this.getVideoData().botguardData||this.K("fetch_att_independently"))g.DK(this.Y)||"MWEB"===g.rJ(this.Y)?g.gA(g.iA(),function(){NZ(b)}):NZ(this); +this.ZH()}; +g.k.PN=function(){this.Ta.ma("internalAbandon");RZ(this)}; +g.k.onApiChange=function(){this.Y.I&&this.Kb?this.Ta.Na("onApiChange",this.Kb.getPlayerType()):this.Ta.Na("onApiChange")}; +g.k.q6=function(){var a=this.mediaElement;a={volume:g.ze(Math.floor(100*a.getVolume()),0,100),muted:a.VF()};a.muted||OZ(this,!1);this.ji=g.md(a);this.Ta.Na("onVolumeChange",a)}; +g.k.mutedAutoplay=function(){var a=this.getVideoData().videoId;isNaN(this.xN)&&(this.xN=this.getVideoData().startSeconds);a&&(this.loadVideoByPlayerVars({video_id:a,playmuted:!0,start:this.xN}),this.Ta.Na("onMutedAutoplayStarts"))}; +g.k.onFullscreenChange=function(){var a=Z0a(this);this.cm(a?1:0);a1a(this,!!a)}; +g.k.cm=function(a){var b=!!a,c=!!this.Ay()!==b;this.visibility.cm(a);this.template.cm(b);this.K("html5_media_fullscreen")&&!b&&this.mediaElement&&Z0a(this)===this.mediaElement.ub()&&this.mediaElement.AB();this.template.resize();c&&this.vb.tick("fsc");c&&(this.Ta.ma("fullscreentoggled",b),a=this.Hd(),b={fullscreen:b,videoId:a.eJ||a.videoId,time:this.getCurrentTime()},this.Ta.getPlaylistId()&&(b.listId=this.Ta.getPlaylistId()),this.Ta.Na("onFullscreenChange",b))}; g.k.isFullscreen=function(){return this.visibility.isFullscreen()}; -g.k.lQ=function(){this.D&&(0!==this.visibility.fullscreen&&1!==this.visibility.fullscreen||B0(this,Z0(this)?1:0),this.W.yn&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.da&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.da.iq())}; -g.k.dP=function(a){3!==this.getPresentingPlayerType()&&this.u.V("liveviewshift",a)}; -g.k.playVideo=function(a){this.ea();if(a=g.Z(this,a))2===this.Y?L0(this):(null!=this.X&&this.X.fb&&this.X.start(),g.U(a.getPlayerState(),2)?this.seekTo(0):a.playVideo())}; -g.k.pauseVideo=function(a){(a=g.Z(this,a))&&a.pauseVideo()}; -g.k.stopVideo=function(){this.ea();var a=this.B.getVideoData(),b=new g.rI(this.W,{video_id:a.gB||a.videoId,oauth_token:a.oauthToken});b.li=g.Vb(a.li);this.cancelPlayback(6);X0(this,b,1);null!=this.X&&this.X.stop()}; -g.k.cancelPlayback=function(a,b){this.ea();Hq(this.za);this.za=0;var c=g.Z(this,b);if(c)if(1===this.Y||2===this.Y)this.ea();else{c===this.D&&(this.ea(),rU(this.C,a));var d=c.getVideoData();if(this.F&&qJ(d)&&d.videoId)if(this.ba("hoffle_api")){var e=this.F;d=d.videoId;if(2===Zx(d)){var f=qT(e,d);f&&f!==e.player&&qJ(f.getVideoData())&&(f.Bi(),RI(f.getVideoData(),!1),by(d,3),rT(e))}}else uT(this.F,d.videoId);1===b&&(g.Q(this.W.experiments,"html5_stop_video_in_cancel_playback")&&c.stopVideo(),S0(this)); -c.fi();VT(this,"cuerangesremoved",c.Lk());c.Vf.reset();this.Ga&&c.isGapless()&&(c.Pf(!0),c.setMediaElement(this.da))}else this.ea()}; -g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.Z(this,b))&&this.W.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; -g.k.Yf=function(a){var b=g.Z(this,void 0);return b&&this.W.enabledEngageTypes.has(a.toString())?b.Yf(a):null}; -g.k.updatePlaylist=function(){FD(this.W)?I0(this):g.Q(this.W.experiments,"embeds_wexit_list_ajax_migration")&&g.nD(this.W)&&J0(this);this.u.xa("onPlaylistUpdate")}; -g.k.setSizeStyle=function(a,b){this.wi=a;this.ce=b;this.u.V("sizestylechange",a,b);this.template.resize()}; -g.k.isWidescreen=function(){return this.ce}; +g.k.Ay=function(){return this.visibility.Ay()}; +g.k.b7=function(){this.Kb&&(0!==this.Ay()&&1!==this.Ay()||this.cm(Z0a(this)?1:0),this.Y.lm&&this.getVideoData()&&!this.getVideoData().backgroundable&&this.mediaElement&&.33>window.outerHeight*window.outerWidth/(window.screen.width*window.screen.height)&&this.mediaElement.AB())}; +g.k.i6=function(a){3!==this.getPresentingPlayerType()&&this.Ta.ma("liveviewshift",a)}; +g.k.playVideo=function(a){if(a=g.qS(this,a))2===this.appState?(g.GK(this.Y)&&yT(this.vb),MZ(this)):g.S(a.getPlayerState(),2)?this.seekTo(0):a.playVideo()}; +g.k.pauseVideo=function(a){(a=g.qS(this,a))&&a.pauseVideo()}; +g.k.stopVideo=function(){var a=this.zb.getVideoData(),b=new g.$L(this.Y,{video_id:a.eJ||a.videoId,oauth_token:a.oauthToken});b.Z=g.md(a.Z);this.cancelPlayback(6);UZ(this,b,1)}; +g.k.cancelPlayback=function(a,b){var c=g.qS(this,b);c&&(2===b&&1===c.getPlayerType()&&Zza(this.Hd())?c.xa("canclpb",{r:"no_adpb_ssdai"}):(this.Y.Rd()&&c.xa("canclpb",{r:a}),1!==this.appState&&2!==this.appState&&(c===this.Kb&<(this.hd,a),1===b&&(c.stopVideo(),RZ(this)),c.Dn(void 0,6!==a),DZ(this,"cuerangesremoved",c.Hm()),c.Xi.reset(),this.ir&&c.isGapless()&&(c.rj(!0),c.setMediaElement(this.mediaElement)))))}; +g.k.sendVideoStatsEngageEvent=function(a,b,c){(b=g.qS(this,b))&&this.Y.enabledEngageTypes.has(a.toString())?b.sendVideoStatsEngageEvent(a,c):c&&c()}; +g.k.Gj=function(a){var b=g.qS(this);return b&&this.Y.enabledEngageTypes.has(a.toString())?b.Gj(a):null}; +g.k.updatePlaylist=function(){BK(this.Y)?KZ(this):g.fK(this.Y)&&F0a(this);this.Ta.Na("onPlaylistUpdate")}; +g.k.setSizeStyle=function(a,b){this.QX=a;this.RM=b;this.Ta.ma("sizestylechange",a,b);this.template.resize()}; +g.k.wv=function(){return this.RM}; +g.k.zg=function(){return this.visibility.zg()}; g.k.isInline=function(){return this.visibility.isInline()}; -g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return g.MT(this.C).getAdState();if(!this.cd()){var a=sU(this.C);if(a)return a.getAdState()}return-1}; -g.k.kQ=function(a){var b=this.template.getVideoContentRect();kg(this.Jg,b)||(this.Jg=b,this.D&&g0(this.D),this.B&&this.B!==this.D&&g0(this.B),1===this.visibility.fullscreen&&this.Ya&&aBa(this,!0));this.ke&&g.je(this.ke,a)||(this.u.V("appresize",a),this.ke=a)}; -g.k.He=function(){return this.u.He()}; -g.k.AQ=function(){2===this.getPresentingPlayerType()&&this.te.isManifestless()&&!this.ba("web_player_manifestless_ad_signature_expiration_killswitch")?uwa(this.te):bBa(this,"signature",void 0,!0)}; -g.k.XF=function(){this.Pf();x0(this)}; -g.k.jQ=function(a){mY(a,this.da.tm())}; -g.k.JL=function(a){this.F&&this.F.u(a)}; -g.k.FO=function(){this.u.xa("CONNECTION_ISSUE")}; -g.k.tr=function(a){this.u.V("heartbeatparams",a)}; -g.k.Zc=function(){return this.da}; -g.k.setBlackout=function(a){this.W.ke=a;this.D&&(this.D.sn(),this.W.X&&eBa(this))}; -g.k.setAccountLinkState=function(a){var b=g.Z(this);b&&(b.getVideoData().In=a,b.sn())}; -g.k.updateAccountLinkingConfig=function(a){var b=g.Z(this);if(b){var c=b.getVideoData();c.accountLinkingConfig&&(c.accountLinkingConfig.linked=a);this.u.V("videodatachange","dataupdated",c,b.getPlayerType())}}; -g.k.EP=function(){var a=g.Z(this);if(a){var b=!UT(this.u);(a.Ay=b)||a.Mm.stop();if(a.videoData.ra)if(b)a.videoData.ra.resume();else{var c=a.videoData.ra;c.D&&c.D.stop()}g.Q(a.W.experiments,"html5_suspend_loader")&&a.Ba&&(b?a.Ba.resume():m0(a,!0));g.Q(a.W.experiments,"html5_fludd_suspend")&&(g.U(a.playerState,2)||b?g.U(a.playerState,512)&&b&&a.vb(DM(a.playerState,512)):a.vb(CM(a.playerState,512)));a=a.Jb;a.qoe&&(a=a.qoe,g.MZ(a,g.rY(a.provider),"stream",[b?"A":"I"]))}}; -g.k.gP=function(){this.u.xa("onLoadedMetadata")}; -g.k.RO=function(){this.u.xa("onDrmOutputRestricted")}; -g.k.ex=function(){void 0!==navigator.mediaCapabilities&&(QB=!0);g.Q(this.W.experiments,"html5_disable_subtract_cuepoint_offset")&&(Uy=!0);g.Q(this.W.experiments,"html5_log_opus_oboe_killswitch")&&(Hv=!1);g.Q(this.W.experiments,"html5_skip_empty_load")&&(UCa=!0);XCa=g.Q(this.W.experiments,"html5_ios_force_seek_to_zero_on_stop");VCa=g.Q(this.W.experiments,"html5_ios7_force_play_on_stall");WCa=g.Q(this.W.experiments,"html5_ios4_seek_above_zero");g.Q(this.W.experiments,"html5_mediastream_applies_timestamp_offset")&& -(Qy=!0);g.Q(this.W.experiments,"html5_dont_override_default_sample_desc_index")&&(pv=!0)}; -g.k.ca=function(){this.C.dispose();this.te.dispose();this.I&&this.I.dispose();this.B.dispose();this.Pf();g.gg(g.Lb(this.Oe),this.playlist);Hq(this.za);this.za=0;g.C.prototype.ca.call(this)}; -g.k.ea=function(){}; -g.k.ba=function(a){return g.Q(this.W.experiments,a)}; +g.k.Ty=function(){return this.visibility.Ty()}; +g.k.Ry=function(){return this.visibility.Ry()}; +g.k.PM=function(){return this.QX}; +g.k.getAdState=function(){if(3===this.getPresentingPlayerType())return JS(this.hd).getAdState();if(!this.mf()){var a=MT(this.wb());if(a)return a.getAdState()}return-1}; +g.k.a7=function(a){var b=this.template.getVideoContentRect();Fm(this.iV,b)||(this.iV=b,this.Kb&&wZ(this.Kb),this.zb&&this.zb!==this.Kb&&wZ(this.zb),1===this.Ay()&&this.kD&&a1a(this,!0));this.YM&&g.Ie(this.YM,a)||(this.Ta.ma("appresize",a),this.YM=a)}; +g.k.yh=function(){return this.Ta.yh()}; +g.k.t7=function(){2===this.getPresentingPlayerType()&&this.kd.isManifestless()?cSa(this.kd):(this.Ke&&(DRa(this.Ke),RZ(this)),z0a(this,"signature"))}; +g.k.oW=function(){this.rj();CZ(this)}; +g.k.w6=function(a){"manifest.net.badstatus"===a.errorCode&&a.details.rc===(this.Y.experiments.ob("html5_use_network_error_code_enums")?401:"401")&&this.Ta.Na("onPlayerRequestAuthFailed")}; +g.k.YC=function(){this.Ta.Na("CONNECTION_ISSUE")}; +g.k.aD=function(a){this.Ta.ma("heartbeatparams",a)}; +g.k.RH=function(a){this.Ta.Na("onAutonavChangeRequest",1!==a)}; +g.k.qe=function(){return this.mediaElement}; +g.k.setBlackout=function(a){this.Y.Ld=a;this.Kb&&(this.Kb.jr(),this.Y.Ya&&c1a(this))}; +g.k.y6=function(){var a=g.qS(this);if(a){var b=!this.Ta.AC();(a.uU=b)||a.Bv.stop();if(a.videoData.j)if(b)a.videoData.j.resume();else{var c=a.videoData.j;c.C&&c.C.stop()}a.Fa&&(b?a.Fa.resume():zZ(a,!0));g.S(a.playerState,2)||b?g.S(a.playerState,512)&&b&&a.pc(NO(a.playerState,512)):a.pc(MO(a.playerState,512));a=a.zc;a.qoe&&(a=a.qoe,g.MY(a,g.uW(a.provider),"stream",[b?"A":"I"]))}}; +g.k.onLoadedMetadata=function(){this.Ta.Na("onLoadedMetadata")}; +g.k.onDrmOutputRestricted=function(){this.Ta.Na("onDrmOutputRestricted")}; +g.k.wK=function(){Lcb=this.K("html5_use_async_stopVideo");Mcb=this.K("html5_pause_for_async_stopVideo");Kcb=this.K("html5_not_reset_media_source");CCa=this.K("html5_rebase_video_to_ad_timeline");xI=this.K("html5_not_reset_media_source");fcb=this.K("html5_not_reset_media_source");rI=this.K("html5_retain_source_buffer_appends_for_debugging");ecb=this.K("html5_source_buffer_wrapper_reorder");this.K("html5_mediastream_applies_timestamp_offset")&&(CX=!0);var a=g.gJ(this.Y.experiments,"html5_cobalt_override_quic"); +a&&kW("QUIC",+(0r.start&&dE;E++)if(x=(x<<6)+"ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789-_".indexOf(w.charAt(E)),4==E%5){for(var G="",K=0;6>K;K++)G="0123456789ABCDEFGHJKMNPQRSTVWXYZ".charAt(x& -31)+G,x>>=5;B+=G}w=B.substr(0,4)+" "+B.substr(4,4)+" "+B.substr(8,4)}else w="";l={video_id_and_cpn:c.videoId+" / "+w,codecs:"",dims_and_frames:"",bandwidth_kbps:l.toFixed(0)+" Kbps",buffer_health_seconds:n.toFixed(2)+" s",drm_style:p?"":"display:none",drm:p,debug_info:d,bandwidth_style:t,network_activity_style:t,network_activity_bytes:m.toFixed(0)+" KB",shader_info:r,shader_info_style:r?"":"display:none",playback_categories:""};m=e.clientWidth+"x"+e.clientHeight+(1a)if(c.latencyClass&&"UNKNOWN"!==c.latencyClass)switch(c.latencyClass){case "NORMAL":f="Optimized for Normal Latency";break;case "LOW":f="Optimized for Low Latency";break;case "ULTRALOW":f="Optimized for Ultra Low Latency";break;default:f="Unknown Latency Setting"}else f=c.isLowLatencyLiveStream?"Optimized for Low Latency":"Optimized for Smooth Streaming";e+=f;(a=b.getPlaylistSequenceForTime(b.getCurrentTime()))&&(e+= -", seq "+a.sequence);l.live_mode=e}b.isGapless()&&(l.playback_categories+="Gapless ");l.playback_categories_style=l.playback_categories?"":"display:none";l.bandwidth_samples=RY(h,"bandwidth");l.network_activity_samples=RY(h,"networkactivity");l.live_latency_samples=RY(h,"livelatency");l.buffer_health_samples=RY(h,"bufferhealth");FI(c,"web_player_release_debug")?(l.release_name="youtube.player.web_20201213_0_RC0",l.release_style=""):l.release_style="display:none";return l}; -g.k.getVideoUrl=function(a,b,c,d,e){return this.K&&this.K.postId?(a=this.W.getVideoUrl(a),a=Sd(a,"v"),a.replace("/watch","/clip/"+this.K.postId)):this.W.getVideoUrl(a,b,c,d,e)}; -var o2={};g.Fa("yt.player.Application.create",u0.create,void 0);g.Fa("yt.player.Application.createAlternate",u0.create,void 0);var p2=Es(),q2={Om:[{xL:/Unable to load player module/,weight:5}]};q2.Om&&(p2.Om=p2.Om.concat(q2.Om));q2.Pn&&(p2.Pn=p2.Pn.concat(q2.Pn));var lDa=g.Ja("ytcsi.tick");lDa&&lDa("pe");g.qU.ad=KS;var iBa=/#(.)(.)(.)/,hBa=/^#(?:[0-9a-f]{3}){1,2}$/i;var kBa=g.ye&&jBa();g.Va(g.f1,g.C);var mDa=[];g.k=g.f1.prototype;g.k.wa=function(a,b,c,d){Array.isArray(b)||(b&&(mDa[0]=b.toString()),b=mDa);for(var e=0;ethis.u.length)throw new N("Invalid sub layout rendering adapter length when scheduling composite layout.",{length:String(this.u.length)});var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=this);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,b.init(),P1a(this.B,this.slot,b.Hb()),Q1a(this.B,this.slot,b.Hb())}; +g.k.wt=function(){var a=ZZ(this.Hb().Ba,"metadata_type_ad_pod_skip_target_callback_ref");a&&(a.current=null);a=g.t(this.u);for(var b=a.next();!b.done;b=a.next())b=b.value,pO(this.B,this.slot,b.Hb()),b.release()}; +g.k.Qv=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("pauseLayout for a PlayerBytes layout that is not currently active",a,b):c.Qv()}; +g.k.ew=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("resumeLayout for a PlayerBytes layout that is not currently active",a,b):c.ew()}; +g.k.gD=function(a,b){var c=this.u[this.j];b.layoutId!==X1(c,a,b)?GD("onSkipRequested for a PlayerBytes layout that is not currently active",c.pd(),c.Hb(),{requestingSlot:a,requestingLayout:b}):Q5a(this,c.pd(),c.Hb(),"skipped")}; +g.k.Ft=function(){-1===this.j&&P5a(this,this.j+1)}; +g.k.A7=function(a,b){j0(this.B,a,b)}; +g.k.It=function(a,b){var c=this;this.j!==this.u.length?(a=this.u[this.j],a.Pg(a.Hb(),b),this.D=function(){c.callback.wd(c.slot,c.layout,b)}):this.callback.wd(this.slot,this.layout,b)}; +g.k.Tc=function(a,b){var c=this.u[this.j];c&&c.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);var d=this.u[this.j];d&&d.wd(a,b,c)}; +g.k.yV=function(){var a=this.u[this.j];a&&a.gG()}; +g.k.Mj=function(a){var b=this.u[this.j];b&&b.Mj(a)}; +g.k.wW=function(a){var b=this.u[this.j];b&&b.Jk(a)}; +g.k.fg=function(a,b,c){-1===this.j&&(this.callback.Tc(this.slot,this.layout),this.j++);var d=this.u[this.j];d?d.OC(a,b,c):GD("No active adapter found onLayoutError in PlayerBytesVodCompositeLayoutRenderingAdapter",void 0,void 0,{activeSubLayoutIndex:String(this.j),layoutId:this.Hb().layoutId})}; +g.k.onFullscreenToggled=function(a){var b=this.u[this.j];if(b)b.onFullscreenToggled(a)}; +g.k.Uh=function(a){var b=this.u[this.j];b&&b.Uh(a)}; +g.k.Ik=function(a){var b=this.u[this.j];b&&b.Ik(a)}; +g.k.onVolumeChange=function(){var a=this.u[this.j];if(a)a.onVolumeChange()}; +g.k.C7=function(a,b,c){Q5a(this,a,b,c)}; +g.k.B7=function(a,b){Q5a(this,a,b,"error")};g.w(a2,g.C);g.k=a2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){var a=ZZ(this.layout.Ba,"metadata_type_video_length_seconds"),b=ZZ(this.layout.Ba,"metadata_type_active_view_traffic_type");mN(this.layout.Rb)&&V4a(this.Mb.get(),this.layout.layoutId,b,a,this);Z4a(this.Oa.get(),this);this.Ks()}; +g.k.release=function(){mN(this.layout.Rb)&&W4a(this.Mb.get(),this.layout.layoutId);$4a(this.Oa.get(),this);this.wt()}; +g.k.Qv=function(){}; +g.k.ew=function(){}; +g.k.startRendering=function(a){a.layoutId!==this.layout.layoutId?this.callback.fg(this.slot,a,new b0("Tried to start rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"):(this.Fc="rendering_start_requested",cAa(this.Xf.get(),1)?(this.vD(-1),this.Ft(a),this.Px(!1)):this.OC("ui_unstable",new b0("Failed to render media layout because ad ui unstable.", +void 0,"ADS_CLIENT_ERROR_MESSAGE_AD_UI_UNSTABLE"),"ADS_CLIENT_ERROR_TYPE_ENTER_LAYOUT_FAILED"))}; +g.k.Tc=function(a,b){if(b.layoutId===this.layout.layoutId){this.Fc="rendering";this.CC=this.Ha.get().isMuted()||0===this.Ha.get().getVolume();this.md("impression");this.md("start");if(this.Ha.get().isMuted()){this.zw("mute");var c;a=(null==(c=$1(this))?void 0:c.muteCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId)}if(this.Ha.get().isFullscreen()){this.lh("fullscreen");var d;c=(null==(d=$1(this))?void 0:d.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}this.Mc.get().bP();this.vD(1); +this.kW();var e;d=(null==(e=$1(this))?void 0:e.impressionCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.OC=function(a,b,c){this.nu={AI:3,mE:"load_timeout"===a?402:400,errorMessage:b.message};this.md("error");var d;a=(null==(d=$1(this))?void 0:d.errorCommands)||[];this.Nb.get().Hg(a,this.layout.layoutId);this.callback.fg(this.slot,this.layout,b,c)}; +g.k.gG=function(){this.XK()}; +g.k.lU=function(){if("rendering"===this.Fc){this.zw("pause");var a,b=(null==(a=$1(this))?void 0:a.pauseCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId);this.vD(2)}}; +g.k.mU=function(){if("rendering"===this.Fc){this.zw("resume");var a,b=(null==(a=$1(this))?void 0:a.resumeCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Pg=function(a,b){if(a.layoutId!==this.layout.layoutId)this.callback.fg(this.slot,a,new b0("Tried to stop rendering an unknown layout, this adapter requires LayoutId: "+this.layout.layoutId+("and LayoutType: "+this.layout.layoutType),void 0,"ADS_CLIENT_ERROR_MESSAGE_UNKNOWN_LAYOUT"),"ADS_CLIENT_ERROR_TYPE_EXIT_LAYOUT_FAILED");else if("rendering_stop_requested"!==this.Fc){this.Fc="rendering_stop_requested";this.layoutExitReason=b;switch(b){case "normal":this.md("complete");break;case "skipped":this.md("skip"); +break;case "abandoned":N1(this.Za,"impression")&&this.md("abandon")}this.It(a,b)}}; +g.k.wd=function(a,b,c){if(b.layoutId===this.layout.layoutId)switch(this.Fc="not_rendering",this.layoutExitReason=void 0,(a="normal"!==c||this.position+1===this.nY)&&this.Px(a),this.lW(c),this.vD(0),c){case "abandoned":if(N1(this.Za,"impression")){var d,e=(null==(d=$1(this))?void 0:d.abandonCommands)||[];this.Nb.get().Hg(e,this.layout.layoutId)}break;case "normal":d=(null==(e=$1(this))?void 0:e.completeCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId);break;case "skipped":var f;d=(null==(f=$1(this))? +void 0:f.skipCommands)||[];this.Nb.get().Hg(d,this.layout.layoutId)}}; +g.k.Cy=function(){return this.layout.layoutId}; +g.k.GL=function(){return this.nu}; +g.k.Jk=function(a){if("not_rendering"!==this.Fc){this.zX||(a=new g.WN(a.state,new g.KO),this.zX=!0);var b=2===this.Ha.get().getPresentingPlayerType();"rendering_start_requested"===this.Fc?b&&R5a(a)&&this.ZS():b?g.YN(a,2)?this.Ei():(R5a(a)?this.vD(1):g.YN(a,4)&&!g.YN(a,2)&&this.lU(),0>XN(a,4)&&!(0>XN(a,2))&&this.mU()):this.gG()}}; +g.k.TC=function(){if("rendering"===this.Fc){this.Za.md("active_view_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.SC=function(){if("rendering"===this.Fc){this.Za.md("active_view_fully_viewable_audible_half_duration");var a,b=(null==(a=$1(this))?void 0:a.activeViewFullyViewableAudibleHalfDurationCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.UC=function(){if("rendering"===this.Fc){this.Za.md("active_view_viewable");var a,b=(null==(a=$1(this))?void 0:a.activeViewViewableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.QC=function(){if("rendering"===this.Fc){this.Za.md("audio_audible");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioAudibleCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.RC=function(){if("rendering"===this.Fc){this.Za.md("audio_measurable");var a,b=(null==(a=$1(this))?void 0:a.activeViewAudioMeasurableCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}}; +g.k.Px=function(a){this.Mc.get().Px(ZZ(this.layout.Ba,"metadata_type_ad_placement_config").kind,a,this.position,this.nY,!1)}; +g.k.onFullscreenToggled=function(a){if("rendering"===this.Fc)if(a){this.lh("fullscreen");var b,c=(null==(b=$1(this))?void 0:b.fullscreenCommands)||[];this.Nb.get().Hg(c,this.layout.layoutId)}else this.lh("end_fullscreen"),b=(null==(c=$1(this))?void 0:c.endFullscreenCommands)||[],this.Nb.get().Hg(b,this.layout.layoutId)}; +g.k.onVolumeChange=function(){if("rendering"===this.Fc)if(this.Ha.get().isMuted()){this.zw("mute");var a,b=(null==(a=$1(this))?void 0:a.muteCommands)||[];this.Nb.get().Hg(b,this.layout.layoutId)}else this.zw("unmute"),a=(null==(b=$1(this))?void 0:b.unmuteCommands)||[],this.Nb.get().Hg(a,this.layout.layoutId)}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.Ul=function(){}; +g.k.lh=function(a){this.Za.lh(a,!this.CC)}; +g.k.md=function(a){this.Za.md(a,!this.CC)}; +g.k.zw=function(a){this.Za.zw(a,!this.CC)};g.w(W5a,a2);g.k=W5a.prototype;g.k.Ks=function(){}; +g.k.wt=function(){var a=this.Oa.get();a.nI===this&&(a.nI=null);this.timer.stop()}; +g.k.Ft=function(){V5a(this);j5a(this.Ha.get());this.Oa.get().nI=this;aF("pbp")||aF("pbs")||fF("pbp");aF("pbp","watch")||aF("pbs","watch")||fF("pbp",void 0,"watch");this.ZS()}; +g.k.kW=function(){Z5a(this)}; +g.k.Ei=function(){}; +g.k.Qv=function(){this.timer.stop();a2.prototype.lU.call(this)}; +g.k.ew=function(){Z5a(this);a2.prototype.mU.call(this)}; +g.k.By=function(){return ZZ(this.Hb().Ba,"METADATA_TYPE_MEDIA_BREAK_LAYOUT_DURATION_MILLISECONDS")}; +g.k.It=function(){this.timer.stop()}; +g.k.yc=function(){var a=Date.now(),b=a-this.aN;this.aN=a;this.Mi+=b;this.Mi>=this.By()?(this.Mi=this.By(),b2(this,this.Mi/1E3,!0),Y5a(this,this.Mi),this.XK()):(b2(this,this.Mi/1E3),Y5a(this,this.Mi))}; +g.k.lW=function(){}; +g.k.Mj=function(){};g.w(c2,a2);g.k=c2.prototype;g.k.Ks=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=this;this.shrunkenPlayerBytesConfig=ZZ(this.Hb().Ba,"metadata_type_shrunken_player_bytes_config")}; +g.k.wt=function(){ZZ(this.Hb().Ba,"metadata_type_player_bytes_callback_ref").current=null;this.Iu&&this.wc.get().removeCueRange(this.Iu);this.Iu=void 0;this.NG.dispose();this.lz&&this.lz.dispose()}; +g.k.Ft=function(a){var b=P0(this.Ca.get()),c=Q0(this.Ca.get());if(b&&c){c=ZZ(a.Ba,"metadata_type_preload_player_vars");var d=g.gJ(this.Ca.get().F.V().experiments,"html5_preload_wait_time_secs");c&&this.lz&&this.lz.start(1E3*d)}c=ZZ(a.Ba,"metadata_type_ad_video_id");d=ZZ(a.Ba,"metadata_type_legacy_info_card_vast_extension");c&&d&&this.dg.get().F.V().Aa.add(c,{jB:d});(c=ZZ(a.Ba,"metadata_type_sodar_extension_data"))&&m5a(this.hf.get(),c);k5a(this.Ha.get(),!1);V5a(this);b?(c=this.Pe.get(),a=ZZ(a.Ba, +"metadata_type_player_vars"),c.F.loadVideoByPlayerVars(a,!1,2)):(c=this.Pe.get(),a=ZZ(a.Ba,"metadata_type_player_vars"),c.F.cueVideoByPlayerVars(a,2));this.NG.start();b||this.Pe.get().F.playVideo(2)}; +g.k.kW=function(){this.NG.stop();this.Iu="adcompletioncuerange:"+this.Hb().layoutId;this.wc.get().addCueRange(this.Iu,0x7ffffffffffff,0x8000000000000,!1,this,2,2);var a;(this.adCpn=(null==(a=this.Va.get().vg(2))?void 0:a.clientPlaybackNonce)||"")||GD("Media layout confirmed started, but ad CPN not set.");this.zd.get().Na("onAdStart",this.adCpn)}; +g.k.Ei=function(){this.XK()}; +g.k.By=function(){var a;return null==(a=this.Va.get().vg(2))?void 0:a.h8}; +g.k.PH=function(){this.Za.lh("clickthrough")}; +g.k.It=function(){this.NG.stop();this.lz&&this.lz.stop();k5a(this.Ha.get(),!0);var a;(null==(a=this.shrunkenPlayerBytesConfig)?0:a.shouldRequestShrunkenPlayerBytes)&&this.Ha.get().Wz(!1)}; +g.k.onCueRangeEnter=function(a){a!==this.Iu?GD("Received CueRangeEnter signal for unknown layout.",this.pd(),this.Hb(),{cueRangeId:a}):(this.wc.get().removeCueRange(this.Iu),this.Iu=void 0,a=ZZ(this.Hb().Ba,"metadata_type_video_length_seconds"),b2(this,a,!0),this.md("complete"))}; +g.k.lW=function(a){"abandoned"!==a&&this.zd.get().Na("onAdComplete");this.zd.get().Na("onAdEnd",this.adCpn)}; +g.k.onCueRangeExit=function(){}; +g.k.Mj=function(a){"rendering"===this.Fc&&(this.shrunkenPlayerBytesConfig&&this.shrunkenPlayerBytesConfig.shouldRequestShrunkenPlayerBytes&&a>=(this.shrunkenPlayerBytesConfig.playerProgressOffsetSeconds||0)&&this.Ha.get().Wz(!0),b2(this,a))};g.w(a6a,W1);g.k=a6a.prototype;g.k.pd=function(){return this.j.pd()}; +g.k.Hb=function(){return this.j.Hb()}; +g.k.Ks=function(){this.j.init()}; +g.k.wt=function(){this.j.release()}; +g.k.Qv=function(){this.j.Qv()}; +g.k.ew=function(){this.j.ew()}; +g.k.gD=function(a,b){GD("Unexpected onSkipRequested from PlayerBytesVodSingleLayoutRenderingAdapter. Skip should be handled by Triggers",this.pd(),this.Hb(),{requestingSlot:a,requestingLayout:b})}; +g.k.Ft=function(a){this.j.startRendering(a)}; +g.k.It=function(a,b){this.j.Pg(a,b)}; +g.k.Tc=function(a,b){this.j.Tc(a,b)}; +g.k.wd=function(a,b,c){W1.prototype.wd.call(this,a,b,c);this.j.wd(a,b,c);b.layoutId===this.Hb().layoutId&&this.Mc.get().aA()}; +g.k.yV=function(){this.j.gG()}; +g.k.Mj=function(a){this.j.Mj(a)}; +g.k.wW=function(a){this.j.Jk(a)}; +g.k.fg=function(a,b,c){this.j.OC(a,b,c)}; +g.k.onFullscreenToggled=function(a){this.j.onFullscreenToggled(a)}; +g.k.Uh=function(a){this.j.Uh(a)}; +g.k.Ik=function(a){this.j.Ik(a)}; +g.k.onVolumeChange=function(){this.j.onVolumeChange()};d2.prototype.wf=function(a,b,c,d){if(a=c6a(a,b,c,d,this.Ue,this.j,this.Oa,this.Mb,this.hf,this.Pe,this.Va,this.Ha,this.wc,this.Mc,this.zd,this.Xf,this.Nb,this.dg,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlayerBytesVodOnlyLayoutRenderingAdapterFactory.");};g.w(e2,g.C);g.k=e2.prototype;g.k.mW=function(a){if(!this.j){var b;null==(b=this.qf)||b.get().kt(a.identifier);return!1}d6a(this,this.j,a);return!0}; +g.k.eW=function(){}; +g.k.Nj=function(a){this.j&&this.j.contentCpn!==a&&(GD("Fetch instructions carried over from previous content video",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn}),this.j=null)}; +g.k.un=function(a){this.j&&this.j.contentCpn!==a&&GD("Expected content video of the current fetch instructions to end",void 0,void 0,{contentCpn:a,fetchInstructionsCpn:this.j.contentCpn},!0);this.j=null}; +g.k.qa=function(){g.C.prototype.qa.call(this);this.j=null};g.w(f2,g.C);g.k=f2.prototype;g.k.Tc=function(a,b){var c=this;if("LAYOUT_TYPE_MEDIA"===b.layoutType&&fO(b,this.B)){var d=this.Va.get().vg(2),e=this.j(b,d||void 0,this.Ca.get().F.V().experiments.ob("enable_post_ad_perception_survey_in_tvhtml5"));e?zC(this.ac.get(),"OPPORTUNITY_TYPE_PLAYER_BYTES_MEDIA_LAYOUT_ENTERED",function(){var f=[T2a(c.Ib.get(),e.contentCpn,e.vp,function(h){return c.u(h.slotId,"core",e,c_(c.Jb.get(),h))},e.inPlayerSlotId)]; +e.instreamAdPlayerUnderlayRenderer&&U2a(c.Ca.get())&&f.push(e6a(c,e,e.instreamAdPlayerUnderlayRenderer));return f}):GD("Expected MediaLayout to carry valid opportunity on entered",a,b)}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Lg=function(){}; +g.k.Qj=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.wd=function(){};var M2=["metadata_type_content_cpn","metadata_type_player_bytes_callback_ref","metadata_type_instream_ad_player_overlay_renderer","metadata_type_ad_placement_config"];g.k=i6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot)}; +g.k.release=function(){};h2.prototype.wf=function(a,b){return new i6a(a,b)};g.k=j6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");this.callback.Lg(this.slot)}; +g.k.BF=function(){this.callback.Mg(this.slot);C1(this.Ha.get(),"ad-showing")}; +g.k.release=function(){};g.k=k6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.u=this.Ha.get().isAtLiveHead();this.j=Math.ceil(Date.now()/1E3);this.callback.Lg(this.slot)}; +g.k.BF=function(){C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");var a=this.u?Infinity:this.Ha.get().getCurrentTimeSec(1,!0)+Math.floor(Date.now()/1E3)-this.j;this.Ha.get().F.seekTo(a,void 0,void 0,1);this.callback.Mg(this.slot)}; +g.k.release=function(){};g.k=l6a.prototype;g.k.init=function(){}; +g.k.pd=function(){return this.slot}; +g.k.zF=function(){B1(this.Ha.get(),"ad-showing");B1(this.Ha.get(),"ad-interrupting");this.callback.Lg(this.slot)}; +g.k.BF=function(){VP(this.Ha.get());C1(this.Ha.get(),"ad-showing");C1(this.Ha.get(),"ad-interrupting");this.callback.Mg(this.slot)}; +g.k.release=function(){VP(this.Ha.get())};i2.prototype.wf=function(a,b){if(BC(b,["metadata_type_dai"],"SLOT_TYPE_PLAYER_BYTES"))return new j6a(a,b,this.Ha);if(b.slotEntryTrigger instanceof Z0&&BC(b,["metadata_type_served_from_live_infra"],"SLOT_TYPE_PLAYER_BYTES"))return new k6a(a,b,this.Ha);if(BC(b,[],"SLOT_TYPE_PLAYER_BYTES"))return new l6a(a,b,this.Ha);throw new N("Unsupported slot with type "+b.slotType+" and client metadata: "+($Z(b.Ba)+" in PlayerBytesSlotAdapterFactory."));};g.w(k2,g.C);k2.prototype.j=function(a){for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_MUTED"===d.category&&e.triggeringLayoutId===a&&b.push(d)}b.length?k0(this.gJ(),b):GD("Mute requested but no registered triggers can be activated.")};g.w(l2,k2);g.k=l2.prototype;g.k.gh=function(a,b){if(b)if("skip-button"===a){a=[];for(var c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next()){d=d.value;var e=d.trigger;e instanceof H0&&"TRIGGER_CATEGORY_LAYOUT_EXIT_USER_SKIPPED"===d.category&&e.triggeringLayoutId===b&&a.push(d)}a.length&&k0(this.gJ(),a)}else V0(this.Ca.get(),"supports_multi_step_on_desktop")?"ad-action-submit-survey"===a&&m6a(this,b):"survey-submit"===a?m6a(this,b):"survey-single-select-answer-button"===a&&m6a(this,b)}; +g.k.nM=function(a){k2.prototype.j.call(this,a)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof I0||b instanceof H0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdUxUpdateTriggerAdapter.");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.lM=function(){}; +g.k.kM=function(){}; +g.k.hG=function(){};g.w(m2,g.C);g.k=m2.prototype; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof C0||b instanceof D0||b instanceof f1||b instanceof g1||b instanceof y0||b instanceof h1||b instanceof v4a||b instanceof A0||b instanceof B0||b instanceof F0||b instanceof u4a||b instanceof d1))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in AdsControlFlowEventTriggerAdapter");a=new j2(a,b,c,d);this.Wb.set(b.triggerId,a);b instanceof +y0&&this.D.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof C0&&this.B.has(b.triggeringSlotId)&&k0(this.j(),[a]);b instanceof A0&&this.u.has(b.triggeringLayoutId)&&k0(this.j(),[a])}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(a){this.D.add(a.slotId);for(var b=[],c=g.t(this.Wb.values()),d=c.next();!d.done;d=c.next())d=d.value,d.trigger instanceof y0&&a.slotId===d.trigger.triggeringSlotId&&b.push(d);0XN(a,16)){a=g.t(this.j);for(var b=a.next();!b.done;b=a.next())this.onCueRangeEnter(b.value,!0);this.j.clear()}}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(a,b){a=g.t(this.Wb.values());for(var c=a.next();!c.done;c=a.next()){c=c.value;var d=c.Cu.trigger;c=c.Lu;if(o6a(d)&&d.layoutId===b.layoutId){var e=1E3*this.Ha.get().getCurrentTimeSec(1,!1);d instanceof b1?d=0:(d=e+d.offsetMs,e=0x7ffffffffffff);this.wc.get().addCueRange(c,d,e,!1,this)}}}; +g.k.wd=function(a,b,c){var d=this;a={};for(var e=g.t(this.Wb.values()),f=e.next();!f.done;a={xA:a.xA,Bp:a.Bp},f=e.next())f=f.value,a.Bp=f.Cu.trigger,a.xA=f.Lu,o6a(a.Bp)&&a.Bp.layoutId===b.layoutId?P4a(this.wc.get(),a.xA):a.Bp instanceof e1&&a.Bp.layoutId===b.layoutId&&"user_cancelled"===c&&(this.wc.get().removeCueRange(a.xA),g.gA(g.iA(),function(h){return function(){d.wc.get().addCueRange(h.xA,h.Bp.j.start,h.Bp.j.end,h.Bp.visible,d)}}(a)))}; +g.k.lj=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Ik=function(){}; +g.k.onVolumeChange=function(){}; +g.k.Ul=function(){};g.w(p2,g.C);g.k=p2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof G0))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OnLayoutSelfRequestedTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.sy=function(){}; +g.k.Sr=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){};g.w(q2,g.C);g.k=q2.prototype;g.k.lj=function(a,b){for(var c=[],d=g.t(this.Wb.values()),e=d.next();!e.done;e=d.next()){e=e.value;var f=e.trigger;f.opportunityType===a&&(f.associatedSlotId&&f.associatedSlotId!==b||c.push(e))}c.length&&k0(this.j(),c)}; +g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof w4a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in OpportunityEventTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d))}; +g.k.gm=function(a){this.Wb.delete(a.triggerId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.Tc=function(){}; +g.k.wd=function(){};g.w(r2,g.C);r2.prototype.qa=function(){this.hn.isDisposed()||this.hn.get().removeListener(this);g.C.prototype.qa.call(this)};g.w(s2,g.C);s2.prototype.qa=function(){this.cf.isDisposed()||this.cf.get().removeListener(this);g.C.prototype.qa.call(this)};t2.prototype.fetch=function(a){var b=a.gT;return this.fu.fetch(a.MY,{nB:void 0===a.nB?void 0:a.nB,me:b}).then(function(c){return r6a(c,b)})};g.w(u2,g.C);g.k=u2.prototype;g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.iI=function(a){s6a(this,a,1)}; +g.k.onAdUxClicked=function(a,b){v2(this,function(c){c.gh(a,b)})}; +g.k.CN=function(a){v2(this,function(b){b.lM(a)})}; +g.k.BN=function(a){v2(this,function(b){b.kM(a)})}; +g.k.o5=function(a){v2(this,function(b){b.hG(a)})};g.w(w2,g.C);g.k=w2.prototype; +g.k.Nj=function(){this.D=new sO(this,S4a(this.Ca.get()));this.B=new tO;var a=this.F.getVideoData(1);if(!a.enableServerStitchedDai){var b=this.F.getVideoData(1),c;(null==(c=this.j)?void 0:c.clientPlaybackNonce)!==b.clientPlaybackNonce&&(null!=this.j&&this.j.unsubscribe("cuepointupdated",this.HN,this),b.subscribe("cuepointupdated",this.HN,this),this.j=b)}this.sI.length=0;var d;b=(null==(d=a.j)?void 0:Xva(d,0))||[];d=g.t(b);for(b=d.next();!b.done;b=d.next())b=b.value,this.gt(b)&&GD("Unexpected a GetAdBreak to go out without player waiting", +void 0,void 0,{cuePointId:b.identifier,cuePointEvent:b.event,contentCpn:a.clientPlaybackNonce})}; +g.k.un=function(){}; +g.k.addListener=function(a){this.listeners.push(a)}; +g.k.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})}; +g.k.YN=function(a){this.sI.push(a);for(var b=!1,c=g.t(this.listeners),d=c.next();!d.done;d=c.next())b=d.value.mW(a)||b;this.C=b}; +g.k.fW=function(a){g.Nb(this.B.j,1E3*a);for(var b=g.t(this.listeners),c=b.next();!c.done;c=b.next())c.value.eW(a)}; +g.k.gt=function(a){u6a(this,a);this.D.reduce(a);a=this.C;this.C=!1;return a}; +g.k.HN=function(a){var b=this.F.getVideoData(1).isDaiEnabled();if(b||!g.FK(this.F.V())){a=g.t(a);for(var c=a.next();!c.done;c=a.next())c=c.value,u6a(this,c),b?this.D.reduce(c):0!==this.F.getCurrentTime(1)&&"start"===c.event&&(this.Ca.get().F.V().experiments.ob("ignore_overlapping_cue_points_on_endemic_live_html5")&&(null==this.u?0:c.startSecs+c.Sg>=this.u.startSecs&&c.startSecs<=this.u.startSecs+this.u.Sg)?GD("Latest Endemic Live Web cue point overlaps with previous cue point"):(this.u=c,this.YN(c)))}}; +g.k.qa=function(){null!=this.j&&(this.j.unsubscribe("cuepointupdated",this.HN,this),this.j=null);this.listeners.length=0;this.sI.length=0;g.C.prototype.qa.call(this)};z2.prototype.addListener=function(a){this.listeners.push(a)}; +z2.prototype.removeListener=function(a){this.listeners=this.listeners.filter(function(b){return b!==a})};g.k=w6a.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.Ha.get().addListener(this);this.Ha.get().oF.push(this)}; +g.k.release=function(){this.Ha.get().removeListener(this);g5a(this.Ha.get(),this)}; +g.k.startRendering=function(a){this.callback.Tc(this.slot,a)}; +g.k.Pg=function(a,b){this.callback.wd(this.slot,a,b)}; +g.k.Ul=function(a){switch(a.id){case "part2viewed":this.Za.md("start");break;case "videoplaytime25":this.Za.md("first_quartile");break;case "videoplaytime50":this.Za.md("midpoint");break;case "videoplaytime75":this.Za.md("third_quartile");break;case "videoplaytime100":this.Za.md("complete");break;case "engagedview":if(!T4a(this.Ca.get())){this.Za.md("progress");break}y5a(this.Za)||this.Za.md("progress");break;case "conversionview":case "videoplaybackstart":case "videoplayback2s":case "videoplayback10s":break; +default:GD("Cue Range ID unknown in DiscoveryLayoutRenderingAdapter",this.slot,this.layout)}}; +g.k.onVolumeChange=function(){}; +g.k.Ik=function(){}; +g.k.Uh=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Jk=function(){}; +g.k.Mj=function(){}; +g.k.bW=function(a){T4a(this.Ca.get())&&y5a(this.Za)&&M1(this.Za,1E3*a,!1)};x6a.prototype.wf=function(a,b,c,d){b=["metadata_type_ad_placement_config"];for(var e=g.t(K1()),f=e.next();!f.done;f=e.next())b.push(f.value);if(H1(d,{Ae:b,Rf:["LAYOUT_TYPE_DISCOVERY_PLAYBACK_TRACKER"]}))return new w6a(a,c,d,this.Ha,this.Oa,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in PlaybackTrackingLayoutRenderingAdapterFactory.");};g.k=A2.prototype;g.k.pd=function(){return this.slot}; +g.k.Hb=function(){return this.layout}; +g.k.init=function(){this.xf.get().addListener(this);this.Ha.get().addListener(this);this.Ks();var a=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),b=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms"),c,d=null==(c=this.Va.get().Nu)?void 0:c.clientPlaybackNonce;c=this.layout.Ac.adClientDataEntry;y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:b-a,contentCpn:d,adClientData:c}});var e=this.xf.get();e=uO(e.B,a,b);null!==e&&(y1(this.Oa.get(),{daiStateTrigger:{filledAdsDurationMs:e-a,contentCpn:d, +cueDurationChange:"DAI_CUE_DURATION_CHANGE_SHORTER",adClientData:c}}),this.qf.get().Fu(e,b))}; +g.k.release=function(){this.wt();this.xf.get().removeListener(this);this.Ha.get().removeListener(this)}; +g.k.startRendering=function(){this.Ft();this.callback.Tc(this.slot,this.layout)}; +g.k.Pg=function(a,b){this.It(b);null!==this.driftRecoveryMs&&(z6a(this,{driftRecoveryMs:this.driftRecoveryMs.toString(),breakDurationMs:Math.round(y6a(this)-ZZ(this.layout.Ba,"metadata_type_layout_enter_ms")).toString(),driftFromHeadMs:Math.round(1E3*this.Ha.get().F.us()).toString()}),this.driftRecoveryMs=null);this.callback.wd(this.slot,this.layout,b)}; +g.k.mW=function(){return!1}; +g.k.eW=function(a){var b=ZZ(this.layout.Ba,"metadata_type_layout_enter_ms"),c=ZZ(this.layout.Ba,"metadata_type_layout_exit_ms");a*=1E3;if(b<=a&&aa.width&&C2(this.C,this.layout)}; +g.k.onVolumeChange=function(){}; +g.k.Mj=function(){}; +g.k.onFullscreenToggled=function(){}; +g.k.Uh=function(){}; +g.k.Jk=function(){}; +g.k.Ul=function(){}; +g.k.qa=function(){P1.prototype.qa.call(this)}; +g.k.release=function(){P1.prototype.release.call(this);this.Ha.get().removeListener(this)};w7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,{Ae:["METADATA_TYPE_VALID_INSTREAM_SURVEY_AD_RENDERER_FOR_VOD"],Rf:["LAYOUT_TYPE_SURVEY"]}))return new v7a(c,d,a,this.vc,this.u,this.Ha,this.Ca);if(H1(d, +{Ae:["metadata_type_player_bytes_layout_controls_callback_ref","metadata_type_valid_survey_text_interstitial_renderer","metadata_type_ad_placement_config"],Rf:["LAYOUT_TYPE_VIDEO_INTERSTITIAL_BUTTONED_LEFT"]}))return new F2(c,d,a,this.vc,this.Oa);if(H1(d,J5a()))return new U1(c,d,a,this.vc,this.Ha,this.Ca);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebDesktopMainInPlayerLayoutRenderingAdapterFactory.");};g.w(L2,g.C);g.k=L2.prototype;g.k.Zl=function(a,b,c,d){if(this.Wb.has(b.triggerId))throw new N("Tried to register duplicate trigger for slot.");if(!(b instanceof O3a))throw new N("Incorrect TriggerType: Tried to register trigger of type "+b.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");this.Wb.set(b.triggerId,new j2(a,b,c,d));a=this.j.has(b.triggeringLayoutId)?this.j.get(b.triggeringLayoutId):new Set;a.add(b);this.j.set(b.triggeringLayoutId,a)}; +g.k.gm=function(a){this.Wb.delete(a.triggerId);if(!(a instanceof O3a))throw new N("Incorrect TriggerType: Tried to unregister trigger of type "+a.triggerType+" in TimeRelativeToLayoutEnterTriggerAdapter");var b=this.u.get(a.triggerId);b&&(b.dispose(),this.u.delete(a.triggerId));if(b=this.j.get(a.triggeringLayoutId))b.delete(a),0===b.size&&this.j.delete(a.triggeringLayoutId)}; +g.k.Ii=function(){}; +g.k.Rj=function(){}; +g.k.Qj=function(){}; +g.k.Lg=function(){}; +g.k.Mg=function(){}; +g.k.Kk=function(){}; +g.k.Lk=function(){}; +g.k.Oj=function(){}; +g.k.Th=function(){}; +g.k.lj=function(){}; +g.k.Tc=function(a,b){var c=this;if(this.j.has(b.layoutId)){b=this.j.get(b.layoutId);a={};b=g.t(b);for(var d=b.next();!d.done;a={AA:a.AA},d=b.next())a.AA=d.value,d=new g.Ip(function(e){return function(){var f=c.Wb.get(e.AA.triggerId);k0(c.B(),[f])}}(a),a.AA.durationMs),d.start(),this.u.set(a.AA.triggerId,d)}}; +g.k.wd=function(){};g.w(y7a,g.C);z7a.prototype.wf=function(a,b,c,d){if(b=V1(a,c,d,this.vc,this.Ha,this.Oa,this.C,this.j,this.Ca))return b;if(H1(d,t7a()))return new J2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.B,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));if(H1(d,s7a()))return new I2(c,d,this.Oa,this.Mb,this.vc,a,this.u,this.Ha,this.Nb,this.Ca,this.j,new K2(this.Ha));throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebEmbeddedInPlayerLayoutRenderingAdapterFactory.");};g.w(A7a,g.C);g.w(B7a,g.C);g.w(C7a,g.C);g.w(N2,T1);N2.prototype.startRendering=function(a){T1.prototype.startRendering.call(this,a);ZZ(this.layout.Ba,"metadata_ad_video_is_listed")&&(a=ZZ(this.layout.Ba,"metadata_type_ad_info_ad_metadata"),this.Bm.get().F.Na("onAdMetadataAvailable",a))};E7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebRemixInPlayerLayoutRenderingAdapterFactory.");};g.w(F7a,g.C);G7a.prototype.wf=function(a,b,c,d){if(H1(d,D7a()))return new N2(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.Bm,this.j);if(a=V1(a,c,d,this.vc,this.Ha,this.Oa,this.u,this.j,this.Ca))return a;throw new b0("Unsupported layout with type: "+d.layoutType+" and client metadata: "+$Z(d.Ba)+" in WebUnpluggedInPlayerLayoutRenderingAdapterFactory.");};g.w(H7a,g.C);g.w(J7a,g.C);J7a.prototype.B=function(){return this.u};g.w(K7a,FQ); +K7a.prototype.C=function(a){var b=a.content;if("shopping-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,shoppingCompanionCarouselRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:this.j.Na("updateKevlarOrC3Companion",{})}else if("action-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1); +this.j.Na("updateKevlarOrC3Companion",{contentVideoId:a&&a.videoId,actionCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b.renderer&&(b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId})),this.j.Na("updateKevlarOrC3Companion",{})}else if("image-companion"===b.componentType)switch(a.actionType){case 1:case 2:a=this.j.getVideoData(1);this.j.Na("updateKevlarOrC3Companion", +{contentVideoId:a&&a.videoId,imageCompanionAdRenderer:b.renderer,layoutId:b.layoutId,macros:b.macros,onLayoutVisibleCallback:b.j,interactionLoggingClientData:b.interactionLoggingClientData});break;case 3:b=this.j.getVideoData(1),this.j.Na("updateKevlarOrC3Companion",{contentVideoId:b&&b.videoId}),this.j.Na("updateKevlarOrC3Companion",{})}else if("ads-engagement-panel"===b.componentType)switch(b=b.renderer,a.actionType){case 1:case 2:this.j.Na("updateEngagementPanelAction",b.addAction);this.j.Na("changeEngagementPanelVisibility", +b.expandAction);break;case 3:this.j.Na("changeEngagementPanelVisibility",b.hideAction),this.j.Na("updateEngagementPanelAction",b.removeAction)}};g.w(L7a,NQ);g.k=L7a.prototype;g.k.init=function(a,b,c){NQ.prototype.init.call(this,a,b,c);g.Hm(this.B,"stroke-dasharray","0 "+this.u);this.api.V().K("enable_dark_mode_style_endcap_timed_pie_countdown")&&(this.B.classList.add("ytp-ad-timed-pie-countdown-inner-light"),this.C.classList.add("ytp-ad-timed-pie-countdown-outer-light"));this.show()}; +g.k.clear=function(){this.hide()}; +g.k.hide=function(){PQ(this);NQ.prototype.hide.call(this)}; +g.k.show=function(){OQ(this);NQ.prototype.show.call(this)}; +g.k.Vv=function(){this.hide()}; +g.k.ut=function(){if(this.j){var a=this.j.getProgressState();null!=a&&null!=a.current&&g.Hm(this.B,"stroke-dasharray",a.current/a.seekableEnd*this.u+" "+this.u)}};g.w(M7a,eQ);g.k=M7a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,c);if(b.image&&b.image.thumbnail)if(b.headline)if(b.description)if(b.backgroundImage&&b.backgroundImage.thumbnail)if(b.actionButton&&g.K(b.actionButton,g.mM))if(a=b.durationMilliseconds||0,"number"!==typeof a||0>=a)g.CD(Error("durationMilliseconds was specified incorrectly in AdActionInterstitialRenderer with a value of: "+a));else if(b.navigationEndpoint){var d=this.api.getVideoData(2);if(null!=d){var e=b.image.thumbnail.thumbnails;null!=e&& +0=this.B?(this.C.hide(),this.J=!0):this.messageText&&this.messageText.isTemplated()&&(a=Math.max(0,Math.ceil((this.B-a)/1E3)),a!==this.Z&&(MQ(this.messageText,{TIME_REMAINING:String(a)}),this.Z=a)))}};g.w(a8a,eQ);g.k=a8a.prototype; +g.k.init=function(a,b,c){eQ.prototype.init.call(this,a,b,{});b.image&&b.image.thumbnail?b.headline?b.description?b.actionButton&&g.K(b.actionButton,g.mM)?(this.B.init(fN("ad-image"),b.image,c),this.u.init(fN("ad-text"),b.headline,c),this.C.init(fN("ad-text"),b.description,c),a=["ytp-ad-underlay-action-button"],this.api.V().K("use_blue_buttons_for_desktop_player_underlay")&&a.push("ytp-ad-underlay-action-button-blue"),this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb, +a),b.backgroundColor&&g.Hm(this.element,"background-color",g.nR(b.backgroundColor)),g.E(this,this.actionButton),this.actionButton.Ea(this.D),this.actionButton.init(fN("button"),g.K(b.actionButton,g.mM),c),b=g.gJ(this.api.V().experiments,"player_underlay_video_width_fraction"),this.api.V().K("place_shrunken_video_on_left_of_player")?(c=this.j,g.Sp(c,"ytp-ad-underlay-left-container"),g.Qp(c,"ytp-ad-underlay-right-container"),g.Hm(this.j,"margin-left",Math.round(100*(b+.02))+"%")):(c=this.j,g.Sp(c,"ytp-ad-underlay-right-container"), +g.Qp(c,"ytp-ad-underlay-left-container")),g.Hm(this.j,"width",Math.round(100*(1-b-.04))+"%"),this.api.uG()&&this.show(),this.api.addEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this)),this.api.addEventListener("resize",this.qU.bind(this))):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no button.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no description AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no headline AdText.")):g.CD(Error("InstreamAdPlayerUnderlayRenderer has no image."))}; +g.k.show=function(){b8a(!0);this.actionButton&&this.actionButton.show();eQ.prototype.show.call(this)}; +g.k.hide=function(){b8a(!1);this.actionButton&&this.actionButton.hide();eQ.prototype.hide.call(this)}; +g.k.clear=function(){this.api.removeEventListener("playerUnderlayVisibilityChange",this.CQ.bind(this));this.api.removeEventListener("resize",this.qU.bind(this));this.hide()}; +g.k.onClick=function(a){eQ.prototype.onClick.call(this,a);this.actionButton&&g.zf(this.actionButton.element,a.target)&&this.api.pauseVideo()}; +g.k.CQ=function(a){"transitioning"===a?(this.j.classList.remove("ytp-ad-underlay-clickable"),this.show()):"visible"===a?this.j.classList.add("ytp-ad-underlay-clickable"):"hidden"===a&&(this.hide(),this.j.classList.remove("ytp-ad-underlay-clickable"))}; +g.k.qU=function(a){1200a)g.CD(Error("timeoutSeconds was specified incorrectly in SurveyTextInterstitialRenderer with a value of: "+a));else if(b.timeoutCommands)if(b.text)if(b.ctaButton&&g.K(b.ctaButton,g.mM))if(b.brandImage)if(b.backgroundImage&&g.K(b.backgroundImage,U0)&&g.K(b.backgroundImage,U0).landscape){this.layoutId||g.CD(Error("Missing layoutId for survey interstitial."));p8a(this.interstitial,g.K(b.backgroundImage, +U0).landscape);p8a(this.logoImage,b.brandImage);g.Af(this.text,g.gE(b.text));var e=["ytp-ad-survey-interstitial-action-button"];this.api.V().K("web_modern_buttons_bl_survey")&&e.push("ytp-ad-survey-interstitial-action-button-rounded");this.actionButton=new vQ(this.api,this.layoutId,this.interactionLoggingClientData,this.rb,e);g.E(this,this.actionButton);this.actionButton.Ea(this.u);this.actionButton.init(fN("button"),g.K(b.ctaButton,g.mM),c);this.actionButton.show();this.j=new cR(this.api,1E3*a); +this.j.subscribe("g",function(){d.transition.hide()}); +g.E(this,this.j);this.S(this.element,"click",function(f){var h=f.target===d.interstitial;f=d.actionButton.element.contains(f.target);if(h||f)if(d.transition.hide(),h)d.api.onAdUxClicked(d.componentType,d.layoutId)}); +this.transition.show(100)}else g.CD(Error("SurveyTextInterstitialRenderer has no landscape background image."));else g.CD(Error("SurveyTextInterstitialRenderer has no brandImage."));else g.CD(Error("SurveyTextInterstitialRenderer has no button."));else g.CD(Error("SurveyTextInterstitialRenderer has no text."));else g.CD(Error("timeoutSeconds was specified yet no timeoutCommands where specified"))}; +X2.prototype.clear=function(){this.hide()}; +X2.prototype.show=function(){q8a(!0);eQ.prototype.show.call(this)}; +X2.prototype.hide=function(){q8a(!1);eQ.prototype.hide.call(this)};var idb="ad-attribution-bar ad-channel-thumbnail advertiser-name ad-preview ad-title skip-button visit-advertiser".split(" ").concat(["shopping-companion","action-companion","image-companion","ads-engagement-panel"]);g.w(Y2,FQ); +Y2.prototype.C=function(a){var b=a.id,c=a.content,d=c.componentType;if(!idb.includes(d))switch(a.actionType){case 1:a=this.api;var e=this.rb,f=c.layoutId,h=c.interactionLoggingClientData,l=c instanceof aO?c.pP:!1,m=c instanceof aO||c instanceof bR?c.gI:!1;h=void 0===h?{}:h;l=void 0===l?!1:l;m=void 0===m?!1:m;switch(d){case "invideo-overlay":a=new R7a(a,f,h,e);break;case "player-overlay":a=new lR(a,f,h,e,new gU(a),m);break;case "survey":a=new W2(a,f,h,e);break;case "ad-action-interstitial":a=new M7a(a, +f,h,e,l,m);break;case "survey-interstitial":a=new X2(a,f,h,e);break;case "ad-message":a=new Z7a(a,f,h,e,new gU(a,1));break;case "player-underlay":a=new a8a(a,f,h,e);break;default:a=null}if(!a){g.DD(Error("No UI component returned from ComponentFactory for type: "+d));break}g.$c(this.u,b)?g.DD(Error("Ad UI component already registered: "+b)):this.u[b]=a;a.bind(c);c instanceof l7a?this.B?this.B.append(a.VO):g.CD(Error("Underlay view was not created but UnderlayRenderer was created")):this.D.append(a.VO); +break;case 2:b=r8a(this,a);if(null==b)break;b.bind(c);break;case 3:c=r8a(this,a),null!=c&&(g.Za(c),g.$c(this.u,b)?g.id(this.u,b):g.DD(Error("Ad UI component does not exist: "+b)))}}; +Y2.prototype.qa=function(){g.$a(Object.values(this.u));this.u={};FQ.prototype.qa.call(this)};g.w(s8a,g.CT);g.k=s8a.prototype;g.k.create=function(){try{t8a(this),this.load(),this.created=!0,t8a(this)}catch(a){GD(a instanceof Error?a:String(a))}}; +g.k.load=function(){try{v8a(this)}finally{k1(O2(this.j).Di)&&this.player.jg("ad",1)}}; +g.k.destroy=function(){var a=this.player.getVideoData(1);this.j.j.Zs.un(a&&a.clientPlaybackNonce||"");this.unload();this.created=!1}; +g.k.unload=function(){g.CT.prototype.unload.call(this);zsa(!1);try{this.player.getRootNode().classList.remove("ad-created")}catch(b){GD(b instanceof Error?b:String(b))}if(null!==this.xe){var a=this.xe;this.xe=null;a.dispose()}null!=this.u&&(a=this.u,this.u=null,a.dispose());this.fu.reset()}; +g.k.Tk=function(){return!1}; +g.k.qP=function(){return null===this.xe?!1:this.xe.qP()}; +g.k.bp=function(a){null!==this.xe&&this.xe.bp(a)}; +g.k.getAdState=function(){return this.xe?this.xe.qG:-1}; +g.k.getOptions=function(){return Object.values(hdb)}; +g.k.qh=function(a,b){b=void 0===b?{}:b;switch(a){case "replaceUrlMacros":return a=b,a.url?(b=BN(this.player),Object.assign(b,a.s6a),this.xe&&!b.AD_CPN&&(b.AD_CPN=this.xe.GB()),a=g.xp(a.url,b)):a=null,a;case "onAboutThisAdPopupClosed":this.Ys(b);break;case "executeCommand":a=b;a.command&&a.layoutId&&this.executeCommand(a);break;default:return null}}; +g.k.gt=function(a){var b;return!(null==(b=this.j.j.xf)||!b.get().gt(a))}; +g.k.Ys=function(a){a.isMuted&&hEa(this.xe,O2(this.j).Kj,O2(this.j).Tl,a.layoutId);this.Gx&&this.Gx.Ys()}; +g.k.executeCommand=function(a){O2(this.j).rb.executeCommand(a.command,a.layoutId)};g.BT("ad",s8a);var B8a=g.mf&&A8a();g.w(g.Z2,g.C);g.Z2.prototype.start=function(a,b,c){this.config={from:a,to:b,duration:c,startTime:(0,g.M)()};this.next()}; +g.Z2.prototype.stop=function(){this.delay.stop();this.config=void 0}; +g.Z2.prototype.next=function(){if(this.config){var a=this.config,b=a.from,c=a.to,d=a.duration;a=a.startTime;var e=(0,g.M)()-a;a=this.j;d=Ala(a,e/d);if(0==d)a=a.J;else if(1==d)a=a.T;else{e=De(a.J,a.D,d);var f=De(a.D,a.I,d);a=De(a.I,a.T,d);e=De(e,f,d);f=De(f,a,d);a=De(e,f,d)}a=g.ze(a,0,1);this.callback(b+(c-b)*a);1>a&&this.delay.start()}};g.w(g.$2,g.U);g.k=g.$2.prototype;g.k.JZ=function(){this.B&&this.scrollTo(this.j-this.containerWidth)}; +g.k.show=function(){g.U.prototype.show.call(this);F8a(this)}; +g.k.KZ=function(){this.B&&this.scrollTo(this.j+this.containerWidth)}; +g.k.Hq=function(){this.Db(this.api.jb().getPlayerSize())}; +g.k.isShortsModeEnabled=function(){return this.api.V().K("shorts_mode_to_player_api")?this.api.Sb():this.I.Sb()}; +g.k.Db=function(a){var b=this.isShortsModeEnabled()?.5625:16/9,c=this.I.yg();a=a.width-(c?112:58);c=Math.ceil(a/(c?320:192));var d=(a-8*c)/c;b=Math.floor(d/b);for(var e=g.t(this.u),f=e.next();!f.done;f=e.next())f=f.value.Da("ytp-suggestion-image"),f.style.width=d+"px",f.style.height=b+"px";this.suggestions.element.style.height=b+"px";this.D=d;this.Z=b;this.containerWidth=a;this.columns=c;this.j=0;this.suggestions.element.scrollLeft=-0;g.a3(this)}; +g.k.onVideoDataChange=function(){var a=this.api.V(),b=this.api.getVideoData();this.J=b.D?!1:a.C;this.suggestionData=b.suggestions?g.Rn(b.suggestions,function(c){return c&&!c.playlistId}):[]; +H8a(this);b.D?this.title.update({title:g.lO("More videos from $DNI_RELATED_CHANNEL",{DNI_RELATED_CHANNEL:b.author})}):this.title.update({title:this.isShortsModeEnabled()?"More shorts":"More videos"})}; +g.k.scrollTo=function(a){a=g.ze(a,this.containerWidth-this.suggestionData.length*(this.D+8),0);this.T.start(this.j,a,1E3);this.j=a;g.a3(this);F8a(this)};})(_yt_player); diff --git a/test/full-info-test.js b/test/full-info-test.js index cfbbf278..e080838d 100644 --- a/test/full-info-test.js +++ b/test/full-info-test.js @@ -12,7 +12,7 @@ describe('ytdl.getInfo()', () => { describe('After calling ytdl.getBasicInfo()', () => { it('Does not make extra requests', async() => { - const id = '5qap5aO4i9A'; + const id = 'jfKfPfyJRdk'; const scope = nock(id, 'live-now'); let info = Object.assign({}, await ytdl.getBasicInfo(id)); let info2 = await ytdl.getInfo(id); diff --git a/test/irl-test.js b/test/irl-test.js index 6209a4c6..78a44761 100644 --- a/test/irl-test.js +++ b/test/irl-test.js @@ -9,7 +9,7 @@ const videos = { 'Embed domain restricted': 'B3eAMGXFw1o', 'No embed allowed': 'GFg8BP01F5Q', Offensive: 'hCKDsjLt_qU', - 'Live broadcast': '5qap5aO4i9A', + 'Live broadcast': 'jfKfPfyJRdk', }; diff --git a/test/sig-test.js b/test/sig-test.js index f3a99a33..eabe0c35 100644 --- a/test/sig-test.js +++ b/test/sig-test.js @@ -42,7 +42,7 @@ describe('Get functions', () => { it('Gives an error', async() => { const scope = nock.url(testUrl).reply(200, contents); - await assert.rejects(sig.getFunctions(testUrl, {}), /Could not extract functions/); + await assert.rejects(sig.getFunctions(testUrl, {}), /Please open an issue on ytdl-core GitHub/); scope.done(); }); });