@sgrsoft/vpe-core-sdk 0.12.1 → 0.13.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +74 -0
- package/dist/main.d.ts +9 -1
- package/dist/vpe-core-sdk.cjs.js +1 -1
- package/dist/vpe-core-sdk.es.js +2168 -320
- package/package.json +4 -2
package/README.md
CHANGED
|
@@ -1,2 +1,76 @@
|
|
|
1
1
|
# VPE Core SDK
|
|
2
2
|
|
|
3
|
+
VPE Player를 초기화하고 설정을 검증하는 Core SDK입니다. Access Key 검증, 서버 옵션 동기화, MA 리포트 동기화, 다국어 메시지, 옵션 정규화를 제공합니다.
|
|
4
|
+
|
|
5
|
+
## 주요 기능
|
|
6
|
+
- Access Key 및 App ID 기반 라이선스/설정 확인
|
|
7
|
+
- 플랫폼/스테이지별 서버 설정 로딩 (`pub|gov`, `prod|beta`)
|
|
8
|
+
- 플레이어 옵션 병합 및 검증
|
|
9
|
+
- 무료 요금제 강제 옵션 템플릿 적용
|
|
10
|
+
- MA(통계/리포트) 동기화 및 전송
|
|
11
|
+
- i18n 문자열 조회 (`$t`)
|
|
12
|
+
- HLS 마스터 플레이리스트 파싱
|
|
13
|
+
|
|
14
|
+
## 설치
|
|
15
|
+
```bash
|
|
16
|
+
pnpm install
|
|
17
|
+
```
|
|
18
|
+
|
|
19
|
+
## 기본 사용법
|
|
20
|
+
```ts
|
|
21
|
+
import VpeCore from '@sgrsoft/vpe-core-sdk';
|
|
22
|
+
|
|
23
|
+
const vpe = new VpeCore({
|
|
24
|
+
accessKey: 'YOUR_ACCESS_KEY',
|
|
25
|
+
appId: location.origin,
|
|
26
|
+
platform: 'pub',
|
|
27
|
+
stage: 'prod',
|
|
28
|
+
isDev: false,
|
|
29
|
+
});
|
|
30
|
+
|
|
31
|
+
const result = await vpe.initialize();
|
|
32
|
+
if (result.error) {
|
|
33
|
+
console.error(result.error);
|
|
34
|
+
return;
|
|
35
|
+
}
|
|
36
|
+
|
|
37
|
+
const options = vpe.getValidatedOptions({
|
|
38
|
+
autostart: false,
|
|
39
|
+
});
|
|
40
|
+
console.log(options);
|
|
41
|
+
```
|
|
42
|
+
|
|
43
|
+
## API 요약
|
|
44
|
+
### VpeCore 생성자
|
|
45
|
+
- `accessKey`: 인증 키
|
|
46
|
+
- `appId`: 앱/도메인 식별자
|
|
47
|
+
- `platform`: `pub` 또는 `gov`
|
|
48
|
+
- `stage`: `prod` 또는 `beta`
|
|
49
|
+
- `isDev`: 개발 모드일 때 `true`
|
|
50
|
+
- `language`: i18n 언어 코드
|
|
51
|
+
|
|
52
|
+
### 주요 메서드
|
|
53
|
+
- `initialize()`: 서버 설정과 MA 초기화 수행
|
|
54
|
+
- `isInitialized()`: 서버 설정 로딩 여부
|
|
55
|
+
- `isPaidTier()`: 요금제 유료 여부
|
|
56
|
+
- `getValidatedOptions(options)`: 서버 옵션과 로컬 옵션 병합
|
|
57
|
+
- `$t(key)`: i18n 문자열 조회
|
|
58
|
+
- `getErrorState()`: 마지막 에러 상태 반환
|
|
59
|
+
- `hlsPaser(url)`: HLS 마스터 플레이리스트 파싱
|
|
60
|
+
|
|
61
|
+
## 예제
|
|
62
|
+
- `example/` 디렉터리의 최소 연동 샘플로 동작 확인
|
|
63
|
+
- 실행: `pnpm dev`
|
|
64
|
+
|
|
65
|
+
## 빌드
|
|
66
|
+
```bash
|
|
67
|
+
pnpm build
|
|
68
|
+
pnpm build:types
|
|
69
|
+
```
|
|
70
|
+
|
|
71
|
+
## 배포 산출물
|
|
72
|
+
`dist/`에 다음 파일만 배포 대상으로 유지합니다.
|
|
73
|
+
- `vpe-core-sdk.es.js`
|
|
74
|
+
- `vpe-core-sdk.cjs.js`
|
|
75
|
+
- `main.d.ts`
|
|
76
|
+
|
package/dist/main.d.ts
CHANGED
|
@@ -83,6 +83,11 @@ export declare class VpeCore {
|
|
|
83
83
|
private readonly isDev;
|
|
84
84
|
private translator;
|
|
85
85
|
private errorState;
|
|
86
|
+
private maManager;
|
|
87
|
+
startTimeAt: number | null;
|
|
88
|
+
private incomingType;
|
|
89
|
+
private hasFirstPlayReported;
|
|
90
|
+
private playerStartTimeMs;
|
|
86
91
|
constructor({ accessKey, appId, platform, stage, isDev, language }: VpeCoreOptions);
|
|
87
92
|
initialize(): Promise<{
|
|
88
93
|
error: {
|
|
@@ -262,7 +267,6 @@ export declare class VpeCore {
|
|
|
262
267
|
isInitialized(): boolean;
|
|
263
268
|
getValidatedOptions(options?: Partial<VpePlayerOptions>): VpePlayerOptions;
|
|
264
269
|
getPlaylist(): PlaylistItem[];
|
|
265
|
-
playerStateReport(evt: any): Promise<void>;
|
|
266
270
|
/**
|
|
267
271
|
*
|
|
268
272
|
* @param key
|
|
@@ -273,5 +277,9 @@ export declare class VpeCore {
|
|
|
273
277
|
url: string;
|
|
274
278
|
levelIndex: number;
|
|
275
279
|
}>>;
|
|
280
|
+
playerStateReport(evt: any): Promise<void>;
|
|
281
|
+
report(eventType: any, toData: any, orgType: any): Promise<void>;
|
|
282
|
+
getVideoProtocol(url: string): "hls" | "dash" | "mp4";
|
|
283
|
+
getElapsedMilliseconds(): number;
|
|
276
284
|
}
|
|
277
285
|
export {};
|
package/dist/vpe-core-sdk.cjs.js
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
"use strict";function m(){var a=["1069349Rihhss","Invalid access. Please check your access_key.","In a moment","hour","Invalid DRM token.","Required module was not loaded. (dash.js)","Cancel","License","1078Fvvfne","Normal","Monthly basic API calls exceeded. Please switch to a paid version.","Player Startup Failed","Autoplay","60328qTxupx","Subtitles not available","second(s)","Screen capture / screen recording has been detected.","Cannot play video","Cannot play DASH video on iOS.","Quality","Required module was not loaded. (hls.js)","The video could not be played.","Previous video","minute(s)","69LumykM","Mini player","4297860gZKkop","min","Authentication Failed","Unsupported format.","Replay","Pause","Invalid URL format.","Next video","Auto","Subtitles","6259509rxRGuO","1930238SGrjtj","Player Execution Failed","3680380KGWykx","Settings","136028hXMCFs","Scheduled","Playback speed","Mute","Turn on captions"];return m=function(){return a},m()}function L(a,t){a=a-362;var x=m(),n=x[a];return n}var i=L;(function(a,t){for(var x=L,n=a();;)try{var r=-parseInt(x(363))/1+-parseInt(x(400))/2+parseInt(x(387))/3*(parseInt(x(404))/4)+-parseInt(x(402))/5+parseInt(x(389))/6+parseInt(x(371))/7*(parseInt(x(376))/8)+parseInt(x(399))/9;if(r===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(m,584742);const V={common:{cancel:i(369),auto:i(397),normal:i(372),notUse:"Not used",prev:i(385),next:i(396),delayText:"seconds until auto-play",license:i(370),play:"Play",pause:i(394),replay:i(393),fullOn:"Fullscreen",fullOff:"Exit fullscreen",muteOn:i(407),muteOff:"Unmute",captionOff:"Turn off captions",captionOn:i(362),setting:i(403),live:"LIVE",miniPlayer:i(388),isMute:"You are muted.",subtitle:i(398),subtitleNot:i(377)},settings:{autoplay:i(375),playbackRate:i(406),captions:"Subtitles",quality:i(382)},error:{"01":{title:i(380),desc:i(364)},"02":{title:i(380),desc:"You do not have permission to play this video."},"03":{title:i(391),desc:"The network connection is unstable."},"04":{title:i(380),desc:i(384)},"05":{title:i(380),desc:"The license is not valid."},"06":{title:"Cannot play video",desc:i(373)},"07":{title:i(380),desc:i(392)},"08":{title:i(380),desc:i(395)},"09":{title:i(380),desc:"The live stream is OFFLINE."},10:{title:i(380),desc:i(381)},11:{title:i(380),desc:i(367)},12:{title:i(380),desc:"Failed to communicate with the DRM license server."},13:{title:i(380),desc:"FairPlay certificate validation failed."},14:{title:i(380),desc:i(379)},15:{title:i(401),desc:i(383)},16:{title:"Player Execution Failed",desc:i(368)},17:{title:i(374),desc:"This feature requires the Standard plan."}},alternative:{hour:"hour(s)",minute:i(386),second:i(378),after:i(365),afterMin:i(390),afterHour:i(366),afterDay:"day",startPlay:"Video will start in {timeTxt}.",nextPlay:"Next video will play in {timeTxt} seconds.",afterPlay:i(405)}};var l=E;(function(a,t){for(var x=E,n=a();;)try{var r=-parseInt(x(155))/1*(-parseInt(x(138))/2)+parseInt(x(157))/3+parseInt(x(150))/4+-parseInt(x(162))/5+-parseInt(x(158))/6*(-parseInt(x(167))/7)+-parseInt(x(174))/8+-parseInt(x(170))/9;if(r===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(v,697545);const Y={common:{cancel:"취소",auto:"자동",normal:"보통",notUse:l(141),prev:l(177),next:l(134),delayText:l(169),license:l(164),play:"재생",pause:l(139),replay:l(163),fullOn:l(148),fullOff:l(166),muteOn:l(147),muteOff:l(142),captionOff:"자막끄기",captionOn:l(135),setting:"설정",live:l(171),miniPlayer:l(153),isMute:"음소거 상태입니다.",subtitle:"자막",subtitleNot:"자막 사용 불가"},settings:{autoplay:l(154),playbackRate:l(149),captions:"자막",quality:l(146)},error:{"01":{title:l(136),desc:"잘못된 접근입니다. access_key를 확인해주세요."},"02":{title:"동영상을 재생할 수 없음",desc:l(165)},"03":{title:l(176),desc:l(160)},"04":{title:l(136),desc:"동영상을 재생할 수 없습니다."},"05":{title:l(136),desc:l(143)},"06":{title:"동영상을 재생할 수 없음",desc:"월 기본 제공 호출 건수를 초과하였습니다. 유료 버전으로 전환 후 사용 부탁 드립니다."},"07":{title:l(136),desc:l(151)},"08":{title:"동영상을 재생할 수 없음",desc:"URL 형식이 잘못되었습니다."},"09":{title:l(136),desc:"라이브스트림이 OFFLINE 입니다."},10:{title:l(136),desc:"iOS에서 Dash 비디오를 재생할 수 없습니다."},11:{title:"동영상을 재생할 수 없음",desc:l(161)},12:{title:"동영상을 재생할 수 없음",desc:l(145)},13:{title:l(136),desc:l(152)},14:{title:"동영상을 재생할 수 없음",desc:l(172)},15:{title:l(140),desc:"필수 모듈이 로드되지 않았습니다. (hls.js)"},16:{title:"플레이어 실행 실패",desc:l(159)},17:{title:l(175),desc:l(137)}},alternative:{hour:"시",minute:"분",second:"초",after:l(156),afterMin:"분 ",afterHour:l(173),afterDay:"일 ",startPlay:l(168),nextPlay:l(144),afterPlay:"예정"}};function E(a,t){a=a-134;var x=v(),n=x[a];return n}function v(){var a=["4413555JMDrce","다시보기","라이선스","동영상을 재생할 권한이 없습니다.","전체화면 해제","1648409IJxcnc","{timeTxt} 후 영상이 시작됩니다.","초 뒤 자동재생","15611049DvaDFm","실시간","화면 캡쳐 / 화면 녹화가 감지되었습니다.","시간 ","5325096XEAhcf","플레이어 구동 실패","인증 실패","이전 동영상","다음 동영상","자막켜기","동영상을 재생할 수 없음","Standard 요금제가 필요한 기능입니다.","1653562vocjvP","일시정지","플레이어 실행 실패","사용안함","음소거 해제","라이선스가 유효하지 않습니다.","{timeTxt}초 후 다음 영상이 재생됩니다.","DRM 라이선스 서버와 통신에 실패하였습니다.","해상도","음소거","전체화면","재생 속도","4247640vgWkOL","지원하지 않는 형식입니다.","FairPlay 인증서 검증에 실패하였습니다.","미니플레이어","자동재생","1KITEbZ","잠시 ","4155906bcctoB","18HGUfSD","필수 모듈이 로드되지 않았습니다. (dash.js)","네트워크 연결이 원활하지 않습니다.","DRM 토큰이 잘못되었습니다."];return v=function(){return a},v()}var c=D;function _(){var a=["秒後に自動再生","この動画を再生する権限がありません。","ライブストリームはオフラインです。","FairPlay証明書の検証に失敗しました。","21pokqfd","リプレイ","次の動画","ミュート状態です。","10eiufxC","URLの形式が正しくありません。","ライセンス","387224CSUhhx","しばらくして","1558774cOYsQE","8172DdYjlv","不正なアクセスです。access_keyを確認してください。","63530ujgUIt","プレーヤーの起動に失敗しました","字幕をオフにする","ネットワーク接続が不安定です。","全画面表示を終了","ライセンスが無効です。","ミュート","DRMトークンが無効です。","動画を再生できません","DRMライセンスサーバーとの通信に失敗しました。","ミュート解除","サポートされていない形式です。","32502pOcjad","183Usmdls","月間の基本提供呼び出し回数を超過しました。有料版に切り替えてご利用ください。","36kIkHQm","動画を再生できませんでした。","156Jqxerl","{timeTxt}後に動画が始まります。","iOSではDASHビデオを再生できません。","12JYChiN","156ShPXff","前の動画","一時停止","{timeTxt}秒後に次の動画が再生されます。","全画面表示","1299035SMyRYH","必須モジュールが読み込まれていません。(hls.js)","使用しない","キャンセル","56441YfRxMn","この機能にはStandardプランが必要です。"];return _=function(){return a},_()}function D(a,t){a=a-255;var x=_(),n=x[a];return n}(function(a,t){for(var x=D,n=a();;)try{var r=parseInt(x(295))/1*(-parseInt(x(275))/2)+-parseInt(x(296))/3*(parseInt(x(281))/4)+parseInt(x(261))/5*(-parseInt(x(255))/6)+parseInt(x(271))/7*(-parseInt(x(278))/8)+-parseInt(x(298))/9*(parseInt(x(283))/10)+-parseInt(x(265))/11*(parseInt(x(300))/12)+-parseInt(x(256))/13*(-parseInt(x(280))/14);if(r===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(_,292021);const j={common:{cancel:c(264),auto:"自動",normal:"標準",notUse:c(263),prev:c(257),next:c(273),delayText:c(267),license:c(277),play:"再生",pause:c(258),replay:c(272),fullOn:c(260),fullOff:c(287),muteOn:c(289),muteOff:c(293),captionOff:c(285),captionOn:"字幕をオンにする",setting:"設定",live:"ライブ",miniPlayer:"ミニプレーヤー",isMute:c(274),subtitle:"字幕",subtitleNot:"字幕は利用できません"},settings:{autoplay:"自動再生",playbackRate:"再生速度",captions:"字幕",quality:"画質"},error:{"01":{title:c(291),desc:c(282)},"02":{title:c(291),desc:c(268)},"03":{title:"認証に失敗しました",desc:c(286)},"04":{title:"動画を再生できません",desc:c(299)},"05":{title:c(291),desc:c(288)},"06":{title:c(291),desc:c(297)},"07":{title:"動画を再生できません",desc:c(294)},"08":{title:c(291),desc:c(276)},"09":{title:c(291),desc:c(269)},10:{title:"動画を再生できません",desc:c(302)},11:{title:c(291),desc:c(290)},12:{title:c(291),desc:c(292)},13:{title:"動画を再生できません",desc:c(270)},14:{title:"動画を再生できません",desc:"画面キャプチャ/画面録画が検出されました。"},15:{title:c(284),desc:c(262)},16:{title:"プレーヤーの起動に失敗しました",desc:"必須モジュールが読み込まれていません。(dash.js)"},17:{title:c(284),desc:c(266)}},alternative:{hour:"時間",minute:"分",second:"秒",after:c(279),afterMin:"分後",afterHour:"時間後",afterDay:"日後",startPlay:c(301),nextPlay:c(259),afterPlay:"予定"}};function G(a,t){return a=a-131,S()[a]}const g=G;(function(a,t){const x=G,n=a();for(;;)try{if(-parseInt(x(135))/1*(-parseInt(x(134))/2)+-parseInt(x(145))/3*(-parseInt(x(133))/4)+parseInt(x(143))/5*(parseInt(x(131))/6)+parseInt(x(136))/7*(parseInt(x(132))/8)+-parseInt(x(142))/9+parseInt(x(144))/10*(-parseInt(x(139))/11)+-parseInt(x(141))/12===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(S,916017);function S(){const a=["32pMkuou","75741GRpYxY","14ArSkPZ","undefined","language","11ScwJCL","split","7157868cQBHlq","11558241IauBHs","5IAxmhy","13094110Uuiupf","3flqiOh","1648662bArPvq","5202264RqkxqT","5275868iQTzxk"];return S=function(){return a},S()}const O={en:V,ko:Y,ja:j},Z=()=>typeof navigator!==g(137)&&typeof navigator[g(138)]!==g(137);function z(a){const t=g,x=a[t(140)]("-")[0];return x in O?x:"en"}function k(a){const t=g;let x="en";a?x=a:Z()&&(x=navigator[t(138)]);const n=z(x);return O[n]}k();function M(){const a=["Liberia","Réunion","Iraq","Jersey","Falkland Islands (Malvinas)","Azerbaijan","Luxembourg","Peru","United States Minor Outlying Islands","Uruguay","Cabo Verde","Micronesia (Federated States of)","Germany","Bolivia (Plurinational State of)","Bosnia and Herzegovina","9618174lKRrre","Turks and Caicos Islands","Iran (Islamic Republic of)","Portugal","Switzerland","San Marino","Saudi Arabia","Honduras","Rwanda","Guadeloupe","Martinique","Central African Republic","Qatar","Turkmenistan","208616qUoiWf","Chile","Tajikistan","Moldova (Republic of)","Poland","Greece","30tAwGDs","Paraguay","United States of America","Niger","Denmark","Kyrgyzstan","Yemen","United Arab Emirates","Zambia","9708900mxwNyo","Sint Maarten (Dutch part)","Sudan","Fiji","Nauru","Tuvalu","Lithuania","Egypt","Burkina Faso","Cuba","Saint Kitts and Nevis","El Salvador","Equatorial Guinea","Singapore","Syrian Arab Republic","Andorra","Côte d'Ivoire","Tokelau","Swaziland","Bahrain","Iceland","Saint Vincent and the Grenadines","Japan","Barbados","Nigeria","Pitcairn","Cyprus","Oman","Faroe Islands","American Samoa","669516GUFZXl","Bermuda","Namibia","French Guiana","Thailand","Malaysia","Curaçao","Costa Rica","Lesotho","Uzbekistan","Ethiopia","Nicaragua","Samoa","Kazakhstan","51PNRuDO","Monaco","Maldives","Ghana","Palau","British Indian Ocean Territory","Guinea","Saint Lucia","Kiribati","Mexico","Antigua and Barbuda","Venezuela (Bolivarian Republic of)","Svalbard and Jan Mayen","Bahamas","Georgia","Heard Island and McDonald Islands","Saint Barthélemy","Austria","Gabon","Grenada","Bhutan","Lao People's Democratic Republic","Kuwait","Mali","Gambia","United Kingdom","Slovenia","Mayotte","Sierra Leone","Myanmar","Comoros","Tanzania, United Republic of","Panama","Guyana","Russian Federation","650094voRpfj","Ecuador","Bulgaria","Montenegro","Timor-Leste","Tunisia","Marshall Islands","Puerto Rico","Saint Helena, Ascension and Tristan da Cunha","French Southern Territories","Suriname","Cook Islands","Madagascar","Norfolk Island","Cocos (Keeling) Islands","Korea (Democratic People's Republic of)","Antarctica","New Caledonia","Congo","497aRQKXj","Canada","Ukraine","Åland Islands","1716390lQNqbu","Malawi","Argentina","Bouvet Island","China","Mauritius","Niue","Finland","Colombia","Hungary","Norway","Trinidad and Tobago","Belize","Macedonia (the former Yugoslav Republic of)","Guernsey","Italy","Philippines","Cayman Islands","South Sudan","Brazil","Chad","France","Ireland","Saint Pierre and Miquelon","Australia","Solomon Islands","Djibouti","Guam","Cambodia","Papua New Guinea","Virgin Islands (British)","Angola","Albania","Libya","Montserrat","Turkey","Cameroon","Aruba","Gibraltar","Sweden","Liechtenstein","Serbia","Northern Mariana Islands","Czech Republic","Mozambique","Romania","Latvia","Isle of Man","Togo","Spain","Holy See","Greenland","Sri Lanka","112622YQBSXU","Indonesia","Congo (Democratic Republic of the)","Guinea-Bissau","Hong Kong","Zimbabwe","Bangladesh"];return M=function(){return a},M()}const e=F;function F(a,t){return a=a-183,M()[a]}(function(a,t){const x=F,n=a();for(;;)try{if(-parseInt(x(377))/1+parseInt(x(247))/2*(-parseInt(x(342))/3)+parseInt(x(328))/4*(-parseInt(x(289))/5)+-parseInt(x(194))/6+parseInt(x(190))/7*(parseInt(x(283))/8)+parseInt(x(269))/9+parseInt(x(298))/10===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(M,993323);const X={AF:"Afghanistan",AX:e(193),AL:e(226),DZ:"Algeria",AS:e(327),AD:e(313),AO:e(225),AI:"Anguilla",AQ:e(187),AG:e(352),AR:e(196),AM:"Armenia",AW:e(231),AU:e(218),AT:e(359),AZ:e(259),BS:e(355),BH:e(317),BD:e(253),BB:e(321),BY:"Belarus",BE:"Belgium",BZ:e(206),BJ:"Benin",BM:e(329),BT:e(362),BO:e(267),BQ:"Bonaire, Sint Eustatius and Saba",BA:e(268),BW:"Botswana",BV:e(197),BR:e(213),IO:e(347),BN:"Brunei Darussalam",BG:e(379),BF:e(306),BI:"Burundi",CV:e(264),KH:e(222),CM:e(230),CA:e(191),KY:e(211),CF:e(280),TD:e(214),CL:e(284),CN:e(198),CX:"Christmas Island",CC:e(185),CO:e(202),KM:e(372),CG:e(189),CD:e(249),CK:e(388),CR:e(335),CI:e(314),HR:"Croatia",CU:e(307),CW:e(334),CY:e(324),CZ:e(237),DK:e(293),DJ:e(220),DM:"Dominica",DO:"Dominican Republic",EC:e(378),EG:e(305),SV:e(309),GQ:e(310),ER:"Eritrea",EE:"Estonia",ET:e(338),FK:e(258),FO:e(326),FJ:e(301),FI:e(201),FR:e(215),GF:e(331),PF:"French Polynesia",TF:e(386),GA:e(360),GM:e(366),GE:e(356),DE:e(266),GH:e(345),GI:e(232),GR:e(288),GL:e(245),GD:e(361),GP:e(278),GU:e(221),GT:"Guatemala",GG:e(208),GN:e(348),GW:e(250),GY:e(375),HT:"Haiti",HM:e(357),VA:e(244),HN:e(276),HK:e(251),HU:e(203),IS:e(318),IN:"India",ID:e(248),IR:e(271),IQ:e(256),IE:e(216),IM:e(241),IL:"Israel",IT:e(209),JM:"Jamaica",JP:e(320),JE:e(257),JO:"Jordan",KZ:e(341),KE:"Kenya",KI:e(350),KP:e(186),KR:"Korea, Republic of",KW:e(364),KG:e(294),LA:e(363),LV:e(240),LB:"Lebanon",LS:e(336),LR:e(254),LY:e(227),LI:e(234),LT:e(304),LU:e(260),MO:"Macao",MK:e(207),MG:e(183),MW:e(195),MY:e(333),MV:e(344),ML:e(365),MT:"Malta",MH:e(383),MQ:e(279),MR:"Mauritania",MU:e(199),YT:e(369),MX:e(351),FM:e(265),MD:e(286),MC:e(343),MN:"Mongolia",ME:e(380),MS:e(228),MA:"Morocco",MZ:e(238),MM:e(371),NA:e(330),NR:e(302),NP:"Nepal",NL:"Netherlands",NC:e(188),NZ:"New Zealand",NI:e(339),NE:e(292),NG:e(322),NU:e(200),NF:e(184),MP:e(236),NO:e(204),OM:e(325),PK:"Pakistan",PW:e(346),PS:"Palestine, State of",PA:e(374),PG:e(223),PY:e(290),PE:e(261),PH:e(210),PN:e(323),PL:e(287),PT:e(272),PR:e(384),QA:e(281),RE:e(255),RO:e(239),RU:e(376),RW:e(277),BL:e(358),SH:e(385),KN:e(308),LC:e(349),MF:"Saint Martin (French part)",PM:e(217),VC:e(319),WS:e(340),SM:e(274),ST:"Sao Tome and Principe",SA:e(275),SN:"Senegal",RS:e(235),SC:"Seychelles",SL:e(370),SG:e(311),SX:e(299),SK:"Slovakia",SI:e(368),SB:e(219),SO:"Somalia",ZA:"South Africa",GS:"South Georgia and the South Sandwich Islands",SS:e(212),ES:e(243),LK:e(246),SD:e(300),SR:e(387),SJ:e(354),SZ:e(316),SE:e(233),CH:e(273),SY:e(312),TW:"Taiwan",TJ:e(285),TZ:e(373),TH:e(332),TL:e(381),TG:e(242),TK:e(315),TO:"Tonga",TT:e(205),TN:e(382),TR:e(229),TM:e(282),TC:e(270),TV:e(303),UG:"Uganda",UA:e(192),AE:e(296),GB:e(367),US:e(291),UM:e(262),UY:e(263),UZ:e(337),VU:"Vanuatu",VE:e(353),VN:"Viet Nam",VG:e(224),VI:"Virgin Islands (U.S.)",WF:"Wallis and Futuna",EH:"Western Sahara",YE:e(295),ZM:e(297),ZW:e(252)},f=H;(function(a,t){const x=H,n=a();for(;;)try{if(-parseInt(x(481))/1+parseInt(x(503))/2*(parseInt(x(464))/3)+-parseInt(x(450))/4*(-parseInt(x(505))/5)+parseInt(x(442))/6+-parseInt(x(473))/7*(parseInt(x(433))/8)+-parseInt(x(483))/9*(parseInt(x(480))/10)+parseInt(x(476))/11===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(R,214488);const J={gov:{prod:{log:f(487),report:f(484)},beta:{log:f(494),report:f(449)}},pub:{prod:{log:f(456),report:f(485)},beta:{log:"https://papi.beta-vpe.naverncp.com/player/maSync",report:f(441)}}};let h={video:{},browser:{},device:{},connection:{},screen:{},player_version:f(463),extra:{sessionId:null,playerType:"VPE React Native"},log_type:f(454),privacy:{cookie_enabled:!0}},I={platform:f(474),stage:f(498),sync:!1,syncResult:{}};const q=new Date()[f(465)](),U=()=>{const a=f,t=new Date,x=u=>String(u)[a(434)](2,"0"),n=t[a(447)]()+"-"+x(t[a(428)]()+1)+"-"+x(t[a(495)]())+" "+x(t.getHours())+":"+x(t.getMinutes())+":"+x(t[a(459)]()),r=Math[a(469)](t[a(465)]()/1e3),s=new Date().getTime()-q;return{logDate:n,logDateUnix:r,thisSec:s}};function H(a,t){return a=a-427,R()[a]}function W(a){return typeof a=="object"&&a!==null&&!Array[f(479)](a)}function Q(a,t){const x=f;Object.entries(t)[x(500)](([n,r])=>{const s=x;W(r)?(!a[n]&&(a[n]={}),Object[s(506)](r)[s(500)](([u,o])=>{o!=null&&(a[n][u]=o)})):r!=null&&(a[n]=r)})}function $(a){const t=f,x=[];return a?.r1&&x[t(502)](a.r1),a?.r2&&x[t(502)](a.r2),a?.r3&&x.push(a.r3),x[t(471)](" ")}function x0(a){const t=f;try{const x=I.syncResult?.[t(432)];x&&(a.address=$(x),a.isp=x.net||"",a.ip=I.syncResult?.ip||"",a[t(492)]=x[t(453)]||"")}catch{}}const e0=async a=>{const t=f;if(!a)return;const{platform:x,stage:n}=I,r=J[x][n].log;try{const s=await fetch(r,{method:t(470),headers:{"Content-Type":t(455)},body:JSON[t(478)]({access_key:a})}),u=await s[t(475)]();I[t(451)]=u[t(430)]?.[t(451)]||!1,I[t(504)]=u.result||{};const{logDate:o,logDateUnix:p}=U();return h[t(499)][t(488)]=o,h[t(499)][t(468)]=p,I[t(504)]?.[t(432)]&&x0(h.extra),u}catch(s){return console[t(435)](t(489),s),null}};async function t0(a,t,x,n,r){const s=f;I.platform=a,I.stage=t,Q(h,x),n&&(h.extra.vpePackageId=n),r&&(h[s(499)][s(445)]=r),h.extra.nation?h[s(427)][s(453)]=X[h.extra[s(492)]]||s(458):h[s(427)].country=s(458);const{logDate:u,logDateUnix:o}=U();h[s(499)][s(488)]=u,h[s(499)].logDateUnix=o,h[s(499)].created_at=o}function R(){const a=["5969656mWqigK","actionDuration","stringify","isArray","30WLPuHK","380263fQHvUu","MA report failed:","1098918fwMoRM","https://log.vpe.gov-ntruss.com/stats","https://log.vpe.naverncp.com/stats","host","https://papi.vpe.gov-ntruss.com/player/maSync","logDate","MA config initialization failed:","log","seekedTime","nation","indexOf","https://papi.beta-vpe.gov-ntruss.com/player/maSync","getDate","sessionId","url","prod","extra","forEach","MA report actionType ->","push","229994RQsdiF","syncResult","40jszBSM","entries","browser","getMonth","MA vpe init","result","videoStartTime","geoLocation","16rvniYC","padStart","error","totalStartTime","dash","UUID","video","random","https://log.beta-vpe.naverncp.com/stats","1163760umEbFZ","parse","length","vpeKey","videoFormat","getFullYear","1.0","https://log.beta-vpe.gov-ntruss.com/stats","156280fbQWVe","sync","log_type","country","vpe","application/json","https://papi.vpe.naverncp.com/player/maSync","m3u8","Korea, Republic of","getSeconds","TID","report","hls","latest","3BDkgGP","getTime","------------------------------------------------","mp4","logDateUnix","floor","POST","join","type","711046VzuyIy","pub","json"];return R=function(){return a},R()}const a0=A;(function(a,t){const x=A,n=a();for(;;)try{if(parseInt(x(477))/1*(-parseInt(x(479))/2)+-parseInt(x(461))/3+parseInt(x(475))/4*(-parseInt(x(468))/5)+-parseInt(x(474))/6+-parseInt(x(485))/7*(-parseInt(x(463))/8)+parseInt(x(467))/9*(-parseInt(x(465))/10)+parseInt(x(462))/11*(parseInt(x(483))/12)===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(T,242175);const n0=(a={},t)=>{const x=A,n={autostart:!0,muted:!1,aspectRatio:x(484),objectFit:x(476),controls:!0,keyboardShortcut:!0,startMutedInfoNotVisible:!1,allowsPictureInPicture:!1,staysActiveInBackground:!1,screenRecordingPrevention:!1,modalFullscreen:!1,seekingPreview:!0,lang:"ko",ui:"all",controlBtn:{play:!0,fullscreen:!0,progressBar:!0,volume:!1,times:!0,pictureInPicture:!0,setting:!0,subtitle:!0},progressBarColor:x(469),controlActiveTime:3e3,playRateSetting:[.5,.75,1,1.5,2],autoPause:!1,repeat:!1,setStartTime:void 0,playIndex:0,lowLatencyMode:!0,touchGestures:!0,descriptionNotVisible:!1,devTestAppId:void 0,token:"",visibleWatermark:!1,iosFullscreenNativeMode:!0,watermarkText:x(471),watermarkConfig:{randPosition:!0,randPositionInterVal:3e3,x:10,y:10,opacity:.5},captionStyle:{fontSize:12,color:x(481),backgroundColor:x(472),edgeStyle:x(473)},override:null};if(t!==x(470))return{...n,...r0};const r={...n,...a};return a[x(466)]&&(r[x(466)]={...n[x(466)],...a[x(466)]}),a[x(482)]&&(r[x(482)]={...n[x(482)],...a[x(482)]}),a.captionStyle&&(r.captionStyle={...n[x(464)],...a[x(464)]}),r[x(466)]?.[x(480)]===void 0&&(r[x(466)][x(480)]=!0),r};function A(a,t){return a=a-461,T()[a]}function T(){const a=["3372bbqXss","16/9","119kcOgBa","927819CRaTAR","37532kiRDBV","47248whGTRz","captionStyle","366880izdguK","controlBtn","27wgNXxH","5fCxLpd","#4299f5","pay","NAVER CLOUD PLATFORM","rgba(0, 0, 0, 0.4)","dropshadow","1739730OgJkRD","108428ivAzOl","contain","1240azxTKK","all","130nxZYPa","progressBar","#ffffff","watermarkConfig"];return T=function(){return a},T()}const r0={free:!0,startMutedInfoNotVisible:!1,lowLatencyMode:!1,progressBarColor:"#009dff",playRateSetting:[.5,.75,1,1.5,2],descriptionNotVisible:!0,seekingPreview:!1,controlActiveTime:1500,ui:a0(478),token:"",setStartTime:null,controlBtn:{play:!0,fullscreen:!0,volume:!0,times:!0,setting:!1,pictureInPicture:!1,progressBar:!0}},d=K;(function(a,t){const x=K,n=a();for(;;)try{if(-parseInt(x(376))/1*(parseInt(x(422))/2)+-parseInt(x(323))/3*(-parseInt(x(369))/4)+parseInt(x(353))/5*(parseInt(x(389))/6)+-parseInt(x(318))/7*(-parseInt(x(378))/8)+-parseInt(x(379))/9+-parseInt(x(360))/10*(-parseInt(x(351))/11)+-parseInt(x(367))/12*(parseInt(x(370))/13)===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(P,602015);const i0={gov:{prod:{config:"aHR0cHM6Ly9wYXBpLnZwZS5nb3YtbnRydXNzLmNvbS9wbGF5ZXIvY29uZmln",report:d(403)},beta:{config:"aHR0cHM6Ly9wYXBpLmJldGEtdnBlLmdvdi1udHJ1c3MuY29tL3BsYXllci9jb25maWc=",report:d(438)}},pub:{prod:{config:"aHR0cHM6Ly9wYXBpLnZwZS5uYXZlcm5jcC5jb20vcGxheWVyL2NvbmZpZw==",report:d(413)},beta:{config:d(404),report:"aHR0cHM6Ly9sb2cuYmV0YS12cGUubmF2ZXJuY3AuY29tL3N0YXRz"}}};let N=[];function K(a,t){return a=a-315,P()[a]}function P(){const a=["Error:","E0001","screen","maUse","result","filter","getValidatedOptions","Chrome","6xfQrbm","warn","code","access_key","accessKey","auto","error","fullscreenExit","test","Unknown","VPE SDK Initialization failed:","playlist","reduce","controlbarDeactive","aHR0cHM6Ly9sb2cudnBlLmdvdi1udHJ1c3MuY29tL3N0YXRz","aHR0cHM6Ly9wYXBpLmJldGEtdnBlLm5hdmVybmNwLmNvbS9wbGF5ZXIvY29uZmln","split","ended","isPaidTier","HLS 파싱 실패:","translator","lang","E0003","text","aHR0cHM6Ly9sb2cudnBlLm5hdmVybmNwLmNvbS9zdGF0cw==","Content-Type","platformVersion","getPlaylist","createPlayerInfo","deviceMemory","origin","json","trim","2402AkzIEZ","Edg","stage","includes","match","webkitConnection","toString","next","isInitialized","rtt","POST",".m3u8","options","isDev","API","hardwareConcurrency","aHR0cHM6Ly9sb2cuYmV0YS12cGUuZ292LW50cnVzcy5jb20vc3RhdHM=","setErrorRun","type","kbps","watermarkConfig","7PXZWUf","VPE Player: accessKey 또는 appId가 없어 키 인증을 건너뜁니다.","playerInfo","status","serverConfig","9mGFbem","round","platform","Edge","skipBack","updateTranslator","userAgent","some","ready","mobile","getBrowserInfo","Other","protocol","controlbarActive","seeked","appId","pause","://appView/video/vpe","ncplayer : ","bufferingStart","loadingEnd","E0002","Safari","controlBtn","unknown","skipForward","#EXT-X-STREAM-INF","bufferingEnd","1089803NXiVne","height","2828365xTShEo","language","getErrorState","performKeyCheck","playerStateReport","slice","isArray","100EjQceX","length","initialize","VPE","pay","Base64 decoding failed:","errorState","822540dLMkIb","?preview=true","106204boquOp","169NnkbRf","pricing","name","application/json","stringify","seeking","79YnMENT","config","3167624PRLvJM","3996270huQsXp","startsWith"];return P=function(){return a},P()}const s0=a=>{const t=d;try{return atob(a)}catch(x){return console.error(t(365),x),""}};class o0{[d(322)]={};[d(320)]=null;accessKey;[d(338)];[d(325)];[d(424)];[d(435)];[d(409)]=k();[d(366)];constructor({accessKey:t,appId:x,platform:n,stage:r,isDev:s=!1,language:u}){const o=d;this[o(393)]=t,this.appId=x||location.origin,this[o(325)]=n,this.stage=r,this[o(435)]=s,this[o(328)](u),this[o(366)]={errorCode:null,errorMessage:null}}async[d(362)](){const t=d,x=[t(393),"appId",t(344),t(382),t(411)],n=t(319);if([this[x[0]],this[x[1]]][t(330)](u=>!u))return console[t(390)](n),{error:this.setErrorRun(x[2])};const s=u=>{const o=t;return this[o(322)]=u,this[o(320)]=this.createPlayerInfo(u),this.playerInfo};try{const u=await this[t(356)]();if(u[t(391)]!==200)return{error:this[t(439)](x[3])};const o=s(u);return await t0(this.platform,this[t(424)],o,this.appId,this[t(393)]),await e0(this.accessKey),{options:this.serverConfig[t(385)]?.[t(434)],playerInfo:o}}catch(u){return console.error(t(399),u),{error:this[t(439)](x[4])}}}async[d(356)](){const t=d,x=[t(368),t(377),t(414),t(373),t(392),"domain",t(432)],n=this[t(435)]?x[0]:"",r=s0(i0[this.platform][this.stage][x[1]])+n,s=JSON[t(374)]([x[4],x[5]][t(401)]((o,p,y)=>{const b=t;return o[p]=[this[b(393)],this[b(338)]][y],o},{})),u=await fetch(r,{method:x[6],headers:{[x[2]]:x[3]},body:s});if(!u.ok)throw new Error([t(436),t(381),u[t(321)],u.statusText].join(" "));return u[t(420)]()}[d(333)](){const t=d,x=navigator[t(329)];return/Edg\/(\d+\.\d+)/[t(397)](x)?{origin:t(326),version:RegExp.$1}:/Chrome\/(\d+\.\d+)/.test(x)&&!x[t(425)](t(423))?{origin:t(388),version:RegExp.$1}:/Firefox\/(\d+\.\d+)/.test(x)?{origin:"Firefox",version:RegExp.$1}:/Version\/(\d+\.\d+)/[t(397)](x)&&x.includes(t(345))?{origin:t(345),version:RegExp.$1}:{origin:"Unknown",version:t(398)}}[d(417)](t){const x=d,[n,r]=t.result[x(372)].split("|"),s=navigator.connection||navigator.mozConnection||navigator[x(427)],u=this[x(333)](),o=navigator.userAgentData;return{cid:t[x(385)].cid,player_name:n,player_version:r,pricing:t[x(385)].pricing,maUse:t[x(385)][x(434)]?.[x(384)]==="Y"?"Y":"N",browser:{lang:navigator[x(354)],ua:navigator[x(329)]},screen:{width:window[x(383)].width,height:window[x(383)][x(352)]},connection:{network:s?.effectiveType??x(347),downlink:s?.downlink??null,rtt:s?.[x(431)]??null,save_data:s?.saveData??!1},device:{platform:o?.[x(325)]??x(398),mobile:o?.[x(332)]??!1,memory:navigator[x(418)]??null,processor:navigator[x(437)]??null},video:{url:""},extra:{vpeKey:this.accessKey,playerType:x(363),playerVersion:r,device:o?.platform??x(398),os:o?.[x(325)]??x(398),osOrigin:o?.platform??x(398),osVersion:o?.platformVersion??x(398),vpePackageId:this[x(338)],actionDuration:0,actionType:x(331),browser:u[x(419)],browserOrigin:u[x(419)],browserVersion:u.version,protocol:location[x(335)],quality:x(334),qualityOrigin:"Auto",host:this[x(338)]+"&"+(o?.[x(325)]??x(398))+"&"+(o?.[x(415)]??"Unknown"),location:this.appId+x(340),title:""}}}setErrorRun(t){const x=d,n=t[x(358)](-2),r=this[x(409)][x(395)][n]||this[x(409)].error["01"],s={errorCode:t,errorMessage:r};return this[x(366)]=s,console.error(x(341),s),s}[d(328)](t){const x=d;this[x(409)]=k(t)}[d(355)](){return this[d(366)]}[d(407)](){const t=d;return this.serverConfig[t(385)]?.[t(371)]===t(364)}[d(430)](){const t=d;return!!this[t(322)][t(385)]}[d(387)](t){const x=d,n=n0(this.serverConfig.result?.options,this[x(322)][x(385)]?.[x(371)]);this.serverConfig[x(385)]?.[x(371)]!==x(364)&&(t={...t,...n});const r={...n,...t??{}};return r?.[x(410)]&&(r?.lang=="auto"||this[x(328)](r[x(410)])),t?.[x(346)]&&(r[x(346)]={...n[x(346)],...t[x(346)]}),t?.watermarkConfig&&(r[x(317)]={...n[x(317)],...t[x(317)]}),r[x(400)]&&!Array[x(359)](r.playlist)&&(r[x(400)]=[{file:r.playlist}]),N=r[x(400)]||[],r}[d(416)](){return N||[]}async[d(357)](t){const x=d;switch(t[x(315)]){case x(331):case x(406):break;case"timeupdate":case"waiting":case x(375):case x(337):case"volumechange":case x(336):case x(402):case x(348):case x(327):case x(429):case"prev":case"play":case x(339):case"fullscreen":case x(396):case x(342):case x(350):case"loadingStart":case x(343):case"playlistChange":case x(395):break}}$t(t){const x=d,n=t[x(405)](".");let r=this[x(409)];for(const s of n)if(r&&typeof r=="object"&&s in r)r=r[s];else return t;return typeof r=="string"?r:t}async hlsPaser(t){const x=d,n=[];if(!t||t.indexOf(x(433))===-1)return n;const r=(o,p)=>{const y=x;try{return new URL(p,o)[y(428)]()}catch{return p}},s=o=>{const p=x,y=o[p(426)](/RESOLUTION=(\d+)x(\d+)/);if(y)return y[2]+"p";const b=o[p(426)](/BANDWIDTH=(\d+)/);return b?Math[p(324)](Number(b[1])/1e3)+p(316):p(394)},u=o=>{const p=x,y=o[p(405)](/\r?\n/).map(b=>b[p(421)]())[p(386)](b=>b.length>0);for(let b=0;b<y[p(361)];b+=1){const B=y[b];if(B[p(380)](p(349))){const C=y[b+1];C&&!C.startsWith("#")&&(n.push({quality:s(B),url:r(t,C),levelIndex:n[p(361)]}),b+=1)}}};try{const o=await fetch(t);if(!o.ok)return n;const p=await o[x(412)]();return p&&u(p),n}catch(o){return console.error(x(408),o),n}}}(function(a,t){for(var x=c0,n=a();;)try{var r=-parseInt(x(179))/1+parseInt(x(181))/2+parseInt(x(178))/3+-parseInt(x(180))/4*(-parseInt(x(185))/5)+parseInt(x(187))/6*(-parseInt(x(183))/7)+parseInt(x(184))/8+parseInt(x(186))/9*(parseInt(x(182))/10);if(r===t)break;n.push(n.shift())}catch{n.push(n.shift())}})(w,316159);function w(){var a=["605011RUiRBf","414632IcjQnD","870702iczCck","3030FlIubK","35uzqBTP","678584fNPLjY","10SJNQnP","7974LNzGYl","102432RjCvpc","31746UScNpQ"];return w=function(){return a},w()}function c0(a,t){a=a-178;var x=w(),n=x[a];return n}module.exports=o0;
|
|
1
|
+
"use strict";function Se(){var a=["Unsupported format.","Cancel","The network connection is unstable.","The live stream is OFFLINE.","Turn off captions","1380490QettAr","Settings","4KxgYda","Play","7612760ixvQJK","License","Quality","Invalid access. Please check your access_key.","24yGbmrZ","2HymsRQ","222772TbQHEU","Replay","Previous video","Mini player","minute(s)","Playback speed","Required module was not loaded. (dash.js)","Unmute","3855475Ykbmaf","Subtitles not available","Exit fullscreen","Screen capture / screen recording has been detected.","Autoplay","Auto","You are muted.","The video could not be played.","Invalid URL format.","Fullscreen","Mute","12421602EthmyV","Normal","Not used","LIVE","Failed to communicate with the DRM license server.","Subtitles","FairPlay certificate validation failed.","Required module was not loaded. (hls.js)","2397831lMfGnh","You do not have permission to play this video.","993937FgooYS","Invalid DRM token.","Player Startup Failed","seconds until auto-play","min","second(s)","day","Cannot play DASH video on iOS.","hour(s)","The license is not valid.","Cannot play video","297lKLoep"];return Se=function(){return a},Se()}var b=It;(function(a,t){for(var e=It,i=a();;)try{var n=-parseInt(e(347))/1+-parseInt(e(346))/2*(parseInt(e(318))/3)+-parseInt(e(339))/4*(parseInt(e(355))/5)+parseInt(e(345))/6*(-parseInt(e(320))/7)+parseInt(e(341))/8+-parseInt(e(310))/9+parseInt(e(337))/10*(parseInt(e(331))/11);if(n===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(Se,937632);function It(a,t){a=a-301;var e=Se(),i=e[a];return i}const Gt={common:{cancel:b(333),auto:b(304),normal:b(311),notUse:b(312),prev:b(349),next:"Next video",delayText:b(323),license:b(342),play:b(340),pause:"Pause",replay:b(348),fullOn:b(308),fullOff:b(301),muteOn:b(309),muteOff:b(354),captionOff:b(336),captionOn:"Turn on captions",setting:b(338),live:b(313),miniPlayer:b(350),isMute:b(305),subtitle:"Subtitles",subtitleNot:b(356)},settings:{autoplay:b(303),playbackRate:b(352),captions:b(315),quality:b(343)},error:{"01":{title:b(330),desc:b(344)},"02":{title:b(330),desc:b(319)},"03":{title:"Authentication Failed",desc:b(334)},"04":{title:b(330),desc:b(306)},"05":{title:b(330),desc:b(329)},"06":{title:b(330),desc:"Monthly basic API calls exceeded. Please switch to a paid version."},"07":{title:b(330),desc:b(332)},"08":{title:b(330),desc:b(307)},"09":{title:"Cannot play video",desc:b(335)},10:{title:b(330),desc:b(327)},11:{title:"Cannot play video",desc:b(321)},12:{title:"Cannot play video",desc:b(314)},13:{title:"Cannot play video",desc:b(316)},14:{title:b(330),desc:b(302)},15:{title:"Player Execution Failed",desc:b(317)},16:{title:"Player Execution Failed",desc:b(353)},17:{title:b(322),desc:"This feature requires the Standard plan."}},alternative:{hour:b(328),minute:b(351),second:b(325),after:"In a moment",afterMin:b(324),afterHour:"hour",afterDay:b(326),startPlay:"Video will start in {timeTxt}.",nextPlay:"Next video will play in {timeTxt} seconds.",afterPlay:"Scheduled"}};var y=St;(function(a,t){for(var e=St,i=a();;)try{var n=-parseInt(e(143))/1*(-parseInt(e(149))/2)+parseInt(e(147))/3*(-parseInt(e(151))/4)+-parseInt(e(152))/5*(-parseInt(e(150))/6)+parseInt(e(115))/7+parseInt(e(124))/8+-parseInt(e(118))/9*(-parseInt(e(144))/10)+-parseInt(e(125))/11*(parseInt(e(136))/12);if(n===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(_e,640349);function St(a,t){a=a-115;var e=_e(),i=e[a];return i}const Vt={common:{cancel:"취소",auto:"자동",normal:"보통",notUse:"사용안함",prev:"이전 동영상",next:y(155),delayText:y(116),license:"라이선스",play:"재생",pause:y(117),replay:"다시보기",fullOn:y(148),fullOff:y(146),muteOn:y(120),muteOff:y(123),captionOff:"자막끄기",captionOn:y(121),setting:"설정",live:y(154),miniPlayer:y(156),isMute:y(131),subtitle:"자막",subtitleNot:y(129)},settings:{autoplay:y(140),playbackRate:y(138),captions:"자막",quality:y(137)},error:{"01":{title:y(157),desc:"잘못된 접근입니다. access_key를 확인해주세요."},"02":{title:y(157),desc:y(128)},"03":{title:y(126),desc:"네트워크 연결이 원활하지 않습니다."},"04":{title:"동영상을 재생할 수 없음",desc:"동영상을 재생할 수 없습니다."},"05":{title:y(157),desc:y(142)},"06":{title:y(157),desc:y(153)},"07":{title:y(157),desc:"지원하지 않는 형식입니다."},"08":{title:"동영상을 재생할 수 없음",desc:"URL 형식이 잘못되었습니다."},"09":{title:"동영상을 재생할 수 없음",desc:"라이브스트림이 OFFLINE 입니다."},10:{title:y(157),desc:y(127)},11:{title:y(157),desc:y(139)},12:{title:"동영상을 재생할 수 없음",desc:y(135)},13:{title:y(157),desc:"FairPlay 인증서 검증에 실패하였습니다."},14:{title:y(157),desc:y(122)},15:{title:y(130),desc:y(119)},16:{title:y(130),desc:y(132)},17:{title:"플레이어 구동 실패",desc:y(134)}},alternative:{hour:"시",minute:"분",second:"초",after:y(133),afterMin:"분 ",afterHour:y(145),afterDay:"일 ",startPlay:"{timeTxt} 후 영상이 시작됩니다.",nextPlay:y(141),afterPlay:"예정"}};function _e(){var a=["재생 속도","DRM 토큰이 잘못되었습니다.","자동재생","{timeTxt}초 후 다음 영상이 재생됩니다.","라이선스가 유효하지 않습니다.","185751hNEgYu","11074330BpqIvL","시간 ","전체화면 해제","6Flozkz","전체화면","12zXVUte","5076528QXTzUu","1196836tXjPdi","5bpWbAn","월 기본 제공 호출 건수를 초과하였습니다. 유료 버전으로 전환 후 사용 부탁 드립니다.","실시간","다음 동영상","미니플레이어","동영상을 재생할 수 없음","8508703BJwasL","초 뒤 자동재생","일시정지","9aJHbFm","필수 모듈이 로드되지 않았습니다. (hls.js)","음소거","자막켜기","화면 캡쳐 / 화면 녹화가 감지되었습니다.","음소거 해제","1533560RsgMfY","34298AfFIWc","인증 실패","iOS에서 Dash 비디오를 재생할 수 없습니다.","동영상을 재생할 권한이 없습니다.","자막 사용 불가","플레이어 실행 실패","음소거 상태입니다.","필수 모듈이 로드되지 않았습니다. (dash.js)","잠시 ","Standard 요금제가 필요한 기능입니다.","DRM 라이선스 서버와 통신에 실패하였습니다.","12456TEyIQg","해상도"];return _e=function(){return a},_e()}var S=_t;(function(a,t){for(var e=_t,i=a();;)try{var n=-parseInt(e(266))/1*(-parseInt(e(253))/2)+-parseInt(e(258))/3+parseInt(e(286))/4*(-parseInt(e(283))/5)+-parseInt(e(288))/6*(-parseInt(e(270))/7)+parseInt(e(274))/8*(-parseInt(e(275))/9)+parseInt(e(282))/10*(-parseInt(e(289))/11)+parseInt(e(268))/12;if(n===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(Ee,644629);function Ee(){var a=["{timeTxt}後に動画が始まります。","使用しない","ライセンス","必須モジュールが読み込まれていません。(dash.js)","115030gEXRUg","1208995buZovI","秒後に自動再生","全画面表示を終了","8AePbgG","しばらくして","2495076PryjnN","847vgpmsj","ネットワーク接続が不安定です。","再生速度","月間の基本提供呼び出し回数を超過しました。有料版に切り替えてご利用ください。","一時停止","自動再生","28226CQesFe","ミニプレーヤー","DRMトークンが無効です。","時間後","ライブ","587889OUQXac","ライブストリームはオフラインです。","必須モジュールが読み込まれていません。(hls.js)","全画面表示","前の動画","字幕をオンにする","動画を再生できません","ミュート状態です。","24EDcOgc","ミュート","22777788XDeaqc","不正なアクセスです。access_keyを確認してください。","14ODzHZv","プレーヤーの起動に失敗しました","ミュート解除","動画を再生できませんでした。","16pMTyOZ","3863844qNOsSg","キャンセル","DRMライセンスサーバーとの通信に失敗しました。"];return Ee=function(){return a},Ee()}function _t(a,t){a=a-250;var e=Ee(),i=e[a];return i}const zt={common:{cancel:S(276),auto:"自動",normal:"標準",notUse:S(279),prev:S(262),next:"次の動画",delayText:S(284),license:S(280),play:"再生",pause:S(251),replay:"リプレイ",fullOn:S(261),fullOff:S(285),muteOn:S(267),muteOff:S(272),captionOff:"字幕をオフにする",captionOn:S(263),setting:"設定",live:S(257),miniPlayer:S(254),isMute:S(265),subtitle:"字幕",subtitleNot:"字幕は利用できません"},settings:{autoplay:S(252),playbackRate:S(291),captions:"字幕",quality:"画質"},error:{"01":{title:S(264),desc:S(269)},"02":{title:S(264),desc:"この動画を再生する権限がありません。"},"03":{title:"認証に失敗しました",desc:S(290)},"04":{title:S(264),desc:S(273)},"05":{title:"動画を再生できません",desc:"ライセンスが無効です。"},"06":{title:S(264),desc:S(250)},"07":{title:"動画を再生できません",desc:"サポートされていない形式です。"},"08":{title:"動画を再生できません",desc:"URLの形式が正しくありません。"},"09":{title:"動画を再生できません",desc:S(259)},10:{title:"動画を再生できません",desc:"iOSではDASHビデオを再生できません。"},11:{title:S(264),desc:S(255)},12:{title:"動画を再生できません",desc:S(277)},13:{title:"動画を再生できません",desc:"FairPlay証明書の検証に失敗しました。"},14:{title:S(264),desc:"画面キャプチャ/画面録画が検出されました。"},15:{title:S(271),desc:S(260)},16:{title:S(271),desc:S(281)},17:{title:"プレーヤーの起動に失敗しました",desc:"この機能にはStandardプランが必要です。"}},alternative:{hour:"時間",minute:"分",second:"秒",after:S(287),afterMin:"分後",afterHour:S(256),afterDay:"日後",startPlay:S(278),nextPlay:"{timeTxt}秒後に次の動画が再生されます。",afterPlay:"予定"}},pe=kt;(function(a,t){const e=kt,i=a();for(;;)try{if(parseInt(e(393))/1+-parseInt(e(387))/2+-parseInt(e(384))/3+-parseInt(e(395))/4+parseInt(e(392))/5*(-parseInt(e(388))/6)+-parseInt(e(386))/7*(-parseInt(e(390))/8)+parseInt(e(391))/9===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(ke,154441);const Et={en:Gt,ko:Vt,ja:zt},Yt=()=>typeof navigator!==pe(385)&&typeof navigator[pe(394)]!==pe(385);function Kt(a){const t=pe,e=a[t(389)]("-")[0];return e in Et?e:"en"}function qe(a){const t=pe;let e="en";a?e=a:Yt()&&(e=navigator[t(394)]);const i=Kt(e);return Et[i]}qe();function kt(a,t){return a=a-384,ke()[a]}function ke(){const a=["18355cOCfAO","language","396052QeDnzA","197628eQbfCg","undefined","56JUJJdb","168112lPwPVz","90XfCKXq","split","31656LHCyeG","5182560hFPHAN","74155gYLNGK"];return ke=function(){return a},ke()}var qt="2.0.9",jt=500,at="user-agent",ae="",xt="?",k={FUNCTION:"function",OBJECT:"object",STRING:"string",UNDEFINED:"undefined"},O="browser",z="cpu",F="device",U="engine",D="os",xe="result",l="name",o="type",u="vendor",d="version",C="architecture",fe="major",c="model",ve="console",m="mobile",_="tablet",T="smarttv",L="wearable",we="xr",ue="embedded",Wt="fetcher",Q="inapp",Ze="brands",J="formFactors",Qe="fullVersionList",ne="platform",$e="platformVersion",Ne="bitness",W="sec-ch-ua",Xt=W+"-full-version-list",Jt=W+"-arch",Zt=W+"-"+Ne,Qt=W+"-form-factors",$t=W+"-"+m,e0=W+"-"+c,Tt=W+"-"+ne,t0=Tt+"-version",At=[Ze,Qe,m,c,ne,$e,C,J,Ne],ge="Amazon",$="Apple",nt="ASUS",rt="BlackBerry",X="Google",ot="Huawei",Le="Lenovo",st="Honor",me="LG",Be="Microsoft",Fe="Motorola",ct="Nvidia",lt="OnePlus",He="OPPO",se="Samsung",dt="Sharp",ce="Sony",Ge="Xiaomi",Ve="Zebra",ut="Chrome",pt="Chromium",K="Chromecast",Ie="Edge",le="Firefox",ee="Opera",ze="Facebook",ft="Sogou",te="Mobile ",ie=" Browser",je="Windows",i0=typeof window!==k.UNDEFINED,P=i0&&window.navigator?window.navigator:void 0,Z=P&&P.userAgentData?P.userAgentData:void 0,a0=function(a,t){var e={},i=t;if(!Te(t)){i={};for(var n in t)for(var r in t[n])i[r]=t[n][r].concat(i[r]?i[r]:[])}for(var s in a)e[s]=i[s]&&i[s].length%2===0?i[s].concat(a[s]):a[s];return e},Ue=function(a){for(var t={},e=0;e<a.length;e++)t[a[e].toUpperCase()]=a[e];return t},We=function(a,t){if(typeof a===k.OBJECT&&a.length>0){for(var e in a)if(q(t)==q(a[e]))return!0;return!1}return he(a)?q(t)==q(a):!1},Te=function(a,t){for(var e in a)return/^(browser|cpu|device|engine|os)$/.test(e)||(t?Te(a[e]):!1)},he=function(a){return typeof a===k.STRING},Ye=function(a){if(a){for(var t=[],e=re(/\\?\"/g,a).split(","),i=0;i<e.length;i++)if(e[i].indexOf(";")>-1){var n=Ae(e[i]).split(";v=");t[i]={brand:n[0],version:n[1]}}else t[i]=Ae(e[i]);return t}},q=function(a){return he(a)?a.toLowerCase():a},Xe=function(a){return he(a)?re(/[^\d\.]/g,a).split(".")[0]:void 0},V=function(a){for(var t in a)if(a.hasOwnProperty(t)){var e=a[t];typeof e==k.OBJECT&&e.length==2?this[e[0]]=e[1]:this[e]=void 0}return this},re=function(a,t){return he(t)?t.replace(a,ae):t},de=function(a){return re(/\\?\"/g,a)},Ae=function(a,t){return a=re(/^\s\s*/,String(a)),typeof t===k.UNDEFINED?a:a.substring(0,t)},Je=function(a,t){if(!(!a||!t))for(var e=0,i,n,r,s,f,p;e<t.length&&!f;){var v=t[e],I=t[e+1];for(i=n=0;i<v.length&&!f&&v[i];)if(f=v[i++].exec(a),f)for(r=0;r<I.length;r++)p=f[++n],s=I[r],typeof s===k.OBJECT&&s.length>0?s.length===2?typeof s[1]==k.FUNCTION?this[s[0]]=s[1].call(this,p):this[s[0]]=s[1]:s.length>=3&&(typeof s[1]===k.FUNCTION&&!(s[1].exec&&s[1].test)?s.length>3?this[s[0]]=p?s[1].apply(this,s.slice(2)):void 0:this[s[0]]=p?s[1].call(this,p,s[2]):void 0:s.length==3?this[s[0]]=p?p.replace(s[1],s[2]):void 0:s.length==4?this[s[0]]=p?s[3].call(this,p.replace(s[1],s[2])):void 0:s.length>4&&(this[s[0]]=p?s[3].apply(this,[p.replace(s[1],s[2])].concat(s.slice(4))):void 0)):this[s]=p||void 0;e+=2}},N=function(a,t){for(var e in t)if(typeof t[e]===k.OBJECT&&t[e].length>0){for(var i=0;i<t[e].length;i++)if(We(t[e][i],a))return e===xt?void 0:e}else if(We(t[e],a))return e===xt?void 0:e;return t.hasOwnProperty("*")?t["*"]:a},ht={ME:"4.90","NT 3.51":"3.51","NT 4.0":"4.0",2e3:["5.0","5.01"],XP:["5.1","5.2"],Vista:"6.0",7:"6.1",8:"6.2","8.1":"6.3",10:["6.4","10.0"],NT:""},bt={embedded:"Automotive",mobile:"Mobile",tablet:["Tablet","EInk"],smarttv:"TV",wearable:"Watch",xr:["VR","XR"],"?":["Desktop","Unknown"],"*":void 0},x0={Chrome:"Google Chrome",Edge:"Microsoft Edge","Edge WebView2":"Microsoft Edge WebView2","Chrome WebView":"Android WebView","Chrome Headless":"HeadlessChrome","Huawei Browser":"HuaweiBrowser","MIUI Browser":"Miui Browser","Opera Mobi":"OperaMobile",Yandex:"YaBrowser"},wt={browser:[[/\b(?:crmo|crios)\/([\w\.]+)/i],[d,[l,te+"Chrome"]],[/webview.+edge\/([\w\.]+)/i],[d,[l,Ie+" WebView"]],[/edg(?:e|ios|a)?\/([\w\.]+)/i],[d,[l,"Edge"]],[/(opera mini)\/([-\w\.]+)/i,/(opera [mobiletab]{3,6})\b.+version\/([-\w\.]+)/i,/(opera)(?:.+version\/|[\/ ]+)([\w\.]+)/i],[l,d],[/opios[\/ ]+([\w\.]+)/i],[d,[l,ee+" Mini"]],[/\bop(?:rg)?x\/([\w\.]+)/i],[d,[l,ee+" GX"]],[/\bopr\/([\w\.]+)/i],[d,[l,ee]],[/\bb[ai]*d(?:uhd|[ub]*[aekoprswx]{5,6})[\/ ]?([\w\.]+)/i],[d,[l,"Baidu"]],[/\b(?:mxbrowser|mxios|myie2)\/?([-\w\.]*)\b/i],[d,[l,"Maxthon"]],[/(kindle)\/([\w\.]+)/i,/(lunascape|maxthon|netfront|jasmine|blazer|sleipnir)[\/ ]?([\w\.]*)/i,/(avant|iemobile|slim(?:browser|boat|jet))[\/ ]?([\d\.]*)/i,/(?:ms|\()(ie) ([\w\.]+)/i,/(atlas|flock|rockmelt|midori|epiphany|silk|skyfire|bolt|iron|vivaldi|iridium|phantomjs|bowser|qupzilla|falkon|rekonq|puffin|whale(?!.+naver)|qqbrowserlite|duckduckgo|klar|helio|(?=comodo_)?dragon|otter|dooble|(?:hi|lg |ovi|qute)browser|palemoon)\/v?([-\w\.]+)/i,/(brave)(?: chrome)?\/([\d\.]+)/i,/(aloha|heytap|ovi|115|surf|qwant)browser\/([\d\.]+)/i,/(qwant)(?:ios|mobile)\/([\d\.]+)/i,/(ecosia|weibo)(?:__| \w+@)([\d\.]+)/i],[l,d],[/quark(?:pc)?\/([-\w\.]+)/i],[d,[l,"Quark"]],[/\bddg\/([\w\.]+)/i],[d,[l,"DuckDuckGo"]],[/(?:\buc? ?browser|(?:juc.+)ucweb)[\/ ]?([\w\.]+)/i],[d,[l,"UCBrowser"]],[/microm.+\bqbcore\/([\w\.]+)/i,/\bqbcore\/([\w\.]+).+microm/i,/micromessenger\/([\w\.]+)/i],[d,[l,"WeChat"]],[/konqueror\/([\w\.]+)/i],[d,[l,"Konqueror"]],[/trident.+rv[: ]([\w\.]{1,9})\b.+like gecko/i],[d,[l,"IE"]],[/ya(?:search)?browser\/([\w\.]+)/i],[d,[l,"Yandex"]],[/slbrowser\/([\w\.]+)/i],[d,[l,"Smart "+Le+ie]],[/(av(?:ast|g|ira))\/([\w\.]+)/i],[[l,/(.+)/,"$1 Secure"+ie],d],[/norton\/([\w\.]+)/i],[d,[l,"Norton Private"+ie]],[/\bfocus\/([\w\.]+)/i],[d,[l,le+" Focus"]],[/ mms\/([\w\.]+)$/i],[d,[l,ee+" Neon"]],[/ opt\/([\w\.]+)$/i],[d,[l,ee+" Touch"]],[/coc_coc\w+\/([\w\.]+)/i],[d,[l,"Coc Coc"]],[/dolfin\/([\w\.]+)/i],[d,[l,"Dolphin"]],[/coast\/([\w\.]+)/i],[d,[l,ee+" Coast"]],[/miuibrowser\/([\w\.]+)/i],[d,[l,"MIUI"+ie]],[/fxios\/([\w\.-]+)/i],[d,[l,te+le]],[/\bqihoobrowser\/?([\w\.]*)/i],[d,[l,"360"]],[/\b(qq)\/([\w\.]+)/i],[[l,/(.+)/,"$1Browser"],d],[/(oculus|sailfish|huawei|vivo|pico)browser\/([\w\.]+)/i],[[l,/(.+)/,"$1"+ie],d],[/samsungbrowser\/([\w\.]+)/i],[d,[l,se+" Internet"]],[/metasr[\/ ]?([\d\.]+)/i],[d,[l,ft+" Explorer"]],[/(sogou)mo\w+\/([\d\.]+)/i],[[l,ft+" Mobile"],d],[/(electron)\/([\w\.]+) safari/i,/(tesla)(?: qtcarbrowser|\/(20\d\d\.[-\w\.]+))/i,/m?(qqbrowser|2345(?=browser|chrome|explorer))\w*[\/ ]?v?([\w\.]+)/i],[l,d],[/(lbbrowser|luakit|rekonq|steam(?= (clie|tenf|gameo)))/i],[l],[/ome\/([\w\.]+).+(iron(?= saf)|360(?=[es]e$))/i],[d,l],[/((?:fban\/fbios|fb_iab\/fb4a)(?!.+fbav)|;fbav\/([\w\.]+);)/i],[[l,ze],d,[o,Q]],[/(kakao(?:talk|story))[\/ ]([\w\.]+)/i,/(naver)\(.*?(\d+\.[\w\.]+).*\)/i,/(daum)apps[\/ ]([\w\.]+)/i,/safari (line)\/([\w\.]+)/i,/\b(line)\/([\w\.]+)\/iab/i,/(alipay)client\/([\w\.]+)/i,/(twitter)(?:and| f.+e\/([\w\.]+))/i,/(bing)(?:web|sapphire)\/([\w\.]+)/i,/(instagram|snapchat|klarna)[\/ ]([-\w\.]+)/i],[l,d,[o,Q]],[/\bgsa\/([\w\.]+) .*safari\//i],[d,[l,"GSA"],[o,Q]],[/(?:musical_ly|trill)(?:.+app_?version\/|_)([\w\.]+)/i],[d,[l,"TikTok"],[o,Q]],[/\[(linkedin)app\]/i],[l,[o,Q]],[/(zalo(?:app)?)[\/\sa-z]*([\w\.-]+)/i],[[l,/(.+)/,"Zalo"],d,[o,Q]],[/(chromium)[\/ ]([-\w\.]+)/i],[l,d],[/ome-(lighthouse)$/i],[l,[o,Wt]],[/headlesschrome(?:\/([\w\.]+)| )/i],[d,[l,ut+" Headless"]],[/wv\).+chrome\/([\w\.]+).+edgw\//i],[d,[l,Ie+" WebView2"]],[/ wv\).+(chrome)\/([\w\.]+)/i],[[l,ut+" WebView"],d],[/droid.+ version\/([\w\.]+)\b.+(?:mobile safari|safari)/i],[d,[l,"Android"+ie]],[/chrome\/([\w\.]+) mobile/i],[d,[l,te+"Chrome"]],[/(chrome|omniweb|arora|[tizenoka]{5} ?browser)\/v?([\w\.]+)/i],[l,d],[/version\/([\w\.\,]+) .*mobile(?:\/\w+ | ?)safari/i],[d,[l,te+"Safari"]],[/iphone .*mobile(?:\/\w+ | ?)safari/i],[[l,te+"Safari"]],[/version\/([\w\.\,]+) .*(safari)/i],[d,l],[/webkit.+?(mobile ?safari|safari)(\/[\w\.]+)/i],[l,[d,"1"]],[/(webkit|khtml)\/([\w\.]+)/i],[l,d],[/(?:mobile|tablet);.*(firefox)\/([\w\.-]+)/i],[[l,te+le],d],[/(navigator|netscape\d?)\/([-\w\.]+)/i],[[l,"Netscape"],d],[/(wolvic|librewolf)\/([\w\.]+)/i],[l,d],[/mobile vr; rv:([\w\.]+)\).+firefox/i],[d,[l,le+" Reality"]],[/ekiohf.+(flow)\/([\w\.]+)/i,/(swiftfox)/i,/(icedragon|iceweasel|camino|chimera|fennec|maemo browser|minimo|conkeror)[\/ ]?([\w\.\+]+)/i,/(seamonkey|k-meleon|icecat|iceape|firebird|phoenix|basilisk|waterfox)\/([-\w\.]+)$/i,/(firefox)\/([\w\.]+)/i,/(mozilla)\/([\w\.]+(?= .+rv\:.+gecko\/\d+)|[0-4][\w\.]+(?!.+compatible))/i,/(amaya|dillo|doris|icab|ladybird|lynx|mosaic|netsurf|obigo|polaris|w3m|(?:go|ice|up)[\. ]?browser)[-\/ ]?v?([\w\.]+)/i,/\b(links) \(([\w\.]+)/i],[l,[d,/_/g,"."]],[/(cobalt)\/([\w\.]+)/i],[l,[d,/[^\d\.]+./,ae]]],cpu:[[/\b((amd|x|x86[-_]?|wow|win)64)\b/i],[[C,"amd64"]],[/(ia32(?=;))/i,/\b((i[346]|x)86)(pc)?\b/i],[[C,"ia32"]],[/\b(aarch64|arm(v?[89]e?l?|_?64))\b/i],[[C,"arm64"]],[/\b(arm(v[67])?ht?n?[fl]p?)\b/i],[[C,"armhf"]],[/( (ce|mobile); ppc;|\/[\w\.]+arm\b)/i],[[C,"arm"]],[/ sun4\w[;\)]/i],[[C,"sparc"]],[/\b(avr32|ia64(?=;)|68k(?=\))|\barm(?=v([1-7]|[5-7]1)l?|;|eabi)|(irix|mips|sparc)(64)?\b|pa-risc)/i,/((ppc|powerpc)(64)?)( mac|;|\))/i,/(?:osf1|[freopnt]{3,4}bsd) (alpha)/i],[[C,/ower/,ae,q]],[/mc680.0/i],[[C,"68k"]],[/winnt.+\[axp/i],[[C,"alpha"]]],device:[[/\b(sch-i[89]0\d|shw-m380s|sm-[ptx]\w{2,4}|gt-[pn]\d{2,4}|sgh-t8[56]9|nexus 10)/i],[c,[u,se],[o,_]],[/\b((?:s[cgp]h|gt|sm)-(?![lr])\w+|sc[g-]?[\d]+a?|galaxy nexus)/i,/samsung[- ]((?!sm-[lr]|browser)[-\w]+)/i,/sec-(sgh\w+)/i],[c,[u,se],[o,m]],[/(?:\/|\()(ip(?:hone|od)[\w, ]*)[\/\);]/i],[c,[u,$],[o,m]],[/\b(?:ios|apple\w+)\/.+[\(\/](ipad)/i,/\b(ipad)[\d,]*[;\] ].+(mac |i(pad)?)os/i],[c,[u,$],[o,_]],[/(macintosh);/i],[c,[u,$]],[/\b(sh-?[altvz]?\d\d[a-ekm]?)/i],[c,[u,dt],[o,m]],[/\b((?:brt|eln|hey2?|gdi|jdn)-a?[lnw]09|(?:ag[rm]3?|jdn2|kob2)-a?[lw]0[09]hn)(?: bui|\)|;)/i],[c,[u,st],[o,_]],[/honor([-\w ]+)[;\)]/i],[c,[u,st],[o,m]],[/\b((?:ag[rs][2356]?k?|bah[234]?|bg[2o]|bt[kv]|cmr|cpn|db[ry]2?|jdn2|got|kob2?k?|mon|pce|scm|sht?|[tw]gr|vrd)-[ad]?[lw][0125][09]b?|605hw|bg2-u03|(?:gem|fdr|m2|ple|t1)-[7a]0[1-4][lu]|t1-a2[13][lw]|mediapad[\w\. ]*(?= bui|\)))\b(?!.+d\/s)/i],[c,[u,ot],[o,_]],[/(?:huawei) ?([-\w ]+)[;\)]/i,/\b(nexus 6p|\w{2,4}e?-[atu]?[ln][\dx][\dc][adnt]?)\b(?!.+d\/s)/i],[c,[u,ot],[o,m]],[/oid[^\)]+; (2[\dbc]{4}(182|283|rp\w{2})[cgl]|m2105k81a?c)(?: bui|\))/i,/\b(?:xiao)?((?:red)?mi[-_ ]?pad[\w- ]*)(?: bui|\))/i],[[c,/_/g," "],[u,Ge],[o,_]],[/\b; (\w+) build\/hm\1/i,/\b(hm[-_ ]?note?[_ ]?(?:\d\w)?) bui/i,/oid[^\)]+; (redmi[\-_ ]?(?:note|k)?[\w_ ]+|m?[12]\d[01]\d\w{3,6}|poco[\w ]+|(shark )?\w{3}-[ah]0|qin ?[1-3](s\+|ultra| pro)?)( bui|; wv|\))/i,/\b(mi[-_ ]?(?:a\d|one|one[_ ]plus|note|max|cc)?[_ ]?(?:\d{0,2}\w?)[_ ]?(?:plus|se|lite|pro)?( 5g|lte)?)(?: bui|\))/i,/ ([\w ]+) miui\/v?\d/i],[[c,/_/g," "],[u,Ge],[o,m]],[/droid.+; (cph2[3-6]\d[13579]|((gm|hd)19|(ac|be|in|kb)20|(d[en]|eb|le|mt)21|ne22)[0-2]\d|p[g-l]\w[1m]10)\b/i,/(?:one)?(?:plus)? (a\d0\d\d)(?: b|\))/i],[c,[u,lt],[o,m]],[/; (\w+) bui.+ oppo/i,/\b(cph[12]\d{3}|p(?:af|c[al]|d\w|e[ar])[mt]\d0|x9007|a101op)\b/i],[c,[u,He],[o,m]],[/\b(opd2(\d{3}a?))(?: bui|\))/i],[c,[u,N,{OnePlus:["203","304","403","404","413","415"],"*":He}],[o,_]],[/(vivo (5r?|6|8l?|go|one|s|x[il]?[2-4]?)[\w\+ ]*)(?: bui|\))/i],[c,[u,"BLU"],[o,m]],[/; vivo (\w+)(?: bui|\))/i,/\b(v[12]\d{3}\w?[at])(?: bui|;)/i],[c,[u,"Vivo"],[o,m]],[/\b(rmx[1-3]\d{3})(?: bui|;|\))/i],[c,[u,"Realme"],[o,m]],[/(ideatab[-\w ]+|602lv|d-42a|a101lv|a2109a|a3500-hv|s[56]000|pb-6505[my]|tb-?x?\d{3,4}(?:f[cu]|xu|[av])|yt\d?-[jx]?\d+[lfmx])( bui|;|\)|\/)/i,/lenovo ?(b[68]0[08]0-?[hf]?|tab(?:[\w- ]+?)|tb[\w-]{6,7})( bui|;|\)|\/)/i],[c,[u,Le],[o,_]],[/lenovo[-_ ]?([-\w ]+?)(?: bui|\)|\/)/i],[c,[u,Le],[o,m]],[/\b(milestone|droid(?:[2-4x]| (?:bionic|x2|pro|razr))?:?( 4g)?)\b[\w ]+build\//i,/\bmot(?:orola)?[- ]([\w\s]+)(\)| bui)/i,/((?:moto(?! 360)[-\w\(\) ]+|xt\d{3,4}[cgkosw\+]?[-\d]*|nexus 6)(?= bui|\)))/i],[c,[u,Fe],[o,m]],[/\b(mz60\d|xoom[2 ]{0,2}) build\//i],[c,[u,Fe],[o,_]],[/\b(?:lg)?([vl]k\-?\d{3}) bui| 3\.[-\w; ]{10}lg?-([06cv9]{3,4})/i],[c,[u,me],[o,_]],[/(lm(?:-?f100[nv]?|-[\w\.]+)(?= bui|\))|nexus [45])/i,/\blg[-e;\/ ]+(?!.*(?:browser|netcast|android tv|watch|webos))(\w+)/i,/\blg-?([\d\w]+) bui/i],[c,[u,me],[o,m]],[/(nokia) (t[12][01])/i],[u,c,[o,_]],[/(?:maemo|nokia).*(n900|lumia \d+|rm-\d+)/i,/nokia[-_ ]?(([-\w\. ]*?))( bui|\)|;|\/)/i],[[c,/_/g," "],[o,m],[u,"Nokia"]],[/(pixel (c|tablet))\b/i],[c,[u,X],[o,_]],[/droid.+;(?: google)? (g(01[13]a|020[aem]|025[jn]|1b60|1f8f|2ybb|4s1m|576d|5nz6|8hhn|8vou|a02099|c15s|d1yq|e2ae|ec77|gh2x|kv4x|p4bc|pj41|r83y|tt9q|ur25|wvk6)|pixel[\d ]*a?( pro)?( xl)?( fold)?( \(5g\))?)( bui|\))/i],[c,[u,X],[o,m]],[/(google) (pixelbook( go)?)/i],[u,c],[/droid.+; (a?\d[0-2]{2}so|[c-g]\d{4}|so[-gl]\w+|xq-\w\w\d\d)(?= bui|\).+chrome\/(?![1-6]{0,1}\d\.))/i],[c,[u,ce],[o,m]],[/sony tablet [ps]/i,/\b(?:sony)?sgp\w+(?: bui|\))/i],[[c,"Xperia Tablet"],[u,ce],[o,_]],[/(alexa)webm/i,/(kf[a-z]{2}wi|aeo(?!bc)\w\w)( bui|\))/i,/(kf[a-z]+)( bui|\)).+silk\//i],[c,[u,ge],[o,_]],[/((?:sd|kf)[0349hijorstuw]+)( bui|\)).+silk\//i],[[c,/(.+)/g,"Fire Phone $1"],[u,ge],[o,m]],[/(playbook);[-\w\),; ]+(rim)/i],[c,u,[o,_]],[/\b((?:bb[a-f]|st[hv])100-\d)/i,/(?:blackberry|\(bb10;) (\w+)/i],[c,[u,rt],[o,m]],[/(?:\b|asus_)(transfo[prime ]{4,10} \w+|eeepc|slider \w+|nexus 7|padfone|p00[cj])/i],[c,[u,nt],[o,_]],[/ (z[bes]6[027][012][km][ls]|zenfone \d\w?)\b/i],[c,[u,nt],[o,m]],[/(nexus 9)/i],[c,[u,"HTC"],[o,_]],[/(htc)[-;_ ]{1,2}([\w ]+(?=\)| bui)|\w+)/i,/(zte)[- ]([\w ]+?)(?: bui|\/|\))/i,/(alcatel|geeksphone|nexian|panasonic(?!(?:;|\.))|sony(?!-bra))[-_ ]?([-\w]*)/i],[u,[c,/_/g," "],[o,m]],[/tcl (xess p17aa)/i,/droid [\w\.]+; ((?:8[14]9[16]|9(?:0(?:48|60|8[01])|1(?:3[27]|66)|2(?:6[69]|9[56])|466))[gqswx])(_\w(\w|\w\w))?(\)| bui)/i],[c,[u,"TCL"],[o,_]],[/droid [\w\.]+; (418(?:7d|8v)|5087z|5102l|61(?:02[dh]|25[adfh]|27[ai]|56[dh]|59k|65[ah])|a509dl|t(?:43(?:0w|1[adepqu])|50(?:6d|7[adju])|6(?:09dl|10k|12b|71[efho]|76[hjk])|7(?:66[ahju]|67[hw]|7[045][bh]|71[hk]|73o|76[ho]|79w|81[hks]?|82h|90[bhsy]|99b)|810[hs]))(_\w(\w|\w\w))?(\)| bui)/i],[c,[u,"TCL"],[o,m]],[/(itel) ((\w+))/i],[[u,q],c,[o,N,{tablet:["p10001l","w7001"],"*":"mobile"}]],[/droid.+; ([ab][1-7]-?[0178a]\d\d?)/i],[c,[u,"Acer"],[o,_]],[/droid.+; (m[1-5] note) bui/i,/\bmz-([-\w]{2,})/i],[c,[u,"Meizu"],[o,m]],[/; ((?:power )?armor(?:[\w ]{0,8}))(?: bui|\))/i],[c,[u,"Ulefone"],[o,m]],[/; (energy ?\w+)(?: bui|\))/i,/; energizer ([\w ]+)(?: bui|\))/i],[c,[u,"Energizer"],[o,m]],[/; cat (b35);/i,/; (b15q?|s22 flip|s48c|s62 pro)(?: bui|\))/i],[c,[u,"Cat"],[o,m]],[/((?:new )?andromax[\w- ]+)(?: bui|\))/i],[c,[u,"Smartfren"],[o,m]],[/droid.+; (a(in)?(0(15|59|6[35])|142)p?)/i],[c,[u,"Nothing"],[o,m]],[/; (x67 5g|tikeasy \w+|ac[1789]\d\w+)( b|\))/i,/archos ?(5|gamepad2?|([\w ]*[t1789]|hello) ?\d+[\w ]*)( b|\))/i],[c,[u,"Archos"],[o,_]],[/archos ([\w ]+)( b|\))/i,/; (ac[3-6]\d\w{2,8})( b|\))/i],[c,[u,"Archos"],[o,m]],[/; (n159v)/i],[c,[u,"HMD"],[o,m]],[/(imo) (tab \w+)/i,/(infinix|tecno) (x1101b?|p904|dp(7c|8d|10a)( pro)?|p70[1-3]a?|p904|t1101)/i],[u,c,[o,_]],[/(blackberry|benq|palm(?=\-)|sonyericsson|acer|asus(?! zenw)|dell|jolla|meizu|motorola|polytron|tecno|micromax|advan)[-_ ]?([-\w]*)/i,/; (blu|hmd|imo|infinix|lava|oneplus|tcl|wiko)[_ ]([\w\+ ]+?)(?: bui|\)|; r)/i,/(hp) ([\w ]+\w)/i,/(microsoft); (lumia[\w ]+)/i,/(oppo) ?([\w ]+) bui/i,/(hisense) ([ehv][\w ]+)\)/i,/droid[^;]+; (philips)[_ ]([sv-x][\d]{3,4}[xz]?)/i],[u,c,[o,m]],[/(kobo)\s(ereader|touch)/i,/(hp).+(touchpad(?!.+tablet)|tablet)/i,/(kindle)\/([\w\.]+)/i],[u,c,[o,_]],[/(surface duo)/i],[c,[u,Be],[o,_]],[/droid [\d\.]+; (fp\du?)(?: b|\))/i],[c,[u,"Fairphone"],[o,m]],[/((?:tegranote|shield t(?!.+d tv))[\w- ]*?)(?: b|\))/i],[c,[u,ct],[o,_]],[/(sprint) (\w+)/i],[u,c,[o,m]],[/(kin\.[onetw]{3})/i],[[c,/\./g," "],[u,Be],[o,m]],[/droid.+; ([c6]+|et5[16]|mc[239][23]x?|vc8[03]x?)\)/i],[c,[u,Ve],[o,_]],[/droid.+; (ec30|ps20|tc[2-8]\d[kx])\)/i],[c,[u,Ve],[o,m]],[/(philips)[\w ]+tv/i,/smart-tv.+(samsung)/i],[u,[o,T]],[/hbbtv.+maple;(\d+)/i],[[c,/^/,"SmartTV"],[u,se],[o,T]],[/(vizio)(?: |.+model\/)(\w+-\w+)/i,/tcast.+(lg)e?. ([-\w]+)/i],[u,c,[o,T]],[/(nux; netcast.+smarttv|lg (netcast\.tv-201\d|android tv))/i],[[u,me],[o,T]],[/(apple) ?tv/i],[u,[c,$+" TV"],[o,T]],[/crkey.*devicetype\/chromecast/i],[[c,K+" Third Generation"],[u,X],[o,T]],[/crkey.*devicetype\/([^/]*)/i],[[c,/^/,"Chromecast "],[u,X],[o,T]],[/fuchsia.*crkey/i],[[c,K+" Nest Hub"],[u,X],[o,T]],[/crkey/i],[[c,K],[u,X],[o,T]],[/(portaltv)/i],[c,[u,ze],[o,T]],[/droid.+aft(\w+)( bui|\))/i],[c,[u,ge],[o,T]],[/(shield \w+ tv)/i],[c,[u,ct],[o,T]],[/\(dtv[\);].+(aquos)/i,/(aquos-tv[\w ]+)\)/i],[c,[u,dt],[o,T]],[/(bravia[\w ]+)( bui|\))/i],[c,[u,ce],[o,T]],[/(mi(tv|box)-?\w+) bui/i],[c,[u,Ge],[o,T]],[/Hbbtv.*(technisat) (.*);/i],[u,c,[o,T]],[/\b(roku)[\dx]*[\)\/]((?:dvp-)?[\d\.]*)/i,/hbbtv\/\d+\.\d+\.\d+ +\([\w\+ ]*; *([\w\d][^;]*);([^;]*)/i],[[u,/.+\/(\w+)/,"$1",N,{LG:"lge"}],[c,Ae],[o,T]],[/(playstation \w+)/i],[c,[u,ce],[o,ve]],[/\b(xbox(?: one)?(?!; xbox))[\); ]/i],[c,[u,Be],[o,ve]],[/(ouya)/i,/(nintendo) (\w+)/i,/(retroid) (pocket ([^\)]+))/i,/(valve).+(steam deck)/i,/droid.+; ((shield|rgcube|gr0006))( bui|\))/i],[[u,N,{Nvidia:"Shield",Anbernic:"RGCUBE",Logitech:"GR0006"}],c,[o,ve]],[/\b(sm-[lr]\d\d[0156][fnuw]?s?|gear live)\b/i],[c,[u,se],[o,L]],[/((pebble))app/i,/(asus|google|lg|oppo|xiaomi) ((pixel |zen)?watch[\w ]*)( bui|\))/i],[u,c,[o,L]],[/(ow(?:19|20)?we?[1-3]{1,3})/i],[c,[u,He],[o,L]],[/(watch)(?: ?os[,\/]|\d,\d\/)[\d\.]+/i],[c,[u,$],[o,L]],[/(opwwe\d{3})/i],[c,[u,lt],[o,L]],[/(moto 360)/i],[c,[u,Fe],[o,L]],[/(smartwatch 3)/i],[c,[u,ce],[o,L]],[/(g watch r)/i],[c,[u,me],[o,L]],[/droid.+; (wt63?0{2,3})\)/i],[c,[u,Ve],[o,L]],[/droid.+; (glass) \d/i],[c,[u,X],[o,we]],[/(pico) ([\w ]+) os\d/i],[u,c,[o,we]],[/(quest( \d| pro)?s?).+vr/i],[c,[u,ze],[o,we]],[/mobile vr; rv.+firefox/i],[[o,we]],[/(tesla)(?: qtcarbrowser|\/[-\w\.]+)/i],[u,[o,ue]],[/(aeobc)\b/i],[c,[u,ge],[o,ue]],[/(homepod).+mac os/i],[c,[u,$],[o,ue]],[/windows iot/i],[[o,ue]],[/droid.+; ([\w- ]+) (4k|android|smart|google)[- ]?tv/i],[c,[o,T]],[/\b((4k|android|smart|opera)[- ]?tv|tv; rv:|large screen[\w ]+safari)\b/i],[[o,T]],[/droid .+?; ([^;]+?)(?: bui|; wv\)|\) applew|; hmsc).+?(mobile|vr|\d) safari/i],[c,[o,N,{mobile:"Mobile",xr:"VR","*":_}]],[/\b((tablet|tab)[;\/]|focus\/\d(?!.+mobile))/i],[[o,_]],[/(phone|mobile(?:[;\/]| [ \w\/\.]*safari)|pda(?=.+windows ce))/i],[[o,m]],[/droid .+?; ([\w\. -]+)( bui|\))/i],[c,[u,"Generic"]]],engine:[[/windows.+ edge\/([\w\.]+)/i],[d,[l,Ie+"HTML"]],[/(arkweb)\/([\w\.]+)/i],[l,d],[/webkit\/537\.36.+chrome\/(?!27)([\w\.]+)/i],[d,[l,"Blink"]],[/(presto)\/([\w\.]+)/i,/(webkit|trident|netfront|netsurf|amaya|lynx|w3m|goanna|servo)\/([\w\.]+)/i,/ekioh(flow)\/([\w\.]+)/i,/(khtml|tasman|links|dillo)[\/ ]\(?([\w\.]+)/i,/(icab)[\/ ]([23]\.[\d\.]+)/i,/\b(libweb)/i],[l,d],[/ladybird\//i],[[l,"LibWeb"]],[/rv\:([\w\.]{1,9})\b.+(gecko)/i],[d,l]],os:[[/(windows nt) (6\.[23]); arm/i],[[l,/N/,"R"],[d,N,ht]],[/(windows (?:phone|mobile|iot))(?: os)?[\/ ]?([\d\.]*( se)?)/i,/(windows)[\/ ](1[01]|2000|3\.1|7|8(\.1)?|9[58]|me|server 20\d\d( r2)?|vista|xp)/i],[l,d],[/windows nt ?([\d\.\)]*)(?!.+xbox)/i,/\bwin(?=3| ?9|n)(?:nt| 9x )?([\d\.;]*)/i],[[d,/(;|\))/g,"",N,ht],[l,je]],[/(windows ce)\/?([\d\.]*)/i],[l,d],[/[adehimnop]{4,7}\b(?:.*os ([\w]+) like mac|; opera)/i,/(?:ios;fbsv|ios(?=.+ip(?:ad|hone)|.+apple ?tv)|ip(?:ad|hone)(?: |.+i(?:pad)?)os|apple ?tv.+ios)[\/ ]([\w\.]+)/i,/\btvos ?([\w\.]+)/i,/cfnetwork\/.+darwin/i],[[d,/_/g,"."],[l,"iOS"]],[/(mac os x) ?([\w\. ]*)/i,/(macintosh|mac_powerpc\b)(?!.+(haiku|morphos))/i],[[l,"macOS"],[d,/_/g,"."]],[/android ([\d\.]+).*crkey/i],[d,[l,K+" Android"]],[/fuchsia.*crkey\/([\d\.]+)/i],[d,[l,K+" Fuchsia"]],[/crkey\/([\d\.]+).*devicetype\/smartspeaker/i],[d,[l,K+" SmartSpeaker"]],[/linux.*crkey\/([\d\.]+)/i],[d,[l,K+" Linux"]],[/crkey\/([\d\.]+)/i],[d,[l,K]],[/droid ([\w\.]+)\b.+(android[- ]x86)/i],[d,l],[/(ubuntu) ([\w\.]+) like android/i],[[l,/(.+)/,"$1 Touch"],d],[/(harmonyos)[\/ ]?([\d\.]*)/i,/(android|bada|blackberry|kaios|maemo|meego|openharmony|qnx|rim tablet os|sailfish|series40|symbian|tizen)\w*[-\/\.; ]?([\d\.]*)/i],[l,d],[/\(bb(10);/i],[d,[l,rt]],[/(?:symbian ?os|symbos|s60(?=;)|series ?60)[-\/ ]?([\w\.]*)/i],[d,[l,"Symbian"]],[/mozilla\/[\d\.]+ \((?:mobile[;\w ]*|tablet|tv|[^\)]*(?:viera|lg(?:l25|-d300)|alcatel ?o.+|y300-f1)); rv:([\w\.]+)\).+gecko\//i],[d,[l,le+" OS"]],[/\b(?:hp)?wos(?:browser)?\/([\w\.]+)/i,/webos(?:[ \/]?|\.tv-20(?=2[2-9]))(\d[\d\.]*)/i],[d,[l,"webOS"]],[/web0s;.+?(?:chr[o0]me|safari)\/(\d+)/i],[[d,N,{25:"120",24:"108",23:"94",22:"87",6:"79",5:"68",4:"53",3:"38",2:"538",1:"537","*":"TV"}],[l,"webOS"]],[/watch(?: ?os[,\/ ]|\d,\d\/)([\d\.]+)/i],[d,[l,"watchOS"]],[/cros [\w]+(?:\)| ([\w\.]+)\b)/i],[d,[l,"Chrome OS"]],[/kepler ([\w\.]+); (aft|aeo)/i],[d,[l,"Vega OS"]],[/(netrange)mmh/i,/(nettv)\/(\d+\.[\w\.]+)/i,/(nintendo|playstation) (\w+)/i,/(xbox); +xbox ([^\);]+)/i,/(pico) .+os([\w\.]+)/i,/\b(joli|palm)\b ?(?:os)?\/?([\w\.]*)/i,/linux.+(mint)[\/\(\) ]?([\w\.]*)/i,/(mageia|vectorlinux|fuchsia|arcaos|arch(?= ?linux))[;l ]([\d\.]*)/i,/([kxln]?ubuntu|debian|suse|opensuse|gentoo|slackware|fedora|mandriva|centos|pclinuxos|red ?hat|zenwalk|linpus|raspbian|plan 9|minix|risc os|contiki|deepin|manjaro|elementary os|sabayon|linspire|knoppix)(?: gnu[\/ ]linux)?(?: enterprise)?(?:[- ]linux)?(?:-gnu)?[-\/ ]?(?!chrom|package)([-\w\.]*)/i,/((?:open)?solaris)[-\/ ]?([\w\.]*)/i,/\b(aix)[; ]([1-9\.]{0,4})/i,/(hurd|linux|morphos)(?: (?:arm|x86|ppc)\w*| ?)([\w\.]*)/i,/(gnu) ?([\w\.]*)/i,/\b([-frentopcghs]{0,5}bsd|dragonfly)[\/ ]?(?!amd|[ix346]{1,2}86)([\w\.]*)/i,/(haiku) ?(r\d)?/i],[l,d],[/(sunos) ?([\d\.]*)/i],[[l,"Solaris"],d],[/\b(beos|os\/2|amigaos|openvms|hp-ux|serenityos)/i,/(unix) ?([\w\.]*)/i],[l,d]]},ye=(function(){var a={init:{},isIgnore:{},isIgnoreRgx:{},toString:{}};return V.call(a.init,[[O,[l,d,fe,o]],[z,[C]],[F,[o,c,u]],[U,[l,d]],[D,[l,d]]]),V.call(a.isIgnore,[[O,[d,fe]],[U,[d]],[D,[d]]]),V.call(a.isIgnoreRgx,[[O,/ ?browser$/i],[D,/ ?os$/i]]),V.call(a.toString,[[O,[l,d]],[z,[C]],[F,[u,c]],[U,[l,d]],[D,[l,d]]]),a})(),n0=function(a,t){var e=ye.init[t],i=ye.isIgnore[t]||0,n=ye.isIgnoreRgx[t]||0,r=ye.toString[t]||0;function s(){V.call(this,e)}return s.prototype.getItem=function(){return a},s.prototype.withClientHints=function(){return Z?Z.getHighEntropyValues(At).then(function(f){return a.setCH(new Mt(f,!1)).parseCH().get()}):a.parseCH().get()},s.prototype.withFeatureCheck=function(){return a.detectFeature().get()},t!=xe&&(s.prototype.is=function(f){var p=!1;for(var v in this)if(this.hasOwnProperty(v)&&!We(i,v)&&q(n?re(n,this[v]):this[v])==q(n?re(n,f):f)){if(p=!0,f!=k.UNDEFINED)break}else if(f==k.UNDEFINED&&p){p=!p;break}return p},s.prototype.toString=function(){var f=ae;for(var p in r)typeof this[r[p]]!==k.UNDEFINED&&(f+=(f?" ":ae)+this[r[p]]);return f||k.UNDEFINED}),s.prototype.then=function(f){var p=this,v=function(){for(var R in p)p.hasOwnProperty(R)&&(this[R]=p[R])};v.prototype={is:s.prototype.is,toString:s.prototype.toString,withClientHints:s.prototype.withClientHints,withFeatureCheck:s.prototype.withFeatureCheck};var I=new v;return f(I),I},new s};function Mt(a,t){if(a=a||{},V.call(this,At),t)V.call(this,[[Ze,Ye(a[W])],[Qe,Ye(a[Xt])],[m,/\?1/.test(a[$t])],[c,de(a[e0])],[ne,de(a[Tt])],[$e,de(a[t0])],[C,de(a[Jt])],[J,Ye(a[Qt])],[Ne,de(a[Zt])]]);else for(var e in a)this.hasOwnProperty(e)&&typeof a[e]!==k.UNDEFINED&&(this[e]=a[e])}function j(a,t,e,i){return V.call(this,[["itemType",a],["ua",t],["uaCH",i],["rgxMap",e],["data",n0(this,a)]]),this}j.prototype.get=function(a){return a?this.data.hasOwnProperty(a)?this.data[a]:void 0:this.data};j.prototype.set=function(a,t){return this.data[a]=t,this};j.prototype.setCH=function(a){return this.uaCH=a,this};j.prototype.detectFeature=function(){if(P&&P.userAgent==this.ua)switch(this.itemType){case O:P.brave&&typeof P.brave.isBrave==k.FUNCTION&&this.set(l,"Brave");break;case F:!this.get(o)&&Z&&Z[m]&&this.set(o,m),this.get(c)=="Macintosh"&&P&&typeof P.standalone!==k.UNDEFINED&&P.maxTouchPoints&&P.maxTouchPoints>2&&this.set(c,"iPad").set(o,_);break;case D:!this.get(l)&&Z&&Z[ne]&&this.set(l,Z[ne]);break;case xe:var a=this.data,t=function(e){return a[e].getItem().detectFeature().get()};this.set(O,t(O)).set(z,t(z)).set(F,t(F)).set(U,t(U)).set(D,t(D))}return this};j.prototype.parseUA=function(){switch(this.itemType!=xe&&Je.call(this.data,this.ua,this.rgxMap),this.itemType){case O:this.set(fe,Xe(this.get(d)));break;case D:if(this.get(l)=="iOS"&&this.get(d)=="18.6"){var a=/\) Version\/([\d\.]+)/.exec(this.ua);a&&parseInt(a[1].substring(0,2),10)>=26&&this.set(d,a[1])}break}return this};j.prototype.parseCH=function(){var a=this.uaCH,t=this.rgxMap;switch(this.itemType){case O:case U:var e=a[Qe]||a[Ze],i;if(e)for(var n=0;n<e.length;n++){var r=e[n].brand||e[n],s=e[n].version;this.itemType==O&&!/not.a.brand/i.test(r)&&(!i||/Chrom/.test(i)&&r!=pt||i==Ie&&/WebView2/.test(r))&&(r=N(r,x0),i=this.get(l),i&&!/Chrom/.test(i)&&/Chrom/.test(r)||this.set(l,r).set(d,s).set(fe,Xe(s)),i=r),this.itemType==U&&r==pt&&this.set(d,s)}break;case z:var f=a[C];f&&(f&&a[Ne]=="64"&&(f+="64"),Je.call(this.data,f+";",t));break;case F:if(a[m]&&this.set(o,m),a[c]&&(this.set(c,a[c]),!this.get(o)||!this.get(u))){var p={};Je.call(p,"droid 9; "+a[c]+")",t),!this.get(o)&&p.type&&this.set(o,p.type),!this.get(u)&&p.vendor&&this.set(u,p.vendor)}if(a[J]){var v;if(typeof a[J]!="string")for(var I=0;!v&&I<a[J].length;)v=N(a[J][I++],bt);else v=N(a[J],bt);this.set(o,v)}break;case D:var R=a[ne];if(R){var G=a[$e];R==je&&(G=parseInt(Xe(G),10)>=13?"11":"10"),this.set(l,R).set(d,G)}this.get(l)==je&&a[c]=="Xbox"&&this.set(l,"Xbox").set(d,void 0);break;case xe:var oe=this.data,Y=function(be){return oe[be].getItem().setCH(a).parseCH().get()};this.set(O,Y(O)).set(z,Y(z)).set(F,Y(F)).set(U,Y(U)).set(D,Y(D))}return this};function H(a,t,e){if(typeof a===k.OBJECT?(Te(a,!0)?(typeof t===k.OBJECT&&(e=t),t=a):(e=a,t=void 0),a=void 0):typeof a===k.STRING&&!Te(t,!0)&&(e=t,t=void 0),e)if(typeof e.append===k.FUNCTION){var i={};e.forEach(function(I,R){i[String(R).toLowerCase()]=I}),e=i}else{var n={};for(var r in e)e.hasOwnProperty(r)&&(n[String(r).toLowerCase()]=e[r]);e=n}if(!(this instanceof H))return new H(a,t,e).getResult();var s=typeof a===k.STRING?a:e&&e[at]?e[at]:P&&P.userAgent?P.userAgent:ae,f=new Mt(e,!0),p=t?a0(wt,t):wt,v=function(I){return I==xe?function(){return new j(I,s,p,f).set("ua",s).set(O,this.getBrowser()).set(z,this.getCPU()).set(F,this.getDevice()).set(U,this.getEngine()).set(D,this.getOS()).get()}:function(){return new j(I,s,p[I],f).parseUA().get()}};return V.call(this,[["getBrowser",v(O)],["getCPU",v(z)],["getDevice",v(F)],["getEngine",v(U)],["getOS",v(D)],["getResult",v(xe)],["getUA",function(){return s}],["setUA",function(I){return he(I)&&(s=Ae(I,jt)),this}]]).setUA(s),this}H.VERSION=qt;H.BROWSER=Ue([l,d,fe,o]);H.CPU=Ue([C]);H.DEVICE=Ue([c,u,o,ve,m,T,_,L,ue]);H.ENGINE=H.OS=Ue([l,d]);const r0=Object.freeze(Object.defineProperty({__proto__:null,UAParser:H},Symbol.toStringTag,{value:"Module"})),M=[];for(let a=0;a<256;++a)M.push((a+256).toString(16).slice(1));function o0(a,t=0){return(M[a[t+0]]+M[a[t+1]]+M[a[t+2]]+M[a[t+3]]+"-"+M[a[t+4]]+M[a[t+5]]+"-"+M[a[t+6]]+M[a[t+7]]+"-"+M[a[t+8]]+M[a[t+9]]+"-"+M[a[t+10]]+M[a[t+11]]+M[a[t+12]]+M[a[t+13]]+M[a[t+14]]+M[a[t+15]]).toLowerCase()}let Ke;const s0=new Uint8Array(16);function c0(){if(!Ke){if(typeof crypto>"u"||!crypto.getRandomValues)throw new Error("crypto.getRandomValues() not supported. See https://github.com/uuidjs/uuid#getrandomvalues-not-supported");Ke=crypto.getRandomValues.bind(crypto)}return Ke(s0)}const l0=typeof crypto<"u"&&crypto.randomUUID&&crypto.randomUUID.bind(crypto),gt={randomUUID:l0};function d0(a,t,e){a=a||{};const i=a.random??a.rng?.()??c0();if(i.length<16)throw new Error("Random bytes length must be >= 16");return i[6]=i[6]&15|64,i[8]=i[8]&63|128,o0(i)}function Ct(a,t,e){return gt.randomUUID&&!a?gt.randomUUID():d0(a)}const x=Rt;(function(a,t){const e=Rt,i=a();for(;;)try{if(-parseInt(e(268))/1+parseInt(e(355))/2*(parseInt(e(221))/3)+-parseInt(e(342))/4*(parseInt(e(278))/5)+parseInt(e(279))/6+-parseInt(e(320))/7*(-parseInt(e(307))/8)+parseInt(e(228))/9*(-parseInt(e(252))/10)+parseInt(e(229))/11===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(Me,141771);function Rt(a,t){return a=a-196,Me()[a]}function Me(){const a=["9989quzMpk","Puerto Rico","Botswana","Gibraltar","Palestine, State of","Central African Republic","Suriname","Antarctica","Venezuela (Bolivarian Republic of)","Sweden","Uruguay","Afghanistan","Grenada","Indonesia","Turkey","Mayotte","New Zealand","Portugal","Niue","Saint Pierre and Miquelon","Kenya","Turks and Caicos Islands","44gXGefh","Trinidad and Tobago","Romania","Western Sahara","Greece","Bulgaria","Marshall Islands","Saint Vincent and the Grenadines","Cyprus","Croatia","Dominican Republic","Macao","Kiribati","3088SctJmy","Tunisia","Saudi Arabia","Albania","Liberia","Mali","Ireland","South Georgia and the South Sandwich Islands","Nicaragua","Aruba","Malta","Spain","Dominica","Cameroon","Italy","Finland","Belize","Guinea-Bissau","Papua New Guinea","Andorra","Moldova (Republic of)","Mexico","Pitcairn","Honduras","Curaçao","Luxembourg","Lao People's Democratic Republic","France","Burundi","Uzbekistan","Montenegro","Barbados","Iraq","Jamaica","Comoros","British Indian Ocean Territory","Côte d'Ivoire","Uganda","Norway","Virgin Islands (U.S.)","Martinique","Singapore","Greenland","Lithuania","Colombia","Costa Rica","Macedonia (the former Yugoslav Republic of)","Haiti","Togo","Kuwait","Belarus","Christmas Island","Sri Lanka","Norfolk Island","South Sudan","Taiwan","Cuba","Estonia","Sierra Leone","Israel","Antigua and Barbuda","Bosnia and Herzegovina","Falkland Islands (Malvinas)","Hong Kong","Bouvet Island","105dGfmlo","Syrian Arab Republic","New Caledonia","Bermuda","Rwanda","Guinea","Montserrat","7173HZQbWw","4991360SGvWOT","Poland","Equatorial Guinea","Bonaire, Sint Eustatius and Saba","Somalia","Bahrain","Réunion","Mozambique","Slovakia","Mongolia","Georgia","Swaziland","India","Guatemala","Pakistan","Saint Helena, Ascension and Tristan da Cunha","Brunei Darussalam","Tokelau","Czech Republic","Thailand","Morocco","Chile","Russian Federation","1040pYEuFv","Malaysia","Bhutan","Namibia","Sudan","Ukraine","Paraguay","Canada","Samoa","El Salvador","Madagascar","Algeria","Senegal","Jordan","Palau","Peru","196406xDApDw","Myanmar","Ethiopia","Slovenia","Korea, Republic of","Viet Nam","South Africa","Monaco","Jersey","Bangladesh","119150yNiuIc","547212MrINHX","Cook Islands","Egypt","Austria","Cambodia","Anguilla","Philippines","Argentina","Bolivia (Plurinational State of)","Gabon","Denmark","American Samoa","Guam","Guernsey","Netherlands","Northern Mariana Islands","Germany","Isle of Man","Iceland","Kyrgyzstan","Åland Islands","Fiji","Kazakhstan","Gambia","Angola","Bahamas","Belgium","Azerbaijan","472Rqiijt","Yemen","Benin","Solomon Islands","Chad","Zimbabwe","Mauritius","Micronesia (Federated States of)","French Polynesia","Heard Island and McDonald Islands","Tonga","Tanzania, United Republic of","Svalbard and Jan Mayen"];return Me=function(){return a},Me()}const Pt={AF:x(331),AX:x(299),AL:x(358),DZ:x(263),AS:x(290),AD:x(374),AO:x(303),AI:x(284),AQ:x(327),AG:x(216),AR:x(286),AM:"Armenia",AW:x(364),AU:"Australia",AT:x(282),AZ:x(306),BS:x(304),BH:x(234),BD:x(277),BB:x(386),BY:x(206),BE:x(305),BZ:x(371),BJ:x(309),BM:x(224),BT:x(254),BO:x(287),BQ:x(232),BA:x(217),BW:x(322),BV:x(220),BR:"Brazil",IO:x(390),BN:x(245),BG:x(347),BF:"Burkina Faso",BI:x(383),CV:"Cabo Verde",KH:x(283),CM:x(368),CA:x(259),KY:"Cayman Islands",CF:x(325),TD:x(311),CL:x(250),CN:"China",CX:x(207),CC:"Cocos (Keeling) Islands",CO:x(200),KM:x(389),CG:"Congo",CD:"Congo (Democratic Republic of the)",CK:x(280),CR:x(201),CI:x(391),HR:x(351),CU:x(212),CW:x(379),CY:x(350),CZ:x(247),DK:x(289),DJ:"Djibouti",DM:x(367),DO:x(352),EC:"Ecuador",EG:x(281),SV:x(261),GQ:x(231),ER:"Eritrea",EE:x(213),ET:x(270),FK:x(218),FO:"Faroe Islands",FJ:x(300),FI:x(370),FR:x(382),GF:"French Guiana",PF:x(315),TF:"French Southern Territories",GA:x(288),GM:x(302),GE:x(239),DE:x(295),GH:"Ghana",GI:x(323),GR:x(346),GL:x(198),GD:x(332),GP:"Guadeloupe",GU:x(291),GT:x(242),GG:x(292),GN:x(226),GW:x(372),GY:"Guyana",HT:x(203),HM:x(316),VA:"Holy See",HN:x(378),HK:x(219),HU:"Hungary",IS:x(297),IN:x(241),ID:x(333),IR:"Iran (Islamic Republic of)",IQ:x(387),IE:x(361),IM:x(296),IL:x(215),IT:x(369),JM:x(388),JP:"Japan",JE:x(276),JO:x(265),KZ:x(301),KE:x(340),KI:x(354),KP:"Korea (Democratic People's Republic of)",KR:x(272),KW:x(205),KG:x(298),LA:x(381),LV:"Latvia",LB:"Lebanon",LS:"Lesotho",LR:x(359),LY:"Libya",LI:"Liechtenstein",LT:x(199),LU:x(380),MO:x(353),MK:x(202),MG:x(262),MW:"Malawi",MY:x(253),MV:"Maldives",ML:x(360),MT:x(365),MH:x(348),MQ:x(196),MR:"Mauritania",MU:x(313),YT:x(335),MX:x(376),FM:x(314),MD:x(375),MC:x(275),MN:x(238),ME:x(385),MS:x(227),MA:x(249),MZ:x(236),MM:x(269),NA:x(255),NR:"Nauru",NP:"Nepal",NL:x(293),NC:x(223),NZ:x(336),NI:x(363),NE:"Niger",NG:"Nigeria",NU:x(338),NF:x(209),MP:x(294),NO:x(393),OM:"Oman",PK:x(243),PW:x(266),PS:x(324),PA:"Panama",PG:x(373),PY:x(258),PE:x(267),PH:x(285),PN:x(377),PL:x(230),PT:x(337),PR:x(321),QA:"Qatar",RE:x(235),RO:x(344),RU:x(251),RW:x(225),BL:"Saint Barthélemy",SH:x(244),KN:"Saint Kitts and Nevis",LC:"Saint Lucia",MF:"Saint Martin (French part)",PM:x(339),VC:x(349),WS:x(260),SM:"San Marino",ST:"Sao Tome and Principe",SA:x(357),SN:x(264),RS:"Serbia",SC:"Seychelles",SL:x(214),SG:x(197),SX:"Sint Maarten (Dutch part)",SK:x(237),SI:x(271),SB:x(310),SO:x(233),ZA:x(274),GS:x(362),SS:x(210),ES:x(366),LK:x(208),SD:x(256),SR:x(326),SJ:x(319),SZ:x(240),SE:x(329),CH:"Switzerland",SY:x(222),TW:x(211),TJ:"Tajikistan",TZ:x(318),TH:x(248),TL:"Timor-Leste",TG:x(204),TK:x(246),TO:x(317),TT:x(343),TN:x(356),TR:x(334),TM:"Turkmenistan",TC:x(341),TV:"Tuvalu",UG:x(392),UA:x(257),AE:"United Arab Emirates",GB:"United Kingdom",US:"United States of America",UM:"United States Minor Outlying Islands",UY:x(330),UZ:x(384),VU:"Vanuatu",VE:x(328),VN:x(273),VG:"Virgin Islands (British)",VI:x(394),WF:"Wallis and Futuna",EH:x(345),YE:x(308),ZM:"Zambia",ZW:x(312)},E=Ut;(function(a,t){const e=Ut,i=a();for(;;)try{if(-parseInt(e(330))/1*(parseInt(e(321))/2)+-parseInt(e(311))/3*(-parseInt(e(329))/4)+-parseInt(e(332))/5+-parseInt(e(306))/6+parseInt(e(291))/7+parseInt(e(335))/8+-parseInt(e(319))/9*(-parseInt(e(322))/10)===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(Ce,101198);const et={gov:{prod:{log:E(282),report:"https://log.vpe.gov-ntruss.com/stats"},beta:{log:E(286),report:E(271)}},pub:{prod:{log:"https://papi.vpe.naverncp.com/player/maSync",report:E(270)},beta:{log:"https://papi.beta-vpe.naverncp.com/player/maSync",report:E(327)}}};let A={video:{},browser:{},device:{},connection:{},screen:{},player_version:"latest",extra:{sessionId:null,playerType:"VPE React Native"},log_type:E(289),privacy:{cookie_enabled:!0}},B={platform:E(263),stage:E(264),sync:!1,syncResult:{}};const u0=new Date()[E(284)](),Ot=a=>a;function mt(){return Ct()}function p0(){return Ct()}function Ce(){const a=["padStart","https://papi.vpe.gov-ntruss.com/player/maSync","playerStartTime","getTime","sync","https://papi.beta-vpe.gov-ntruss.com/player/maSync","host","video","vpe","floor","523390miNmZS","mpd","totalStartTime","UUID","result","getMonth","getHours","net","nation","getDate","geoLocation","vpePackageId","address","actionDuration","hls","1009602JgiovX","forEach","dash","indexOf","extra","3rVUHBW","MA vpe init","getSeconds","type","report","object","videoFormat","logDateUnix","9aiWUnJ","syncResult","2iKCnHo","721010AocsYd","1.0","Korea, Republic of","TID","stringify","https://log.beta-vpe.naverncp.com/stats","application/json","417364fGyGkr","21257fQrDkB","actionType","641015xdMxHn","entries","sessionId","1341704EznBzB","stage","json","platform","videoStartTime","log","pub","prod","------------------------------------------------","country","isArray","m3u8","error","https://log.vpe.naverncp.com/stats","https://log.beta-vpe.gov-ntruss.com/stats","POST","push","parse","assign","browser","url","getMinutes","getFullYear","logDate"];return Ce=function(){return a},Ce()}const Dt=()=>{const a=E,t=new Date,e=s=>String(s)[a(281)](2,"0"),i=t[a(279)]()+"-"+e(t[a(296)]()+1)+"-"+e(t[a(300)]())+" "+e(t[a(297)]())+":"+e(t[a(278)]())+":"+e(t[a(313)]()),n=Math[a(290)](t.getTime()/1e3),r=new Date()[a(284)]()-u0;return{logDate:i,logDateUnix:n,thisSec:r}};function f0(a){const t=E;return typeof a===t(316)&&a!==null&&!Array[t(267)](a)}function Nt(a,t){const e=E;Object[e(333)](t)[e(307)](([i,n])=>{const r=e;f0(n)?(!a[i]&&(a[i]={}),Object[r(333)](n)[r(307)](([s,f])=>{f!=null&&(a[i][s]=f)})):n!=null&&(a[i]=n)})}function Ut(a,t){return a=a-258,Ce()[a]}function h0(a){const t=E;return a[t(309)](t(268))>-1?t(305):a.indexOf(t(292))>-1?t(308):"mp4"}function b0(a){const t=E,e=[];return a?.r1&&e[t(273)](a.r1),a?.r2&&e[t(273)](a.r2),a?.r3&&e[t(273)](a.r3),e.join(" ")}function w0(a){const t=E;a[t(304)]===t(323)&&(a[t(304)]=0),a.actionDuration===void 0&&(a.actionDuration=0),[t(283),t(261),t(293),"seekedTime"][t(307)](i=>{a[i]===void 0&&(a[i]=0)}),a.type===void 0&&A[t(288)]?.[t(314)]&&(a[t(314)]=A.video[t(314)]),a[t(277)]===void 0&&A[t(288)]?.[t(277)]&&(a.url=A.video[t(277)],a[t(317)]=h0(a[t(277)]))}function g0(a){const t=E;return!!(a[t(294)]&&a[t(325)]&&a[t(287)])}function tt(a){const t=E;try{const e=B[t(320)]?.geoLocation;e&&(a[t(303)]=b0(e),a.isp=e[t(298)]||"",a.ip=B[t(320)]?.ip||"",a[t(299)]=e[t(266)]||"")}catch{}}const m0=async a=>{const t=E;if(!a)return;const{platform:e,stage:i}=B,n=et[e][i][t(262)];try{const r=await fetch(n,{method:t(272),headers:{"Content-Type":t(328)},body:JSON[t(326)]({access_key:a})}),s=await r[t(259)]();B[t(285)]=s[t(295)]?.[t(285)]||!1,B.syncResult=s[t(295)]||{};const{logDate:f,logDateUnix:p}=Dt();return A[t(310)][t(280)]=f,A.extra[t(318)]=p,B[t(320)]?.[t(301)]&&tt(A.extra),s}catch(r){return console[t(269)]("MA config initialization failed:",r),null}},y0=async a=>{const t=E,{platform:e,stage:i}=B,n=Ot(et[e][i][t(315)]),r={...a};r.log_type=t(289),tt(r[t(310)]);try{await fetch(n,{method:t(272),headers:{"Content-Type":t(328)},body:JSON.stringify(r)})}catch(s){console[t(269)]("MA init report failed:",s)}},v0=async a=>{const t=E,{platform:e,stage:i}=B,n=Ot(et[e][i][t(315)]),r=JSON[t(274)](JSON[t(326)](A));if(Nt(r,a),r.log_type="MA",tt(r.extra),w0(r.extra),!!g0(r.extra))try{r[t(314)]!="timeupdate",await fetch(n,{method:t(272),headers:{"Content-Type":"application/json"},body:JSON[t(326)](r)})}catch(s){console.log("MA report failed:",s)}};async function I0(a,t,e,i,n){const r=E;B[r(260)]=a,B[r(258)]=t,Nt(A,e),i&&(A[r(310)][r(302)]=i),n&&(A[r(310)].vpeKey=n),A[r(310)][r(299)]?A[r(276)].country=Pt[A[r(310)].nation]||r(324):A.browser[r(266)]=r(324);const{logDate:s,logDateUnix:f}=Dt();A[r(310)][r(280)]=s,A.extra[r(318)]=f,A[r(310)].created_at=f}async function S0(a){const t=E,e=JSON.parse(JSON[t(326)](A));a[t(310)]&&Object[t(275)](e[t(310)],a[t(310)]),e[t(288)]=a[t(288)],await y0(e),console[t(262)](t(312))}function Lt(a,t){return a=a-183,Re()[a]}(function(a,t){const e=Lt,i=a();for(;;)try{if(-parseInt(e(185))/1+parseInt(e(201))/2*(parseInt(e(194))/3)+parseInt(e(186))/4+-parseInt(e(193))/5*(parseInt(e(184))/6)+-parseInt(e(183))/7+parseInt(e(190))/8*(-parseInt(e(198))/9)+parseInt(e(199))/10===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(Re,890709);const _0=(a={},t)=>{const e=Lt,i={autostart:!0,muted:!1,aspectRatio:e(200),objectFit:e(197),controls:!0,keyboardShortcut:!0,startMutedInfoNotVisible:!1,allowsPictureInPicture:!1,staysActiveInBackground:!1,screenRecordingPrevention:!1,modalFullscreen:!1,seekingPreview:!0,lang:"ko",ui:e(188),controlBtn:{play:!0,fullscreen:!0,progressBar:!0,volume:!1,times:!0,pictureInPicture:!0,setting:!0,subtitle:!0},progressBarColor:e(196),controlActiveTime:3e3,playRateSetting:[.5,.75,1,1.5,2],autoPause:!1,repeat:!1,setStartTime:void 0,playIndex:0,lowLatencyMode:!0,touchGestures:!0,descriptionNotVisible:!1,devTestAppId:void 0,token:"",visibleWatermark:!1,iosFullscreenNativeMode:!0,watermarkText:"NAVER CLOUD PLATFORM",watermarkConfig:{randPosition:!0,randPositionInterVal:3e3,x:10,y:10,opacity:.5},captionStyle:{fontSize:12,color:e(191),backgroundColor:e(187),edgeStyle:e(189)},override:null};if(t!=="pay")return{...i,...E0};const n={...i,...a};return a[e(195)]&&(n[e(195)]={...i[e(195)],...a.controlBtn}),a.watermarkConfig&&(n[e(202)]={...i[e(202)],...a[e(202)]}),a[e(192)]&&(n[e(192)]={...i[e(192)],...a[e(192)]}),n.controlBtn?.[e(203)]===void 0&&(n[e(195)].progressBar=!0),n},E0={free:!0,startMutedInfoNotVisible:!1,lowLatencyMode:!1,progressBarColor:"#009dff",playRateSetting:[.5,.75,1,1.5,2],descriptionNotVisible:!0,seekingPreview:!1,controlActiveTime:1500,ui:"all",token:"",setStartTime:null,controlBtn:{play:!0,fullscreen:!0,volume:!0,times:!0,setting:!1,pictureInPicture:!1,progressBar:!0}};function Re(){const a=["16/9","32bNWgpi","watermarkConfig","progressBar","3504949LKxsbz","1679646kiXTKR","1206629VazbhR","6796784jrxyGc","rgba(0, 0, 0, 0.4)","all","dropshadow","8tjdgyU","#ffffff","captionStyle","10geHoYe","39777RiFneK","controlBtn","#4299f5","contain","4315068cnzanI","17260390UGIOIL"];return Re=function(){return a},Re()}const h=Bt;(function(a,t){const e=Bt,i=a();for(;;)try{if(parseInt(e(127))/1+parseInt(e(150))/2+-parseInt(e(200))/3+-parseInt(e(228))/4+-parseInt(e(148))/5+parseInt(e(165))/6*(-parseInt(e(223))/7)+parseInt(e(219))/8===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(Pe,202265);function Bt(a,t){return a=a-123,Pe()[a]}function Pe(){const a=["SEEKING","message","seeking","handlePause","firstPlaying","video","handleWaitingEnd","initTimeupdate","nextTrack","firstError","url","CANPLAY","playedTime","handleEnded","handleSeeking","PLAY","handleTimeUpdateFocus","timeupdate","NEXT_TRACK","isPlaying","Korea, Republic of","handlePlayerStart","handleTrackChange","seeked","TID","TIMEUPDATE","1197675uKlBgq","startup","PLAYING","prevUrl","WAITING","handleCanplay","PREV_TRACK","error","waitingEnd","now","handleTimeUpdate","STARTUP","handleWaiting","getHours","handleStartup","VPE","getDate","getSeconds","forEach","6552384dvIZVK","vpe","playAttempt","getMonth","21SdzSWO","WAITING_END","report","prevTrack","prevQuality","1328704RzsSoS","browser","nation","canplay","pause","ENDED","getTime","getFullYear","QUALITY_CHANGE","124715lgPUMw","reportData","currentTime","object","handleError","maSync","UUID","PAUSE","quality","PAUSED","maInit","Unknown Error","entries","isEnded","isPlainObject","startTime","state","country","code","handlePlay","ERROR","909595LikuVx","latest","610770SXbift","REBUFFERING","isBuffering","handleQualityChange","E0000","then","percent","floor","TIMEUPDATE_FOCUS","prevAction","initializeReportData","PLAYER_START","play","ended","toFixed","267126USxScs","extra","isArray","sessionId","padStart","prevTime","stageData","dispatchEvent","isSeeking"];return Pe=function(){return a},Pe()}const yt="0p",k0=59e3,T0=1,g={PLAYER_START:"player_start",STARTUP:h(201),PLAY:h(162),PAUSE:"pause",PLAYING:"playing",PAUSED:h(232),SEEKING:h(176),SEEKED:h(197),WAITING:"waiting",WAITING_END:h(208),CANPLAY:h(231),ENDED:h(163),NEXT_TRACK:"nextTrack",PREV_TRACK:h(226),ERROR:h(207),QUALITY_CHANGE:"quality_change",REBUFFERING:"rebuffering",TIMEUPDATE:h(191),TIMEUPDATE_FOCUS:"timeupdateFocus"};class A0{[h(128)];[h(171)];[h(143)];constructor(t,e,i){const n=h;this[n(171)]={platform:t,stage:e,sync:!1,syncResult:{}},this[n(128)]={video:{},browser:{},device:{},connection:{},screen:{},player_version:n(149),extra:{UUID:null,TID:null,sessionId:null,playerType:n(215),playAttempt:!1},log_type:n(220),privacy:{cookie_enabled:!0}},this.state={prevAction:null,isPlaying:!1,isSeeking:!1,initTimeupdate:!1,isBuffering:!1,firstError:!1,isEnded:!1,firstPlay:!0,firstPlaying:!0,startTime:0,prevTime:0,startUpDuration:0,prevUrl:"",prevQuality:yt},this[n(160)](i),this[n(171)]}[h(160)](t){const e=h;this[e(128)]={...this[e(128)],...t},this[e(128)][e(166)].nation?this.reportData[e(229)][e(144)]=Pt[this[e(128)].extra[e(230)]]||e(194):this.reportData.browser[e(144)]="Korea, Republic of"}[h(124)](){const t=h,e=new Date,i=s=>String(s)[t(169)](2,"0"),n=e[t(125)]()+"-"+i(e[t(222)]()+1)+"-"+i(e[t(216)]())+" "+i(e[t(213)]())+":"+i(e.getMinutes())+":"+i(e[t(217)]()),r=Math[t(157)](e.getTime()/1e3);return{logDate:n,logDateUnix:r}}[h(141)](t){const e=h;return typeof t===e(130)&&t!==null&&!Array[e(167)](t)}async[h(225)](t,e){const i=h;if(this[i(143)][i(183)])return;const{logDate:n,logDateUnix:r}=this.getTime(),s=Date[i(209)](),f=this[i(143)][i(170)]>0?s-this[i(143)][i(170)]:0,p=f,v={...this[i(128)],video:this[i(128)][i(179)],extra:{...this[i(128)][i(166)],actionType:t,actionDuration:p?p[i(164)](2):0,logDate:n,logDateUnix:r}};this.state[i(170)]=s,await v0(v)}async[h(137)](t){const e=h;this.reportData[e(166)][e(168)],t.extra[e(168)]=this[e(128)][e(166)][e(168)],await S0(t)}async[h(132)](t){const e=h;!t||typeof t!==e(130)||Object[e(139)](t)[e(218)](([i,n])=>{const r=e;this[r(141)](n)?Object[r(139)](n)[r(218)](([s,f])=>{const p=r;f!=null&&(this[p(128)][i][s]=f)}):n!=null&&(this.reportData[i]=n)})}[h(172)](t){const e=h,{type:i,data:n}=t,r={url:n?.[e(184)]||this[e(143)].prevUrl,type:n?.type,quality:n?.[e(135)]||this[e(143)][e(227)],data:n};switch(i){case g.PLAYER_START:this[e(195)](r,n);break;case g[e(211)]:this[e(214)](r,n);break;case g[e(189)]:this[e(146)](r,n);break;case g[e(134)]:this[e(177)](r,n);break;case g[e(199)]:this[e(210)](r,n);break;case g[e(158)]:this[e(190)](r,n);break;case g[e(174)]:this[e(188)](r,n);break;case g.SEEKED:this.handleSeeked(r,n);break;case g[e(204)]:this[e(212)](r,n);break;case g[e(224)]:this[e(180)](r,n);break;case g[e(185)]:this[e(205)](r,n);break;case g.ENDED:this[e(187)](r,n);break;case e(182):case e(226):this[e(196)](i,r,n);break;case g[e(147)]:this[e(131)](r,n);break;case g[e(126)]:this[e(153)](r,n);break}}[h(195)](t,e){const i=h;!this.reportData[i(166)].sessionId&&(this[i(128)][i(166)][i(168)]=p0(),this.reportData[i(166)][i(198)]=mt(),this[i(128)][i(166)][i(133)]=mt(),console.log(i(133),this.reportData.extra.UUID)),this[i(143)][i(142)]=Date.now(),this[i(143)][i(170)]=this[i(143)][i(142)],this[i(225)](g[i(161)],{...t,data:e})}[h(214)](t,e){const i=h;this.state[i(178)]&&(this[i(225)](g[i(211)],{...t,data:e}),this.state[i(178)]=!1)}[h(146)](t,e){const i=h;this[i(143)][i(193)]||(this.reportData[i(166)][i(186)]=e?.playedTime,this[i(128)][i(166)][i(156)]=e?.[i(156)],this[i(143)][i(193)]=!0,this[i(128)][i(166)][i(221)]=!0,this[i(143)].firstPlay&&(this[i(143)].firstPlay=!1),this[i(143)][i(159)]===g[i(136)]&&this[i(225)](g[i(202)],{...t,data:e}),this[i(143)][i(159)]=g.PLAYING)}handlePause(t,e){const i=h;this[i(143)][i(173)]||this[i(143)][i(152)]||!this[i(143)][i(193)]||(this[i(143)].isPlaying=!1,this.report(g[i(136)],{...t,data:e}),this[i(143)][i(159)]=g[i(136)])}[h(210)](t,e){const i=h;this[i(143)][i(193)]=!0,this[i(128)].extra[i(221)]=!0,!(this[i(128)][i(166)][i(129)]<T0)&&(this[i(143)][i(193)]&&Date.now()-this.state[i(170)]>k0&&this[i(225)](g[i(202)],{...t,data:e}),this[i(143)][i(203)]=t[i(184)]||"",this[i(143)][i(227)]=t[i(135)]||yt)}handleTimeUpdateFocus(t,e){const i=h;this[i(128)][i(166)][i(129)]>0&&(this[i(225)](g[i(202)],{...t,data:e}),this[i(143)][i(181)]=!0)}[h(188)](t,e){const i=h;this.state.isSeeking||(this[i(143)][i(173)]=!0,this[i(143)][i(193)]?this[i(225)](g[i(202)],{...t,data:e}):this.state[i(159)]===g[i(136)]&&this.report(g.PAUSED,{...t,data:e}),this.state.prevAction=g[i(174)])}handleSeeked(t,e){const i=h;this[i(143)][i(173)]&&(this.state[i(173)]=!1,this[i(225)](g[i(174)],{...t,data:e}),this.state.prevAction=this[i(143)].isPlaying?g.PLAYING:g.PAUSED)}[h(212)](t,e){const i=h;this[i(143)][i(173)]||this[i(143)][i(152)]||(this[i(143)].isBuffering=!0,this[i(143)][i(193)]&&this[i(225)](g[i(202)],{...t,data:e}),this.state[i(159)]=g[i(151)])}[h(180)](t,e){const i=h;this[i(143)][i(173)]||this.state[i(152)]||(this[i(143)][i(152)]=!0,this.state[i(193)]&&this[i(225)](g[i(202)],{...t,data:e}),this[i(143)][i(159)]=g.REBUFFERING)}[h(205)](t,e){const i=h;this[i(143)].isBuffering&&(this[i(143)][i(152)]=!1,this.report(g[i(151)],{...t,data:e}),this[i(143)][i(159)]=this[i(143)].isPlaying?g.PLAYING:g[i(136)])}[h(187)](t,e){const i=h;this[i(143)][i(140)]||(this[i(143)].isEnded=!0,this[i(143)][i(193)]=!1,this[i(143)][i(159)]!==g[i(136)]&&this.report(this[i(143)][i(159)]||g.PLAYING,{...t,data:e}),this[i(225)](g[i(123)],{...t,data:e}))}[h(196)](t,e,i){const n=h,r=t===n(182)?g[n(192)]:g[n(206)];this[n(225)](this[n(143)][n(159)]||g.PLAYING,{...e,data:i})[n(155)](()=>{const s=n;this.report(r,{...e,data:i})[s(155)](()=>{this.resetStateForNewTrack()})})}[h(131)](t,e){const i=h;this[i(143)][i(159)]&&!this[i(143)][i(178)]&&this[i(225)](this[i(143)][i(159)],{...t,data:e});const n={errorCode:e?.[i(145)]||i(154),errorMessage:e?.[i(175)]||i(138)};this[i(225)](g[i(147)],{...t,data:{...e,...n}}),this.state[i(183)]=!0}[h(153)](t,e){const i=h;this.state[i(159)]&&!this.state[i(173)]&&!this[i(143)][i(152)]&&!this[i(143)][i(178)]&&(this.state[i(173)]=!0,this.report(this[i(143)][i(159)],{...t,data:e}),this[i(143)][i(159)]=g[i(174)])}resetStateForNewTrack(){const t=h;this.state[t(159)]=null,this[t(143)][t(193)]=!1,this[t(143)][t(170)]=0,this[t(143)][t(178)]=!0,this[t(143)][t(181)]=!1}}const w=Ft;(function(a,t){const e=Ft,i=a();for(;;)try{if(parseInt(e(461))/1+parseInt(e(607))/2*(parseInt(e(612))/3)+-parseInt(e(539))/4+-parseInt(e(578))/5+-parseInt(e(534))/6*(parseInt(e(559))/7)+-parseInt(e(492))/8*(-parseInt(e(498))/9)+-parseInt(e(451))/10*(-parseInt(e(519))/11)===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(Oe,648344);function Oe(){const a=["14rjHvdc","stateChange","#EXT-X-STREAM-INF","Naver webview","dispatchEvent","471621EwirzF","serverConfig","ncplayer : ","data","aHR0cHM6Ly9wYXBpLmJldGEtdnBlLm5hdmVybmNwLmNvbS9wbGF5ZXIvY29uZmln","playerStartTimeMs","mpd","errorInfo","isDev","100jTKHSz","playlist","E0002","VOD","platform","maUse","dash","floor","Edg","player_start","1026535tMZjrv","mozConnection","type","Edge","model","performKeyCheck","getPlaylist","access_key","effectiveType","pricing","getVideoProtocol","join","quality","aHR0cHM6Ly9sb2cuYmV0YS12cGUubmF2ZXJuY3AuY29tL3N0YXRz","duration","VPE","HLS 파싱 실패:","indexOf","deviceMemory","now","href","hlsPaser","width","downlink","url","connection","options","accessKey","userAgent","stage","report","8aVdxDb","navigator","reduce","hardwareConcurrency","host","currentTime","7379127gyBmmM","videoHeight","getErrorState","meta","round","push","device","config","maSync","version","kakao","kbps","POST","LIVE","hasFirstPlayReported","startsWith","VPE Player: accessKey 또는 appId가 없어 키 인증을 건너뜁니다.","watermarkConfig","kakaotalk","Kakao webview","language","983334FnHUSq","trim","browser","aHR0cHM6Ly9wYXBpLmJldGEtdnBlLmdvdi1udHJ1c3MuY29tL3BsYXllci9jb25maWc=","text","result","incomingType","setErrorRun","mobile","maManager","Whale","Auto","Content-Type","aHR0cHM6Ly9sb2cuYmV0YS12cGUuZ292LW50cnVzcy5jb20vc3RhdHM=","API","30zuTeOQ","vendor","initialize","controlBtn","getValidatedOptions","4612180bYwMgH",".m3u8","UAParser","Error:","Safari","whale","origin","unknown","m3u8","getResult","pay","screen","height","name","location","Other","errorMessage","errorState","test","ready","1515521zlamzh","E0001","error","aHR0cHM6Ly9wYXBpLnZwZS5uYXZlcm5jcC5jb20vcGxheWVyL2NvbmZpZw==","object","port","playerStateReport","slice","match","errorCode","title","videoWidth","statusText","lang","aHR0cHM6Ly9wYXBpLnZwZS5nb3YtbnRydXNzLmNvbS9wbGF5ZXIvY29uZmln","mp4","includes","video","VPE SDK Initialization failed:","4784615kWWZQL","filter","getElapsedMilliseconds","playerInfo","appId","updateTranslator","translator","saveData","stringify","json","startTimeAt","live","code","warn","hls","rtt","length","Firefox","webkitConnection","naver","split","play","getBrowserInfo","Unknown","isPaidTier","auto","toLowerCase","volumechange","startup"];return Oe=function(){return a},Oe()}function Ft(a,t){return a=a-451,Oe()[a]}const M0={gov:{prod:{config:w(573),report:"aHR0cHM6Ly9sb2cudnBlLmdvdi1udHJ1c3MuY29tL3N0YXRz"},beta:{config:w(522),report:w(532)}},pub:{prod:{config:w(562),report:"aHR0cHM6Ly9sb2cudnBlLm5hdmVybmNwLmNvbS9zdGF0cw=="},beta:{config:w(616),report:w(474)}}};let vt=[];const C0=a=>{const t=w;try{return atob(a)}catch(e){return console[t(561)]("Base64 decoding failed:",e),""}};class R0{[w(613)]={};playerInfo=null;[w(488)];appId;[w(455)];[w(490)];[w(620)];[w(584)]=qe();errorState;[w(528)]=null;[w(588)]=null;[w(525)]=null;[w(512)]=!1;[w(617)]=0;constructor({accessKey:t,appId:e,platform:i,stage:n,isDev:r=!1,language:s}){const f=w;this.accessKey=t,this[f(582)]=e||location[f(545)],this[f(455)]=i,this[f(490)]=n,this[f(620)]=r,this[f(583)](s),this[f(556)]={errorCode:null,errorMessage:null}}async[w(536)](){const t=w,e=[t(488),t(582),t(453),t(560),"E0003"],i=t(514);if([this[e[0]],this[e[1]]].some(s=>!s))return console[t(591)](i),{error:this[t(526)](e[2])};const r=s=>{const f=t;return this[f(613)]=s,this.playerInfo=this.createPlayerInfo(s),this[f(581)]};try{const s=await this.performKeyCheck();if(s[t(590)]!==200)return{error:this[t(526)](e[3])};const f=r(s);return f?.[t(456)]==="Y"&&(await I0(this[t(455)],this[t(490)],f,this[t(582)],this[t(488)]),await m0(this[t(488)]),this[t(528)]=new A0(this[t(455)],this[t(490)],f),this[t(588)]=Date[t(480)]()),{options:this[t(613)][t(524)]?.options,playerInfo:f}}catch(s){return console[t(561)](t(577),s),{error:this[t(526)](e[4])}}}async[w(466)](){const t=w,e=["?preview=true",t(505),t(531),"application/json",t(468),"domain",t(510)],i=this[t(620)]?e[0]:"",n=C0(M0[this[t(455)]][this.stage][e[1]])+i,r=JSON[t(586)]([e[4],e[5]][t(494)]((f,p,v)=>{const I=t;return f[p]=[this[I(488)],this[I(582)]][v],f},{})),s=await fetch(n,{method:e[6],headers:{[e[2]]:e[3]},body:r});if(!s.ok)throw new Error([t(533),t(542),s.status,s[t(571)]][t(472)](" "));return s[t(587)]()}[w(600)](){const t=w,e=navigator.userAgent;return/Edg\/(\d+\.\d+)/[t(557)](e)?{origin:t(464),version:RegExp.$1}:/Chrome\/(\d+\.\d+)/.test(e)&&!e[t(575)](t(459))?{origin:"Chrome",version:RegExp.$1}:/Firefox\/(\d+\.\d+)/[t(557)](e)?{origin:t(595),version:RegExp.$1}:/Version\/(\d+\.\d+)/[t(557)](e)&&e.includes(t(543))?{origin:t(543),version:RegExp.$1}:{origin:t(601),version:t(601)}}createPlayerInfo(t){const e=w,[i,n]=t[e(524)][e(552)][e(598)]("|"),r=navigator[e(486)]||navigator[e(462)]||navigator.webkitConnection,s=this[e(600)](),f=navigator.userAgentData,p=new r0[e(541)](window[e(493)][e(489)])[e(548)]();return window[e(493)][e(489)][e(604)]()[e(575)](e(544))?p[e(521)].name=e(529):window[e(493)][e(489)][e(604)]().includes(e(516))?p[e(521)][e(552)]=e(517):window[e(493)][e(489)].toLowerCase()[e(575)](e(597))?p[e(521)].name=e(610):window.navigator[e(489)].toLowerCase().includes(e(508))?p[e(521)][e(552)]="Kakao webview":window[e(493)][e(489)].toLowerCase()[e(575)](e(597))&&(p[e(521)][e(552)]=e(610)),{cid:t.result.cid,player_name:i,player_version:n,pricing:t[e(524)][e(470)],maUse:t[e(524)][e(487)]?.[e(456)]==="Y"?"Y":"N",browser:{lang:navigator[e(518)],ua:navigator[e(489)]},screen:{width:window[e(550)][e(483)],height:window.screen[e(551)]},connection:{network:r?.effectiveType??e(546),downlink:r?.[e(484)]??null,rtt:r?.rtt??null,save_data:r?.saveData??!1},device:{platform:f?.[e(455)]??e(601),mobile:f?.[e(527)]??!1,memory:navigator[e(479)]??null,processor:navigator[e(495)]??null},video:{url:""},extra:{vpeKey:this[e(488)],playerType:e(476),playerVersion:n,os:f?.[e(455)]??"Unknown",osOrigin:p.os[e(552)]||"Unknown",osVersion:p.os[e(507)],vpePackageId:null,actionDuration:this[e(580)](),actionType:e(558),browser:s[e(545)],browserOrigin:s.origin,browserVersion:s[e(507)],quality:e(554),qualityOrigin:e(530),device:p.device[e(535)]+" "+p[e(504)][e(465)],location:window[e(553)].href,host:window[e(553)][e(496)],port:window[e(553)][e(564)],protocol:window.location.protocol,title:""}}}[w(526)](t){const e=w,i=t[e(566)](-2),n=this.translator[e(561)][i]||this[e(584)][e(561)]["01"],r={errorCode:t,errorMessage:n};return this[e(556)]=r,console[e(561)](e(614),r),r}updateTranslator(t){const e=w;this[e(584)]=qe(t)}[w(500)](){return this[w(556)]}[w(602)](){const t=w;return this[t(613)][t(524)]?.pricing==="pay"}isInitialized(){return!!this[w(613)].result}[w(538)](t){const e=w,i=_0(this[e(613)].result?.options,this[e(613)].result?.[e(470)]);this[e(613)][e(524)]?.[e(470)]!==e(549)&&(t={...t,...i});const n={...i,...t??{}};return n?.lang&&(n?.[e(572)]==e(603)||this[e(583)](n.lang)),t?.[e(537)]&&(n[e(537)]={...i[e(537)],...t[e(537)]}),t?.watermarkConfig&&(n.watermarkConfig={...i[e(515)],...t[e(515)]}),n.playlist&&!Array.isArray(n[e(452)])&&(n[e(452)]=[{file:n.playlist}]),vt=n[e(452)]||[],n}[w(467)](){return vt||[]}$t(t){const e=w,i=t[e(598)](".");let n=this[e(584)];for(const r of i)if(n&&typeof n===e(563)&&r in n)n=n[r];else return t;return typeof n=="string"?n:t}async[w(482)](t){const e=w,i=[];if(!t||t[e(478)](e(540))===-1)return i;const n=(f,p)=>{try{return new URL(p,f).toString()}catch{return p}},r=f=>{const p=e,v=f[p(567)](/RESOLUTION=(\d+)x(\d+)/);if(v)return v[2]+"p";const I=f.match(/BANDWIDTH=(\d+)/);return I?Math[p(502)](Number(I[1])/1e3)+p(509):p(603)},s=f=>{const p=e,v=f[p(598)](/\r?\n/).map(I=>I[p(520)]())[p(579)](I=>I[p(594)]>0);for(let I=0;I<v[p(594)];I+=1){const R=v[I];if(R[p(513)](p(609))){const G=v[I+1];G&&!G[p(513)]("#")&&(i[p(503)]({quality:r(R),url:n(t,G),levelIndex:i.length}),I+=1)}}};try{const f=await fetch(t);if(!f.ok)return i;const p=await f[e(523)]();return p&&s(p),i}catch(f){return console[e(561)](e(477),f),i}}async[w(565)](t){const e=w;if(!t?.[e(463)]||!this[e(528)]||this[e(581)]?.[e(456)]!=="Y")return;const i=new H(window[e(493)].userAgent).getResult();if(t[e(463)]==e(605)||t[e(463)]==e(608))return;const n=t[e(463)];t[e(463)]==e(558)&&(t.type=e(460));const r=t?.[e(576)]?.[e(463)]==e(589),s=navigator.connection||navigator[e(462)]||navigator[e(596)]||null;this.incomingType=t?.[e(463)]||null;const f=this[e(525)]===e(599)&&!this[e(512)],p=f?e(606):this[e(525)];f&&(this[e(512)]=!0);const v=t?.video?.[e(615)]?.[e(475)]||0,I=t?.[e(576)]?.data?.[e(497)]||0,R=t?.[e(576)]?.[e(570)]||0,G=t?.[e(576)]?.[e(499)]||0;let oe=0,Y=0,be=0;if(p==e(460)&&(oe=this[e(580)](),this[e(617)]=oe),p=="startup"){const it=this.getElapsedMilliseconds();Y=it-this[e(617)],be=it}const Ht={type:p,video:{type:e(r?511:454),quality:t?.[e(576)]?.[e(473)]?t?.video?.[e(473)]:e(603),url:t?.[e(576)]?.[e(485)]},connection:s?{network:s[e(469)],downlink:s[e(484)],rtt:s[e(593)],save_data:s[e(585)]}:void 0,extra:{actionType:p,title:t?.[e(501)]?.[e(569)],metaData:t?.meta,videoWidth:Math[e(502)](R),videoHeight:Math[e(502)](G),video_protocols:this[e(471)](t?.[e(576)]?.[e(485)]),duration:Math[e(458)](v),currentTime:Math[e(458)](I),playedTime:this[e(580)](),viewingTime:Math.round(this[e(580)]()/1e3),playerStartTime:oe,videoStartTime:Y,totalStartTime:be,percent:Math[e(502)](I/v*100),quality:t?.video?.[e(473)]?t?.[e(576)]?.quality:e(603),errorCode:t?.[e(619)]?.[e(568)],errorMessage:t?.[e(619)]?.[e(555)],actionDuration:this[e(580)]()/1e3,device:i[e(504)][e(535)]+" "+i.device[e(465)],location:window.location[e(481)],host:window.location[e(496)],port:window.location[e(564)],protocol:window.location.protocol},browser:{lang:navigator.language,ua:navigator[e(489)]},screen:{width:window[e(550)][e(483)],height:window[e(550)].height}};await this[e(491)](p,Ht,n)}async[w(491)](t,e,i){const n=w;if(!this[n(528)])return;const r=e&&typeof e===n(563)?e:{extra:{actionDuration:this[n(580)]()}};await this[n(528)][n(506)](r),await this[n(528)][n(611)]({type:t,data:r})}[w(471)](t){const e=w;return t.indexOf(e(547))>-1?e(592):t[e(478)](e(618))>-1?e(457):e(574)}[w(580)](){const t=w;return this[t(588)]?new Date().getTime()-this[t(588)]:0}}(function(a,t){for(var e=P0,i=a();;)try{var n=-parseInt(e(272))/1+-parseInt(e(273))/2+parseInt(e(266))/3+-parseInt(e(271))/4+parseInt(e(267))/5+parseInt(e(268))/6*(parseInt(e(270))/7)+parseInt(e(269))/8*(parseInt(e(265))/9);if(n===t)break;i.push(i.shift())}catch{i.push(i.shift())}})(De,529042);function P0(a,t){a=a-265;var e=De(),i=e[a];return i}function De(){var a=["43944XcmCiu","844319lwPlOw","3978480bptiMV","987938rmrSIy","1085172EKnwRu","3987JtdlBN","736545YwByHM","1273275NKGQSH","6VDiMMf"];return De=function(){return a},De()}module.exports=R0;
|